From dd4e66be8840af602ff2a0852ffa40b6d463d9f6 Mon Sep 17 00:00:00 2001 From: Jakub Sobolewski Date: Mon, 27 Feb 2023 10:01:55 +0100 Subject: [PATCH 01/19] fix: multiselect in ComboBox --- js/src/inputs.jsx | 16 ++++++++++++++-- 1 file changed, 14 insertions(+), 2 deletions(-) diff --git a/js/src/inputs.jsx b/js/src/inputs.jsx index 45d52374..49c8d254 100644 --- a/js/src/inputs.jsx +++ b/js/src/inputs.jsx @@ -29,10 +29,22 @@ export const ColorPicker = InputAdapter(Fluent.ColorPicker, (value, setValue) => onChange: (e, v) => setValue(v.str), }), { policy: debounce, delay: 250 }); -export const ComboBox = InputAdapter(Fluent.ComboBox, (value, setValue) => ({ +export const ComboBox = InputAdapter(Fluent.ComboBox, (value, setValue, props) => ({ selectedKey: value && value.key, text: value && value.text, - onChange: (e, option, i, text) => setValue(option || (text ? { text } : null)), + onChange: (e, option, i, text) => { + if (props.multiSelect) { + const options = new Set(props.options.map((item) => item.key)); + let newValue = (Array.isArray(value) ? value : [value]) + .filter((key) => options.has(key)); // Some options might have been removed. + newValue = option.selected + ? [...newValue, option.key] + : newValue.filter((key) => key !== option.key); + setValue(newValue); + } else { + setValue(option || (text ? { text } : null)); + } + }, }), { policy: debounce, delay: 250 }); export const DatePicker = InputAdapter(Fluent.DatePicker, (value, setValue) => ({ From a89d6322a8e0b7c19c697a6566a7ac47702f8ac4 Mon Sep 17 00:00:00 2001 From: Jakub Sobolewski Date: Mon, 24 Apr 2023 10:51:09 +0200 Subject: [PATCH 02/19] refactor: extract multiselect logic to function --- js/src/inputs.jsx | 26 ++++++++++++-------------- 1 file changed, 12 insertions(+), 14 deletions(-) diff --git a/js/src/inputs.jsx b/js/src/inputs.jsx index 49c8d254..cf3b5acd 100644 --- a/js/src/inputs.jsx +++ b/js/src/inputs.jsx @@ -1,6 +1,16 @@ import * as Fluent from '@fluentui/react'; import { ButtonAdapter, InputAdapter, debounce } from '@/shiny.react'; +function handleMultiSelect(option, value, propsOptions) { + const options = new Set(propsOptions.map((item) => item.key)); + let newValue = (Array.isArray(value) ? value : [value]) + .filter((key) => options.has(key)); // Some options might have been removed. + newValue = option.selected + ? [...newValue, option.key] + : newValue.filter((key) => key !== option.key); + return newValue; +} + export const ActionButton = ButtonAdapter(Fluent.ActionButton); export const CommandBarButton = ButtonAdapter(Fluent.CommandBarButton); export const CommandButton = ButtonAdapter(Fluent.CommandButton); @@ -34,13 +44,7 @@ export const ComboBox = InputAdapter(Fluent.ComboBox, (value, setValue, props) = text: value && value.text, onChange: (e, option, i, text) => { if (props.multiSelect) { - const options = new Set(props.options.map((item) => item.key)); - let newValue = (Array.isArray(value) ? value : [value]) - .filter((key) => options.has(key)); // Some options might have been removed. - newValue = option.selected - ? [...newValue, option.key] - : newValue.filter((key) => key !== option.key); - setValue(newValue); + setValue(handleMultiSelect(option, value, props.options)); } else { setValue(option || (text ? { text } : null)); } @@ -57,13 +61,7 @@ export const Dropdown = InputAdapter(Fluent.Dropdown, (value, setValue, props) = selectedKey: value, onChange: (e, v) => { if (props.multiSelect) { - const options = new Set(props.options.map((item) => item.key)); - let newValue = (Array.isArray(value) ? value : [value]) - .filter((key) => options.has(key)); // Some options might have been removed. - newValue = v.selected - ? [...newValue, v.key] - : newValue.filter((key) => key !== v.key); - setValue(newValue); + setValue(handleMultiSelect(v, value, props.options)); } else { setValue(v.key); } From 90bb3bc4b5cdec053f8c3f4f37d07f18d9dcc255 Mon Sep 17 00:00:00 2001 From: Jakub Sobolewski Date: Tue, 12 Sep 2023 16:02:25 +0200 Subject: [PATCH 03/19] fix: first selection in ComboBox --- js/src/inputs.jsx | 21 ++++++++++----------- 1 file changed, 10 insertions(+), 11 deletions(-) diff --git a/js/src/inputs.jsx b/js/src/inputs.jsx index cf3b5acd..4267335b 100644 --- a/js/src/inputs.jsx +++ b/js/src/inputs.jsx @@ -1,14 +1,14 @@ import * as Fluent from '@fluentui/react'; import { ButtonAdapter, InputAdapter, debounce } from '@/shiny.react'; -function handleMultiSelect(option, value, propsOptions) { +function handleMultiSelect(option, selectedKeys, propsOptions) { const options = new Set(propsOptions.map((item) => item.key)); - let newValue = (Array.isArray(value) ? value : [value]) + let currentSelectedOptionKeys = (Array.isArray(selectedKeys) ? selectedKeys : [selectedKeys]) .filter((key) => options.has(key)); // Some options might have been removed. - newValue = option.selected - ? [...newValue, option.key] - : newValue.filter((key) => key !== option.key); - return newValue; + currentSelectedOptionKeys = option.selected + ? [...currentSelectedOptionKeys, option.key] + : currentSelectedOptionKeys.filter((key) => key !== option.key); + return currentSelectedOptionKeys; } export const ActionButton = ButtonAdapter(Fluent.ActionButton); @@ -40,13 +40,12 @@ export const ColorPicker = InputAdapter(Fluent.ColorPicker, (value, setValue) => }), { policy: debounce, delay: 250 }); export const ComboBox = InputAdapter(Fluent.ComboBox, (value, setValue, props) => ({ - selectedKey: value && value.key, - text: value && value.text, - onChange: (e, option, i, text) => { + onChange: (event, option, index, text) => { + const newOption = option || (text ? { text, key: text, selected: true } : null); if (props.multiSelect) { - setValue(handleMultiSelect(option, value, props.options)); + setValue(handleMultiSelect(newOption, value, props.options)); } else { - setValue(option || (text ? { text } : null)); + setValue(newOption.key); } }, }), { policy: debounce, delay: 250 }); From 0ee96aa6bb68ab2801d38a36338a602106bb6ee3 Mon Sep 17 00:00:00 2001 From: Jakub Sobolewski Date: Tue, 12 Sep 2023 16:04:48 +0200 Subject: [PATCH 04/19] chore: build js --- inst/www/shiny.fluent/shiny-fluent.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/inst/www/shiny.fluent/shiny-fluent.js b/inst/www/shiny.fluent/shiny-fluent.js index c742a507..100dc508 100644 --- a/inst/www/shiny.fluent/shiny-fluent.js +++ b/inst/www/shiny.fluent/shiny-fluent.js @@ -1,2 +1,2 @@ /*! For license information please see shiny-fluent.js.LICENSE.txt */ -(()=>{var e={6786:(e,t,o)=>{"use strict";o.d(t,{mR:()=>r,tf:()=>i});var n=o(7622),r={formatDay:function(e){return e.getDate().toString()},formatMonth:function(e,t){return t.months[e.getMonth()]},formatYear:function(e){return e.getFullYear().toString()},formatMonthDayYear:function(e,t){return t.months[e.getMonth()]+" "+e.getDate()+", "+e.getFullYear()},formatMonthYear:function(e,t){return t.months[e.getMonth()]+" "+e.getFullYear()}},i=(0,n.pi)((0,n.pi)({},{months:["January","February","March","April","May","June","July","August","September","October","November","December"],shortMonths:["Jan","Feb","Mar","Apr","May","Jun","Jul","Aug","Sep","Oct","Nov","Dec"],days:["Sunday","Monday","Tuesday","Wednesday","Thursday","Friday","Saturday"],shortDays:["S","M","T","W","T","F","S"]}),{goToToday:"Go to today",weekNumberFormatString:"Week number {0}",prevMonthAriaLabel:"Previous month",nextMonthAriaLabel:"Next month",prevYearAriaLabel:"Previous year",nextYearAriaLabel:"Next year",prevYearRangeAriaLabel:"Previous year range",nextYearRangeAriaLabel:"Next year range",closeButtonAriaLabel:"Close",selectedDateFormatString:"Selected date {0}",todayDateFormatString:"Today's date {0}",monthPickerHeaderAriaLabel:"{0}, change year",yearPickerHeaderAriaLabel:"{0}, change month",dayMarkedAriaLabel:"marked"})},6974:(e,t,o)=>{"use strict";o.d(t,{E4:()=>i,jh:()=>a,zI:()=>s,Bc:()=>l,pU:()=>c,D7:()=>u,W8:()=>d,Q9:()=>p,q0:()=>m,aN:()=>h,NJ:()=>g,e0:()=>f,le:()=>v,iU:()=>b,uW:()=>y,wu:()=>_,Hx:()=>C,c8:()=>x});var n=o(1093),r=o(7433);function i(e,t){var o=new Date(e.getTime());return o.setDate(o.getDate()+t),o}function a(e,t){return i(e,t*r.r.DaysInOneWeek)}function s(e,t){var o=new Date(e.getTime()),n=o.getMonth()+t;return o.setMonth(n),o.getMonth()!==(n%r.r.MonthInOneYear+r.r.MonthInOneYear)%r.r.MonthInOneYear&&(o=i(o,-o.getDate())),o}function l(e,t){var o=new Date(e.getTime());return o.setFullYear(e.getFullYear()+t),o.getMonth()!==(e.getMonth()%r.r.MonthInOneYear+r.r.MonthInOneYear)%r.r.MonthInOneYear&&(o=i(o,-o.getDate())),o}function c(e){return new Date(e.getFullYear(),e.getMonth(),1,0,0,0,0)}function u(e){return new Date(e.getFullYear(),e.getMonth()+1,0,0,0,0,0)}function d(e){return new Date(e.getFullYear(),0,1,0,0,0,0)}function p(e){return new Date(e.getFullYear()+1,0,0,0,0,0,0)}function m(e,t){return s(e,t-e.getMonth())}function h(e,t){return!e&&!t||!(!e||!t)&&e.getFullYear()===t.getFullYear()&&e.getMonth()===t.getMonth()&&e.getDate()===t.getDate()}function g(e,t){return x(e)-x(t)}function f(e,t,o,a,l){void 0===l&&(l=1);var c,u=[],d=null;switch(a||(a=[n.eO.Monday,n.eO.Tuesday,n.eO.Wednesday,n.eO.Thursday,n.eO.Friday]),l=Math.max(l,1),t){case n.NU.Day:d=i(c=S(e),l);break;case n.NU.Week:case n.NU.WorkWeek:d=i(c=_(S(e),o),r.r.DaysInOneWeek);break;case n.NU.Month:d=s(c=new Date(e.getFullYear(),e.getMonth(),1),1);break;default:throw new Error("Unexpected object: "+t)}var p=c;do{(t!==n.NU.WorkWeek||-1!==a.indexOf(p.getDay()))&&u.push(p),p=i(p,1)}while(!h(p,d));return u}function v(e,t){for(var o=0,n=t;o0&&(o-=r.r.DaysInOneWeek),i(e,o)}function C(e,t){var o=(t-1>=0?t-1:r.r.DaysInOneWeek-1)-e.getDay();return o<0&&(o+=r.r.DaysInOneWeek),i(e,o)}function S(e){return new Date(e.getFullYear(),e.getMonth(),e.getDate())}function x(e){return e.getDate()+(e.getMonth()<<5)+(e.getFullYear()<<9)}function k(e,t,o){var i=w(e)-1,a=e.getDay()-i%r.r.DaysInOneWeek,s=w(new Date(e.getFullYear()-1,n.m2.December,31))-1,l=(t-a+2*r.r.DaysInOneWeek)%r.r.DaysInOneWeek;0!==l&&l>=o&&(l-=r.r.DaysInOneWeek);var c=i-l;return c<0&&(0!=(l=(t-(a-=s%r.r.DaysInOneWeek)+2*r.r.DaysInOneWeek)%r.r.DaysInOneWeek)&&l+1>=o&&(l-=r.r.DaysInOneWeek),c=s-l),Math.floor(c/r.r.DaysInOneWeek+1)}function w(e){for(var t=e.getMonth(),o=e.getFullYear(),n=0,r=0;r{"use strict";var n,r,i,a;o.d(t,{eO:()=>n,m2:()=>r,On:()=>i,NU:()=>a,NA:()=>s}),function(e){e[e.Sunday=0]="Sunday",e[e.Monday=1]="Monday",e[e.Tuesday=2]="Tuesday",e[e.Wednesday=3]="Wednesday",e[e.Thursday=4]="Thursday",e[e.Friday=5]="Friday",e[e.Saturday=6]="Saturday"}(n||(n={})),function(e){e[e.January=0]="January",e[e.February=1]="February",e[e.March=2]="March",e[e.April=3]="April",e[e.May=4]="May",e[e.June=5]="June",e[e.July=6]="July",e[e.August=7]="August",e[e.September=8]="September",e[e.October=9]="October",e[e.November=10]="November",e[e.December=11]="December"}(r||(r={})),function(e){e[e.FirstDay=0]="FirstDay",e[e.FirstFullWeek=1]="FirstFullWeek",e[e.FirstFourDayWeek=2]="FirstFourDayWeek"}(i||(i={})),function(e){e[e.Day=0]="Day",e[e.Week=1]="Week",e[e.Month=2]="Month",e[e.WorkWeek=3]="WorkWeek"}(a||(a={}));var s=7},7433:(e,t,o)=>{"use strict";o.d(t,{r:()=>n});var n={MillisecondsInOneDay:864e5,MillisecondsIn1Sec:1e3,MillisecondsIn1Min:6e4,MillisecondsIn30Mins:18e5,MillisecondsIn1Hour:36e5,MinutesInOneDay:1440,MinutesInOneHour:60,DaysInOneWeek:7,MonthInOneYear:12}},3345:(e,t,o)=>{"use strict";o.d(t,{t:()=>r});var n=o(6840);function r(e,t,o){void 0===o&&(o=!0);var r=!1;if(e&&t)if(o)if(e===t)r=!0;else for(r=!1;t;){var i=(0,n.G)(t);if(i===e){r=!0;break}t=i}else e.contains&&(r=e.contains(t));return r}},5081:(e,t,o)=>{"use strict";o.d(t,{j:()=>r});var n=o(8023);function r(e,t){var o=(0,n.X)(e,(function(e){return e.hasAttribute(t)}));return o&&o.getAttribute(t)}},8023:(e,t,o)=>{"use strict";o.d(t,{X:()=>r});var n=o(6840);function r(e,t){return e&&e!==document.body?t(e)?e:r((0,n.G)(e),t):null}},6840:(e,t,o)=>{"use strict";o.d(t,{G:()=>r});var n=o(9157);function r(e,t){return void 0===t&&(t=!0),e&&(t&&(0,n.r)(e)||e.parentNode&&e.parentNode)}},9157:(e,t,o)=>{"use strict";o.d(t,{r:()=>r});var n=o(7876);function r(e){var t;return e&&(0,n.r)(e)&&(t=e._virtual.parent),t}},7876:(e,t,o)=>{"use strict";function n(e){return e&&!!e._virtual}o.d(t,{r:()=>n})},7466:(e,t,o)=>{"use strict";o.d(t,{w:()=>i});var n=o(8023),r=o(8308);function i(e,t){var o=(0,n.X)(e,(function(e){return t===e||e.hasAttribute(r.Y)}));return null!==o&&o.hasAttribute(r.Y)}},8308:(e,t,o)=>{"use strict";o.d(t,{Y:()=>n,U:()=>r});var n="data-portal-element";function r(e){e.setAttribute(n,"true")}},7829:(e,t,o)=>{"use strict";function n(e,t){var o=e,n=t;o._virtual||(o._virtual={children:[]});var r=o._virtual.parent;if(r&&r!==t){var i=r._virtual.children.indexOf(o);i>-1&&r._virtual.children.splice(i,1)}o._virtual.parent=n||void 0,n&&(n._virtual||(n._virtual={children:[]}),n._virtual.children.push(o))}o.d(t,{N:()=>n})},2481:(e,t,o)=>{"use strict";o.d(t,{l:()=>x});var n=o(9729);function r(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons"',src:"url('"+e+"fabric-icons-a13498cf.woff') format('woff')"},icons:{GlobalNavButton:"",ChevronDown:"",ChevronUp:"",Edit:"",Add:"",Cancel:"",More:"",Settings:"",Mail:"",Filter:"",Search:"",Share:"",BlockedSite:"",FavoriteStar:"",FavoriteStarFill:"",CheckMark:"",Delete:"",ChevronLeft:"",ChevronRight:"",Calendar:"",Megaphone:"",Undo:"",Flag:"",Page:"",Pinned:"",View:"",Clear:"",Download:"",Upload:"",Folder:"",Sort:"",AlignRight:"",AlignLeft:"",Tag:"",AddFriend:"",Info:"",SortLines:"",List:"",CircleRing:"",Heart:"",HeartFill:"",Tiles:"",Embed:"",Glimmer:"",Ascending:"",Descending:"",SortUp:"",SortDown:"",SyncToPC:"",LargeGrid:"",SkypeCheck:"",SkypeClock:"",SkypeMinus:"",ClearFilter:"",Flow:"",StatusCircleCheckmark:"",MoreVertical:""}};(0,n.fm)(o,t)}function i(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-0"',src:"url('"+e+"fabric-icons-0-467ee27f.woff') format('woff')"},icons:{PageLink:"",CommentSolid:"",ChangeEntitlements:"",Installation:"",WebAppBuilderModule:"",WebAppBuilderFragment:"",WebAppBuilderSlot:"",BullseyeTargetEdit:"",WebAppBuilderFragmentCreate:"",PageData:"",PageHeaderEdit:"",ProductList:"",UnpublishContent:"",DependencyAdd:"",DependencyRemove:"",EntitlementPolicy:"",EntitlementRedemption:"",SchoolDataSyncLogo:"",PinSolid12:"",PinSolidOff12:"",AddLink:"",SharepointAppIcon16:"",DataflowsLink:"",TimePicker:"",UserWarning:"",ComplianceAudit:"",InternetSharing:"",Brightness:"",MapPin:"",Airplane:"",Tablet:"",QuickNote:"",Video:"",People:"",Phone:"",Pin:"",Shop:"",Stop:"",Link:"",AllApps:"",Zoom:"",ZoomOut:"",Microphone:"",Camera:"",Attach:"",Send:"",FavoriteList:"",PageSolid:"",Forward:"",Back:"",Refresh:"",Lock:"",ReportHacked:"",EMI:"",MiniLink:"",Blocked:"",ReadingMode:"",Favicon:"",Remove:"",Checkbox:"",CheckboxComposite:"",CheckboxFill:"",CheckboxIndeterminate:"",CheckboxCompositeReversed:"",BackToWindow:"",FullScreen:"",Print:"",Up:"",Down:"",OEM:"",Save:"",ReturnKey:"",Cloud:"",Flashlight:"",CommandPrompt:"",Sad:"",RealEstate:"",SIPMove:"",EraseTool:"",GripperTool:"",Dialpad:"",PageLeft:"",PageRight:"",MultiSelect:"",KeyboardClassic:"",Play:"",Pause:"",InkingTool:"",Emoji2:"",GripperBarHorizontal:"",System:"",Personalize:"",SearchAndApps:"",Globe:"",EaseOfAccess:"",ContactInfo:"",Unpin:"",Contact:"",Memo:"",IncomingCall:""}};(0,n.fm)(o,t)}function a(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-1"',src:"url('"+e+"fabric-icons-1-4d521695.woff') format('woff')"},icons:{Paste:"",WindowsLogo:"",Error:"",GripperBarVertical:"",Unlock:"",Slideshow:"",Trim:"",AutoEnhanceOn:"",AutoEnhanceOff:"",Color:"",SaveAs:"",Light:"",Filters:"",AspectRatio:"",Contrast:"",Redo:"",Crop:"",PhotoCollection:"",Album:"",Rotate:"",PanoIndicator:"",Translate:"",RedEye:"",ViewOriginal:"",ThumbnailView:"",Package:"",Telemarketer:"",Warning:"",Financial:"",Education:"",ShoppingCart:"",Train:"",Move:"",TouchPointer:"",Merge:"",TurnRight:"",Ferry:"",Highlight:"",PowerButton:"",Tab:"",Admin:"",TVMonitor:"",Speakers:"",Game:"",HorizontalTabKey:"",UnstackSelected:"",StackIndicator:"",Nav2DMapView:"",StreetsideSplitMinimize:"",Car:"",Bus:"",EatDrink:"",SeeDo:"",LocationCircle:"",Home:"",SwitcherStartEnd:"",ParkingLocation:"",IncidentTriangle:"",Touch:"",MapDirections:"",CaretHollow:"",CaretSolid:"",History:"",Location:"",MapLayers:"",SearchNearby:"",Work:"",Recent:"",Hotel:"",Bank:"",LocationDot:"",Dictionary:"",ChromeBack:"",FolderOpen:"",PinnedFill:"",RevToggleKey:"",USB:"",Previous:"",Next:"",Sync:"",Help:"",Emoji:"",MailForward:"",ClosePane:"",OpenPane:"",PreviewLink:"",ZoomIn:"",Bookmarks:"",Document:"",ProtectedDocument:"",OpenInNewWindow:"",MailFill:"",ViewAll:"",Switch:"",Rename:"",Go:"",Remote:"",SelectAll:"",Orientation:"",Import:""}};(0,n.fm)(o,t)}function s(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-2"',src:"url('"+e+"fabric-icons-2-63c99abf.woff') format('woff')"},icons:{Picture:"",ChromeClose:"",ShowResults:"",Message:"",CalendarDay:"",CalendarWeek:"",MailReplyAll:"",Read:"",Cut:"",PaymentCard:"",Copy:"",Important:"",MailReply:"",GotoToday:"",Font:"",FontColor:"",FolderFill:"",Permissions:"",DisableUpdates:"",Unfavorite:"",Italic:"",Underline:"",Bold:"",MoveToFolder:"",Dislike:"",Like:"",AlignCenter:"",OpenFile:"",ClearSelection:"",FontDecrease:"",FontIncrease:"",FontSize:"",CellPhone:"",RepeatOne:"",RepeatAll:"",Calculator:"",Library:"",PostUpdate:"",NewFolder:"",CalendarReply:"",UnsyncFolder:"",SyncFolder:"",BlockContact:"",Accept:"",BulletedList:"",Preview:"",News:"",Chat:"",Group:"",World:"",Comment:"",DockLeft:"",DockRight:"",Repair:"",Accounts:"",Street:"",RadioBullet:"",Stopwatch:"",Clock:"",WorldClock:"",AlarmClock:"",Photo:"",ActionCenter:"",Hospital:"",Timer:"",FullCircleMask:"",LocationFill:"",ChromeMinimize:"",ChromeRestore:"",Annotation:"",Fingerprint:"",Handwriting:"",ChromeFullScreen:"",Completed:"",Label:"",FlickDown:"",FlickUp:"",FlickLeft:"",FlickRight:"",MiniExpand:"",MiniContract:"",Streaming:"",MusicInCollection:"",OneDriveLogo:"",CompassNW:"",Code:"",LightningBolt:"",CalculatorMultiply:"",CalculatorAddition:"",CalculatorSubtract:"",CalculatorPercentage:"",CalculatorEqualTo:"",PrintfaxPrinterFile:"",StorageOptical:"",Communications:"",Headset:"",Health:"",Webcam2:"",FrontCamera:"",ChevronUpSmall:""}};(0,n.fm)(o,t)}function l(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-3"',src:"url('"+e+"fabric-icons-3-089e217a.woff') format('woff')"},icons:{ChevronDownSmall:"",ChevronLeftSmall:"",ChevronRightSmall:"",ChevronUpMed:"",ChevronDownMed:"",ChevronLeftMed:"",ChevronRightMed:"",Devices2:"",PC1:"",PresenceChickletVideo:"",Reply:"",HalfAlpha:"",ConstructionCone:"",DoubleChevronLeftMed:"",Volume0:"",Volume1:"",Volume2:"",Volume3:"",Chart:"",Robot:"",Manufacturing:"",LockSolid:"",FitPage:"",FitWidth:"",BidiLtr:"",BidiRtl:"",RightDoubleQuote:"",Sunny:"",CloudWeather:"",Cloudy:"",PartlyCloudyDay:"",PartlyCloudyNight:"",ClearNight:"",RainShowersDay:"",Rain:"",Thunderstorms:"",RainSnow:"",Snow:"",BlowingSnow:"",Frigid:"",Fog:"",Squalls:"",Duststorm:"",Unknown:"",Precipitation:"",Ribbon:"",AreaChart:"",Assign:"",FlowChart:"",CheckList:"",Diagnostic:"",Generate:"",LineChart:"",Equalizer:"",BarChartHorizontal:"",BarChartVertical:"",Freezing:"",FunnelChart:"",Processing:"",Quantity:"",ReportDocument:"",StackColumnChart:"",SnowShowerDay:"",HailDay:"",WorkFlow:"",HourGlass:"",StoreLogoMed20:"",TimeSheet:"",TriangleSolid:"",UpgradeAnalysis:"",VideoSolid:"",RainShowersNight:"",SnowShowerNight:"",Teamwork:"",HailNight:"",PeopleAdd:"",Glasses:"",DateTime2:"",Shield:"",Header1:"",PageAdd:"",NumberedList:"",PowerBILogo:"",Info2:"",MusicInCollectionFill:"",Asterisk:"",ErrorBadge:"",CircleFill:"",Record2:"",AllAppsMirrored:"",BookmarksMirrored:"",BulletedListMirrored:"",CaretHollowMirrored:"",CaretSolidMirrored:"",ChromeBackMirrored:"",ClearSelectionMirrored:"",ClosePaneMirrored:"",DockLeftMirrored:"",DoubleChevronLeftMedMirrored:"",GoMirrored:""}};(0,n.fm)(o,t)}function c(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-4"',src:"url('"+e+"fabric-icons-4-a656cc0a.woff') format('woff')"},icons:{HelpMirrored:"",ImportMirrored:"",ImportAllMirrored:"",ListMirrored:"",MailForwardMirrored:"",MailReplyMirrored:"",MailReplyAllMirrored:"",MiniContractMirrored:"",MiniExpandMirrored:"",OpenPaneMirrored:"",ParkingLocationMirrored:"",SendMirrored:"",ShowResultsMirrored:"",ThumbnailViewMirrored:"",Media:"",Devices3:"",Focus:"",VideoLightOff:"",Lightbulb:"",StatusTriangle:"",VolumeDisabled:"",Puzzle:"",EmojiNeutral:"",EmojiDisappointed:"",HomeSolid:"",Ringer:"",PDF:"",HeartBroken:"",StoreLogo16:"",MultiSelectMirrored:"",Broom:"",AddToShoppingList:"",Cocktails:"",Wines:"",Articles:"",Cycling:"",DietPlanNotebook:"",Pill:"",ExerciseTracker:"",HandsFree:"",Medical:"",Running:"",Weights:"",Trackers:"",AddNotes:"",AllCurrency:"",BarChart4:"",CirclePlus:"",Coffee:"",Cotton:"",Market:"",Money:"",PieDouble:"",PieSingle:"",RemoveFilter:"",Savings:"",Sell:"",StockDown:"",StockUp:"",Lamp:"",Source:"",MSNVideos:"",Cricket:"",Golf:"",Baseball:"",Soccer:"",MoreSports:"",AutoRacing:"",CollegeHoops:"",CollegeFootball:"",ProFootball:"",ProHockey:"",Rugby:"",SubstitutionsIn:"",Tennis:"",Arrivals:"",Design:"",Website:"",Drop:"",HistoricalWeather:"",SkiResorts:"",Snowflake:"",BusSolid:"",FerrySolid:"",AirplaneSolid:"",TrainSolid:"",Ticket:"",WifiWarning4:"",Devices4:"",AzureLogo:"",BingLogo:"",MSNLogo:"",OutlookLogoInverse:"",OfficeLogo:"",SkypeLogo:"",Door:"",EditMirrored:"",GiftCard:"",DoubleBookmark:"",StatusErrorFull:""}};(0,n.fm)(o,t)}function u(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-5"',src:"url('"+e+"fabric-icons-5-f95ba260.woff') format('woff')"},icons:{Certificate:"",FastForward:"",Rewind:"",Photo2:"",OpenSource:"",Movers:"",CloudDownload:"",Family:"",WindDirection:"",Bug:"",SiteScan:"",BrowserScreenShot:"",F12DevTools:"",CSS:"",JS:"",DeliveryTruck:"",ReminderPerson:"",ReminderGroup:"",ReminderTime:"",TabletMode:"",Umbrella:"",NetworkTower:"",CityNext:"",CityNext2:"",Section:"",OneNoteLogoInverse:"",ToggleFilled:"",ToggleBorder:"",SliderThumb:"",ToggleThumb:"",Documentation:"",Badge:"",Giftbox:"",VisualStudioLogo:"",HomeGroup:"",ExcelLogoInverse:"",WordLogoInverse:"",PowerPointLogoInverse:"",Cafe:"",SpeedHigh:"",Commitments:"",ThisPC:"",MusicNote:"",MicOff:"",PlaybackRate1x:"",EdgeLogo:"",CompletedSolid:"",AlbumRemove:"",MessageFill:"",TabletSelected:"",MobileSelected:"",LaptopSelected:"",TVMonitorSelected:"",DeveloperTools:"",Shapes:"",InsertTextBox:"",LowerBrightness:"",WebComponents:"",OfflineStorage:"",DOM:"",CloudUpload:"",ScrollUpDown:"",DateTime:"",Event:"",Cake:"",Org:"",PartyLeader:"",DRM:"",CloudAdd:"",AppIconDefault:"",Photo2Add:"",Photo2Remove:"",Calories:"",POI:"",AddTo:"",RadioBtnOff:"",RadioBtnOn:"",ExploreContent:"",Product:"",ProgressLoopInner:"",ProgressLoopOuter:"",Blocked2:"",FangBody:"",Toolbox:"",PageHeader:"",ChatInviteFriend:"",Brush:"",Shirt:"",Crown:"",Diamond:"",ScaleUp:"",QRCode:"",Feedback:"",SharepointLogoInverse:"",YammerLogo:"",Hide:"",Uneditable:"",ReturnToSession:"",OpenFolderHorizontal:"",CalendarMirrored:""}};(0,n.fm)(o,t)}function d(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-6"',src:"url('"+e+"fabric-icons-6-ef6fd590.woff') format('woff')"},icons:{SwayLogoInverse:"",OutOfOffice:"",Trophy:"",ReopenPages:"",EmojiTabSymbols:"",AADLogo:"",AccessLogo:"",AdminALogoInverse32:"",AdminCLogoInverse32:"",AdminDLogoInverse32:"",AdminELogoInverse32:"",AdminLLogoInverse32:"",AdminMLogoInverse32:"",AdminOLogoInverse32:"",AdminPLogoInverse32:"",AdminSLogoInverse32:"",AdminYLogoInverse32:"",DelveLogoInverse:"",ExchangeLogoInverse:"",LyncLogo:"",OfficeVideoLogoInverse:"",SocialListeningLogo:"",VisioLogoInverse:"",Balloons:"",Cat:"",MailAlert:"",MailCheck:"",MailLowImportance:"",MailPause:"",MailRepeat:"",SecurityGroup:"",Table:"",VoicemailForward:"",VoicemailReply:"",Waffle:"",RemoveEvent:"",EventInfo:"",ForwardEvent:"",WipePhone:"",AddOnlineMeeting:"",JoinOnlineMeeting:"",RemoveLink:"",PeopleBlock:"",PeopleRepeat:"",PeopleAlert:"",PeoplePause:"",TransferCall:"",AddPhone:"",UnknownCall:"",NoteReply:"",NoteForward:"",NotePinned:"",RemoveOccurrence:"",Timeline:"",EditNote:"",CircleHalfFull:"",Room:"",Unsubscribe:"",Subscribe:"",HardDrive:"",RecurringTask:"",TaskManager:"",TaskManagerMirrored:"",Combine:"",Split:"",DoubleChevronUp:"",DoubleChevronLeft:"",DoubleChevronRight:"",TextBox:"",TextField:"",NumberField:"",Dropdown:"",PenWorkspace:"",BookingsLogo:"",ClassNotebookLogoInverse:"",DelveAnalyticsLogo:"",DocsLogoInverse:"",Dynamics365Logo:"",DynamicSMBLogo:"",OfficeAssistantLogo:"",OfficeStoreLogo:"",OneNoteEduLogoInverse:"",PlannerLogo:"",PowerApps:"",Suitcase:"",ProjectLogoInverse:"",CaretLeft8:"",CaretRight8:"",CaretUp8:"",CaretDown8:"",CaretLeftSolid8:"",CaretRightSolid8:"",CaretUpSolid8:"",CaretDownSolid8:"",ClearFormatting:"",Superscript:"",Subscript:"",Strikethrough:"",Export:"",ExportMirrored:""}};(0,n.fm)(o,t)}function p(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-7"',src:"url('"+e+"fabric-icons-7-2b97bb99.woff') format('woff')"},icons:{SingleBookmark:"",SingleBookmarkSolid:"",DoubleChevronDown:"",FollowUser:"",ReplyAll:"",WorkforceManagement:"",RecruitmentManagement:"",Questionnaire:"",ManagerSelfService:"",ProductionFloorManagement:"",ProductRelease:"",ProductVariant:"",ReplyMirrored:"",ReplyAllMirrored:"",Medal:"",AddGroup:"",QuestionnaireMirrored:"",CloudImportExport:"",TemporaryUser:"",CaretSolid16:"",GroupedDescending:"",GroupedAscending:"",AwayStatus:"",MyMoviesTV:"",GenericScan:"",AustralianRules:"",WifiEthernet:"",TrackersMirrored:"",DateTimeMirrored:"",StopSolid:"",DoubleChevronUp12:"",DoubleChevronDown12:"",DoubleChevronLeft12:"",DoubleChevronRight12:"",CalendarAgenda:"",ConnectVirtualMachine:"",AddEvent:"",AssetLibrary:"",DataConnectionLibrary:"",DocLibrary:"",FormLibrary:"",FormLibraryMirrored:"",ReportLibrary:"",ReportLibraryMirrored:"",ContactCard:"",CustomList:"",CustomListMirrored:"",IssueTracking:"",IssueTrackingMirrored:"",PictureLibrary:"",OfficeAddinsLogo:"",OfflineOneDriveParachute:"",OfflineOneDriveParachuteDisabled:"",TriangleSolidUp12:"",TriangleSolidDown12:"",TriangleSolidLeft12:"",TriangleSolidRight12:"",TriangleUp12:"",TriangleDown12:"",TriangleLeft12:"",TriangleRight12:"",ArrowUpRight8:"",ArrowDownRight8:"",DocumentSet:"",GoToDashboard:"",DelveAnalytics:"",ArrowUpRightMirrored8:"",ArrowDownRightMirrored8:"",CompanyDirectory:"",OpenEnrollment:"",CompanyDirectoryMirrored:"",OneDriveAdd:"",ProfileSearch:"",Header2:"",Header3:"",Header4:"",RingerSolid:"",Eyedropper:"",MarketDown:"",CalendarWorkWeek:"",SidePanel:"",GlobeFavorite:"",CaretTopLeftSolid8:"",CaretTopRightSolid8:"",ViewAll2:"",DocumentReply:"",PlayerSettings:"",ReceiptForward:"",ReceiptReply:"",ReceiptCheck:"",Fax:"",RecurringEvent:"",ReplyAlt:"",ReplyAllAlt:"",EditStyle:"",EditMail:"",Lifesaver:"",LifesaverLock:"",InboxCheck:"",FolderSearch:""}};(0,n.fm)(o,t)}function m(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-8"',src:"url('"+e+"fabric-icons-8-6fdf1528.woff') format('woff')"},icons:{CollapseMenu:"",ExpandMenu:"",Boards:"",SunAdd:"",SunQuestionMark:"",LandscapeOrientation:"",DocumentSearch:"",PublicCalendar:"",PublicContactCard:"",PublicEmail:"",PublicFolder:"",WordDocument:"",PowerPointDocument:"",ExcelDocument:"",GroupedList:"",ClassroomLogo:"",Sections:"",EditPhoto:"",Starburst:"",ShareiOS:"",AirTickets:"",PencilReply:"",Tiles2:"",SkypeCircleCheck:"",SkypeCircleClock:"",SkypeCircleMinus:"",SkypeMessage:"",ClosedCaption:"",ATPLogo:"",OfficeFormsLogoInverse:"",RecycleBin:"",EmptyRecycleBin:"",Hide2:"",Breadcrumb:"",BirthdayCake:"",TimeEntry:"",CRMProcesses:"",PageEdit:"",PageArrowRight:"",PageRemove:"",Database:"",DataManagementSettings:"",CRMServices:"",EditContact:"",ConnectContacts:"",AppIconDefaultAdd:"",AppIconDefaultList:"",ActivateOrders:"",DeactivateOrders:"",ProductCatalog:"",ScatterChart:"",AccountActivity:"",DocumentManagement:"",CRMReport:"",KnowledgeArticle:"",Relationship:"",HomeVerify:"",ZipFolder:"",SurveyQuestions:"",TextDocument:"",TextDocumentShared:"",PageCheckedOut:"",PageShared:"",SaveAndClose:"",Script:"",Archive:"",ActivityFeed:"",Compare:"",EventDate:"",ArrowUpRight:"",CaretRight:"",SetAction:"",ChatBot:"",CaretSolidLeft:"",CaretSolidDown:"",CaretSolidRight:"",CaretSolidUp:"",PowerAppsLogo:"",PowerApps2Logo:"",SearchIssue:"",SearchIssueMirrored:"",FabricAssetLibrary:"",FabricDataConnectionLibrary:"",FabricDocLibrary:"",FabricFormLibrary:"",FabricFormLibraryMirrored:"",FabricReportLibrary:"",FabricReportLibraryMirrored:"",FabricPublicFolder:"",FabricFolderSearch:"",FabricMovetoFolder:"",FabricUnsyncFolder:"",FabricSyncFolder:"",FabricOpenFolderHorizontal:"",FabricFolder:"",FabricFolderFill:"",FabricNewFolder:"",FabricPictureLibrary:"",PhotoVideoMedia:"",AddFavorite:""}};(0,n.fm)(o,t)}function h(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-9"',src:"url('"+e+"fabric-icons-9-c6162b42.woff') format('woff')"},icons:{AddFavoriteFill:"",BufferTimeBefore:"",BufferTimeAfter:"",BufferTimeBoth:"",PublishContent:"",ClipboardList:"",ClipboardListMirrored:"",CannedChat:"",SkypeForBusinessLogo:"",TabCenter:"",PageCheckedin:"",PageList:"",ReadOutLoud:"",CaretBottomLeftSolid8:"",CaretBottomRightSolid8:"",FolderHorizontal:"",MicrosoftStaffhubLogo:"",GiftboxOpen:"",StatusCircleOuter:"",StatusCircleInner:"",StatusCircleRing:"",StatusTriangleOuter:"",StatusTriangleInner:"",StatusTriangleExclamation:"",StatusCircleExclamation:"",StatusCircleErrorX:"",StatusCircleInfo:"",StatusCircleBlock:"",StatusCircleBlock2:"",StatusCircleQuestionMark:"",StatusCircleSync:"",Toll:"",ExploreContentSingle:"",CollapseContent:"",CollapseContentSingle:"",InfoSolid:"",GroupList:"",ProgressRingDots:"",CaloriesAdd:"",BranchFork:"",MuteChat:"",AddHome:"",AddWork:"",MobileReport:"",ScaleVolume:"",HardDriveGroup:"",FastMode:"",ToggleLeft:"",ToggleRight:"",TriangleShape:"",RectangleShape:"",CubeShape:"",Trophy2:"",BucketColor:"",BucketColorFill:"",Taskboard:"",SingleColumn:"",DoubleColumn:"",TripleColumn:"",ColumnLeftTwoThirds:"",ColumnRightTwoThirds:"",AccessLogoFill:"",AnalyticsLogo:"",AnalyticsQuery:"",NewAnalyticsQuery:"",AnalyticsReport:"",WordLogo:"",WordLogoFill:"",ExcelLogo:"",ExcelLogoFill:"",OneNoteLogo:"",OneNoteLogoFill:"",OutlookLogo:"",OutlookLogoFill:"",PowerPointLogo:"",PowerPointLogoFill:"",PublisherLogo:"",PublisherLogoFill:"",ScheduleEventAction:"",FlameSolid:"",ServerProcesses:"",Server:"",SaveAll:"",LinkedInLogo:"",Decimals:"",SidePanelMirrored:"",ProtectRestrict:"",Blog:"",UnknownMirrored:"",PublicContactCardMirrored:"",GridViewSmall:"",GridViewMedium:"",GridViewLarge:"",Step:"",StepInsert:"",StepShared:"",StepSharedAdd:"",StepSharedInsert:"",ViewDashboard:"",ViewList:""}};(0,n.fm)(o,t)}function g(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-10"',src:"url('"+e+"fabric-icons-10-c4ded8e4.woff') format('woff')"},icons:{ViewListGroup:"",ViewListTree:"",TriggerAuto:"",TriggerUser:"",PivotChart:"",StackedBarChart:"",StackedLineChart:"",BuildQueue:"",BuildQueueNew:"",UserFollowed:"",ContactLink:"",Stack:"",Bullseye:"",VennDiagram:"",FiveTileGrid:"",FocalPoint:"",Insert:"",RingerRemove:"",TeamsLogoInverse:"",TeamsLogo:"",TeamsLogoFill:"",SkypeForBusinessLogoFill:"",SharepointLogo:"",SharepointLogoFill:"",DelveLogo:"",DelveLogoFill:"",OfficeVideoLogo:"",OfficeVideoLogoFill:"",ExchangeLogo:"",ExchangeLogoFill:"",Signin:"",DocumentApproval:"",CloneToDesktop:"",InstallToDrive:"",Blur:"",Build:"",ProcessMetaTask:"",BranchFork2:"",BranchLocked:"",BranchCommit:"",BranchCompare:"",BranchMerge:"",BranchPullRequest:"",BranchSearch:"",BranchShelveset:"",RawSource:"",MergeDuplicate:"",RowsGroup:"",RowsChild:"",Deploy:"",Redeploy:"",ServerEnviroment:"",VisioDiagram:"",HighlightMappedShapes:"",TextCallout:"",IconSetsFlag:"",VisioLogo:"",VisioLogoFill:"",VisioDocument:"",TimelineProgress:"",TimelineDelivery:"",Backlog:"",TeamFavorite:"",TaskGroup:"",TaskGroupMirrored:"",ScopeTemplate:"",AssessmentGroupTemplate:"",NewTeamProject:"",CommentAdd:"",CommentNext:"",CommentPrevious:"",ShopServer:"",LocaleLanguage:"",QueryList:"",UserSync:"",UserPause:"",StreamingOff:"",ArrowTallUpLeft:"",ArrowTallUpRight:"",ArrowTallDownLeft:"",ArrowTallDownRight:"",FieldEmpty:"",FieldFilled:"",FieldChanged:"",FieldNotChanged:"",RingerOff:"",PlayResume:"",BulletedList2:"",BulletedList2Mirrored:"",ImageCrosshair:"",GitGraph:"",Repo:"",RepoSolid:"",FolderQuery:"",FolderList:"",FolderListMirrored:"",LocationOutline:"",POISolid:"",CalculatorNotEqualTo:"",BoxSubtractSolid:""}};(0,n.fm)(o,t)}function f(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-11"',src:"url('"+e+"fabric-icons-11-2a8393d6.woff') format('woff')"},icons:{BoxAdditionSolid:"",BoxMultiplySolid:"",BoxPlaySolid:"",BoxCheckmarkSolid:"",CirclePauseSolid:"",CirclePause:"",MSNVideosSolid:"",CircleStopSolid:"",CircleStop:"",NavigateBack:"",NavigateBackMirrored:"",NavigateForward:"",NavigateForwardMirrored:"",UnknownSolid:"",UnknownMirroredSolid:"",CircleAddition:"",CircleAdditionSolid:"",FilePDB:"",FileTemplate:"",FileSQL:"",FileJAVA:"",FileASPX:"",FileCSS:"",FileSass:"",FileLess:"",FileHTML:"",JavaScriptLanguage:"",CSharpLanguage:"",CSharp:"",VisualBasicLanguage:"",VB:"",CPlusPlusLanguage:"",CPlusPlus:"",FSharpLanguage:"",FSharp:"",TypeScriptLanguage:"",PythonLanguage:"",PY:"",CoffeeScript:"",MarkDownLanguage:"",FullWidth:"",FullWidthEdit:"",Plug:"",PlugSolid:"",PlugConnected:"",PlugDisconnected:"",UnlockSolid:"",Variable:"",Parameter:"",CommentUrgent:"",Storyboard:"",DiffInline:"",DiffSideBySide:"",ImageDiff:"",ImagePixel:"",FileBug:"",FileCode:"",FileComment:"",BusinessHoursSign:"",FileImage:"",FileSymlink:"",AutoFillTemplate:"",WorkItem:"",WorkItemBug:"",LogRemove:"",ColumnOptions:"",Packages:"",BuildIssue:"",AssessmentGroup:"",VariableGroup:"",FullHistory:"",Wheelchair:"",SingleColumnEdit:"",DoubleColumnEdit:"",TripleColumnEdit:"",ColumnLeftTwoThirdsEdit:"",ColumnRightTwoThirdsEdit:"",StreamLogo:"",PassiveAuthentication:"",AlertSolid:"",MegaphoneSolid:"",TaskSolid:"",ConfigurationSolid:"",BugSolid:"",CrownSolid:"",Trophy2Solid:"",QuickNoteSolid:"",ConstructionConeSolid:"",PageListSolid:"",PageListMirroredSolid:"",StarburstSolid:"",ReadingModeSolid:"",SadSolid:"",HealthSolid:"",ShieldSolid:"",GiftBoxSolid:"",ShoppingCartSolid:"",MailSolid:"",ChatSolid:"",RibbonSolid:""}};(0,n.fm)(o,t)}function v(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-12"',src:"url('"+e+"fabric-icons-12-7e945a1e.woff') format('woff')"},icons:{FinancialSolid:"",FinancialMirroredSolid:"",HeadsetSolid:"",PermissionsSolid:"",ParkingSolid:"",ParkingMirroredSolid:"",DiamondSolid:"",AsteriskSolid:"",OfflineStorageSolid:"",BankSolid:"",DecisionSolid:"",Parachute:"",ParachuteSolid:"",FiltersSolid:"",ColorSolid:"",ReviewSolid:"",ReviewRequestSolid:"",ReviewRequestMirroredSolid:"",ReviewResponseSolid:"",FeedbackRequestSolid:"",FeedbackRequestMirroredSolid:"",FeedbackResponseSolid:"",WorkItemBar:"",WorkItemBarSolid:"",Separator:"",NavigateExternalInline:"",PlanView:"",TimelineMatrixView:"",EngineeringGroup:"",ProjectCollection:"",CaretBottomRightCenter8:"",CaretBottomLeftCenter8:"",CaretTopRightCenter8:"",CaretTopLeftCenter8:"",DonutChart:"",ChevronUnfold10:"",ChevronFold10:"",DoubleChevronDown8:"",DoubleChevronUp8:"",DoubleChevronLeft8:"",DoubleChevronRight8:"",ChevronDownEnd6:"",ChevronUpEnd6:"",ChevronLeftEnd6:"",ChevronRightEnd6:"",ContextMenu:"",AzureAPIManagement:"",AzureServiceEndpoint:"",VSTSLogo:"",VSTSAltLogo1:"",VSTSAltLogo2:"",FileTypeSolution:"",WordLogoInverse16:"",WordLogo16:"",WordLogoFill16:"",PowerPointLogoInverse16:"",PowerPointLogo16:"",PowerPointLogoFill16:"",ExcelLogoInverse16:"",ExcelLogo16:"",ExcelLogoFill16:"",OneNoteLogoInverse16:"",OneNoteLogo16:"",OneNoteLogoFill16:"",OutlookLogoInverse16:"",OutlookLogo16:"",OutlookLogoFill16:"",PublisherLogoInverse16:"",PublisherLogo16:"",PublisherLogoFill16:"",VisioLogoInverse16:"",VisioLogo16:"",VisioLogoFill16:"",TestBeaker:"",TestBeakerSolid:"",TestExploreSolid:"",TestAutoSolid:"",TestUserSolid:"",TestImpactSolid:"",TestPlan:"",TestStep:"",TestParameter:"",TestSuite:"",TestCase:"",Sprint:"",SignOut:"",TriggerApproval:"",Rocket:"",AzureKeyVault:"",Onboarding:"",Transition:"",LikeSolid:"",DislikeSolid:"",CRMCustomerInsightsApp:"",EditCreate:"",PlayReverseResume:"",PlayReverse:"",SearchData:"",UnSetColor:"",DeclineCall:""}};(0,n.fm)(o,t)}function b(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-13"',src:"url('"+e+"fabric-icons-13-c3989a02.woff') format('woff')"},icons:{RectangularClipping:"",TeamsLogo16:"",TeamsLogoFill16:"",Spacer:"",SkypeLogo16:"",SkypeForBusinessLogo16:"",SkypeForBusinessLogoFill16:"",FilterSolid:"",MailUndelivered:"",MailTentative:"",MailTentativeMirrored:"",MailReminder:"",ReceiptUndelivered:"",ReceiptTentative:"",ReceiptTentativeMirrored:"",Inbox:"",IRMReply:"",IRMReplyMirrored:"",IRMForward:"",IRMForwardMirrored:"",VoicemailIRM:"",EventAccepted:"",EventTentative:"",EventTentativeMirrored:"",EventDeclined:"",IDBadge:"",BackgroundColor:"",OfficeFormsLogoInverse16:"",OfficeFormsLogo:"",OfficeFormsLogoFill:"",OfficeFormsLogo16:"",OfficeFormsLogoFill16:"",OfficeFormsLogoInverse24:"",OfficeFormsLogo24:"",OfficeFormsLogoFill24:"",PageLock:"",NotExecuted:"",NotImpactedSolid:"",FieldReadOnly:"",FieldRequired:"",BacklogBoard:"",ExternalBuild:"",ExternalTFVC:"",ExternalXAML:"",IssueSolid:"",DefectSolid:"",LadybugSolid:"",NugetLogo:"",TFVCLogo:"",ProjectLogo32:"",ProjectLogoFill32:"",ProjectLogo16:"",ProjectLogoFill16:"",SwayLogo32:"",SwayLogoFill32:"",SwayLogo16:"",SwayLogoFill16:"",ClassNotebookLogo32:"",ClassNotebookLogoFill32:"",ClassNotebookLogo16:"",ClassNotebookLogoFill16:"",ClassNotebookLogoInverse32:"",ClassNotebookLogoInverse16:"",StaffNotebookLogo32:"",StaffNotebookLogoFill32:"",StaffNotebookLogo16:"",StaffNotebookLogoFill16:"",StaffNotebookLogoInverted32:"",StaffNotebookLogoInverted16:"",KaizalaLogo:"",TaskLogo:"",ProtectionCenterLogo32:"",GallatinLogo:"",Globe2:"",Guitar:"",Breakfast:"",Brunch:"",BeerMug:"",Vacation:"",Teeth:"",Taxi:"",Chopsticks:"",SyncOccurence:"",UnsyncOccurence:"",GIF:"",PrimaryCalendar:"",SearchCalendar:"",VideoOff:"",MicrosoftFlowLogo:"",BusinessCenterLogo:"",ToDoLogoBottom:"",ToDoLogoTop:"",EditSolid12:"",EditSolidMirrored12:"",UneditableSolid12:"",UneditableSolidMirrored12:"",UneditableMirrored:"",AdminALogo32:"",AdminALogoFill32:"",ToDoLogoInverse:""}};(0,n.fm)(o,t)}function y(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-14"',src:"url('"+e+"fabric-icons-14-5cf58db8.woff') format('woff')"},icons:{Snooze:"",WaffleOffice365:"",ImageSearch:"",NewsSearch:"",VideoSearch:"",R:"",FontColorA:"",FontColorSwatch:"",LightWeight:"",NormalWeight:"",SemiboldWeight:"",GroupObject:"",UngroupObject:"",AlignHorizontalLeft:"",AlignHorizontalCenter:"",AlignHorizontalRight:"",AlignVerticalTop:"",AlignVerticalCenter:"",AlignVerticalBottom:"",HorizontalDistributeCenter:"",VerticalDistributeCenter:"",Ellipse:"",Line:"",Octagon:"",Hexagon:"",Pentagon:"",RightTriangle:"",HalfCircle:"",QuarterCircle:"",ThreeQuarterCircle:"","6PointStar":"","12PointStar":"",ArrangeBringToFront:"",ArrangeSendToBack:"",ArrangeSendBackward:"",ArrangeBringForward:"",BorderDash:"",BorderDot:"",LineStyle:"",LineThickness:"",WindowEdit:"",HintText:"",MediaAdd:"",AnchorLock:"",AutoHeight:"",ChartSeries:"",ChartXAngle:"",ChartYAngle:"",Combobox:"",LineSpacing:"",Padding:"",PaddingTop:"",PaddingBottom:"",PaddingLeft:"",PaddingRight:"",NavigationFlipper:"",AlignJustify:"",TextOverflow:"",VisualsFolder:"",VisualsStore:"",PictureCenter:"",PictureFill:"",PicturePosition:"",PictureStretch:"",PictureTile:"",Slider:"",SliderHandleSize:"",DefaultRatio:"",NumberSequence:"",GUID:"",ReportAdd:"",DashboardAdd:"",MapPinSolid:"",WebPublish:"",PieSingleSolid:"",BlockedSolid:"",DrillDown:"",DrillDownSolid:"",DrillExpand:"",DrillShow:"",SpecialEvent:"",OneDriveFolder16:"",FunctionalManagerDashboard:"",BIDashboard:"",CodeEdit:"",RenewalCurrent:"",RenewalFuture:"",SplitObject:"",BulkUpload:"",DownloadDocument:"",GreetingCard:"",Flower:"",WaitlistConfirm:"",WaitlistConfirmMirrored:"",LaptopSecure:"",DragObject:"",EntryView:"",EntryDecline:"",ContactCardSettings:"",ContactCardSettingsMirrored:""}};(0,n.fm)(o,t)}function _(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-15"',src:"url('"+e+"fabric-icons-15-3807251b.woff') format('woff')"},icons:{CalendarSettings:"",CalendarSettingsMirrored:"",HardDriveLock:"",HardDriveUnlock:"",AccountManagement:"",ReportWarning:"",TransitionPop:"",TransitionPush:"",TransitionEffect:"",LookupEntities:"",ExploreData:"",AddBookmark:"",SearchBookmark:"",DrillThrough:"",MasterDatabase:"",CertifiedDatabase:"",MaximumValue:"",MinimumValue:"",VisualStudioIDELogo32:"",PasteAsText:"",PasteAsCode:"",BrowserTab:"",BrowserTabScreenshot:"",DesktopScreenshot:"",FileYML:"",ClipboardSolid:"",FabricUserFolder:"",FabricNetworkFolder:"",BullseyeTarget:"",AnalyticsView:"",Video360Generic:"",Untag:"",Leave:"",Trending12:"",Blocked12:"",Warning12:"",CheckedOutByOther12:"",CheckedOutByYou12:"",CircleShapeSolid:"",SquareShapeSolid:"",TriangleShapeSolid:"",DropShapeSolid:"",RectangleShapeSolid:"",ZoomToFit:"",InsertColumnsLeft:"",InsertColumnsRight:"",InsertRowsAbove:"",InsertRowsBelow:"",DeleteColumns:"",DeleteRows:"",DeleteRowsMirrored:"",DeleteTable:"",AccountBrowser:"",VersionControlPush:"",StackedColumnChart2:"",TripleColumnWide:"",QuadColumn:"",WhiteBoardApp16:"",WhiteBoardApp32:"",PinnedSolid:"",InsertSignatureLine:"",ArrangeByFrom:"",Phishing:"",CreateMailRule:"",PublishCourse:"",DictionaryRemove:"",UserRemove:"",UserEvent:"",Encryption:"",PasswordField:"",OpenInNewTab:"",Hide3:"",VerifiedBrandSolid:"",MarkAsProtected:"",AuthenticatorApp:"",WebTemplate:"",DefenderTVM:"",MedalSolid:"",D365TalentLearn:"",D365TalentInsight:"",D365TalentHRCore:"",BacklogList:"",ButtonControl:"",TableGroup:"",MountainClimbing:"",TagUnknown:"",TagUnknownMirror:"",TagUnknown12:"",TagUnknown12Mirror:"",Link12:"",Presentation:"",Presentation12:"",Lock12:"",BuildDefinition:"",ReleaseDefinition:"",SaveTemplate:"",UserGauge:"",BlockedSiteSolid12:"",TagSolid:"",OfficeChat:""}};(0,n.fm)(o,t)}function C(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-16"',src:"url('"+e+"fabric-icons-16-9cf93f3b.woff') format('woff')"},icons:{OfficeChatSolid:"",MailSchedule:"",WarningSolid:"",Blocked2Solid:"",SkypeCircleArrow:"",SkypeArrow:"",SyncStatus:"",SyncStatusSolid:"",ProjectDocument:"",ToDoLogoOutline:"",VisioOnlineLogoFill32:"",VisioOnlineLogo32:"",VisioOnlineLogoCloud32:"",VisioDiagramSync:"",Event12:"",EventDateMissed12:"",UserOptional:"",ResponsesMenu:"",DoubleDownArrow:"",DistributeDown:"",BookmarkReport:"",FilterSettings:"",GripperDotsVertical:"",MailAttached:"",AddIn:"",LinkedDatabase:"",TableLink:"",PromotedDatabase:"",BarChartVerticalFilter:"",BarChartVerticalFilterSolid:"",MicOff2:"",MicrosoftTranslatorLogo:"",ShowTimeAs:"",FileRequest:"",WorkItemAlert:"",PowerBILogo16:"",PowerBILogoBackplate16:"",BulletedListText:"",BulletedListBullet:"",BulletedListTextMirrored:"",BulletedListBulletMirrored:"",NumberedListText:"",NumberedListNumber:"",NumberedListTextMirrored:"",NumberedListNumberMirrored:"",RemoveLinkChain:"",RemoveLinkX:"",FabricTextHighlight:"",ClearFormattingA:"",ClearFormattingEraser:"",Photo2Fill:"",IncreaseIndentText:"",IncreaseIndentArrow:"",DecreaseIndentText:"",DecreaseIndentArrow:"",IncreaseIndentTextMirrored:"",IncreaseIndentArrowMirrored:"",DecreaseIndentTextMirrored:"",DecreaseIndentArrowMirrored:"",CheckListText:"",CheckListCheck:"",CheckListTextMirrored:"",CheckListCheckMirrored:"",NumberSymbol:"",Coupon:"",VerifiedBrand:"",ReleaseGate:"",ReleaseGateCheck:"",ReleaseGateError:"",M365InvoicingLogo:"",RemoveFromShoppingList:"",ShieldAlert:"",FabricTextHighlightComposite:"",Dataflows:"",GenericScanFilled:"",DiagnosticDataBarTooltip:"",SaveToMobile:"",Orientation2:"",ScreenCast:"",ShowGrid:"",SnapToGrid:"",ContactList:"",NewMail:"",EyeShadow:"",FabricFolderConfirm:"",InformationBarriers:"",CommentActive:"",ColumnVerticalSectionEdit:"",WavingHand:"",ShakeDevice:"",SmartGlassRemote:"",Rotate90Clockwise:"",Rotate90CounterClockwise:"",CampaignTemplate:"",ChartTemplate:"",PageListFilter:"",SecondaryNav:"",ColumnVerticalSection:"",SkypeCircleSlash:"",SkypeSlash:""}};(0,n.fm)(o,t)}function S(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-17"',src:"url('"+e+"fabric-icons-17-0c4ed701.woff') format('woff')"},icons:{CustomizeToolbar:"",DuplicateRow:"",RemoveFromTrash:"",MailOptions:"",Childof:"",Footer:"",Header:"",BarChartVerticalFill:"",StackedColumnChart2Fill:"",PlainText:"",AccessibiltyChecker:"",DatabaseSync:"",ReservationOrders:"",TabOneColumn:"",TabTwoColumn:"",TabThreeColumn:"",BulletedTreeList:"",MicrosoftTranslatorLogoGreen:"",MicrosoftTranslatorLogoBlue:"",InternalInvestigation:"",AddReaction:"",ContactHeart:"",VisuallyImpaired:"",EventToDoLogo:"",Variable2:"",ModelingView:"",DisconnectVirtualMachine:"",ReportLock:"",Uneditable2:"",Uneditable2Mirrored:"",BarChartVerticalEdit:"",GlobalNavButtonActive:"",PollResults:"",Rerun:"",QandA:"",QandAMirror:"",BookAnswers:"",AlertSettings:"",TrimStart:"",TrimEnd:"",TableComputed:"",DecreaseIndentLegacy:"",IncreaseIndentLegacy:"",SizeLegacy:""}};(0,n.fm)(o,t)}function x(e,t){void 0===e&&(e="https://spoprod-a.akamaihd.net/files/fabric/assets/icons/"),[r,i,a,s,l,c,u,d,p,m,h,g,f,v,b,y,_,C,S].forEach((function(o){return o(e,t)})),(0,n.M_)("trash","delete"),(0,n.M_)("onedrive","onedrivelogo"),(0,n.M_)("alertsolid12","eventdatemissed12"),(0,n.M_)("sixpointstar","6pointstar"),(0,n.M_)("twelvepointstar","12pointstar"),(0,n.M_)("toggleon","toggleleft"),(0,n.M_)("toggleoff","toggleright")}(0,o(6316).x)("@fluentui/font-icons-mdl2","8.0.2")},6825:(e,t,o)=>{"use strict";function n(e){i!==e&&(i=e)}function r(){return void 0===i&&(i="undefined"!=typeof document&&!!document.documentElement&&"rtl"===document.documentElement.getAttribute("dir")),i}var i;function a(){return{rtl:r()}}o.d(t,{ok:()=>n,Eo:()=>a}),i=r()},729:(e,t,o)=>{"use strict";o.d(t,{q:()=>i,Y:()=>l});var n,r=o(7622),i={none:0,insertNode:1,appendChild:2},a="undefined"!=typeof navigator&&/rv:11.0/.test(navigator.userAgent),s={};try{s=window}catch(e){}var l=function(){function e(e){this._rules=[],this._preservedRules=[],this._rulesToInsert=[],this._counter=0,this._keyToClassName={},this._onResetCallbacks=[],this._classNameToArgs={},this._config=(0,r.pi)({injectionMode:i.insertNode,defaultPrefix:"css",namespace:void 0,cspSettings:void 0},e),this._keyToClassName=this._config.classNameCache||{}}return e.getInstance=function(){var t;if(!(n=s.__stylesheet__)||n._lastStyleElement&&n._lastStyleElement.ownerDocument!==document){var o=(null===(t=s)||void 0===t?void 0:t.FabricConfig)||{};n=s.__stylesheet__=new e(o.mergeStyles)}return n},e.prototype.setConfig=function(e){this._config=(0,r.pi)((0,r.pi)({},this._config),e)},e.prototype.onReset=function(e){this._onResetCallbacks.push(e)},e.prototype.getClassName=function(e){var t=this._config.namespace;return(t?t+"-":"")+(e||this._config.defaultPrefix)+"-"+this._counter++},e.prototype.cacheClassName=function(e,t,o,n){this._keyToClassName[t]=e,this._classNameToArgs[e]={args:o,rules:n}},e.prototype.classNameFromKey=function(e){return this._keyToClassName[e]},e.prototype.getClassNameCache=function(){return this._keyToClassName},e.prototype.argsFromClassName=function(e){var t=this._classNameToArgs[e];return t&&t.args},e.prototype.insertedRulesFromClassName=function(e){var t=this._classNameToArgs[e];return t&&t.rules},e.prototype.insertRule=function(e,t){var o=this._config.injectionMode!==i.none?this._getStyleElement():void 0;if(t&&this._preservedRules.push(e),o)switch(this._config.injectionMode){case i.insertNode:var n=o.sheet;try{n.insertRule(e,n.cssRules.length)}catch(e){}break;case i.appendChild:o.appendChild(document.createTextNode(e))}else this._rules.push(e);this._config.onInsertRule&&this._config.onInsertRule(e)},e.prototype.getRules=function(e){return(e?this._preservedRules.join(""):"")+this._rules.join("")+this._rulesToInsert.join("")},e.prototype.reset=function(){this._rules=[],this._rulesToInsert=[],this._counter=0,this._classNameToArgs={},this._keyToClassName={},this._onResetCallbacks.forEach((function(e){return e()}))},e.prototype.resetKeys=function(){this._keyToClassName={}},e.prototype._getStyleElement=function(){var e=this;return this._styleElement||"undefined"==typeof document||(this._styleElement=this._createStyleElement(),a||window.requestAnimationFrame((function(){e._styleElement=void 0}))),this._styleElement},e.prototype._createStyleElement=function(){var e=document.head,t=document.createElement("style");t.setAttribute("data-merge-styles","true");var o=this._config.cspSettings;if(o&&o.nonce&&t.setAttribute("nonce",o.nonce),this._lastStyleElement)e.insertBefore(t,this._lastStyleElement.nextElementSibling);else{var n=this._findPlaceholderStyleTag();n?e.insertBefore(t,n.nextElementSibling):e.insertBefore(t,e.childNodes[0])}return this._lastStyleElement=t,t},e.prototype._findPlaceholderStyleTag=function(){var e=document.head;return e?e.querySelector("style[data-merge-styles]"):null},e}()},3570:(e,t,o)=>{"use strict";o.d(t,{m:()=>r});var n=o(7622);function r(){for(var e=[],t=0;t0){o.subComponentStyles={};var h=o.subComponentStyles,g=function(e){if(i.hasOwnProperty(e)){var t=i[e];h[e]=function(e){return r.apply(void 0,t.map((function(t){return"function"==typeof t?t(e):t})))}}};for(var d in i)g(d)}return o}},965:(e,t,o)=>{"use strict";o.d(t,{l:()=>r});var n=o(3570);function r(e){for(var t=[],o=1;o{"use strict";o.d(t,{U:()=>r});var n=o(729);function r(){for(var e=[],t=0;t=0)a(s.split(" "));else{var l=i.argsFromClassName(s);l?a(l):-1===o.indexOf(s)&&o.push(s)}else Array.isArray(s)?a(s):"object"==typeof s&&r.push(s)}}return a(e),{classes:o,objects:r}}},3310:(e,t,o)=>{"use strict";o.d(t,{j:()=>a});var n=o(6825),r=o(729),i=o(8186);function a(e){r.Y.getInstance().insertRule("@font-face{"+(0,i.dH)((0,n.Eo)(),e)+"}",!0)}},2762:(e,t,o)=>{"use strict";o.d(t,{F:()=>a});var n=o(6825),r=o(729),i=o(8186);function a(e){var t=r.Y.getInstance(),o=t.getClassName(),a=[];for(var s in e)e.hasOwnProperty(s)&&a.push(s,"{",(0,i.dH)((0,n.Eo)(),e[s]),"}");var l=a.join("");return t.insertRule("@keyframes "+o+"{"+l+"}",!0),t.cacheClassName(o,l,[],["keyframes",l]),o}},2005:(e,t,o)=>{"use strict";o.d(t,{Z:()=>s,I:()=>l});var n=o(3570),r=o(1836),i=o(6825),a=o(8186);function s(){for(var e=[],t=0;t{"use strict";o.d(t,{y:()=>a,R:()=>s});var n=o(1836),r=o(6825),i=o(8186);function a(){for(var e=[],t=0;t{"use strict";o.d(t,{Jh:()=>D,dH:()=>w,AE:()=>T,aj:()=>I});var n,r=o(7622),i=o(729),a={},s={"user-select":1};function l(e,t){var o=function(){if(!n){var e="undefined"!=typeof document?document:void 0,t="undefined"!=typeof navigator?navigator:void 0,o=t?t.userAgent.toLowerCase():void 0;n=e?{isWebkit:!(!e||!("WebkitAppearance"in e.documentElement.style)),isMoz:!!(o&&o.indexOf("firefox")>-1),isOpera:!!(o&&o.indexOf("opera")>-1),isMs:!(!t||!/rv:11.0/i.test(t.userAgent)&&!/Edge\/\d./i.test(navigator.userAgent))}:{isWebkit:!0,isMoz:!0,isOpera:!0,isMs:!0}}return n}(),r=e[t];if(s[r]){var i=e[t+1];s[r]&&(o.isWebkit&&e.push("-webkit-"+r,i),o.isMoz&&e.push("-moz-"+r,i),o.isMs&&e.push("-ms-"+r,i),o.isOpera&&e.push("-o-"+r,i))}}var c,u=["column-count","font-weight","flex","flex-grow","flex-shrink","fill-opacity","opacity","order","z-index","zoom"];function d(e,t){var o=e[t],n=e[t+1];if("number"==typeof n){var r=u.indexOf(o)>-1,i=o.indexOf("--")>-1,a=r||i?"":"px";e[t+1]=""+n+a}}var p="left",m="right",h=((c={}).left=m,c.right=p,c),g={"w-resize":"e-resize","sw-resize":"se-resize","nw-resize":"ne-resize"};function f(e,t,o){if(e.rtl){var n=t[o];if(!n)return;var r=t[o+1];if("string"==typeof r&&r.indexOf("@noflip")>=0)t[o+1]=r.replace(/\s*(?:\/\*\s*)?\@noflip\b(?:\s*\*\/)?\s*?/g,"");else if(n.indexOf(p)>=0)t[o]=n.replace(p,m);else if(n.indexOf(m)>=0)t[o]=n.replace(m,p);else if(String(r).indexOf(p)>=0)t[o+1]=r.replace(p,m);else if(String(r).indexOf(m)>=0)t[o+1]=r.replace(m,p);else if(h[n])t[o]=h[n];else if(g[r])t[o+1]=g[r];else switch(n){case"margin":case"padding":t[o+1]=function(e){if("string"==typeof e){var t=e.split(" ");if(4===t.length)return t[0]+" "+t[3]+" "+t[2]+" "+t[1]}return e}(r);break;case"box-shadow":t[o+1]=function(e,t){var o=e.split(" "),n=parseInt(o[0],10);return o[0]=o[0].replace(String(n),String(-1*n)),o.join(" ")}(r)}}}function v(e){var t=e&&e["&"];return t?t.displayName:void 0}var b=/\:global\((.+?)\)/g;function y(e,t){return e.indexOf(":global(")>=0?e.replace(b,"$1"):0===e.indexOf(":")?t+e:e.indexOf("&")<0?t+" "+e:e}function _(e,t,o,n){void 0===t&&(t={__order:[]}),0===o.indexOf("@")?C([n],t,o=o+"{"+e):o.indexOf(",")>-1?function(e){if(!b.test(e))return e;for(var t=[],o=/\:global\((.+?)\)/g,n=null;n=o.exec(e);)n[1].indexOf(",")>-1&&t.push([n.index,n.index+n[0].length,n[1].split(",").map((function(e){return":global("+e.trim()+")"})).join(", ")]);return t.reverse().reduce((function(e,t){var o=t[0],n=t[1],r=t[2];return e.slice(0,o)+r+e.slice(n)}),e)}(o).split(",").map((function(e){return e.trim()})).forEach((function(o){return C([n],t,y(o,e))})):C([n],t,y(o,e))}function C(e,t,o){void 0===t&&(t={__order:[]}),void 0===o&&(o="&");var n=i.Y.getInstance(),r=t[o];r||(r={},t[o]=r,t.__order.push(o));for(var a=0,s=e;ao&&t.push(e.substring(o,r)),o=r+1)}return o{"use strict";o.d(t,{k:()=>F});var n,r=o(7622),i=o(7002),a=o(7023),s=o(4932),l=o(4553),c=o(6840),u=o(8145),d=o(5951),p=o(688),m=o(2782),h=o(9757),g=o(8127),f=o(8088),v=o(3345),b=o(3978),y=o(4948),_=o(7466),C=o(5446),S=o(9444),x=o(9729),k="data-is-focusable",w="data-focuszone-id",I="tabindex",D="data-no-vertical-wrap",T="data-no-horizontal-wrap",E=999999999,P=-999999999,M={},R=new Set,N=["text","number","password","email","tel","url","search"],B=!1,F=function(e){function t(t){var o=e.call(this,t)||this;return o._root=i.createRef(),o._mergedRef=(0,s.S)(),o._onFocus=function(e){if(!o._portalContainsElement(e.target)){var t,n=o.props,r=n.onActiveElementChanged,i=n.doNotAllowFocusEventToPropagate,a=n.stopFocusPropagation,s=n.onFocusNotification,u=n.onFocus,d=n.shouldFocusInnerElementWhenReceivedFocus,p=n.defaultTabbableElement,m=o._isImmediateDescendantOfZone(e.target);if(m)t=e.target;else for(var h=e.target;h&&h!==o._root.current;){if((0,l.MW)(h)&&o._isImmediateDescendantOfZone(h)){t=h;break}h=(0,c.G)(h,B)}if(d&&e.target===o._root.current){var g=p&&"function"==typeof p&&p(o._root.current);g&&(0,l.MW)(g)?(t=g,g.focus()):(o.focus(!0),o._activeElement&&(t=null))}var f=!o._activeElement;t&&t!==o._activeElement&&((m||f)&&o._setFocusAlignment(t,!0,!0),o._activeElement=t,f&&o._updateTabIndexes()),r&&r(o._activeElement,e),(a||i)&&e.stopPropagation(),u?u(e):s&&s()}},o._onBlur=function(){o._setParkedFocus(!1)},o._onMouseDown=function(e){if(!o._portalContainsElement(e.target)&&!o.props.disabled){for(var t=e.target,n=[];t&&t!==o._root.current;)n.push(t),t=(0,c.G)(t,B);for(;n.length&&((t=n.pop())&&(0,l.MW)(t)&&o._setActiveElement(t,!0),!(0,l.jz)(t)););}},o._onKeyDown=function(e,t){if(!o._portalContainsElement(e.target)){var n=o.props,r=n.direction,i=n.disabled,s=n.isInnerZoneKeystroke,c=n.pagingSupportDisabled,p=n.shouldEnterInnerZone;if(!(i||(o.props.onKeyDown&&o.props.onKeyDown(e),e.isDefaultPrevented()||o._getDocument().activeElement===o._root.current&&o._isInnerZone))){if((p&&p(e)||s&&s(e))&&o._isImmediateDescendantOfZone(e.target)){var m=o._getFirstInnerZone();if(m){if(!m.focus(!0))return}else{if(!(0,l.gc)(e.target))return;if(!o.focusElement((0,l.dc)(e.target,e.target.firstChild,!0)))return}}else{if(e.altKey)return;switch(e.which){case u.m.space:if(o._tryInvokeClickForFocusable(e.target))break;return;case u.m.left:if(r!==a.U.vertical&&(o._preventDefaultWhenHandled(e),o._moveFocusLeft(t)))break;return;case u.m.right:if(r!==a.U.vertical&&(o._preventDefaultWhenHandled(e),o._moveFocusRight(t)))break;return;case u.m.up:if(r!==a.U.horizontal&&(o._preventDefaultWhenHandled(e),o._moveFocusUp()))break;return;case u.m.down:if(r!==a.U.horizontal&&(o._preventDefaultWhenHandled(e),o._moveFocusDown()))break;return;case u.m.pageDown:if(!c&&o._moveFocusPaging(!0))break;return;case u.m.pageUp:if(!c&&o._moveFocusPaging(!1))break;return;case u.m.tab:if(o.props.allowTabKey||o.props.handleTabKey===a.J.all||o.props.handleTabKey===a.J.inputOnly&&o._isElementInput(e.target)){var h=!1;if(o._processingTabKey=!0,h=r!==a.U.vertical&&o._shouldWrapFocus(o._activeElement,T)?((0,d.zg)(t)?!e.shiftKey:e.shiftKey)?o._moveFocusLeft(t):o._moveFocusRight(t):e.shiftKey?o._moveFocusUp():o._moveFocusDown(),o._processingTabKey=!1,h)break;o.props.shouldResetActiveElementWhenTabFromZone&&(o._activeElement=null)}return;case u.m.home:if(o._isContentEditableElement(e.target)||o._isElementInput(e.target)&&!o._shouldInputLoseFocus(e.target,!1))return!1;var g=o._root.current&&o._root.current.firstChild;if(o._root.current&&g&&o.focusElement((0,l.dc)(o._root.current,g,!0)))break;return;case u.m.end:if(o._isContentEditableElement(e.target)||o._isElementInput(e.target)&&!o._shouldInputLoseFocus(e.target,!0))return!1;var f=o._root.current&&o._root.current.lastChild;if(o._root.current&&o.focusElement((0,l.TD)(o._root.current,f,!0,!0,!0)))break;return;case u.m.enter:if(o._tryInvokeClickForFocusable(e.target))break;return;default:return}}e.preventDefault(),e.stopPropagation()}}},o._getHorizontalDistanceFromCenter=function(e,t,n){var r=o._focusAlignment.left||o._focusAlignment.x||0,i=Math.floor(n.top),a=Math.floor(t.bottom),s=Math.floor(n.bottom),l=Math.floor(t.top);return e&&i>a||!e&&s=n.left&&r<=n.left+n.width?0:Math.abs(n.left+n.width/2-r):o._shouldWrapFocus(o._activeElement,D)?E:P},(0,p.l)(o),o._id=(0,m.z)("FocusZone"),o._focusAlignment={left:0,top:0},o._processingTabKey=!1,o}return(0,r.ZT)(t,e),t.getOuterZones=function(){return R.size},t._onKeyDownCapture=function(e){e.which===u.m.tab&&R.forEach((function(e){return e._updateTabIndexes()}))},t.prototype.componentDidMount=function(){var e=this._root.current;if(M[this._id]=this,e){this._windowElement=(0,h.J)(e);for(var o=(0,c.G)(e,B);o&&o!==this._getDocument().body&&1===o.nodeType;){if((0,l.jz)(o)){this._isInnerZone=!0;break}o=(0,c.G)(o,B)}this._isInnerZone||(R.add(this),this._windowElement&&1===R.size&&this._windowElement.addEventListener("keydown",t._onKeyDownCapture,!0)),this._root.current&&this._root.current.addEventListener("blur",this._onBlur,!0),this._updateTabIndexes(),this.props.defaultTabbableElement&&"string"==typeof this.props.defaultTabbableElement?this._activeElement=this._getDocument().querySelector(this.props.defaultTabbableElement):this.props.defaultActiveElement&&(this._activeElement=this._getDocument().querySelector(this.props.defaultActiveElement)),this.props.shouldFocusOnMount&&this.focus()}},t.prototype.componentDidUpdate=function(){var e=this._root.current,t=this._getDocument();if(t&&this._lastIndexPath&&(t.activeElement===t.body||null===t.activeElement||!this.props.preventFocusRestoration&&t.activeElement===e)){var o=(0,l.bF)(e,this._lastIndexPath);o?(this._setActiveElement(o,!0),o.focus(),this._setParkedFocus(!1)):this._setParkedFocus(!0)}},t.prototype.componentWillUnmount=function(){delete M[this._id],this._isInnerZone||(R.delete(this),this._windowElement&&0===R.size&&this._windowElement.removeEventListener("keydown",t._onKeyDownCapture,!0)),this._root.current&&this._root.current.removeEventListener("blur",this._onBlur,!0),this._activeElement=null,this._defaultFocusElement=null},t.prototype.render=function(){var e=this,t=this.props,o=t.as,a=t.elementType,s=t.rootProps,l=t.ariaDescribedBy,c=t.ariaLabelledBy,u=t.className,d=(0,g.pq)(this.props,g.iY),p=o||a||"div";this._evaluateFocusBeforeRender();var m=(0,x.gh)();return i.createElement(p,(0,r.pi)({"aria-labelledby":c,"aria-describedby":l},d,s,{className:(0,f.i)((n||(n=(0,S.y)({selectors:{":focus":{outline:"none"}}},"ms-FocusZone")),n),u),ref:this._mergedRef(this.props.elementRef,this._root),"data-focuszone-id":this._id,onKeyDown:function(t){return e._onKeyDown(t,m)},onFocus:this._onFocus,onMouseDownCapture:this._onMouseDown}),this.props.children)},t.prototype.focus=function(e){if(void 0===e&&(e=!1),this._root.current){if(!e&&"true"===this._root.current.getAttribute(k)&&this._isInnerZone){var t=this._getOwnerZone(this._root.current);if(t!==this._root.current){var o=M[t.getAttribute(w)];return!!o&&o.focusElement(this._root.current)}return!1}if(!e&&this._activeElement&&(0,v.t)(this._root.current,this._activeElement)&&(0,l.MW)(this._activeElement))return this._activeElement.focus(),!0;var n=this._root.current.firstChild;return this.focusElement((0,l.dc)(this._root.current,n,!0))}return!1},t.prototype.focusLast=function(){if(this._root.current){var e=this._root.current&&this._root.current.lastChild;return this.focusElement((0,l.TD)(this._root.current,e,!0,!0,!0))}return!1},t.prototype.focusElement=function(e,t){var o=this.props,n=o.onBeforeFocus,r=o.shouldReceiveFocus;return!(r&&!r(e)||n&&!n(e)||!e||(this._setActiveElement(e,t),this._activeElement&&this._activeElement.focus(),0))},t.prototype.setFocusAlignment=function(e){this._focusAlignment=e},t.prototype._evaluateFocusBeforeRender=function(){var e=this._root.current,t=this._getDocument();if(t){var o=t.activeElement;if(o!==e){var n=(0,v.t)(e,o,!1);this._lastIndexPath=n?(0,l.xu)(e,o):void 0}}},t.prototype._setParkedFocus=function(e){var t=this._root.current;t&&this._isParked!==e&&(this._isParked=e,e?(this.props.allowFocusRoot||(this._parkedTabIndex=t.getAttribute("tabindex"),t.setAttribute("tabindex","-1")),t.focus()):this.props.allowFocusRoot||(this._parkedTabIndex?(t.setAttribute("tabindex",this._parkedTabIndex),this._parkedTabIndex=void 0):t.removeAttribute("tabindex")))},t.prototype._setActiveElement=function(e,t){var o=this._activeElement;this._activeElement=e,o&&((0,l.jz)(o)&&this._updateTabIndexes(o),o.tabIndex=-1),this._activeElement&&(this._focusAlignment&&!t||this._setFocusAlignment(e,!0,!0),this._activeElement.tabIndex=0)},t.prototype._preventDefaultWhenHandled=function(e){this.props.preventDefaultWhenHandled&&e.preventDefault()},t.prototype._tryInvokeClickForFocusable=function(e){if(e===this._root.current||!this.props.shouldRaiseClicks)return!1;do{if("BUTTON"===e.tagName||"A"===e.tagName||"INPUT"===e.tagName||"TEXTAREA"===e.tagName)return!1;if(this._isImmediateDescendantOfZone(e)&&"true"===e.getAttribute(k)&&"true"!==e.getAttribute("data-disable-click-on-enter"))return(0,b.x)(e),!0;e=(0,c.G)(e,B)}while(e!==this._root.current);return!1},t.prototype._getFirstInnerZone=function(e){if(!(e=e||this._activeElement||this._root.current))return null;if((0,l.jz)(e))return M[e.getAttribute(w)];for(var t=e.firstElementChild;t;){if((0,l.jz)(t))return M[t.getAttribute(w)];var o=this._getFirstInnerZone(t);if(o)return o;t=t.nextElementSibling}return null},t.prototype._moveFocus=function(e,t,o,n){void 0===n&&(n=!0);var r=this._activeElement,i=-1,s=void 0,c=!1,u=this.props.direction===a.U.bidirectional;if(!r||!this._root.current)return!1;if(this._isElementInput(r)&&!this._shouldInputLoseFocus(r,e))return!1;var d=u?r.getBoundingClientRect():null;do{if(r=e?(0,l.dc)(this._root.current,r):(0,l.TD)(this._root.current,r),!u){s=r;break}if(r){var p=t(d,r.getBoundingClientRect());if(-1===p&&-1===i){s=r;break}if(p>-1&&(-1===i||p=0&&p<0)break}}while(r);if(s&&s!==this._activeElement)c=!0,this.focusElement(s);else if(this.props.isCircularNavigation&&n)return e?this.focusElement((0,l.dc)(this._root.current,this._root.current.firstElementChild,!0)):this.focusElement((0,l.TD)(this._root.current,this._root.current.lastElementChild,!0,!0,!0));return c},t.prototype._moveFocusDown=function(){var e=this,t=-1,o=this._focusAlignment.left||this._focusAlignment.x||0;return!!this._moveFocus(!0,(function(n,r){var i=-1,a=Math.floor(r.top),s=Math.floor(n.bottom);return a=s||a===t)&&(t=a,i=o>=r.left&&o<=r.left+r.width?0:Math.abs(r.left+r.width/2-o)),i)}))&&(this._setFocusAlignment(this._activeElement,!1,!0),!0)},t.prototype._moveFocusUp=function(){var e=this,t=-1,o=this._focusAlignment.left||this._focusAlignment.x||0;return!!this._moveFocus(!1,(function(n,r){var i=-1,a=Math.floor(r.bottom),s=Math.floor(r.top),l=Math.floor(n.top);return a>l?e._shouldWrapFocus(e._activeElement,D)?E:P:((-1===t&&a<=l||s===t)&&(t=s,i=o>=r.left&&o<=r.left+r.width?0:Math.abs(r.left+r.width/2-o)),i)}))&&(this._setFocusAlignment(this._activeElement,!1,!0),!0)},t.prototype._moveFocusLeft=function(e){var t=this,o=this._shouldWrapFocus(this._activeElement,T);return!!this._moveFocus((0,d.zg)(e),(function(n,r){var i=-1;return((0,d.zg)(e)?parseFloat(r.top.toFixed(3))parseFloat(n.top.toFixed(3)))&&r.right<=n.right&&t.props.direction!==a.U.vertical?i=n.right-r.right:o||(i=P),i}),void 0,o)&&(this._setFocusAlignment(this._activeElement,!0,!1),!0)},t.prototype._moveFocusRight=function(e){var t=this,o=this._shouldWrapFocus(this._activeElement,T);return!!this._moveFocus(!(0,d.zg)(e),(function(n,r){var i=-1;return((0,d.zg)(e)?parseFloat(r.bottom.toFixed(3))>parseFloat(n.top.toFixed(3)):parseFloat(r.top.toFixed(3))=n.left&&t.props.direction!==a.U.vertical?i=r.left-n.left:o||(i=P),i}),void 0,o)&&(this._setFocusAlignment(this._activeElement,!0,!1),!0)},t.prototype._moveFocusPaging=function(e,t){void 0===t&&(t=!0);var o=this._activeElement;if(!o||!this._root.current)return!1;if(this._isElementInput(o)&&!this._shouldInputLoseFocus(o,e))return!1;var n=(0,y.zj)(o);if(!n)return!1;var r=-1,i=void 0,a=-1,s=-1,c=n.clientHeight,u=o.getBoundingClientRect();do{if(o=e?(0,l.dc)(this._root.current,o):(0,l.TD)(this._root.current,o)){var d=o.getBoundingClientRect(),p=Math.floor(d.top),m=Math.floor(u.bottom),h=Math.floor(d.bottom),g=Math.floor(u.top),f=this._getHorizontalDistanceFromCenter(e,u,d);if(e&&p>m+c||!e&&h-1&&(e&&p>a?(a=p,r=f,i=o):!e&&h-1){var o=e.selectionStart,n=o!==e.selectionEnd,r=e.value,i=e.readOnly;if(n||o>0&&!t&&!i||o!==r.length&&t&&!i||this.props.handleTabKey&&(!this.props.shouldInputLoseFocusOnArrowKey||!this.props.shouldInputLoseFocusOnArrowKey(e)))return!1}return!0},t.prototype._shouldWrapFocus=function(e,t){return!this.props.checkForNoWrap||(0,l.mM)(e,t)},t.prototype._portalContainsElement=function(e){return e&&!!this._root.current&&(0,_.w)(e,this._root.current)},t.prototype._getDocument=function(){return(0,C.M)(this._root.current)},t.defaultProps={isCircularNavigation:!1,direction:a.U.bidirectional,shouldRaiseClicks:!0},t}(i.Component)},7023:(e,t,o)=>{"use strict";o.d(t,{J:()=>r,U:()=>n});var n,r={none:0,all:1,inputOnly:2};!function(e){e[e.vertical=0]="vertical",e[e.horizontal=1]="horizontal",e[e.bidirectional=2]="bidirectional",e[e.domOrder=3]="domOrder"}(n||(n={}))},3528:(e,t,o)=>{"use strict";o.d(t,{r:()=>a});var n=o(2167),r=o(7002),i=o(7913);function a(){var e=(0,i.B)((function(){return new n.e}));return r.useEffect((function(){return function(){return e.dispose()}}),[e]),e}},2861:(e,t,o)=>{"use strict";o.d(t,{k:()=>i});var n=o(7002),r=o(7913);function i(e){var t=n.useState(e),o=t[0],i=t[1];return[o,{setTrue:(0,r.B)((function(){return function(){i(!0)}})),setFalse:(0,r.B)((function(){return function(){i(!1)}})),toggle:(0,r.B)((function(){return function(){i((function(e){return!e}))}}))}]}},7913:(e,t,o)=>{"use strict";o.d(t,{B:()=>r});var n=o(7002);function r(e){var t=n.useRef();return void 0===t.current&&(t.current={value:"function"==typeof e?e():e}),t.current.value}},6548:(e,t,o)=>{"use strict";o.d(t,{G:()=>i});var n=o(7002),r=o(7913);function i(e,t,o){var i=n.useState(t),a=i[0],s=i[1],l=(0,r.B)(void 0!==e),c=l?e:a,u=n.useRef(c),d=n.useRef(o);n.useEffect((function(){u.current=c,d.current=o}));var p=(0,r.B)((function(){return function(e,t){var o="function"==typeof e?e(u.current):e;d.current&&d.current(t,o),l||s(o)}}));return[c,p]}},4085:(e,t,o)=>{"use strict";o.d(t,{M:()=>i});var n=o(7002),r=o(2782);function i(e,t){var o=n.useRef(t);return o.current||(o.current=(0,r.z)(e)),o.current}},9241:(e,t,o)=>{"use strict";o.d(t,{r:()=>i});var n=o(7622),r=o(7002);function i(){for(var e=[],t=0;t{"use strict";o.d(t,{d:()=>i});var n=o(9251),r=o(7002);function i(e,t,o,i){var a=r.useRef(o);a.current=o,r.useEffect((function(){var o=e&&"current"in e?e.current:e;if(o)return(0,n.on)(o,t,(function(e){return a.current(e)}),i)}),[e,t,i])}},6876:(e,t,o)=>{"use strict";o.d(t,{D:()=>r});var n=o(7002);function r(e){var t=(0,n.useRef)();return(0,n.useEffect)((function(){t.current=e})),t.current}},5646:(e,t,o)=>{"use strict";o.d(t,{L:()=>i});var n=o(7002),r=o(7913),i=function(){var e=(0,r.B)({});return n.useEffect((function(){return function(){for(var t=0,o=Object.keys(e);t{"use strict";o.d(t,{e:()=>a});var n=o(5446),r=o(7002),i=o(8901);function a(e,t){var o,a=r.useRef(),s=r.useRef(null),l=(0,i.zY)();if(!e||e!==a.current||"string"==typeof e){var c=null===(o=t)||void 0===o?void 0:o.current;if(e)if("string"==typeof e){var u=(0,n.M)(c);s.current=u?u.querySelector(e):null}else s.current="stopPropagation"in e||"getBoundingClientRect"in e?e:"current"in e?e.current:e;a.current=e}return[s,l]}},8901:(e,t,o)=>{"use strict";o.d(t,{Hn:()=>r,zY:()=>i,ky:()=>a,WU:()=>s});var n=o(7002),r=n.createContext({window:"object"==typeof window?window:void 0}),i=function(){return n.useContext(r).window},a=function(){var e;return null===(e=n.useContext(r).window)||void 0===e?void 0:e.document},s=function(e){return n.createElement(r.Provider,{value:e},e.children)}},6628:(e,t,o)=>{"use strict";o.d(t,{b:()=>n});var n={topLeftEdge:0,topCenter:1,topRightEdge:2,topAutoEdge:3,bottomLeftEdge:4,bottomCenter:5,bottomRightEdge:6,bottomAutoEdge:7,leftTopEdge:8,leftCenter:9,leftBottomEdge:10,rightTopEdge:11,rightCenter:12,rightBottomEdge:13}},9942:(e,t,o)=>{"use strict";o.d(t,{d:()=>c});var n=o(7622),r=o(7002),i=o(7300),a=o(8127),s=o(6055),l=(0,i.y)(),c=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.message,o=e.styles,i=e.as,c=void 0===i?"div":i,u=e.className,d=l(o,{className:u});return r.createElement(c,(0,n.pi)({role:"status",className:d.root},(0,a.pq)(this.props,a.n7,["className"])),r.createElement(s.U,null,r.createElement("div",{className:d.screenReaderText},t)))},t.defaultProps={"aria-live":"polite"},t}(r.Component)},3945:(e,t,o)=>{"use strict";o.d(t,{O:()=>a});var n=o(2002),r=o(9942),i=o(9729),a=(0,n.z)(r.d,(function(e){return{root:e.className,screenReaderText:i.ul}}))},5767:(e,t,o)=>{"use strict";o.d(t,{G:()=>d});var n=o(7622),r=o(7002),i=o(5036),a=o(8145),s=o(688),l=o(2167),c=o(8127),u="backward",d=function(e){function t(t){var o=e.call(this,t)||this;return o._inputElement=r.createRef(),o._autoFillEnabled=!0,o._isComposing=!1,o._onCompositionStart=function(e){o._isComposing=!0,o._autoFillEnabled=!1},o._onCompositionUpdate=function(){(0,i.f)()&&o._updateValue(o._getCurrentInputValue(),!0)},o._onCompositionEnd=function(e){var t=o._getCurrentInputValue();o._tryEnableAutofill(t,o.value,!1,!0),o._isComposing=!1,o._async.setTimeout((function(){o._updateValue(o._getCurrentInputValue(),!1)}),0)},o._onClick=function(){o.value&&""!==o.value&&o._autoFillEnabled&&(o._autoFillEnabled=!1)},o._onKeyDown=function(e){if(o.props.onKeyDown&&o.props.onKeyDown(e),!e.nativeEvent.isComposing)switch(e.which){case a.m.backspace:o._autoFillEnabled=!1;break;case a.m.left:case a.m.right:o._autoFillEnabled&&(o.setState({inputValue:o.props.suggestedDisplayValue||""}),o._autoFillEnabled=!1);break;default:o._autoFillEnabled||-1!==o.props.enableAutofillOnKeyPress.indexOf(e.which)&&(o._autoFillEnabled=!0)}},o._onInputChanged=function(e){var t=o._getCurrentInputValue(e);if(o._isComposing||o._tryEnableAutofill(t,o.value,e.nativeEvent.isComposing),!(0,i.f)()||!o._isComposing){var n=e.nativeEvent.isComposing,r=void 0===n?o._isComposing:n;o._updateValue(t,r)}},o._onChanged=function(){},o._updateValue=function(e,t){var n;if(e||e!==o.value){var r=o.props,i=r.onInputChange,a=r.onInputValueChange;i&&(e=(null===(n=i)||void 0===n?void 0:n(e,t))||""),o.setState({inputValue:e},(function(){var o;return null===(o=a)||void 0===o?void 0:o(e,t)}))}},(0,s.l)(o),o._async=new l.e(o),o.state={inputValue:t.defaultVisibleValue||""},o}return(0,n.ZT)(t,e),t.getDerivedStateFromProps=function(e,t){if(e.updateValueInWillReceiveProps){var o=e.updateValueInWillReceiveProps();if(null!==o&&o!==t.inputValue)return{inputValue:o}}return null},Object.defineProperty(t.prototype,"cursorLocation",{get:function(){if(this._inputElement.current){var e=this._inputElement.current;return"forward"!==e.selectionDirection?e.selectionEnd:e.selectionStart}return-1},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"isValueSelected",{get:function(){return Boolean(this.inputElement&&this.inputElement.selectionStart!==this.inputElement.selectionEnd)},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"value",{get:function(){return this._getControlledValue()||this.state.inputValue||""},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"selectionStart",{get:function(){return this._inputElement.current?this._inputElement.current.selectionStart:-1},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"selectionEnd",{get:function(){return this._inputElement.current?this._inputElement.current.selectionEnd:-1},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"inputElement",{get:function(){return this._inputElement.current},enumerable:!0,configurable:!0}),t.prototype.componentDidUpdate=function(){var e=this.props,t=e.suggestedDisplayValue,o=e.shouldSelectFullInputValueInComponentDidUpdate,n=0;if(!e.preventValueSelection&&this._autoFillEnabled&&this.value&&t&&p(t,this.value)){var r=!1;if(o&&(r=o()),r&&this._inputElement.current)this._inputElement.current.setSelectionRange(0,t.length,u);else{for(;n0&&this._inputElement.current&&this._inputElement.current.setSelectionRange(n,t.length,u)}}},t.prototype.componentWillUnmount=function(){this._async.dispose()},t.prototype.render=function(){var e=(0,c.pq)(this.props,c.Gg),t=(0,n.pi)((0,n.pi)({},this.props.style),{fontFamily:"inherit"});return r.createElement("input",(0,n.pi)({autoCapitalize:"off",autoComplete:"off","aria-autocomplete":"both"},e,{style:t,ref:this._inputElement,value:this._getDisplayValue(),onCompositionStart:this._onCompositionStart,onCompositionUpdate:this._onCompositionUpdate,onCompositionEnd:this._onCompositionEnd,onChange:this._onChanged,onInput:this._onInputChanged,onKeyDown:this._onKeyDown,onClick:this.props.onClick?this.props.onClick:this._onClick,"data-lpignore":!0}))},t.prototype.focus=function(){this._inputElement.current&&this._inputElement.current.focus()},t.prototype.clear=function(){this._autoFillEnabled=!0,this._updateValue("",!1),this._inputElement.current&&this._inputElement.current.setSelectionRange(0,0)},t.prototype._getCurrentInputValue=function(e){return e&&e.target&&e.target.value?e.target.value:this.inputElement&&this.inputElement.value?this.inputElement.value:""},t.prototype._tryEnableAutofill=function(e,t,o,n){!o&&e&&this._inputElement.current&&this._inputElement.current.selectionStart===e.length&&!this._autoFillEnabled&&(e.length>t.length||n)&&(this._autoFillEnabled=!0)},t.prototype._getDisplayValue=function(){return this._autoFillEnabled?(e=this.value,t=this.props.suggestedDisplayValue,o=e,t&&e&&p(t,o)&&(o=t),o):this.value;var e,t,o},t.prototype._getControlledValue=function(){var e=this.props.value;return void 0===e||"string"==typeof e?e:(console.warn("props.value of Autofill should be a string, but it is "+e+" with type of "+typeof e),e.toString())},t.defaultProps={enableAutofillOnKeyPress:[a.m.down,a.m.up]},t}(r.Component);function p(e,t){return!(!e||!t)&&0===e.toLocaleLowerCase().indexOf(t.toLocaleLowerCase())}},2898:(e,t,o)=>{"use strict";o.d(t,{K:()=>c});var n=o(7622),r=o(7002),i=o(4968),a=o(9013),s=o(6053),l=o(3608),c=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.theme;return r.createElement(i.Y,(0,n.pi)({},this.props,{variantClassName:"ms-Button--action ms-Button--command",styles:(0,l.W)(o,t),onRenderDescription:a.S}))},(0,n.gn)([(0,s.a)("ActionButton",["theme","styles"],!0)],t)}(r.Component)},3608:(e,t,o)=>{"use strict";o.d(t,{W:()=>a});var n=o(9729),r=o(5094),i=o(1860),a=(0,r.NF)((function(e,t){var o,r,a,s=(0,i.W)(e),l={root:{padding:"0 4px",height:"40px",color:e.palette.neutralPrimary,backgroundColor:"transparent",border:"1px solid transparent",selectors:(o={},o[n.qJ]={borderColor:"Window"},o)},rootHovered:{color:e.palette.themePrimary,selectors:(r={},r[n.qJ]={color:"Highlight"},r)},iconHovered:{color:e.palette.themePrimary},rootPressed:{color:e.palette.black},rootExpanded:{color:e.palette.themePrimary},iconPressed:{color:e.palette.themeDarker},rootDisabled:{color:e.palette.neutralTertiary,backgroundColor:"transparent",borderColor:"transparent",selectors:(a={},a[n.qJ]={color:"GrayText"},a)},rootChecked:{color:e.palette.black},iconChecked:{color:e.palette.themeDarker},flexContainer:{justifyContent:"flex-start"},icon:{color:e.palette.themeDarkAlt},iconDisabled:{color:"inherit"},menuIcon:{color:e.palette.neutralSecondary},textContainer:{flexGrow:0}};return(0,n.E$)(s,l,t)}))},2657:(e,t,o)=>{"use strict";o.d(t,{n:()=>i,f:()=>a});var n=o(5094),r=o(9729),i={msButton:"ms-Button",msButtonHasMenu:"ms-Button--hasMenu",msButtonIcon:"ms-Button-icon",msButtonMenuIcon:"ms-Button-menuIcon",msButtonLabel:"ms-Button-label",msButtonDescription:"ms-Button-description",msButtonScreenReaderText:"ms-Button-screenReaderText",msButtonFlexContainer:"ms-Button-flexContainer",msButtonTextContainer:"ms-Button-textContainer"},a=(0,n.NF)((function(e,t,o,n,a,s,l,c,u,d,p){var m,h,g=(0,r.Cn)(i,e||{}),f=d&&!p;return(0,r.ZC)({root:[g.msButton,t.root,n,u&&["is-checked",t.rootChecked],f&&["is-expanded",t.rootExpanded,{selectors:(m={},m[":hover ."+g.msButtonIcon]=t.iconExpandedHovered,m[":hover ."+g.msButtonMenuIcon]=t.menuIconExpandedHovered||t.rootExpandedHovered,m[":hover"]=t.rootExpandedHovered,m)}],c&&[i.msButtonHasMenu,t.rootHasMenu],l&&["is-disabled",t.rootDisabled],!l&&!f&&!u&&{selectors:(h={":hover":t.rootHovered},h[":hover ."+g.msButtonLabel]=t.labelHovered,h[":hover ."+g.msButtonIcon]=t.iconHovered,h[":hover ."+g.msButtonDescription]=t.descriptionHovered,h[":hover ."+g.msButtonMenuIcon]=t.menuIconHovered,h[":focus"]=t.rootFocused,h[":active"]=t.rootPressed,h[":active ."+g.msButtonIcon]=t.iconPressed,h[":active ."+g.msButtonDescription]=t.descriptionPressed,h[":active ."+g.msButtonMenuIcon]=t.menuIconPressed,h)},l&&u&&[t.rootCheckedDisabled],!l&&u&&{selectors:{":hover":t.rootCheckedHovered,":active":t.rootCheckedPressed}},o],flexContainer:[g.msButtonFlexContainer,t.flexContainer],textContainer:[g.msButtonTextContainer,t.textContainer],icon:[g.msButtonIcon,a,t.icon,f&&t.iconExpanded,u&&t.iconChecked,l&&t.iconDisabled],label:[g.msButtonLabel,t.label,u&&t.labelChecked,l&&t.labelDisabled],menuIcon:[g.msButtonMenuIcon,s,t.menuIcon,u&&t.menuIconChecked,l&&!p&&t.menuIconDisabled,!l&&!f&&!u&&{selectors:{":hover":t.menuIconHovered,":active":t.menuIconPressed}},f&&["is-expanded",t.menuIconExpanded]],description:[g.msButtonDescription,t.description,u&&t.descriptionChecked,l&&t.descriptionDisabled],screenReaderText:[g.msButtonScreenReaderText,t.screenReaderText]})}))},4968:(e,t,o)=>{"use strict";o.d(t,{Y:()=>P});var n=o(7622),r=o(7002),i=o(5094),a=o(8088),s=o(7466),l=o(8145),c=o(688),u=o(2167),d=o(9919),p=o(5415),m=o(3129),h=o(2782),g=o(8127),f=o(2447),v=o(9013),b=o(5480),y=o(9577),_=o(4932),C=o(9947),S=o(4734),x=o(7840),k=o(6628),w=o(9134),I=o(2657),D=o(5032),T=o(9949),E="BaseButton",P=function(e){function t(t){var o=e.call(this,t)||this;return o._buttonElement=r.createRef(),o._splitButtonContainer=r.createRef(),o._mergedRef=(0,_.S)(),o._renderedVisibleMenu=!1,o._getMemoizedMenuButtonKeytipProps=(0,i.NF)((function(e){return(0,n.pi)((0,n.pi)({},e),{hasMenu:!0})})),o._onRenderIcon=function(e,t){var i=o.props.iconProps;if(i&&(void 0!==i.iconName||i.imageProps)){var s=i.className,l=i.imageProps,c=(0,n._T)(i,["className","imageProps"]);if(i.styles)return r.createElement(C.J,(0,n.pi)({className:(0,a.i)(o._classNames.icon,s),imageProps:l},c));if(i.iconName)return r.createElement(S.xu,(0,n.pi)({className:(0,a.i)(o._classNames.icon,s)},c));if(l)return r.createElement(x.X,(0,n.pi)({className:(0,a.i)(o._classNames.icon,s),imageProps:l},c))}return null},o._onRenderTextContents=function(){var e=o.props,t=e.text,n=e.children,i=e.secondaryText,a=void 0===i?o.props.description:i,s=e.onRenderText,l=void 0===s?o._onRenderText:s,c=e.onRenderDescription,u=void 0===c?o._onRenderDescription:c;return t||"string"==typeof n||a?r.createElement("span",{className:o._classNames.textContainer},l(o.props,o._onRenderText),u(o.props,o._onRenderDescription)):[l(o.props,o._onRenderText),u(o.props,o._onRenderDescription)]},o._onRenderText=function(){var e=o.props.text,t=o.props.children;return void 0===e&&"string"==typeof t&&(e=t),o._hasText()?r.createElement("span",{key:o._labelId,className:o._classNames.label,id:o._labelId},e):null},o._onRenderChildren=function(){var e=o.props.children;return"string"==typeof e?null:e},o._onRenderDescription=function(e){var t=e.secondaryText,n=void 0===t?o.props.description:t;return n?r.createElement("span",{key:o._descriptionId,className:o._classNames.description,id:o._descriptionId},n):null},o._onRenderAriaDescription=function(){var e=o.props.ariaDescription;return e?r.createElement("span",{className:o._classNames.screenReaderText,id:o._ariaDescriptionId},e):null},o._onRenderMenuIcon=function(e){var t=o.props.menuIconProps;return r.createElement(S.xu,(0,n.pi)({iconName:"ChevronDown"},t,{className:o._classNames.menuIcon}))},o._onRenderMenu=function(e){var t=o.props.persistMenu,i=o.state.menuHidden,s=o.props.menuAs||w.r;return e.ariaLabel||e.labelElementId||!o._hasText()||(e=(0,n.pi)((0,n.pi)({},e),{labelElementId:o._labelId})),r.createElement(s,(0,n.pi)({id:o._labelId+"-menu",directionalHint:k.b.bottomLeftEdge},e,{shouldFocusOnContainer:o._menuShouldFocusOnContainer,shouldFocusOnMount:o._menuShouldFocusOnMount,hidden:t?i:void 0,className:(0,a.i)("ms-BaseButton-menuhost",e.className),target:o._isSplitButton?o._splitButtonContainer.current:o._buttonElement.current,onDismiss:o._onDismissMenu}))},o._onDismissMenu=function(e){var t=o.props.menuProps;t&&t.onDismiss&&t.onDismiss(e),e&&e.defaultPrevented||o._dismissMenu()},o._dismissMenu=function(){o._menuShouldFocusOnMount=void 0,o._menuShouldFocusOnContainer=void 0,o.setState({menuHidden:!0})},o._openMenu=function(e,t){void 0===t&&(t=!0),o.props.menuProps&&(o._menuShouldFocusOnContainer=e,o._menuShouldFocusOnMount=t,o._renderedVisibleMenu=!0,o.setState({menuHidden:!1}))},o._onToggleMenu=function(e){var t=!0;o.props.menuProps&&!1===o.props.menuProps.shouldFocusOnMount&&(t=!1),o.state.menuHidden?o._openMenu(e,t):o._dismissMenu()},o._onSplitContainerFocusCapture=function(e){var t=o._splitButtonContainer.current;!t||e.target&&(0,s.w)(e.target,t)||t.focus()},o._onSplitButtonPrimaryClick=function(e){o.state.menuHidden||o._dismissMenu(),!o._processingTouch&&o.props.onClick?o.props.onClick(e):o._processingTouch&&o._onMenuClick(e)},o._onKeyDown=function(e){!o.props.disabled||e.which!==l.m.enter&&e.which!==l.m.space?o.props.disabled||(o.props.menuProps?o._onMenuKeyDown(e):void 0!==o.props.onKeyDown&&o.props.onKeyDown(e)):(e.preventDefault(),e.stopPropagation())},o._onKeyUp=function(e){o.props.disabled||void 0===o.props.onKeyUp||o.props.onKeyUp(e)},o._onKeyPress=function(e){o.props.disabled||void 0===o.props.onKeyPress||o.props.onKeyPress(e)},o._onMouseUp=function(e){o.props.disabled||void 0===o.props.onMouseUp||o.props.onMouseUp(e)},o._onMouseDown=function(e){o.props.disabled||void 0===o.props.onMouseDown||o.props.onMouseDown(e)},o._onClick=function(e){o.props.disabled||(o.props.menuProps?o._onMenuClick(e):void 0!==o.props.onClick&&o.props.onClick(e))},o._onSplitButtonContainerKeyDown=function(e){e.which===l.m.enter||e.which===l.m.space?o._buttonElement.current&&(o._buttonElement.current.click(),e.preventDefault(),e.stopPropagation()):o._onMenuKeyDown(e)},o._onMenuKeyDown=function(e){if(!o.props.disabled){o.props.onKeyDown&&o.props.onKeyDown(e);var t=e.which===l.m.up,n=e.which===l.m.down;if(!e.defaultPrevented&&o._isValidMenuOpenKey(e)){var r=o.props.onMenuClick;r&&r(e,o.props),o._onToggleMenu(!1),e.preventDefault(),e.stopPropagation()}e.altKey||e.metaKey||!t&&!n||!o.state.menuHidden&&o.props.menuProps&&((void 0!==o._menuShouldFocusOnMount?o._menuShouldFocusOnMount:o.props.menuProps.shouldFocusOnMount)||(e.preventDefault(),e.stopPropagation(),o._menuShouldFocusOnMount=!0,o.forceUpdate()))}},o._onTouchStart=function(){o._isSplitButton&&o._splitButtonContainer.current&&!("onpointerdown"in o._splitButtonContainer.current)&&o._handleTouchAndPointerEvent()},o._onMenuClick=function(e){var t=o.props.onMenuClick;if(t&&t(e,o.props),!e.defaultPrevented){var n=0!==e.nativeEvent.detail||"mouse"===e.nativeEvent.pointerType;o._onToggleMenu(n),e.preventDefault(),e.stopPropagation()}},(0,c.l)(o),o._async=new u.e(o),o._events=new d.r(o),(0,p.w)(E,t,["menuProps","onClick"],"split",o.props.split),(0,m.b)(E,t,{rootProps:void 0,description:"secondaryText",toggled:"checked"}),o._labelId=(0,h.z)(),o._descriptionId=(0,h.z)(),o._ariaDescriptionId=(0,h.z)(),o.state={menuHidden:!0},o}return(0,n.ZT)(t,e),Object.defineProperty(t.prototype,"_isSplitButton",{get:function(){return!!this.props.menuProps&&!!this.props.onClick&&!0===this.props.split},enumerable:!0,configurable:!0}),t.prototype.render=function(){var e,t=this.props,o=t.ariaDescription,n=t.ariaLabel,r=t.ariaHidden,i=t.className,a=t.disabled,s=t.allowDisabledFocus,l=t.primaryDisabled,c=t.secondaryText,u=void 0===c?this.props.description:c,d=t.href,p=t.iconProps,m=t.menuIconProps,h=t.styles,b=t.checked,y=t.variantClassName,_=t.theme,C=t.toggle,S=t.getClassNames,x=t.role,k=this.state.menuHidden,w=a||l;this._classNames=S?S(_,i,y,p&&p.className,m&&m.className,w,b,!k,!!this.props.menuProps,this.props.split,!!s):(0,I.f)(_,h,i,y,p&&p.className,m&&m.className,w,!!this.props.menuProps,b,!k,this.props.split);var D=this,T=D._ariaDescriptionId,E=D._labelId,P=D._descriptionId,M=!w&&!!d,R=M?"a":"button",N=(0,g.pq)((0,f.f0)(M?{}:{type:"button"},this.props.rootProps,this.props),M?g.h2:g.Yq,["disabled"]),B=n||N["aria-label"],F=void 0;o?F=T:u&&this.props.onRenderDescription!==v.S?F=P:N["aria-describedby"]&&(F=N["aria-describedby"]);var L=void 0;B||(N["aria-labelledby"]?L=N["aria-labelledby"]:F&&(L=this._hasText()?E:void 0));var A=!(!1===this.props["data-is-focusable"]||a&&!s||this._isSplitButton),z="menuitemcheckbox"===x||"checkbox"===x,H=z||!0===C?!!b:void 0,O=(0,f.f0)(N,((e={className:this._classNames.root,ref:this._mergedRef(this.props.elementRef,this._buttonElement),disabled:w&&!s,onKeyDown:this._onKeyDown,onKeyPress:this._onKeyPress,onKeyUp:this._onKeyUp,onMouseDown:this._onMouseDown,onMouseUp:this._onMouseUp,onClick:this._onClick,"aria-label":B,"aria-labelledby":L,"aria-describedby":F,"aria-disabled":w,"data-is-focusable":A})[z?"aria-checked":"aria-pressed"]=H,e));return r&&(O["aria-hidden"]=!0),this._isSplitButton?this._onRenderSplitButtonContent(R,O):(this.props.menuProps&&(0,f.f0)(O,{"aria-expanded":!k,"aria-controls":k?null:this._labelId+"-menu","aria-haspopup":!0}),this._onRenderContent(R,O))},t.prototype.componentDidMount=function(){this._isSplitButton&&this._splitButtonContainer.current&&("onpointerdown"in this._splitButtonContainer.current&&this._events.on(this._splitButtonContainer.current,"pointerdown",this._onPointerDown,!0),"onpointerup"in this._splitButtonContainer.current&&this.props.onPointerUp&&this._events.on(this._splitButtonContainer.current,"pointerup",this.props.onPointerUp,!0))},t.prototype.componentDidUpdate=function(e,t){this.props.onAfterMenuDismiss&&!t.menuHidden&&this.state.menuHidden&&this.props.onAfterMenuDismiss()},t.prototype.componentWillUnmount=function(){this._async.dispose(),this._events.dispose()},t.prototype.focus=function(){this._isSplitButton&&this._splitButtonContainer.current?this._splitButtonContainer.current.focus():this._buttonElement.current&&this._buttonElement.current.focus()},t.prototype.dismissMenu=function(){this._dismissMenu()},t.prototype.openMenu=function(e,t){this._openMenu(e,t)},t.prototype._onRenderContent=function(e,t){var o=this,i=this.props,a=e,s=i.menuIconProps,l=i.menuProps,c=i.onRenderIcon,u=void 0===c?this._onRenderIcon:c,d=i.onRenderAriaDescription,p=void 0===d?this._onRenderAriaDescription:d,m=i.onRenderChildren,h=void 0===m?this._onRenderChildren:m,g=i.onRenderMenu,f=void 0===g?this._onRenderMenu:g,v=i.onRenderMenuIcon,y=void 0===v?this._onRenderMenuIcon:v,_=i.disabled,C=i.keytipProps;C&&l&&(C=this._getMemoizedMenuButtonKeytipProps(C));var S=function(e){return r.createElement(a,(0,n.pi)({},t,e),r.createElement("span",{className:o._classNames.flexContainer,"data-automationid":"splitbuttonprimary"},u(i,o._onRenderIcon),o._onRenderTextContents(),p(i,o._onRenderAriaDescription),h(i,o._onRenderChildren),!o._isSplitButton&&(l||s||o.props.onRenderMenuIcon)&&y(o.props,o._onRenderMenuIcon),l&&!l.doNotLayer&&o._shouldRenderMenu()&&f(l,o._onRenderMenu)))},x=C?r.createElement(T.a,{keytipProps:this._isSplitButton?void 0:C,ariaDescribedBy:t["aria-describedby"],disabled:_},(function(e){return S(e)})):S();return l&&l.doNotLayer?r.createElement(r.Fragment,null,x,this._shouldRenderMenu()&&f(l,this._onRenderMenu)):r.createElement(r.Fragment,null,x,r.createElement(b.u,null))},t.prototype._shouldRenderMenu=function(){var e=this.state.menuHidden,t=this.props,o=t.persistMenu,n=t.renderPersistedMenuHiddenOnMount;return!e||!(!o||!this._renderedVisibleMenu&&!n)},t.prototype._hasText=function(){return null!==this.props.text&&(void 0!==this.props.text||"string"==typeof this.props.children)},t.prototype._onRenderSplitButtonContent=function(e,t){var o=this,i=this.props,a=i.styles,s=void 0===a?{}:a,l=i.disabled,c=i.allowDisabledFocus,u=i.checked,d=i.getSplitButtonClassNames,p=i.primaryDisabled,m=i.menuProps,h=i.toggle,v=i.role,b=i.primaryActionButtonProps,_=this.props.keytipProps,C=this.state.menuHidden,S=d?d(!!l,!C,!!u,!!c):s&&(0,D.W)(s,!!l,!C,!!u,!!p);(0,f.f0)(t,{onClick:void 0,onPointerDown:void 0,onPointerUp:void 0,tabIndex:-1,"data-is-focusable":!1}),_&&m&&(_=this._getMemoizedMenuButtonKeytipProps(_));var x=(0,g.pq)(t,[],["disabled"]);b&&(0,f.f0)(t,b);var k=function(i){return r.createElement("div",(0,n.pi)({},x,{"data-ktp-target":i?i["data-ktp-target"]:void 0,role:v||"button","aria-disabled":l,"aria-haspopup":!0,"aria-expanded":!C,"aria-pressed":h?!!u:void 0,"aria-describedby":(0,y.I)(t["aria-describedby"],i?i["aria-describedby"]:void 0),className:S&&S.splitButtonContainer,onKeyDown:o._onSplitButtonContainerKeyDown,onTouchStart:o._onTouchStart,ref:o._splitButtonContainer,"data-is-focusable":!0,onClick:l||p?void 0:o._onSplitButtonPrimaryClick,tabIndex:!l||c?0:void 0,"aria-roledescription":t["aria-roledescription"],onFocusCapture:o._onSplitContainerFocusCapture}),r.createElement("span",{style:{display:"flex"}},o._onRenderContent(e,t),o._onRenderSplitButtonMenuButton(S,i),o._onRenderSplitButtonDivider(S)))};return _?r.createElement(T.a,{keytipProps:_,disabled:l},(function(e){return k(e)})):k()},t.prototype._onRenderSplitButtonDivider=function(e){return e&&e.divider?r.createElement("span",{className:e.divider,"aria-hidden":!0,onClick:function(e){e.stopPropagation()}}):null},t.prototype._onRenderSplitButtonMenuButton=function(e,o){var i=this.props,a=i.allowDisabledFocus,s=i.checked,l=i.disabled,c=i.splitButtonMenuProps,u=i.splitButtonAriaLabel,d=this.state.menuHidden,p=this.props.menuIconProps;void 0===p&&(p={iconName:"ChevronDown"});var m=(0,n.pi)((0,n.pi)({},c),{styles:e,checked:s,disabled:l,allowDisabledFocus:a,onClick:this._onMenuClick,menuProps:void 0,iconProps:(0,n.pi)((0,n.pi)({},p),{className:this._classNames.menuIcon}),ariaLabel:u,"aria-haspopup":!0,"aria-expanded":!d,"data-is-focusable":!1});return r.createElement(t,(0,n.pi)({},m,{"data-ktp-execute-target":o?o["data-ktp-execute-target"]:o,onMouseDown:this._onMouseDown,tabIndex:-1}))},t.prototype._onPointerDown=function(e){var t=this.props.onPointerDown;t&&t(e),"touch"===e.pointerType&&(this._handleTouchAndPointerEvent(),e.preventDefault(),e.stopImmediatePropagation())},t.prototype._handleTouchAndPointerEvent=function(){var e=this;void 0!==this._lastTouchTimeoutId&&(this._async.clearTimeout(this._lastTouchTimeoutId),this._lastTouchTimeoutId=void 0),this._processingTouch=!0,this._lastTouchTimeoutId=this._async.setTimeout((function(){e._processingTouch=!1,e._lastTouchTimeoutId=void 0,e.focus()}),500)},t.prototype._isValidMenuOpenKey=function(e){return this.props.menuTriggerKeyCode?e.which===this.props.menuTriggerKeyCode:!!this.props.menuProps&&e.which===l.m.down&&(e.altKey||e.metaKey)},t.defaultProps={baseClassName:"ms-Button",styles:{},split:!1},t}(r.Component)},1860:(e,t,o)=>{"use strict";o.d(t,{W:()=>s});var n=o(5094),r=o(9729),i={outline:0},a=function(e){return{fontSize:e,margin:"0 4px",height:"16px",lineHeight:"16px",textAlign:"center",flexShrink:0}},s=(0,n.NF)((function(e){var t,o,n=e.semanticColors,s=e.effects,l=e.fonts,c=n.buttonBorder,u=n.disabledBackground,d=n.disabledText,p={left:-2,top:-2,bottom:-2,right:-2,outlineColor:"ButtonText"};return{root:[(0,r.GL)(e,{inset:1,highContrastStyle:p,borderColor:"transparent"}),e.fonts.medium,{boxSizing:"border-box",border:"1px solid "+c,userSelect:"none",display:"inline-block",textDecoration:"none",textAlign:"center",cursor:"pointer",padding:"0 16px",borderRadius:s.roundedCorner2,selectors:{":active > *":{position:"relative",left:0,top:0}}}],rootDisabled:[(0,r.GL)(e,{inset:1,highContrastStyle:p,borderColor:"transparent"}),{backgroundColor:u,borderColor:u,color:d,cursor:"default",pointerEvents:"none",selectors:{":hover":i,":focus":i}}],iconDisabled:{color:d,selectors:(t={},t[r.qJ]={color:"GrayText"},t)},menuIconDisabled:{color:d,selectors:(o={},o[r.qJ]={color:"GrayText"},o)},flexContainer:{display:"flex",height:"100%",flexWrap:"nowrap",justifyContent:"center",alignItems:"center"},description:{display:"block"},textContainer:{flexGrow:1,display:"block"},icon:a(l.mediumPlus.fontSize),menuIcon:a(l.small.fontSize),label:{margin:"0 4px",lineHeight:"100%",display:"block"},screenReaderText:r.ul}}))},7664:(e,t,o)=>{"use strict";o.d(t,{D:()=>a,f:()=>s});var n=o(7622),r=o(9729),i=o(6145);function a(e){var t,o,i,a,s,l=e.semanticColors,c=e.palette,u=l.buttonBackground,d=l.buttonBackgroundPressed,p=l.buttonBackgroundHovered,m=l.buttonBackgroundDisabled,h=l.buttonText,g=l.buttonTextHovered,f=l.buttonTextDisabled,v=l.buttonTextChecked,b=l.buttonTextCheckedHovered;return{root:{backgroundColor:u,color:h},rootHovered:{backgroundColor:p,color:g,selectors:(t={},t[r.qJ]={borderColor:"Highlight",color:"Highlight"},t)},rootPressed:{backgroundColor:d,color:v},rootExpanded:{backgroundColor:d,color:v},rootChecked:{backgroundColor:d,color:v},rootCheckedHovered:{backgroundColor:d,color:b},rootDisabled:{color:f,backgroundColor:m,selectors:(o={},o[r.qJ]={color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},o)},splitButtonContainer:{selectors:(i={},i[r.qJ]={border:"none"},i)},splitButtonMenuButton:{color:c.white,backgroundColor:"transparent",selectors:{":hover":{backgroundColor:c.neutralLight,selectors:(a={},a[r.qJ]={color:"Highlight"},a)}}},splitButtonMenuButtonDisabled:{backgroundColor:l.buttonBackgroundDisabled,selectors:{":hover":{backgroundColor:l.buttonBackgroundDisabled}}},splitButtonDivider:(0,n.pi)((0,n.pi)({},{position:"absolute",width:1,right:31,top:8,bottom:8}),{backgroundColor:c.neutralTertiaryAlt,selectors:(s={},s[r.qJ]={backgroundColor:"WindowText"},s)}),splitButtonDividerDisabled:{backgroundColor:e.palette.neutralTertiaryAlt},splitButtonMenuButtonChecked:{backgroundColor:c.neutralQuaternaryAlt,selectors:{":hover":{backgroundColor:c.neutralQuaternaryAlt}}},splitButtonMenuButtonExpanded:{backgroundColor:c.neutralQuaternaryAlt,selectors:{":hover":{backgroundColor:c.neutralQuaternaryAlt}}},splitButtonMenuIcon:{color:l.buttonText},splitButtonMenuIconDisabled:{color:l.buttonTextDisabled}}}function s(e){var t,o,a,s,l,c,u,d,p,m=e.palette,h=e.semanticColors;return{root:{backgroundColor:h.primaryButtonBackground,border:"1px solid "+h.primaryButtonBackground,color:h.primaryButtonText,selectors:(t={},t[r.qJ]=(0,n.pi)({color:"Window",backgroundColor:"WindowText",borderColor:"WindowText"},(0,r.xM)()),t["."+i.G$+" &:focus"]={selectors:{":after":{border:"none",outlineColor:m.white}}},t)},rootHovered:{backgroundColor:h.primaryButtonBackgroundHovered,border:"1px solid "+h.primaryButtonBackgroundHovered,color:h.primaryButtonTextHovered,selectors:(o={},o[r.qJ]={color:"Window",backgroundColor:"Highlight",borderColor:"Highlight"},o)},rootPressed:{backgroundColor:h.primaryButtonBackgroundPressed,border:"1px solid "+h.primaryButtonBackgroundPressed,color:h.primaryButtonTextPressed,selectors:(a={},a[r.qJ]=(0,n.pi)({color:"Window",backgroundColor:"WindowText",borderColor:"WindowText"},(0,r.xM)()),a)},rootExpanded:{backgroundColor:h.primaryButtonBackgroundPressed,color:h.primaryButtonTextPressed},rootChecked:{backgroundColor:h.primaryButtonBackgroundPressed,color:h.primaryButtonTextPressed},rootCheckedHovered:{backgroundColor:h.primaryButtonBackgroundPressed,color:h.primaryButtonTextPressed},rootDisabled:{color:h.primaryButtonTextDisabled,backgroundColor:h.primaryButtonBackgroundDisabled,selectors:(s={},s[r.qJ]={color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},s)},splitButtonContainer:{selectors:(l={},l[r.qJ]={border:"none"},l)},splitButtonDivider:(0,n.pi)((0,n.pi)({},{position:"absolute",width:1,right:31,top:8,bottom:8}),{backgroundColor:m.white,selectors:(c={},c[r.qJ]={backgroundColor:"Window"},c)}),splitButtonMenuButton:{backgroundColor:h.primaryButtonBackground,color:h.primaryButtonText,selectors:(u={},u[r.qJ]={backgroundColor:"WindowText"},u[":hover"]={backgroundColor:h.primaryButtonBackgroundHovered,selectors:(d={},d[r.qJ]={color:"Highlight"},d)},u)},splitButtonMenuButtonDisabled:{backgroundColor:h.primaryButtonBackgroundDisabled,selectors:{":hover":{backgroundColor:h.primaryButtonBackgroundDisabled}}},splitButtonMenuButtonChecked:{backgroundColor:h.primaryButtonBackgroundPressed,selectors:{":hover":{backgroundColor:h.primaryButtonBackgroundPressed}}},splitButtonMenuButtonExpanded:{backgroundColor:h.primaryButtonBackgroundPressed,selectors:{":hover":{backgroundColor:h.primaryButtonBackgroundPressed}}},splitButtonMenuIcon:{color:h.primaryButtonText},splitButtonMenuIconDisabled:{color:m.neutralTertiary,selectors:(p={},p[r.qJ]={color:"GrayText"},p)}}}},1420:(e,t,o)=>{"use strict";o.d(t,{Q:()=>h});var n=o(7622),r=o(7002),i=o(4968),a=o(9013),s=o(6053),l=o(9729),c=o(5094),u=o(1860),d=o(8198),p=o(2657),m=(0,c.NF)((function(e,t,o,r){var i,a,s,c,m,h,g,f,v,b,y,_,C,S,x=(0,u.W)(e),k=(0,d.W)(e),w=e.palette,I=e.semanticColors,D={root:[(0,l.GL)(e,{inset:2,highContrastStyle:{left:4,top:4,bottom:4,right:4,border:"none"},borderColor:"transparent"}),e.fonts.medium,{minWidth:"40px",backgroundColor:w.white,color:w.neutralPrimary,padding:"0 4px",border:"none",borderRadius:0,selectors:(i={},i[l.qJ]={border:"none"},i)}],rootHovered:{backgroundColor:w.neutralLighter,color:w.neutralDark,selectors:(a={},a[l.qJ]={color:"Highlight"},a["."+p.n.msButtonIcon]={color:w.themeDarkAlt},a["."+p.n.msButtonMenuIcon]={color:w.neutralPrimary},a)},rootPressed:{backgroundColor:w.neutralLight,color:w.neutralDark,selectors:(s={},s["."+p.n.msButtonIcon]={color:w.themeDark},s["."+p.n.msButtonMenuIcon]={color:w.neutralPrimary},s)},rootChecked:{backgroundColor:w.neutralLight,color:w.neutralDark,selectors:(c={},c["."+p.n.msButtonIcon]={color:w.themeDark},c["."+p.n.msButtonMenuIcon]={color:w.neutralPrimary},c)},rootCheckedHovered:{backgroundColor:w.neutralQuaternaryAlt,selectors:(m={},m["."+p.n.msButtonIcon]={color:w.themeDark},m["."+p.n.msButtonMenuIcon]={color:w.neutralPrimary},m)},rootExpanded:{backgroundColor:w.neutralLight,color:w.neutralDark,selectors:(h={},h["."+p.n.msButtonIcon]={color:w.themeDark},h["."+p.n.msButtonMenuIcon]={color:w.neutralPrimary},h)},rootExpandedHovered:{backgroundColor:w.neutralQuaternaryAlt},rootDisabled:{backgroundColor:w.white,selectors:(g={},g["."+p.n.msButtonIcon]={color:I.disabledBodySubtext,selectors:(f={},f[l.qJ]=(0,n.pi)({color:"GrayText"},(0,l.xM)()),f)},g[l.qJ]=(0,n.pi)({color:"GrayText",backgroundColor:"Window"},(0,l.xM)()),g)},splitButtonContainer:{height:"100%",selectors:(v={},v[l.qJ]={border:"none"},v)},splitButtonDividerDisabled:{selectors:(b={},b[l.qJ]={backgroundColor:"Window"},b)},splitButtonDivider:{backgroundColor:w.neutralTertiaryAlt},splitButtonMenuButton:{backgroundColor:w.white,border:"none",borderTopRightRadius:"0",borderBottomRightRadius:"0",color:w.neutralSecondary,selectors:{":hover":{backgroundColor:w.neutralLighter,color:w.neutralDark,selectors:(y={},y[l.qJ]={color:"Highlight"},y["."+p.n.msButtonIcon]={color:w.neutralPrimary},y)},":active":{backgroundColor:w.neutralLight,selectors:(_={},_["."+p.n.msButtonIcon]={color:w.neutralPrimary},_)}}},splitButtonMenuButtonDisabled:{backgroundColor:w.white,selectors:(C={},C[l.qJ]=(0,n.pi)({color:"GrayText",border:"none",backgroundColor:"Window"},(0,l.xM)()),C)},splitButtonMenuButtonChecked:{backgroundColor:w.neutralLight,color:w.neutralDark,selectors:{":hover":{backgroundColor:w.neutralQuaternaryAlt}}},splitButtonMenuButtonExpanded:{backgroundColor:w.neutralLight,color:w.black,selectors:{":hover":{backgroundColor:w.neutralQuaternaryAlt}}},splitButtonMenuIcon:{color:w.neutralPrimary},splitButtonMenuIconDisabled:{color:w.neutralTertiary},label:{fontWeight:"normal"},icon:{color:w.themePrimary},menuIcon:(S={color:w.neutralSecondary},S[l.qJ]={color:"GrayText"},S)};return(0,l.E$)(x,k,D,t)})),h=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.theme;return r.createElement(i.Y,(0,n.pi)({},this.props,{variantClassName:"ms-Button--commandBar",styles:m(o,t),onRenderDescription:a.S}))},(0,n.gn)([(0,s.a)("CommandBarButton",["theme","styles"],!0)],t)}(r.Component)},990:(e,t,o)=>{"use strict";o.d(t,{M:()=>n});var n=o(2898).K},8959:(e,t,o)=>{"use strict";o.d(t,{W:()=>m});var n=o(7622),r=o(7002),i=o(4968),a=o(6053),s=o(9729),l=o(5094),c=o(1860),u=o(8198),d=o(7664),p=(0,l.NF)((function(e,t,o){var r,i,a,l,p,m=e.fonts,h=e.palette,g=(0,c.W)(e),f=(0,u.W)(e),v={root:{maxWidth:"280px",minHeight:"72px",height:"auto",padding:"16px 12px"},flexContainer:{flexDirection:"row",alignItems:"flex-start",minWidth:"100%",margin:""},textContainer:{textAlign:"left"},icon:{fontSize:"2em",lineHeight:"1em",height:"1em",margin:"0px 8px 0px 0px",flexBasis:"1em",flexShrink:"0"},label:{margin:"0 0 5px",lineHeight:"100%",fontWeight:s.lq.semibold},description:[m.small,{lineHeight:"100%"}]},b={description:{color:h.neutralSecondary},descriptionHovered:{color:h.neutralDark},descriptionPressed:{color:"inherit"},descriptionChecked:{color:"inherit"},descriptionDisabled:{color:"inherit"}},y={description:{color:h.white,selectors:(r={},r[s.qJ]=(0,n.pi)({backgroundColor:"WindowText",color:"Window"},(0,s.xM)()),r)},descriptionHovered:{color:h.white,selectors:(i={},i[s.qJ]={backgroundColor:"Highlight",color:"Window"},i)},descriptionPressed:{color:"inherit",selectors:(a={},a[s.qJ]=(0,n.pi)({color:"Window",backgroundColor:"WindowText"},(0,s.xM)()),a)},descriptionChecked:{color:"inherit",selectors:(l={},l[s.qJ]=(0,n.pi)({color:"Window",backgroundColor:"WindowText"},(0,s.xM)()),l)},descriptionDisabled:{color:"inherit",selectors:(p={},p[s.qJ]={color:"inherit"},p)}};return(0,s.E$)(g,v,o?(0,d.f)(e):(0,d.D)(e),o?y:b,f,t)})),m=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.primary,o=void 0!==t&&t,a=e.styles,s=e.theme;return r.createElement(i.Y,(0,n.pi)({},this.props,{variantClassName:o?"ms-Button--compoundPrimary":"ms-Button--compound",styles:p(s,a,o)}))},(0,n.gn)([(0,a.a)("CompoundButton",["theme","styles"],!0)],t)}(r.Component)},9632:(e,t,o)=>{"use strict";o.d(t,{a:()=>h});var n=o(7622),r=o(7002),i=o(4968),a=o(9013),s=o(6053),l=o(9729),c=o(5094),u=o(1860),d=o(8198),p=o(7664),m=(0,c.NF)((function(e,t,o){var n=(0,u.W)(e),r=(0,d.W)(e),i={root:{minWidth:"80px",height:"32px"},label:{fontWeight:l.lq.semibold}};return(0,l.E$)(n,i,o?(0,p.f)(e):(0,p.D)(e),r,t)})),h=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.primary,o=void 0!==t&&t,s=e.styles,l=e.theme;return r.createElement(i.Y,(0,n.pi)({},this.props,{variantClassName:o?"ms-Button--primary":"ms-Button--default",styles:m(l,s,o),onRenderDescription:a.S}))},(0,n.gn)([(0,s.a)("DefaultButton",["theme","styles"],!0)],t)}(r.Component)},5758:(e,t,o)=>{"use strict";o.d(t,{h:()=>m});var n=o(7622),r=o(7002),i=o(4968),a=o(9013),s=o(6053),l=o(9729),c=o(5094),u=o(1860),d=o(8198),p=(0,c.NF)((function(e,t){var o,n=(0,u.W)(e),r=(0,d.W)(e),i=e.palette,a={root:{padding:"0 4px",width:"32px",height:"32px",backgroundColor:"transparent",border:"none",color:e.semanticColors.link},rootHovered:{color:i.themeDarkAlt,backgroundColor:i.neutralLighter,selectors:(o={},o[l.qJ]={borderColor:"Highlight",color:"Highlight"},o)},rootHasMenu:{width:"auto"},rootPressed:{color:i.themeDark,backgroundColor:i.neutralLight},rootExpanded:{color:i.themeDark,backgroundColor:i.neutralLight},rootChecked:{color:i.themeDark,backgroundColor:i.neutralLight},rootCheckedHovered:{color:i.themeDark,backgroundColor:i.neutralQuaternaryAlt},rootDisabled:{color:i.neutralTertiaryAlt}};return(0,l.E$)(n,a,r,t)})),m=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.theme;return r.createElement(i.Y,(0,n.pi)({},this.props,{variantClassName:"ms-Button--icon",styles:p(o,t),onRenderText:a.S,onRenderDescription:a.S}))},(0,n.gn)([(0,s.a)("IconButton",["theme","styles"],!0)],t)}(r.Component)},8924:(e,t,o)=>{"use strict";o.d(t,{K:()=>l});var n=o(7622),r=o(7002),i=o(9013),a=o(6053),s=o(9632),l=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){return r.createElement(s.a,(0,n.pi)({},this.props,{primary:!0,onRenderDescription:i.S}))},(0,n.gn)([(0,a.a)("PrimaryButton",["theme","styles"],!0)],t)}(r.Component)},5032:(e,t,o)=>{"use strict";o.d(t,{W:()=>i});var n=o(5094),r=o(9729),i=(0,n.NF)((function(e,t,o,n,i){return{root:(0,r.y0)(e.splitButtonMenuButton,o&&[e.splitButtonMenuButtonExpanded],t&&[e.splitButtonMenuButtonDisabled],n&&!t&&[e.splitButtonMenuButtonChecked]),splitButtonContainer:(0,r.y0)(e.splitButtonContainer,!t&&n&&[e.splitButtonContainerChecked,{selectors:{":hover":e.splitButtonContainerCheckedHovered}}],!t&&!n&&[{selectors:{":hover":e.splitButtonContainerHovered,":focus":e.splitButtonContainerFocused}}],t&&e.splitButtonContainerDisabled),icon:(0,r.y0)(e.splitButtonMenuIcon,t&&e.splitButtonMenuIconDisabled,!t&&i&&e.splitButtonMenuIcon),flexContainer:(0,r.y0)(e.splitButtonFlexContainer),divider:(0,r.y0)(e.splitButtonDivider,(i||t)&&e.splitButtonDividerDisabled)}}))},8198:(e,t,o)=>{"use strict";o.d(t,{W:()=>i});var n=o(7622),r=o(9729),i=(0,o(5094).NF)((function(e,t){var o,i,a,s,l,c,u,d,p,m,h,g,f,v=e.effects,b=e.palette,y=e.semanticColors,_={position:"absolute",width:1,right:31,top:8,bottom:8},C={splitButtonContainer:[(0,r.GL)(e,{highContrastStyle:{left:-2,top:-2,bottom:-2,right:-2,border:"none"},inset:2}),{display:"inline-flex",selectors:{".ms-Button--default":{borderTopRightRadius:"0",borderBottomRightRadius:"0",borderRight:"none"},".ms-Button--primary":{borderTopRightRadius:"0",borderBottomRightRadius:"0",border:"none",selectors:(o={},o[r.qJ]=(0,n.pi)({color:"WindowText",backgroundColor:"Window",border:"1px solid WindowText",borderRightWidth:"0"},(0,r.xM)()),o)},".ms-Button--primary + .ms-Button":{border:"none",selectors:(i={},i[r.qJ]={border:"1px solid WindowText",borderLeftWidth:"0"},i)}}}],splitButtonContainerHovered:{selectors:{".ms-Button--primary":{selectors:(a={},a[r.qJ]={color:"Window",backgroundColor:"Highlight"},a)},".ms-Button.is-disabled":{color:y.buttonTextDisabled,selectors:(s={},s[r.qJ]={color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},s)}}},splitButtonContainerChecked:{selectors:{".ms-Button--primary":{selectors:(l={},l[r.qJ]=(0,n.pi)({color:"Window",backgroundColor:"WindowText"},(0,r.xM)()),l)}}},splitButtonContainerCheckedHovered:{selectors:{".ms-Button--primary":{selectors:(c={},c[r.qJ]=(0,n.pi)({color:"Window",backgroundColor:"WindowText"},(0,r.xM)()),c)}}},splitButtonContainerFocused:{outline:"none!important"},splitButtonMenuButton:(u={padding:6,height:"auto",boxSizing:"border-box",borderRadius:0,borderTopRightRadius:v.roundedCorner2,borderBottomRightRadius:v.roundedCorner2,border:"1px solid "+b.neutralSecondaryAlt,borderLeft:"none",outline:"transparent",userSelect:"none",display:"inline-block",textDecoration:"none",textAlign:"center",cursor:"pointer",verticalAlign:"top",width:32,marginLeft:-1,marginTop:0,marginRight:0,marginBottom:0},u[r.qJ]={".ms-Button-menuIcon":{color:"WindowText"}},u),splitButtonDivider:(0,n.pi)((0,n.pi)({},_),{selectors:(d={},d[r.qJ]={backgroundColor:"WindowText"},d)}),splitButtonDividerDisabled:(0,n.pi)((0,n.pi)({},_),{selectors:(p={},p[r.qJ]={backgroundColor:"GrayText"},p)}),splitButtonMenuButtonDisabled:{pointerEvents:"none",border:"none",selectors:(m={":hover":{cursor:"default"},".ms-Button--primary":{selectors:(h={},h[r.qJ]={color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},h)},".ms-Button-menuIcon":{selectors:(g={},g[r.qJ]={color:"GrayText"},g)}},m[r.qJ]={color:"GrayText",border:"1px solid GrayText",backgroundColor:"Window"},m)},splitButtonFlexContainer:{display:"flex",height:"100%",flexWrap:"nowrap",justifyContent:"center",alignItems:"center"},splitButtonContainerDisabled:{outline:"none",border:"none",selectors:(f={},f[r.qJ]=(0,n.pi)({color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},(0,r.xM)()),f)}};return(0,r.E$)(C,t)}))},4977:(e,t,o)=>{"use strict";o.d(t,{f:()=>te});var n=o(2002),r=o(7622),i=o(7002),a=o(1093),s=o(6786),l=o(6974),c=o(7300),u=o(6953),d=o(8088),p=o(8145),m=o(9947),h=o(4316),g=o(4085),f=(0,c.y)(),v=function(e){var t=i.useRef(null);i.useImperativeHandle(e.componentRef,(function(){return{focus:function(){var e,o,n;null===(n=null===(e=t.current)||void 0===e?void 0:(o=e).focus)||void 0===n||n.call(o)}}}),[]);var o=e.strings,n=e.navigatedDate,a=e.dateTimeFormatter,s=e.styles,l=e.theme,c=e.className,d=e.onHeaderSelect,p=e.showSixWeeksByDefault,m=e.minDate,v=e.maxDate,_=e.restrictedDates,C=e.onNavigateDate,S=e.showWeekNumbers,x=e.dateRangeType,k=e.animationDirection,w=(0,g.M)(),I=(0,g.M)(),D=f(s,{theme:l,className:c,headerIsClickable:!!d,showWeekNumbers:S,animationDirection:k}),T=a.formatMonthYear(n,o),E=d?"button":"div",P=o.yearPickerHeaderAriaLabel?(0,u.W)(o.yearPickerHeaderAriaLabel,T):T;return i.createElement("div",{className:D.root,id:w},i.createElement("div",{className:D.header},i.createElement(E,{"aria-live":"polite","aria-atomic":"true","aria-label":d?P:void 0,key:T,className:D.monthAndYear,onClick:d,"data-is-focusable":!!d,tabIndex:d?0:-1,onKeyDown:y(d),type:"button"},i.createElement("span",{id:I},T)),i.createElement(b,(0,r.pi)({},e,{classNames:D,dayPickerId:w}))),i.createElement(h.Q,(0,r.pi)({},e,{styles:s,componentRef:t,strings:o,navigatedDate:n,weeksToShow:p?6:void 0,dateTimeFormatter:a,minDate:m,maxDate:v,restrictedDates:_,onNavigateDate:C,labelledBy:I,dateRangeType:x})))};v.displayName="CalendarDayBase";var b=function(e){var t,o,n=e.minDate,r=e.maxDate,a=e.navigatedDate,s=e.allFocusable,c=e.strings,u=e.navigationIcons,p=e.showCloseButton,h=e.classNames,g=e.dayPickerId,f=e.onNavigateDate,v=e.onDismiss,b=function(){f((0,l.zI)(a,1),!1)},_=function(){f((0,l.zI)(a,-1),!1)},C=u.leftNavigation,S=u.rightNavigation,x=u.closeIcon,k=!n||(0,l.NJ)(n,(0,l.pU)(a))<0,w=!r||(0,l.NJ)((0,l.D7)(a),r)<0;return i.createElement("div",{className:h.monthComponents},i.createElement("button",{className:(0,d.i)(h.headerIconButton,(t={},t[h.disabledStyle]=!k,t)),disabled:!s&&!k,"aria-disabled":!k,onClick:k?_:void 0,onKeyDown:k?y(_):void 0,"aria-controls":g,title:c.prevMonthAriaLabel?c.prevMonthAriaLabel+" "+c.months[(0,l.zI)(a,-1).getMonth()]:void 0,type:"button"},i.createElement(m.J,{iconName:C})),i.createElement("button",{className:(0,d.i)(h.headerIconButton,(o={},o[h.disabledStyle]=!w,o)),disabled:!s&&!w,"aria-disabled":!w,onClick:w?b:void 0,onKeyDown:w?y(b):void 0,"aria-controls":g,title:c.nextMonthAriaLabel?c.nextMonthAriaLabel+" "+c.months[(0,l.zI)(a,1).getMonth()]:void 0,type:"button"},i.createElement(m.J,{iconName:S})),p&&i.createElement("button",{className:(0,d.i)(h.headerIconButton),onClick:v,onKeyDown:y(v),title:c.closeButtonAriaLabel,type:"button"},i.createElement(m.J,{iconName:x})))};b.displayName="CalendarDayNavigationButtons";var y=function(e){return function(t){var o;switch(t.which){case p.m.enter:null===(o=e)||void 0===o||o()}}},_=o(9729),C=(0,n.z)(v,(function(e){var t=e.className,o=e.theme,n=e.headerIsClickable,i=e.showWeekNumbers,a=o.palette,s={selectors:{"&, &:disabled, & button":{color:a.neutralTertiaryAlt,pointerEvents:"none"}}};return{root:[_.Fv,{width:196,padding:12,boxSizing:"content-box"},i&&{width:226},t],header:{position:"relative",display:"inline-flex",height:28,lineHeight:44,width:"100%"},monthAndYear:[(0,_.GL)(o,{inset:1}),(0,r.pi)((0,r.pi)({},_.Ic.fadeIn200),{alignItems:"center",fontSize:_.TS.medium,fontFamily:"inherit",color:a.neutralPrimary,display:"inline-block",flexGrow:1,fontWeight:_.lq.semibold,padding:"0 4px 0 10px",border:"none",backgroundColor:"transparent",borderRadius:2,lineHeight:28,overflow:"hidden",whiteSpace:"nowrap",textAlign:"left",textOverflow:"ellipsis"}),n&&{selectors:{"&:hover":{cursor:"pointer",background:a.neutralLight,color:a.black}}}],monthComponents:{display:"inline-flex",alignSelf:"flex-end"},headerIconButton:[(0,_.GL)(o,{inset:-1}),{width:28,height:28,display:"block",textAlign:"center",lineHeight:28,fontSize:_.TS.small,fontFamily:"inherit",color:a.neutralPrimary,borderRadius:2,position:"relative",backgroundColor:"transparent",border:"none",padding:0,overflow:"visible",selectors:{"&:hover":{color:a.neutralDark,backgroundColor:a.neutralLight,cursor:"pointer",outline:"1px solid transparent"}}}],disabledStyle:s}}),void 0,{scope:"CalendarDay"}),S=o(2998),x=o(716),k=function(e){var t,o,n,i,a,s,l=e.className,c=e.theme,u=e.hasHeaderClickCallback,d=e.highlightCurrent,p=e.highlightSelected,m=e.animateBackwards,h=e.animationDirection,g=c.palette,f={};void 0!==m&&(f=h===x.s.Horizontal?m?_.Ic.slideRightIn20:_.Ic.slideLeftIn20:m?_.Ic.slideDownIn20:_.Ic.slideUpIn20);var v=void 0!==m?_.Ic.fadeIn200:{};return{root:[_.Fv,{width:196,padding:12,boxSizing:"content-box",overflow:"hidden"},l],headerContainer:{display:"flex"},currentItemButton:[(0,_.GL)(c,{inset:-1}),(0,r.pi)((0,r.pi)({},v),{fontSize:_.TS.medium,fontWeight:_.lq.semibold,fontFamily:"inherit",textAlign:"left",backgroundColor:"transparent",flexGrow:1,padding:"0 4px 0 10px",border:"none",overflow:"visible"}),u&&{selectors:{"&:hover, &:active":{cursor:u?"pointer":"default",color:g.neutralDark,outline:"1px solid transparent",backgroundColor:g.neutralLight}}}],navigationButtonsContainer:{display:"flex",alignItems:"center"},navigationButton:[(0,_.GL)(c,{inset:-1}),{fontFamily:"inherit",width:28,minWidth:28,height:28,minHeight:28,display:"block",textAlign:"center",lineHeight:28,fontSize:_.TS.small,color:g.neutralPrimary,borderRadius:2,position:"relative",backgroundColor:"transparent",border:"none",padding:0,overflow:"visible",selectors:{"&:hover":{color:g.neutralDark,cursor:"pointer",outline:"1px solid transparent",backgroundColor:g.neutralLight}}}],gridContainer:{marginTop:4},buttonRow:(0,r.pi)((0,r.pi)({},f),{marginBottom:16,selectors:{"&:nth-child(n + 3)":{marginBottom:0}}}),itemButton:[(0,_.GL)(c,{inset:-1}),{width:40,height:40,minWidth:40,minHeight:40,lineHeight:40,fontSize:_.TS.small,fontFamily:"inherit",padding:0,margin:"0 12px 0 0",color:g.neutralPrimary,backgroundColor:"transparent",border:"none",borderRadius:2,overflow:"visible",selectors:{"&:nth-child(4n + 4)":{marginRight:0},"&:nth-child(n + 9)":{marginBottom:0},"& div":{fontWeight:_.lq.regular},"&:hover":{color:g.neutralDark,backgroundColor:g.neutralLight,cursor:"pointer",outline:"1px solid transparent",selectors:(t={},t[_.qJ]=(0,r.pi)({background:"Window",color:"WindowText",outline:"1px solid Highlight"},(0,_.xM)()),t)},"&:active":{backgroundColor:g.themeLight,selectors:(o={},o[_.qJ]=(0,r.pi)({background:"Window",color:"Highlight"},(0,_.xM)()),o)}}}],current:d?{color:g.white,backgroundColor:g.themePrimary,selectors:(n={"& div":{fontWeight:_.lq.semibold},"&:hover":{backgroundColor:g.themePrimary,selectors:(i={},i[_.qJ]=(0,r.pi)({backgroundColor:"WindowText",color:"Window"},(0,_.xM)()),i)}},n[_.qJ]=(0,r.pi)({backgroundColor:"WindowText",color:"Window"},(0,_.xM)()),n)}:{},selected:p?{color:g.neutralPrimary,backgroundColor:g.themeLight,fontWeight:_.lq.semibold,selectors:(a={"& div":{fontWeight:_.lq.semibold},"&:hover, &:active":{backgroundColor:g.themeLight,selectors:(s={},s[_.qJ]=(0,r.pi)({color:"Window",background:"Highlight"},(0,_.xM)()),s)}},a[_.qJ]=(0,r.pi)({background:"Highlight",color:"Window"},(0,_.xM)()),a)}:{},disabled:{selectors:{"&, &:disabled, & button":{color:g.neutralTertiaryAlt,pointerEvents:"none"}}}}},w=function(e){return k(e)},I=o(63),D=o(5951),T=o(6876),E=o(6883),P=(0,c.y)(),M={prevRangeAriaLabel:void 0,nextRangeAriaLabel:void 0},R=function(e){var t,o,n,r=e.styles,a=e.theme,s=e.className,l=e.highlightCurrentYear,c=e.highlightSelectedYear,u=e.year,m=e.selected,h=e.disabled,g=e.componentRef,f=e.onSelectYear,v=e.onRenderYear,b=i.useRef(null);i.useImperativeHandle(g,(function(){return{focus:function(){var e,t,o;null===(o=null===(e=b.current)||void 0===e?void 0:(t=e).focus)||void 0===o||o.call(t)}}}),[]);var y=P(r,{theme:a,className:s,highlightCurrent:l,highlightSelected:c});return i.createElement("button",{className:(0,d.i)(y.itemButton,(t={},t[y.selected]=m,t[y.disabled]=h,t)),type:"button",role:"gridcell",onClick:h?void 0:function(){var e;null===(e=f)||void 0===e||e(u)},onKeyDown:h?void 0:function(e){var t;e.which===p.m.enter&&(null===(t=f)||void 0===t||t(u))},disabled:h,"aria-selected":m,ref:b,"aria-readonly":!0},null!=(n=null===(o=v)||void 0===o?void 0:o(u))?n:u)};R.displayName="CalendarYearGridCell";var N,B=function(e){var t=e.styles,o=e.theme,n=e.className,a=e.fromYear,s=e.toYear,l=e.animationDirection,c=e.animateBackwards,u=e.minYear,d=e.maxYear,p=e.onSelectYear,m=e.selectedYear,h=e.componentRef,g=i.useRef(null),f=i.useRef(null);i.useImperativeHandle(h,(function(){return{focus:function(){var e,t,o;null===(o=null===(e=g.current||f.current)||void 0===e?void 0:(t=e).focus)||void 0===o||o.call(t)}}}),[]);for(var v,b,y,_,C=P(t,{theme:o,className:n,animateBackwards:c,animationDirection:l}),x=function(t){var o,n,r;return null!=(r=null===(n=(o=e).onRenderYear)||void 0===n?void 0:n.call(o,t))?r:t},k=x(a)+" - "+x(s),w=a,I=[],D=0;D<(s-a+1)/4;D++){I.push([]);for(var T=0;T<4;T++)I[D].push((void 0,void 0,void 0,b=(v=w)===m,y=void 0!==u&&vd,_=v===(new Date).getFullYear(),i.createElement(R,(0,r.pi)({},e,{key:v,year:v,selected:b,current:_,disabled:y,onSelectYear:p,componentRef:b?g:_?f:void 0,theme:o})))),w++}return i.createElement(S.k,null,i.createElement("div",{className:C.gridContainer,role:"grid","aria-label":k},I.map((function(e,t){return i.createElement("div",{key:"yearPickerRow_"+t+"_"+a,role:"row",className:C.buttonRow},e)}))))};B.displayName="CalendarYearGrid",function(e){e[e.Previous=0]="Previous",e[e.Next=1]="Next"}(N||(N={}));var F=function(e){var t,o=e.styles,n=e.theme,r=e.className,a=e.navigationIcons,s=void 0===a?E.XU:a,l=e.strings,c=void 0===l?M:l,u=e.direction,h=e.onSelectPrev,g=e.onSelectNext,f=e.fromYear,v=e.toYear,b=e.maxYear,y=e.minYear,_=P(o,{theme:n,className:r}),C=0===u?c.prevRangeAriaLabel:c.nextRangeAriaLabel,S=0===u?-12:12,x=C?"string"==typeof C?C:C({fromYear:f+S,toYear:v+S}):void 0,k=0===u?void 0!==y&&fb,w=function(){var e,t;0===u?null===(e=h)||void 0===e||e():null===(t=g)||void 0===t||t()},I=(0,D.zg)()?1===u:0===u;return i.createElement("button",{className:(0,d.i)(_.navigationButton,(t={},t[_.disabled]=k,t)),onClick:k?void 0:w,onKeyDown:k?void 0:function(e){e.which===p.m.enter&&w()},type:"button",title:x,disabled:k},i.createElement(m.J,{iconName:I?s.leftNavigation:s.rightNavigation}))};F.displayName="CalendarYearNavArrow";var L=function(e){var t=e.styles,o=e.theme,n=e.className,a=P(t,{theme:o,className:n});return i.createElement("div",{className:a.navigationButtonsContainer},i.createElement(F,(0,r.pi)({},e,{direction:0})),i.createElement(F,(0,r.pi)({},e,{direction:1})))};L.displayName="CalendarYearNav";var A=function(e){var t=e.styles,o=e.theme,n=e.className,r=e.fromYear,a=e.toYear,s=e.strings,l=void 0===s?M:s,c=e.animateBackwards,d=e.animationDirection,m=function(){var t,o;null===(o=(t=e).onHeaderSelect)||void 0===o||o.call(t,!0)},h=function(t){var o,n,r;return null!=(r=null===(n=(o=e).onRenderYear)||void 0===n?void 0:n.call(o,t))?r:t},g=P(t,{theme:o,className:n,hasHeaderClickCallback:!!e.onHeaderSelect,animateBackwards:c,animationDirection:d});if(e.onHeaderSelect){var f=l.rangeAriaLabel,v=l.headerAriaLabelFormatString,b=f?"string"==typeof f?f:f(e):void 0,y=v?(0,u.W)(v,b):b;return i.createElement("button",{className:g.currentItemButton,onClick:m,onKeyDown:function(e){e.which!==p.m.enter&&e.which!==p.m.space||m()},"aria-label":y,role:"button",type:"button","aria-atomic":!0,"aria-live":"polite"},h(r)," - ",h(a))}return i.createElement("div",{className:g.current},h(r)," - ",h(a))};A.displayName="CalendarYearTitle";var z,H=function(e){var t,o,n=e.styles,a=e.theme,s=e.className,l=e.animateBackwards,c=e.animationDirection,u=e.onRenderTitle,d=P(n,{theme:a,className:s,hasHeaderClickCallback:!!e.onHeaderSelect,animateBackwards:l,animationDirection:c});return i.createElement("div",{className:d.headerContainer},null!=(o=null===(t=u)||void 0===t?void 0:t(e))?o:i.createElement(A,(0,r.pi)({},e)),i.createElement(L,(0,r.pi)({},e)))};H.displayName="CalendarYearHeader",function(e){e[e.Previous=0]="Previous",e[e.Next=1]="Next"}(z||(z={}));var O=function(e){var t=function(e){var t=e.selectedYear,o=e.navigatedYear,n=t||o||(new Date).getFullYear(),r=10*Math.floor(n/10),i=(0,T.D)(r);return i&&i!==r?i>r:void 0}(e),o=function(e){var t=e.selectedYear,o=e.navigatedYear,n=i.useReducer((function(e,t){return e+(1===t?12:-12)}),void 0,(function(){var e=t||o||(new Date).getFullYear();return 10*Math.floor(e/10)})),r=n[0],a=n[1];return[r,r+12-1,function(){return a(1)},function(){return a(0)}]}(e),n=o[0],a=o[1],s=o[2],l=o[3],c=i.useRef(null);i.useImperativeHandle(e.componentRef,(function(){return{focus:function(){var e,t,o;null===(o=null===(e=c.current)||void 0===e?void 0:(t=e).focus)||void 0===o||o.call(t)}}}));var u=e.styles,d=e.theme,p=e.className,m=P(u,{theme:d,className:p});return i.createElement("div",{className:m.root},i.createElement(H,(0,r.pi)({},e,{fromYear:n,toYear:a,onSelectPrev:l,onSelectNext:s,animateBackwards:t})),i.createElement(B,(0,r.pi)({},e,{fromYear:n,toYear:a,animateBackwards:t,componentRef:c})))};O.displayName="CalendarYearBase";var W=(0,n.z)(O,(function(e){return k(e)}),void 0,{scope:"CalendarYear"}),V=(0,c.y)(),K={styles:w,strings:void 0,navigationIcons:E.XU,dateTimeFormatter:s.mR,yearPickerHidden:!1},q=function(e){var t,o,n=(0,I.j)(K,e),r=function(e){var t=e.componentRef,o=i.useRef(null),n=i.useRef(null),r=i.useRef(!1),a=i.useCallback((function(){n.current?n.current.focus():o.current&&o.current.focus()}),[]);return i.useImperativeHandle(t,(function(){return{focus:a}}),[a]),i.useEffect((function(){r.current&&(a(),r.current=!1)})),[o,n,function(){r.current=!0}]}(n),a=r[0],s=r[1],c=r[2],p=i.useState(!1),h=p[0],g=p[1],f=function(e){var t=e.navigatedDate.getFullYear(),o=(0,T.D)(t);return void 0===o||o===t?void 0:o>t}(n),v=n.navigatedDate,b=n.selectedDate,y=n.strings,_=n.today,C=void 0===_?new Date:_,x=n.navigationIcons,k=n.dateTimeFormatter,w=n.minDate,E=n.maxDate,P=n.theme,M=n.styles,R=n.className,N=n.allFocusable,B=n.highlightCurrentMonth,F=n.highlightSelectedMonth,L=n.animationDirection,A=n.yearPickerHidden,z=n.onNavigateDate,H=function(e){return function(){return j(e)}},O=function(){z((0,l.Bc)(v,1),!1)},q=function(){z((0,l.Bc)(v,-1),!1)},j=function(e){var t,o;null===(o=(t=n).onHeaderSelect)||void 0===o||o.call(t),z((0,l.q0)(v,e),!0)},J=function(){var e,t;A?null===(t=(e=n).onHeaderSelect)||void 0===t||t.call(e):(c(),g(!0))},Y=x.leftNavigation,Z=x.rightNavigation,X=k,Q=!w||(0,l.NJ)(w,(0,l.W8)(v))<0,$=!E||(0,l.NJ)((0,l.Q9)(v),E)<0,ee=V(M,{theme:P,className:R,hasHeaderClickCallback:!!n.onHeaderSelect||!A,highlightCurrent:B,highlightSelected:F,animateBackwards:f,animationDirection:L});if(h){var te=function(e){var t=e.strings,o=e.navigatedDate,n=e.dateTimeFormatter,r=function(e){if(n){var t=new Date(o.getTime());return t.setFullYear(e),n.formatYear(t)}return String(e)},i=function(e){return r(e.fromYear)+" - "+r(e.toYear)};return[r,{rangeAriaLabel:i,prevRangeAriaLabel:function(e){return t.prevYearRangeAriaLabel?t.prevYearRangeAriaLabel+" "+i(e):""},nextRangeAriaLabel:function(e){return t.nextYearRangeAriaLabel?t.nextYearRangeAriaLabel+" "+i(e):""},headerAriaLabelFormatString:t.yearPickerHeaderAriaLabel}]}(n),oe=te[0],ne=te[1];return i.createElement(W,{key:"calendarYear",minYear:w?w.getFullYear():void 0,maxYear:E?E.getFullYear():void 0,onSelectYear:function(e){if(c(),v.getFullYear()!==e){var t=new Date(v.getTime());t.setFullYear(e),E&&t>E?t=(0,l.q0)(t,E.getMonth()):w&&t{"use strict";var n;o.d(t,{s:()=>n}),function(e){e[e.Horizontal=0]="Horizontal",e[e.Vertical=1]="Vertical"}(n||(n={}))},6883:(e,t,o)=>{"use strict";o.d(t,{V3:()=>n,GC:()=>r,XU:()=>i});var n=o(6786).tf,r=n,i={leftNavigation:"Up",rightNavigation:"Down",closeIcon:"CalculatorMultiply"}},4316:(e,t,o)=>{"use strict";o.d(t,{Q:()=>M});var n=o(7622),r=o(7002),i=o(7300),a=o(5951),s=o(2998),l=o(6974),c=o(1093),u=function(e,t,o){var r=(0,n.pr)(e);return t&&(r=r.filter((function(e){return(0,l.NJ)(e,t)>=0}))),o&&(r=r.filter((function(e){return(0,l.NJ)(e,o)<=0}))),r},d=function(e,t){var o=t.minDate;return!!o&&(0,l.NJ)(o,e)>=1},p=function(e,t){var o=t.maxDate;return!!o&&(0,l.NJ)(e,o)>=1},m=function(e,t){var o=t.restrictedDates,n=t.minDate,r=t.maxDate;return!!(o||n||r)&&(o&&o.some((function(t){return(0,l.aN)(t,e)}))||d(e,t)||p(e,t))},h=o(6876),g=o(4085),f=o(2470),v=o(8088),b=function(e){var t=e.showWeekNumbers,o=e.strings,n=e.firstDayOfWeek,i=e.allFocusable,a=e.weeksToShow,s=e.weeks,l=e.classNames,u=o.shortDays.slice(),d=(0,f.cx)(s[1],(function(e){return 1===e.originalDate.getDate()}));if(1===a&&d>=0){var p=(d+n)%c.NA;u[p]=o.shortMonths[s[1][d].originalDate.getMonth()]}return r.createElement("tr",null,t&&r.createElement("th",{className:l.dayCell}),u.map((function(e,t){var a=(t+n)%c.NA,s=t===d?o.days[a]+" "+u[a]:o.days[a];return r.createElement("th",{className:(0,v.i)(l.dayCell,l.weekDayLabelCell),scope:"col",key:u[a]+" "+t,title:s,"aria-label":s,"data-is-focusable":!!i||void 0},u[a])})))},y=o(6953),_=o(8145),C=function(e){var t=e.targetDate,o=e.initialDate,r=e.direction,i=(0,n._T)(e,["targetDate","initialDate","direction"]),a=t;if(!m(t,i))return t;for(;0!==(0,l.NJ)(o,a)&&m(a,i)&&!p(a,i)&&!d(a,i);)a=(0,l.E4)(a,r);return 0===(0,l.NJ)(o,a)||m(a,i)?void 0:a},S=function(e){var t,o,n=e.navigatedDate,i=e.dateTimeFormatter,s=e.allFocusable,u=e.strings,d=e.activeDescendantId,p=e.navigatedDayRef,m=e.calculateRoundedStyles,h=e.weeks,g=e.classNames,f=e.day,b=e.dayIndex,y=e.weekIndex,S=e.weekCorners,x=e.ariaHidden,k=e.customDayCellRef,w=e.dateRangeType,I=e.daysToSelectInDayView,D=e.onSelectDate,T=e.restrictedDates,E=e.minDate,P=e.maxDate,M=e.onNavigateDate,R=e.getDayInfosInRangeOfDay,N=e.getRefsFromDayInfos,B=null!=(o=null===(t=S)||void 0===t?void 0:t[y+"_"+b])?o:"",F=(0,l.aN)(n,f.originalDate),L=i.formatMonthDayYear(f.originalDate,u);return f.isMarked&&(L=L+", "+u.dayMarkedAriaLabel),r.createElement("td",{className:(0,v.i)(g.dayCell,S&&B,f.isSelected&&g.daySelected,f.isSelected&&"ms-CalendarDay-daySelected",!f.isInBounds&&g.dayOutsideBounds,!f.isInMonth&&g.dayOutsideNavigatedMonth),ref:function(e){var t;null===(t=k)||void 0===t||t(e,f.originalDate,g),f.setRef(e)},"aria-hidden":x,onClick:f.isInBounds&&!x?f.onSelected:void 0,onMouseOver:x?void 0:function(e){var t=R(f),o=N(t);o.forEach((function(e,n){var r;if(e&&(e.classList.add("ms-CalendarDay-hoverStyle"),!t[n].isSelected&&w===c.NU.Day&&I&&I>1)){e.classList.remove(g.bottomLeftCornerDate,g.bottomRightCornerDate,g.topLeftCornerDate,g.topRightCornerDate);var i=m(g,!1,!1,n>0,n1)){var i=m(g,!1,!1,n>0,n0)};return[function(e,n){var r={},i=n.slice(1,n.length-1);return i.forEach((function(n,a){n.forEach((function(n,s){var l=i[a-1]&&i[a-1][s]&&o(i[a-1][s].originalDate,n.originalDate,i[a-1][s].isSelected,n.isSelected),c=i[a+1]&&i[a+1][s]&&o(i[a+1][s].originalDate,n.originalDate,i[a+1][s].isSelected,n.isSelected),u=i[a][s-1]&&o(i[a][s-1].originalDate,n.originalDate,i[a][s-1].isSelected,n.isSelected),d=i[a][s+1]&&o(i[a][s+1].originalDate,n.originalDate,i[a][s+1].isSelected,n.isSelected),p=t(e,l,c,u,d);r[a+"_"+s]=p}))})),r},t]}(e),_=y[0],C=y[1];r.useImperativeHandle(e.componentRef,(function(){return{focus:function(){var e,o,n;null===(n=null===(e=t.current)||void 0===e?void 0:(o=e).focus)||void 0===n||n.call(o)}}}),[]);var S=e.styles,I=e.theme,D=e.className,T=e.dateRangeType,E=e.showWeekNumbers,P=e.labelledBy,M=e.lightenDaysOutsideNavigatedMonth,R=e.animationDirection,N=k(S,{theme:I,className:D,dateRangeType:T,showWeekNumbers:E,lightenDaysOutsideNavigatedMonth:void 0===M||M,animationDirection:R,animateBackwards:v}),B=_(N,f),F={weeks:f,navigatedDayRef:t,calculateRoundedStyles:C,activeDescendantId:o,classNames:N,weekCorners:B,getDayInfosInRangeOfDay:function(t){var o=function(e,t){if(t&&e===c.NU.WorkWeek){for(var o=t.slice().sort(),n=!0,r=1;r{"use strict";o.d(t,{U:()=>s});var n=o(7622),r=o(7002),i=o(4941),a=o(7513),s=r.forwardRef((function(e,t){var o=e.layerProps,s=e.doNotLayer,l=(0,n._T)(e,["layerProps","doNotLayer"]),c=r.createElement(i.N,(0,n.pi)({},l,{ref:t}));return s?c:r.createElement(a.m,(0,n.pi)({},o),c)}));s.displayName="Callout"},5666:(e,t,o)=>{"use strict";o.d(t,{H:()=>T});var n,r=o(7622),i=o(7002),a=o(6628),s=o(4553),l=o(3345),c=o(9251),u=o(63),d=o(8127),p=o(8088),m=o(2447),h=o(4568),g=o(6591),f=o(752),v=o(7300),b=o(9729),y=o(3528),_=o(7913),C=o(9241),S=o(2674),x=((n={})[h.z.top]=b.k4.slideUpIn10,n[h.z.bottom]=b.k4.slideDownIn10,n[h.z.left]=b.k4.slideLeftIn10,n[h.z.right]=b.k4.slideRightIn10,n),k=(0,v.y)({disableCaching:!0}),w={opacity:0,filter:"opacity(0)",pointerEvents:"none"},I=["role","aria-roledescription"],D={preventDismissOnLostFocus:!1,preventDismissOnScroll:!1,preventDismissOnResize:!1,isBeakVisible:!0,beakWidth:16,gapSpace:0,minPagePadding:8,directionalHint:a.b.bottomAutoEdge};var T=i.memo(i.forwardRef((function(e,t){var o=(0,u.j)(D,e),n=o.styles,a=o.style,m=o.ariaLabel,h=o.ariaDescribedBy,v=o.ariaLabelledBy,b=o.className,T=o.isBeakVisible,M=o.children,R=o.beakWidth,N=o.calloutWidth,B=o.calloutMaxWidth,F=o.calloutMinWidth,L=o.finalHeight,A=o.hideOverflow,z=void 0===A?!!L:A,H=o.backgroundColor,O=o.calloutMaxHeight,W=o.onScroll,V=o.shouldRestoreFocus,K=void 0===V||V,q=o.target,G=o.hidden,U=o.onLayerMounted,j=i.useRef(null),J=i.useRef(null),Y=(0,C.r)(j,t),Z=(0,S.e)(o.target,J),X=Z[0],Q=Z[1],$=function(e,t,o){var n=e.bounds,r=e.minPagePadding,a=void 0===r?D.minPagePadding:r,s=e.target,l=i.useRef();return i.useCallback((function(){if(!l.current){var e="function"==typeof n?o?n(s,o):void 0:n;!e&&o&&(e={top:(e=(0,g.qE)(t.current,o)).top+a,left:e.left+a,right:e.right-a,bottom:e.bottom-a,width:e.width-2*a,height:e.height-2*a}),l.current=e}return l.current}),[n,a,s,t,o])}(o,X,Q),ee=function(e,t,o){var n=e.beakWidth,r=e.coverTarget,a=e.directionalHint,s=e.directionalHintFixed,l=e.gapSpace,c=e.isBeakVisible,u=e.hidden,d=i.useState(),p=d[0],m=d[1],h=(0,y.r)(),f=t.current;return i.useEffect((function(){var e;if(p||u)u&&m(void 0);else if(s&&f){var i=(null!=l?l:0)+(c&&n?n:0);h.requestAnimationFrame((function(){t.current&&m((0,g.DC)(t.current,a,i,o(),r))}))}else m(null===(e=o())||void 0===e?void 0:e.height)}),[t,f,l,n,o,u,h,r,a,s,c,p]),p}(o,X,$),te=function(e,t){var o=e.finalHeight,n=e.hidden,r=i.useState(0),a=r[0],s=r[1],l=(0,y.r)(),c=i.useRef(),u=i.useCallback((function(){t.current&&o&&(c.current=l.requestAnimationFrame((function(){var e,n=null===(e=t.current)||void 0===e?void 0:e.lastChild;if(n){var r=n.scrollHeight-n.offsetHeight;s((function(e){return e+r})),n.offsetHeight0&&(u.current=0,null===(i=f)||void 0===i||i(l))}}),o.current);return function(){return d.cancelAnimationFrame(i)}}}),[p,v,d,o,t,n,h,a,f,l,e,m]),l}(o,j,J,X,$),ne=function(e,t,o,n,r){var a=e.hidden,s=e.onDismiss,u=e.preventDismissOnScroll,d=e.preventDismissOnResize,p=e.preventDismissOnLostFocus,m=e.shouldDismissOnWindowFocus,h=e.preventDismissOnEvent,g=i.useRef(!1),f=(0,y.r)(),v=(0,_.B)([function(){g.current=!0},function(){g.current=!1}]),b=!!t;return i.useEffect((function(){var e=function(e){b&&!u&&v(e)},t=function(e){var t;d||null===(t=s)||void 0===t||t(e)},i=function(e){p||v(e)},v=function(e){var t,i=e.target,a=o.current&&!(0,l.t)(o.current,i);a&&g.current?g.current=!1:(!n.current&&a||e.target!==r&&a&&(!n.current||"stopPropagation"in n.current||i!==n.current&&!(0,l.t)(n.current,i)))&&(null===(t=s)||void 0===t||t(e))},y=function(e){var t,o;m&&((!h||h(e))&&(h||p)||(null===(t=r)||void 0===t?void 0:t.document.hasFocus())||null!==e.relatedTarget||null===(o=s)||void 0===o||o(e))},_=new Promise((function(o){f.setTimeout((function(){if(!a&&r){var n=[(0,c.on)(r,"scroll",e,!0),(0,c.on)(r,"resize",t,!0),(0,c.on)(r.document.documentElement,"focus",i,!0),(0,c.on)(r.document.documentElement,"click",i,!0),(0,c.on)(r,"blur",y,!0)];o((function(){n.forEach((function(e){return e()}))}))}}),0)}));return function(){_.then((function(e){return e()}))}}),[a,f,o,n,r,s,m,p,d,u,b,h]),v}(o,oe,j,X,Q),re=ne[0],ie=ne[1];if(function(e,t,o){var n=e.hidden,r=e.setInitialFocus,a=(0,y.r)(),l=!!t;i.useEffect((function(){if(!n&&r&&l&&o.current){var e=a.requestAnimationFrame((function(){return(0,s.uo)(o.current)}),o.current);return function(){return a.cancelAnimationFrame(e)}}}),[n,l,a,o,r])}(o,oe,J),i.useEffect((function(){var e;G||null===(e=U)||void 0===e||e()}),[G]),!Q)return null;var ae=ee?ee+te:void 0,se=O&&ae&&O{"use strict";o.d(t,{N:()=>l});var n=o(2002),r=o(5666),i=o(9729);function a(e){return{height:e,width:e}}var s={container:"ms-Callout-container",root:"ms-Callout",beak:"ms-Callout-beak",beakCurtain:"ms-Callout-beakCurtain",calloutMain:"ms-Callout-main"},l=(0,n.z)(r.H,(function(e){var t,o=e.theme,n=e.className,r=e.overflowYHidden,l=e.calloutWidth,c=e.beakWidth,u=e.backgroundColor,d=e.calloutMaxWidth,p=e.calloutMinWidth,m=(0,i.Cn)(s,o),h=o.semanticColors,g=o.effects;return{container:[m.container,{position:"relative"}],root:[m.root,o.fonts.medium,{position:"absolute",boxSizing:"border-box",borderRadius:g.roundedCorner2,boxShadow:g.elevation16,selectors:(t={},t[i.qJ]={borderWidth:1,borderStyle:"solid",borderColor:"WindowText"},t)},(0,i.e2)(),n,!!l&&{width:l},!!d&&{maxWidth:d},!!p&&{minWidth:p}],beak:[m.beak,{position:"absolute",backgroundColor:h.menuBackground,boxShadow:"inherit",border:"inherit",boxSizing:"border-box",transform:"rotate(45deg)"},a(c),u&&{backgroundColor:u}],beakCurtain:[m.beakCurtain,{position:"absolute",top:0,right:0,bottom:0,left:0,backgroundColor:h.menuBackground,borderRadius:g.roundedCorner2}],calloutMain:[m.calloutMain,{backgroundColor:h.menuBackground,overflowX:"hidden",overflowY:"auto",position:"relative",borderRadius:g.roundedCorner2},r&&{overflowY:"hidden"},u&&{backgroundColor:u}]}}),void 0,{scope:"CalloutContent"})},5790:(e,t,o)=>{"use strict";o.d(t,{A:()=>p});var n=o(7622),r=o(7002),i=o(4085),a=o(9241),s=o(6548),l=o(7300),c=o(5480),u=o(9947),d=(0,l.y)(),p=r.forwardRef((function(e,t){var o=e.disabled,l=e.required,p=e.inputProps,m=e.name,h=e.ariaLabel,g=e.ariaLabelledBy,f=e.ariaDescribedBy,v=e.ariaPositionInSet,b=e.ariaSetSize,y=e.title,_=e.label,C=e.checkmarkIconProps,S=e.styles,x=e.theme,k=e.className,w=e.boxSide,I=void 0===w?"start":w,D=(0,i.M)("checkbox-",e.id),T=r.useRef(null),E=(0,a.r)(T,t),P=r.useRef(null),M=(0,s.G)(e.checked,e.defaultChecked,e.onChange),R=M[0],N=M[1],B=(0,s.G)(e.indeterminate,e.defaultIndeterminate),F=B[0],L=B[1];(0,c.P)(T),function(e,t,o,n){r.useImperativeHandle(e.componentRef,(function(){return{get checked(){return!!t},get indeterminate(){return!!o},focus:function(){n.current&&n.current.focus()}}}),[n,t,o])}(e,R,F,P);var A=d(S,{theme:x,className:k,disabled:o,indeterminate:F,checked:R,reversed:"start"!==I,isUsingCustomLabelRender:!!e.onRenderLabel}),z=r.useCallback((function(e){return e&&e.label?r.createElement("span",{"aria-hidden":"true",className:A.text,title:e.title},e.label):null}),[A.text]),H=e.onRenderLabel||z,O=F?"mixed":R?"true":"false",W=(0,n.pi)((0,n.pi)({className:A.input,type:"checkbox"},p),{checked:!!R,disabled:o,required:l,name:m,id:D,title:y,onChange:function(e){F?(N(!!R,e),L(!1)):N(!R,e)},"aria-disabled":o,"aria-label":h||_,"aria-labelledby":g,"aria-describedby":f,"aria-posinset":v,"aria-setsize":b,"aria-checked":O});return r.createElement("div",{className:A.root,title:y,ref:E},r.createElement("input",(0,n.pi)({},W,{ref:P,"data-ktp-execute-target":!0})),r.createElement("label",{className:A.label,htmlFor:D},r.createElement("div",{className:A.checkbox,"data-ktp-target":!0},r.createElement(u.J,(0,n.pi)({iconName:"CheckMark"},C,{className:A.checkmark}))),H(e,z)))}));p.displayName="CheckboxBase"},2777:(e,t,o)=>{"use strict";o.d(t,{X:()=>p});var n=o(2002),r=o(5790),i=o(7622),a=o(9729),s=o(6145),l={root:"ms-Checkbox",label:"ms-Checkbox-label",checkbox:"ms-Checkbox-checkbox",checkmark:"ms-Checkbox-checkmark",text:"ms-Checkbox-text"},c="20px",u="200ms",d="cubic-bezier(.4, 0, .23, 1)",p=(0,n.z)(r.A,(function(e){var t,o,n,r,p,m,h,g,f,v,b,y,_,C,S,x,k,w,I=e.className,D=e.theme,T=e.reversed,E=e.checked,P=e.disabled,M=e.isUsingCustomLabelRender,R=e.indeterminate,N=D.semanticColors,B=D.effects,F=D.palette,L=D.fonts,A=(0,a.Cn)(l,D),z=N.inputForegroundChecked,H=F.neutralSecondary,O=F.neutralPrimary,W=N.inputBackgroundChecked,V=N.inputBackgroundChecked,K=N.disabledBodySubtext,q=N.inputBorderHovered,G=N.inputBackgroundCheckedHovered,U=N.inputBackgroundChecked,j=N.inputBackgroundCheckedHovered,J=N.inputBackgroundCheckedHovered,Y=N.inputTextHovered,Z=N.disabledBodySubtext,X=N.bodyText,Q=N.disabledText,$=[(t={content:'""',borderRadius:B.roundedCorner2,position:"absolute",width:10,height:10,top:4,left:4,boxSizing:"border-box",borderWidth:5,borderStyle:"solid",borderColor:P?K:W,transitionProperty:"border-width, border, border-color",transitionDuration:u,transitionTimingFunction:d},t[a.qJ]={borderColor:"WindowText"},t)];return{root:[A.root,{position:"relative",display:"flex"},T&&"reversed",E&&"is-checked",!P&&"is-enabled",P&&"is-disabled",!P&&[!E&&(o={},o[":hover ."+A.checkbox]=(n={borderColor:q},n[a.qJ]={borderColor:"Highlight"},n),o[":focus ."+A.checkbox]={borderColor:q},o[":hover ."+A.checkmark]=(r={color:H,opacity:"1"},r[a.qJ]={color:"Highlight"},r),o),E&&!R&&(p={},p[":hover ."+A.checkbox]={background:j,borderColor:J},p[":focus ."+A.checkbox]={background:j,borderColor:J},p[a.qJ]=(m={},m[":hover ."+A.checkbox]={background:"Highlight",borderColor:"Highlight"},m[":focus ."+A.checkbox]={background:"Highlight"},m[":focus:hover ."+A.checkbox]={background:"Highlight"},m[":focus:hover ."+A.checkmark]={color:"Window"},m[":hover ."+A.checkmark]={color:"Window"},m),p),R&&(h={},h[":hover ."+A.checkbox+", :hover ."+A.checkbox+":after"]=(g={borderColor:G},g[a.qJ]={borderColor:"WindowText"},g),h[":focus ."+A.checkbox]={borderColor:G},h[":hover ."+A.checkmark]={opacity:"0"},h),(f={},f[":hover ."+A.text+", :focus ."+A.text]=(v={color:Y},v[a.qJ]={color:P?"GrayText":"WindowText"},v),f)],I],input:(b={position:"absolute",background:"none",opacity:0},b["."+s.G$+" &:focus + label::before"]=(y={outline:"1px solid "+D.palette.neutralSecondary,outlineOffset:"2px"},y[a.qJ]={outline:"1px solid WindowText"},y),b),label:[A.label,D.fonts.medium,{display:"flex",alignItems:M?"center":"flex-start",cursor:P?"default":"pointer",position:"relative",userSelect:"none"},T&&{flexDirection:"row-reverse",justifyContent:"flex-end"},{"&::before":{position:"absolute",left:0,right:0,top:0,bottom:0,content:'""',pointerEvents:"none"}}],checkbox:[A.checkbox,(_={position:"relative",display:"flex",flexShrink:0,alignItems:"center",justifyContent:"center",height:c,width:c,border:"1px solid "+O,borderRadius:B.roundedCorner2,boxSizing:"border-box",transitionProperty:"background, border, border-color",transitionDuration:u,transitionTimingFunction:d,overflow:"hidden",":after":R?$:null},_[a.qJ]=(0,i.pi)({borderColor:"WindowText"},(0,a.xM)()),_),R&&{borderColor:W},T?{marginLeft:4}:{marginRight:4},!P&&!R&&E&&(C={background:U,borderColor:V},C[a.qJ]={background:"Highlight",borderColor:"Highlight"},C),P&&(S={borderColor:K},S[a.qJ]={borderColor:"GrayText"},S),E&&P&&(x={background:Z,borderColor:K},x[a.qJ]={background:"Window"},x)],checkmark:[A.checkmark,(k={opacity:E?"1":"0",color:z},k[a.qJ]=(0,i.pi)({color:P?"GrayText":"Window"},(0,a.xM)()),k)],text:[A.text,(w={color:P?Q:X,fontSize:L.medium.fontSize,lineHeight:"20px"},w[a.qJ]=(0,i.pi)({color:P?"GrayText":"WindowText"},(0,a.xM)()),w),T?{marginRight:4}:{marginLeft:4}]}}),void 0,{scope:"Checkbox"})},5554:(e,t,o)=>{"use strict";o.d(t,{q:()=>f});var n=o(7622),r=o(7002),i=o(2052),a=o(7300),s=o(2470),l=o(6145),c=o(8127),u=o(1351),d=o(4085),p=o(6548),m=(0,a.y)(),h=function(e,t){return t+"-"+e.key},g=function(e,t){return void 0===t?void 0:(0,s.sE)(e,(function(e){return e.key===t}))},f=r.forwardRef((function(e,t){var o=e.className,a=e.theme,s=e.styles,f=e.options,v=void 0===f?[]:f,b=e.label,y=e.required,_=e.disabled,C=e.name,S=e.defaultSelectedKey,x=e.componentRef,k=e.onChange,w=(0,d.M)("ChoiceGroup"),I=(0,d.M)("ChoiceGroupLabel"),D=(0,c.pq)(e,c.n7,["onChange","className","required"]),T=m(s,{theme:a,className:o,optionsContainIconOrImage:v.some((function(e){return!(!e.iconProps&&!e.imageSrc)}))}),E=e.ariaLabelledBy||(b?I:e["aria-labelledby"]),P=(0,p.G)(e.selectedKey,S),M=P[0],R=P[1],N=r.useState(),B=N[0],F=N[1];!function(e,t,o,n){r.useImperativeHandle(n,(function(){return{get checkedOption(){return g(e,t)},focus:function(){var n=g(e,t)||e.filter((function(e){return!e.disabled}))[0],r=n&&document.getElementById(h(n,o));r&&(r.focus(),(0,l.MU)(!0,r))}}}),[e,t,o])}(v,M,w,x);var L=r.useCallback((function(e,t){var o,n;t&&(F(t.itemKey),null===(n=(o=t).onFocus)||void 0===n||n.call(o,e))}),[]),A=r.useCallback((function(e,t){var o,n,r;F(void 0),null===(r=null===(o=t)||void 0===o?void 0:(n=o).onBlur)||void 0===r||r.call(n,e)}),[]),z=r.useCallback((function(e,t){var o,n,r;t&&(R(t.itemKey),null===(n=(o=t).onChange)||void 0===n||n.call(o,e),null===(r=k)||void 0===r||r(e,g(v,t.itemKey)))}),[k,v,R]);return r.createElement("div",(0,n.pi)({className:T.root},D,{ref:t}),r.createElement("div",(0,n.pi)({role:"radiogroup"},E&&{"aria-labelledby":E}),b&&r.createElement(i._,{className:T.label,required:y,id:I,disabled:_},b),r.createElement("div",{className:T.flexContainer},v.map((function(e){return r.createElement(u.c,(0,n.pi)({key:e.key,itemKey:e.key},e,{onBlur:A,onFocus:L,onChange:z,focused:e.key===B,checked:e.key===M,disabled:e.disabled||_,id:h(e,w),labelId:e.labelId||I+"-"+e.key,name:C||w,required:y}))})))))}));f.displayName="ChoiceGroup"},9240:(e,t,o)=>{"use strict";o.d(t,{F:()=>s});var n=o(2002),r=o(5554),i=o(9729),a={root:"ms-ChoiceFieldGroup",flexContainer:"ms-ChoiceFieldGroup-flexContainer"},s=(0,n.z)(r.q,(function(e){var t=e.className,o=e.optionsContainIconOrImage,n=e.theme,r=(0,i.Cn)(a,n);return{root:[t,r.root,n.fonts.medium,{display:"block"}],flexContainer:[r.flexContainer,o&&{display:"flex",flexDirection:"row",flexWrap:"wrap"}]}}),void 0,{scope:"ChoiceGroup"})},1351:(e,t,o)=>{"use strict";o.d(t,{c:()=>x});var n=o(2002),r=o(7622),i=o(7002),a=o(4861),s=o(9947),l=o(7300),c=o(63),u=o(8127),d=o(8826),p=o(8088),m=(0,l.y)(),h={imageSize:{width:32,height:32}},g=function(e){var t=(0,c.j)((0,r.pi)((0,r.pi)({},h),{key:e.itemKey}),e),o=t.ariaLabel,n=t.focused,l=t.required,g=t.theme,f=t.iconProps,v=t.imageSrc,b=t.imageSize,y=t.disabled,_=t.checked,C=t.id,S=t.styles,x=t.name,k=(0,r._T)(t,["ariaLabel","focused","required","theme","iconProps","imageSrc","imageSize","disabled","checked","id","styles","name"]),w=m(S,{theme:g,hasIcon:!!f,hasImage:!!v,checked:_,disabled:y,imageIsLarge:!!v&&(b.width>71||b.height>71),imageSize:b,focused:n}),I=(0,u.pq)(k,u.Gg),D=I.className,T=(0,r._T)(I,["className"]),E=function(){return i.createElement("span",{id:t.labelId,className:"ms-ChoiceFieldLabel"},t.text)},P=function(){var e=t.imageAlt,o=void 0===e?"":e,n=t.selectedImageSrc,l=(t.onRenderLabel?(0,d.k)(t.onRenderLabel,E):E)(t);return i.createElement("label",{htmlFor:C,className:w.field},v&&i.createElement("div",{className:w.innerField},i.createElement("div",{className:w.imageWrapper},i.createElement(a.E,(0,r.pi)({src:v,alt:o},b))),i.createElement("div",{className:w.selectedImageWrapper},i.createElement(a.E,(0,r.pi)({src:n,alt:o},b)))),f&&i.createElement("div",{className:w.innerField},i.createElement("div",{className:w.iconWrapper},i.createElement(s.J,(0,r.pi)({},f)))),v||f?i.createElement("div",{className:w.labelWrapper},l):l)},M=t.onRenderField,R=void 0===M?P:M;return i.createElement("div",{className:w.root},i.createElement("div",{className:w.choiceFieldWrapper},i.createElement("input",(0,r.pi)({"aria-label":o,id:C,className:(0,p.i)(w.input,D),type:"radio",name:x,disabled:y,checked:_,required:l},T,{onChange:function(e){var o,n;null===(n=(o=t).onChange)||void 0===n||n.call(o,e,t)},onFocus:function(e){var o,n;null===(n=(o=t).onFocus)||void 0===n||n.call(o,e,t)},onBlur:function(e){var o,n;null===(n=(o=t).onBlur)||void 0===n||n.call(o,e)}})),R(t,P)))};g.displayName="ChoiceGroupOption";var f=o(9729),v=o(6145),b={root:"ms-ChoiceField",choiceFieldWrapper:"ms-ChoiceField-wrapper",input:"ms-ChoiceField-input",field:"ms-ChoiceField-field",innerField:"ms-ChoiceField-innerField",imageWrapper:"ms-ChoiceField-imageWrapper",iconWrapper:"ms-ChoiceField-iconWrapper",labelWrapper:"ms-ChoiceField-labelWrapper",checked:"is-checked"},y="200ms",_="cubic-bezier(.4, 0, .23, 1)";function C(e,t){var o,n;return["is-inFocus",{selectors:(o={},o["."+v.G$+" &"]={position:"relative",outline:"transparent",selectors:{"::-moz-focus-inner":{border:0},":after":{content:'""',top:-2,right:-2,bottom:-2,left:-2,pointerEvents:"none",border:"1px solid "+e,position:"absolute",selectors:(n={},n[f.qJ]={borderColor:"WindowText",borderWidth:t?1:2},n)}}},o)}]}function S(e,t,o){return[t,{paddingBottom:2,transitionProperty:"opacity",transitionDuration:y,transitionTimingFunction:"ease",selectors:{".ms-Image":{display:"inline-block",borderStyle:"none"}}},(o?!e:e)&&["is-hidden",{position:"absolute",left:0,top:0,width:"100%",height:"100%",overflow:"hidden",opacity:0}]]}var x=(0,n.z)(g,(function(e){var t,o,n,i,a,s=e.theme,l=e.hasIcon,c=e.hasImage,u=e.checked,d=e.disabled,p=e.imageIsLarge,m=e.focused,h=e.imageSize,g=s.palette,v=s.semanticColors,x=s.fonts,k=(0,f.Cn)(b,s),w=g.neutralPrimary,I=v.inputBorderHovered,D=v.inputBackgroundChecked,T=g.themeDark,E=v.disabledBodySubtext,P=v.bodyBackground,M=g.neutralSecondary,R=v.inputBackgroundChecked,N=g.themeDark,B=v.disabledBodySubtext,F=g.neutralDark,L=v.focusBorder,A=v.inputBorderHovered,z=v.inputBackgroundChecked,H=g.themeDark,O=g.neutralLighter,W={selectors:{".ms-ChoiceFieldLabel":{color:F},":before":{borderColor:u?T:I},":after":[!l&&!c&&!u&&{content:'""',transitionProperty:"background-color",left:5,top:5,width:10,height:10,backgroundColor:M},u&&{borderColor:N}]}},V={borderColor:u?H:A,selectors:{":before":{opacity:1,borderColor:u?T:I}}},K=[{content:'""',display:"inline-block",backgroundColor:P,borderWidth:1,borderStyle:"solid",borderColor:w,width:20,height:20,fontWeight:"normal",position:"absolute",top:0,left:0,boxSizing:"border-box",transitionProperty:"border-color",transitionDuration:y,transitionTimingFunction:_,borderRadius:"50%"},d&&{borderColor:E,selectors:(t={},t[f.qJ]=(0,r.pi)({borderColor:"GrayText",background:"Window"},(0,f.xM)()),t)},u&&{borderColor:d?E:D,selectors:(o={},o[f.qJ]={borderColor:"Highlight",background:"Window",forcedColorAdjust:"none"},o)},(l||c)&&{top:3,right:3,left:"auto",opacity:u?1:0}],q=[{content:'""',width:0,height:0,borderRadius:"50%",position:"absolute",left:10,right:0,transitionProperty:"border-width",transitionDuration:y,transitionTimingFunction:_,boxSizing:"border-box"},u&&{borderWidth:5,borderStyle:"solid",borderColor:d?B:R,left:5,top:5,width:10,height:10,selectors:(n={},n[f.qJ]={borderColor:"Highlight",forcedColorAdjust:"none"},n)},u&&(l||c)&&{top:8,right:8,left:"auto"}];return{root:[k.root,s.fonts.medium,{display:"flex",alignItems:"center",boxSizing:"border-box",color:v.bodyText,minHeight:26,border:"none",position:"relative",marginTop:8,selectors:{".ms-ChoiceFieldLabel":{display:"inline-block"}}},!l&&!c&&{selectors:{".ms-ChoiceFieldLabel":{paddingLeft:"26px"}}},c&&"ms-ChoiceField--image",l&&"ms-ChoiceField--icon",(l||c)&&{display:"inline-flex",fontSize:0,margin:"0 4px 4px 0",paddingLeft:0,backgroundColor:O,height:"100%"}],choiceFieldWrapper:[k.choiceFieldWrapper,m&&C(L,l||c)],input:[k.input,{position:"absolute",opacity:0,top:0,right:0,width:"100%",height:"100%",margin:0},d&&"is-disabled"],field:[k.field,u&&k.checked,{display:"inline-block",cursor:"pointer",marginTop:0,position:"relative",verticalAlign:"top",userSelect:"none",minHeight:20,selectors:{":hover":!d&&W,":focus":!d&&W,":before":K,":after":q}},l&&"ms-ChoiceField--icon",c&&"ms-ChoiceField-field--image",(l||c)&&{boxSizing:"content-box",cursor:"pointer",paddingTop:22,margin:0,textAlign:"center",transitionProperty:"all",transitionDuration:y,transitionTimingFunction:"ease",border:"1px solid transparent",justifyContent:"center",alignItems:"center",display:"flex",flexDirection:"column"},u&&{borderColor:z},(l||c)&&!d&&{selectors:{":hover":V,":focus":V}},d&&{cursor:"default",selectors:{".ms-ChoiceFieldLabel":{color:v.disabledBodyText,selectors:(i={},i[f.qJ]=(0,r.pi)({color:"GrayText"},(0,f.xM)()),i)}}},u&&d&&{borderColor:O}],innerField:[k.innerField,c&&{height:h.height,width:h.width},(l||c)&&{position:"relative",display:"inline-block",paddingLeft:30,paddingRight:30},(l||c)&&p&&{paddingLeft:24,paddingRight:24},(l||c)&&d&&{opacity:.25,selectors:(a={},a[f.qJ]={color:"GrayText",opacity:1},a)}],imageWrapper:S(!1,k.imageWrapper,u),selectedImageWrapper:S(!0,k.imageWrapper,u),iconWrapper:[k.iconWrapper,{fontSize:32,lineHeight:32,height:32}],labelWrapper:[k.labelWrapper,x.medium,(l||c)&&{display:"block",position:"relative",margin:"4px 8px 2px 8px",height:32,lineHeight:15,maxWidth:2*h.width,overflow:"hidden",whiteSpace:"pre-wrap"}]}}),void 0,{scope:"ChoiceGroupOption"})},1958:(e,t,o)=>{"use strict";o.d(t,{T:()=>z});var n=o(7622),r=o(7002),i=o(7300),a=o(688),s=o(3129),l=o(687),c=o(8623),u=o(2002),d=o(2782),p=o(8145),m=o(9251),h=o(21),g=o(2417),f=o(6119),v=o(1342),b=(0,i.y)(),y=function(e){function t(t){var o=e.call(this,t)||this;return o._disposables=[],o._root=r.createRef(),o._isAdjustingSaturation=!0,o._descriptionId=(0,d.z)("ColorRectangle-description"),o._onKeyDown=function(e){var t=o.state.color,n=t.s,r=t.v,i=e.shiftKey?10:1;switch(e.which){case p.m.up:o._isAdjustingSaturation=!1,r+=i;break;case p.m.down:o._isAdjustingSaturation=!1,r-=i;break;case p.m.left:o._isAdjustingSaturation=!0,n-=i;break;case p.m.right:o._isAdjustingSaturation=!0,n+=i;break;default:return}o._updateColor(e,(0,f.d)(t,(0,v.u)(n,h.fr),(0,v.u)(r,h.uw)))},o._onMouseDown=function(e){o._disposables.push((0,m.on)(window,"mousemove",o._onMouseMove,!0),(0,m.on)(window,"mouseup",o._disposeListeners,!0)),o._onMouseMove(e)},o._onMouseMove=function(e){if(o._root.current){var t=function(e,t,o){var n=o.getBoundingClientRect(),r=(e.clientX-n.left)/n.width,i=(e.clientY-n.top)/n.height;return(0,f.d)(t,(0,v.u)(Math.round(r*h.fr),h.fr),(0,v.u)(Math.round(h.uw-i*h.uw),h.uw))}(e,o.state.color,o._root.current);t&&o._updateColor(e,t)}},o._disposeListeners=function(){o._disposables.forEach((function(e){return e()})),o._disposables=[]},(0,a.l)(o),o.state={color:t.color},o}return(0,n.ZT)(t,e),Object.defineProperty(t.prototype,"color",{get:function(){return this.state.color},enumerable:!0,configurable:!0}),t.prototype.componentDidUpdate=function(e,t){e!==this.props&&this.props.color&&this.setState({color:this.props.color})},t.prototype.componentWillUnmount=function(){this._disposeListeners()},t.prototype.render=function(){var e=this.props,t=e.minSize,o=e.theme,n=e.className,i=e.styles,a=e.ariaValueFormat,s=e.ariaLabel,l=e.ariaDescription,c=this.state.color,u=b(i,{theme:o,className:n,minSize:t}),d=a.replace("{0}",String(c.s)).replace("{1}",String(c.v));return r.createElement("div",{ref:this._root,tabIndex:0,className:u.root,style:{backgroundColor:(0,g.p)(c)},onMouseDown:this._onMouseDown,onKeyDown:this._onKeyDown,role:"slider","aria-valuetext":d,"aria-valuenow":this._isAdjustingSaturation?c.s:c.v,"aria-valuemin":0,"aria-valuemax":h.uw,"aria-label":s,"aria-describedby":this._descriptionId,"data-is-focusable":!0},r.createElement("div",{className:u.description,id:this._descriptionId},l),r.createElement("div",{className:u.light}),r.createElement("div",{className:u.dark}),r.createElement("div",{className:u.thumb,style:{left:c.s+"%",top:h.uw-c.v+"%",backgroundColor:c.str}}))},t.prototype._updateColor=function(e,t){var o=this.props.onChange,n=this.state.color;t.s===n.s&&t.v===n.v||(o&&o(e,t),e.defaultPrevented||(this.setState({color:t}),e.preventDefault()))},t.defaultProps={minSize:220,ariaLabel:"Saturation and brightness",ariaValueFormat:"Saturation {0} brightness {1}",ariaDescription:"Use left and right arrow keys to set saturation. Use up and down arrow keys to set brightness."},t}(r.Component),_=o(9729),C=o(6145),S=(0,u.z)(y,(function(e){var t,o=e.className,r=e.theme,i=e.minSize,a=r.palette,s=r.effects;return{root:["ms-ColorPicker-colorRect",{position:"relative",marginBottom:8,border:"1px solid "+a.neutralLighter,borderRadius:s.roundedCorner2,minWidth:i,minHeight:i,outline:"none",selectors:(t={},t[_.qJ]=(0,n.pi)({},(0,_.xM)()),t["."+C.G$+" &:focus"]={outline:"1px solid "+a.neutralSecondary},t)},o],light:["ms-ColorPicker-light",{position:"absolute",left:0,right:0,top:0,bottom:0,background:"linear-gradient(to right, white 0%, transparent 100%) /*@noflip*/"}],dark:["ms-ColorPicker-dark",{position:"absolute",left:0,right:0,top:0,bottom:0,background:"linear-gradient(to bottom, transparent 0, #000 100%)"}],thumb:["ms-ColorPicker-thumb",{position:"absolute",width:20,height:20,background:"white",border:"1px solid "+a.neutralSecondaryAlt,borderRadius:"50%",boxShadow:s.elevation8,transform:"translate(-50%, -50%)",selectors:{":before":{position:"absolute",left:0,right:0,top:0,bottom:0,border:"2px solid "+a.white,borderRadius:"50%",boxSizing:"border-box",content:'""'}}}],description:_.ul}}),void 0,{scope:"ColorRectangle"}),x=o(9757),k=(0,i.y)(),w=function(e){function t(t){var o=e.call(this,t)||this;return o._disposables=[],o._root=r.createRef(),o._onKeyDown=function(e){var t=o.value,n=o._maxValue,r=e.shiftKey?10:1;switch(e.which){case p.m.left:t-=r;break;case p.m.right:t+=r;break;case p.m.home:t=0;break;case p.m.end:t=n;break;default:return}o._updateValue(e,(0,v.u)(t,n))},o._onMouseDown=function(e){var t=(0,x.J)(o);t&&o._disposables.push((0,m.on)(t,"mousemove",o._onMouseMove,!0),(0,m.on)(t,"mouseup",o._disposeListeners,!0)),o._onMouseMove(e)},o._onMouseMove=function(e){if(o._root.current){var t=o._maxValue,n=o._root.current.getBoundingClientRect(),r=(e.clientX-n.left)/n.width,i=(0,v.u)(Math.round(r*t),t);o._updateValue(e,i)}},o._disposeListeners=function(){o._disposables.forEach((function(e){return e()})),o._disposables=[]},(0,a.l)(o),(0,s.b)("ColorSlider",t,{thumbColor:"styles.sliderThumb",overlayStyle:"overlayColor",isAlpha:"type",maxValue:"type",minValue:"type"}),"hue"===o._type||t.overlayColor||t.overlayStyle||(0,l.Z)("ColorSlider: 'overlayColor' is required when 'type' is \"alpha\" or \"transparency\""),o.state={currentValue:t.value||0},o}return(0,n.ZT)(t,e),Object.defineProperty(t.prototype,"value",{get:function(){return this.state.currentValue},enumerable:!0,configurable:!0}),t.prototype.componentDidUpdate=function(e,t){e!==this.props&&void 0!==this.props.value&&this.setState({currentValue:this.props.value})},t.prototype.componentWillUnmount=function(){this._disposeListeners()},t.prototype.render=function(){var e=this._type,t=this._maxValue,o=this.props,n=o.overlayStyle,i=o.overlayColor,a=o.theme,s=o.className,l=o.styles,c=o.ariaLabel,u=void 0===c?e:c,d=this.value,p=k(l,{theme:a,className:s,type:e}),m=100*d/t;return r.createElement("div",{ref:this._root,className:p.root,tabIndex:0,onKeyDown:this._onKeyDown,onMouseDown:this._onMouseDown,role:"slider","aria-valuenow":d,"aria-valuetext":String(d),"aria-valuemin":0,"aria-valuemax":t,"aria-label":u,"data-is-focusable":!0},!(!i&&!n)&&r.createElement("div",{className:p.sliderOverlay,style:i?{background:"transparency"===e?"linear-gradient(to right, #"+i+", transparent)":"linear-gradient(to right, transparent, #"+i+")"}:n}),r.createElement("div",{className:p.sliderThumb,style:{left:m+"%"}}))},Object.defineProperty(t.prototype,"_type",{get:function(){var e=this.props,t=e.isAlpha,o=e.type;return void 0===o?t?"alpha":"hue":o},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"_maxValue",{get:function(){return"hue"===this._type?h.a_:h.c5},enumerable:!0,configurable:!0}),t.prototype._updateValue=function(e,t){if(t!==this.value){var o=this.props.onChange;o&&o(e,t),e.defaultPrevented||(this.setState({currentValue:t}),e.preventDefault())}},t.defaultProps={value:0},t}(r.Component),I={background:"linear-gradient("+["to left","red 0","#f09 10%","#cd00ff 20%","#3200ff 30%","#06f 40%","#00fffd 50%","#0f6 60%","#35ff00 70%","#cdff00 80%","#f90 90%","red 100%"].join(",")+")"},D={backgroundImage:"url(data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAAoAAAAKCAYAAACNMs+9AAAAJUlEQVQYV2N89erVfwY0ICYmxoguxjgUFKI7GsTH5m4M3w1ChQC1/Ca8i2n1WgAAAABJRU5ErkJggg==)"},T=(0,u.z)(w,(function(e){var t,o=e.theme,n=e.className,r=e.type,i=void 0===r?"hue":r,a=e.isAlpha,s=void 0===a?"hue"!==i:a,l=o.palette,c=o.effects;return{root:["ms-ColorPicker-slider",{position:"relative",height:20,marginBottom:8,border:"1px solid "+l.neutralLight,borderRadius:c.roundedCorner2,boxSizing:"border-box",outline:"none",selectors:(t={},t["."+C.G$+" &:focus"]={outline:"1px solid "+l.neutralSecondary},t)},s?D:I,n],sliderOverlay:["ms-ColorPicker-sliderOverlay",{content:"",position:"absolute",left:0,right:0,top:0,bottom:0}],sliderThumb:["ms-ColorPicker-thumb","is-slider",{position:"absolute",width:20,height:20,background:"white",border:"1px solid "+l.neutralSecondaryAlt,borderRadius:"50%",boxShadow:c.elevation8,transform:"translate(-50%, -50%)",top:"50%"}]}}),void 0,{scope:"ColorSlider"}),E=o(7375),P=o(8208),M=o(8490),R=o(1332),N=o(1990),B=o(2775),F=o(5298),L=(0,i.y)(),A=["hex","r","g","b","a","t"],z=function(e){function t(o){var r=e.call(this,o)||this;r._onSVChanged=function(e,t){r._updateColor(e,t)},r._onHChanged=function(e,t){r._updateColor(e,(0,N.i)(r.state.color,t))},r._onATChanged=function(e,t){var o="transparency"===r.props.alphaType?R.X:M.R;r._updateColor(e,o(r.state.color,Math.round(t)))},r._onBlur=function(e){var t,o=r.state,i=o.color,a=o.editingColor;if(a){var s=a.value,l=a.component,c="hex"===l,u="a"===l,d="t"===l,p=c?h.yE:h.HT;if(s.length>=p&&(c||!isNaN(Number(s)))){var m=void 0;m=c?(0,E.T)("#"+(0,F.L)(s)):u||d?(u?M.R:R.X)(i,(0,v.u)(Number(s),h.c5)):(0,P.N)((0,B.k)((0,n.pi)((0,n.pi)({},i),((t={})[l]=Number(s),t)))),r._updateColor(e,m)}else r.setState({editingColor:void 0})}},(0,a.l)(r);var i=o.strings;(0,s.b)("ColorPicker",o,{hexLabel:"strings.hex",redLabel:"strings.red",greenLabel:"strings.green",blueLabel:"strings.blue",alphaLabel:"strings.alpha",alphaSliderHidden:"alphaType"}),i.hue&&(0,l.Z)("ColorPicker property 'strings.hue' was used but has been deprecated. Use 'strings.hueAriaLabel' instead."),r.state={color:H(o)||(0,E.T)("#ffffff")},r._textChangeHandlers={};for(var c=0,u=A;c{"use strict";o.d(t,{z:()=>i});var n=o(2002),r=o(1958),i=(0,n.z)(r.T,(function(e){var t=e.className,o=e.theme,n=e.alphaType;return{root:["ms-ColorPicker",o.fonts.medium,{position:"relative",maxWidth:300},t],panel:["ms-ColorPicker-panel",{padding:"16px"}],table:["ms-ColorPicker-table",{tableLayout:"fixed",width:"100%",selectors:{"tbody td:last-of-type .ms-ColorPicker-input":{paddingRight:0}}}],tableHeader:[o.fonts.small,{selectors:{td:{paddingBottom:4}}}],tableHexCell:{width:"25%"},tableAlphaCell:"transparency"===n&&{width:"22%"},colorSquare:["ms-ColorPicker-colorSquare",{width:48,height:48,margin:"0 0 0 8px",border:"1px solid #c8c6c4"}],flexContainer:{display:"flex"},flexSlider:{flexGrow:"1"},flexPreviewBox:{flexGrow:"0"},input:["ms-ColorPicker-input",{width:"100%",border:"none",boxSizing:"border-box",height:30,selectors:{"&.ms-TextField":{paddingRight:4},"& .ms-TextField-field":{minWidth:"auto",padding:5,textOverflow:"clip"}}}]}}),void 0,{scope:"ColorPicker"})},610:(e,t,o)=>{"use strict";o.d(t,{C:()=>Y});var n,r,i,a,s=o(7622),l=o(7002),c=o(5767),u=o(2447),d=o(63),p=o(4553),m=o(9577),h=o(8023),g=o(8088),f=o(8145),v=o(6479),b=o(8936),y=o(688),_=o(2167),C=o(9919),S=o(209),x=o(2782),k=o(8127),w=o(6053),I=o(2470),D=o(5953),T=o(6628),E=o(2777),P=o(9729),M=o(5094),R=(0,M.NF)((function(e){var t,o=e.semanticColors;return{backgroundColor:o.disabledBackground,color:o.disabledText,cursor:"default",selectors:(t={":after":{borderColor:o.disabledBackground}},t[P.qJ]={color:"GrayText",selectors:{":after":{borderColor:"GrayText"}}},t)}})),N={selectors:(n={},n[P.qJ]=(0,s.pi)({backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},(0,P.xM)()),n)},B={selectors:(r={},r[P.qJ]=(0,s.pi)({color:"WindowText",backgroundColor:"Window"},(0,P.xM)()),r)},F=(0,M.NF)((function(e,t,o,n,r){var i,a=e.palette,s=e.semanticColors,l={textHoveredColor:s.menuItemTextHovered,textSelectedColor:a.neutralDark,textDisabledColor:s.disabledText,backgroundHoveredColor:s.menuItemBackgroundHovered,backgroundPressedColor:s.menuItemBackgroundPressed},c={root:[e.fonts.medium,{backgroundColor:n?l.backgroundHoveredColor:"transparent",boxSizing:"border-box",cursor:"pointer",display:r?"none":"block",width:"100%",height:"auto",minHeight:36,lineHeight:"20px",padding:"0 8px",position:"relative",borderWidth:"1px",borderStyle:"solid",borderColor:"transparent",borderRadius:0,wordWrap:"break-word",overflowWrap:"break-word",textAlign:"left",selectors:(i={},i[P.qJ]={border:"none",borderColor:"Background"},i["&.ms-Checkbox"]={display:"flex",alignItems:"center"},i["&.ms-Button--command:hover:active"]={backgroundColor:l.backgroundPressedColor},i[".ms-Checkbox-label"]={width:"100%"},i)}],rootHovered:{backgroundColor:l.backgroundHoveredColor,color:l.textHoveredColor},rootFocused:{backgroundColor:l.backgroundHoveredColor},rootChecked:[{backgroundColor:"transparent",color:l.textSelectedColor,selectors:{":hover":[{backgroundColor:l.backgroundHoveredColor},N]}},(0,P.GL)(e,{inset:-1,isFocusedOnly:!1}),N],rootDisabled:{color:l.textDisabledColor,cursor:"default"},optionText:{overflow:"hidden",whiteSpace:"nowrap",textOverflow:"ellipsis",minWidth:"0px",maxWidth:"100%",wordWrap:"break-word",overflowWrap:"break-word",display:"inline-block"},optionTextWrapper:{maxWidth:"100%",display:"flex",alignItems:"center"}};return(0,P.E$)(c,t,o)})),L=(0,M.NF)((function(e,t){var o,n,r=e.semanticColors,i=e.fonts,a={buttonTextColor:r.bodySubtext,buttonTextHoveredCheckedColor:r.buttonTextChecked,buttonBackgroundHoveredColor:r.listItemBackgroundHovered,buttonBackgroundCheckedColor:r.listItemBackgroundChecked,buttonBackgroundCheckedHoveredColor:r.listItemBackgroundCheckedHovered},l={selectors:(o={},o[P.qJ]=(0,s.pi)({backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},(0,P.xM)()),o)},c={root:{color:a.buttonTextColor,fontSize:i.small.fontSize,position:"absolute",top:0,height:"100%",lineHeight:30,width:32,textAlign:"center",cursor:"default",selectors:(n={},n[P.qJ]=(0,s.pi)({backgroundColor:"ButtonFace",borderColor:"ButtonText",color:"ButtonText"},(0,P.xM)()),n)},icon:{fontSize:i.small.fontSize},rootHovered:[{backgroundColor:a.buttonBackgroundHoveredColor,color:a.buttonTextHoveredCheckedColor,cursor:"pointer"},l],rootPressed:[{backgroundColor:a.buttonBackgroundCheckedColor,color:a.buttonTextHoveredCheckedColor},l],rootChecked:[{backgroundColor:a.buttonBackgroundCheckedColor,color:a.buttonTextHoveredCheckedColor},l],rootCheckedHovered:[{backgroundColor:a.buttonBackgroundCheckedHoveredColor,color:a.buttonTextHoveredCheckedColor},l],rootDisabled:[R(e),{position:"absolute"}]};return(0,P.E$)(c,t)})),A=(0,M.NF)((function(e,t,o){var n,r,i,a,l,c,u=e.semanticColors,d=e.fonts,p=e.effects,m={textColor:u.inputText,borderColor:u.inputBorder,borderHoveredColor:u.inputBorderHovered,borderPressedColor:u.inputFocusBorderAlt,borderFocusedColor:u.inputFocusBorderAlt,backgroundColor:u.inputBackground,erroredColor:u.errorText},h={headerTextColor:u.menuHeader,dividerBorderColor:u.bodyDivider},g={selectors:(n={},n[P.qJ]={color:"GrayText"},n)},f=[{color:u.inputPlaceholderText},g],v=[{color:u.inputTextHovered},g],b=[{color:u.disabledText},g],y=(0,s.pi)((0,s.pi)({color:"HighlightText",backgroundColor:"Window"},(0,P.xM)()),{selectors:{":after":{borderColor:"Highlight"}}}),_=(0,P.$Y)(m.borderPressedColor,p.roundedCorner2,"border",0),C={container:{},label:{},labelDisabled:{},root:[e.fonts.medium,{boxShadow:"none",marginLeft:"0",paddingRight:32,paddingLeft:9,color:m.textColor,position:"relative",outline:"0",userSelect:"none",backgroundColor:m.backgroundColor,cursor:"text",display:"block",height:32,whiteSpace:"nowrap",textOverflow:"ellipsis",boxSizing:"border-box",selectors:{".ms-Label":{display:"inline-block",marginBottom:"8px"},"&.is-open":{selectors:(r={},r[P.qJ]=y,r)},":after":{pointerEvents:"none",content:"''",position:"absolute",left:0,top:0,bottom:0,right:0,borderWidth:"1px",borderStyle:"solid",borderColor:m.borderColor,borderRadius:p.roundedCorner2}}}],rootHovered:{selectors:(i={":after":{borderColor:m.borderHoveredColor},".ms-ComboBox-Input":[{color:u.inputTextHovered},(0,P.Sv)(v),B]},i[P.qJ]=(0,s.pi)((0,s.pi)({color:"HighlightText",backgroundColor:"Window"},(0,P.xM)()),{selectors:{":after":{borderColor:"Highlight"}}}),i)},rootPressed:[{position:"relative",selectors:(a={},a[P.qJ]=y,a)}],rootFocused:[{selectors:(l={".ms-ComboBox-Input":[{color:u.inputTextHovered},B]},l[P.qJ]=y,l)},_],rootDisabled:R(e),rootError:{selectors:{":after":{borderColor:m.erroredColor},":hover:after":{borderColor:u.inputBorderHovered}}},rootDisallowFreeForm:{},input:[(0,P.Sv)(f),{backgroundColor:m.backgroundColor,color:m.textColor,boxSizing:"border-box",width:"100%",height:"100%",borderStyle:"none",outline:"none",font:"inherit",textOverflow:"ellipsis",padding:"0",selectors:{"::-ms-clear":{display:"none"}}},B],inputDisabled:[R(e),(0,P.Sv)(b)],errorMessage:[e.fonts.small,{color:m.erroredColor,marginTop:"5px"}],callout:{boxShadow:p.elevation8},optionsContainerWrapper:{width:o},optionsContainer:{display:"block"},screenReaderText:P.ul,header:[d.medium,{fontWeight:P.lq.semibold,color:h.headerTextColor,backgroundColor:"none",borderStyle:"none",height:36,lineHeight:36,cursor:"default",padding:"0 8px",userSelect:"none",textAlign:"left",selectors:(c={},c[P.qJ]=(0,s.pi)({color:"GrayText"},(0,P.xM)()),c)}],divider:{height:1,backgroundColor:h.dividerBorderColor}};return(0,P.E$)(C,t)})),z=(0,M.NF)((function(e,t,o,n,r,i,a,s){return{container:(0,P.y0)("ms-ComboBox-container",t,e.container),label:(0,P.y0)(e.label,n&&e.labelDisabled),root:(0,P.y0)("ms-ComboBox",s?e.rootError:o&&"is-open",r&&"is-required",e.root,!a&&e.rootDisallowFreeForm,s&&!i?e.rootError:!n&&i&&e.rootFocused,!n&&{selectors:{":hover":s?e.rootError:!o&&!i&&e.rootHovered,":active":s?e.rootError:e.rootPressed,":focus":s?e.rootError:e.rootFocused}},n&&["is-disabled",e.rootDisabled]),input:(0,P.y0)("ms-ComboBox-Input",e.input,n&&e.inputDisabled),errorMessage:(0,P.y0)(e.errorMessage),callout:(0,P.y0)("ms-ComboBox-callout",e.callout),optionsContainerWrapper:(0,P.y0)("ms-ComboBox-optionsContainerWrapper",e.optionsContainerWrapper),optionsContainer:(0,P.y0)("ms-ComboBox-optionsContainer",e.optionsContainer),header:(0,P.y0)("ms-ComboBox-header",e.header),divider:(0,P.y0)("ms-ComboBox-divider",e.divider),screenReaderText:(0,P.y0)(e.screenReaderText)}})),H=(0,M.NF)((function(e){return{optionText:(0,P.y0)("ms-ComboBox-optionText",e.optionText),root:(0,P.y0)("ms-ComboBox-option",e.root,{selectors:{":hover":e.rootHovered,":focus":e.rootFocused,":active":e.rootPressed}}),optionTextWrapper:(0,P.y0)(e.optionTextWrapper)}})),O=o(2052),W=o(2703),V=o(5515),K=o(5758),q=o(990),G=o(9241);!function(e){e[e.backward=-1]="backward",e[e.none=0]="none",e[e.forward=1]="forward"}(i||(i={})),function(e){e[e.clearAll=-2]="clearAll",e[e.default=-1]="default"}(a||(a={}));var U=l.memo((function(e){return(0,e.render)()}),(function(e,t){e.render;var o=(0,s._T)(e,["render"]),n=(t.render,(0,s._T)(t,["render"]));return(0,u.Vv)(o,n)})),j="ComboBox",J={options:[],allowFreeform:!1,autoComplete:"on",buttonIconProps:{iconName:"ChevronDown"}};var Y=l.forwardRef((function(e,t){var o=(0,d.j)(J,e),n=(o.ref,(0,s._T)(o,["ref"])),r=l.useRef(null),i=(0,G.r)(r,t),a=function(e){var t=e.options,o=e.defaultSelectedKey,n=e.selectedKey,r=l.useState((function(){return X(t,function(e,t){var o=Q(e);return o.length?o:Q(t)}(o,n))})),i=r[0],a=r[1],s=l.useState(t),c=s[0],u=s[1],d=l.useState(),p=d[0],m=d[1];return l.useEffect((function(){if(void 0!==n){var e=Q(n),o=X(t,e);a(o)}u(t)}),[t,n]),l.useEffect((function(){null===n&&m(void 0)}),[n]),[i,a,c,u,p,m]}(n),c=a[0],u=a[1],p=a[2],m=a[3],h=a[4],g=a[5];return l.createElement(Z,(0,s.pi)({},n,{hoisted:{mergedRootRef:i,rootRef:r,selectedIndices:c,setSelectedIndices:u,currentOptions:p,setCurrentOptions:m,suggestedDisplayValue:h,setSuggestedDisplayValue:g}}))}));Y.displayName=j;var Z=function(e){function t(t){var o=e.call(this,t)||this;return o._autofill=l.createRef(),o._comboBoxWrapper=l.createRef(),o._comboBoxMenu=l.createRef(),o._selectedElement=l.createRef(),o.focus=function(e,t){o._autofill.current&&(t?(0,p.um)(o._autofill.current):o._autofill.current.focus(),e&&o.setState({isOpen:!0})),o._hasFocus()||o.setState({focusState:"focused"})},o.dismissMenu=function(){o.state.isOpen&&o.setState({isOpen:!1})},o._onUpdateValueInAutofillWillReceiveProps=function(){var e=o._autofill.current;if(!e)return null;if(null===e.value||void 0===e.value)return null;var t=$(o._currentVisibleValue);return e.value!==t?t:e.value},o._renderComboBoxWrapper=function(e,t){var n=o.props,r=n.label,i=n.disabled,a=n.ariaLabel,u=n.ariaDescribedBy,d=n.required,p=n.errorMessage,h=n.buttonIconProps,g=n.isButtonAriaHidden,f=void 0===g||g,v=n.title,b=n.placeholder,y=n.tabIndex,_=n.autofill,C=n.iconButtonProps,S=n.hoisted.suggestedDisplayValue,x=o.state.isOpen,k=o._hasFocus()&&o.props.multiSelect&&e?e:b;return l.createElement("div",{"data-ktp-target":!0,ref:o._comboBoxWrapper,id:o._id+"wrapper",className:o._classNames.root},l.createElement(c.G,(0,s.pi)({"data-ktp-execute-target":!0,"data-is-interactable":!i,componentRef:o._autofill,id:o._id+"-input",className:o._classNames.input,type:"text",onFocus:o._onFocus,onBlur:o._onBlur,onKeyDown:o._onInputKeyDown,onKeyUp:o._onInputKeyUp,onClick:o._onAutofillClick,onTouchStart:o._onTouchStart,onInputValueChange:o._onInputChange,"aria-expanded":x,"aria-autocomplete":o._getAriaAutoCompleteValue(),role:"combobox",readOnly:i,"aria-labelledby":r&&o._id+"-label","aria-label":a&&!r?a:void 0,"aria-describedby":void 0!==p?(0,m.I)(u,t):u,"aria-activedescendant":o._getAriaActiveDescendantValue(),"aria-required":d,"aria-disabled":i,"aria-owns":x?o._id+"-list":void 0,spellCheck:!1,defaultVisibleValue:o._currentVisibleValue,suggestedDisplayValue:S,updateValueInWillReceiveProps:o._onUpdateValueInAutofillWillReceiveProps,shouldSelectFullInputValueInComponentDidUpdate:o._onShouldSelectFullInputValueInAutofillComponentDidUpdate,title:v,preventValueSelection:!o._hasFocus(),placeholder:k,tabIndex:y},_)),l.createElement(K.h,(0,s.pi)({className:"ms-ComboBox-CaretDown-button",styles:o._getCaretButtonStyles(),role:"presentation","aria-hidden":f,"data-is-focusable":!1,tabIndex:-1,onClick:o._onComboBoxClick,onBlur:o._onBlur,iconProps:h,disabled:i,checked:x},C)))},o._onShouldSelectFullInputValueInAutofillComponentDidUpdate=function(){return o._currentVisibleValue===o.props.hoisted.suggestedDisplayValue},o._getVisibleValue=function(){var e=o.props,t=e.text,n=e.allowFreeform,r=e.autoComplete,i=e.hoisted,a=i.suggestedDisplayValue,s=i.selectedIndices,l=i.currentOptions,c=o.state,u=c.currentPendingValueValidIndex,d=c.currentPendingValue,p=c.isOpen,m=ee(l,u);if((!p||!m)&&t&&null==d)return t;if(o.props.multiSelect){if(o._hasFocus()){var h=-1;return"on"===r&&m&&(h=u),o._getPendingString(d,l,h)}return o._getMultiselectDisplayString(s,l,a)}return h=o._getFirstSelectedIndex(),n?("on"===r&&m&&(h=u),o._getPendingString(d,l,h)):m&&"on"===r?(h=u,$(d)):!o.state.isOpen&&d?ee(l,h)?d:$(a):ee(l,h)?l[h].text:$(a)},o._onInputChange=function(e){o.props.disabled?o._handleInputWhenDisabled(null):o.props.allowFreeform?o._processInputChangeWithFreeform(e):o._processInputChangeWithoutFreeform(e)},o._onFocus=function(){var e,t;null===(t=null===(e=o._autofill.current)||void 0===e?void 0:e.inputElement)||void 0===t||t.select(),o._hasFocus()||o.setState({focusState:"focusing"})},o._onResolveOptions=function(){if(o.props.onResolveOptions){var e=o.props.onResolveOptions((0,s.pr)(o.props.hoisted.currentOptions));if(Array.isArray(e))o.props.hoisted.setCurrentOptions(e);else if(e&&e.then){var t=o._currentPromise=e;t.then((function(e){t===o._currentPromise&&o.props.hoisted.setCurrentOptions(e)}))}}},o._onBlur=function(e){var t,n,r=e.relatedTarget;if(null===e.relatedTarget&&(r=document.activeElement),r){var i=null===(t=o.props.hoisted.rootRef.current)||void 0===t?void 0:t.contains(r),a=null===(n=o._comboBoxMenu.current)||void 0===n?void 0:n.contains(r),s=o._comboBoxMenu.current&&(0,h.X)(o._comboBoxMenu.current,(function(e){return e===r}));if(i||a||s)return s&&o._hasFocus()&&(!o.props.multiSelect||o.props.allowFreeform)&&o._submitPendingValue(e),e.preventDefault(),void e.stopPropagation()}o._hasFocus()&&(o.setState({focusState:"none"}),o.props.multiSelect&&!o.props.allowFreeform||o._submitPendingValue(e))},o._onRenderContainer=function(e){var t,n,r=e.onRenderList,i=e.calloutProps,a=e.dropdownWidth,c=e.dropdownMaxWidth,u=e.onRenderUpperContent,d=void 0===u?o._onRenderUpperContent:u,p=e.onRenderLowerContent,m=void 0===p?o._onRenderLowerContent:p,h=e.useComboBoxAsMenuWidth,f=e.persistMenu,v=e.shouldRestoreFocus,b=void 0===v||v,y=o.state.isOpen,_=h&&o._comboBoxWrapper.current?o._comboBoxWrapper.current.clientWidth+2:void 0;return l.createElement(D.U,(0,s.pi)({isBeakVisible:!1,gapSpace:0,doNotLayer:!1,directionalHint:T.b.bottomLeftEdge,directionalHintFixed:!1},i,{onLayerMounted:o._onLayerMounted,className:(0,g.i)(o._classNames.callout,null===(t=i)||void 0===t?void 0:t.className),target:o._comboBoxWrapper.current,onDismiss:o._onDismiss,onMouseDown:o._onCalloutMouseDown,onScroll:o._onScroll,setInitialFocus:!1,calloutWidth:h&&o._comboBoxWrapper.current?_&&_:a,calloutMaxWidth:c||_,hidden:f?!y:void 0,shouldRestoreFocus:b}),d(o.props,o._onRenderUpperContent),l.createElement("div",{className:o._classNames.optionsContainerWrapper,ref:o._comboBoxMenu},null===(n=r)||void 0===n?void 0:n((0,s.pi)({},e),o._onRenderList)),m(o.props,o._onRenderLowerContent))},o._onLayerMounted=function(){o._onCalloutLayerMounted(),o.props.calloutProps&&o.props.calloutProps.onLayerMounted&&o.props.calloutProps.onLayerMounted()},o._onRenderLabel=function(e){var t=e.props,n=t.label,r=t.disabled,i=t.required;return n?l.createElement(O._,{id:o._id+"-label",disabled:r,required:i,className:o._classNames.label},n,e.multiselectAccessibleText&&l.createElement("span",{className:o._classNames.screenReaderText},e.multiselectAccessibleText)):null},o._onRenderList=function(e){var t=e.onRenderItem,n=e.options,r=o._id;return l.createElement("div",{id:r+"-list",className:o._classNames.optionsContainer,"aria-labelledby":r+"-label",role:"listbox"},n.map((function(e){var n;return null===(n=t)||void 0===n?void 0:n(e,o._onRenderItem)})))},o._onRenderItem=function(e){switch(e.itemType){case W.F.Divider:return o._renderSeparator(e);case W.F.Header:return o._renderHeader(e);default:return o._renderOption(e)}},o._onRenderLowerContent=function(){return null},o._onRenderUpperContent=function(){return null},o._renderOption=function(e){var t=o.props.onRenderOption,n=void 0===t?o._onRenderOptionContent:t,r=o._id,i=o._isOptionSelected(e.index),a=o._isOptionChecked(e.index),c=o._getCurrentOptionStyles(e),u=H(o._getCurrentOptionStyles(e)),d=oe(e),p=function(){return n(e,o._onRenderOptionContent)};return l.createElement(U,{key:e.key,index:e.index,disabled:e.disabled,isSelected:i,isChecked:a,text:e.text,render:function(){return o.props.multiSelect?l.createElement(E.X,{id:r+"-list"+e.index,ariaLabel:oe(e),key:e.key,styles:c,className:"ms-ComboBox-option",onChange:o._onItemClick(e),label:e.text,checked:a,title:d,disabled:e.disabled,onRenderLabel:p,inputProps:(0,s.pi)({"aria-selected":a?"true":"false",role:"option"},{"data-index":e.index,"data-is-focusable":!0})}):l.createElement(q.M,{id:r+"-list"+e.index,key:e.key,"data-index":e.index,styles:c,checked:i,className:"ms-ComboBox-option",onClick:o._onItemClick(e),onMouseEnter:o._onOptionMouseEnter.bind(o,e.index),onMouseMove:o._onOptionMouseMove.bind(o,e.index),onMouseLeave:o._onOptionMouseLeave,role:"option","aria-selected":a?"true":"false",ariaLabel:oe(e),disabled:e.disabled,title:d},l.createElement("span",{className:u.optionTextWrapper,ref:i?o._selectedElement:void 0},n(e,o._onRenderOptionContent)))},data:e.data})},o._onCalloutMouseDown=function(e){e.preventDefault()},o._onScroll=function(){o._isScrollIdle||void 0===o._scrollIdleTimeoutId?o._isScrollIdle=!1:(o._async.clearTimeout(o._scrollIdleTimeoutId),o._scrollIdleTimeoutId=void 0),o._scrollIdleTimeoutId=o._async.setTimeout((function(){o._isScrollIdle=!0}),250)},o._onRenderOptionContent=function(e){var t=H(o._getCurrentOptionStyles(e));return l.createElement("span",{className:t.optionText},e.text)},o._onDismiss=function(){var e=o.props.onMenuDismiss;e&&e(),o.props.persistMenu&&o._onCalloutLayerMounted(),o._setOpenStateAndFocusOnClose(!1,!1),o._resetSelectedIndex()},o._onAfterClearPendingInfo=function(){o._processingClearPendingInfo=!1},o._onInputKeyDown=function(e){var t=o.props,n=t.disabled,r=t.allowFreeform,s=t.autoComplete,l=t.hoisted.currentOptions,c=o.state,u=c.isOpen,d=c.currentPendingValueValidIndexOnHover;if(o._lastKeyDownWasAltOrMeta=ne(e),n)o._handleInputWhenDisabled(e);else{var p=o._getPendingSelectedIndex(!1);switch(e.which){case f.m.enter:o._autofill.current&&o._autofill.current.inputElement&&o._autofill.current.inputElement.select(),o._submitPendingValue(e),o.props.multiSelect&&u?o.setState({currentPendingValueValidIndex:p}):(u||(!r||void 0===o.state.currentPendingValue||null===o.state.currentPendingValue||o.state.currentPendingValue.length<=0)&&o.state.currentPendingValueValidIndex<0)&&o.setState({isOpen:!u});break;case f.m.tab:return o.props.multiSelect||o._submitPendingValue(e),void(u&&o._setOpenStateAndFocusOnClose(!u,!1));case f.m.escape:if(o._resetSelectedIndex(),!u)return;o.setState({isOpen:!1});break;case f.m.up:if(d===a.clearAll&&(p=o.props.hoisted.currentOptions.length),e.altKey||e.metaKey){if(u){o._setOpenStateAndFocusOnClose(!u,!0);break}return}o._setPendingInfoFromIndexAndDirection(p,i.backward);break;case f.m.down:e.altKey||e.metaKey?o._setOpenStateAndFocusOnClose(!0,!0):(d===a.clearAll&&(p=-1),o._setPendingInfoFromIndexAndDirection(p,i.forward));break;case f.m.home:case f.m.end:if(r)return;p=-1;var m=i.forward;e.which===f.m.end&&(p=l.length,m=i.backward),o._setPendingInfoFromIndexAndDirection(p,m);break;case f.m.space:if(!r&&"off"===s)break;default:if(e.which>=112&&e.which<=123)return;if(e.keyCode===f.m.alt||"Meta"===e.key)return;if(!r&&"on"===s){o._onInputChange(e.key);break}return}e.stopPropagation(),e.preventDefault()}},o._onInputKeyUp=function(e){var t=o.props,n=t.disabled,r=t.allowFreeform,i=t.autoComplete,a=o.state.isOpen,s=o._lastKeyDownWasAltOrMeta&&ne(e);o._lastKeyDownWasAltOrMeta=!1;var l=s&&!((0,v.V)()||(0,b.g)());if(n)o._handleInputWhenDisabled(e);else switch(e.which){case f.m.space:return void(r||"off"!==i||o._setOpenStateAndFocusOnClose(!a,!!a));default:return void(l&&a?o._setOpenStateAndFocusOnClose(!a,!0):("focusing"===o.state.focusState&&o.props.openOnKeyboardFocus&&o.setState({isOpen:!0}),"focused"!==o.state.focusState&&o.setState({focusState:"focused"})))}},o._onOptionMouseLeave=function(){o._shouldIgnoreMouseEvent()||o.props.persistMenu&&!o.state.isOpen||o.setState({currentPendingValueValidIndexOnHover:a.clearAll})},o._onComboBoxClick=function(){var e=o.props.disabled,t=o.state.isOpen;e||(o._setOpenStateAndFocusOnClose(!t,!1),o.setState({focusState:"focused"}))},o._onAutofillClick=function(){var e=o.props,t=e.disabled;e.allowFreeform&&!t?o.focus(o.state.isOpen||o._processingTouch):o._onComboBoxClick()},o._onTouchStart=function(){o._comboBoxWrapper.current&&!("onpointerdown"in o._comboBoxWrapper)&&o._handleTouchAndPointerEvent()},o._onPointerDown=function(e){"touch"===e.pointerType&&(o._handleTouchAndPointerEvent(),e.preventDefault(),e.stopImmediatePropagation())},(0,y.l)(o),o._async=new _.e(o),o._events=new C.r(o),(0,S.L)(j,t,{defaultSelectedKey:"selectedKey",text:"defaultSelectedKey",selectedKey:"value",dropdownWidth:"useComboBoxAsMenuWidth"}),o._id=t.id||(0,x.z)("ComboBox"),o._isScrollIdle=!0,o._processingTouch=!1,o._gotMouseMove=!1,o._processingClearPendingInfo=!1,o.state={isOpen:!1,focusState:"none",currentPendingValueValidIndex:-1,currentPendingValue:void 0,currentPendingValueValidIndexOnHover:a.default},o}return(0,s.ZT)(t,e),Object.defineProperty(t.prototype,"selectedOptions",{get:function(){var e=this.props.hoisted,t=e.currentOptions,o=e.selectedIndices;return(0,V.t)(t,o)},enumerable:!0,configurable:!0}),t.prototype.componentDidMount=function(){this._comboBoxWrapper.current&&!this.props.disabled&&(this._events.on(this._comboBoxWrapper.current,"focus",this._onResolveOptions,!0),"onpointerdown"in this._comboBoxWrapper.current&&this._events.on(this._comboBoxWrapper.current,"pointerdown",this._onPointerDown,!0))},t.prototype.componentDidUpdate=function(e,t){var o=this,n=this.props,r=n.allowFreeform,i=n.text,a=n.onMenuOpen,s=n.onMenuDismissed,l=n.hoisted.selectedIndices,c=this.state,u=c.isOpen,d=c.currentPendingValueValidIndex;!u||t.isOpen&&t.currentPendingValueValidIndex===d||this._async.setTimeout((function(){return o._scrollIntoView()}),0),this._hasFocus()&&(u||t.isOpen&&!u&&this._focusInputAfterClose&&this._autofill.current&&document.activeElement!==this._autofill.current.inputElement)&&this.focus(void 0,!0),this._focusInputAfterClose&&(t.isOpen&&!u||this._hasFocus()&&(!u&&!this.props.multiSelect&&e.hoisted.selectedIndices&&l&&e.hoisted.selectedIndices[0]!==l[0]||!r||i!==e.text))&&this._onFocus(),this._notifyPendingValueChanged(t),u&&!t.isOpen&&a&&a(),!u&&t.isOpen&&s&&s()},t.prototype.componentWillUnmount=function(){this._async.dispose(),this._events.dispose()},t.prototype.render=function(){var e=this._id+"-error",t=this.props,o=t.className,n=t.disabled,r=t.required,i=t.errorMessage,a=t.onRenderContainer,c=void 0===a?this._onRenderContainer:a,u=t.onRenderLabel,d=void 0===u?this._onRenderLabel:u,p=t.onRenderList,m=void 0===p?this._onRenderList:p,h=t.onRenderItem,g=void 0===h?this._onRenderItem:h,f=t.onRenderOption,v=void 0===f?this._onRenderOptionContent:f,b=t.allowFreeform,y=t.styles,_=t.theme,C=t.persistMenu,S=t.multiSelect,x=t.hoisted,w=x.suggestedDisplayValue,I=x.selectedIndices,D=x.currentOptions,T=this.state.isOpen;this._currentVisibleValue=this._getVisibleValue();var E=S?this._getMultiselectDisplayString(I,D,w):void 0,P=(0,k.pq)(this.props,k.n7,["onChange","value"]),M=!!(i&&i.length>0);this._classNames=this.props.getClassNames?this.props.getClassNames(_,!!T,!!n,!!r,!!this._hasFocus(),!!b,!!M,o):z(A(_,y),o,!!T,!!n,!!r,!!this._hasFocus(),!!b,!!M);var R=this._renderComboBoxWrapper(E,e);return l.createElement("div",(0,s.pi)({},P,{ref:this.props.hoisted.mergedRootRef,className:this._classNames.container}),d({props:this.props,multiselectAccessibleText:E},this._onRenderLabel),R,(C||T)&&c((0,s.pi)((0,s.pi)({},this.props),{onRenderList:m,onRenderItem:g,onRenderOption:v,options:D.map((function(e,t){return(0,s.pi)((0,s.pi)({},e),{index:t})})),onDismiss:this._onDismiss}),this._onRenderContainer),l.createElement("div",(0,s.pi)({role:"region","aria-live":"polite","aria-atomic":"true",id:e},M?{className:this._classNames.errorMessage}:{"aria-hidden":!0}),void 0!==i?i:""))},t.prototype._getPendingString=function(e,t,o){return null!=e?e:ee(t,o)?t[o].text:""},t.prototype._getMultiselectDisplayString=function(e,t,o){for(var n=[],r=0;e&&r0){var a=oe(r[0]);i=a.toLocaleLowerCase()!==e?a:"",o=r[0].index}}else 1===(r=t.map((function(e,t){return(0,s.pi)((0,s.pi)({},e),{index:t})})).filter((function(t){return te(t)&&oe(t).toLocaleLowerCase()===e}))).length&&(o=r[0].index);this._setPendingInfo(n,o,i)},t.prototype._processInputChangeWithoutFreeform=function(e){var t=this,o=this.props.hoisted.currentOptions,n=this.state,r=n.currentPendingValue,i=n.currentPendingValueValidIndex;if("on"===this.props.autoComplete&&""!==e){this._autoCompleteTimeout&&(this._async.clearTimeout(this._autoCompleteTimeout),this._autoCompleteTimeout=void 0,e=$(r)+e);var a=e;e=e.toLocaleLowerCase();var l=o.map((function(e,t){return(0,s.pi)((0,s.pi)({},e),{index:t})})).filter((function(t){return te(t)&&0===t.text.toLocaleLowerCase().indexOf(e)}));return l.length>0&&this._setPendingInfo(a,l[0].index,oe(l[0])),void(this._autoCompleteTimeout=this._async.setTimeout((function(){t._autoCompleteTimeout=void 0}),1e3))}var c=i>=0?i:this._getFirstSelectedIndex();this._setPendingInfoFromIndex(c)},t.prototype._getFirstSelectedIndex=function(){var e,t=this.props.hoisted.selectedIndices;return(null===(e=t)||void 0===e?void 0:e.length)?t[0]:-1},t.prototype._getNextSelectableIndex=function(e,t){var o=this.props.hoisted.currentOptions,n=e+t;if(!ee(o,n=Math.max(0,Math.min(o.length-1,n))))return-1;var r=o[n];if(!te(r)||!0===r.hidden){if(t===i.none||!(n>0&&t=0&&ni.none))return e;n=this._getNextSelectableIndex(n,t)}return n},t.prototype._setSelectedIndex=function(e,t,o){void 0===o&&(o=i.none);var n=this.props,r=n.onChange,a=n.onPendingValueChanged,l=n.hoisted,c=l.selectedIndices,u=l.currentOptions,d=c?c.slice():[];if(ee(u,e=this._getNextSelectableIndex(e,o))){if(this.props.multiSelect||d.length<1||1===d.length&&d[0]!==e){var p=(0,s.pi)({},u[e]);if(!p||p.disabled)return;if(this.props.multiSelect?(p.selected=void 0!==p.selected?!p.selected:d.indexOf(e)<0,p.selected&&d.indexOf(e)<0?d.push(e):!p.selected&&d.indexOf(e)>=0&&(d=d.filter((function(t){return t!==e})))):d[0]=e,t.persist(),this.props.selectedKey||null===this.props.selectedKey)this._hasPendingValue&&a&&(a(),this._hasPendingValue=!1),r&&r(t,p,e,void 0);else{var m=u.slice();m[e]=p,this.props.hoisted.setSelectedIndices(d),this.props.hoisted.setCurrentOptions(m),this._hasPendingValue&&a&&(a(),this._hasPendingValue=!1),r&&r(t,p,e,void 0)}}this.props.multiSelect&&this.state.isOpen||this._clearPendingInfo()}},t.prototype._submitPendingValue=function(e){var t,o,n,r=this.props,i=r.onChange,a=r.allowFreeform,s=r.autoComplete,l=r.multiSelect,c=r.hoisted,u=c.currentOptions,d=this.state,p=d.currentPendingValue,m=d.currentPendingValueValidIndex,h=d.currentPendingValueValidIndexOnHover,g=this.props.hoisted.selectedIndices;if(!this._processingClearPendingInfo){if(a){if(null==p)return void(h>=0&&(this._setSelectedIndex(h,e),this._clearPendingInfo()));if(ee(u,m)){var f=oe(u[m]).toLocaleLowerCase(),v=this._autofill.current;if(p.toLocaleLowerCase()===f||s&&0===f.indexOf(p.toLocaleLowerCase())&&(null===(t=v)||void 0===t?void 0:t.isValueSelected)&&p.length+(v.selectionEnd-v.selectionStart)===f.length||(null===(n=null===(o=v)||void 0===o?void 0:o.inputElement)||void 0===n?void 0:n.value.toLocaleLowerCase())===f){if(this._setSelectedIndex(m,e),l&&this.state.isOpen)return;return void this._clearPendingInfo()}}if(i)i&&i(e,void 0,void 0,p);else{var b={key:p||(0,x.z)(),text:$(p)};l&&(b.selected=!0);var y=u.concat([b]);g&&(l||(g=[]),g.push(y.length-1)),c.setCurrentOptions(y),c.setSelectedIndices(g)}}else m>=0?this._setSelectedIndex(m,e):h>=0&&this._setSelectedIndex(h,e);this._clearPendingInfo()}},t.prototype._onCalloutLayerMounted=function(){this._gotMouseMove=!1},t.prototype._renderSeparator=function(e){var t=e.index,o=e.key;return t&&t>0?l.createElement("div",{role:"separator",key:o,className:this._classNames.divider}):null},t.prototype._renderHeader=function(e){var t=this.props.onRenderOption,o=void 0===t?this._onRenderOptionContent:t;return l.createElement("div",{key:e.key,className:this._classNames.header},o(e,this._onRenderOptionContent))},t.prototype._isOptionSelected=function(e){return this.state.currentPendingValueValidIndexOnHover!==a.clearAll&&this._getPendingSelectedIndex(!0)===e},t.prototype._isOptionChecked=function(e){return!(!this.props.multiSelect||void 0===e||!this.props.hoisted.selectedIndices)&&this.props.hoisted.selectedIndices.indexOf(e)>=0},t.prototype._getPendingSelectedIndex=function(e){var t=this.state,o=t.currentPendingValueValidIndexOnHover,n=t.currentPendingValueValidIndex,r=t.currentPendingValue;return o>=0?o:n>=0||e&&null!=r?n:this.props.multiSelect?0:this._getFirstSelectedIndex()},t.prototype._scrollIntoView=function(){var e=this.props,t=e.onScrollToItem,o=e.scrollSelectedToTop,n=this.state,r=n.currentPendingValueValidIndex,i=n.currentPendingValue;if(t)t(r>=0||""!==i?r:this._getFirstSelectedIndex());else if(this._selectedElement.current&&this._selectedElement.current.offsetParent)if(o)this._selectedElement.current.offsetParent.scrollIntoView(!0);else{var a=!0;if(this._comboBoxMenu.current&&this._comboBoxMenu.current.offsetParent){var s=this._comboBoxMenu.current.offsetParent.getBoundingClientRect(),l=this._selectedElement.current.offsetParent.getBoundingClientRect();if(s.top<=l.top&&s.top+s.height>=l.top+l.height)return;s.top+s.height<=l.top+l.height&&(a=!1)}this._selectedElement.current.offsetParent.scrollIntoView(a)}},t.prototype._onItemClick=function(e){var t=this,o=this.props.onItemClick,n=e.index;return function(r){t.props.multiSelect||(t._autofill.current&&t._autofill.current.focus(),t.setState({isOpen:!1})),o&&o(r,e,n),t._setSelectedIndex(n,r)}},t.prototype._resetSelectedIndex=function(){var e=this.props.hoisted.currentOptions;this._clearPendingInfo();var t=this._getFirstSelectedIndex();t>0&&t=0&&e=o.length-1?e=-1:t===i.backward&&e<=0&&(e=o.length);var n=this._getNextSelectableIndex(e,t);e===n?t===i.forward?e=this._getNextSelectableIndex(-1,t):t===i.backward&&(e=this._getNextSelectableIndex(o.length,t)):e=n,ee(o,e)&&this._setPendingInfoFromIndex(e)},t.prototype._notifyPendingValueChanged=function(e){var t=this.props.onPendingValueChanged;if(t){var o=this.props.hoisted.currentOptions,n=this.state,r=n.currentPendingValue,i=n.currentPendingValueValidIndex,a=n.currentPendingValueValidIndexOnHover,s=void 0,l=void 0;a!==e.currentPendingValueValidIndexOnHover&&ee(o,a)?s=a:i!==e.currentPendingValueValidIndex&&ee(o,i)?s=i:r!==e.currentPendingValue&&(l=r),(void 0!==s||void 0!==l||this._hasPendingValue)&&(t(void 0!==s?o[s]:void 0,s,l),this._hasPendingValue=void 0!==s||void 0!==l)}},t.prototype._setOpenStateAndFocusOnClose=function(e,t){this._focusInputAfterClose=t,this.setState({isOpen:e})},t.prototype._onOptionMouseEnter=function(e){this._shouldIgnoreMouseEvent()||this.setState({currentPendingValueValidIndexOnHover:e})},t.prototype._onOptionMouseMove=function(e){this._gotMouseMove=!0,this._isScrollIdle&&this.state.currentPendingValueValidIndexOnHover!==e&&this.setState({currentPendingValueValidIndexOnHover:e})},t.prototype._shouldIgnoreMouseEvent=function(){return!this._isScrollIdle||!this._gotMouseMove},t.prototype._handleInputWhenDisabled=function(e){this.props.disabled&&(this.state.isOpen&&this.setState({isOpen:!1}),null!==e&&e.which!==f.m.tab&&e.which!==f.m.escape&&(e.which<112||e.which>123)&&(e.stopPropagation(),e.preventDefault()))},t.prototype._handleTouchAndPointerEvent=function(){var e=this;void 0!==this._lastTouchTimeoutId&&(this._async.clearTimeout(this._lastTouchTimeoutId),this._lastTouchTimeoutId=void 0),this._processingTouch=!0,this._lastTouchTimeoutId=this._async.setTimeout((function(){e._processingTouch=!1,e._lastTouchTimeoutId=void 0}),500)},t.prototype._getCaretButtonStyles=function(){var e=this.props.caretDownButtonStyles;return L(this.props.theme,e)},t.prototype._getCurrentOptionStyles=function(e){var t=this.props.comboBoxOptionStyles,o=e.styles;return F(this.props.theme,t,o,this._isPendingOption(e),e.hidden)},t.prototype._getAriaActiveDescendantValue=function(){var e,t=this.props.hoisted.selectedIndices,o=this.state,n=o.isOpen,r=o.currentPendingValueValidIndex,i=n&&(null===(e=t)||void 0===e?void 0:e.length)?this._id+"-list"+t[0]:void 0;return n&&this._hasFocus()&&-1!==r&&(i=this._id+"-list"+r),i},t.prototype._getAriaAutoCompleteValue=function(){return this.props.disabled||"on"!==this.props.autoComplete?"none":this.props.allowFreeform?"inline":"both"},t.prototype._isPendingOption=function(e){return e&&e.index===this.state.currentPendingValueValidIndex},t.prototype._hasFocus=function(){return"none"!==this.state.focusState},(0,s.gn)([(0,w.a)("ComboBox",["theme","styles"],!0)],t)}(l.Component);function X(e,t){if(!e||!t)return[];var o={};e.forEach((function(e,t){e.selected&&(o[t]=!0)}));for(var n=function(t){var n=(0,I.cx)(e,(function(e){return e.key===t}));n>-1&&(o[n]=!0)},r=0,i=t;r=0&&t{"use strict";o.d(t,{MK:()=>Y,Hl:()=>j,Nb:()=>U});var n=o(7622),r=o(7002),i=r.createContext({}),a=o(5183),s=o(6628),l=o(7023),c=o(2998),u=o(7300),d=o(5094),p=o(63),m=o(8145),h=o(6479),g=o(8936),f=o(5951),v=o(4553),b=o(2167),y=o(9919),_=o(688),C=o(3129),S=o(2782),x=o(2447),k=o(8088),w=o(8127),I=o(2240),D=o(5953),T=o(6662),E=o(9577),P=function(e){function t(t){var o=e.call(this,t)||this;return o._onItemMouseEnter=function(e){var t=o.props,n=t.item,r=t.onItemMouseEnter;r&&r(n,e,e.currentTarget)},o._onItemClick=function(e){var t=o.props,n=t.item,r=t.onItemClickBase;r&&r(n,e,e.currentTarget)},o._onItemMouseLeave=function(e){var t=o.props,n=t.item,r=t.onItemMouseLeave;r&&r(n,e)},o._onItemKeyDown=function(e){var t=o.props,n=t.item,r=t.onItemKeyDown;r&&r(n,e)},o._onItemMouseMove=function(e){var t=o.props,n=t.item,r=t.onItemMouseMove;r&&r(n,e,e.currentTarget)},o._getSubmenuTarget=function(){},(0,_.l)(o),o}return(0,n.ZT)(t,e),t.prototype.shouldComponentUpdate=function(e){return!(0,x.Vv)(e,this.props)},t}(r.Component),M=o(9949),R=function(e){function t(){var t=null!==e&&e.apply(this,arguments)||this;return t._anchor=r.createRef(),t._getMemoizedMenuButtonKeytipProps=(0,d.NF)((function(e){return(0,n.pi)((0,n.pi)({},e),{hasMenu:!0})})),t._getSubmenuTarget=function(){return t._anchor.current?t._anchor.current:void 0},t._onItemClick=function(e){var o=t.props,n=o.item,r=o.onItemClick;r&&r(n,e)},t._renderAriaDescription=function(e,o){return e?r.createElement("span",{id:t._ariaDescriptionId,className:o},e):null},t}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this,t=this.props,o=t.item,i=t.classNames,a=t.index,s=t.focusableElementIndex,l=t.totalItemCount,c=t.hasCheckmarks,u=t.hasIcons,d=t.contextualMenuItemAs,p=void 0===d?T.W:d,m=t.expandedMenuItemKey,h=t.onItemClick,g=t.openSubMenu,f=t.dismissSubMenu,v=t.dismissMenu,b=o.rel;o.target&&"_blank"===o.target.toLowerCase()&&(b=b||"nofollow noopener noreferrer");var y=(0,I.Df)(o),_=(0,w.pq)(o,w.h2),C=(0,I.P_)(o),x=o.itemProps,k=o.ariaDescription,D=o.keytipProps;D&&y&&(D=this._getMemoizedMenuButtonKeytipProps(D)),k&&(this._ariaDescriptionId=(0,S.z)());var P=(0,E.I)(o.ariaDescribedBy,k?this._ariaDescriptionId:void 0,_["aria-describedby"]),R={"aria-describedby":P};return r.createElement("div",null,r.createElement(M.a,{keytipProps:o.keytipProps,ariaDescribedBy:P,disabled:C},(function(t){return r.createElement("a",(0,n.pi)({},R,_,t,{ref:e._anchor,href:o.href,target:o.target,rel:b,className:i.root,role:"menuitem","aria-haspopup":y||void 0,"aria-expanded":y?o.key===m:void 0,"aria-posinset":s+1,"aria-setsize":l,"aria-disabled":(0,I.P_)(o),style:o.style,onClick:e._onItemClick,onMouseEnter:e._onItemMouseEnter,onMouseLeave:e._onItemMouseLeave,onMouseMove:e._onItemMouseMove,onKeyDown:y?e._onItemKeyDown:void 0}),r.createElement(p,(0,n.pi)({componentRef:o.componentRef,item:o,classNames:i,index:a,onCheckmarkClick:c&&h?h:void 0,hasIcons:u,openSubMenu:g,dismissSubMenu:f,dismissMenu:v,getSubmenuTarget:e._getSubmenuTarget},x)),e._renderAriaDescription(k,i.screenReaderText))})))},t}(P),N=function(e){function t(){var t=null!==e&&e.apply(this,arguments)||this;return t._btn=r.createRef(),t._getMemoizedMenuButtonKeytipProps=(0,d.NF)((function(e){return(0,n.pi)((0,n.pi)({},e),{hasMenu:!0})})),t._renderAriaDescription=function(e,o){return e?r.createElement("span",{id:t._ariaDescriptionId,className:o},e):null},t._getSubmenuTarget=function(){return t._btn.current?t._btn.current:void 0},t}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this,t=this.props,o=t.item,i=t.classNames,a=t.index,s=t.focusableElementIndex,l=t.totalItemCount,c=t.hasCheckmarks,u=t.hasIcons,d=t.contextualMenuItemAs,p=void 0===d?T.W:d,m=t.expandedMenuItemKey,h=t.onItemMouseDown,g=t.onItemClick,f=t.openSubMenu,v=t.dismissSubMenu,b=t.dismissMenu,y=(0,I.E3)(o),_=null!==y,C=(0,I.JF)(o),x=(0,I.Df)(o),k=o.itemProps,D=o.ariaLabel,P=o.ariaDescription,R=(0,w.pq)(o,w.Yq);delete R.disabled;var N=o.role||C;P&&(this._ariaDescriptionId=(0,S.z)());var B=(0,E.I)(o.ariaDescribedBy,P?this._ariaDescriptionId:void 0,R["aria-describedby"]),F={className:i.root,onClick:this._onItemClick,onKeyDown:x?this._onItemKeyDown:void 0,onMouseEnter:this._onItemMouseEnter,onMouseLeave:this._onItemMouseLeave,onMouseDown:function(e){return h?h(o,e):void 0},onMouseMove:this._onItemMouseMove,href:o.href,title:o.title,"aria-label":D,"aria-describedby":B,"aria-haspopup":x||void 0,"aria-expanded":x?o.key===m:void 0,"aria-posinset":s+1,"aria-setsize":l,"aria-disabled":(0,I.P_)(o),"aria-checked":"menuitemcheckbox"!==N&&"menuitemradio"!==N||!_?void 0:!!y,"aria-selected":"menuitem"===N&&_?!!y:void 0,role:N,style:o.style},L=o.keytipProps;return L&&x&&(L=this._getMemoizedMenuButtonKeytipProps(L)),r.createElement(M.a,{keytipProps:L,ariaDescribedBy:B,disabled:(0,I.P_)(o)},(function(t){return r.createElement("button",(0,n.pi)({ref:e._btn},R,F,t),r.createElement(p,(0,n.pi)({componentRef:o.componentRef,item:o,classNames:i,index:a,onCheckmarkClick:c&&g?g:void 0,hasIcons:u,openSubMenu:f,dismissSubMenu:v,dismissMenu:b,getSubmenuTarget:e._getSubmenuTarget},k)),e._renderAriaDescription(P,i.screenReaderText))}))},t}(P),B=o(98),F=o(8386),L=function(e){function t(t){var o=e.call(this,t)||this;return o._getMemoizedMenuButtonKeytipProps=(0,d.NF)((function(e){return(0,n.pi)((0,n.pi)({},e),{hasMenu:!0})})),o._onItemKeyDown=function(e){var t=o.props,n=t.item,r=t.onItemKeyDown;e.which===m.m.enter?(o._executeItemClick(e),e.preventDefault(),e.stopPropagation()):r&&r(n,e)},o._getSubmenuTarget=function(){return o._splitButton},o._renderAriaDescription=function(e,t){return e?r.createElement("span",{id:o._ariaDescriptionId,className:t},e):null},o._onItemMouseEnterPrimary=function(e){var t=o.props,r=t.item,i=t.onItemMouseEnter;i&&i((0,n.pi)((0,n.pi)({},r),{subMenuProps:void 0,items:void 0}),e,o._splitButton)},o._onItemMouseEnterIcon=function(e){var t=o.props,n=t.item,r=t.onItemMouseEnter;r&&r(n,e,o._splitButton)},o._onItemMouseMovePrimary=function(e){var t=o.props,r=t.item,i=t.onItemMouseMove;i&&i((0,n.pi)((0,n.pi)({},r),{subMenuProps:void 0,items:void 0}),e,o._splitButton)},o._onItemMouseMoveIcon=function(e){var t=o.props,n=t.item,r=t.onItemMouseMove;r&&r(n,e,o._splitButton)},o._onIconItemClick=function(e){var t=o.props,n=t.item,r=t.onItemClickBase;r&&r(n,e,o._splitButton?o._splitButton:e.currentTarget)},o._executeItemClick=function(e){var t=o.props,n=t.item,r=t.executeItemClick,i=t.onItemClick;if(!n.disabled&&!n.isDisabled)return o._processingTouch&&i?i(n,e):void(r&&r(n,e))},o._onTouchStart=function(e){o._splitButton&&!("onpointerdown"in o._splitButton)&&o._handleTouchAndPointerEvent(e)},o._onPointerDown=function(e){"touch"===e.pointerType&&(o._handleTouchAndPointerEvent(e),e.preventDefault(),e.stopImmediatePropagation())},o._async=new b.e(o),o._events=new y.r(o),o}return(0,n.ZT)(t,e),t.prototype.componentDidMount=function(){this._splitButton&&"onpointerdown"in this._splitButton&&this._events.on(this._splitButton,"pointerdown",this._onPointerDown,!0)},t.prototype.componentWillUnmount=function(){this._async.dispose(),this._events.dispose()},t.prototype.render=function(){var e=this,t=this.props,o=t.item,i=t.classNames,a=t.index,s=t.focusableElementIndex,l=t.totalItemCount,c=t.hasCheckmarks,u=t.hasIcons,d=t.onItemMouseLeave,p=t.expandedMenuItemKey,m=(0,I.Df)(o),h=o.keytipProps;h&&(h=this._getMemoizedMenuButtonKeytipProps(h));var g=o.ariaDescription;return g&&(this._ariaDescriptionId=(0,S.z)()),r.createElement(M.a,{keytipProps:h,disabled:(0,I.P_)(o)},(function(t){return r.createElement("div",{"data-ktp-target":t["data-ktp-target"],ref:function(t){return e._splitButton=t},role:(0,I.JF)(o),"aria-label":o.ariaLabel,className:i.splitContainer,"aria-disabled":(0,I.P_)(o),"aria-expanded":m?o.key===p:void 0,"aria-haspopup":!0,"aria-describedby":(0,E.I)(o.ariaDescribedBy,g?e._ariaDescriptionId:void 0,t["aria-describedby"]),"aria-checked":o.isChecked||o.checked,"aria-posinset":s+1,"aria-setsize":l,onMouseEnter:e._onItemMouseEnterPrimary,onMouseLeave:d?d.bind(e,(0,n.pi)((0,n.pi)({},o),{subMenuProps:null,items:null})):void 0,onMouseMove:e._onItemMouseMovePrimary,onKeyDown:e._onItemKeyDown,onClick:e._executeItemClick,onTouchStart:e._onTouchStart,tabIndex:0,"data-is-focusable":!0,"aria-roledescription":o["aria-roledescription"]},e._renderSplitPrimaryButton(o,i,a,c,u),e._renderSplitDivider(o),e._renderSplitIconButton(o,i,a,t),e._renderAriaDescription(g,i.screenReaderText))}))},t.prototype._renderSplitPrimaryButton=function(e,t,o,i,a){var s=this.props,l=s.contextualMenuItemAs,c=void 0===l?T.W:l,u=s.onItemClick,d={key:e.key,disabled:(0,I.P_)(e)||e.primaryDisabled,name:e.name,text:e.text||e.name,secondaryText:e.secondaryText,className:t.splitPrimary,canCheck:e.canCheck,isChecked:e.isChecked,checked:e.checked,iconProps:e.iconProps,onRenderIcon:e.onRenderIcon,data:e.data,"data-is-focusable":!1},p=e.itemProps;return r.createElement("button",(0,n.pi)({},(0,w.pq)(d,w.Yq)),r.createElement(c,(0,n.pi)({"data-is-focusable":!1,item:d,classNames:t,index:o,onCheckmarkClick:i&&u?u:void 0,hasIcons:a},p)))},t.prototype._renderSplitDivider=function(e){var t=e.getSplitButtonVerticalDividerClassNames||B.Z;return r.createElement(F.p,{getClassNames:t})},t.prototype._renderSplitIconButton=function(e,t,o,i){var a=this.props,s=a.contextualMenuItemAs,l=void 0===s?T.W:s,c=a.onItemMouseLeave,u=a.onItemMouseDown,d=a.openSubMenu,p=a.dismissSubMenu,m=a.dismissMenu,h={onClick:this._onIconItemClick,disabled:(0,I.P_)(e),className:t.splitMenu,subMenuProps:e.subMenuProps,submenuIconProps:e.submenuIconProps,split:!0,key:e.key},g=(0,n.pi)((0,n.pi)({},(0,w.pq)(h,w.Yq)),{onMouseEnter:this._onItemMouseEnterIcon,onMouseLeave:c?c.bind(this,e):void 0,onMouseDown:function(t){return u?u(e,t):void 0},onMouseMove:this._onItemMouseMoveIcon,"data-is-focusable":!1,"data-ktp-execute-target":i["data-ktp-execute-target"],"aria-hidden":!0}),f=e.itemProps;return r.createElement("button",(0,n.pi)({},g),r.createElement(l,(0,n.pi)({componentRef:e.componentRef,item:h,classNames:t,index:o,hasIcons:!1,openSubMenu:d,dismissSubMenu:p,dismissMenu:m,getSubmenuTarget:this._getSubmenuTarget},f)))},t.prototype._handleTouchAndPointerEvent=function(e){var t=this,o=this.props.onTap;o&&o(e),this._lastTouchTimeoutId&&(this._async.clearTimeout(this._lastTouchTimeoutId),this._lastTouchTimeoutId=void 0),this._processingTouch=!0,this._lastTouchTimeoutId=this._async.setTimeout((function(){t._processingTouch=!1,t._lastTouchTimeoutId=void 0}),500)},t}(P),A=o(9729),z=o(6876),H=o(9241),O=o(2674),W=o(4126),V=o(9761),K=(0,u.y)(),q=(0,u.y)(),G={items:[],shouldFocusOnMount:!0,gapSpace:0,directionalHint:s.b.bottomAutoEdge,beakWidth:16};function U(e){return e.subMenuProps?e.subMenuProps.items:e.items}function j(e){return e.some((function(e){return!!e.canCheck||!(!e.sectionProps||!e.sectionProps.items.some((function(e){return!0===e.canCheck})))}))}var J=(0,d.NF)((function(){for(var e=[],t=0;t0){for(var $=0,ee=0,te=s;ee0?r.createElement("li",{role:"presentation",key:c.key||e.key||"section-"+o},r.createElement("div",(0,n.pi)({},d),r.createElement("ul",{className:this._classNames.list,role:"presentation"},c.topDivider&&this._renderSeparator(o,t,!0,!0),u&&this._renderListItem(u,e.key||o,t,e.title),c.items.map((function(e,t){return l._renderMenuItem(e,t,t,c.items.length,i,s)})),c.bottomDivider&&this._renderSeparator(o,t,!1,!0)))):void 0}},t.prototype._renderListItem=function(e,t,o,n){return r.createElement("li",{role:"presentation",title:n,key:t,className:o.item},e)},t.prototype._renderSeparator=function(e,t,o,n){return n||e>0?r.createElement("li",{role:"separator",key:"separator-"+e+(void 0===o?"":o?"-top":"-bottom"),className:t.divider,"aria-hidden":"true"}):null},t.prototype._renderNormalItem=function(e,t,o,r,i,a,s){return e.onRender?e.onRender((0,n.pi)({"aria-posinset":r+1,"aria-setsize":i},e),this.dismiss):e.href?this._renderAnchorMenuItem(e,t,o,r,i,a,s):e.split&&(0,I.Df)(e)?this._renderSplitButton(e,t,o,r,i,a,s):this._renderButtonItem(e,t,o,r,i,a,s)},t.prototype._renderHeaderMenuItem=function(e,t,o,i,a){var s=this.props.contextualMenuItemAs,l=void 0===s?T.W:s,c=e.itemProps,u=e.id,d=c&&(0,w.pq)(c,w.n7);return r.createElement("div",(0,n.pi)({id:u,className:this._classNames.header},d,{style:e.style}),r.createElement(l,(0,n.pi)({item:e,classNames:t,index:o,onCheckmarkClick:i?this._onItemClick:void 0,hasIcons:a},c)))},t.prototype._renderAnchorMenuItem=function(e,t,o,n,i,a,s){var l=this.props,c=l.contextualMenuItemAs,u=l.hoisted,d=u.expandedMenuItemKey,p=u.openSubMenu;return r.createElement(R,{item:e,classNames:t,index:o,focusableElementIndex:n,totalItemCount:i,hasCheckmarks:a,hasIcons:s,contextualMenuItemAs:c,onItemMouseEnter:this._onItemMouseEnterBase,onItemMouseLeave:this._onMouseItemLeave,onItemMouseMove:this._onItemMouseMoveBase,onItemMouseDown:this._onItemMouseDown,executeItemClick:this._executeItemClick,onItemClick:this._onAnchorClick,onItemKeyDown:this._onItemKeyDown,expandedMenuItemKey:d,openSubMenu:p,dismissSubMenu:this._onSubMenuDismiss,dismissMenu:this.dismiss})},t.prototype._renderButtonItem=function(e,t,o,n,i,a,s){var l=this.props,c=l.contextualMenuItemAs,u=l.hoisted,d=u.expandedMenuItemKey,p=u.openSubMenu;return r.createElement(N,{item:e,classNames:t,index:o,focusableElementIndex:n,totalItemCount:i,hasCheckmarks:a,hasIcons:s,contextualMenuItemAs:c,onItemMouseEnter:this._onItemMouseEnterBase,onItemMouseLeave:this._onMouseItemLeave,onItemMouseMove:this._onItemMouseMoveBase,onItemMouseDown:this._onItemMouseDown,executeItemClick:this._executeItemClick,onItemClick:this._onItemClick,onItemClickBase:this._onItemClickBase,onItemKeyDown:this._onItemKeyDown,expandedMenuItemKey:d,openSubMenu:p,dismissSubMenu:this._onSubMenuDismiss,dismissMenu:this.dismiss})},t.prototype._renderSplitButton=function(e,t,o,n,i,a,s){var l=this.props,c=l.contextualMenuItemAs,u=l.hoisted,d=u.expandedMenuItemKey,p=u.openSubMenu;return r.createElement(L,{item:e,classNames:t,index:o,focusableElementIndex:n,totalItemCount:i,hasCheckmarks:a,hasIcons:s,contextualMenuItemAs:c,onItemMouseEnter:this._onItemMouseEnterBase,onItemMouseLeave:this._onMouseItemLeave,onItemMouseMove:this._onItemMouseMoveBase,onItemMouseDown:this._onItemMouseDown,executeItemClick:this._executeItemClick,onItemClick:this._onItemClick,onItemClickBase:this._onItemClickBase,onItemKeyDown:this._onItemKeyDown,openSubMenu:p,dismissSubMenu:this._onSubMenuDismiss,dismissMenu:this.dismiss,expandedMenuItemKey:d,onTap:this._onPointerAndTouchEvent})},t.prototype._isAltOrMeta=function(e){return e.which===m.m.alt||"Meta"===e.key},t.prototype._shouldIgnoreMouseEvent=function(){return!this._isScrollIdle||!this.props.hoisted.gotMouseMove.current},t.prototype._updateFocusOnMouseEvent=function(e,t,o){var n=this,r=o||t.currentTarget,i=this.props,a=i.subMenuHoverDelay,s=void 0===a?250:a,l=i.hoisted,c=l.expandedMenuItemKey,u=l.openSubMenu;e.key!==c&&(void 0!==this._enterTimerId&&(this._async.clearTimeout(this._enterTimerId),this._enterTimerId=void 0),void 0===c&&r.focus(),(0,I.Df)(e)?(t.stopPropagation(),this._enterTimerId=this._async.setTimeout((function(){r.focus(),u(e,r,!0),n._enterTimerId=void 0}),s)):this._enterTimerId=this._async.setTimeout((function(){n._onSubMenuDismiss(t),r.focus(),n._enterTimerId=void 0}),s))},t.prototype._getSubmenuProps=function(){var e=this.props.hoisted,t=e.submenuTarget,o=e.expandedMenuItemKey,n=e.expandedByMouseClick,r=this._findItemByKey(o),i=null;return r&&(i={items:U(r),target:t,onDismiss:this._onSubMenuDismiss,isSubMenu:!0,id:this.state.subMenuId,shouldFocusOnMount:!0,shouldFocusOnContainer:n,directionalHint:(0,f.zg)(this.props.theme)?s.b.leftTopEdge:s.b.rightTopEdge,className:this.props.className,gapSpace:0,isBeakVisible:!1},r.subMenuProps&&(0,x.f0)(i,r.subMenuProps)),i},t.prototype._findItemByKey=function(e){var t=this.props.items;return this._findItemByKeyFromItems(e,t)},t.prototype._findItemByKeyFromItems=function(e,t){for(var o=0,n=t;o{"use strict";o.d(t,{RI:()=>p,Z:()=>c});var n=o(5094),r=o(9729),i=(0,n.NF)((function(e){return(0,r.ZC)({wrapper:{display:"inline-flex",height:"100%",alignItems:"center"},divider:{width:1,height:"100%",backgroundColor:e.palette.neutralTertiaryAlt}})})),a=o(668),s=o(6145),l=(0,r.sK)(0,r.yp),c=(0,n.NF)((function(e){var t;return(0,r.ZC)(i(e),{wrapper:{position:"absolute",right:28,selectors:(t={},t[l]={right:32},t)},divider:{height:16,width:1}})})),u={item:"ms-ContextualMenu-item",divider:"ms-ContextualMenu-divider",root:"ms-ContextualMenu-link",isChecked:"is-checked",isExpanded:"is-expanded",isDisabled:"is-disabled",linkContent:"ms-ContextualMenu-linkContent",linkContentMenu:"ms-ContextualMenu-linkContent",icon:"ms-ContextualMenu-icon",iconColor:"ms-ContextualMenu-iconColor",checkmarkIcon:"ms-ContextualMenu-checkmarkIcon",subMenuIcon:"ms-ContextualMenu-submenuIcon",label:"ms-ContextualMenu-itemText",secondaryText:"ms-ContextualMenu-secondaryText",splitMenu:"ms-ContextualMenu-splitMenu",screenReaderText:"ms-ContextualMenu-screenReaderText"},d=(0,n.NF)((function(e,t,o,n,i,l,c,d,p,m,h,g){var f,v,b,y,_=(0,a.w)(e),C=(0,r.Cn)(u,e);return(0,r.ZC)({item:[C.item,_.item,c],divider:[C.divider,_.divider,d],root:[C.root,_.root,n&&[C.isChecked,_.rootChecked],i&&_.anchorLink,o&&[C.isExpanded,_.rootExpanded],t&&[C.isDisabled,_.rootDisabled],!t&&!o&&[{selectors:(f={":hover":_.rootHovered,":active":_.rootPressed},f["."+s.G$+" &:focus, ."+s.G$+" &:focus:hover"]=_.rootFocused,f["."+s.G$+" &:hover"]={background:"inherit;"},f)}],g],splitPrimary:[_.root,{width:"calc(100% - 28px)"},n&&["is-checked",_.rootChecked],(t||h)&&["is-disabled",_.rootDisabled],!(t||h)&&!n&&[{selectors:(v={":hover":_.rootHovered},v[":hover ~ ."+C.splitMenu]=_.rootHovered,v[":active"]=_.rootPressed,v["."+s.G$+" &:focus, ."+s.G$+" &:focus:hover"]=_.rootFocused,v["."+s.G$+" &:hover"]={background:"inherit;"},v)}]],splitMenu:[C.splitMenu,_.root,{flexBasis:"0",padding:"0 8px",minWidth:"28px"},o&&["is-expanded",_.rootExpanded],t&&["is-disabled",_.rootDisabled],!t&&!o&&[{selectors:(b={":hover":_.rootHovered,":active":_.rootPressed},b["."+s.G$+" &:focus, ."+s.G$+" &:focus:hover"]=_.rootFocused,b["."+s.G$+" &:hover"]={background:"inherit;"},b)}]],anchorLink:_.anchorLink,linkContent:[C.linkContent,_.linkContent],linkContentMenu:[C.linkContentMenu,_.linkContent,{justifyContent:"center"}],icon:[C.icon,l&&_.iconColor,_.icon,p,t&&[C.isDisabled,_.iconDisabled]],iconColor:_.iconColor,checkmarkIcon:[C.checkmarkIcon,l&&_.checkmarkIcon,_.icon,p],subMenuIcon:[C.subMenuIcon,_.subMenuIcon,m,o&&{color:e.palette.neutralPrimary},t&&[_.iconDisabled]],label:[C.label,_.label],secondaryText:[C.secondaryText,_.secondaryText],splitContainer:[_.splitButtonFlexContainer,!t&&!n&&[{selectors:(y={},y["."+s.G$+" &:focus, ."+s.G$+" &:focus:hover"]=_.rootFocused,y)}]],screenReaderText:[C.screenReaderText,_.screenReaderText,r.ul,{visibility:"hidden"}]})})),p=function(e){var t=e.theme,o=e.disabled,n=e.expanded,r=e.checked,i=e.isAnchorLink,a=e.knownIcon,s=e.itemClassName,l=e.dividerClassName,c=e.iconClassName,u=e.subMenuClassName,p=e.primaryDisabled,m=e.className;return d(t,o,n,r,i,a,s,l,c,u,p,m)}},668:(e,t,o)=>{"use strict";o.d(t,{f:()=>a,w:()=>c});var n=o(7622),r=o(9729),i=o(5094),a=36,s=(0,r.sK)(0,r.yp),l=(0,i.NF)((function(){var e;return{selectors:(e={},e[r.qJ]=(0,n.pi)({backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},(0,r.xM)()),e)}})),c=(0,i.NF)((function(e){var t,o,i,c,u,d,p,m=e.semanticColors,h=e.fonts,g=e.palette,f=m.menuItemBackgroundHovered,v=m.menuItemTextHovered,b=m.menuItemBackgroundPressed,y=m.bodyDivider,_={item:[h.medium,{color:m.bodyText,position:"relative",boxSizing:"border-box"}],divider:{display:"block",height:"1px",backgroundColor:y,position:"relative"},root:[(0,r.GL)(e),h.medium,{color:m.bodyText,backgroundColor:"transparent",border:"none",width:"100%",height:a,lineHeight:a,display:"block",cursor:"pointer",padding:"0px 8px 0 4px",textAlign:"left"}],rootDisabled:{color:m.disabledBodyText,cursor:"default",pointerEvents:"none",selectors:(t={},t[r.qJ]=(0,n.pi)({color:"GrayText",opacity:1},(0,r.xM)()),t)},rootHovered:(0,n.pi)({backgroundColor:f,color:v,selectors:{".ms-ContextualMenu-icon":{color:g.themeDarkAlt},".ms-ContextualMenu-submenuIcon":{color:g.neutralPrimary}}},l()),rootFocused:(0,n.pi)({backgroundColor:g.white},l()),rootChecked:(0,n.pi)({selectors:{".ms-ContextualMenu-checkmarkIcon":{color:g.neutralPrimary}}},l()),rootPressed:(0,n.pi)({backgroundColor:b,selectors:{".ms-ContextualMenu-icon":{color:g.themeDark},".ms-ContextualMenu-submenuIcon":{color:g.neutralPrimary}}},l()),rootExpanded:(0,n.pi)({backgroundColor:b,color:m.bodyTextChecked},l()),linkContent:{whiteSpace:"nowrap",height:"inherit",display:"flex",alignItems:"center",maxWidth:"100%"},anchorLink:{padding:"0px 8px 0 4px",textRendering:"auto",color:"inherit",letterSpacing:"normal",wordSpacing:"normal",textTransform:"none",textIndent:"0px",textShadow:"none",textDecoration:"none",boxSizing:"border-box"},label:{margin:"0 4px",verticalAlign:"middle",display:"inline-block",flexGrow:"1",textOverflow:"ellipsis",overflow:"hidden",whiteSpace:"nowrap"},secondaryText:{color:e.palette.neutralSecondary,paddingLeft:"20px",textAlign:"right"},icon:{display:"inline-block",minHeight:"1px",maxHeight:a,fontSize:r.ld.medium,width:r.ld.medium,margin:"0 4px",verticalAlign:"middle",flexShrink:"0",selectors:(o={},o[s]={fontSize:r.ld.large,width:r.ld.large},o)},iconColor:{color:m.menuIcon,selectors:(i={},i[r.qJ]={color:"inherit"},i["$root:hover &"]={selectors:(c={},c[r.qJ]={color:"HighlightText"},c)},i["$root:focus &"]={selectors:(u={},u[r.qJ]={color:"HighlightText"},u)},i)},iconDisabled:{color:m.disabledBodyText},checkmarkIcon:{color:m.bodySubtext,selectors:(d={},d[r.qJ]={color:"HighlightText"},d)},subMenuIcon:{height:a,lineHeight:a,color:g.neutralSecondary,textAlign:"center",display:"inline-block",verticalAlign:"middle",flexShrink:"0",fontSize:r.ld.small,selectors:(p={":hover":{color:g.neutralPrimary},":active":{color:g.neutralPrimary}},p[s]={fontSize:r.ld.medium},p[r.qJ]={color:"HighlightText"},p)},splitButtonFlexContainer:[(0,r.GL)(e),{display:"flex",height:a,flexWrap:"nowrap",justifyContent:"center",alignItems:"flex-start"}]};return(0,r.E$)(_)}))},9134:(e,t,o)=>{"use strict";o.d(t,{r:()=>p});var n=o(7622),r=o(7002),i=o(2002),a=o(7817),s=o(9729),l=o(668),c={root:"ms-ContextualMenu",container:"ms-ContextualMenu-container",list:"ms-ContextualMenu-list",header:"ms-ContextualMenu-header",title:"ms-ContextualMenu-title",isopen:"is-open"};function u(e){return r.createElement(d,(0,n.pi)({},e))}var d=(0,i.z)(a.MK,(function(e){var t=e.className,o=e.theme,n=(0,s.Cn)(c,o),r=o.fonts,i=o.semanticColors,a=o.effects;return{root:[o.fonts.medium,n.root,n.isopen,{backgroundColor:i.menuBackground,minWidth:"180px"},t],container:[n.container,{selectors:{":focus":{outline:0}}}],list:[n.list,n.isopen,{listStyleType:"none",margin:"0",padding:"0"}],header:[n.header,r.small,{fontWeight:s.lq.semibold,color:i.menuHeader,background:"none",backgroundColor:"transparent",border:"none",height:l.f,lineHeight:l.f,cursor:"default",padding:"0px 6px",userSelect:"none",textAlign:"left"}],title:[n.title,{fontSize:r.mediumPlus.fontSize,paddingRight:"14px",paddingLeft:"14px",paddingBottom:"5px",paddingTop:"5px",backgroundColor:i.menuItemBackgroundPressed}],subComponentStyles:{callout:{root:{boxShadow:a.elevation8}},menuItem:{}}}}),(function(){return{onRenderSubMenu:u}}),{scope:"ContextualMenu"}),p=d;p.displayName="ContextualMenu"},5183:(e,t,o)=>{"use strict";var n;o.d(t,{n:()=>n}),function(e){e[e.Normal=0]="Normal",e[e.Divider=1]="Divider",e[e.Header=2]="Header",e[e.Section=3]="Section"}(n||(n={}))},1839:(e,t,o)=>{"use strict";o.d(t,{b:()=>h});var n=o(7622),r=o(7002),i=o(2240),a=o(5951),s=o(688),l=o(9947),c=function(e){var t=e.item,o=e.hasIcons,i=e.classNames,a=t.iconProps;return o?t.onRenderIcon?t.onRenderIcon(e):r.createElement(l.J,(0,n.pi)({},a,{className:i.icon})):null},u=function(e){var t=e.onCheckmarkClick,o=e.item,n=e.classNames,a=(0,i.E3)(o);return t?r.createElement(l.J,{iconName:!1!==o.canCheck&&a?"CheckMark":"",className:n.checkmarkIcon,onClick:function(e){return t(o,e)}}):null},d=function(e){var t=e.item,o=e.classNames;return t.text||t.name?r.createElement("span",{className:o.label},t.text||t.name):null},p=function(e){var t=e.item,o=e.classNames;return t.secondaryText?r.createElement("span",{className:o.secondaryText},t.secondaryText):null},m=function(e){var t=e.item,o=e.classNames,s=e.theme;return(0,i.Df)(t)?r.createElement(l.J,(0,n.pi)({iconName:(0,a.zg)(s)?"ChevronLeft":"ChevronRight"},t.submenuIconProps,{className:o.subMenuIcon})):null},h=function(e){function t(t){var o=e.call(this,t)||this;return o.openSubMenu=function(){var e=o.props,t=e.item,n=e.openSubMenu,r=e.getSubmenuTarget;if(r){var a=r();(0,i.Df)(t)&&n&&a&&n(t,a)}},o.dismissSubMenu=function(){var e=o.props,t=e.item,n=e.dismissSubMenu;(0,i.Df)(t)&&n&&n()},o.dismissMenu=function(e){var t=o.props.dismissMenu;t&&t(void 0,e)},(0,s.l)(o),o}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.item,o=e.classNames,n=t.onRenderContent||this._renderLayout;return r.createElement("div",{className:t.split?o.linkContentMenu:o.linkContent},n(this.props,{renderCheckMarkIcon:u,renderItemIcon:c,renderItemName:d,renderSecondaryText:p,renderSubMenuIcon:m}))},t.prototype._renderLayout=function(e,t){return r.createElement(r.Fragment,null,t.renderCheckMarkIcon(e),t.renderItemIcon(e),t.renderItemName(e),t.renderSecondaryText(e),t.renderSubMenuIcon(e))},t}(r.Component)},6662:(e,t,o)=>{"use strict";o.d(t,{W:()=>a});var n=o(2002),r=o(1839),i=o(98),a=(0,n.z)(r.b,i.RI,void 0,{scope:"ContextualMenuItem"})},6381:(e,t,o)=>{"use strict";o.d(t,{R:()=>x});var n=o(7622),r=o(7002),i=o(7300),a=o(63),s=o(8145),l=o(8127),c=o(8088),u=o(4977),d=o(1093),p=o(6974),m=o(5953),h=o(6628),g=o(8623),f=o(6007),v=o(3528),b=o(6548),y=o(4085),_=o(1194),C=(0,i.y)(),S={allowTextInput:!1,formatDate:function(e){return e?e.toDateString():""},parseDateFromString:function(e){var t=Date.parse(e);return t?new Date(t):null},firstDayOfWeek:d.eO.Sunday,initialPickerDate:new Date,isRequired:!1,isMonthPickerVisible:!0,showMonthPickerAsOverlay:!1,strings:_.f,highlightCurrentMonth:!1,highlightSelectedMonth:!1,borderless:!1,pickerAriaLabel:"Calendar",showWeekNumbers:!1,firstWeekOfYear:d.On.FirstDay,showGoToToday:!0,showCloseButton:!1,underlined:!1,allFocusable:!1},x=r.forwardRef((function(e,t){var o=(0,a.j)(S,e),i=o.firstDayOfWeek,d=o.strings,_=o.label,x=o.theme,w=o.className,I=o.styles,D=o.initialPickerDate,T=o.isRequired,E=o.disabled,P=o.ariaLabel,M=o.pickerAriaLabel,R=o.placeholder,N=o.allowTextInput,B=o.borderless,F=o.minDate,L=o.maxDate,A=o.showCloseButton,z=o.calendarProps,H=o.calloutProps,O=o.textField,W=o.underlined,V=o.allFocusable,K=o.calendarAs,q=void 0===K?u.f:K,G=o.tabIndex,U=o.disableAutoFocus,j=(0,y.M)("DatePicker",o.id),J=(0,y.M)("DatePicker-Callout"),Y=r.useRef(null),Z=r.useRef(null),X=function(){var e=r.useRef(null),t=r.useRef(!1);return[e,function(){var t,o,n;null===(n=null===(t=e.current)||void 0===t?void 0:(o=t).focus)||void 0===n||n.call(o)},t,function(){t.current=!0}]}(),Q=X[0],$=X[1],ee=X[2],te=X[3],oe=function(e,t){var o=e.allowTextInput,n=e.onAfterMenuDismiss,i=r.useState(!1),a=i[0],s=i[1],l=r.useRef(!1),c=(0,v.r)();return r.useEffect((function(){var e;l.current&&!a&&(o&&c.requestAnimationFrame(t),null===(e=n)||void 0===e||e()),l.current=!0}),[a]),[a,s]}(o,$),ne=oe[0],re=oe[1],ie=function(e){var t=e.formatDate,o=e.value,n=e.onSelectDate,i=(0,b.G)(o,void 0,(function(e,t){var o;return null===(o=n)||void 0===o?void 0:o(t)})),a=i[0],s=i[1],l=r.useState((function(){return o&&t?t(o):""})),c=l[0],u=l[1];return r.useEffect((function(){u(o&&t?t(o):"")}),[t,o]),[a,c,function(e){s(e),u(e&&t?t(e):"")},u]}(o),ae=ie[0],se=ie[1],le=ie[2],ce=ie[3],ue=function(e,t,o,n,i){var a=e.isRequired,s=e.allowTextInput,l=e.strings,c=e.parseDateFromString,u=e.onSelectDate,d=e.formatDate,m=e.minDate,h=e.maxDate,g=r.useState(),f=g[0],v=g[1];return r.useEffect((function(){a&&!t?v(l.isRequiredErrorMessage||" "):t&&k(t,m,h)?v(l.isOutOfBoundsErrorMessage||" "):v(void 0)}),[m&&(0,p.c8)(m),h&&(0,p.c8)(h),t&&(0,p.c8)(t),a]),[i?void 0:f,function(e){var r;if(void 0===e&&(e=null),s)if(n||e){if(t&&!f&&d&&d(null!=e?e:t)===n)return;!(e=e||c(n))||isNaN(e.getTime())?(o(t),v(l.invalidInputErrorMessage||" ")):k(e,m,h)?v(l.isOutOfBoundsErrorMessage||" "):(o(e),v(void 0))}else v(a?l.isRequiredErrorMessage||" ":void 0),null===(r=u)||void 0===r||r(e);else v(a&&!n?l.isRequiredErrorMessage||" ":void 0)},v]}(o,ae,le,se,ne),de=ue[0],pe=ue[1],me=ue[2],he=r.useCallback((function(){ne||(te(),re(!0))}),[ne,te,re]);r.useImperativeHandle(o.componentRef,(function(){return{focus:$,reset:function(){re(!1),le(void 0),me(void 0)},showDatePickerPopup:he}}),[$,me,re,le,he]);var ge=function(e){ne&&(re(!1),pe(e),!N&&e&&le(e))},fe=function(e){te(),ge(e)},ve=C(I,{theme:x,className:w,disabled:E,label:!!_,isDatePickerShown:ne}),be=(0,l.pq)(o,l.n7,["value"]),ye=O&&O.iconProps;return r.createElement("div",(0,n.pi)({},be,{className:ve.root,ref:t}),r.createElement("div",{ref:Z,"aria-haspopup":"true","aria-owns":ne?J:void 0,className:ve.wrapper},r.createElement(g.n,(0,n.pi)({role:"combobox",label:_,"aria-expanded":ne,ariaLabel:P,"aria-controls":ne?J:void 0,required:T,disabled:E,errorMessage:de,placeholder:R,borderless:B,value:se,componentRef:Q,underlined:W,tabIndex:G,readOnly:!N},O,{id:j+"-label",className:(0,c.i)(ve.textField,O&&O.className),iconProps:(0,n.pi)((0,n.pi)({iconName:"Calendar"},ye),{className:(0,c.i)(ve.icon,ye&&ye.className),onClick:function(e){e.stopPropagation(),ne||o.disabled?o.allowTextInput&&ge():he()}}),onKeyDown:function(e){switch(e.which){case s.m.enter:e.preventDefault(),e.stopPropagation(),ne?o.allowTextInput&&ge():(pe(),he());break;case s.m.escape:!function(e){e.stopPropagation(),fe()}(e);break;case s.m.down:e.altKey&&!ne&&he()}},onFocus:function(){U||N||(ee.current||he(),ee.current=!1)},onBlur:function(e){pe()},onClick:function(e){o.disableAutoFocus||ne||o.disabled?o.allowTextInput&&ge():he()},onChange:function(e,t){var n,r,i,a=o.textField;N&&(ne&&ge(),ce(t)),null===(i=null===(n=a)||void 0===n?void 0:(r=n).onChange)||void 0===i||i.call(r,e,t)}}))),ne&&r.createElement(m.U,(0,n.pi)({id:J,role:"dialog",ariaLabel:M,isBeakVisible:!1,gapSpace:0,doNotLayer:!1,target:Z.current,directionalHint:h.b.bottomLeftEdge},H,{className:(0,c.i)(ve.callout,H&&H.className),onDismiss:function(e){fe()},onPositioned:function(){var e=!0;o.calloutProps&&void 0!==o.calloutProps.setInitialFocus&&(e=o.calloutProps.setInitialFocus),Y.current&&e&&Y.current.focus()}}),r.createElement(f.P,{isClickableOutsideFocusTrap:!0,disableFirstFocus:o.disableAutoFocus},r.createElement(q,(0,n.pi)({},z,{onSelectDate:function(e){o.calendarProps&&o.calendarProps.onSelectDate&&o.calendarProps.onSelectDate(e),fe(e)},onDismiss:fe,isMonthPickerVisible:o.isMonthPickerVisible,showMonthPickerAsOverlay:o.showMonthPickerAsOverlay,today:o.today,value:ae||D,firstDayOfWeek:i,strings:d,highlightCurrentMonth:o.highlightCurrentMonth,highlightSelectedMonth:o.highlightSelectedMonth,showWeekNumbers:o.showWeekNumbers,firstWeekOfYear:o.firstWeekOfYear,showGoToToday:o.showGoToToday,dateTimeFormatter:o.dateTimeFormatter,minDate:F,maxDate:L,componentRef:Y,showCloseButton:A,allFocusable:V})))))}));function k(e,t,o){return!!t&&(0,p.NJ)(t,e)>0||!!o&&(0,p.NJ)(o,e)<0}x.displayName="DatePickerBase"},127:(e,t,o)=>{"use strict";o.d(t,{M:()=>s});var n=o(2002),r=o(6381),i=o(9729),a={root:"ms-DatePicker",callout:"ms-DatePicker-callout",withLabel:"ms-DatePicker-event--with-label",withoutLabel:"ms-DatePicker-event--without-label",disabled:"msDatePickerDisabled "},s=(0,n.z)(r.R,(function(e){var t=e.className,o=e.theme,n=e.disabled,r=e.label,s=e.isDatePickerShown,l=o.palette,c=o.semanticColors,u=(0,i.Cn)(a,o),d={color:l.neutralSecondary,fontSize:i.TS.icon,lineHeight:"18px",pointerEvents:"none",position:"absolute",right:"4px",padding:"5px"};return{root:[u.root,o.fonts.large,s&&"is-open",i.Fv,t],textField:[{position:"relative",selectors:{"& input[readonly]":{cursor:"pointer"},input:{selectors:{"::-ms-clear":{display:"none"}}}}},n&&{selectors:{"& input[readonly]":{cursor:"default"}}}],callout:[u.callout],icon:[d,r?u.withLabel:u.withoutLabel,{paddingTop:"7px"},!n&&[u.disabled,{pointerEvents:"initial",cursor:"pointer"}],n&&{color:c.disabledText,cursor:"default"}]}}),void 0,{scope:"DatePicker"})},1194:(e,t,o)=>{"use strict";o.d(t,{f:()=>i});var n=o(7622),r=o(6883),i=(0,n.pi)((0,n.pi)({},r.V3),{prevMonthAriaLabel:"Go to previous month",nextMonthAriaLabel:"Go to next month",prevYearAriaLabel:"Go to previous year",nextYearAriaLabel:"Go to next year",closeButtonAriaLabel:"Close date picker",isRequiredErrorMessage:"Field is required",invalidInputErrorMessage:"Invalid date format"})},8386:(e,t,o)=>{"use strict";o.d(t,{p:()=>a});var n=o(7002),r=(0,o(7300).y)(),i=n.forwardRef((function(e,t){var o=e.styles,i=e.theme,a=e.getClassNames,s=e.className,l=r(o,{theme:i,getClassNames:a,className:s});return n.createElement("span",{className:l.wrapper,ref:t},n.createElement("span",{className:l.divider}))}));i.displayName="VerticalDividerBase";var a=(0,o(2002).z)(i,(function(e){var t=e.theme,o=e.getClassNames,n=e.className;if(!t)throw new Error("Theme is undefined or null.");if(o){var r=o(t);return{wrapper:[r.wrapper],divider:[r.divider]}}return{wrapper:[{display:"inline-flex",height:"100%",alignItems:"center"},n],divider:[{width:1,height:"100%",backgroundColor:t.palette.neutralTertiaryAlt}]}}),void 0,{scope:"VerticalDivider"})},8982:(e,t,o)=>{"use strict";o.d(t,{P:()=>L});var n=o(7622),r=o(7002),i=o(7300),a=o(2470),s=o(2990),l=o(5446),c=o(8145),u=o(4553),d=o(688),p=o(2782),m=o(8127),h=o(9577),g=o(6479),f=o(8936),v=o(5953),b=o(6628),y=o(990),_=o(2703),C=function(){function e(){this._size=0}return e.prototype.updateOptions=function(e){for(var t=[],o=0,r=0;rthis._displayOnlyOptionsCache[t];)t++;if(this._displayOnlyOptionsCache[t]===e)throw new Error("Unexpected: Option at index "+e+" is not a selectable element.");return e-t+1}},e}(),S=o(2998),x=o(7023),k=o(9947),w=o(2052),I=o(9755),D=o(4126),T=o(9761),E=o(5515),P=o(2777),M=o(63),R=o(6876),N=o(9241),B=(0,i.y)(),F={options:[]},L=r.forwardRef((function(e,t){var o=(0,M.j)(F,e),i=r.useRef(null),s=(0,N.r)(t,i),l=(0,D.q)(i),c=function(e){var t,o=e.defaultSelectedKeys,n=e.selectedKeys,i=e.defaultSelectedKey,s=e.selectedKey,l=e.options,c=e.multiSelect,u=(0,R.D)(l),d=r.useState([]),p=d[0],m=d[1],h=l!==u;t=c?h&&void 0!==o?o:n:h&&void 0!==i?i:s;var g=(0,R.D)(t);return r.useEffect((function(){var e=function(e){return(0,a.cx)(l,(function(t){return null!=e?t.key===e:!!t.selected||!!t.isSelected}))};void 0===t&&u||t===g&&!h||m(function(){if(void 0===t)return c?l.map((function(e,t){return e.selected?t:-1})).filter((function(e){return-1!==e})):-1!==(i=e(null))?[i]:[];if(!Array.isArray(t))return-1!==(i=e(t))?[i]:[];for(var o=[],n=0,r=t;n0&&l();var r=o._id+e.key;a.items.push(i((0,n.pi)((0,n.pi)({id:r},e),{index:t}),o._onRenderItem)),a.id=r;break;case _.F.Divider:t>0&&a.items.push(i((0,n.pi)((0,n.pi)({},e),{index:t}),o._onRenderItem)),a.items.length>0&&l();break;default:a.items.push(i((0,n.pi)((0,n.pi)({},e),{index:t}),o._onRenderItem))}}(e,t)})),a.items.length>0&&l(),r.createElement(r.Fragment,null,s)},o._onRenderItem=function(e){switch(e.itemType){case _.F.Divider:return o._renderSeparator(e);case _.F.Header:return o._renderHeader(e);default:return o._renderOption(e)}},o._renderOption=function(e){var t=o.props,i=t.onRenderOption,a=void 0===i?o._onRenderOption:i,s=t.hoisted.selectedIndices,l=void 0===s?[]:s,c=!(void 0===e.index||!l)&&l.indexOf(e.index)>-1,u=e.hidden?o._classNames.dropdownItemHidden:c&&!0===e.disabled?o._classNames.dropdownItemSelectedAndDisabled:c?o._classNames.dropdownItemSelected:!0===e.disabled?o._classNames.dropdownItemDisabled:o._classNames.dropdownItem,d=e.title,p=void 0===d?e.text:d,m=o._classNames.subComponentStyles?o._classNames.subComponentStyles.multiSelectItem:void 0;return o.props.multiSelect?r.createElement(P.X,{id:o._listId+e.index,key:e.key,disabled:e.disabled,onChange:o._onItemClick(e),inputProps:(0,n.pi)({"aria-selected":c,onMouseEnter:o._onItemMouseEnter.bind(o,e),onMouseLeave:o._onMouseItemLeave.bind(o,e),onMouseMove:o._onItemMouseMove.bind(o,e),role:"option"},{"data-index":e.index,"data-is-focusable":!e.disabled}),label:e.text,title:p,onRenderLabel:o._onRenderItemLabel.bind(o,e),className:u,checked:c,styles:m,ariaPositionInSet:o._sizePosCache.positionInSet(e.index),ariaSetSize:o._sizePosCache.optionSetSize}):r.createElement(y.M,{id:o._listId+e.index,key:e.key,"data-index":e.index,"data-is-focusable":!e.disabled,disabled:e.disabled,className:u,onClick:o._onItemClick(e),onMouseEnter:o._onItemMouseEnter.bind(o,e),onMouseLeave:o._onMouseItemLeave.bind(o,e),onMouseMove:o._onItemMouseMove.bind(o,e),role:"option","aria-selected":c?"true":"false",ariaLabel:e.ariaLabel,title:p,"aria-posinset":o._sizePosCache.positionInSet(e.index),"aria-setsize":o._sizePosCache.optionSetSize},a(e,o._onRenderOption))},o._onRenderOption=function(e){return r.createElement("span",{className:o._classNames.dropdownOptionText},e.text)},o._onRenderItemLabel=function(e){var t=o.props.onRenderOption;return(void 0===t?o._onRenderOption:t)(e,o._onRenderOption)},o._onPositioned=function(e){o._focusZone.current&&o._requestAnimationFrame((function(){var e=o.props.hoisted.selectedIndices;if(o._focusZone.current)if(e&&e[0]&&!o.props.options[e[0]].disabled){var t=(0,l.M)().getElementById(o._id+"-list"+e[0]);t&&o._focusZone.current.focusElement(t)}else o._focusZone.current.focus()})),o.state.calloutRenderEdge&&o.state.calloutRenderEdge===e.targetEdge||o.setState({calloutRenderEdge:e.targetEdge})},o._onItemClick=function(e){return function(t){e.disabled||(o.setSelectedIndex(t,e.index),o.props.multiSelect||o.setState({isOpen:!1}))}},o._onScroll=function(){o._isScrollIdle||void 0===o._scrollIdleTimeoutId?o._isScrollIdle=!1:(clearTimeout(o._scrollIdleTimeoutId),o._scrollIdleTimeoutId=void 0),o._scrollIdleTimeoutId=window.setTimeout((function(){o._isScrollIdle=!0}),o._scrollIdleDelay)},o._onMouseItemLeave=function(e,t){if(!o._shouldIgnoreMouseEvent()&&o._host.current)if(o._host.current.setActive)try{o._host.current.setActive()}catch(e){}else o._host.current.focus()},o._onDismiss=function(){o.setState({isOpen:!1})},o._onDropdownBlur=function(e){o._isDisabled()||(o.setState({hasFocus:!1}),o.state.isOpen||o.props.onBlur&&o.props.onBlur(e))},o._onDropdownKeyDown=function(e){if(!o._isDisabled()&&(o._lastKeyDownWasAltOrMeta=o._isAltOrMeta(e),!o.props.onKeyDown||(o.props.onKeyDown(e),!e.defaultPrevented))){var t,n=o.props.hoisted.selectedIndices.length?o.props.hoisted.selectedIndices[0]:-1,r=e.altKey||e.metaKey,i=o.state.isOpen;switch(e.which){case c.m.enter:o.setState({isOpen:!i});break;case c.m.escape:if(!i)return;o.setState({isOpen:!1});break;case c.m.up:if(r){if(i){o.setState({isOpen:!1});break}return}o.props.multiSelect?o.setState({isOpen:!0}):o._isDisabled()||(t=o._moveIndex(e,-1,n-1,n));break;case c.m.down:r&&(e.stopPropagation(),e.preventDefault()),r&&!i||o.props.multiSelect?o.setState({isOpen:!0}):o._isDisabled()||(t=o._moveIndex(e,1,n+1,n));break;case c.m.home:o.props.multiSelect||(t=o._moveIndex(e,1,0,n));break;case c.m.end:o.props.multiSelect||(t=o._moveIndex(e,-1,o.props.options.length-1,n));break;case c.m.space:break;default:return}t!==n&&(e.stopPropagation(),e.preventDefault())}},o._onDropdownKeyUp=function(e){if(!o._isDisabled()){var t=o._shouldHandleKeyUp(e),n=o.state.isOpen;if(!o.props.onKeyUp||(o.props.onKeyUp(e),!e.defaultPrevented)){switch(e.which){case c.m.space:o.setState({isOpen:!n});break;default:return void(t&&n&&o.setState({isOpen:!1}))}e.stopPropagation(),e.preventDefault()}}},o._onZoneKeyDown=function(e){var t;o._lastKeyDownWasAltOrMeta=o._isAltOrMeta(e);var n=e.altKey||e.metaKey;switch(e.which){case c.m.up:n?o.setState({isOpen:!1}):o._host.current&&(t=(0,u.TE)(o._host.current,o._host.current.lastChild,!0));break;case c.m.home:case c.m.end:case c.m.pageUp:case c.m.pageDown:break;case c.m.down:!n&&o._host.current&&(t=(0,u.ft)(o._host.current,o._host.current.firstChild,!0));break;case c.m.escape:o.setState({isOpen:!1});break;case c.m.tab:return void o.setState({isOpen:!1});default:return}t&&t.focus(),e.stopPropagation(),e.preventDefault()},o._onZoneKeyUp=function(e){o._shouldHandleKeyUp(e)&&o.state.isOpen&&(o.setState({isOpen:!1}),e.preventDefault())},o._onDropdownClick=function(e){if(!o.props.onClick||(o.props.onClick(e),!e.defaultPrevented)){var t=o.state.isOpen;o._isDisabled()||o._shouldOpenOnFocus()||o.setState({isOpen:!t}),o._isFocusedByClick=!1}},o._onDropdownMouseDown=function(){o._isFocusedByClick=!0},o._onFocus=function(e){var t=o.state.isOpen,n=o.props,r=n.multiSelect,i=n.hoisted.selectedIndices;if(!o._isDisabled()){o._isFocusedByClick||t||0!==i.length||r||o._moveIndex(e,1,0,-1),o.props.onFocus&&o.props.onFocus(e);var a={hasFocus:!0};o._shouldOpenOnFocus()&&(a.isOpen=!0),o.setState(a)}},o._isDisabled=function(){var e=o.props.disabled,t=o.props.isDisabled;return void 0===e&&(e=t),e},o._onRenderLabel=function(e){var t=e.label,n=e.required,i=e.disabled,a=o._classNames.subComponentStyles?o._classNames.subComponentStyles.label:void 0;return t?r.createElement(w._,{className:o._classNames.label,id:o._labelId,required:n,styles:a,disabled:i},t):null},(0,d.l)(o),t.multiSelect,t.selectedKey,t.selectedKeys,t.defaultSelectedKey,t.defaultSelectedKeys;var i=t.options;return o._id=t.id||(0,p.z)("Dropdown"),o._labelId=o._id+"-label",o._listId=o._id+"-list",o._optionId=o._id+"-option",o._isScrollIdle=!0,o._sizePosCache.updateOptions(i),o.state={isOpen:!1,hasFocus:!1,calloutRenderEdge:void 0},o}return(0,n.ZT)(t,e),Object.defineProperty(t.prototype,"selectedOptions",{get:function(){var e=this.props,t=e.options,o=e.hoisted.selectedIndices;return(0,E.t)(t,o)},enumerable:!0,configurable:!0}),t.prototype.componentWillUnmount=function(){clearTimeout(this._scrollIdleTimeoutId)},t.prototype.componentDidUpdate=function(e,t){!0===t.isOpen&&!1===this.state.isOpen&&(this._gotMouseMove=!1,this.props.onDismiss&&this.props.onDismiss())},t.prototype.render=function(){var e=this._id,t=this.props,o=t.className,i=t.label,a=t.options,s=t.ariaLabel,l=t.required,c=t.errorMessage,u=t.styles,d=t.theme,p=t.panelProps,g=t.calloutProps,f=t.multiSelect,v=t.onRenderTitle,b=void 0===v?this._getTitle:v,y=t.onRenderContainer,_=void 0===y?this._onRenderContainer:y,C=t.onRenderCaretDown,S=void 0===C?this._onRenderCaretDown:C,x=t.onRenderLabel,k=void 0===x?this._onRenderLabel:x,w=t.hoisted.selectedIndices,I=this.state,D=I.isOpen,T=I.calloutRenderEdge,P=t.onRenderPlaceholder||t.onRenderPlaceHolder||this._getPlaceholder;a!==this._sizePosCache.cachedOptions&&this._sizePosCache.updateOptions(a);var M=(0,E.t)(a,w),R=(0,m.pq)(t,m.n7),N=this._isDisabled(),F=e+"-errorMessage",L=N?void 0:D&&1===w.length&&w[0]>=0?this._listId+w[0]:void 0,A=f?{role:"button"}:{role:"listbox",childRole:"option",ariaRequired:l,ariaSetSize:this._sizePosCache.optionSetSize,ariaPosInSet:this._sizePosCache.positionInSet(w[0]),ariaSelected:void 0!==w[0]||void 0};this._classNames=B(u,{theme:d,className:o,hasError:!!(c&&c.length>0),hasLabel:!!i,isOpen:D,required:l,disabled:N,isRenderingPlaceholder:!M.length,panelClassName:p?p.className:void 0,calloutClassName:g?g.className:void 0,calloutRenderEdge:T});var z=!!c&&c.length>0;return r.createElement("div",{className:this._classNames.root,ref:this.props.hoisted.rootRef},k(this.props,this._onRenderLabel),r.createElement("div",(0,n.pi)({"data-is-focusable":!N,"data-ktp-target":!0,ref:this._dropDown,id:e,tabIndex:N?-1:0,role:A.role,"aria-haspopup":"listbox","aria-expanded":D?"true":"false","aria-label":s,"aria-labelledby":i&&!s?(0,h.I)(this._labelId,this._optionId):void 0,"aria-describedby":z?this._id+"-errorMessage":void 0,"aria-activedescendant":L,"aria-required":A.ariaRequired,"aria-disabled":N,"aria-owns":D?this._listId:void 0},R,{className:this._classNames.dropdown,onBlur:this._onDropdownBlur,onKeyDown:this._onDropdownKeyDown,onKeyUp:this._onDropdownKeyUp,onClick:this._onDropdownClick,onMouseDown:this._onDropdownMouseDown,onFocus:this._onFocus}),r.createElement("span",{id:this._optionId,className:this._classNames.title,"aria-live":"polite","aria-atomic":!0,"aria-invalid":z,role:A.childRole,"aria-setsize":A.ariaSetSize,"aria-posinset":A.ariaPosInSet,"aria-selected":A.ariaSelected},M.length?b(M,this._onRenderTitle):P(t,this._onRenderPlaceholder)),r.createElement("span",{className:this._classNames.caretDownWrapper},S(t,this._onRenderCaretDown))),D&&_((0,n.pi)((0,n.pi)({},t),{onDismiss:this._onDismiss}),this._onRenderContainer),z&&r.createElement("div",{role:"alert",id:F,className:this._classNames.errorMessage},c))},t.prototype.focus=function(e){this._dropDown.current&&(this._dropDown.current.focus(),e&&this.setState({isOpen:!0}))},t.prototype.setSelectedIndex=function(e,t){var o=this.props,n=o.options,r=o.selectedKey,i=o.selectedKeys,a=o.multiSelect,s=o.notifyOnReselect,l=o.hoisted.selectedIndices,c=void 0===l?[]:l,u=!!c&&c.indexOf(t)>-1,d=[];if(t=Math.max(0,Math.min(n.length-1,t)),void 0===r&&void 0===i){if(a||s||t!==c[0]){if(a)if(d=c?this._copyArray(c):[],u){var p=d.indexOf(t);p>-1&&d.splice(p,1)}else d.push(t);else d=[t];e.persist(),this.props.hoisted.setSelectedIndices(d),this._onChange(e,n,t,u,a)}}else this._onChange(e,n,t,u,a)},t.prototype._copyArray=function(e){for(var t=[],o=0,n=e;o=r.length?o=0:o<0&&(o=r.length-1);for(var i=0;r[o].itemType===_.F.Header||r[o].itemType===_.F.Divider||r[o].disabled;){if(i>=r.length)return n;o+t<0?o=r.length:o+t>=r.length&&(o=-1),o+=t,i++}return this.setSelectedIndex(e,o),o},t.prototype._renderFocusableList=function(e){var t=e.onRenderList,o=void 0===t?this._onRenderList:t,n=e.label,i=e.ariaLabel,a=e.multiSelect;return r.createElement("div",{className:this._classNames.dropdownItemsWrapper,onKeyDown:this._onZoneKeyDown,onKeyUp:this._onZoneKeyUp,ref:this._host,tabIndex:0},r.createElement(S.k,{ref:this._focusZone,direction:x.U.vertical,id:this._listId,className:this._classNames.dropdownItems,role:"listbox","aria-label":i,"aria-labelledby":n&&!i?this._labelId:void 0,"aria-multiselectable":a},o(e,this._onRenderList)))},t.prototype._renderSeparator=function(e){var t=e.index,o=e.key;return t>0?r.createElement("div",{role:"separator",key:o,className:this._classNames.dropdownDivider}):null},t.prototype._renderHeader=function(e){var t=this.props.onRenderOption,o=void 0===t?this._onRenderOption:t,n=e.key,i=e.id;return r.createElement("div",{id:i,key:n,className:this._classNames.dropdownItemHeader},o(e,this._onRenderOption))},t.prototype._onItemMouseEnter=function(e,t){this._shouldIgnoreMouseEvent()||t.currentTarget.focus()},t.prototype._onItemMouseMove=function(e,t){var o=t.currentTarget;this._gotMouseMove=!0,this._isScrollIdle&&document.activeElement!==o&&o.focus()},t.prototype._shouldIgnoreMouseEvent=function(){return!this._isScrollIdle||!this._gotMouseMove},t.prototype._isAltOrMeta=function(e){return e.which===c.m.alt||"Meta"===e.key},t.prototype._shouldHandleKeyUp=function(e){var t=this._lastKeyDownWasAltOrMeta&&this._isAltOrMeta(e);return this._lastKeyDownWasAltOrMeta=!1,!!t&&!((0,g.V)()||(0,f.g)())},t.prototype._shouldOpenOnFocus=function(){var e=this.state.hasFocus,t=this.props.openOnKeyboardFocus;return!this._isFocusedByClick&&!0===t&&!e},t.defaultProps={options:[]},t}(r.Component)},4004:(e,t,o)=>{"use strict";o.d(t,{L:()=>v});var n,r,i,a=o(2002),s=o(8982),l=o(7622),c=o(6145),u=o(4568),d=o(9729),p={root:"ms-Dropdown-container",label:"ms-Dropdown-label",dropdown:"ms-Dropdown",title:"ms-Dropdown-title",caretDownWrapper:"ms-Dropdown-caretDownWrapper",caretDown:"ms-Dropdown-caretDown",callout:"ms-Dropdown-callout",panel:"ms-Dropdown-panel",dropdownItems:"ms-Dropdown-items",dropdownItem:"ms-Dropdown-item",dropdownDivider:"ms-Dropdown-divider",dropdownOptionText:"ms-Dropdown-optionText",dropdownItemHeader:"ms-Dropdown-header",titleIsPlaceHolder:"ms-Dropdown-titleIsPlaceHolder",titleHasError:"ms-Dropdown-title--hasError"},m=((n={})[d.qJ+", "+d.bO.replace("@media ","")]=(0,l.pi)({},(0,d.xM)()),n),h={selectors:(0,l.pi)((r={},r[d.qJ]={backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},r),m)},g={selectors:(i={},i[d.qJ]={borderColor:"Highlight"},i)},f=(0,d.sK)(0,d.dd),v=(0,a.z)(s.P,(function(e){var t,o,n,r,i,a,s,m,v,b,y,_,C=e.theme,S=e.hasError,x=e.hasLabel,k=e.className,w=e.isOpen,I=e.disabled,D=e.required,T=e.isRenderingPlaceholder,E=e.panelClassName,P=e.calloutClassName,M=e.calloutRenderEdge;if(!C)throw new Error("theme is undefined or null in base Dropdown getStyles function.");var R=(0,d.Cn)(p,C),N=C.palette,B=C.semanticColors,F=C.effects,L=C.fonts,A={color:B.menuItemTextHovered},z={color:B.menuItemText},H={borderColor:B.errorText},O=[R.dropdownItem,{backgroundColor:"transparent",boxSizing:"border-box",cursor:"pointer",display:"flex",alignItems:"center",padding:"0 8px",width:"100%",minHeight:36,lineHeight:20,height:0,position:"relative",border:"1px solid transparent",borderRadius:0,wordWrap:"break-word",overflowWrap:"break-word",textAlign:"left",".ms-Button-flexContainer":{width:"100%"}}],W=B.menuItemBackgroundPressed,V=function(e){var t;return void 0===e&&(e=!1),{selectors:(t={"&:hover:focus":[{color:B.menuItemTextHovered,backgroundColor:e?W:B.menuItemBackgroundHovered},h],"&:focus":[{backgroundColor:e?W:"transparent"},h],"&:active":[{color:B.menuItemTextHovered,backgroundColor:e?B.menuItemBackgroundHovered:B.menuBackground},h]},t["."+c.G$+" &:focus:after"]={left:0,top:0,bottom:0,right:0},t[d.qJ]={border:"none"},t)}},K=(0,l.pr)(O,[{backgroundColor:W,color:B.menuItemTextHovered},V(!0),h]),q=(0,l.pr)(O,[{color:B.disabledText,cursor:"default",selectors:(t={},t[d.qJ]={color:"GrayText",border:"none"},t)}]),G=M===u.z.bottom?F.roundedCorner2+" "+F.roundedCorner2+" 0 0":"0 0 "+F.roundedCorner2+" "+F.roundedCorner2,U=M===u.z.bottom?"0 0 "+F.roundedCorner2+" "+F.roundedCorner2:F.roundedCorner2+" "+F.roundedCorner2+" 0 0";return{root:[R.root,k],label:R.label,dropdown:[R.dropdown,d.Fv,L.medium,{color:B.menuItemText,borderColor:B.focusBorder,position:"relative",outline:0,userSelect:"none",selectors:(o={},o["&:hover ."+R.title]=[!I&&A,{borderColor:w?N.neutralSecondary:N.neutralPrimary},g],o["&:focus ."+R.title]=[!I&&A,{selectors:(n={},n[d.qJ]={color:"Highlight"},n)}],o["&:focus:after"]=[{pointerEvents:"none",content:"''",position:"absolute",boxSizing:"border-box",top:"0px",left:"0px",width:"100%",height:"100%",border:I?"none":"2px solid "+N.themePrimary,borderRadius:"2px",selectors:(r={},r[d.qJ]={color:"Highlight"},r)}],o["&:active ."+R.title]=[!I&&A,{borderColor:N.themePrimary},g],o["&:hover ."+R.caretDown]=!I&&z,o["&:focus ."+R.caretDown]=[!I&&z,{selectors:(i={},i[d.qJ]={color:"Highlight"},i)}],o["&:active ."+R.caretDown]=!I&&z,o["&:hover ."+R.titleIsPlaceHolder]=!I&&z,o["&:focus ."+R.titleIsPlaceHolder]=!I&&z,o["&:active ."+R.titleIsPlaceHolder]=!I&&z,o["&:hover ."+R.titleHasError]=H,o["&:active ."+R.titleHasError]=H,o)},w&&"is-open",I&&"is-disabled",D&&"is-required",D&&!x&&{selectors:(a={":before":{content:"'*'",color:B.errorText,position:"absolute",top:-5,right:-10}},a[d.qJ]={selectors:{":after":{right:-14}}},a)}],title:[R.title,d.Fv,{backgroundColor:B.inputBackground,borderWidth:1,borderStyle:"solid",borderColor:B.inputBorder,borderRadius:w?G:F.roundedCorner2,cursor:"pointer",display:"block",height:32,lineHeight:30,padding:"0 28px 0 8px",position:"relative",overflow:"hidden",whiteSpace:"nowrap",textOverflow:"ellipsis"},T&&[R.titleIsPlaceHolder,{color:B.inputPlaceholderText}],S&&[R.titleHasError,H],I&&{backgroundColor:B.disabledBackground,border:"none",color:B.disabledText,cursor:"default",selectors:(s={},s[d.qJ]=(0,l.pi)({border:"1px solid GrayText",color:"GrayText",backgroundColor:"Window"},(0,d.xM)()),s)}],caretDownWrapper:[R.caretDownWrapper,{position:"absolute",top:1,right:8,height:32,lineHeight:30},!I&&{cursor:"pointer"}],caretDown:[R.caretDown,{color:N.neutralSecondary,fontSize:L.small.fontSize,pointerEvents:"none"},I&&{color:B.disabledText,selectors:(m={},m[d.qJ]=(0,l.pi)({color:"GrayText"},(0,d.xM)()),m)}],errorMessage:(0,l.pi)((0,l.pi)({color:B.errorText},C.fonts.small),{paddingTop:5}),callout:[R.callout,{boxShadow:F.elevation8,borderRadius:U,selectors:(v={},v[".ms-Callout-main"]={borderRadius:U},v)},P],dropdownItemsWrapper:{selectors:{"&:focus":{outline:0}}},dropdownItems:[R.dropdownItems,{display:"block"}],dropdownItem:(0,l.pr)(O,[V()]),dropdownItemSelected:K,dropdownItemDisabled:q,dropdownItemSelectedAndDisabled:[K,q,{backgroundColor:"transparent"}],dropdownItemHidden:(0,l.pr)(O,[{display:"none"}]),dropdownDivider:[R.dropdownDivider,{height:1,backgroundColor:B.bodyDivider}],dropdownOptionText:[R.dropdownOptionText,{overflow:"hidden",whiteSpace:"nowrap",textOverflow:"ellipsis",minWidth:0,maxWidth:"100%",wordWrap:"break-word",overflowWrap:"break-word",margin:"1px"}],dropdownItemHeader:[R.dropdownItemHeader,(0,l.pi)((0,l.pi)({},L.medium),{fontWeight:d.lq.semibold,color:B.menuHeader,background:"none",backgroundColor:"transparent",border:"none",height:36,lineHeight:36,cursor:"default",padding:"0 8px",userSelect:"none",textAlign:"left",selectors:(b={},b[d.qJ]=(0,l.pi)({color:"GrayText"},(0,d.xM)()),b)})],subComponentStyles:{label:{root:{display:"inline-block"}},multiSelectItem:{root:{padding:0},label:{alignSelf:"stretch",padding:"0 8px",width:"100%"},input:{selectors:(y={},y["."+c.G$+" &:focus + label::before"]={outlineOffset:"0px"},y)}},panel:{root:[E],main:{selectors:(_={},_[f]={width:272},_)},contentInner:{padding:"0 0 20px"}}}}}),void 0,{scope:"Dropdown"});v.displayName="Dropdown"},4008:(e,t,o)=>{"use strict";o.d(t,{d:()=>f});var n=o(7622),r=o(7002),i=o(7300),a=o(5094),s=o(5951),l=o(5480),c=o(8127),u=o(3394),d=o(5446),p=o(9729),m=o(9241),h=(0,i.y)(),g=(0,a.NF)((function(e,t){return(0,p.jG)((0,n.pi)((0,n.pi)({},e),{rtl:t}))})),f=r.forwardRef((function(e,t){var o=e.className,i=e.theme,a=e.applyTheme,p=e.applyThemeToBody,f=e.styles,v=h(f,{theme:i,applyTheme:a,className:o}),b=r.useRef(null);return function(e,t,o){var n=t.bodyThemed;r.useEffect((function(){if(e){var t=(0,d.M)(o.current);if(t)return t.body.classList.add(n),function(){t.body.classList.remove(n)}}}),[n,e,o])}(p,v,b),(0,l.P)(b),r.createElement(r.Fragment,null,function(e,t,o,i){var a=t.root,l=e.as,d=void 0===l?"div":l,p=e.dir,h=e.theme,f=(0,c.pq)(e,c.n7,["dir"]),v=function(e){var t=e.theme,o=e.dir,n=(0,s.zg)(t)?"rtl":"ltr",r=(0,s.zg)()?"rtl":"ltr",i=o||n;return{rootDir:i!==n||i!==r?i:o,needsTheme:i!==n}}(e),b=v.rootDir,y=v.needsTheme,_=r.createElement(d,(0,n.pi)({dir:b},f,{className:a,ref:(0,m.r)(o,i)}));return y&&(_=r.createElement(u.N,{settings:{theme:g(h,"rtl"===p)}},_)),_}(e,v,b,t))}));f.displayName="FabricBase"},3595:(e,t,o)=>{"use strict";o.d(t,{P:()=>l});var n=o(2002),r=o(4008),i=o(9729),a={fontFamily:"inherit"},s={root:"ms-Fabric",bodyThemed:"ms-Fabric-bodyThemed"},l=(0,n.z)(r.d,(function(e){var t=e.theme,o=e.className,n=e.applyTheme;return{root:[(0,i.Cn)(s,t).root,t.fonts.medium,{color:t.palette.neutralPrimary,selectors:{"& button":a,"& input":a,"& textarea":a}},n&&{color:t.semanticColors.bodyText,backgroundColor:t.semanticColors.bodyBackground},o],bodyThemed:[{backgroundColor:t.semanticColors.bodyBackground}]}}),void 0,{scope:"Fabric"})},6007:(e,t,o)=>{"use strict";o.d(t,{P:()=>h});var n=o(7622),r=o(7002),i=o(8127),a=o(3345),s=o(4553),l=o(9251),c=o(6093),u=o(9241),d=o(4085),p=o(7913),m=o(8901),h=r.forwardRef((function(e,t){var o=r.useRef(null),f=r.useRef(null),v=r.useRef(null),b=(0,u.r)(o,t),y=(0,d.M)(void 0,e.id),_=(0,m.ky)(),C=(0,i.pq)(e,i.n7),S=(0,p.B)((function(){return{previouslyFocusedElementOutsideTrapZone:void 0,previouslyFocusedElementInTrapZone:void 0,disposeFocusHandler:void 0,disposeClickHandler:void 0,hasFocus:!1,unmodalize:void 0}})),x=e.ariaLabelledBy,k=e.className,w=e.children,I=e.componentRef,D=e.disabled,T=e.disableFirstFocus,E=void 0!==T&&T,P=e.disabled,M=void 0!==P&&P,R=e.elementToFocusOnDismiss,N=e.forceFocusInsideTrap,B=void 0===N||N,F=e.focusPreviouslyFocusedInnerElement,L=e.firstFocusableSelector,A=e.ignoreExternalFocusing,z=e.isClickableOutsideFocusTrap,H=void 0!==z&&z,O=e.onFocus,W=e.onBlur,V=e.onFocusCapture,K=e.onBlurCapture,q=e.enableAriaHiddenSiblings,G={"aria-hidden":!0,style:{pointerEvents:"none",position:"fixed"},tabIndex:D?-1:0,"data-is-visible":!0},U=r.useCallback((function(){if(F&&S.previouslyFocusedElementInTrapZone&&(0,a.t)(o.current,S.previouslyFocusedElementInTrapZone))(0,s.um)(S.previouslyFocusedElementInTrapZone);else{var e="string"==typeof L?L:L&&L(),t=null;o.current&&(e&&(t=o.current.querySelector("."+e)),t||(t=(0,s.dc)(o.current,o.current.firstChild,!1,!1,!1,!0))),t&&(0,s.um)(t)}}),[L,F,S]),j=r.useCallback((function(e){if(!D){var t=e===S.hasFocus?v.current:f.current;if(o.current){var n=e===S.hasFocus?(0,s.xY)(o.current,t,!0,!1):(0,s.RK)(o.current,t,!0,!1);n&&(n===f.current||n===v.current?U():n.focus())}}}),[D,U,S]),J=r.useCallback((function(e){var t;null===(t=K)||void 0===t||t(e);var n=e.relatedTarget;null===e.relatedTarget&&(n=_.activeElement),(0,a.t)(o.current,n)||(S.hasFocus=!1)}),[_,S,K]),Y=r.useCallback((function(e){var t;null===(t=V)||void 0===t||t(e),e.target===f.current?j(!0):e.target===v.current&&j(!1),S.hasFocus=!0,e.target!==e.currentTarget&&e.target!==f.current&&e.target!==v.current&&(S.previouslyFocusedElementInTrapZone=e.target)}),[V,S,j]),Z=r.useCallback((function(){if(h.focusStack=h.focusStack.filter((function(e){return y!==e})),_){var e=_.activeElement;A||!S.previouslyFocusedElementOutsideTrapZone||"function"!=typeof S.previouslyFocusedElementOutsideTrapZone.focus||!(0,a.t)(o.current,e)&&e!==_.body||S.previouslyFocusedElementOutsideTrapZone!==f.current&&S.previouslyFocusedElementOutsideTrapZone!==v.current&&(0,s.um)(S.previouslyFocusedElementOutsideTrapZone)}}),[_,y,A,S]),X=r.useCallback((function(e){if(!D&&h.focusStack.length&&y===h.focusStack[h.focusStack.length-1]){var t=e.target;(0,a.t)(o.current,t)||(U(),S.hasFocus=!0,e.preventDefault(),e.stopPropagation())}}),[D,y,U,S]),Q=r.useCallback((function(e){if(!D&&h.focusStack.length&&y===h.focusStack[h.focusStack.length-1]){var t=e.target;t&&!(0,a.t)(o.current,t)&&(U(),S.hasFocus=!0,e.preventDefault(),e.stopPropagation())}}),[D,y,U,S]),$=r.useCallback((function(){B&&!S.disposeFocusHandler?S.disposeFocusHandler=(0,l.on)(window,"focus",X,!0):!B&&S.disposeFocusHandler&&(S.disposeFocusHandler(),S.disposeFocusHandler=void 0),H||S.disposeClickHandler?H&&S.disposeClickHandler&&(S.disposeClickHandler(),S.disposeClickHandler=void 0):S.disposeClickHandler=(0,l.on)(window,"click",Q,!0)}),[Q,X,B,H,S]);return r.useEffect((function(){var e=o.current;return $(),function(){var t;D&&!B&&(0,a.t)(e,null===(t=_)||void 0===t?void 0:t.activeElement)||Z()}}),[$]),r.useEffect((function(){var e=void 0===B||B,t=void 0!==D&&D;if(!t||e){if(M)return;h.focusStack.push(y),S.previouslyFocusedElementOutsideTrapZone=R||_.activeElement,E||(0,a.t)(o.current,S.previouslyFocusedElementOutsideTrapZone)||U(),!S.unmodalize&&o.current&&q&&(S.unmodalize=(0,c.O)(o.current))}else e&&!t||(Z(),S.unmodalize&&S.unmodalize());R&&S.previouslyFocusedElementOutsideTrapZone!==R&&(S.previouslyFocusedElementOutsideTrapZone=R)}),[R,B,D]),g((function(){S.disposeClickHandler&&(S.disposeClickHandler(),S.disposeClickHandler=void 0),S.disposeFocusHandler&&(S.disposeFocusHandler(),S.disposeFocusHandler=void 0),S.unmodalize&&S.unmodalize(),delete S.previouslyFocusedElementInTrapZone,delete S.previouslyFocusedElementOutsideTrapZone})),function(e,t,o){r.useImperativeHandle(e,(function(){return{get previouslyFocusedElement(){return t},focus:o}}),[t,o])}(I,S.previouslyFocusedElementInTrapZone,U),r.createElement("div",(0,n.pi)({},C,{className:k,ref:b,"aria-labelledby":x,onFocusCapture:Y,onFocus:O,onBlur:W,onBlurCapture:J}),r.createElement("div",(0,n.pi)({},G,{ref:f})),w,r.createElement("div",(0,n.pi)({},G,{ref:v})))})),g=function(e){var t=r.useRef(e);t.current=e,r.useEffect((function(){return function(){t.current&&t.current()}}),[e])};h.displayName="FocusTrapZone",h.focusStack=[]},4734:(e,t,o)=>{"use strict";o.d(t,{z1:()=>u,xu:()=>d,Pw:()=>p});var n=o(7622),r=o(7002),i=o(3074),a=o(5094),s=o(8127),l=o(8088),c=o(9729),u=(0,a.NF)((function(e){var t=(0,c.q7)(e)||{subset:{},code:void 0},o=t.code,n=t.subset;return o?{children:o,iconClassName:n.className,fontFamily:n.fontFace&&n.fontFace.fontFamily}:null}),void 0,!0),d=function(e){var t=e.iconName,o=e.className,a=e.style,c=void 0===a?{}:a,d=u(t)||{},p=d.iconClassName,m=d.children,h=d.fontFamily,g=(0,s.pq)(e,s.iY),f=e["aria-label"]||e["aria-labelledby"]||e.title?{role:"img"}:{"aria-hidden":!0};return r.createElement("i",(0,n.pi)({"data-icon-name":t},f,g,{className:(0,l.i)(i.Sk,i.AK.root,p,!t&&i.AK.placeholder,o),style:(0,n.pi)({fontFamily:h},c)}),m)},p=(0,a.NF)((function(e,t,o){return d({iconName:e,className:t,"aria-label":o})}))},3874:(e,t,o)=>{"use strict";o.d(t,{A:()=>p});var n=o(7622),r=o(7002),i=o(6569),a=o(4861),s=o(6711),l=o(7300),c=o(8127),u=o(4734),d=(0,l.y)({cacheSize:100}),p=function(e){function t(t){var o=e.call(this,t)||this;return o._onImageLoadingStateChange=function(e){o.props.imageProps&&o.props.imageProps.onLoadingStateChange&&o.props.imageProps.onLoadingStateChange(e),e===s.U9.error&&o.setState({imageLoadError:!0})},o.state={imageLoadError:!1},o}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.children,o=e.className,s=e.styles,l=e.iconName,p=e.imageErrorAs,m=e.theme,h="string"==typeof l&&0===l.length,g=!!this.props.imageProps||this.props.iconType===i.T.image||this.props.iconType===i.T.Image,f=(0,u.z1)(l)||{},v=f.iconClassName,b=f.children,y=d(s,{theme:m,className:o,iconClassName:v,isImage:g,isPlaceholder:h}),_=g?"span":"i",C=(0,c.pq)(this.props,c.iY,["aria-label"]),S=this.state.imageLoadError,x=(0,n.pi)((0,n.pi)({},this.props.imageProps),{onLoadingStateChange:this._onImageLoadingStateChange}),k=S&&p||a.E,w=this.props["aria-label"]||this.props.ariaLabel,I=x.alt||w,D=I||this.props["aria-labelledby"]||x["aria-label"]||x["aria-labelledby"]?{role:g?void 0:"img","aria-label":g?void 0:I}:{"aria-hidden":!0};return r.createElement(_,(0,n.pi)({"data-icon-name":l},D,C,{className:y.root}),g?r.createElement(k,(0,n.pi)({},x)):t||b)},t}(r.Component)},9947:(e,t,o)=>{"use strict";o.d(t,{J:()=>a});var n=o(2002),r=o(3874),i=o(3074),a=(0,n.z)(r.A,i.Wi,void 0,{scope:"Icon"},!0);a.displayName="Icon"},3074:(e,t,o)=>{"use strict";o.d(t,{AK:()=>n,Sk:()=>r,Wi:()=>i});var n=(0,o(9729).ZC)({root:{display:"inline-block"},placeholder:["ms-Icon-placeHolder",{width:"1em"}],image:["ms-Icon-imageContainer",{overflow:"hidden"}]}),r="ms-Icon",i=function(e){var t=e.className,o=e.iconClassName,r=e.isPlaceholder,i=e.isImage,a=e.styles;return{root:[r&&n.placeholder,n.root,i&&n.image,o,t,a&&a.root,a&&a.imageContainer]}}},6569:(e,t,o)=>{"use strict";var n;o.d(t,{T:()=>n}),function(e){e[e.default=0]="default",e[e.image=1]="image",e[e.Default=1e5]="Default",e[e.Image=100001]="Image"}(n||(n={}))},7840:(e,t,o)=>{"use strict";o.d(t,{X:()=>c});var n=o(7622),r=o(7002),i=o(4861),a=o(8127),s=o(8088),l=o(3074),c=function(e){var t=e.className,o=e.imageProps,c=(0,a.pq)(e,a.iY,["aria-label","aria-labelledby","title","aria-describedby"]),u=o.alt||e["aria-label"],d=u||e["aria-labelledby"]||e.title||o["aria-label"]||o["aria-labelledby"]||o.title,p={"aria-labelledby":e["aria-labelledby"],"aria-describedby":e["aria-describedby"],title:e.title},m=d?{}:{"aria-hidden":!0};return r.createElement("div",(0,n.pi)({},m,c,{className:(0,s.i)(l.Sk,l.AK.root,l.AK.image,t)}),r.createElement(i.E,(0,n.pi)({},p,o,{alt:d?u:""})))}},9759:(e,t,o)=>{"use strict";o.d(t,{v:()=>d});var n=o(7622),r=o(7002),i=o(7300),a=o(8127),s=o(6711),l=o(9241),c=(0,i.y)(),u=/\.svg$/i,d=r.forwardRef((function(e,t){var o=r.useRef(),i=r.useRef(),d=function(e,t){var o=e.onLoadingStateChange,n=e.onLoad,i=e.onError,a=e.src,l=r.useState(s.U9.notLoaded),c=l[0],d=l[1];r.useLayoutEffect((function(){d(s.U9.notLoaded)}),[a]),r.useEffect((function(){c===s.U9.notLoaded&&t.current&&(a&&t.current.naturalWidth>0&&t.current.naturalHeight>0||t.current.complete&&u.test(a))&&d(s.U9.loaded)})),r.useEffect((function(){var e;null===(e=o)||void 0===e||e(c)}),[c]);var p=r.useCallback((function(e){var t;null===(t=n)||void 0===t||t(e),a&&d(s.U9.loaded)}),[a,n]),m=r.useCallback((function(e){var t;null===(t=i)||void 0===t||t(e),d(s.U9.error)}),[i]);return[c,p,m]}(e,i),p=d[0],m=d[1],h=d[2],g=(0,a.pq)(e,a.it,["width","height"]),f=e.src,v=e.alt,b=e.width,y=e.height,_=e.shouldFadeIn,C=void 0===_||_,S=e.shouldStartVisible,x=e.className,k=e.imageFit,w=e.role,I=e.maximizeFrame,D=e.styles,T=e.theme,E=e.loading,P=function(e,t,o,n){var i=r.useRef(t),a=r.useRef();return(void 0===a||i.current===s.U9.notLoaded&&t===s.U9.loaded)&&(a.current=function(e,t,o,n){var r=e.imageFit,i=e.width,a=e.height;if(void 0!==e.coverStyle)return e.coverStyle;if(t===s.U9.loaded&&(r===s.kQ.cover||r===s.kQ.contain||r===s.kQ.centerContain||r===s.kQ.centerCover)&&o.current&&n.current){var l;if(l="number"==typeof i&&"number"==typeof a&&r!==s.kQ.centerContain&&r!==s.kQ.centerCover?i/a:n.current.clientWidth/n.current.clientHeight,o.current.naturalWidth/o.current.naturalHeight>l)return s.yZ.landscape}return s.yZ.portrait}(e,t,o,n)),i.current=t,a.current}(e,p,i,o),M=c(D,{theme:T,className:x,width:b,height:y,maximizeFrame:I,shouldFadeIn:C,shouldStartVisible:S,isLoaded:p===s.U9.loaded||p===s.U9.notLoaded&&e.shouldStartVisible,isLandscape:P===s.yZ.landscape,isCenter:k===s.kQ.center,isCenterContain:k===s.kQ.centerContain,isCenterCover:k===s.kQ.centerCover,isContain:k===s.kQ.contain,isCover:k===s.kQ.cover,isNone:k===s.kQ.none,isError:p===s.U9.error,isNotImageFit:void 0===k});return r.createElement("div",{className:M.root,style:{width:b,height:y},ref:o},r.createElement("img",(0,n.pi)({},g,{onLoad:m,onError:h,key:"fabricImage"+e.src||"",className:M.image,ref:(0,l.r)(i,t),src:f,alt:v,role:w,loading:E})))}));d.displayName="ImageBase"},4861:(e,t,o)=>{"use strict";o.d(t,{E:()=>l});var n=o(2002),r=o(9759),i=o(9729),a=o(9757),s={root:"ms-Image",rootMaximizeFrame:"ms-Image--maximizeFrame",image:"ms-Image-image",imageCenter:"ms-Image-image--center",imageContain:"ms-Image-image--contain",imageCover:"ms-Image-image--cover",imageCenterContain:"ms-Image-image--centerContain",imageCenterCover:"ms-Image-image--centerCover",imageNone:"ms-Image-image--none",imageLandscape:"ms-Image-image--landscape",imagePortrait:"ms-Image-image--portrait"},l=(0,n.z)(r.v,(function(e){var t=e.className,o=e.width,n=e.height,r=e.maximizeFrame,l=e.isLoaded,c=e.shouldFadeIn,u=e.shouldStartVisible,d=e.isLandscape,p=e.isCenter,m=e.isContain,h=e.isCover,g=e.isCenterContain,f=e.isCenterCover,v=e.isNone,b=e.isError,y=e.isNotImageFit,_=e.theme,C=(0,i.Cn)(s,_),S={position:"absolute",left:"50% /* @noflip */",top:"50%",transform:"translate(-50%,-50%)"},x=(0,a.J)(),k=void 0!==x&&void 0===x.navigator.msMaxTouchPoints,w=m&&d||h&&!d?{width:"100%",height:"auto"}:{width:"auto",height:"100%"};return{root:[C.root,_.fonts.medium,{overflow:"hidden"},r&&[C.rootMaximizeFrame,{height:"100%",width:"100%"}],l&&c&&!u&&i.k4.fadeIn400,(p||m||h||g||f)&&{position:"relative"},t],image:[C.image,{display:"block",opacity:0},l&&["is-loaded",{opacity:1}],p&&[C.imageCenter,S],m&&[C.imageContain,k&&{width:"100%",height:"100%",objectFit:"contain"},!k&&w,!k&&S],h&&[C.imageCover,k&&{width:"100%",height:"100%",objectFit:"cover"},!k&&w,!k&&S],g&&[C.imageCenterContain,d&&{maxWidth:"100%"},!d&&{maxHeight:"100%"},S],f&&[C.imageCenterCover,d&&{maxHeight:"100%"},!d&&{maxWidth:"100%"},S],v&&[C.imageNone,{width:"auto",height:"auto"}],y&&[!!o&&!n&&{height:"auto",width:"100%"},!o&&!!n&&{height:"100%",width:"auto"},!!o&&!!n&&{height:"100%",width:"100%"}],d&&C.imageLandscape,!d&&C.imagePortrait,!l&&"is-notLoaded",c&&"is-fadeIn",b&&"is-error"]}}),void 0,{scope:"Image"},!0);l.displayName="Image"},6711:(e,t,o)=>{"use strict";var n,r,i;o.d(t,{kQ:()=>n,yZ:()=>r,U9:()=>i}),function(e){e[e.center=0]="center",e[e.contain=1]="contain",e[e.cover=2]="cover",e[e.none=3]="none",e[e.centerCover=4]="centerCover",e[e.centerContain=5]="centerContain"}(n||(n={})),function(e){e[e.landscape=0]="landscape",e[e.portrait=1]="portrait"}(r||(r={})),function(e){e[e.notLoaded=0]="notLoaded",e[e.loaded=1]="loaded",e[e.error=2]="error",e[e.errorLoaded=3]="errorLoaded"}(i||(i={}))},9949:(e,t,o)=>{"use strict";o.d(t,{a:()=>a});var n=o(7622),r=o(8128),i=o(2304),a=function(e){var t,o=e.children,a=(0,n._T)(e,["children"]),s=(0,i.c)(a),l=s.keytipId,c=s.ariaDescribedBy;return o(((t={})[r.fV]=l,t[r.ms]=l,t["aria-describedby"]=c,t))}},2304:(e,t,o)=>{"use strict";o.d(t,{c:()=>u});var n=o(7622),r=o(7002),i=o(7913),a=o(6876),s=o(9577),l=o(344),c=o(5325);function u(e){var t=r.useRef(),o=e.keytipProps?(0,n.pi)({disabled:e.disabled},e.keytipProps):void 0,u=(0,i.B)(l.K.getInstance()),d=(0,a.D)(e);r.useLayoutEffect((function(){var n,r;t.current&&o&&((null===(n=d)||void 0===n?void 0:n.keytipProps)!==e.keytipProps||(null===(r=d)||void 0===r?void 0:r.disabled)!==e.disabled)&&u.update(o,t.current)})),r.useLayoutEffect((function(){return o&&(t.current=u.register(o)),function(){o&&u.unregister(o,t.current)}}),[]);var p={ariaDescribedBy:void 0,keytipId:void 0};return o&&(p=function(e,t,o){var r=e.addParentOverflow(t),i=(0,s.I)(o,(0,c.w7)(r.keySequences)),a=(0,n.pr)(r.keySequences);return r.overflowSetSequence&&(a=(0,c.a1)(a,r.overflowSetSequence)),{ariaDescribedBy:i,keytipId:(0,c.aB)(a)}}(u,o,e.ariaDescribedBy)),p}},5424:(e,t,o)=>{"use strict";o.d(t,{E:()=>s});var n=o(7622),r=o(7002),i=o(8127),a=(0,o(7300).y)({cacheSize:100}),s=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.as,o=void 0===t?"label":t,s=e.children,l=e.className,c=e.disabled,u=e.styles,d=e.required,p=e.theme,m=a(u,{className:l,disabled:c,required:d,theme:p});return r.createElement(o,(0,n.pi)({},(0,i.pq)(this.props,i.n7),{className:m.root}),s)},t}(r.Component)},2052:(e,t,o)=>{"use strict";o.d(t,{_:()=>s});var n=o(2002),r=o(5424),i=o(7622),a=o(9729),s=(0,n.z)(r.E,(function(e){var t,o=e.theme,n=e.className,r=e.disabled,s=e.required,l=o.semanticColors,c=a.lq.semibold,u=l.bodyText,d=l.disabledBodyText,p=l.errorText;return{root:["ms-Label",o.fonts.medium,{fontWeight:c,color:u,boxSizing:"border-box",boxShadow:"none",margin:0,display:"block",padding:"5px 0",wordWrap:"break-word",overflowWrap:"break-word"},r&&{color:d,selectors:(t={},t[a.qJ]=(0,i.pi)({color:"GrayText"},(0,a.xM)()),t)},s&&{selectors:{"::after":{content:"' *'",color:p,paddingRight:12}}},n]}}),void 0,{scope:"Label"})},4555:(e,t,o)=>{"use strict";o.d(t,{s:()=>g});var n=o(7622),r=o(7002);const i=jsmodule["react-dom"];var a,s=o(3595),l=o(7300),c=o(8308),u=o(7829),d=o(6443),p=o(9241),m=o(8901),h=(0,l.y)(),g=r.forwardRef((function(e,t){var o=r.useState(),l=o[0],g=o[1],v=r.useRef(l);v.current=l;var b=r.useRef(null),y=(0,p.r)(b,t),_=(0,m.ky)(),C=e.eventBubblingEnabled,S=e.styles,x=e.theme,k=e.className,w=e.children,I=e.hostId,D=e.onLayerDidMount,T=void 0===D?function(){}:D,E=e.onLayerMounted,P=void 0===E?function(){}:E,M=e.onLayerWillUnmount,R=e.insertFirst,N=h(S,{theme:x,className:k,isNotHost:!I}),B=function(){var e;null===(e=M)||void 0===e||e();var t=v.current;if(t&&t.parentNode){var o=t.parentNode;o&&o.removeChild(t)}},F=function(){var e,t,o=function(){if(_){if(I)return _.getElementById(I);var e=(0,d.OJ)();return e?_.querySelector(e):_.body}}();if(_&&o){B();var n=_.createElement("div");n.className=N.root,(0,c.U)(n),(0,u.N)(n,b.current),R?o.insertBefore(n,o.firstChild):o.appendChild(n),g(n),null===(e=P)||void 0===e||e(),null===(t=T)||void 0===t||t()}};return r.useLayoutEffect((function(){return F(),I&&(0,d.Pc)(I,F),function(){B(),I&&(0,d.tq)(I,F)}}),[I]),r.createElement("span",{className:"ms-layer",ref:y},l&&i.createPortal(r.createElement(s.P,(0,n.pi)({},!C&&(a||(a={},["onClick","onContextMenu","onDoubleClick","onDrag","onDragEnd","onDragEnter","onDragExit","onDragLeave","onDragOver","onDragStart","onDrop","onMouseDown","onMouseEnter","onMouseLeave","onMouseMove","onMouseOver","onMouseOut","onMouseUp","onTouchMove","onTouchStart","onTouchCancel","onTouchEnd","onKeyDown","onKeyPress","onKeyUp","onFocus","onBlur","onChange","onInput","onInvalid","onSubmit"].forEach((function(e){return a[e]=f}))),a),{className:N.content}),w),l))}));g.displayName="LayerBase";var f=function(e){e.eventPhase===Event.BUBBLING_PHASE&&"mouseenter"!==e.type&&"mouseleave"!==e.type&&"touchstart"!==e.type&&"touchend"!==e.type&&e.stopPropagation()}},7513:(e,t,o)=>{"use strict";o.d(t,{m:()=>s});var n=o(2002),r=o(4555),i=o(9729),a={root:"ms-Layer",rootNoHost:"ms-Layer--fixed",content:"ms-Layer-content"},s=(0,n.z)(r.s,(function(e){var t=e.className,o=e.isNotHost,n=e.theme,r=(0,i.Cn)(a,n);return{root:[r.root,n.fonts.medium,o&&[r.rootNoHost,{position:"fixed",zIndex:i.bR.Layer,top:0,left:0,bottom:0,right:0,visibility:"hidden"}],t],content:[r.content,{visibility:"visible"}]}}),void 0,{scope:"Layer",fields:["hostId","theme","styles"]})},6443:(e,t,o)=>{"use strict";o.d(t,{Pc:()=>r,tq:()=>i,EQ:()=>a,OJ:()=>s});var n={};function r(e,t){n[e]||(n[e]=[]),n[e].push(t)}function i(e,t){if(n[e]){var o=n[e].indexOf(t);o>=0&&(n[e].splice(o,1),0===n[e].length&&delete n[e])}}function a(e){n[e]&&n[e].forEach((function(e){return e()}))}function s(){}},6178:(e,t,o)=>{"use strict";o.d(t,{R:()=>u});var n=o(7622),r=o(7002),i=o(7300),a=o(688),s=o(4948),l=o(8127),c=(0,i.y)(),u=function(e){function t(t){var o=e.call(this,t)||this;(0,a.l)(o);var n=o.props.allowTouchBodyScroll,r=void 0!==n&&n;return o._allowTouchBodyScroll=r,o}return(0,n.ZT)(t,e),t.prototype.componentDidMount=function(){!this._allowTouchBodyScroll&&(0,s.Qp)()},t.prototype.componentWillUnmount=function(){!this._allowTouchBodyScroll&&(0,s.tG)()},t.prototype.render=function(){var e=this.props,t=e.isDarkThemed,o=e.className,i=e.theme,a=e.styles,s=(0,l.pq)(this.props,l.n7),u=c(a,{theme:i,className:o,isDark:t});return r.createElement("div",(0,n.pi)({},s,{className:u.root}))},t}(r.Component)},4946:(e,t,o)=>{"use strict";o.d(t,{a:()=>s});var n=o(2002),r=o(6178),i=o(9729),a={root:"ms-Overlay",rootDark:"ms-Overlay--dark"},s=(0,n.z)(r.R,(function(e){var t,o=e.className,n=e.theme,r=e.isNone,s=e.isDark,l=n.palette,c=(0,i.Cn)(a,n);return{root:[c.root,n.fonts.medium,{backgroundColor:l.whiteTranslucent40,top:0,right:0,bottom:0,left:0,position:"absolute",selectors:(t={},t[i.qJ]={border:"1px solid WindowText",opacity:0},t)},r&&{visibility:"hidden"},s&&[c.rootDark,{backgroundColor:l.blackTranslucent40}],o]}}),void 0,{scope:"Overlay"})},5357:(e,t,o)=>{"use strict";o.d(t,{P:()=>k});var n,r=o(7622),i=o(7002),a=o(5758),s=o(7513),l=o(4946),c=o(752),u=o(7300),d=o(4948),p=o(8088),m=o(2167),h=o(9919),g=o(688),f=o(3129),v=o(2782),b=o(5951),y=o(8127),_=o(3345),C=o(6007),S=o(2758),x=(0,u.y)();!function(e){e[e.closed=0]="closed",e[e.animatingOpen=1]="animatingOpen",e[e.open=2]="open",e[e.animatingClosed=3]="animatingClosed"}(n||(n={}));var k=function(e){function t(t){var o=e.call(this,t)||this;o._panel=i.createRef(),o._animationCallback=null,o._hasCustomNavigation=!(!o.props.onRenderNavigation&&!o.props.onRenderNavigationContent),o.dismiss=function(e){o.props.onDismiss&&o.props.onDismiss(e),(!e||e&&!e.defaultPrevented)&&o.close()},o._allowScrollOnPanel=function(e){e?o._allowTouchBodyScroll?(0,d.eC)(e,o._events):(0,d.C7)(e,o._events):o._events.off(o._scrollableContent),o._scrollableContent=e},o._onRenderNavigation=function(e){if(!o.props.onRenderNavigationContent&&!o.props.onRenderNavigation&&!o.props.hasCloseButton)return null;var t=o.props.onRenderNavigationContent,n=void 0===t?o._onRenderNavigationContent:t;return i.createElement("div",{className:o._classNames.navigation},n(e,o._onRenderNavigationContent))},o._onRenderNavigationContent=function(e){var t,n=e.closeButtonAriaLabel,r=e.hasCloseButton,s=e.onRenderHeader,l=void 0===s?o._onRenderHeader:s;if(r){var c=null===(t=o._classNames.subComponentStyles)||void 0===t?void 0:t.closeButton();return i.createElement(i.Fragment,null,!o._hasCustomNavigation&&l(o.props,o._onRenderHeader,o._headerTextId),i.createElement(a.h,{styles:c,className:o._classNames.closeButton,onClick:o._onPanelClick,ariaLabel:n,title:n,"data-is-visible":!0,iconProps:{iconName:"Cancel"}}))}return null},o._onRenderHeader=function(e,t,n){var a=e.headerText,s=e.headerTextProps,l=void 0===s?{}:s;return a?i.createElement("div",{className:o._classNames.header},i.createElement("div",(0,r.pi)({id:n,role:"heading","aria-level":1},l,{className:(0,p.i)(o._classNames.headerText,l.className)}),a)):null},o._onRenderBody=function(e){return i.createElement("div",{className:o._classNames.content},e.children)},o._onRenderFooter=function(e){var t=o.props.onRenderFooterContent,n=void 0===t?null:t;return n?i.createElement("div",{className:o._classNames.footer},i.createElement("div",{className:o._classNames.footerInner},n())):null},o._animateTo=function(e){e===n.open&&o.props.onOpen&&o.props.onOpen(),o._animationCallback=o._async.setTimeout((function(){o.setState({visibility:e}),o._onTransitionComplete()}),200)},o._clearExistingAnimationTimer=function(){null!==o._animationCallback&&o._async.clearTimeout(o._animationCallback)},o._onPanelClick=function(e){o.dismiss(e)},o._onTransitionComplete=function(){o._updateFooterPosition(),o.state.visibility===n.open&&o.props.onOpened&&o.props.onOpened(),o.state.visibility===n.closed&&o.props.onDismissed&&o.props.onDismissed()};var s=o.props.allowTouchBodyScroll,l=void 0!==s&&s;return o._allowTouchBodyScroll=l,o._async=new m.e(o),o._events=new h.r(o),(0,g.l)(o),(0,f.b)("Panel",t,{ignoreExternalFocusing:"focusTrapZoneProps",forceFocusInsideTrap:"focusTrapZoneProps",firstFocusableSelector:"focusTrapZoneProps"}),o.state={isFooterSticky:!1,visibility:n.closed,id:(0,v.z)("Panel")},o}return(0,r.ZT)(t,e),t.getDerivedStateFromProps=function(e,t){return void 0===e.isOpen?null:!e.isOpen||t.visibility!==n.closed&&t.visibility!==n.animatingClosed?e.isOpen||t.visibility!==n.open&&t.visibility!==n.animatingOpen?null:{visibility:n.animatingClosed}:{visibility:n.animatingOpen}},t.prototype.componentDidMount=function(){this._events.on(window,"resize",this._updateFooterPosition),this._shouldListenForOuterClick(this.props)&&this._events.on(document.body,"mousedown",this._dismissOnOuterClick,!0),this.props.isOpen&&this.setState({visibility:n.animatingOpen})},t.prototype.componentDidUpdate=function(e,t){var o=this._shouldListenForOuterClick(this.props),r=this._shouldListenForOuterClick(e);this.state.visibility!==t.visibility&&(this._clearExistingAnimationTimer(),this.state.visibility===n.animatingOpen?this._animateTo(n.open):this.state.visibility===n.animatingClosed&&this._animateTo(n.closed)),o&&!r?this._events.on(document.body,"mousedown",this._dismissOnOuterClick,!0):!o&&r&&this._events.off(document.body,"mousedown",this._dismissOnOuterClick,!0)},t.prototype.componentWillUnmount=function(){this._async.dispose(),this._events.dispose()},t.prototype.render=function(){var e=this.props,t=e.className,o=void 0===t?"":t,a=e.elementToFocusOnDismiss,u=e.firstFocusableSelector,d=e.focusTrapZoneProps,p=e.forceFocusInsideTrap,m=e.hasCloseButton,h=e.headerText,g=e.headerClassName,f=void 0===g?"":g,v=e.ignoreExternalFocusing,_=e.isBlocking,k=e.isFooterAtBottom,w=e.isLightDismiss,I=e.isHiddenOnDismiss,D=e.layerProps,T=e.overlayProps,E=e.popupProps,P=e.type,M=e.styles,R=e.theme,N=e.customWidth,B=e.onLightDismissClick,F=void 0===B?this._onPanelClick:B,L=e.onRenderNavigation,A=void 0===L?this._onRenderNavigation:L,z=e.onRenderHeader,H=void 0===z?this._onRenderHeader:z,O=e.onRenderBody,W=void 0===O?this._onRenderBody:O,V=e.onRenderFooter,K=void 0===V?this._onRenderFooter:V,q=this.state,G=q.isFooterSticky,U=q.visibility,j=q.id,J=P===S.w.smallFixedNear||P===S.w.customNear,Y=(0,b.zg)(R)?J:!J,Z=P===S.w.custom||P===S.w.customNear?{width:N}:{},X=(0,y.pq)(this.props,y.n7),Q=this.isActive,$=U===n.animatingClosed||U===n.animatingOpen;if(this._headerTextId=h&&j+"-headerText",!Q&&!$&&!I)return null;this._classNames=x(M,{theme:R,className:o,focusTrapZoneClassName:d?d.className:void 0,hasCloseButton:m,headerClassName:f,isAnimating:$,isFooterSticky:G,isFooterAtBottom:k,isOnRightSide:Y,isOpen:Q,isHiddenOnDismiss:I,type:P,hasCustomNavigation:this._hasCustomNavigation});var ee,te=this._classNames,oe=this._allowTouchBodyScroll;return _&&Q&&(ee=i.createElement(l.a,(0,r.pi)({className:te.overlay,isDarkThemed:!1,onClick:w?F:void 0,allowTouchBodyScroll:oe},T))),i.createElement(s.m,(0,r.pi)({},D),i.createElement(c.G,(0,r.pi)({role:"dialog","aria-modal":"true",ariaLabelledBy:this._headerTextId?this._headerTextId:void 0,onDismiss:this.dismiss,className:te.hiddenPanel},E),i.createElement("div",(0,r.pi)({"aria-hidden":!Q&&$},X,{ref:this._panel,className:te.root}),ee,i.createElement(C.P,(0,r.pi)({ignoreExternalFocusing:v,forceFocusInsideTrap:!(!_||I&&!Q)&&p,firstFocusableSelector:u,isClickableOutsideFocusTrap:!0},d,{className:te.main,style:Z,elementToFocusOnDismiss:a}),i.createElement("div",{className:te.commands,"data-is-visible":!0},A(this.props,this._onRenderNavigation)),i.createElement("div",{className:te.contentInner},(this._hasCustomNavigation||!m)&&H(this.props,this._onRenderHeader,this._headerTextId),i.createElement("div",{ref:this._allowScrollOnPanel,className:te.scrollableContent,"data-is-scrollable":!0},W(this.props,this._onRenderBody)),K(this.props,this._onRenderFooter))))))},t.prototype.open=function(){void 0===this.props.isOpen&&(this.isActive||this.setState({visibility:n.animatingOpen}))},t.prototype.close=function(){void 0===this.props.isOpen&&this.isActive&&this.setState({visibility:n.animatingClosed})},Object.defineProperty(t.prototype,"isActive",{get:function(){return this.state.visibility===n.open||this.state.visibility===n.animatingOpen},enumerable:!0,configurable:!0}),t.prototype._shouldListenForOuterClick=function(e){return!!e.isBlocking&&!!e.isOpen},t.prototype._updateFooterPosition=function(){var e=this._scrollableContent;if(e){var t=e.clientHeight,o=e.scrollHeight;this.setState({isFooterSticky:t{"use strict";o.d(t,{s:()=>S});var n,r,i,a,s,l=o(2002),c=o(5357),u=o(7622),d=o(2758),p=o(9729),m={root:"ms-Panel",main:"ms-Panel-main",commands:"ms-Panel-commands",contentInner:"ms-Panel-contentInner",scrollableContent:"ms-Panel-scrollableContent",navigation:"ms-Panel-navigation",closeButton:"ms-Panel-closeButton ms-PanelAction-close",header:"ms-Panel-header",headerText:"ms-Panel-headerText",content:"ms-Panel-content",footer:"ms-Panel-footer",footerInner:"ms-Panel-footerInner",isOpen:"is-open",hasCloseButton:"ms-Panel--hasCloseButton",smallFluid:"ms-Panel--smFluid",smallFixedNear:"ms-Panel--smLeft",smallFixedFar:"ms-Panel--sm",medium:"ms-Panel--md",large:"ms-Panel--lg",largeFixed:"ms-Panel--fixed",extraLarge:"ms-Panel--xl",custom:"ms-Panel--custom",customNear:"ms-Panel--customLeft"},h="auto",g=((n={})["@media (min-width: "+p.dd+"px)"]={width:340},n),f=((r={})["@media (min-width: "+p.AV+"px)"]={width:592},r["@media (min-width: "+p.qv+"px)"]={width:644},r),v=((i={})["@media (min-width: "+p.bE+"px)"]={left:48,width:"auto"},i["@media (min-width: "+p.B+"px)"]={left:428},i),b=((a={})["@media (min-width: "+p.B+"px)"]={left:h,width:940},a),y=((s={})["@media (min-width: "+p.B+"px)"]={left:176},s),_=function(e){var t;switch(e){case d.w.smallFixedFar:t=(0,u.pi)({},g);break;case d.w.medium:t=(0,u.pi)((0,u.pi)({},g),f);break;case d.w.large:t=(0,u.pi)((0,u.pi)((0,u.pi)({},g),f),v);break;case d.w.largeFixed:t=(0,u.pi)((0,u.pi)((0,u.pi)((0,u.pi)({},g),f),v),b);break;case d.w.extraLarge:t=(0,u.pi)((0,u.pi)((0,u.pi)((0,u.pi)({},g),f),v),y)}return t},C={paddingLeft:"24px",paddingRight:"24px"},S=(0,l.z)(c.P,(function(e){var t,o=e.className,n=e.focusTrapZoneClassName,r=e.hasCloseButton,i=e.headerClassName,a=e.isAnimating,s=e.isFooterSticky,l=e.isFooterAtBottom,c=e.isOnRightSide,g=e.isOpen,f=e.isHiddenOnDismiss,v=e.hasCustomNavigation,b=e.theme,y=e.type,S=void 0===y?d.w.smallFixedFar:y,x=b.effects,k=b.fonts,w=b.semanticColors,I=(0,p.Cn)(m,b),D=S===d.w.custom||S===d.w.customNear;return{root:[I.root,b.fonts.medium,g&&I.isOpen,r&&I.hasCloseButton,{pointerEvents:"none",position:"absolute",top:0,left:0,right:0,bottom:0},D&&c&&I.custom,D&&!c&&I.customNear,o],overlay:[{pointerEvents:"auto",cursor:"pointer"},g&&a&&p.k4.fadeIn100,!g&&a&&p.k4.fadeOut100],hiddenPanel:[!g&&!a&&f&&{visibility:"hidden"}],main:[I.main,{backgroundColor:w.bodyBackground,boxShadow:x.elevation64,pointerEvents:"auto",position:"absolute",display:"flex",flexDirection:"column",overflowX:"hidden",overflowY:"auto",WebkitOverflowScrolling:"touch",bottom:0,top:0,left:h,right:0,width:"100%",selectors:(0,u.pi)((t={},t[p.qJ]={borderLeft:"3px solid "+w.variantBorder,borderRight:"3px solid "+w.variantBorder},t),_(S))},S===d.w.smallFluid&&{left:0},S===d.w.smallFixedNear&&{left:0,right:h,width:272},S===d.w.customNear&&{right:"auto",left:0},D&&{maxWidth:"100vw"},g&&a&&!c&&p.k4.slideRightIn40,g&&a&&c&&p.k4.slideLeftIn40,!g&&a&&!c&&p.k4.slideLeftOut40,!g&&a&&c&&p.k4.slideRightOut40,n],commands:[I.commands,{marginTop:18},v&&{marginTop:"inherit"}],navigation:[I.navigation,{display:"flex",justifyContent:"flex-end"},v&&{height:"44px"}],contentInner:[I.contentInner,{display:"flex",flexDirection:"column",flexGrow:1,overflowY:"hidden"}],header:[I.header,C,{alignSelf:"flex-start"},r&&!v&&{flexGrow:1},v&&{flexShrink:0}],headerText:[I.headerText,k.xLarge,{color:w.bodyText,lineHeight:"27px",overflowWrap:"break-word",wordWrap:"break-word",wordBreak:"break-word",hyphens:"auto"},i],scrollableContent:[I.scrollableContent,{overflowY:"auto"},l&&{flexGrow:1}],content:[I.content,C,{paddingBottom:20}],footer:[I.footer,{flexShrink:0,borderTop:"1px solid transparent",transition:"opacity "+p.D1.durationValue3+" "+p.D1.easeFunction2},s&&{background:w.bodyBackground,borderTopColor:w.variantBorder}],footerInner:[I.footerInner,C,{paddingBottom:16,paddingTop:16}],subComponentStyles:{closeButton:{root:[I.closeButton,{marginRight:14,color:b.palette.neutralSecondary,fontSize:p.ld.large},v&&{marginRight:0,height:"auto",width:"44px"}],rootHovered:{color:b.palette.neutralPrimary}}}}}),void 0,{scope:"Panel"})},2758:(e,t,o)=>{"use strict";var n;o.d(t,{w:()=>n}),function(e){e[e.smallFluid=0]="smallFluid",e[e.smallFixedFar=1]="smallFixedFar",e[e.smallFixedNear=2]="smallFixedNear",e[e.medium=3]="medium",e[e.large=4]="large",e[e.largeFixed=5]="largeFixed",e[e.extraLarge=6]="extraLarge",e[e.custom=7]="custom",e[e.customNear=8]="customNear"}(n||(n={}))},7047:(e,t,o)=>{"use strict";o.d(t,{R:()=>f});var n=o(7622),r=o(7002),i=o(7300),a=o(63),s=o(8127),l=o(5816),c=o(3967),u=o(6543),d=o(7481),p=o(9241),m=o(6628),h=(0,i.y)(),g={size:d.Ir.size48,presence:d.H_.none,imageAlt:""},f=r.forwardRef((function(e,t){var o=(0,a.j)(g,e),i=r.useRef(null),f=(0,p.r)(t,i),v=function(){return o.text||o.primaryText||""},b=function(e,t,n){return r.createElement("div",{dir:"auto",className:e},t&&t(o,n))},y=function(e){return e?function(){return r.createElement(l.G,{content:e,overflowMode:c.y.Parent,directionalHint:m.b.topLeftEdge},e)}:void 0},_=y(v()),C=y(o.secondaryText),S=y(o.tertiaryText),x=y(o.optionalText),k=o.hidePersonaDetails,w=o.onRenderOptionalText,I=void 0===w?x:w,D=o.onRenderPrimaryText,T=void 0===D?_:D,E=o.onRenderSecondaryText,P=void 0===E?C:E,M=o.onRenderTertiaryText,R=void 0===M?S:M,N=o.onRenderPersonaCoin,B=void 0===N?function(e){return r.createElement(u.t,(0,n.pi)({},e))}:N,F=o.size,L=o.allowPhoneInitials,A=o.className,z=o.coinProps,H=o.showUnknownPersonaCoin,O=o.coinSize,W=o.styles,V=o.imageAlt,K=o.imageInitials,q=o.imageShouldFadeIn,G=o.imageShouldStartVisible,U=o.imageUrl,j=o.initialsColor,J=o.initialsTextColor,Y=o.isOutOfOffice,Z=o.onPhotoLoadingStateChange,X=o.onRenderCoin,Q=o.onRenderInitials,$=o.presence,ee=o.presenceTitle,te=o.presenceColors,oe=o.showInitialsUntilImageLoads,ne=o.showSecondaryText,re=o.theme,ie=(0,n.pi)({allowPhoneInitials:L,showUnknownPersonaCoin:H,coinSize:O,imageAlt:V,imageInitials:K,imageShouldFadeIn:q,imageShouldStartVisible:G,imageUrl:U,initialsColor:j,initialsTextColor:J,onPhotoLoadingStateChange:Z,onRenderCoin:X,onRenderInitials:Q,presence:$,presenceTitle:ee,showInitialsUntilImageLoads:oe,size:F,text:v(),isOutOfOffice:Y,presenceColors:te},z),ae=h(W,{theme:re,className:A,showSecondaryText:ne,presence:$,size:F}),se=(0,s.pq)(o,s.n7),le=r.createElement("div",{className:ae.details},b(ae.primaryText,T,_),b(ae.secondaryText,P,C),b(ae.tertiaryText,R,S),b(ae.optionalText,I,x),o.children);return r.createElement("div",(0,n.pi)({},se,{ref:f,className:ae.root,style:O?{height:O,minWidth:O}:void 0}),B(ie,B),(!k||F===d.Ir.size8||F===d.Ir.size10||F===d.Ir.tiny)&&le)}));f.displayName="PersonaBase"},7665:(e,t,o)=>{"use strict";o.d(t,{I:()=>l});var n=o(2002),r=o(7047),i=o(9729),a=o(8337),s={root:"ms-Persona",size8:"ms-Persona--size8",size10:"ms-Persona--size10",size16:"ms-Persona--size16",size24:"ms-Persona--size24",size28:"ms-Persona--size28",size32:"ms-Persona--size32",size40:"ms-Persona--size40",size48:"ms-Persona--size48",size56:"ms-Persona--size56",size72:"ms-Persona--size72",size100:"ms-Persona--size100",size120:"ms-Persona--size120",available:"ms-Persona--online",away:"ms-Persona--away",blocked:"ms-Persona--blocked",busy:"ms-Persona--busy",doNotDisturb:"ms-Persona--donotdisturb",offline:"ms-Persona--offline",details:"ms-Persona-details",primaryText:"ms-Persona-primaryText",secondaryText:"ms-Persona-secondaryText",tertiaryText:"ms-Persona-tertiaryText",optionalText:"ms-Persona-optionalText",textContent:"ms-Persona-textContent"},l=(0,n.z)(r.R,(function(e){var t=e.className,o=e.showSecondaryText,n=e.theme,r=n.semanticColors,l=n.fonts,c=(0,i.Cn)(s,n),u=(0,a.yR)(e.size),d=(0,a.zx)(e.presence),p="16px",m={color:r.bodySubtext,fontWeight:i.lq.regular,fontSize:l.small.fontSize};return{root:[c.root,n.fonts.medium,i.Fv,{color:r.bodyText,position:"relative",height:a.or.size48,minWidth:a.or.size48,display:"flex",alignItems:"center",selectors:{".contextualHost":{display:"none"}}},u.isSize8&&[c.size8,{height:a.or.size8,minWidth:a.or.size8}],u.isSize10&&[c.size10,{height:a.or.size10,minWidth:a.or.size10}],u.isSize16&&[c.size16,{height:a.or.size16,minWidth:a.or.size16}],u.isSize24&&[c.size24,{height:a.or.size24,minWidth:a.or.size24}],u.isSize24&&o&&{height:"36px"},u.isSize28&&[c.size28,{height:a.or.size28,minWidth:a.or.size28}],u.isSize28&&o&&{height:"32px"},u.isSize32&&[c.size32,{height:a.or.size32,minWidth:a.or.size32}],u.isSize40&&[c.size40,{height:a.or.size40,minWidth:a.or.size40}],u.isSize48&&c.size48,u.isSize56&&[c.size56,{height:a.or.size56,minWidth:a.or.size56}],u.isSize72&&[c.size72,{height:a.or.size72,minWidth:a.or.size72}],u.isSize100&&[c.size100,{height:a.or.size100,minWidth:a.or.size100}],u.isSize120&&[c.size120,{height:a.or.size120,minWidth:a.or.size120}],d.isAvailable&&c.available,d.isAway&&c.away,d.isBlocked&&c.blocked,d.isBusy&&c.busy,d.isDoNotDisturb&&c.doNotDisturb,d.isOffline&&c.offline,t],details:[c.details,{padding:"0 24px 0 16px",minWidth:0,width:"100%",textAlign:"left",display:"flex",flexDirection:"column",justifyContent:"space-around"},(u.isSize8||u.isSize10)&&{paddingLeft:17},(u.isSize24||u.isSize28||u.isSize32)&&{padding:"0 8px"},(u.isSize40||u.isSize48)&&{padding:"0 12px"}],primaryText:[c.primaryText,i.jq,{color:r.bodyText,fontWeight:i.lq.regular,fontSize:l.medium.fontSize,selectors:{":hover":{color:r.inputTextHovered}}},o&&{height:p,lineHeight:p,overflowX:"hidden"},(u.isSize8||u.isSize10)&&{fontSize:l.small.fontSize,lineHeight:a.or.size8},u.isSize16&&{lineHeight:a.or.size28},(u.isSize24||u.isSize28||u.isSize32||u.isSize40||u.isSize48)&&o&&{height:18},(u.isSize56||u.isSize72||u.isSize100||u.isSize120)&&{fontSize:l.xLarge.fontSize},(u.isSize56||u.isSize72||u.isSize100||u.isSize120)&&o&&{height:22}],secondaryText:[c.secondaryText,i.jq,m,(u.isSize8||u.isSize10||u.isSize16||u.isSize24||u.isSize28||u.isSize32)&&{display:"none"},o&&{display:"block",height:p,lineHeight:p,overflowX:"hidden"},u.isSize24&&o&&{height:18},(u.isSize56||u.isSize72||u.isSize100||u.isSize120)&&{fontSize:l.medium.fontSize},(u.isSize56||u.isSize72||u.isSize100||u.isSize120)&&o&&{height:18}],tertiaryText:[c.tertiaryText,i.jq,m,{display:"none",fontSize:l.medium.fontSize},(u.isSize72||u.isSize100||u.isSize120)&&{display:"block"}],optionalText:[c.optionalText,i.jq,m,{display:"none",fontSize:l.medium.fontSize},(u.isSize100||u.isSize120)&&{display:"block"}],textContent:[c.textContent,i.jq]}}),void 0,{scope:"Persona"})},7481:(e,t,o)=>{"use strict";var n,r,i;o.d(t,{Ir:()=>n,H_:()=>r,z5:()=>i}),function(e){e[e.tiny=0]="tiny",e[e.extraExtraSmall=1]="extraExtraSmall",e[e.extraSmall=2]="extraSmall",e[e.small=3]="small",e[e.regular=4]="regular",e[e.large=5]="large",e[e.extraLarge=6]="extraLarge",e[e.size8=17]="size8",e[e.size10=9]="size10",e[e.size16=8]="size16",e[e.size24=10]="size24",e[e.size28=7]="size28",e[e.size32=11]="size32",e[e.size40=12]="size40",e[e.size48=13]="size48",e[e.size56=16]="size56",e[e.size72=14]="size72",e[e.size100=15]="size100",e[e.size120=18]="size120"}(n||(n={})),function(e){e[e.none=0]="none",e[e.offline=1]="offline",e[e.online=2]="online",e[e.away=3]="away",e[e.dnd=4]="dnd",e[e.blocked=5]="blocked",e[e.busy=6]="busy"}(r||(r={})),function(e){e[e.lightBlue=0]="lightBlue",e[e.blue=1]="blue",e[e.darkBlue=2]="darkBlue",e[e.teal=3]="teal",e[e.lightGreen=4]="lightGreen",e[e.green=5]="green",e[e.darkGreen=6]="darkGreen",e[e.lightPink=7]="lightPink",e[e.pink=8]="pink",e[e.magenta=9]="magenta",e[e.purple=10]="purple",e[e.black=11]="black",e[e.orange=12]="orange",e[e.red=13]="red",e[e.darkRed=14]="darkRed",e[e.transparent=15]="transparent",e[e.violet=16]="violet",e[e.lightRed=17]="lightRed",e[e.gold=18]="gold",e[e.burgundy=19]="burgundy",e[e.warmGray=20]="warmGray",e[e.coolGray=21]="coolGray",e[e.gray=22]="gray",e[e.cyan=23]="cyan",e[e.rust=24]="rust"}(i||(i={}))},867:(e,t,o)=>{"use strict";o.d(t,{z:()=>R});var n=o(7622),r=o(7002),i=o(7300),a=o(5094),s=o(63),l=o(8127),c=o(5951),u=o(6104),d=o(9729),p=o(2002),m=o(9947),h=o(7481),g=o(8337),f=o(9241),v=(0,i.y)({cacheSize:100}),b=r.forwardRef((function(e,t){var o=e.coinSize,n=e.isOutOfOffice,i=e.styles,a=e.presence,s=e.theme,l=e.presenceTitle,c=e.presenceColors,u=r.useRef(null),d=(0,f.r)(t,u),p=(0,g.yR)(e.size),b=!(p.isSize8||p.isSize10||p.isSize16||p.isSize24||p.isSize28||p.isSize32)&&(!o||o>32),_=o?o/3<40?o/3+"px":"40px":"",C=o?{fontSize:o?o/6<20?o/6+"px":"20px":"",lineHeight:_}:void 0,S=o?{width:_,height:_}:void 0,x=v(i,{theme:s,presence:a,size:e.size,isOutOfOffice:n,presenceColors:c});return a===h.H_.none?null:r.createElement("div",{role:"presentation",className:x.presence,style:S,title:l,ref:d},b&&r.createElement(m.J,{className:x.presenceIcon,iconName:y(e.presence,e.isOutOfOffice),style:C}))}));function y(e,t){if(e){var o="SkypeArrow";switch(h.H_[e]){case"online":return"SkypeCheck";case"away":return t?o:"SkypeClock";case"dnd":return"SkypeMinus";case"offline":return t?o:""}return""}}b.displayName="PersonaPresenceBase";var _={presence:"ms-Persona-presence",presenceIcon:"ms-Persona-presenceIcon"};function C(e){return{color:e,borderColor:e}}function S(e,t){return{selectors:{":before":{border:e+" solid "+t}}}}function x(e){return{height:e,width:e}}function k(e){return{backgroundColor:e}}var w=(0,p.z)(b,(function(e){var t,o,r,i,a,s,l=e.theme,c=e.presenceColors,u=l.semanticColors,p=l.fonts,m=(0,d.Cn)(_,l),h=(0,g.yR)(e.size),f=(0,g.zx)(e.presence),v=c&&c.available||"#6BB700",b=c&&c.away||"#FFAA44",y=c&&c.busy||"#C43148",w=c&&c.dnd||"#C50F1F",I=c&&c.offline||"#8A8886",D=c&&c.oof||"#B4009E",T=c&&c.background||u.bodyBackground,E=f.isOffline||e.isOutOfOffice&&(f.isAvailable||f.isBusy||f.isAway||f.isDoNotDisturb),P=h.isSize72||h.isSize100?"2px":"1px";return{presence:[m.presence,(0,n.pi)((0,n.pi)({position:"absolute",height:g.bw.size12,width:g.bw.size12,borderRadius:"50%",top:"auto",right:"-2px",bottom:"-2px",border:"2px solid "+T,textAlign:"center",boxSizing:"content-box",backgroundClip:"content-box"},(0,d.xM)()),{selectors:(t={},t[d.qJ]={borderColor:"Window",backgroundColor:"WindowText"},t)}),(h.isSize8||h.isSize10)&&{right:"auto",top:"7px",left:0,border:0,selectors:(o={},o[d.qJ]={top:"9px",border:"1px solid WindowText"},o)},(h.isSize8||h.isSize10||h.isSize24||h.isSize28||h.isSize32)&&x(g.bw.size8),(h.isSize40||h.isSize48)&&x(g.bw.size12),h.isSize16&&{height:g.bw.size6,width:g.bw.size6,borderWidth:"1.5px"},h.isSize56&&x(g.bw.size16),h.isSize72&&x(g.bw.size20),h.isSize100&&x(g.bw.size28),h.isSize120&&x(g.bw.size32),f.isAvailable&&{backgroundColor:v,selectors:(r={},r[d.qJ]=k("Highlight"),r)},f.isAway&&k(b),f.isBlocked&&[{selectors:(i={":after":h.isSize40||h.isSize48||h.isSize72||h.isSize100?{content:'""',width:"100%",height:P,backgroundColor:y,transform:"translateY(-50%) rotate(-45deg)",position:"absolute",top:"50%",left:0}:void 0},i[d.qJ]={selectors:{":after":{width:"calc(100% - 4px)",left:"2px",backgroundColor:"Window"}}},i)}],f.isBusy&&k(y),f.isDoNotDisturb&&k(w),f.isOffline&&k(I),(E||f.isBlocked)&&[{backgroundColor:T,selectors:(a={":before":{content:'""',width:"100%",height:"100%",position:"absolute",top:0,left:0,border:P+" solid "+y,borderRadius:"50%",boxSizing:"border-box"}},a[d.qJ]={backgroundColor:"WindowText",selectors:{":before":{width:"calc(100% - 2px)",height:"calc(100% - 2px)",top:"1px",left:"1px",borderColor:"Window"}}},a)}],E&&f.isAvailable&&S(P,v),E&&f.isBusy&&S(P,y),E&&f.isAway&&S(P,D),E&&f.isDoNotDisturb&&S(P,w),E&&f.isOffline&&S(P,I),E&&f.isOffline&&e.isOutOfOffice&&S(P,D)],presenceIcon:[m.presenceIcon,{color:T,fontSize:"6px",lineHeight:g.bw.size12,verticalAlign:"top",selectors:(s={},s[d.qJ]={color:"Window"},s)},h.isSize56&&{fontSize:"8px",lineHeight:g.bw.size16},h.isSize72&&{fontSize:p.small.fontSize,lineHeight:g.bw.size20},h.isSize100&&{fontSize:p.medium.fontSize,lineHeight:g.bw.size28},h.isSize120&&{fontSize:p.medium.fontSize,lineHeight:g.bw.size32},f.isAway&&{position:"relative",left:E?void 0:"1px"},E&&f.isAvailable&&C(v),E&&f.isBusy&&C(y),E&&f.isAway&&C(D),E&&f.isDoNotDisturb&&C(w),E&&f.isOffline&&C(I),E&&f.isOffline&&e.isOutOfOffice&&C(D)]}}),void 0,{scope:"PersonaPresence"}),I=o(6711),D=o(4861),T=o(4192),E=(0,i.y)({cacheSize:100}),P=(0,a.NF)((function(e,t,o,n,r,i){return(0,d.y0)(e,!i&&{backgroundColor:(0,T.g)({text:n,initialsColor:t,primaryText:r}),color:o})})),M={size:h.Ir.size48,presence:h.H_.none,imageAlt:""},R=r.forwardRef((function(e,t){var o=(0,s.j)(M,e),i=function(e){var t=e.onPhotoLoadingStateChange,o=e.imageUrl,n=r.useState(I.U9.notLoaded),i=n[0],a=n[1];return r.useEffect((function(){a(I.U9.notLoaded)}),[o]),[i,function(e){var o;a(e),null===(o=t)||void 0===o||o(e)}]}(o),a=i[0],c=i[1],u=N(c),d=o.className,p=o.coinProps,g=o.showUnknownPersonaCoin,f=o.coinSize,v=o.styles,b=o.imageUrl,y=o.initialsColor,_=o.initialsTextColor,C=o.isOutOfOffice,S=o.onRenderCoin,x=void 0===S?u:S,k=o.onRenderPersonaCoin,D=void 0===k?x:k,T=o.onRenderInitials,R=void 0===T?B:T,F=o.presence,L=o.presenceTitle,A=o.presenceColors,z=o.primaryText,H=o.showInitialsUntilImageLoads,O=o.text,W=o.theme,V=o.size,K=(0,l.pq)(o,l.n7),q=(0,l.pq)(p||{},l.n7),G=f?{width:f,height:f}:void 0,U=g,j={coinSize:f,isOutOfOffice:C,presence:F,presenceTitle:L,presenceColors:A,size:V,theme:W},J=E(v,{theme:W,className:p&&p.className?p.className:d,size:V,coinSize:f,showUnknownPersonaCoin:g}),Y=Boolean(a!==I.U9.loaded&&(H&&b||!b||a===I.U9.error||U));return r.createElement("div",(0,n.pi)({role:"presentation"},K,{className:J.coin,ref:t}),V!==h.Ir.size8&&V!==h.Ir.size10&&V!==h.Ir.tiny?r.createElement("div",(0,n.pi)({role:"presentation"},q,{className:J.imageArea,style:G}),Y&&r.createElement("div",{className:P(J.initials,y,_,O,z,g),style:G,"aria-hidden":"true"},R(o,B)),!U&&D(o,u),r.createElement(w,(0,n.pi)({},j))):o.presence?r.createElement(w,(0,n.pi)({},j)):r.createElement(m.J,{iconName:"Contact",className:J.size10WithoutPresenceIcon}),o.children)}));R.displayName="PersonaCoinBase";var N=function(e){return function(t){var o=t.coinSize,n=t.styles,i=t.imageUrl,a=t.imageAlt,s=t.imageShouldFadeIn,l=t.imageShouldStartVisible,c=t.theme,u=t.showUnknownPersonaCoin,d=t.size,p=void 0===d?M.size:d;if(!i)return null;var m=E(n,{theme:c,size:p,showUnknownPersonaCoin:u}),h=o||g.Y4[p];return r.createElement(D.E,{className:m.image,imageFit:I.kQ.cover,src:i,width:h,height:h,alt:a,shouldFadeIn:s,shouldStartVisible:l,onLoadingStateChange:e})}},B=function(e){var t=e.imageInitials,o=e.allowPhoneInitials,n=e.showUnknownPersonaCoin,i=e.text,a=e.primaryText,s=e.theme;if(n)return r.createElement(m.J,{iconName:"Help"});var l=(0,c.zg)(s);return""!==(t=t||(0,u.Q)(i||a||"",l,o))?r.createElement("span",null,t):r.createElement(m.J,{iconName:"Contact"})}},6543:(e,t,o)=>{"use strict";o.d(t,{t:()=>c});var n=o(2002),r=o(867),i=o(7622),a=o(9729),s=o(8337),l={coin:"ms-Persona-coin",imageArea:"ms-Persona-imageArea",image:"ms-Persona-image",initials:"ms-Persona-initials",size8:"ms-Persona--size8",size10:"ms-Persona--size10",size16:"ms-Persona--size16",size24:"ms-Persona--size24",size28:"ms-Persona--size28",size32:"ms-Persona--size32",size40:"ms-Persona--size40",size48:"ms-Persona--size48",size56:"ms-Persona--size56",size72:"ms-Persona--size72",size100:"ms-Persona--size100",size120:"ms-Persona--size120"},c=(0,n.z)(r.z,(function(e){var t,o=e.className,n=e.theme,r=e.coinSize,c=n.palette,u=n.fonts,d=(0,s.yR)(e.size),p=(0,a.Cn)(l,n),m=r||e.size&&s.Y4[e.size]||48;return{coin:[p.coin,u.medium,d.isSize8&&p.size8,d.isSize10&&p.size10,d.isSize16&&p.size16,d.isSize24&&p.size24,d.isSize28&&p.size28,d.isSize32&&p.size32,d.isSize40&&p.size40,d.isSize48&&p.size48,d.isSize56&&p.size56,d.isSize72&&p.size72,d.isSize100&&p.size100,d.isSize120&&p.size120,o],size10WithoutPresenceIcon:{fontSize:u.xSmall.fontSize,position:"absolute",top:"5px",right:"auto",left:0},imageArea:[p.imageArea,{position:"relative",textAlign:"center",flex:"0 0 auto",height:m,width:m},m<=10&&{overflow:"visible",background:"transparent",height:0,width:0}],image:[p.image,{marginRight:"10px",position:"absolute",top:0,left:0,width:"100%",height:"100%",border:0,borderRadius:"50%",perspective:"1px"},m<=10&&{overflow:"visible",background:"transparent",height:0,width:0},m>10&&{height:m,width:m}],initials:[p.initials,{borderRadius:"50%",color:e.showUnknownPersonaCoin?"rgb(168, 0, 0)":c.white,fontSize:u.large.fontSize,fontWeight:a.lq.semibold,lineHeight:48===m?46:m,height:m,selectors:(t={},t[a.qJ]=(0,i.pi)((0,i.pi)({border:"1px solid WindowText"},(0,a.xM)()),{color:"WindowText",boxSizing:"border-box",backgroundColor:"Window !important"}),t.i={fontWeight:a.lq.semibold},t)},e.showUnknownPersonaCoin&&{backgroundColor:"rgb(234, 234, 234)"},m<32&&{fontSize:u.xSmall.fontSize},m>=32&&m<40&&{fontSize:u.medium.fontSize},m>=40&&m<56&&{fontSize:u.mediumPlus.fontSize},m>=56&&m<72&&{fontSize:u.xLarge.fontSize},m>=72&&m<100&&{fontSize:u.xxLarge.fontSize},m>=100&&{fontSize:u.superLarge.fontSize}]}}),void 0,{scope:"PersonaCoin"})},8337:(e,t,o)=>{"use strict";o.d(t,{or:()=>r,bw:()=>i,yR:()=>s,Y4:()=>l,zx:()=>c});var n,r,i,a=o(7481);!function(e){e.size8="20px",e.size10="20px",e.size16="16px",e.size24="24px",e.size28="28px",e.size32="32px",e.size40="40px",e.size48="48px",e.size56="56px",e.size72="72px",e.size100="100px",e.size120="120px"}(r||(r={})),function(e){e.size6="6px",e.size8="8px",e.size12="12px",e.size16="16px",e.size20="20px",e.size28="28px",e.size32="32px",e.border="2px"}(i||(i={}));var s=function(e){return{isSize8:e===a.Ir.size8,isSize10:e===a.Ir.size10||e===a.Ir.tiny,isSize16:e===a.Ir.size16,isSize24:e===a.Ir.size24||e===a.Ir.extraExtraSmall,isSize28:e===a.Ir.size28||e===a.Ir.extraSmall,isSize32:e===a.Ir.size32,isSize40:e===a.Ir.size40||e===a.Ir.small,isSize48:e===a.Ir.size48||e===a.Ir.regular,isSize56:e===a.Ir.size56,isSize72:e===a.Ir.size72||e===a.Ir.large,isSize100:e===a.Ir.size100||e===a.Ir.extraLarge,isSize120:e===a.Ir.size120}},l=((n={})[a.Ir.tiny]=10,n[a.Ir.extraExtraSmall]=24,n[a.Ir.extraSmall]=28,n[a.Ir.small]=40,n[a.Ir.regular]=48,n[a.Ir.large]=72,n[a.Ir.extraLarge]=100,n[a.Ir.size8]=8,n[a.Ir.size10]=10,n[a.Ir.size16]=16,n[a.Ir.size24]=24,n[a.Ir.size28]=28,n[a.Ir.size32]=32,n[a.Ir.size40]=40,n[a.Ir.size48]=48,n[a.Ir.size56]=56,n[a.Ir.size72]=72,n[a.Ir.size100]=100,n[a.Ir.size120]=120,n),c=function(e){return{isAvailable:e===a.H_.online,isAway:e===a.H_.away,isBlocked:e===a.H_.blocked,isBusy:e===a.H_.busy,isDoNotDisturb:e===a.H_.dnd,isOffline:e===a.H_.offline}}},4192:(e,t,o)=>{"use strict";o.d(t,{g:()=>a});var n=o(7481),r=[n.z5.lightBlue,n.z5.blue,n.z5.darkBlue,n.z5.teal,n.z5.green,n.z5.darkGreen,n.z5.lightPink,n.z5.pink,n.z5.magenta,n.z5.purple,n.z5.orange,n.z5.lightRed,n.z5.darkRed,n.z5.violet,n.z5.gold,n.z5.burgundy,n.z5.warmGray,n.z5.cyan,n.z5.rust,n.z5.coolGray],i=r.length;function a(e){var t=e.primaryText,o=e.text,a=e.initialsColor;return"string"==typeof a?a:function(e){switch(e){case n.z5.lightBlue:return"#4F6BED";case n.z5.blue:return"#0078D4";case n.z5.darkBlue:return"#004E8C";case n.z5.teal:return"#038387";case n.z5.lightGreen:case n.z5.green:return"#498205";case n.z5.darkGreen:return"#0B6A0B";case n.z5.lightPink:return"#C239B3";case n.z5.pink:return"#E3008C";case n.z5.magenta:return"#881798";case n.z5.purple:return"#5C2E91";case n.z5.orange:return"#CA5010";case n.z5.red:return"#EE1111";case n.z5.lightRed:return"#D13438";case n.z5.darkRed:return"#A4262C";case n.z5.transparent:return"transparent";case n.z5.violet:return"#8764B8";case n.z5.gold:return"#986F0B";case n.z5.burgundy:return"#750B1C";case n.z5.warmGray:return"#7A7574";case n.z5.cyan:return"#005B70";case n.z5.rust:return"#8E562E";case n.z5.coolGray:return"#69797E";case n.z5.black:return"#1D1D1D";case n.z5.gray:return"#393939"}}(a=void 0!==a?a:function(e){var t=n.z5.blue;if(!e)return t;for(var o=0,a=e.length-1;a>=0;a--){var s=e.charCodeAt(a),l=a%8;o^=(s<>8-l)}return r[o%i]}(o||t))}},752:(e,t,o)=>{"use strict";o.d(t,{G:()=>g});var n=o(7622),r=o(7002),i=o(9757),a=o(5446),s=o(4553),l=o(8145),c=o(8127),u=o(3528),d=o(757),p=o(9241),m=o(8901);function h(e){var t=e.originalElement,o=e.containsFocus;t&&o&&t!==(0,i.J)()&&setTimeout((function(){var e,o;null===(o=(e=t).focus)||void 0===o||o.call(e)}),0)}var g=r.forwardRef((function(e,t){e=(0,n.pi)({shouldRestoreFocus:!0},e);var o=r.useRef(),i=(0,p.r)(o,t);!function(e,t){var o=e.onRestoreFocus,n=void 0===o?h:o,i=r.useRef(),l=r.useRef(!1);r.useEffect((function(){return i.current=(0,a.M)().activeElement,(0,s.WU)(t.current)&&(l.current=!0),function(){var e,t;null===(e=n)||void 0===e||e({originalElement:i.current,containsFocus:l.current,documentContainsFocus:(null===(t=(0,a.M)())||void 0===t?void 0:t.hasFocus())||!1}),i.current=void 0}}),[]),(0,d.d)(t,"focus",r.useCallback((function(){l.current=!0}),[]),!0),(0,d.d)(t,"blur",r.useCallback((function(e){t.current&&e.relatedTarget&&!t.current.contains(e.relatedTarget)&&(l.current=!1)}),[]),!0)}(e,o);var g=e.role,f=e.className,v=e.ariaLabel,b=e.ariaLabelledBy,y=e.ariaDescribedBy,_=e.style,C=e.children,S=e.onDismiss,x=function(e,t){var o=(0,u.r)(),n=r.useState(!1),i=n[0],a=n[1];return r.useEffect((function(){return o.requestAnimationFrame((function(){var o;if(!e.style||!e.style.overflowY){var n=!1;if(t&&t.current&&(null===(o=t.current)||void 0===o?void 0:o.firstElementChild)){var r=t.current.clientHeight,s=t.current.firstElementChild.clientHeight;r>0&&s>r&&(n=s-r>1)}i!==n&&a(n)}})),function(){return o.dispose()}})),i}(e,o),k=r.useCallback((function(e){switch(e.which){case l.m.escape:S&&(S(e),e.preventDefault(),e.stopPropagation())}}),[S]),w=(0,m.zY)();return(0,d.d)(w,"keydown",k),r.createElement("div",(0,n.pi)({ref:i},(0,c.pq)(e,c.n7),{className:f,role:g,"aria-label":v,"aria-labelledby":b,"aria-describedby":y,onKeyDown:k,style:(0,n.pi)({overflowY:x?"scroll":void 0,outline:"none"},_)}),C)}))},1405:(e,t,o)=>{"use strict";o.d(t,{x:()=>b});var n=o(7622),r=o(7002),i=o(7300),a=o(8127),s=o(8088),l=o(6953),c=o(9947),u=o(2998),d=o(7023),p=o(7813),m=o(4085),h=o(6548),g=(0,i.y)(),f=function(e){return r.createElement("div",{className:e.classNames.ratingStar},r.createElement(c.J,{className:e.classNames.ratingStarBack,iconName:e.icon}),!e.disabled&&r.createElement(c.J,{className:e.classNames.ratingStarFront,iconName:e.icon,style:{width:e.fillPercentage+"%"}}))},v=function(e,t){return e+"-star-"+(t-1)},b=r.forwardRef((function(e,t){var o,i=(0,m.M)("Rating"),c=(0,m.M)("RatingLabel"),b=e.ariaLabel,y=e.ariaLabelFormat,_=e.disabled,C=e.getAriaLabel,S=e.styles,x=e.min,k=void 0===x?e.allowZeroStars?0:1:x,w=e.max,I=void 0===w?5:w,D=e.readOnly,T=e.size,E=e.theme,P=e.icon,M=void 0===P?"FavoriteStarFill":P,R=e.unselectedIcon,N=void 0===R?"FavoriteStar":R,B=e.onRenderStar,F=Math.max(k,0),L=(0,h.G)(e.rating,e.defaultRating,e.onChange),A=L[0],z=L[1],H=function(e,t,o){return Math.min(Math.max(null!=e?e:t,t),o)}(A,F,I);!function(e,t){r.useImperativeHandle(e,(function(){return{rating:t}}),[t])}(e.componentRef,H);for(var O=(0,a.pq)(e,a.n7),W=g(S,{disabled:_,readOnly:D,theme:E}),V=null===(o=C)||void 0===o?void 0:o(H,I),K=b||V,q=[],G=function(e){var t,o,a=function(e,t){var o=Math.ceil(t),n=100;return e===t?n=100:e===o?n=t%1*100:e>o&&(n=0),n}(e,H),u=function(t){void 0!==A&&Math.ceil(A)===e||z(e,t)};q.push(r.createElement("button",(0,n.pi)({className:(0,s.i)(W.ratingButton,T===p.O.Large?W.ratingStarIsLarge:W.ratingStarIsSmall),id:v(i,e),key:e},e===Math.ceil(H)&&{"data-is-current":!0},{onFocus:u,onClick:u,disabled:!(!_&&!D),role:"radio","aria-hidden":D?"true":void 0,type:"button","aria-checked":e===Math.ceil(H)}),r.createElement("span",{id:c+"-"+e,className:W.labelText},(0,l.W)(y||"",e,I)),(t={fillPercentage:a,disabled:_,classNames:W,icon:a>0?M:N,starNum:e},(o=B)?o(t):r.createElement(f,(0,n.pi)({},t)))))},U=1;U<=I;U++)G(U);var j=T===p.O.Large?W.rootIsLarge:W.rootIsSmall;return r.createElement("div",(0,n.pi)({ref:t,className:(0,s.i)("ms-Rating-star",W.root,j),"aria-label":D?void 0:K,id:i,role:D?void 0:"radiogroup"},O),r.createElement(u.k,(0,n.pi)({direction:d.U.bidirectional,className:(0,s.i)(W.ratingFocusZone,j),defaultActiveElement:"#"+v(i,Math.ceil(H))},D&&{allowFocusRoot:!0,disabled:!0,role:"textbox","aria-label":V,"aria-readonly":!0,"data-is-focusable":!0,tabIndex:0}),q))}));b.displayName="RatingBase"},558:(e,t,o)=>{"use strict";o.d(t,{i:()=>l});var n=o(2002),r=o(9729),i={root:"ms-RatingStar-root",rootIsSmall:"ms-RatingStar-root--small",rootIsLarge:"ms-RatingStar-root--large",ratingStar:"ms-RatingStar-container",ratingStarBack:"ms-RatingStar-back",ratingStarFront:"ms-RatingStar-front",ratingButton:"ms-Rating-button",ratingStarIsSmall:"ms-Rating--small",ratingStartIsLarge:"ms-Rating--large",labelText:"ms-Rating-labelText",ratingFocusZone:"ms-Rating-focuszone"};function a(e,t){var o;return{color:e,selectors:(o={},o[r.qJ]={color:t},o)}}var s=o(1405),l=(0,n.z)(s.x,(function(e){var t=e.disabled,o=e.readOnly,n=e.theme,s=n.semanticColors,l=n.palette,c=(0,r.Cn)(i,n),u=l.neutralSecondary,d=l.themePrimary,p=l.themeDark,m=l.neutralPrimary,h=s.disabledBodySubtext;return{root:[c.root,n.fonts.medium,!t&&!o&&{selectors:{"&:hover":{selectors:{".ms-RatingStar-back":a(m,"Highlight")}}}}],rootIsSmall:[c.rootIsSmall,{height:"32px"}],rootIsLarge:[c.rootIsLarge,{height:"36px"}],ratingStar:[c.ratingStar,{display:"inline-block",position:"relative",height:"inherit"}],ratingStarBack:[c.ratingStarBack,{color:u,width:"100%"},t&&a(h,"GrayText")],ratingStarFront:[c.ratingStarFront,{position:"absolute",height:"100 %",left:"0",top:"0",textAlign:"center",verticalAlign:"middle",overflow:"hidden"},a(m,"Highlight")],ratingButton:[(0,r.GL)(n),c.ratingButton,{backgroundColor:"transparent",padding:"8px 2px",boxSizing:"content-box",margin:"0px",border:"none",cursor:"pointer",selectors:{"&:disabled":{cursor:"default"},"&[disabled]":{cursor:"default"}}},!t&&!o&&{selectors:{"&:hover ~ .ms-Rating-button":{selectors:{".ms-RatingStar-back":a(u,"WindowText"),".ms-RatingStar-front":a(u,"WindowText")}},"&:hover":{selectors:{".ms-RatingStar-back":{color:d},".ms-RatingStar-front":{color:p}}}}},t&&{cursor:"default"}],ratingStarIsSmall:[c.ratingStarIsSmall,{fontSize:"16px",lineHeight:"16px",height:"16px"}],ratingStarIsLarge:[c.ratingStartIsLarge,{fontSize:"20px",lineHeight:"20px",height:"20px"}],labelText:[c.labelText,r.ul],ratingFocusZone:[(0,r.GL)(n),c.ratingFocusZone,{display:"inline-block"}]}}),void 0,{scope:"Rating"})},7813:(e,t,o)=>{"use strict";var n;o.d(t,{O:()=>n}),function(e){e[e.Small=0]="Small",e[e.Large=1]="Large"}(n||(n={}))},3863:(e,t,o)=>{"use strict";o.d(t,{i:()=>b});var n=o(7622),r=o(7002),i=o(7300),a=o(8127),s=o(8145),l=o(6548),c=o(9241),u=o(4085),d=o(5758),p=o(9947),m="SearchBox",h={root:{height:"auto"},icon:{fontSize:"12px"}},g={iconName:"Clear"},f={ariaLabel:"Clear text"},v=(0,i.y)(),b=r.forwardRef((function(e,t){var o=e.defaultValue,i=void 0===o?"":o,b=r.useState(!1),y=b[0],_=b[1],C=(0,l.G)(e.value,i,e.onChange),S=C[0],x=C[1],k=String(S),w=r.useRef(null),I=r.useRef(null),D=(0,c.r)(w,t),T=(0,u.M)(m,e.id),E=e.ariaLabel,P=e.className,M=e.disabled,R=e.underlined,N=e.styles,B=e.labelText,F=e.placeholder,L=void 0===F?B:F,A=e.theme,z=e.clearButtonProps,H=void 0===z?f:z,O=e.disableAnimation,W=void 0!==O&&O,V=e.onClear,K=e.onBlur,q=e.onEscape,G=e.onSearch,U=e.onKeyDown,j=e.iconProps,J=e.role,Y=H.onClick,Z=v(N,{theme:A,className:P,underlined:R,hasFocus:y,disabled:M,hasInput:k.length>0,disableAnimation:W}),X=(0,a.pq)(e,a.Gg,["className","placeholder","onFocus","onBlur","value","role"]),Q=r.useCallback((function(e){var t,o;null===(t=V)||void 0===t||t(e),e.defaultPrevented||(x(""),null===(o=I.current)||void 0===o||o.focus(),e.stopPropagation(),e.preventDefault())}),[V,x]),$=r.useCallback((function(e){var t;null===(t=Y)||void 0===t||t(e),e.defaultPrevented||Q(e)}),[Y,Q]),ee=r.useCallback((function(e){var t;_(!1),null===(t=K)||void 0===t||t(e)}),[K]),te=function(e){x(e.target.value)};return function(e,t,o){r.useImperativeHandle(e,(function(){return{focus:function(){var e;return null===(e=t.current)||void 0===e?void 0:e.focus()},hasFocus:function(){return o}}}),[t,o])}(e.componentRef,I,y),r.createElement("div",{role:J,ref:D,className:Z.root,onFocusCapture:function(t){var o,n;_(!0),null===(n=(o=e).onFocus)||void 0===n||n.call(o,t)}},r.createElement("div",{className:Z.iconContainer,onClick:function(){I.current&&(I.current.focus(),I.current.selectionStart=I.current.selectionEnd=0)},"aria-hidden":!0},r.createElement(p.J,(0,n.pi)({iconName:"Search"},j,{className:Z.icon}))),r.createElement("input",(0,n.pi)({},X,{id:T,className:Z.field,placeholder:L,onChange:te,onInput:te,onBlur:ee,onKeyDown:function(e){var t,o;switch(e.which){case s.m.escape:null===(t=q)||void 0===t||t(e),k&&!e.defaultPrevented&&Q(e);break;case s.m.enter:G&&(G(k),e.preventDefault(),e.stopPropagation());break;default:null===(o=U)||void 0===o||o(e),e.defaultPrevented&&e.stopPropagation()}},value:k,disabled:M,role:"searchbox","aria-label":E,ref:I})),k.length>0&&r.createElement("div",{className:Z.clearButton},r.createElement(d.h,(0,n.pi)({onBlur:ee,styles:h,iconProps:g},H,{onClick:$}))))}));b.displayName=m},6419:(e,t,o)=>{"use strict";o.d(t,{R:()=>l});var n=o(2002),r=o(3863),i=o(9729),a=o(5951),s={root:"ms-SearchBox",iconContainer:"ms-SearchBox-iconContainer",icon:"ms-SearchBox-icon",clearButton:"ms-SearchBox-clearButton",field:"ms-SearchBox-field"},l=(0,n.z)(r.i,(function(e){var t,o,n,r,l=e.theme,c=e.underlined,u=e.disabled,d=e.hasFocus,p=e.className,m=e.hasInput,h=e.disableAnimation,g=l.palette,f=l.fonts,v=l.semanticColors,b=l.effects,y=(0,i.Cn)(s,l),_={color:v.inputPlaceholderText,opacity:1},C=g.neutralSecondary,S=g.neutralPrimary,x=g.neutralLighter,k=g.neutralLighter,w=g.neutralLighter;return{root:[y.root,f.medium,i.Fv,{color:v.inputText,backgroundColor:v.inputBackground,display:"flex",flexDirection:"row",flexWrap:"nowrap",alignItems:"stretch",padding:"1px 0 1px 4px",borderRadius:b.roundedCorner2,border:"1px solid "+v.inputBorder,height:32,selectors:(t={},t[i.qJ]={borderColor:"WindowText"},t[":hover"]={borderColor:v.inputBorderHovered,selectors:(o={},o[i.qJ]={borderColor:"Highlight"},o)},t[":hover ."+y.iconContainer]={color:v.inputIconHovered},t)},!d&&m&&{selectors:(n={},n[":hover ."+y.iconContainer]={width:4},n[":hover ."+y.icon]={opacity:0},n)},d&&["is-active",{position:"relative"},(0,i.$Y)(v.inputFocusBorderAlt,c?0:b.roundedCorner2,c?"borderBottom":"border")],u&&["is-disabled",{borderColor:x,backgroundColor:w,pointerEvents:"none",cursor:"default",selectors:(r={},r[i.qJ]={borderColor:"GrayText"},r)}],c&&["is-underlined",{borderWidth:"0 0 1px 0",borderRadius:0,padding:"1px 0 1px 8px"}],c&&u&&{backgroundColor:"transparent"},m&&"can-clear",p],iconContainer:[y.iconContainer,{display:"flex",flexDirection:"column",justifyContent:"center",flexShrink:0,fontSize:16,width:32,textAlign:"center",color:v.inputIcon,cursor:"text"},d&&{width:4},u&&{color:v.inputIconDisabled},!h&&{transition:"width "+i.D1.durationValue1}],icon:[y.icon,{opacity:1},d&&{opacity:0},!h&&{transition:"opacity "+i.D1.durationValue1+" 0s"}],clearButton:[y.clearButton,{display:"flex",flexDirection:"row",alignItems:"stretch",cursor:"pointer",flexBasis:"32px",flexShrink:0,padding:0,margin:"-1px 0px",selectors:{"&:hover .ms-Button":{backgroundColor:k},"&:hover .ms-Button-icon":{color:S},".ms-Button":{borderRadius:(0,a.zg)(l)?"1px 0 0 1px":"0 1px 1px 0"},".ms-Button-icon":{color:C}}}],field:[y.field,i.Fv,(0,i.Sv)(_),{backgroundColor:"transparent",border:"none",outline:"none",fontWeight:"inherit",fontFamily:"inherit",fontSize:"inherit",color:v.inputText,flex:"1 1 0px",minWidth:"0px",overflow:"hidden",textOverflow:"ellipsis",paddingBottom:.5,selectors:{"::-ms-clear":{display:"none"}}},u&&{color:v.disabledText}]}}),void 0,{scope:"SearchBox"})},9379:(e,t,o)=>{"use strict";o.d(t,{V:()=>y});var n=o(7622),r=o(7002),i=o(5480),a=o(2052),s=o(6548),l=o(4085),c=o(2861),u=o(7300),d=o(5951),p=o(8145),m=o(9251),h=o(8127),g=o(8088),f=(0,u.y)(),v=function(e){return function(t){var o;return(o={})[e]=t+"%",o}},b=function(e,t,o){return o===t?0:(e-t)/(o-t)*100},y=r.forwardRef((function(e,t){var o=function(e,t){var o=e.step,i=void 0===o?1:o,a=e.className,u=e.disabled,y=void 0!==u&&u,_=e.label,C=e.max,S=void 0===C?10:C,x=e.min,k=void 0===x?0:x,w=e.showValue,I=void 0===w||w,D=e.buttonProps,T=void 0===D?{}:D,E=e.vertical,P=void 0!==E&&E,M=e.valueFormat,R=e.styles,N=e.theme,B=e.originFromZero,F=e["aria-label"],L=e.ranged,A=r.useRef([]),z=r.useRef(null),H=(0,s.G)(e.value,e.defaultValue,(function(t,o){var n,r;return null===(r=(n=e).onChange)||void 0===r?void 0:r.call(n,o,L?[j,o]:void 0)})),O=H[0],W=H[1],V=(0,s.G)(e.lowerValue,e.defaultLowerValue,(function(t,o){var n,r;return null===(r=(n=e).onChange)||void 0===r?void 0:r.call(n,U,[o,U])})),K=V[0],q=V[1],G=r.useRef(!1),U=Math.max(k,Math.min(S,O||0)),j=Math.max(k,Math.min(U,K||0)),J=(0,l.M)("Slider"),Y=(0,c.k)(!0),Z=Y[0],X=Y[1].toggle,Q=f(R,{className:a,disabled:y,vertical:P,showTransitions:Z,showValue:I,ranged:L,theme:N}),$=r.useState(0),ee=$[0],te=$[1],oe=(S-k)/i,ne=function(){clearTimeout(ee)},re=function(t){ne(),te(setTimeout((function(){e.onChanged&&e.onChanged(t,U)}),1e3))},ie=function(t){var o=e.ariaValueText;if(void 0!==t)return o?o(t):t.toString()},ae=function(t,o){e.snapToStep;var n=0;if(isFinite(i))for(;Math.round(i*Math.pow(10,n))/Math.pow(10,n)!==i;)n++;var r=parseFloat(t.toFixed(n));L?G.current&&(B?r<=0:r<=U)?q(r):!G.current&&(B?r>=0:r>=j)&&W(r):W(r)},se=function(e,t){var o;switch(e.type){case"mousedown":case"mousemove":o=t?e.clientY:e.clientX;break;case"touchstart":case"touchmove":o=t?e.touches[0].clientY:e.touches[0].clientX}return o},le=function(t){if(z.current){var o,n=z.current.getBoundingClientRect(),r=(e.vertical?n.height:n.width)/oe;if(e.vertical){var i=se(t,e.vertical);o=(n.bottom-i)/r}else{var a=se(t,e.vertical);o=((0,d.zg)(e.theme)?n.right-a:a-n.left)/r}return o}},ce=function(e,t){var o,n=le(e);o=n>Math.floor(oe)?S:n<0?k:k+i*Math.round(n),ae(o),t||(e.preventDefault(),e.stopPropagation())},ue=function(e){if(L){var t=le(e),o=k+i*t;G.current=o<=j||o-j<=U-o}"mousedown"===e.type?A.current.push((0,m.on)(window,"mousemove",ce,!0),(0,m.on)(window,"mouseup",de,!0)):"touchstart"===e.type&&A.current.push((0,m.on)(window,"touchmove",ce,!0),(0,m.on)(window,"touchend",de,!0)),X(),ce(e,!0)},de=function(t){e.onChanged&&e.onChanged(t,U),X(),pe()},pe=function(){A.current.forEach((function(e){return e()})),A.current=[]},me=y?{}:{onMouseDown:ue},he=y?{}:{onTouchStart:ue},ge=y?{}:{onKeyDown:function(t){var o=G.current?j:U,n=0;switch(t.which){case(0,d.dP)(p.m.left,e.theme):case p.m.down:n=-i,ne(),re(t);break;case(0,d.dP)(p.m.right,e.theme):case p.m.up:n=i,ne(),re(t);break;case p.m.home:o=k;break;case p.m.end:o=S;break;default:return}var r=Math.min(S,Math.max(k,o+n));ae(r),t.preventDefault(),t.stopPropagation()}},fe=y?{}:{onFocus:function(e){G.current=e.target===ve.current}},ve=r.useRef(null),be=r.useRef(null);!function(e,t,o,n){r.useImperativeHandle(e.componentRef,(function(){return{get value(){return o},get range(){return e.ranged?n:void 0},focus:function(){t.current&&t.current.focus()}}}),[t,o,e.ranged,n])}(e,L&&!P?ve:be,U,[j,U]);var ye=function(e,t){return void 0===e&&(e=!1),void 0===t&&(t=!1),v(e?"bottom":t?"right":"left")}(P,(0,d.zg)(e.theme)),_e=function(e){return void 0===e&&(e=!1),v(e?"height":"width")}(P),Ce=B?0:k,Se=b(U,k,S),xe=b(j,k,S),ke=b(Ce,k,S),we=L?Se-xe:Math.abs(ke-Se),Ie=Math.min(100-Se,100-ke),De=L?xe:Math.min(Se,ke),Te={className:Q.root,ref:t},Ee=T?(0,h.pq)(T,h.n7):void 0,Pe={className:Q.titleLabel,children:_,disabled:y,htmlFor:F?void 0:J},Me=I?{className:Q.valueLabel,children:M?M(U):U,disabled:y}:void 0,Re=L&&I?{className:Q.valueLabel,children:M?M(j):j,disabled:y}:void 0,Ne=B?{className:Q.zeroTick,style:ye(ke)}:void 0,Be={className:(0,g.i)(Q.lineContainer,Q.activeSection),style:_e(we)},Fe={className:(0,g.i)(Q.lineContainer,Q.inactiveSection),style:_e(Ie)},Le={className:(0,g.i)(Q.lineContainer,Q.inactiveSection),style:_e(De)},Ae=(0,n.pi)((0,n.pi)((0,n.pi)((0,n.pi)({},me),he),ge),Ee),ze=(0,n.pi)({"aria-disabled":y,role:"slider",tabIndex:y?void 0:0},{"data-is-focusable":!y}),He=(0,n.pi)((0,n.pi)({id:J,className:(0,g.i)(Q.slideBox,T.className)},Ae),!L&&(0,n.pi)((0,n.pi)({},ze),{"aria-valuemin":k,"aria-valuemax":S,"aria-valuenow":U,"aria-valuetext":ie(U),"aria-label":F||_})),Oe=(0,n.pi)({ref:be,className:Q.thumb,style:ye(Se)},L&&(0,n.pi)((0,n.pi)((0,n.pi)((0,n.pi)({},ze),Ae),fe),{id:"max-"+J,"aria-valuemin":j,"aria-valuemax":S,"aria-valuenow":U,"aria-valuetext":ie(U),"aria-label":"max "+(F||_)})),We=L?(0,n.pi)((0,n.pi)((0,n.pi)((0,n.pi)({ref:ve,className:Q.thumb,style:ye(xe)},ze),Ae),fe),{id:"min-"+J,"aria-valuemin":k,"aria-valuemax":U,"aria-valuenow":j,"aria-valuetext":ie(j),"aria-label":"min "+(F||_)}):void 0;return{root:Te,label:Pe,sliderBox:He,container:{className:Q.container},valueLabel:Me,lowerValueLabel:Re,thumb:Oe,lowerValueThumb:We,zeroTick:Ne,activeTrack:Be,topInactiveTrack:Fe,bottomInactiveTrack:Le,sliderLine:{ref:z,className:Q.line}}}(e,t);return r.createElement("div",(0,n.pi)({},o.root),o&&r.createElement(a._,(0,n.pi)({},o.label)),r.createElement("div",(0,n.pi)({},o.container),e.ranged&&(e.vertical?o.valueLabel&&r.createElement(a._,(0,n.pi)({},o.valueLabel)):o.lowerValueLabel&&r.createElement(a._,(0,n.pi)({},o.lowerValueLabel))),r.createElement("div",(0,n.pi)({},o.sliderBox),r.createElement("div",(0,n.pi)({},o.sliderLine),e.ranged&&r.createElement("span",(0,n.pi)({},o.lowerValueThumb)),r.createElement("span",(0,n.pi)({},o.thumb)),o.zeroTick&&r.createElement("span",(0,n.pi)({},o.zeroTick)),r.createElement("span",(0,n.pi)({},o.bottomInactiveTrack)),r.createElement("span",(0,n.pi)({},o.activeTrack)),r.createElement("span",(0,n.pi)({},o.topInactiveTrack)))),e.ranged&&e.vertical?o.lowerValueLabel&&r.createElement(a._,(0,n.pi)({},o.lowerValueLabel)):o.valueLabel&&r.createElement(a._,(0,n.pi)({},o.valueLabel))),r.createElement(i.u,null))}));y.displayName="SliderBase"},4107:(e,t,o)=>{"use strict";o.d(t,{i:()=>c});var n=o(2002),r=o(9379),i=o(7622),a=o(9729),s=o(5951),l={root:"ms-Slider",enabled:"ms-Slider-enabled",disabled:"ms-Slider-disabled",row:"ms-Slider-row",column:"ms-Slider-column",container:"ms-Slider-container",slideBox:"ms-Slider-slideBox",line:"ms-Slider-line",thumb:"ms-Slider-thumb",activeSection:"ms-Slider-active",inactiveSection:"ms-Slider-inactive",valueLabel:"ms-Slider-value",showValue:"ms-Slider-showValue",showTransitions:"ms-Slider-showTransitions",zeroTick:"ms-Slider-zeroTick"},c=(0,n.z)(r.V,(function(e){var t,o,n,r,c,u,d,p,m,h,g,f,v,b=e.className,y=e.titleLabelClassName,_=e.theme,C=e.vertical,S=e.disabled,x=e.showTransitions,k=e.showValue,w=e.ranged,I=_.semanticColors,D=(0,a.Cn)(l,_),T=I.inputBackgroundCheckedHovered,E=I.inputBackgroundChecked,P=I.inputPlaceholderBackgroundChecked,M=I.smallInputBorder,R=I.disabledBorder,N=I.disabledText,B=I.disabledBackground,F=I.inputBackground,L=I.smallInputBorder,A=I.disabledBorder,z=!S&&{backgroundColor:T,selectors:(t={},t[a.qJ]={backgroundColor:"Highlight"},t)},H=!S&&{backgroundColor:P,selectors:(o={},o[a.qJ]={borderColor:"Highlight"},o)},O=!S&&{backgroundColor:E,selectors:(n={},n[a.qJ]={backgroundColor:"Highlight"},n)},W=!S&&{border:"2px solid "+T,selectors:(r={},r[a.qJ]={borderColor:"Highlight"},r)},V=!e.disabled&&{backgroundColor:I.inputPlaceholderBackgroundChecked,selectors:(c={},c[a.qJ]={backgroundColor:"Highlight"},c)};return{root:(0,i.pr)([D.root,_.fonts.medium,{userSelect:"none"},C&&{marginRight:8}],[S?void 0:D.enabled],[S?D.disabled:void 0],[C?void 0:D.row],[C?D.column:void 0],[b]),titleLabel:[{padding:0},y],container:[D.container,{display:"flex",flexWrap:"nowrap",alignItems:"center"},C&&{flexDirection:"column",height:"100%",textAlign:"center",margin:"8px 0"}],slideBox:(0,i.pr)([D.slideBox,!w&&(0,a.GL)(_),{background:"transparent",border:"none",flexGrow:1,lineHeight:28,display:"flex",alignItems:"center",selectors:(u={},u[":active ."+D.activeSection]=z,u[":hover ."+D.activeSection]=O,u[":active ."+D.inactiveSection]=H,u[":hover ."+D.inactiveSection]=H,u[":active ."+D.thumb]=W,u[":hover ."+D.thumb]=W,u[":active ."+D.zeroTick]=V,u[":hover ."+D.zeroTick]=V,u[a.qJ]={forcedColorAdjust:"none"},u)},C?{height:"100%",width:28,padding:"8px 0"}:{height:28,width:"auto",padding:"0 8px"}],[k?D.showValue:void 0],[x?D.showTransitions:void 0]),thumb:[D.thumb,w&&(0,a.GL)(_,{inset:-4}),{borderWidth:2,borderStyle:"solid",borderColor:L,borderRadius:10,boxSizing:"border-box",background:F,display:"block",width:16,height:16,position:"absolute"},C?{left:-6,margin:"0 auto",transform:"translateY(8px)"}:{top:-6,transform:(0,s.zg)(_)?"translateX(50%)":"translateX(-50%)"},x&&{transition:"left "+a.D1.durationValue3+" "+a.D1.easeFunction1},S&&{borderColor:A,selectors:(d={},d[a.qJ]={borderColor:"GrayText"},d)}],line:[D.line,{display:"flex",position:"relative"},C?{height:"100%",width:4,margin:"0 auto",flexDirection:"column-reverse"}:{width:"100%"}],lineContainer:[{borderRadius:4,boxSizing:"border-box"},C?{width:4,height:"100%"}:{height:4,width:"100%"}],activeSection:[D.activeSection,{background:M,selectors:(p={},p[a.qJ]={backgroundColor:"WindowText"},p)},x&&{transition:"width "+a.D1.durationValue3+" "+a.D1.easeFunction1},S&&{background:N,selectors:(m={},m[a.qJ]={backgroundColor:"GrayText",borderColor:"GrayText"},m)}],inactiveSection:[D.inactiveSection,{background:R,selectors:(h={},h[a.qJ]={border:"1px solid WindowText"},h)},x&&{transition:"width "+a.D1.durationValue3+" "+a.D1.easeFunction1},S&&{background:B,selectors:(g={},g[a.qJ]={borderColor:"GrayText"},g)}],zeroTick:[D.zeroTick,{position:"absolute",background:I.disabledBorder,selectors:(f={},f[a.qJ]={backgroundColor:"WindowText"},f)},e.disabled&&{background:I.disabledBackground,selectors:(v={},v[a.qJ]={backgroundColor:"GrayText"},v)},e.vertical?{width:"16px",height:"1px",transform:(0,s.zg)(_)?"translateX(6px)":"translateX(-6px)"}:{width:"1px",height:"16px",transform:"translateY(-6px)"}],valueLabel:[D.valueLabel,{flexShrink:1,width:30,lineHeight:"1"},C?{margin:"0 auto",whiteSpace:"nowrap",width:40}:{margin:"0 8px",whiteSpace:"nowrap",width:40}]}}),void 0,{scope:"Slider"})},3134:(e,t,o)=>{"use strict";o.d(t,{k:()=>P});var n=o(2002),r=o(7622),i=o(7002),a=o(5758),s=o(2052),l=o(9947),c=o(7300),u=o(63),d=o(8633),p=o(8127),m=o(8145),h=o(9729),g=o(5094),f=o(4568),v=(0,g.NF)((function(e){var t,o=e.semanticColors,n=o.disabledText,r=o.disabledBackground;return{backgroundColor:r,pointerEvents:"none",cursor:"default",color:n,selectors:(t={":after":{borderColor:r}},t[h.qJ]={color:"GrayText"},t)}})),b=(0,g.NF)((function(e,t,o){var n,r,i,a=e.palette,s=e.semanticColors,l=e.effects,c=a.neutralSecondary,u=s.buttonText,d=s.buttonText,p=s.buttonBackgroundHovered,m=s.buttonBackgroundPressed,g={root:{outline:"none",display:"block",height:"50%",width:23,padding:0,backgroundColor:"transparent",textAlign:"center",cursor:"default",color:c,selectors:{"&.ms-DownButton":{borderRadius:"0 0 "+l.roundedCorner2+" 0"},"&.ms-UpButton":{borderRadius:"0 "+l.roundedCorner2+" 0 0"}}},rootHovered:{backgroundColor:p,color:u},rootChecked:{backgroundColor:m,color:d,selectors:(n={},n[h.qJ]={backgroundColor:"Highlight",color:"HighlightText"},n)},rootPressed:{backgroundColor:m,color:d,selectors:(r={},r[h.qJ]={backgroundColor:"Highlight",color:"HighlightText"},r)},rootDisabled:{opacity:.5,selectors:(i={},i[h.qJ]={color:"GrayText",opacity:1},i)},icon:{fontSize:8,marginTop:0,marginRight:0,marginBottom:0,marginLeft:0}};return(0,h.E$)(g,{},o)})),y=o(998),_=o(4085),C=o(3528),S=o(6548),x=o(6876),k=(0,c.y)(),w={disabled:!1,label:"",step:1,labelPosition:f.L.start,incrementButtonIcon:{iconName:"ChevronUpSmall"},decrementButtonIcon:{iconName:"ChevronDownSmall"}},I=function(){},D=function(e,t){var o=t.min,n=t.max;return"number"==typeof n&&(e=Math.min(e,n)),"number"==typeof o&&(e=Math.max(e,o)),e},T=i.forwardRef((function(e,t){var o=(0,u.j)(w,e),n=o.disabled,c=o.label,h=o.min,g=o.max,v=o.step,T=o.defaultValue,P=o.value,M=o.precision,R=o.labelPosition,N=o.iconProps,B=o.incrementButtonIcon,F=o.incrementButtonAriaLabel,L=o.decrementButtonIcon,A=o.decrementButtonAriaLabel,z=o.ariaLabel,H=o.ariaDescribedBy,O=o.upArrowButtonStyles,W=o.downArrowButtonStyles,V=o.theme,K=o.ariaPositionInSet,q=o.ariaSetSize,G=o.ariaValueNow,U=o.ariaValueText,j=o.className,J=o.inputProps,Y=o.onDecrement,Z=o.onIncrement,X=o.iconButtonProps,Q=o.onValidate,$=o.onChange,ee=o.styles,te=i.useRef(null),oe=(0,_.M)("input"),ne=(0,_.M)("Label"),re=i.useState(!1),ie=re[0],ae=re[1],se=i.useState(y.T.notSpinning),le=se[0],ce=se[1],ue=(0,C.r)(),de=i.useMemo((function(){return null!=M?M:Math.max((0,d.oe)(v),0)}),[M,v]),pe=(0,S.G)(P,null!=T?T:String(h||0),$),me=pe[0],he=pe[1],ge=i.useState(),fe=ge[0],ve=ge[1],be=i.useRef({stepTimeoutHandle:-1,latestValue:void 0,latestIntermediateValue:void 0}).current;be.latestValue=me,be.latestIntermediateValue=fe;var ye=(0,x.D)(P);i.useEffect((function(){P!==ye&&void 0!==fe&&ve(void 0)}),[P,ye,fe]);var _e=k(ee,{theme:V,disabled:n,isFocused:ie,keyboardSpinDirection:le,labelPosition:R,className:j}),Ce=(0,p.pq)(o,p.n7,["onBlur","onFocus","className"]),Se=i.useCallback((function(e){var t=be.latestIntermediateValue;if(void 0!==t&&t!==be.latestValue){var o=void 0;Q?o=Q(t,e):t&&t.trim().length&&!isNaN(Number(t))&&(o=String(D(Number(t),{min:h,max:g}))),void 0!==o&&o!==be.latestValue&&he(o)}ve(void 0)}),[be,g,h,Q,he]),xe=i.useCallback((function(){be.stepTimeoutHandle>=0&&(ue.clearTimeout(be.stepTimeoutHandle),be.stepTimeoutHandle=-1),(be.spinningByMouse||le!==y.T.notSpinning)&&(be.spinningByMouse=!1,ce(y.T.notSpinning))}),[be,le,ue]),ke=i.useCallback((function(e,t){if(t.persist(),void 0!==be.latestIntermediateValue)return"keydown"===t.type&&Se(t),void ue.requestAnimationFrame((function(){ke(e,t)}));var o=e(be.latestValue||"",t);void 0!==o&&o!==be.latestValue&&he(o);var n=be.spinningByMouse;be.spinningByMouse="mousedown"===t.type,be.spinningByMouse&&(be.stepTimeoutHandle=ue.setTimeout((function(){ke(e,t)}),n?75:400))}),[be,ue,Se,he]),we=i.useCallback((function(e){if(Z)return Z(e);var t=D(Number(e)+Number(v),{max:g});return t=(0,d.F0)(t,de),String(t)}),[de,g,Z,v]),Ie=i.useCallback((function(e){if(Y)return Y(e);var t=D(Number(e)-Number(v),{min:h});return t=(0,d.F0)(t,de),String(t)}),[de,h,Y,v]),De=i.useCallback((function(e){(n||e.which===m.m.up||e.which===m.m.down)&&xe()}),[n,xe]),Te=i.useCallback((function(e){ke(we,e)}),[we,ke]),Ee=i.useCallback((function(e){ke(Ie,e)}),[Ie,ke]);!function(e,t,o){i.useImperativeHandle(e.componentRef,(function(){return{get value(){return o},focus:function(){t.current&&t.current.focus()}}}),[t,o])}(o,te,me),E(o);var Pe=!!me&&!isNaN(Number(me)),Me=(N||c)&&i.createElement("div",{className:_e.labelWrapper},N&&i.createElement(l.J,(0,r.pi)({},N,{className:_e.icon,"aria-hidden":"true"})),c&&i.createElement(s._,{id:ne,htmlFor:oe,className:_e.label,disabled:n},c));return i.createElement("div",{className:_e.root,ref:t},R!==f.L.bottom&&Me,i.createElement("div",(0,r.pi)({},Ce,{className:_e.spinButtonWrapper,"aria-label":z&&z,"aria-posinset":K,"aria-setsize":q,"data-ktp-target":!0}),i.createElement("input",(0,r.pi)({value:null!=fe?fe:me,id:oe,onChange:I,onInput:function(e){ve(e.target.value)},className:_e.input,type:"text",autoComplete:"off",role:"spinbutton","aria-labelledby":c&&ne,"aria-valuenow":null!=G?G:Pe?Number(me):void 0,"aria-valuetext":null!=U?U:Pe?void 0:me,"aria-valuemin":h,"aria-valuemax":g,"aria-describedby":H,onBlur:function(e){var t,n;Se(e),ae(!1),null===(n=(t=o).onBlur)||void 0===n||n.call(t,e)},ref:te,onFocus:function(e){var t,n;te.current&&((be.spinningByMouse||le!==y.T.notSpinning)&&xe(),te.current.select(),ae(!0),null===(n=(t=o).onFocus)||void 0===n||n.call(t,e))},onKeyDown:function(e){if(e.which!==m.m.up&&e.which!==m.m.down&&e.which!==m.m.enter||(e.preventDefault(),e.stopPropagation()),n)xe();else{var t=y.T.notSpinning;switch(e.which){case m.m.up:t=y.T.up,ke(we,e);break;case m.m.down:t=y.T.down,ke(Ie,e);break;case m.m.enter:Se(e);break;case m.m.escape:ve(void 0)}le!==t&&ce(t)}},onKeyUp:De,disabled:n,"aria-disabled":n,"data-lpignore":!0,"data-ktp-execute-target":!0},J)),i.createElement("span",{className:_e.arrowButtonsContainer},i.createElement(a.h,(0,r.pi)({styles:b(V,!0,O),className:"ms-UpButton",checked:le===y.T.up,disabled:n,iconProps:B,onMouseDown:Te,onMouseLeave:xe,onMouseUp:xe,tabIndex:-1,ariaLabel:F,"data-is-focusable":!1},X)),i.createElement(a.h,(0,r.pi)({styles:b(V,!1,W),className:"ms-DownButton",checked:le===y.T.down,disabled:n,iconProps:L,onMouseDown:Ee,onMouseLeave:xe,onMouseUp:xe,tabIndex:-1,ariaLabel:A,"data-is-focusable":!1},X)))),R===f.L.bottom&&Me)}));T.displayName="SpinButton";var E=function(e){},P=(0,n.z)(T,(function(e){var t,o,n=e.theme,r=e.className,i=e.labelPosition,a=e.disabled,s=e.isFocused,l=n.palette,c=n.semanticColors,u=n.effects,d=n.fonts,p=c.inputBorder,m=c.inputBackground,g=c.inputBorderHovered,b=c.inputFocusBorderAlt,y=c.inputText,_=l.white,C=c.inputBackgroundChecked,S=c.disabledText;return{root:[d.medium,{outline:"none",width:"100%",minWidth:86},r],labelWrapper:[{display:"inline-flex",alignItems:"center"},i===f.L.start&&{height:32,float:"left",marginRight:10},i===f.L.end&&{height:32,float:"right",marginLeft:10},i===f.L.top&&{marginBottom:-1}],icon:[{padding:"0 5px",fontSize:h.ld.large},a&&{color:S}],label:{pointerEvents:"none",lineHeight:h.ld.large},spinButtonWrapper:[{display:"flex",position:"relative",boxSizing:"border-box",height:32,minWidth:86,selectors:{":after":{pointerEvents:"none",content:"''",position:"absolute",left:0,top:0,bottom:0,right:0,borderWidth:"1px",borderStyle:"solid",borderColor:p,borderRadius:u.roundedCorner2}}},(i===f.L.top||i===f.L.bottom)&&{width:"100%"},!a&&[{selectors:{":hover":{selectors:(t={":after":{borderColor:g}},t[h.qJ]={selectors:{":after":{borderColor:"Highlight"}}},t)}}},s&&{selectors:{"&&":(0,h.$Y)(b,u.roundedCorner2)}}],a&&v(n)],input:["ms-spinButton-input",{boxSizing:"border-box",boxShadow:"none",borderStyle:"none",flex:1,margin:0,fontSize:d.medium.fontSize,fontFamily:"inherit",color:y,backgroundColor:m,height:"100%",padding:"0 8px 0 9px",outline:0,display:"block",minWidth:61,whiteSpace:"nowrap",textOverflow:"ellipsis",overflow:"hidden",cursor:"text",userSelect:"text",borderRadius:u.roundedCorner2+" 0 0 "+u.roundedCorner2},!a&&{selectors:{"::selection":{backgroundColor:C,color:_,selectors:(o={},o[h.qJ]={backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},o)}}},a&&v(n)],arrowButtonsContainer:[{display:"block",height:"100%",cursor:"default"},a&&v(n)]}}),void 0,{scope:"SpinButton"})},998:(e,t,o)=>{"use strict";var n;o.d(t,{T:()=>n}),function(e){e[e.down=-1]="down",e[e.notSpinning=0]="notSpinning",e[e.up=1]="up"}(n||(n={}))},6315:(e,t,o)=>{"use strict";o.d(t,{G:()=>u});var n=o(7622),r=o(7002),i=o(6362),a=o(7300),s=o(8127),l=o(6055),c=(0,a.y)(),u=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.type,o=e.size,a=e.ariaLabel,u=e.ariaLive,d=e.styles,p=e.label,m=e.theme,h=e.className,g=e.labelPosition,f=a,v=(0,s.pq)(this.props,s.n7,["size"]),b=o;void 0===b&&void 0!==t&&(b=t===i.d.large?i.E.large:i.E.medium);var y=c(d,{theme:m,size:b,className:h,labelPosition:g});return r.createElement("div",(0,n.pi)({},v,{className:y.root}),r.createElement("div",{className:y.circle}),p&&r.createElement("div",{className:y.label},p),f&&r.createElement("div",{role:"status","aria-live":u},r.createElement(l.U,null,r.createElement("div",{className:y.screenReaderText},f))))},t.defaultProps={size:i.E.medium,ariaLive:"polite",labelPosition:"bottom"},t}(r.Component)},76:(e,t,o)=>{"use strict";o.d(t,{$:()=>d});var n=o(2002),r=o(6315),i=o(7622),a=o(6362),s=o(9729),l=o(5094),c={root:"ms-Spinner",circle:"ms-Spinner-circle",label:"ms-Spinner-label"},u=(0,l.NF)((function(){return(0,s.F4)({"0%":{transform:"rotate(0deg)"},"100%":{transform:"rotate(360deg)"}})})),d=(0,n.z)(r.G,(function(e){var t,o=e.theme,n=e.size,r=e.className,l=e.labelPosition,d=o.palette,p=(0,s.Cn)(c,o);return{root:[p.root,{display:"flex",flexDirection:"column",alignItems:"center",justifyContent:"center"},"top"===l&&{flexDirection:"column-reverse"},"right"===l&&{flexDirection:"row"},"left"===l&&{flexDirection:"row-reverse"},r],circle:[p.circle,{boxSizing:"border-box",borderRadius:"50%",border:"1.5px solid "+d.themeLight,borderTopColor:d.themePrimary,animationName:u(),animationDuration:"1.3s",animationIterationCount:"infinite",animationTimingFunction:"cubic-bezier(.53,.21,.29,.67)",selectors:(t={},t[s.qJ]=(0,i.pi)({borderTopColor:"Highlight"},(0,s.xM)()),t)},n===a.E.xSmall&&["ms-Spinner--xSmall",{width:12,height:12}],n===a.E.small&&["ms-Spinner--small",{width:16,height:16}],n===a.E.medium&&["ms-Spinner--medium",{width:20,height:20}],n===a.E.large&&["ms-Spinner--large",{width:28,height:28}]],label:[p.label,o.fonts.small,{color:d.themePrimary,margin:"8px 0 0",textAlign:"center"},"top"===l&&{margin:"0 0 8px"},"right"===l&&{margin:"0 0 0 8px"},"left"===l&&{margin:"0 8px 0 0"}],screenReaderText:s.ul}}),void 0,{scope:"Spinner"})},6362:(e,t,o)=>{"use strict";var n,r;o.d(t,{E:()=>n,d:()=>r}),function(e){e[e.xSmall=0]="xSmall",e[e.small=1]="small",e[e.medium=2]="medium",e[e.large=3]="large"}(n||(n={})),function(e){e[e.normal=0]="normal",e[e.large=1]="large"}(r||(r={}))},1565:(e,t,o)=>{"use strict";o.d(t,{t:()=>m});var n=o(7002),r=o(9729),i=o(7300),a=o(5094),s=o(7375),l=o(634),c=o(3608),u=(0,i.y)(),d=function(e){var t;return"ffffff"===(null===(t=(0,s.T)(e))||void 0===t?void 0:t.hex)},p=(0,a.NF)((function(e,t,o,n,i,a,s,l,u){var d=(0,c.W)(e);return(0,r.ZC)({root:["ms-Button",d.root,o,t,s&&["is-checked",d.rootChecked],a&&["is-disabled",d.rootDisabled],!a&&!s&&{selectors:{":hover":d.rootHovered,":focus":d.rootFocused,":active":d.rootPressed}},a&&s&&[d.rootCheckedDisabled],!a&&s&&{selectors:{":hover":d.rootCheckedHovered,":active":d.rootCheckedPressed}}],flexContainer:["ms-Button-flexContainer",d.flexContainer]})})),m=function(e){var t=e.item,o=e.idPrefix,r=void 0===o?e.id:o,i=e.selected,a=void 0!==i&&i,c=e.disabled,m=void 0!==c&&c,h=e.styles,g=e.circle,f=void 0===g||g,v=e.color,b=e.onClick,y=e.onHover,_=e.onFocus,C=e.onMouseEnter,S=e.onMouseMove,x=e.onMouseLeave,k=e.onWheel,w=e.onKeyDown,I=e.height,D=e.width,T=e.borderWidth,E=u(h,{theme:e.theme,disabled:m,selected:a,circle:f,isWhite:d(v),height:I,width:D,borderWidth:T});return n.createElement(l.U,{item:t,id:r+"-"+t.id+"-"+t.index,key:t.id,disabled:m,role:"gridcell",onRenderItem:function(e){var t,o=E.svg;return n.createElement("svg",{className:o,viewBox:"0 0 20 20",fill:null===(t=(0,s.T)(e.color))||void 0===t?void 0:t.str},f?n.createElement("circle",{cx:"50%",cy:"50%",r:"50%"}):n.createElement("rect",{width:"100%",height:"100%"}))},selected:a,onClick:b,onHover:y,onFocus:_,label:t.label,className:E.colorCell,getClassNames:p,index:t.index,onMouseEnter:C,onMouseMove:S,onMouseLeave:x,onWheel:k,onKeyDown:w})}},3624:(e,t,o)=>{"use strict";o.d(t,{h:()=>l});var n=o(2002),r=o(1565),i=o(6145),a=o(9729),s={left:-2,top:-2,bottom:-2,right:-2,border:"none",outlineColor:"ButtonText"},l=(0,n.z)(r.t,(function(e){var t,o,n,r,l,c=e.theme,u=e.disabled,d=e.selected,p=e.circle,m=e.isWhite,h=e.height,g=void 0===h?20:h,f=e.width,v=void 0===f?20:f,b=e.borderWidth,y=c.semanticColors,_=c.palette,C=_.neutralLighter,S=_.neutralLight,x=_.neutralSecondary,k=_.neutralTertiary,w=b||(v<24?2:4);return{colorCell:[(0,a.GL)(c,{inset:-1,position:"relative",highContrastStyle:s}),{backgroundColor:y.bodyBackground,padding:0,position:"relative",boxSizing:"border-box",display:"inline-block",cursor:"pointer",userSelect:"none",borderRadius:0,border:"none",height:g,width:v},!p&&{selectors:(t={},t["."+i.G$+" &:focus::after"]={outlineOffset:w-1+"px"},t)},p&&{borderRadius:"50%",selectors:(o={},o["."+i.G$+" &:focus::after"]={outline:"none",borderColor:y.focusBorder,borderRadius:"50%",left:-w,right:-w,top:-w,bottom:-w,selectors:(n={},n[a.qJ]={outline:"1px solid ButtonText"},n)},o)},d&&{padding:2,border:w+"px solid "+S,selectors:(r={},r["&:hover::before"]={content:'""',height:g,width:v,position:"absolute",top:-w,left:-w,borderRadius:p?"50%":"default",boxShadow:"inset 0 0 0 1px "+x},r)},!d&&{selectors:(l={},l["&:hover, &:active, &:focus"]={backgroundColor:y.bodyBackground,padding:2,border:w+"px solid "+C},l["&:focus"]={borderColor:y.bodyBackground,padding:0,selectors:{":hover":{borderColor:c.palette.neutralLight,padding:2}}},l)},u&&{color:y.disabledBodyText,pointerEvents:"none",opacity:.3},m&&!d&&{backgroundColor:k,padding:1}],svg:[{width:"100%",height:"100%"},p&&{borderRadius:"50%"}]}}),void 0,{scope:"ColorPickerGridCell"},!0)},8621:(e,t,o)=>{"use strict";o.d(t,{_:()=>h});var n=o(7622),r=o(7002),i=o(7300),a=o(8145),s=o(2836),l=o(3624),c=o(4085),u=o(7913),d=o(5646),p=o(6548),m=(0,i.y)(),h=r.forwardRef((function(e,t){var o=(0,c.M)("swatchColorPicker"),i=e.id||o,h=(0,u.B)({isNavigationIdle:!0,cellFocused:!1,navigationIdleTimeoutId:void 0,navigationIdleDelay:250}),g=(0,d.L)(),f=g.setTimeout,v=g.clearTimeout,b=e.colorCells,y=e.cellShape,_=void 0===y?"circle":y,C=e.columnCount,S=e.shouldFocusCircularNavigate,x=void 0===S||S,k=e.className,w=e.disabled,I=void 0!==w&&w,D=e.doNotContainWithinFocusZone,T=e.styles,E=e.cellMargin,P=void 0===E?10:E,M=e.defaultSelectedId,R=e.focusOnHover,N=e.mouseLeaveParentSelector,B=e.onChange,F=e.onColorChanged,L=e.onCellHovered,A=e.onCellFocused,z=e.getColorGridCellStyles,H=e.cellHeight,O=e.cellWidth,W=e.cellBorderWidth,V=r.useMemo((function(){return b.map((function(e,t){return(0,n.pi)((0,n.pi)({},e),{index:t})}))}),[b]),K=r.useCallback((function(e,t){var o,n,r,i=null===(o=b.filter((function(e){return e.id===t}))[0])||void 0===o?void 0:o.color;null===(n=B)||void 0===n||n(e,t,i),null===(r=F)||void 0===r||r(t,i)}),[B,F,b]),q=(0,p.G)(e.selectedId,M,K),G=q[0],U=q[1],j=m(T,{theme:e.theme,className:k,cellMargin:P}),J={root:j.root,tableCell:j.tableCell,focusedContainer:j.focusedContainer},Y=r.useCallback((function(){A&&(h.cellFocused=!1,A())}),[h,A]),Z=r.useCallback((function(e){return R?(h.isNavigationIdle&&!I&&e.currentTarget.focus(),!0):!h.isNavigationIdle||!!I}),[R,h,I]),X=r.useCallback((function(e){if(!R)return!h.isNavigationIdle||!!I;var t=e.currentTarget;return!h.isNavigationIdle||document&&t===document.activeElement||t.focus(),!0}),[R,h,I]),Q=r.useCallback((function(e){var t=N;if(R&&t&&h.isNavigationIdle&&!I)for(var o=document.querySelectorAll(t),n=0;n{"use strict";o.d(t,{U:()=>s});var n=o(2002),r=o(8621),i=o(9729),a={focusedContainer:"ms-swatchColorPickerBodyContainer"},s=(0,n.z)(r._,(function(e){var t=e.className,o=e.theme;return{root:{margin:"8px 0",borderCollapse:"collapse"},tableCell:{padding:e.cellMargin/2},focusedContainer:[(0,i.Cn)(a,o).focusedContainer,{clear:"both",display:"block",minWidth:"180px"},t]}}),void 0,{scope:"SwatchColorPicker"})},5229:(e,t,o)=>{"use strict";o.d(t,{P:()=>C});var n,r=o(7622),i=o(7002),a=o(2052),s=o(9947),l=o(7300),c=o(688),u=o(2167),d=o(2782),p=o(6055),m=o(5301),h=o(687),g=o(3128),f=o(8127),v=o(9757),b=o(5036),y=(0,l.y)(),_="TextField",C=function(e){function t(t){var o=e.call(this,t)||this;o._textElement=i.createRef(),o._onFocus=function(e){o.props.onFocus&&o.props.onFocus(e),o.setState({isFocused:!0},(function(){o.props.validateOnFocusIn&&o._validate(o.value)}))},o._onBlur=function(e){o.props.onBlur&&o.props.onBlur(e),o.setState({isFocused:!1},(function(){o.props.validateOnFocusOut&&o._validate(o.value)}))},o._onRenderLabel=function(e){var t=e.label,n=e.required,r=o._classNames.subComponentStyles?o._classNames.subComponentStyles.label:void 0;return t?i.createElement(a._,{required:n,htmlFor:o._id,styles:r,disabled:e.disabled,id:o._labelId},e.label):null},o._onRenderDescription=function(e){return e.description?i.createElement("span",{className:o._classNames.description},e.description):null},o._onRevealButtonClick=function(e){o.setState((function(e){return{isRevealingPassword:!e.isRevealingPassword}}))},o._onInputChange=function(e){var t,n,r=e.target.value,i=S(o.props,o.state)||"";void 0!==r&&r!==o._lastChangeValue&&r!==i?(o._lastChangeValue=r,null===(n=(t=o.props).onChange)||void 0===n||n.call(t,e,r),o._isControlled||o.setState({uncontrolledValue:r})):o._lastChangeValue=void 0},(0,c.l)(o),o._async=new u.e(o),o._fallbackId=(0,d.z)(_),o._descriptionId=(0,d.z)("TextFieldDescription"),o._labelId=(0,d.z)("TextFieldLabel"),o._warnControlledUsage();var n=t.defaultValue,r=void 0===n?"":n;return"number"==typeof r&&(r=String(r)),o.state={uncontrolledValue:o._isControlled?void 0:r,isFocused:!1,errorMessage:""},o._delayedValidate=o._async.debounce(o._validate,o.props.deferredValidationTime),o._lastValidation=0,o}return(0,r.ZT)(t,e),Object.defineProperty(t.prototype,"value",{get:function(){return S(this.props,this.state)},enumerable:!0,configurable:!0}),t.prototype.componentDidMount=function(){this._adjustInputHeight(),this.props.validateOnLoad&&this._validate(this.value)},t.prototype.componentWillUnmount=function(){this._async.dispose()},t.prototype.getSnapshotBeforeUpdate=function(e,t){return{selection:[this.selectionStart,this.selectionEnd]}},t.prototype.componentDidUpdate=function(e,t,o){var n=this.props,r=(o||{}).selection,i=void 0===r?[null,null]:r,a=i[0],s=i[1];!!e.multiline!=!!n.multiline&&t.isFocused&&(this.focus(),null!==a&&null!==s&&a>=0&&s>=0&&this.setSelectionRange(a,s)),e.value!==n.value&&(this._lastChangeValue=void 0);var l=S(e,t),c=this.value;l!==c&&(this._warnControlledUsage(e),this.state.errorMessage&&!n.errorMessage&&this.setState({errorMessage:""}),this._adjustInputHeight(),x(n)&&this._delayedValidate(c))},t.prototype.render=function(){var e=this.props,t=e.borderless,o=e.className,a=e.disabled,l=e.iconProps,c=e.inputClassName,u=e.label,d=e.multiline,m=e.required,h=e.underlined,g=e.prefix,f=e.resizable,_=e.suffix,C=e.theme,S=e.styles,x=e.autoAdjustHeight,k=e.canRevealPassword,w=e.type,I=e.onRenderPrefix,D=void 0===I?this._onRenderPrefix:I,T=e.onRenderSuffix,E=void 0===T?this._onRenderSuffix:T,P=e.onRenderLabel,M=void 0===P?this._onRenderLabel:P,R=e.onRenderDescription,N=void 0===R?this._onRenderDescription:R,B=this.state,F=B.isFocused,L=B.isRevealingPassword,A=this._errorMessage,z=!!k&&"password"===w&&function(){var e;if("boolean"!=typeof n){var t=(0,v.J)();if(null===(e=t)||void 0===e?void 0:e.navigator){var o=/Edg/.test(t.navigator.userAgent||"");n=!((0,b.f)()||o)}else n=!0}return n}(),H=this._classNames=y(S,{theme:C,className:o,disabled:a,focused:F,required:m,multiline:d,hasLabel:!!u,hasErrorMessage:!!A,borderless:t,resizable:f,hasIcon:!!l,underlined:h,inputClassName:c,autoAdjustHeight:x,hasRevealButton:z});return i.createElement("div",{ref:this.props.elementRef,className:H.root},i.createElement("div",{className:H.wrapper},M(this.props,this._onRenderLabel),i.createElement("div",{className:H.fieldGroup},(void 0!==g||this.props.onRenderPrefix)&&i.createElement("div",{className:H.prefix},D(this.props,this._onRenderPrefix)),d?this._renderTextArea():this._renderInput(),l&&i.createElement(s.J,(0,r.pi)({className:H.icon},l)),z&&i.createElement("button",{className:H.revealButton,onClick:this._onRevealButtonClick,type:"button"},i.createElement("span",{className:H.revealSpan},i.createElement(s.J,{className:H.revealIcon,iconName:L?"Hide":"RedEye"}))),(void 0!==_||this.props.onRenderSuffix)&&i.createElement("div",{className:H.suffix},E(this.props,this._onRenderSuffix)))),this._isDescriptionAvailable&&i.createElement("span",{id:this._descriptionId},N(this.props,this._onRenderDescription),A&&i.createElement("div",{role:"alert"},i.createElement(p.U,null,this._renderErrorMessage()))))},t.prototype.focus=function(){this._textElement.current&&this._textElement.current.focus()},t.prototype.blur=function(){this._textElement.current&&this._textElement.current.blur()},t.prototype.select=function(){this._textElement.current&&this._textElement.current.select()},t.prototype.setSelectionStart=function(e){this._textElement.current&&(this._textElement.current.selectionStart=e)},t.prototype.setSelectionEnd=function(e){this._textElement.current&&(this._textElement.current.selectionEnd=e)},Object.defineProperty(t.prototype,"selectionStart",{get:function(){return this._textElement.current?this._textElement.current.selectionStart:-1},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"selectionEnd",{get:function(){return this._textElement.current?this._textElement.current.selectionEnd:-1},enumerable:!0,configurable:!0}),t.prototype.setSelectionRange=function(e,t){this._textElement.current&&this._textElement.current.setSelectionRange(e,t)},t.prototype._warnControlledUsage=function(e){(0,m.Q)({componentId:this._id,componentName:_,props:this.props,oldProps:e,valueProp:"value",defaultValueProp:"defaultValue",onChangeProp:"onChange",readOnlyProp:"readOnly"}),null!==this.props.value||this._hasWarnedNullValue||(this._hasWarnedNullValue=!0,(0,h.Z)("Warning: 'value' prop on 'TextField' should not be null. Consider using an empty string to clear the component or undefined to indicate an uncontrolled component."))},Object.defineProperty(t.prototype,"_id",{get:function(){return this.props.id||this._fallbackId},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"_isControlled",{get:function(){return(0,g.s)(this.props,"value")},enumerable:!0,configurable:!0}),t.prototype._onRenderPrefix=function(e){var t=e.prefix;return i.createElement("span",{style:{paddingBottom:"1px"}},t)},t.prototype._onRenderSuffix=function(e){var t=e.suffix;return i.createElement("span",{style:{paddingBottom:"1px"}},t)},Object.defineProperty(t.prototype,"_errorMessage",{get:function(){var e=this.props.errorMessage;return(void 0===e?this.state.errorMessage:e)||""},enumerable:!0,configurable:!0}),t.prototype._renderErrorMessage=function(){var e=this._errorMessage;return e?"string"==typeof e?i.createElement("p",{className:this._classNames.errorMessage},i.createElement("span",{"data-automation-id":"error-message"},e)):i.createElement("div",{className:this._classNames.errorMessage,"data-automation-id":"error-message"},e):null},Object.defineProperty(t.prototype,"_isDescriptionAvailable",{get:function(){var e=this.props;return!!(e.onRenderDescription||e.description||this._errorMessage)},enumerable:!0,configurable:!0}),t.prototype._renderTextArea=function(){var e=(0,f.pq)(this.props,f.FI,["defaultValue"]),t=this.props["aria-labelledby"]||(this.props.label?this._labelId:void 0);return i.createElement("textarea",(0,r.pi)({id:this._id},e,{ref:this._textElement,value:this.value||"",onInput:this._onInputChange,onChange:this._onInputChange,className:this._classNames.field,"aria-labelledby":t,"aria-describedby":this._isDescriptionAvailable?this._descriptionId:this.props["aria-describedby"],"aria-invalid":!!this._errorMessage,"aria-label":this.props.ariaLabel,readOnly:this.props.readOnly,onFocus:this._onFocus,onBlur:this._onBlur}))},t.prototype._renderInput=function(){var e,t=(0,f.pq)(this.props,f.Gg,["defaultValue","type"]),o=this.props["aria-labelledby"]||(this.props.label?this._labelId:void 0),n=this.state.isRevealingPassword?"text":null!=(e=this.props.type)?e:"text";return i.createElement("input",(0,r.pi)({type:n,id:this._id,"aria-labelledby":o},t,{ref:this._textElement,value:this.value||"",onInput:this._onInputChange,onChange:this._onInputChange,className:this._classNames.field,"aria-label":this.props.ariaLabel,"aria-describedby":this._isDescriptionAvailable?this._descriptionId:this.props["aria-describedby"],"aria-invalid":!!this._errorMessage,readOnly:this.props.readOnly,onFocus:this._onFocus,onBlur:this._onBlur}))},t.prototype._validate=function(e){var t=this;if(this._latestValidateValue!==e||!x(this.props)){this._latestValidateValue=e;var o=this.props.onGetErrorMessage,n=o&&o(e||"");if(void 0!==n)if("string"!=typeof n&&"then"in n){var r=++this._lastValidation;n.then((function(o){r===t._lastValidation&&t.setState({errorMessage:o}),t._notifyAfterValidate(e,o)}))}else this.setState({errorMessage:n}),this._notifyAfterValidate(e,n);else this._notifyAfterValidate(e,"")}},t.prototype._notifyAfterValidate=function(e,t){e===this.value&&this.props.onNotifyValidationResult&&this.props.onNotifyValidationResult(t,e)},t.prototype._adjustInputHeight=function(){if(this._textElement.current&&this.props.autoAdjustHeight&&this.props.multiline){var e=this._textElement.current;e.style.height="",e.style.height=e.scrollHeight+"px"}},t.defaultProps={resizable:!0,deferredValidationTime:200,validateOnLoad:!0},t}(i.Component);function S(e,t){var o=e.value,n=void 0===o?t.uncontrolledValue:o;return"number"==typeof n?String(n):n}function x(e){return!(e.validateOnFocusIn||e.validateOnFocusOut)}},8623:(e,t,o)=>{"use strict";o.d(t,{n:()=>c});var n=o(2002),r=o(5229),i=o(7622),a=o(9729),s={root:"ms-TextField",description:"ms-TextField-description",errorMessage:"ms-TextField-errorMessage",field:"ms-TextField-field",fieldGroup:"ms-TextField-fieldGroup",prefix:"ms-TextField-prefix",suffix:"ms-TextField-suffix",wrapper:"ms-TextField-wrapper",revealButton:"ms-TextField-reveal",multiline:"ms-TextField--multiline",borderless:"ms-TextField--borderless",underlined:"ms-TextField--underlined",unresizable:"ms-TextField--unresizable",required:"is-required",disabled:"is-disabled",active:"is-active"};function l(e){var t=e.underlined,o=e.disabled,n=e.focused,r=e.theme,i=r.palette,s=r.fonts;return function(){var e;return{root:[t&&o&&{color:i.neutralTertiary},t&&{fontSize:s.medium.fontSize,marginRight:8,paddingLeft:12,paddingRight:0,lineHeight:"22px",height:32},t&&n&&{selectors:(e={},e[a.qJ]={height:31},e)}]}}}var c=(0,n.z)(r.P,(function(e){var t,o,n,r,c,u,d,p,m,h,g,f,v=e.theme,b=e.className,y=e.disabled,_=e.focused,C=e.required,S=e.multiline,x=e.hasLabel,k=e.borderless,w=e.underlined,I=e.hasIcon,D=e.resizable,T=e.hasErrorMessage,E=e.inputClassName,P=e.autoAdjustHeight,M=e.hasRevealButton,R=v.semanticColors,N=v.effects,B=v.fonts,F=(0,a.Cn)(s,v),L={background:R.disabledBackground,color:y?R.disabledText:R.inputPlaceholderText,display:"flex",alignItems:"center",padding:"0 10px",lineHeight:1,whiteSpace:"nowrap",flexShrink:0,selectors:(t={},t[a.qJ]={background:"Window",color:y?"GrayText":"WindowText"},t)},A=[B.medium,{color:R.inputPlaceholderText,opacity:1,selectors:(o={},o[a.qJ]={color:"GrayText"},o)}],z={color:R.disabledText,selectors:(n={},n[a.qJ]={color:"GrayText"},n)};return{root:[F.root,B.medium,C&&F.required,y&&F.disabled,_&&F.active,S&&F.multiline,k&&F.borderless,w&&F.underlined,a.Fv,{position:"relative"},b],wrapper:[F.wrapper,w&&[{display:"flex",borderBottom:"1px solid "+(T?R.errorText:R.inputBorder),width:"100%"},y&&{borderBottomColor:R.disabledBackground,selectors:(r={},r[a.qJ]=(0,i.pi)({borderColor:"GrayText"},(0,a.xM)()),r)},!y&&{selectors:{":hover":{borderBottomColor:T?R.errorText:R.inputBorderHovered,selectors:(c={},c[a.qJ]=(0,i.pi)({borderBottomColor:"Highlight"},(0,a.xM)()),c)}}},_&&[{position:"relative"},(0,a.$Y)(T?R.errorText:R.inputFocusBorderAlt,0,"borderBottom")]]],fieldGroup:[F.fieldGroup,a.Fv,{border:"1px solid "+R.inputBorder,borderRadius:N.roundedCorner2,background:R.inputBackground,cursor:"text",height:32,display:"flex",flexDirection:"row",alignItems:"stretch",position:"relative"},S&&{minHeight:"60px",height:"auto",display:"flex"},!_&&!y&&{selectors:{":hover":{borderColor:R.inputBorderHovered,selectors:(u={},u[a.qJ]=(0,i.pi)({borderColor:"Highlight"},(0,a.xM)()),u)}}},_&&!w&&(0,a.$Y)(T?R.errorText:R.inputFocusBorderAlt,N.roundedCorner2),y&&{borderColor:R.disabledBackground,selectors:(d={},d[a.qJ]=(0,i.pi)({borderColor:"GrayText"},(0,a.xM)()),d),cursor:"default"},k&&{border:"none"},k&&_&&{border:"none",selectors:{":after":{border:"none"}}},w&&{flex:"1 1 0px",border:"none",textAlign:"left"},w&&y&&{backgroundColor:"transparent"},T&&!w&&{borderColor:R.errorText,selectors:{"&:hover":{borderColor:R.errorText}}},!x&&C&&{selectors:(p={":before":{content:"'*'",color:R.errorText,position:"absolute",top:-5,right:-10}},p[a.qJ]={selectors:{":before":{color:"WindowText",right:-14}}},p)}],field:[B.medium,F.field,a.Fv,{borderRadius:0,border:"none",background:"none",backgroundColor:"transparent",color:R.inputText,padding:"0 8px",width:"100%",minWidth:0,textOverflow:"ellipsis",outline:0,selectors:(m={"&:active, &:focus, &:hover":{outline:0},"::-ms-clear":{display:"none"}},m[a.qJ]={background:"Window",color:y?"GrayText":"WindowText"},m)},(0,a.Sv)(A),S&&!D&&[F.unresizable,{resize:"none"}],S&&{minHeight:"inherit",lineHeight:17,flexGrow:1,paddingTop:6,paddingBottom:6,overflow:"auto",width:"100%"},S&&P&&{overflow:"hidden"},I&&!M&&{paddingRight:24},S&&I&&{paddingRight:40},y&&[{backgroundColor:R.disabledBackground,color:R.disabledText,borderColor:R.disabledBackground},(0,a.Sv)(z)],w&&{textAlign:"left"},_&&!k&&{selectors:(h={},h[a.qJ]={paddingLeft:11,paddingRight:11},h)},_&&S&&!k&&{selectors:(g={},g[a.qJ]={paddingTop:4},g)},E],icon:[S&&{paddingRight:24,alignItems:"flex-end"},{pointerEvents:"none",position:"absolute",bottom:6,right:8,top:"auto",fontSize:a.ld.medium,lineHeight:18},y&&{color:R.disabledText}],description:[F.description,{color:R.bodySubtext,fontSize:B.xSmall.fontSize}],errorMessage:[F.errorMessage,a.k4.slideDownIn20,B.small,{color:R.errorText,margin:0,paddingTop:5,display:"flex",alignItems:"center"}],prefix:[F.prefix,L],suffix:[F.suffix,L],revealButton:[F.revealButton,"ms-Button","ms-Button--icon",{height:30,width:32,border:"none",padding:"0px 4px",backgroundColor:"transparent",color:R.link,selectors:{":hover":{outline:0,color:R.primaryButtonBackgroundHovered,backgroundColor:R.buttonBackgroundHovered,selectors:(f={},f[a.qJ]={borderColor:"Highlight",color:"Highlight"},f)},":focus":{outline:0}}},I&&{marginRight:28}],revealSpan:{display:"flex",height:"100%",alignItems:"center"},revealIcon:{margin:"0px 4px",pointerEvents:"none",bottom:6,right:8,top:"auto",fontSize:a.ld.medium,lineHeight:18},subComponentStyles:{label:l(e)}}}),void 0,{scope:"TextField"})},5637:(e,t,o)=>{"use strict";o.d(t,{s:()=>p});var n=o(7622),r=o(7002),i=o(6548),a=o(4085),s=o(7300),l=o(8127),c=o(5480),u=o(2052),d=(0,s.y)(),p=r.forwardRef((function(e,t){var o=e.as,s=void 0===o?"div":o,p=e.ariaLabel,h=e.checked,g=e.className,f=e.defaultChecked,v=void 0!==f&&f,b=e.disabled,y=e.inlineLabel,_=e.label,C=e.offAriaLabel,S=e.offText,x=e.onAriaLabel,k=e.onChange,w=e.onChanged,I=e.onClick,D=e.onText,T=e.role,E=e.styles,P=e.theme,M=(0,i.G)(h,v,r.useCallback((function(e,t){var o,n;null===(o=k)||void 0===o||o(e,t),null===(n=w)||void 0===n||n(t)}),[k,w])),R=M[0],N=M[1],B=d(E,{theme:P,className:g,disabled:b,checked:R,inlineLabel:y,onOffMissing:!D&&!S}),F=R?x:C,L=(0,a.M)("Toggle",e.id),A=L+"-label",z=L+"-stateText",H=R?D:S,O=(0,l.pq)(e,l.Gg,["defaultChecked"]),W=void 0;p||F||(_&&(W=A),H&&(W=W?W+" "+z:z));var V=r.useRef(null);(0,c.P)(V),m(e,R,V);var K={root:{className:B.root,hidden:O.hidden},label:{children:_,className:B.label,htmlFor:L,id:A},container:{className:B.container},pill:(0,n.pi)((0,n.pi)({},O),{"aria-disabled":b,"aria-checked":R,"aria-label":p||F,"aria-labelledby":W,className:B.pill,"data-is-focusable":!0,"data-ktp-target":!0,disabled:b,id:L,onClick:function(e){b||(N(!R),I&&I(e))},ref:V,role:T||"switch",type:"button"}),thumb:{className:B.thumb},stateText:{children:H,className:B.text,htmlFor:L,id:z}};return r.createElement(s,(0,n.pi)({ref:t},K.root),_&&r.createElement(u._,(0,n.pi)({},K.label)),r.createElement("div",(0,n.pi)({},K.container),r.createElement("button",(0,n.pi)({},K.pill),r.createElement("span",(0,n.pi)({},K.thumb))),(R&&D||S)&&r.createElement(u._,(0,n.pi)({},K.stateText))))}));p.displayName="ToggleBase";var m=function(e,t,o){r.useImperativeHandle(e.componentRef,(function(){return{get checked(){return!!t},focus:function(){o.current&&o.current.focus()}}}),[t,o])}},1431:(e,t,o)=>{"use strict";o.d(t,{Z:()=>s});var n=o(2002),r=o(5637),i=o(7622),a=o(9729),s=(0,n.z)(r.s,(function(e){var t,o,n,r,s,l,c,u=e.theme,d=e.className,p=e.disabled,m=e.checked,h=e.inlineLabel,g=e.onOffMissing,f=u.semanticColors,v=u.palette,b=f.bodyBackground,y=f.inputBackgroundChecked,_=f.inputBackgroundCheckedHovered,C=v.neutralDark,S=f.disabledBodySubtext,x=f.smallInputBorder,k=f.inputForegroundChecked,w=f.disabledBodySubtext,I=f.disabledBackground,D=f.smallInputBorder,T=f.inputBorderHovered,E=f.disabledBodySubtext,P=f.disabledText;return{root:["ms-Toggle",m&&"is-checked",!p&&"is-enabled",p&&"is-disabled",u.fonts.medium,{marginBottom:"8px"},h&&{display:"flex",alignItems:"center"},d],label:["ms-Toggle-label",{display:"inline-block"},p&&{color:P,selectors:(t={},t[a.qJ]={color:"GrayText"},t)},h&&!g&&{marginRight:16},g&&h&&{order:1,marginLeft:16},h&&{wordBreak:"break-all"}],container:["ms-Toggle-innerContainer",{display:"flex",position:"relative"}],pill:["ms-Toggle-background",(0,a.GL)(u,{inset:-3}),{fontSize:"20px",boxSizing:"border-box",width:40,height:20,borderRadius:10,transition:"all 0.1s ease",border:"1px solid "+D,background:b,cursor:"pointer",display:"flex",alignItems:"center",padding:"0 3px"},!p&&[!m&&{selectors:{":hover":[{borderColor:T}],":hover .ms-Toggle-thumb":[{backgroundColor:C,selectors:(o={},o[a.qJ]={borderColor:"Highlight"},o)}]}},m&&[{background:y,borderColor:"transparent",justifyContent:"flex-end"},{selectors:(n={":hover":[{backgroundColor:_,borderColor:"transparent",selectors:(r={},r[a.qJ]={backgroundColor:"Highlight"},r)}]},n[a.qJ]=(0,i.pi)({backgroundColor:"Highlight"},(0,a.xM)()),n)}]],p&&[{cursor:"default"},!m&&[{borderColor:E}],m&&[{backgroundColor:S,borderColor:"transparent",justifyContent:"flex-end"}]],!p&&{selectors:{"&:hover":{selectors:(s={},s[a.qJ]={borderColor:"Highlight"},s)}}}],thumb:["ms-Toggle-thumb",{display:"block",width:12,height:12,borderRadius:"50%",transition:"all 0.1s ease",backgroundColor:x,borderColor:"transparent",borderWidth:6,borderStyle:"solid",boxSizing:"border-box"},!p&&m&&[{backgroundColor:k,selectors:(l={},l[a.qJ]={backgroundColor:"Window",borderColor:"Window"},l)}],p&&[!m&&[{backgroundColor:w}],m&&[{backgroundColor:I}]]],text:["ms-Toggle-stateText",{selectors:{"&&":{padding:"0",margin:"0 8px",userSelect:"none",fontWeight:a.lq.regular}}},p&&{selectors:{"&&":{color:P,selectors:(c={},c[a.qJ]={color:"GrayText"},c)}}}]}}),void 0,{scope:"Toggle"})},3860:(e,t,o)=>{"use strict";o.d(t,{P:()=>u});var n=o(7622),r=o(7002),i=o(7300),a=o(8127),s=o(5953),l=o(6628),c=(0,i.y)(),u=function(e){function t(){var t=null!==e&&e.apply(this,arguments)||this;return t._onRenderContent=function(e){return r.createElement("p",{className:t._classNames.subText},e.content)},t}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.className,o=e.calloutProps,i=e.directionalHint,l=e.directionalHintForRTL,u=e.styles,d=e.id,p=e.maxWidth,m=e.onRenderContent,h=void 0===m?this._onRenderContent:m,g=e.targetElement,f=e.theme;return this._classNames=c(u,{theme:f,className:t||o&&o.className,beakWidth:o&&o.beakWidth,gapSpace:o&&o.gapSpace,maxWidth:p}),r.createElement(s.U,(0,n.pi)({target:g,directionalHint:i,directionalHintForRTL:l},o,(0,a.pq)(this.props,a.n7,["id"]),{className:this._classNames.root}),r.createElement("div",{className:this._classNames.content,id:d,role:"tooltip",onMouseEnter:this.props.onMouseEnter,onMouseLeave:this.props.onMouseLeave},h(this.props,this._onRenderContent)))},t.defaultProps={directionalHint:l.b.topCenter,maxWidth:"364px",calloutProps:{isBeakVisible:!0,beakWidth:16,gapSpace:0,setInitialFocus:!0,doNotLayer:!1}},t}(r.Component)},1594:(e,t,o)=>{"use strict";o.d(t,{u:()=>a});var n=o(2002),r=o(3860),i=o(9729),a=(0,n.z)(r.P,(function(e){var t=e.className,o=e.beakWidth,n=void 0===o?16:o,r=e.gapSpace,a=void 0===r?0:r,s=e.maxWidth,l=e.theme,c=l.semanticColors,u=l.fonts,d=l.effects,p=-(Math.sqrt(n*n/2)+a)+1/window.devicePixelRatio;return{root:["ms-Tooltip",l.fonts.medium,i.k4.fadeIn200,{background:c.menuBackground,boxShadow:d.elevation8,padding:"8px",maxWidth:s,selectors:{":after":{content:"''",position:"absolute",bottom:p,left:p,right:p,top:p,zIndex:0}}},t],content:["ms-Tooltip-content",u.small,{position:"relative",zIndex:1,color:c.menuItemText,wordWrap:"break-word",overflowWrap:"break-word",overflow:"hidden"}],subText:["ms-Tooltip-subtext",{fontSize:"inherit",fontWeight:"inherit",color:"inherit",margin:0}]}}),void 0,{scope:"Tooltip"})},1180:(e,t,o)=>{"use strict";var n;o.d(t,{j:()=>n}),function(e){e[e.zero=0]="zero",e[e.medium=1]="medium",e[e.long=2]="long"}(n||(n={}))},154:(e,t,o)=>{"use strict";o.d(t,{Z:()=>y});var n=o(7622),r=o(7002),i=o(9729),a=o(7300),s=o(2782),l=o(6670),c=o(7466),u=o(8145),d=o(688),p=o(2167),m=o(2447),h=o(8127),g=o(3967),f=o(1594),v=o(1180),b=(0,a.y)(),y=function(e){function t(o){var n=e.call(this,o)||this;return n._tooltipHost=r.createRef(),n._defaultTooltipId=(0,s.z)("tooltip"),n.show=function(){n._toggleTooltip(!0)},n.dismiss=function(){n._hideTooltip()},n._getTargetElement=function(){if(n._tooltipHost.current){var e=n.props.overflowMode;if(void 0!==e)switch(e){case g.y.Parent:return n._tooltipHost.current.parentElement;case g.y.Self:return n._tooltipHost.current}return n._tooltipHost.current}},n._onTooltipMouseEnter=function(e){var o=n.props,r=o.overflowMode,i=o.delay;if(t._currentVisibleTooltip&&t._currentVisibleTooltip!==n&&t._currentVisibleTooltip.dismiss(),t._currentVisibleTooltip=n,void 0!==r){var a=n._getTargetElement();if(a&&!(0,l.zS)(a))return}if(!e.target||!(0,c.w)(e.target,n._getTargetElement()))if(n._clearDismissTimer(),n._clearOpenTimer(),i!==v.j.zero){n.setState({isAriaPlaceholderRendered:!0});var s=n._getDelayTime(i);n._openTimerId=n._async.setTimeout((function(){n._toggleTooltip(!0)}),s)}else n._toggleTooltip(!0)},n._onTooltipMouseLeave=function(e){var o=n.props.closeDelay;n._clearDismissTimer(),n._clearOpenTimer(),o?n._dismissTimerId=n._async.setTimeout((function(){n._toggleTooltip(!1)}),o):n._toggleTooltip(!1),t._currentVisibleTooltip===n&&(t._currentVisibleTooltip=void 0)},n._onTooltipKeyDown=function(e){(e.which===u.m.escape||e.ctrlKey)&&n.state.isTooltipVisible&&(n._hideTooltip(),e.stopPropagation())},n._clearDismissTimer=function(){n._async.clearTimeout(n._dismissTimerId)},n._clearOpenTimer=function(){n._async.clearTimeout(n._openTimerId)},n._hideTooltip=function(){n._clearOpenTimer(),n._clearDismissTimer(),n._toggleTooltip(!1)},n._toggleTooltip=function(e){n.state.isTooltipVisible!==e&&n.setState({isAriaPlaceholderRendered:!1,isTooltipVisible:e},(function(){return n.props.onTooltipToggle&&n.props.onTooltipToggle(e)}))},n._getDelayTime=function(e){switch(e){case v.j.medium:return 300;case v.j.long:return 500;default:return 0}},(0,d.l)(n),n.state={isAriaPlaceholderRendered:!1,isTooltipVisible:!1},n._async=new p.e(n),n}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.calloutProps,o=e.children,a=e.content,s=e.directionalHint,l=e.directionalHintForRTL,c=e.hostClassName,u=e.id,d=e.setAriaDescribedBy,p=void 0===d||d,g=e.tooltipProps,v=e.styles,y=e.theme;this._classNames=b(v,{theme:y,className:c});var _=this.state,C=_.isAriaPlaceholderRendered,S=_.isTooltipVisible,x=u||this._defaultTooltipId,k=!!(a||g&&g.onRenderContent&&g.onRenderContent()),w=S&&k,I=p&&S&&k?x:void 0;return r.createElement("div",(0,n.pi)({className:this._classNames.root,ref:this._tooltipHost},{onFocusCapture:this._onTooltipMouseEnter},{onBlurCapture:this._hideTooltip},{onMouseEnter:this._onTooltipMouseEnter,onMouseLeave:this._onTooltipMouseLeave,onKeyDown:this._onTooltipKeyDown,"aria-describedby":I}),o,w&&r.createElement(f.u,(0,n.pi)({id:x,content:a,targetElement:this._getTargetElement(),directionalHint:s,directionalHintForRTL:l,calloutProps:(0,m.f0)({},t,{onDismiss:this._hideTooltip,onMouseEnter:this._onTooltipMouseEnter,onMouseLeave:this._onTooltipMouseLeave}),onMouseEnter:this._onTooltipMouseEnter,onMouseLeave:this._onTooltipMouseLeave},(0,h.pq)(this.props,h.n7),g)),C&&r.createElement("div",{id:x,style:i.ul},a))},t.prototype.componentWillUnmount=function(){t._currentVisibleTooltip&&t._currentVisibleTooltip===this&&(t._currentVisibleTooltip=void 0),this._async.dispose()},t.defaultProps={delay:v.j.medium},t}(r.Component)},5816:(e,t,o)=>{"use strict";o.d(t,{G:()=>s});var n=o(2002),r=o(154),i=o(9729),a={root:"ms-TooltipHost",ariaPlaceholder:"ms-TooltipHost-aria-placeholder"},s=(0,n.z)(r.Z,(function(e){var t=e.className,o=e.theme;return{root:[(0,i.Cn)(a,o).root,{display:"inline"},t]}}),void 0,{scope:"TooltipHost"})},3967:(e,t,o)=>{"use strict";var n;o.d(t,{y:()=>n}),function(e){e[e.Parent=0]="Parent",e[e.Self=1]="Self"}(n||(n={}))},8976:(e,t,o)=>{"use strict";o.d(t,{d:()=>L,Y:()=>A});var n={};o.r(n),o.d(n,{inputDisabled:()=>P,inputFocused:()=>E,pickerInput:()=>M,pickerItems:()=>R,pickerText:()=>T,screenReaderOnly:()=>N});var r=o(7622),i=o(7002),a=o(7300),s=o(2002),l=o(8145),c=o(3345),u=o(688),d=o(2167),p=o(2782),m=o(8088),h=o(2998),g=o(7023),f=o(5953),v=o(3297),b=o(4449),y=o(5238),_=o(6628),C=o(4800),S=o(9729),x={root:"ms-Suggestions",suggestionsContainer:"ms-Suggestions-container",title:"ms-Suggestions-title",forceResolveButton:"ms-forceResolve-button",searchForMoreButton:"ms-SearchMore-button",spinner:"ms-Suggestions-spinner",noSuggestions:"ms-Suggestions-none",suggestionsAvailable:"ms-Suggestions-suggestionsAvailable",isSelected:"is-selected"};function k(e){var t,o=e.className,n=e.suggestionsClassName,i=e.theme,a=e.forceResolveButtonSelected,s=e.searchForMoreButtonSelected,l=i.palette,c=i.semanticColors,u=i.fonts,d=(0,S.Cn)(x,i),p={backgroundColor:"transparent",border:0,cursor:"pointer",margin:0,paddingLeft:8,position:"relative",borderTop:"1px solid "+l.neutralLight,height:40,textAlign:"left",width:"100%",fontSize:u.small.fontSize,selectors:{":hover":{backgroundColor:c.menuItemBackgroundPressed,cursor:"pointer"},":focus, :active":{backgroundColor:l.themeLight},".ms-Button-icon":{fontSize:u.mediumPlus.fontSize,width:25},".ms-Button-label":{margin:"0 4px 0 9px"}}},m={backgroundColor:l.themeLight,selectors:(t={},t[S.qJ]=(0,r.pi)({backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},(0,S.xM)()),t)};return{root:[d.root,{minWidth:260},o],suggestionsContainer:[d.suggestionsContainer,{overflowY:"auto",overflowX:"hidden",maxHeight:300,transform:"translate3d(0,0,0)"},n],title:[d.title,{padding:"0 12px",fontSize:u.small.fontSize,color:l.themePrimary,lineHeight:40,borderBottom:"1px solid "+c.menuItemBackgroundPressed}],forceResolveButton:[d.forceResolveButton,p,a&&[d.isSelected,m]],searchForMoreButton:[d.searchForMoreButton,p,s&&[d.isSelected,m]],noSuggestions:[d.noSuggestions,{textAlign:"center",color:l.neutralSecondary,fontSize:u.small.fontSize,lineHeight:30}],suggestionsAvailable:[d.suggestionsAvailable,S.ul],subComponentStyles:{spinner:{root:[d.spinner,{margin:"5px 0",paddingLeft:14,textAlign:"left",whiteSpace:"nowrap",lineHeight:20,fontSize:u.small.fontSize}],circle:{display:"inline-block",verticalAlign:"middle"},label:{display:"inline-block",verticalAlign:"middle",margin:"0 10px 0 16px"}}}}}var w=o(6920),I=o(7115),D=o(5767);(0,o(4976).RM)([{rawString:".pickerText_9da47ae5{display:-webkit-box;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;-webkit-box-align:center;-ms-flex-align:center;align-items:center;-webkit-box-sizing:border-box;box-sizing:border-box;border:1px solid "},{theme:"neutralTertiary",defaultValue:"#a19f9d"},{rawString:";min-width:180px;min-height:30px}.pickerText_9da47ae5:hover{border-color:"},{theme:"inputBorderHovered",defaultValue:"#323130"},{rawString:"}.pickerText_9da47ae5.inputFocused_9da47ae5{position:relative;border-color:"},{theme:"inputFocusBorderAlt",defaultValue:"#0078d4"},{rawString:"}.pickerText_9da47ae5.inputFocused_9da47ae5:after{pointer-events:none;content:'';position:absolute;left:-1px;top:-1px;bottom:-1px;right:-1px;border:2px solid "},{theme:"inputFocusBorderAlt",defaultValue:"#0078d4"},{rawString:"}@media screen and (-ms-high-contrast:active){.pickerText_9da47ae5.inputDisabled_9da47ae5{position:relative;border-color:GrayText}.pickerText_9da47ae5.inputDisabled_9da47ae5:after{pointer-events:none;content:'';position:absolute;left:0;top:0;bottom:0;right:0;background-color:Window}}.pickerInput_9da47ae5{height:34px;border:none;-webkit-box-flex:1;-ms-flex-positive:1;flex-grow:1;outline:0;padding:0 6px 0;-ms-flex-item-align:end;align-self:flex-end}.pickerItems_9da47ae5{display:-webkit-box;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;max-width:100%}.screenReaderOnly_9da47ae5{position:absolute;width:1px;height:1px;padding:0;margin:-1px;overflow:hidden;clip:rect(0,0,0,0);border:0}"}]);var T="pickerText_9da47ae5",E="inputFocused_9da47ae5",P="inputDisabled_9da47ae5",M="pickerInput_9da47ae5",R="pickerItems_9da47ae5",N="screenReaderOnly_9da47ae5",B=n,F=(0,a.y)(),L=function(e){function t(t){var o,n=e.call(this,t)||this;n.root=i.createRef(),n.input=i.createRef(),n.focusZone=i.createRef(),n.suggestionElement=i.createRef(),n.SuggestionOfProperType=C.D,n._styledSuggestions=(o=n.SuggestionOfProperType,(0,s.z)(o,k,void 0,{scope:"Suggestions"})),n.dismissSuggestions=function(e){var t=function(){var t=!0;n.props.onDismiss&&(t=n.props.onDismiss(e,n.suggestionStore.currentSuggestion?n.suggestionStore.currentSuggestion.item:void 0)),(!e||e&&!e.defaultPrevented)&&!1!==t&&n.canAddItems()&&n.suggestionStore.hasSelectedSuggestion()&&n.state.suggestedDisplayValue&&n.addItemByIndex(0)};n.currentPromise?n.currentPromise.then((function(){return t()})):t(),n.setState({suggestionsVisible:!1})},n.refocusSuggestions=function(e){n.resetFocus(),n.suggestionStore.suggestions&&n.suggestionStore.suggestions.length>0&&(e===l.m.up?n.suggestionStore.setSelectedSuggestion(n.suggestionStore.suggestions.length-1):e===l.m.down&&n.suggestionStore.setSelectedSuggestion(0))},n.onInputChange=function(e){n.updateValue(e),n.setState({moreSuggestionsAvailable:!0,isMostRecentlyUsedVisible:!1})},n.onSuggestionClick=function(e,t,o){n.addItemByIndex(o)},n.onSuggestionRemove=function(e,t,o){n.props.onRemoveSuggestion&&n.props.onRemoveSuggestion(t),n.suggestionStore.removeSuggestion(o)},n.onInputFocus=function(e){n.selection.setAllSelected(!1),n.state.isFocused||(n.setState({isFocused:!0}),n._userTriggeredSuggestions(),n.props.inputProps&&n.props.inputProps.onFocus&&n.props.inputProps.onFocus(e))},n.onInputBlur=function(e){n.props.inputProps&&n.props.inputProps.onBlur&&n.props.inputProps.onBlur(e)},n.onBlur=function(e){if(n.state.isFocused){var t=e.relatedTarget;null===e.relatedTarget&&(t=document.activeElement),t&&!(0,c.t)(n.root.current,t)&&(n.setState({isFocused:!1}),n.props.onBlur&&n.props.onBlur(e))}},n.onClick=function(e){void 0!==n.props.inputProps&&void 0!==n.props.inputProps.onClick&&n.props.inputProps.onClick(e),0===e.button&&n._userTriggeredSuggestions()},n.onKeyDown=function(e){var t=e.which;switch(t){case l.m.escape:n.state.suggestionsVisible&&(n.setState({suggestionsVisible:!1}),e.preventDefault(),e.stopPropagation());break;case l.m.tab:case l.m.enter:n.suggestionElement.current&&n.suggestionElement.current.hasSuggestedActionSelected()?n.suggestionElement.current.executeSelectedAction():!e.shiftKey&&n.suggestionStore.hasSelectedSuggestion()&&n.state.suggestionsVisible?(n.completeSuggestion(),e.preventDefault(),e.stopPropagation()):n._completeGenericSuggestion();break;case l.m.backspace:n.props.disabled||n.onBackspace(e),e.stopPropagation();break;case l.m.del:n.props.disabled||(n.input.current&&e.target===n.input.current.inputElement&&n.state.suggestionsVisible&&-1!==n.suggestionStore.currentIndex?(n.props.onRemoveSuggestion&&n.props.onRemoveSuggestion(n.suggestionStore.currentSuggestion.item),n.suggestionStore.removeSuggestion(n.suggestionStore.currentIndex),n.forceUpdate()):n.onBackspace(e)),e.stopPropagation();break;case l.m.up:n.input.current&&e.target===n.input.current.inputElement&&n.state.suggestionsVisible&&(n.suggestionElement.current&&n.suggestionElement.current.tryHandleKeyDown(t,n.suggestionStore.currentIndex)?(e.preventDefault(),e.stopPropagation(),n.forceUpdate()):n.suggestionElement.current&&n.suggestionElement.current.hasSuggestedAction()&&0===n.suggestionStore.currentIndex?(e.preventDefault(),e.stopPropagation(),n.suggestionElement.current.focusAboveSuggestions(),n.suggestionStore.deselectAllSuggestions(),n.forceUpdate()):n.suggestionStore.previousSuggestion()&&(e.preventDefault(),e.stopPropagation(),n.onSuggestionSelect()));break;case l.m.down:n.input.current&&e.target===n.input.current.inputElement&&n.state.suggestionsVisible&&(n.suggestionElement.current&&n.suggestionElement.current.tryHandleKeyDown(t,n.suggestionStore.currentIndex)?(e.preventDefault(),e.stopPropagation(),n.forceUpdate()):n.suggestionElement.current&&n.suggestionElement.current.hasSuggestedAction()&&n.suggestionStore.currentIndex+1===n.suggestionStore.suggestions.length?(e.preventDefault(),e.stopPropagation(),n.suggestionElement.current.focusBelowSuggestions(),n.suggestionStore.deselectAllSuggestions(),n.forceUpdate()):n.suggestionStore.nextSuggestion()&&(e.preventDefault(),e.stopPropagation(),n.onSuggestionSelect()))}},n.onItemChange=function(e,t){var o=n.state.items;if(t>=0){var r=o;r[t]=e,n._updateSelectedItems(r)}},n.onGetMoreResults=function(){n.setState({isSearching:!0},(function(){if(n.props.onGetMoreResults&&n.input.current){var e=n.props.onGetMoreResults(n.input.current.value,n.state.items),t=e,o=e;Array.isArray(t)?(n.updateSuggestions(t),n.setState({isSearching:!1})):o.then&&o.then((function(e){n.updateSuggestions(e),n.setState({isSearching:!1})}))}else n.setState({isSearching:!1});n.input.current&&n.input.current.focus(),n.setState({moreSuggestionsAvailable:!1,isResultsFooterVisible:!0})}))},n.completeSelection=function(e){n.addItem(e),n.updateValue(""),n.input.current&&n.input.current.clear(),n.setState({suggestionsVisible:!1})},n.addItemByIndex=function(e){n.completeSelection(n.suggestionStore.getSuggestionAtIndex(e).item)},n.addItem=function(e){var t=n.props.onItemSelected?n.props.onItemSelected(e):e;if(null!==t){var o=t,r=t;if(r&&r.then)r.then((function(e){var t=n.state.items.concat([e]);n._updateSelectedItems(t)}));else{var i=n.state.items.concat([o]);n._updateSelectedItems(i)}n.setState({suggestedDisplayValue:""})}},n.removeItem=function(e,t){var o=n.state.items,r=o.indexOf(e);if(r>=0){var i=o.slice(0,r).concat(o.slice(r+1));n._updateSelectedItems(i)}},n.removeItems=function(e){var t=n.state.items.filter((function(t){return-1===e.indexOf(t)}));n._updateSelectedItems(t)},n._shouldFocusZoneEnterInnerZone=function(e){if(n.state.suggestionsVisible)switch(e.which){case l.m.up:case l.m.down:return!0}return e.which===l.m.enter},n._onResolveSuggestions=function(e){var t=n.props.onResolveSuggestions(e,n.state.items);null!==t&&n.updateSuggestionsList(t,e)},n._completeGenericSuggestion=function(){if(n.props.onValidateInput&&n.input.current&&n.props.onValidateInput(n.input.current.value)!==I.Y.invalid&&n.props.createGenericItem){var e=n.props.createGenericItem(n.input.current.value,n.props.onValidateInput(n.input.current.value));n.suggestionStore.createGenericSuggestion(e),n.completeSuggestion()}},n._userTriggeredSuggestions=function(){if(!n.state.suggestionsVisible){var e=n.input.current?n.input.current.value:"";e?0===n.suggestionStore.suggestions.length?n._onResolveSuggestions(e):n.setState({isMostRecentlyUsedVisible:!1,suggestionsVisible:!0}):n.onEmptyInputFocus()}},(0,u.l)(n),n._async=new d.e(n);var r=t.selectedItems||t.defaultSelectedItems||[];return n._id=(0,p.z)(),n._ariaMap={selectedItems:"selected-items-"+n._id,selectedSuggestionAlert:"selected-suggestion-alert-"+n._id,suggestionList:"suggestion-list-"+n._id,combobox:"combobox-"+n._id},n.suggestionStore=new w.Z,n.selection=new v.Y({onSelectionChanged:function(){return n.onSelectionChange()}}),n.selection.setItems(r),n.state={items:r,suggestedDisplayValue:"",isMostRecentlyUsedVisible:!1,moreSuggestionsAvailable:!1,isFocused:!1,isSearching:!1,selectedIndices:[]},n}return(0,r.ZT)(t,e),t.getDerivedStateFromProps=function(e){return e.selectedItems?{items:e.selectedItems}:null},Object.defineProperty(t.prototype,"items",{get:function(){return this.state.items},enumerable:!0,configurable:!0}),t.prototype.componentDidMount=function(){this.selection.setItems(this.state.items),this._onResolveSuggestions=this._async.debounce(this._onResolveSuggestions,this.props.resolveDelay)},t.prototype.componentDidUpdate=function(e,t){if(this.state.items&&this.state.items!==t.items){var o=this.selection.getSelectedIndices()[0];this.selection.setItems(this.state.items),this.state.isFocused&&this.state.items.length0?"listbox":"dialog"},this.getSuggestionsAlert(_.screenReaderText),i.createElement(b.i,{selection:this.selection,selectionMode:y.oW.multiple},i.createElement("div",{className:_.text,role:"presentation"},n.length>0&&i.createElement("span",{id:this._ariaMap.selectedItems,className:_.itemsWrapper,role:"list"},this.renderItems()),this.canAddItems()&&i.createElement(D.G,(0,r.pi)({spellCheck:!1},l,{className:_.input,componentRef:this.input,onClick:this.onClick,onFocus:this.onInputFocus,onBlur:this.onInputBlur,onInputValueChange:this.onInputChange,suggestedDisplayValue:t,"aria-describedby":n.length>0?this._ariaMap.selectedItems:void 0,"aria-controls":f+" "+p||void 0,"aria-activedescendant":this.getActiveDescendant(),"aria-labelledby":this.props["aria-label"]?this._ariaMap.combobox:void 0,role:"textbox",disabled:c,onInputChange:this.props.onInputChange}))))),this.renderSuggestions())},t.prototype.canAddItems=function(){var e=this.state.items,t=this.props.itemLimit;return void 0===t||e.length=0){var o=this.root.current&&this.root.current.querySelectorAll("[data-selection-index]")[Math.min(e,t.length-1)];o&&this.focusZone.current&&this.focusZone.current.focusElement(o)}else this.canAddItems()?this.input.current&&this.input.current.focus():this.resetFocus(t.length-1)},t.prototype.onSuggestionSelect=function(){if(this.suggestionStore.currentSuggestion){var e=this.input.current?this.input.current.value:"",t=this._getTextFromItem(this.suggestionStore.currentSuggestion.item,e);this.setState({suggestedDisplayValue:t})}},t.prototype.onSelectionChange=function(){this.setState({selectedIndices:this.selection.getSelectedIndices()})},t.prototype.updateSuggestions=function(e){this.suggestionStore.updateSuggestions(e,0),this.forceUpdate()},t.prototype.onEmptyInputFocus=function(){var e=this.props.onEmptyResolveSuggestions?this.props.onEmptyResolveSuggestions:this.props.onEmptyInputFocus;if(e){var t=e(this.state.items);this.updateSuggestionsList(t),this.setState({isMostRecentlyUsedVisible:!0,suggestionsVisible:!0,moreSuggestionsAvailable:!1})}},t.prototype.updateValue=function(e){this._onResolveSuggestions(e)},t.prototype.updateSuggestionsList=function(e,t){var o=this,n=e,r=e;if(Array.isArray(n))this._updateAndResolveValue(t,n);else if(r&&r.then){this.setState({suggestionsLoading:!0}),this.suggestionStore.updateSuggestions([]),void 0!==t?this.setState({suggestionsVisible:this._getShowSuggestions()}):this.setState({suggestionsVisible:this.input.current&&this.input.current.inputElement===document.activeElement});var i=this.currentPromise=r;i.then((function(e){i===o.currentPromise&&o._updateAndResolveValue(t,e)}))}},t.prototype.resolveNewValue=function(e,t){var o=this;this.updateSuggestions(t);var n=void 0;this.suggestionStore.currentSuggestion&&(n=this._getTextFromItem(this.suggestionStore.currentSuggestion.item,e)),this.setState({suggestedDisplayValue:n,suggestionsVisible:this._getShowSuggestions()},(function(){return o.setState({suggestionsLoading:!1})}))},t.prototype.onChange=function(e){this.props.onChange&&this.props.onChange(e)},t.prototype.onBackspace=function(e){(this.state.items.length&&!this.input.current||this.input.current&&!this.input.current.isValueSelected&&0===this.input.current.cursorLocation)&&(this.selection.getSelectedCount()>0?this.removeItems(this.selection.getSelection()):this.removeItem(this.state.items[this.state.items.length-1]))},t.prototype.getActiveDescendant=function(){if(!this.state.suggestionsLoading){var e=this.suggestionStore.currentIndex;return e<0&&this.suggestionElement.current&&this.suggestionElement.current.hasSuggestedAction()?"sug-selectedAction":e>-1&&!this.state.suggestionsLoading?"sug-"+e:void 0}},t.prototype.getSuggestionsAlert=function(e){void 0===e&&(e=B.screenReaderOnly);var t=this.suggestionStore.currentIndex;if(this.props.enableSelectedSuggestionAlert){var o=t>-1?this.suggestionStore.getSuggestionAtIndex(this.suggestionStore.currentIndex):void 0,n=o?o.ariaLabel:void 0;return i.createElement("div",{className:e,role:"alert",id:this._ariaMap.selectedSuggestionAlert,"aria-live":"assertive"},n," ")}},t.prototype._updateAndResolveValue=function(e,t){void 0!==e?this.resolveNewValue(e,t):(this.suggestionStore.updateSuggestions(t,-1),this.state.suggestionsLoading&&this.setState({suggestionsLoading:!1}))},t.prototype._updateSelectedItems=function(e){var t=this;this.props.selectedItems?this.onChange(e):this.setState({items:e},(function(){t._onSelectedItemsUpdated(e)}))},t.prototype._onSelectedItemsUpdated=function(e){this.onChange(e)},t.prototype._getShowSuggestions=function(){return void 0!==this.input.current&&null!==this.input.current&&this.input.current.inputElement===document.activeElement&&""!==this.input.current.value},t.prototype._getTextFromItem=function(e,t){return this.props.getTextFromItem?this.props.getTextFromItem(e,t):""},t}(i.Component),A=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,r.ZT)(t,e),t.prototype.render=function(){var e=this.state,t=e.suggestedDisplayValue,o=e.isFocused,n=this.props,a=n.className,s=n.inputProps,l=n.disabled,c=n.theme,u=n.styles,d=this.props.enableSelectedSuggestionAlert?this._ariaMap.selectedSuggestionAlert:"",p=this.state.suggestionsVisible?this._ariaMap.suggestionList:"",f=u?F(u,{theme:c,className:a,isFocused:o,inputClassName:s&&s.className}):{root:(0,m.i)("ms-BasePicker",a||""),text:(0,m.i)("ms-BasePicker-text",B.pickerText,this.state.isFocused&&B.inputFocused,l&&B.inputDisabled),itemsWrapper:B.pickerItems,input:(0,m.i)("ms-BasePicker-input",B.pickerInput,s&&s.className),screenReaderText:B.screenReaderOnly};return i.createElement("div",{ref:this.root,onBlur:this.onBlur},i.createElement("div",{className:f.root,onKeyDown:this.onKeyDown},this.getSuggestionsAlert(f.screenReaderText),i.createElement("div",{className:f.text,"aria-owns":p||void 0,"aria-expanded":!!this.state.suggestionsVisible,"aria-haspopup":p&&this.suggestionStore.suggestions.length>0?"listbox":"dialog",role:"combobox"},i.createElement(D.G,(0,r.pi)({},s,{className:f.input,componentRef:this.input,onFocus:this.onInputFocus,onBlur:this.onInputBlur,onClick:this.onClick,onInputValueChange:this.onInputChange,suggestedDisplayValue:t,"aria-activedescendant":this.getActiveDescendant(),role:"textbox",disabled:l,"aria-controls":p+" "+d||void 0,onInputChange:this.props.onInputChange})))),this.renderSuggestions(),i.createElement(b.i,{selection:this.selection,selectionMode:y.oW.single},i.createElement(h.k,{componentRef:this.focusZone,className:"ms-BasePicker-selectedItems",isCircularNavigation:!0,direction:g.U.bidirectional,shouldEnterInnerZone:this._shouldFocusZoneEnterInnerZone,id:this._ariaMap.selectedItems,role:"list"},this.renderItems())))},t.prototype.onBackspace=function(e){},t}(L)},9378:(e,t,o)=>{"use strict";o.d(t,{W:()=>i});var n=o(9729),r={root:"ms-BasePicker",text:"ms-BasePicker-text",itemsWrapper:"ms-BasePicker-itemsWrapper",input:"ms-BasePicker-input"};function i(e){var t,o=e.className,i=e.theme,a=e.isFocused,s=e.inputClassName,l=e.disabled;if(!i)throw new Error("theme is undefined or null in base BasePicker getStyles function.");var c=i.semanticColors,u=i.effects,d=i.fonts,p=c.inputBorder,m=c.inputBorderHovered,h=c.inputFocusBorderAlt,g=(0,n.Cn)(r,i),f="rgba(218, 218, 218, 0.29)";return{root:[g.root,o],text:[g.text,{display:"flex",position:"relative",flexWrap:"wrap",alignItems:"center",boxSizing:"border-box",minWidth:180,minHeight:30,border:"1px solid "+p,borderRadius:u.roundedCorner2},!a&&!l&&{selectors:{":hover":{borderColor:m}}},a&&!l&&(0,n.$Y)(h,u.roundedCorner2),l&&{borderColor:f,selectors:(t={":after":{content:'""',position:"absolute",top:0,right:0,bottom:0,left:0,background:f}},t[n.qJ]={borderColor:"GrayText",selectors:{":after":{background:"none"}}},t)}],itemsWrapper:[g.itemsWrapper,{display:"flex",flexWrap:"wrap",maxWidth:"100%"}],input:[g.input,d.medium,{height:30,border:"none",flexGrow:1,outline:"none",padding:"0 6px 0",alignSelf:"flex-end",borderRadius:u.roundedCorner2,backgroundColor:"transparent",color:c.inputText,selectors:{"::-ms-clear":{display:"none"}}},s],screenReaderText:n.ul}}},7115:(e,t,o)=>{"use strict";var n;o.d(t,{Y:()=>n}),function(e){e[e.valid=0]="valid",e[e.warning=1]="warning",e[e.invalid=2]="invalid"}(n||(n={}))},9318:(e,t,o)=>{"use strict";o.d(t,{UM:()=>m,Aj:()=>h,fK:()=>g,eT:()=>f,XF:()=>v,IV:()=>b,cA:()=>y,V1:()=>_,CV:()=>C});var n=o(7622),r=o(7002),i=o(6104),a=o(5951),s=o(2002),l=o(8976),c=o(7115),u=o(4885),d=o(2535),p=o(9378),m=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t}(l.d),h=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t}(l.Y),g=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.defaultProps={onRenderItem:function(e){return r.createElement(u.A,(0,n.pi)({},e))},onRenderSuggestionsItem:function(e,t){return r.createElement(d.E,{personaProps:e,suggestionsProps:t})},createGenericItem:b},t}(m),f=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.defaultProps={onRenderItem:function(e){return r.createElement(u.A,(0,n.pi)({},e))},onRenderSuggestionsItem:function(e,t){return r.createElement(d.E,{personaProps:e,suggestionsProps:t,compact:!0})},createGenericItem:b},t}(m),v=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.defaultProps={onRenderItem:function(e){return r.createElement(u.A,(0,n.pi)({},e))},onRenderSuggestionsItem:function(e,t){return r.createElement(d.E,{personaProps:e,suggestionsProps:t})},createGenericItem:b},t}(h);function b(e,t){var o={key:e,primaryText:e,imageInitials:"!",ValidationState:t};return t!==c.Y.warning&&(o.imageInitials=(0,i.Q)(e,(0,a.zg)())),o}var y=(0,s.z)(g,p.W,void 0,{scope:"NormalPeoplePicker"}),_=(0,s.z)(f,p.W,void 0,{scope:"CompactPeoplePicker"}),C=(0,s.z)(v,p.W,void 0,{scope:"ListPeoplePickerBase"})},4885:(e,t,o)=>{"use strict";o.d(t,{A:()=>v,u:()=>f});var n=o(7622),r=o(7002),i=o(7300),a=o(2782),s=o(2002),l=o(7665),c=o(7481),u=o(5758),d=o(7115),p=o(9729),m=o(2657),h={root:"ms-PickerPersona-container",itemContent:"ms-PickerItem-content",removeButton:"ms-PickerItem-removeButton",isSelected:"is-selected",isInvalid:"is-invalid"},g=(0,i.y)(),f=function(e){var t=e.item,o=e.onRemoveItem,i=e.index,s=e.selected,p=e.removeButtonAriaLabel,m=e.styles,h=e.theme,f=e.className,v=e.disabled,b=(0,a.z)(),y=g(m,{theme:h,className:f,selected:s,disabled:v,invalid:t.ValidationState===d.Y.warning}),_=y.subComponentStyles?y.subComponentStyles.persona:void 0,C=y.subComponentStyles?y.subComponentStyles.personaCoin:void 0;return r.createElement("div",{className:y.root,"data-is-focusable":!v,"data-is-sub-focuszone":!0,"data-selection-index":i,role:"listitem","aria-labelledby":"selectedItemPersona-"+b},r.createElement("div",{className:y.itemContent,id:"selectedItemPersona-"+b},r.createElement(l.I,(0,n.pi)({size:c.Ir.size24,styles:_,coinProps:{styles:C}},t))),r.createElement(u.h,{onClick:o,disabled:v,iconProps:{iconName:"Cancel",styles:{root:{fontSize:"12px"}}},className:y.removeButton,ariaLabel:p}))},v=(0,s.z)(f,(function(e){var t,o,r,i,a,s,l,c=e.className,u=e.theme,d=e.selected,g=e.invalid,f=e.disabled,v=u.palette,b=u.semanticColors,y=u.fonts,_=(0,p.Cn)(h,u),C=[d&&!g&&!f&&{color:v.white,selectors:(t={":hover":{color:v.white}},t[p.qJ]={color:"HighlightText"},t)},(g&&!d||g&&d&&f)&&{color:v.redDark,borderBottom:"2px dotted "+v.redDark,selectors:(o={},o["."+_.root+":hover &"]={color:v.redDark},o)},g&&d&&!f&&{color:v.white,borderBottom:"2px dotted "+v.white},f&&{selectors:(r={},r[p.qJ]={color:"GrayText"},r)}],S=[g&&{fontSize:y.xLarge.fontSize}];return{root:[_.root,(0,p.GL)(u,{inset:-2}),{borderRadius:15,display:"inline-flex",alignItems:"center",background:v.neutralLighter,margin:"1px 2px",cursor:"default",userSelect:"none",maxWidth:300,verticalAlign:"middle",minWidth:0,selectors:(i={":hover":{background:d||f?"":v.neutralLight}},i[p.qJ]=[{border:"1px solid WindowText"},f&&{borderColor:"GrayText"}],i)},d&&!f&&[_.isSelected,{background:v.themePrimary,selectors:(a={},a[p.qJ]=(0,n.pi)({borderColor:"HighLight",background:"Highlight"},(0,p.xM)()),a)}],g&&[_.isInvalid],g&&d&&!f&&{background:v.redDark},c],itemContent:[_.itemContent,{flex:"0 1 auto",minWidth:0,maxWidth:"100%",overflow:"hidden"}],removeButton:[_.removeButton,{borderRadius:15,color:v.neutralPrimary,flex:"0 0 auto",width:24,height:24,selectors:{":hover":{background:v.neutralTertiaryAlt,color:v.neutralDark}}},d&&[{color:v.white,selectors:(s={":hover":{color:v.white,background:v.themeDark},":active":{color:v.white,background:v.themeDarker}},s[p.qJ]={color:"HighlightText"},s)},g&&{selectors:{":hover":{background:v.red},":active":{background:v.redDark}}}],f&&{selectors:(l={},l["."+m.n.msButtonIcon]={color:b.buttonText},l)}],subComponentStyles:{persona:{primaryText:C},personaCoin:{initials:S}}}}),void 0,{scope:"PeoplePickerItem"})},2535:(e,t,o)=>{"use strict";o.d(t,{E:()=>h,R:()=>m});var n=o(7622),r=o(7002),i=o(7300),a=o(2002),s=o(7665),l=o(7481),c=o(9729),u=o(4010),d={root:"ms-PeoplePicker-personaContent",personaWrapper:"ms-PeoplePicker-Persona"},p=(0,i.y)(),m=function(e){var t=e.personaProps,o=e.suggestionsProps,i=e.compact,a=e.styles,c=e.theme,u=e.className,d=p(a,{theme:c,className:o&&o.suggestionsItemClassName||u}),m=d.subComponentStyles&&d.subComponentStyles.persona?d.subComponentStyles.persona:void 0;return r.createElement("div",{className:d.root},r.createElement(s.I,(0,n.pi)({size:l.Ir.size24,styles:m,className:d.personaWrapper,showSecondaryText:!i},t)))},h=(0,a.z)(m,(function(e){var t,o,n,r=e.className,i=e.theme,a=(0,c.Cn)(d,i),s={selectors:(t={},t["."+u.k.isSuggested+" &"]={selectors:(o={},o[c.qJ]={color:"HighlightText"},o)},t["."+a.root+":hover &"]={selectors:(n={},n[c.qJ]={color:"HighlightText"},n)},t)};return{root:[a.root,{width:"100%",padding:"4px 12px"},r],personaWrapper:[a.personaWrapper,{width:180}],subComponentStyles:{persona:{primaryText:s,secondaryText:s}}}}),void 0,{scope:"PeoplePickerItemSuggestion"})},4800:(e,t,o)=>{"use strict";o.d(t,{D:()=>y});var n=o(7622),r=o(7002),i=o(7300),a=o(2002),s=o(8145),l=o(688),c=o(8088),u=o(990),d=o(76),p=o(3945),m=o(9862),h=o(7420),g=o(4010),f=o(8463),v=(0,i.y)(),b=(0,a.z)(h.S,g.W,void 0,{scope:"SuggestionItem"}),y=function(e){function t(t){var o=e.call(this,t)||this;return o._forceResolveButton=r.createRef(),o._searchForMoreButton=r.createRef(),o._selectedElement=r.createRef(),o.tryHandleKeyDown=function(e,t){var n=!1,r=null,i=o.state.selectedActionType,a=o.props.suggestions.length;if(e===s.m.down)switch(i){case m.L.forceResolve:a>0?(o._refocusOnSuggestions(e),r=m.L.none):r=o._searchForMoreButton.current?m.L.searchMore:m.L.forceResolve;break;case m.L.searchMore:o._forceResolveButton.current?r=m.L.forceResolve:a>0?(o._refocusOnSuggestions(e),r=m.L.none):r=m.L.searchMore;break;case m.L.none:-1===t&&o._forceResolveButton.current&&(r=m.L.forceResolve)}else if(e===s.m.up)switch(i){case m.L.forceResolve:o._searchForMoreButton.current?r=m.L.searchMore:a>0&&(o._refocusOnSuggestions(e),r=m.L.none);break;case m.L.searchMore:a>0?(o._refocusOnSuggestions(e),r=m.L.none):o._forceResolveButton.current&&(r=m.L.forceResolve);break;case m.L.none:-1===t&&o._searchForMoreButton.current&&(r=m.L.searchMore)}return null!==r&&(o.setState({selectedActionType:r}),n=!0),n},o._getAlertText=function(){var e=o.props,t=e.isLoading,n=e.isSearching,r=e.suggestions,i=e.suggestionsAvailableAlertText,a=e.noResultsFoundText;if(!t&&!n){if(r.length>0)return i||"";if(a)return a}return""},o._getMoreResults=function(){o.props.onGetMoreResults&&o.props.onGetMoreResults()},o._forceResolve=function(){o.props.createGenericItem&&o.props.createGenericItem()},o._shouldShowForceResolve=function(){return!!o.props.showForceResolve&&o.props.showForceResolve()},o._onClickTypedSuggestionsItem=function(e,t){return function(n){o.props.onSuggestionClick(n,e,t)}},o._refocusOnSuggestions=function(e){"function"==typeof o.props.refocusSuggestions&&o.props.refocusSuggestions(e)},o._onRemoveTypedSuggestionsItem=function(e,t){return function(n){(0,o.props.onSuggestionRemove)(n,e,t),n.stopPropagation()}},(0,l.l)(o),o.state={selectedActionType:m.L.none},o}return(0,n.ZT)(t,e),t.prototype.componentDidMount=function(){this.scrollSelected(),this.activeSelectedElement=this._selectedElement?this._selectedElement.current:null},t.prototype.componentDidUpdate=function(){this._selectedElement.current&&this.activeSelectedElement!==this._selectedElement.current&&(this.scrollSelected(),this.activeSelectedElement=this._selectedElement.current)},t.prototype.render=function(){var e,t,o=this,i=this.props,a=i.forceResolveText,s=i.mostRecentlyUsedHeaderText,l=i.searchForMoreText,h=i.className,g=i.moreSuggestionsAvailable,b=i.noResultsFoundText,y=i.suggestions,_=i.isLoading,C=i.isSearching,S=i.loadingText,x=i.onRenderNoResultFound,k=i.searchingText,w=i.isMostRecentlyUsedVisible,I=i.resultsMaximumNumber,D=i.resultsFooterFull,T=i.resultsFooter,E=i.isResultsFooterVisible,P=void 0===E||E,M=i.suggestionsHeaderText,R=i.suggestionsClassName,N=i.theme,B=i.styles,F=i.suggestionsListId;this._classNames=B?v(B,{theme:N,className:h,suggestionsClassName:R,forceResolveButtonSelected:this.state.selectedActionType===m.L.forceResolve,searchForMoreButtonSelected:this.state.selectedActionType===m.L.searchMore}):{root:(0,c.i)("ms-Suggestions",h,f.root),title:(0,c.i)("ms-Suggestions-title",f.suggestionsTitle),searchForMoreButton:(0,c.i)("ms-SearchMore-button",f.actionButton,(e={},e["is-selected "+f.buttonSelected]=this.state.selectedActionType===m.L.searchMore,e)),forceResolveButton:(0,c.i)("ms-forceResolve-button",f.actionButton,(t={},t["is-selected "+f.buttonSelected]=this.state.selectedActionType===m.L.forceResolve,t)),suggestionsAvailable:(0,c.i)("ms-Suggestions-suggestionsAvailable",f.suggestionsAvailable),suggestionsContainer:(0,c.i)("ms-Suggestions-container",f.suggestionsContainer,R),noSuggestions:(0,c.i)("ms-Suggestions-none",f.suggestionsNone)};var L=this._classNames.subComponentStyles?this._classNames.subComponentStyles.spinner:void 0,A=B?{styles:L}:{className:(0,c.i)("ms-Suggestions-spinner",f.suggestionsSpinner)},z=function(){return b?r.createElement("div",{className:o._classNames.noSuggestions},b):null},H=M;w&&s&&(H=s);var O=void 0;P&&(O=y.length>=I?D:T);var W=!(y&&y.length||_),V=W||_?{role:"dialog",id:F}:{},K=this.state.selectedActionType===m.L.forceResolve?"sug-selectedAction":void 0,q=this.state.selectedActionType===m.L.searchMore?"sug-selectedAction":void 0;return r.createElement("div",(0,n.pi)({className:this._classNames.root},V),r.createElement(p.O,{message:this._getAlertText(),"aria-live":"polite"}),H?r.createElement("div",{className:this._classNames.title},H):null,a&&this._shouldShowForceResolve()&&r.createElement(u.M,{componentRef:this._forceResolveButton,className:this._classNames.forceResolveButton,id:K,onClick:this._forceResolve,"data-automationid":"sug-forceResolve"},a),_&&r.createElement(d.$,(0,n.pi)({},A,{label:S})),W?x?x(void 0,z):z():this._renderSuggestions(),l&&g&&r.createElement(u.M,{componentRef:this._searchForMoreButton,className:this._classNames.searchForMoreButton,iconProps:{iconName:"Search"},id:q,onClick:this._getMoreResults,"data-automationid":"sug-searchForMore"},l),C?r.createElement(d.$,(0,n.pi)({},A,{label:k})):null,!O||g||w||C?null:r.createElement("div",{className:this._classNames.title},O(this.props)))},t.prototype.hasSuggestedAction=function(){return!!this._searchForMoreButton.current||!!this._forceResolveButton.current},t.prototype.hasSuggestedActionSelected=function(){return this.state.selectedActionType!==m.L.none},t.prototype.executeSelectedAction=function(){switch(this.state.selectedActionType){case m.L.forceResolve:this._forceResolve();break;case m.L.searchMore:this._getMoreResults()}},t.prototype.focusAboveSuggestions=function(){this._forceResolveButton.current?this.setState({selectedActionType:m.L.forceResolve}):this._searchForMoreButton.current&&this.setState({selectedActionType:m.L.searchMore})},t.prototype.focusBelowSuggestions=function(){this._searchForMoreButton.current?this.setState({selectedActionType:m.L.searchMore}):this._forceResolveButton.current&&this.setState({selectedActionType:m.L.forceResolve})},t.prototype.focusSearchForMoreButton=function(){this._searchForMoreButton.current&&this._searchForMoreButton.current.focus()},t.prototype.scrollSelected=function(){this._selectedElement.current&&void 0!==this._selectedElement.current.scrollIntoView&&this._selectedElement.current.scrollIntoView(!1)},t.prototype._renderSuggestions=function(){var e=this,t=this.props,o=t.onRenderSuggestion,n=t.removeSuggestionAriaLabel,i=t.suggestionsItemClassName,a=t.resultsMaximumNumber,s=t.showRemoveButtons,l=t.suggestionsContainerAriaLabel,c=t.suggestionsListId,u=this.props.suggestions,d=b,p=-1;return u.some((function(e,t){return!!e.selected&&(p=t,!0)})),a&&(u=p>=a?u.slice(p-a+1,p+1):u.slice(0,a)),0===u.length?null:r.createElement("div",{className:this._classNames.suggestionsContainer,id:c,role:"listbox","aria-label":l},u.map((function(t,a){return r.createElement("div",{ref:t.selected?e._selectedElement:void 0,key:t.item.key?t.item.key:a},r.createElement(d,{suggestionModel:t,RenderSuggestion:o,onClick:e._onClickTypedSuggestionsItem(t.item,a),className:i,showRemoveButton:s,removeButtonAriaLabel:n,onRemoveItem:e._onRemoveTypedSuggestionsItem(t.item,a),id:"sug-"+a}))})))},t}(r.Component)},8463:(e,t,o)=>{"use strict";o.r(t),o.d(t,{root:()=>n,suggestionsItem:()=>r,closeButton:()=>i,suggestionsItemIsSuggested:()=>a,itemButton:()=>s,actionButton:()=>l,buttonSelected:()=>c,suggestionsTitle:()=>u,suggestionsContainer:()=>d,suggestionsNone:()=>p,suggestionsSpinner:()=>m,suggestionsAvailable:()=>h}),(0,o(4976).RM)([{rawString:".root_744a4167{min-width:260px}.suggestionsItem_744a4167{display:-webkit-box;display:-ms-flexbox;display:flex;-webkit-box-align:stretch;-ms-flex-align:stretch;align-items:stretch;-webkit-box-sizing:border-box;box-sizing:border-box;width:100%;position:relative;overflow:hidden}.suggestionsItem_744a4167:hover{background:"},{theme:"neutralLighter",defaultValue:"#f3f2f1"},{rawString:"}.suggestionsItem_744a4167:hover .closeButton_744a4167{display:block}.suggestionsItem_744a4167.suggestionsItemIsSuggested_744a4167{background:"},{theme:"neutralLight",defaultValue:"#edebe9"},{rawString:"}.suggestionsItem_744a4167.suggestionsItemIsSuggested_744a4167:hover{background:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c6c4"},{rawString:"}@media screen and (-ms-high-contrast:active){.suggestionsItem_744a4167.suggestionsItemIsSuggested_744a4167:hover{background:Highlight;color:HighlightText}}@media screen and (-ms-high-contrast:active){.suggestionsItem_744a4167.suggestionsItemIsSuggested_744a4167{background:Highlight;color:HighlightText;-ms-high-contrast-adjust:none}}.suggestionsItem_744a4167.suggestionsItemIsSuggested_744a4167 .closeButton_744a4167:hover{background:"},{theme:"neutralTertiary",defaultValue:"#a19f9d"},{rawString:";color:"},{theme:"neutralPrimary",defaultValue:"#323130"},{rawString:"}@media screen and (-ms-high-contrast:active){.suggestionsItem_744a4167.suggestionsItemIsSuggested_744a4167 .itemButton_744a4167{color:HighlightText}}.suggestionsItem_744a4167 .closeButton_744a4167{display:none;color:"},{theme:"neutralSecondary",defaultValue:"#605e5c"},{rawString:"}.suggestionsItem_744a4167 .closeButton_744a4167:hover{background:"},{theme:"neutralLight",defaultValue:"#edebe9"},{rawString:"}.actionButton_744a4167{background-color:transparent;border:0;cursor:pointer;margin:0;position:relative;border-top:1px solid "},{theme:"neutralLight",defaultValue:"#edebe9"},{rawString:";height:40px;width:100%;font-size:12px}[dir=ltr] .actionButton_744a4167{padding-left:8px}[dir=rtl] .actionButton_744a4167{padding-right:8px}html[dir=ltr] .actionButton_744a4167{text-align:left}html[dir=rtl] .actionButton_744a4167{text-align:right}.actionButton_744a4167:hover{background-color:"},{theme:"neutralLight",defaultValue:"#edebe9"},{rawString:";cursor:pointer}.actionButton_744a4167:active,.actionButton_744a4167:focus{background-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:"}.actionButton_744a4167 .ms-Button-icon{font-size:16px;width:25px}.actionButton_744a4167 .ms-Button-label{margin:0 4px 0 9px}html[dir=rtl] .actionButton_744a4167 .ms-Button-label{margin:0 9px 0 4px}.buttonSelected_744a4167{background-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:"}.suggestionsTitle_744a4167{padding:0 12px;color:"},{theme:"themePrimary",defaultValue:"#0078d4"},{rawString:";font-size:12px;line-height:40px;border-bottom:1px solid "},{theme:"neutralLight",defaultValue:"#edebe9"},{rawString:"}.suggestionsContainer_744a4167{overflow-y:auto;overflow-x:hidden;max-height:300px;border-bottom:1px solid "},{theme:"neutralLight",defaultValue:"#edebe9"},{rawString:"}.suggestionsNone_744a4167{text-align:center;color:#797775;font-size:12px;line-height:30px}.suggestionsSpinner_744a4167{margin:5px 0;white-space:nowrap;line-height:20px;font-size:12px}html[dir=ltr] .suggestionsSpinner_744a4167{padding-left:14px}html[dir=rtl] .suggestionsSpinner_744a4167{padding-right:14px}html[dir=ltr] .suggestionsSpinner_744a4167{text-align:left}html[dir=rtl] .suggestionsSpinner_744a4167{text-align:right}.suggestionsSpinner_744a4167 .ms-Spinner-circle{display:inline-block;vertical-align:middle}.suggestionsSpinner_744a4167 .ms-Spinner-label{display:inline-block;margin:0 10px 0 16px;vertical-align:middle}html[dir=rtl] .suggestionsSpinner_744a4167 .ms-Spinner-label{margin:0 16px 0 10px}.itemButton_744a4167.itemButton_744a4167{width:100%;padding:0;min-width:0;height:100%}@media screen and (-ms-high-contrast:active){.itemButton_744a4167.itemButton_744a4167{color:WindowText}}.itemButton_744a4167.itemButton_744a4167:hover{color:"},{theme:"neutralDark",defaultValue:"#201f1e"},{rawString:"}.closeButton_744a4167.closeButton_744a4167{padding:0 4px;height:auto;width:32px}@media screen and (-ms-high-contrast:active){.closeButton_744a4167.closeButton_744a4167{color:WindowText}}.closeButton_744a4167.closeButton_744a4167:hover{background:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c6c4"},{rawString:";color:"},{theme:"neutralDark",defaultValue:"#201f1e"},{rawString:"}.suggestionsAvailable_744a4167{position:absolute;width:1px;height:1px;padding:0;margin:-1px;overflow:hidden;clip:rect(0,0,0,0);border:0}"}]);var n="root_744a4167",r="suggestionsItem_744a4167",i="closeButton_744a4167",a="suggestionsItemIsSuggested_744a4167",s="itemButton_744a4167",l="actionButton_744a4167",c="buttonSelected_744a4167",u="suggestionsTitle_744a4167",d="suggestionsContainer_744a4167",p="suggestionsNone_744a4167",m="suggestionsSpinner_744a4167",h="suggestionsAvailable_744a4167"},9862:(e,t,o)=>{"use strict";var n;o.d(t,{L:()=>n}),function(e){e[e.none=0]="none",e[e.forceResolve=1]="forceResolve",e[e.searchMore=2]="searchMore"}(n||(n={}))},6920:(e,t,o)=>{"use strict";o.d(t,{Z:()=>n});var n=function(){function e(){var e=this;this._isSuggestionModel=function(e){return void 0!==e.item},this._ensureSuggestionModel=function(t){return e._isSuggestionModel(t)?t:{item:t,selected:!1,ariaLabel:t.name||t.primaryText}},this.suggestions=[],this.currentIndex=-1}return e.prototype.updateSuggestions=function(e,t){e&&e.length>0?(this.suggestions=this.convertSuggestionsToSuggestionItems(e),this.currentIndex=t||0,-1===t?this.currentSuggestion=void 0:void 0!==t&&(this.suggestions[t].selected=!0,this.currentSuggestion=this.suggestions[t])):(this.suggestions=[],this.currentIndex=-1,this.currentSuggestion=void 0)},e.prototype.nextSuggestion=function(){if(this.suggestions&&this.suggestions.length){if(this.currentIndex0)return this.setSelectedSuggestion(this.currentIndex-1),!0;if(0===this.currentIndex)return this.setSelectedSuggestion(this.suggestions.length-1),!0}return!1},e.prototype.getSuggestions=function(){return this.suggestions},e.prototype.getCurrentItem=function(){return this.currentSuggestion},e.prototype.getSuggestionAtIndex=function(e){return this.suggestions[e]},e.prototype.hasSelectedSuggestion=function(){return!!this.currentSuggestion},e.prototype.removeSuggestion=function(e){this.suggestions.splice(e,1)},e.prototype.createGenericSuggestion=function(e){var t=this.convertSuggestionsToSuggestionItems([e])[0];this.currentSuggestion=t},e.prototype.convertSuggestionsToSuggestionItems=function(e){return Array.isArray(e)?e.map(this._ensureSuggestionModel):[]},e.prototype.deselectAllSuggestions=function(){this.currentIndex>-1&&(this.suggestions[this.currentIndex].selected=!1,this.currentIndex=-1)},e.prototype.setSelectedSuggestion=function(e){e>this.suggestions.length-1||e<0?(this.currentIndex=0,this.currentSuggestion.selected=!1,this.currentSuggestion=this.suggestions[0],this.currentSuggestion.selected=!0):(this.currentIndex>-1&&(this.suggestions[this.currentIndex].selected=!1),this.suggestions[e].selected=!0,this.currentIndex=e,this.currentSuggestion=this.suggestions[e])},e}()},7420:(e,t,o)=>{"use strict";o.d(t,{S:()=>p});var n=o(7622),r=o(7002),i=o(7300),a=o(688),s=o(8088),l=o(990),c=o(5758),u=o(8463),d=(0,i.y)(),p=function(e){function t(t){var o=e.call(this,t)||this;return(0,a.l)(o),o}return(0,n.ZT)(t,e),t.prototype.render=function(){var e,t=this.props,o=t.suggestionModel,n=t.RenderSuggestion,i=t.onClick,a=t.className,p=t.id,m=t.onRemoveItem,h=t.isSelectedOverride,g=t.removeButtonAriaLabel,f=t.styles,v=t.theme,b=f?d(f,{theme:v,className:a,suggested:o.selected||h}):{root:(0,s.i)("ms-Suggestions-item",u.suggestionsItem,(e={},e["is-suggested "+u.suggestionsItemIsSuggested]=o.selected||h,e),a),itemButton:(0,s.i)("ms-Suggestions-itemButton",u.itemButton),closeButton:(0,s.i)("ms-Suggestions-closeButton",u.closeButton)};return r.createElement("div",{className:b.root},r.createElement(l.M,{onClick:i,className:b.itemButton,id:p,"aria-selected":o.selected,role:"option","aria-label":o.ariaLabel},n(o.item,this.props)),this.props.showRemoveButton?r.createElement(c.h,{iconProps:{iconName:"Cancel",styles:{root:{fontSize:"12px"}}},title:g,ariaLabel:g,onClick:m,className:b.closeButton}):null)},t}(r.Component)},4010:(e,t,o)=>{"use strict";o.d(t,{k:()=>a,W:()=>s});var n=o(7622),r=o(9729),i=o(6145),a={root:"ms-Suggestions-item",itemButton:"ms-Suggestions-itemButton",closeButton:"ms-Suggestions-closeButton",isSuggested:"is-suggested"};function s(e){var t,o,s,l,c,u,d=e.className,p=e.theme,m=e.suggested,h=p.palette,g=p.semanticColors,f=(0,r.Cn)(a,p);return{root:[f.root,{display:"flex",alignItems:"stretch",boxSizing:"border-box",width:"100%",position:"relative",selectors:{"&:hover":{background:g.menuItemBackgroundHovered},"&:hover .ms-Suggestions-closeButton":{display:"block"}}},m&&{selectors:(t={},t["."+i.G$+" &"]={selectors:(o={},o["."+f.closeButton]={display:"block",background:g.menuItemBackgroundPressed},o)},t[":after"]={pointerEvents:"none",content:'""',position:"absolute",left:0,top:0,bottom:0,right:0,border:"1px solid "+p.semanticColors.focusBorder},t)},d],itemButton:[f.itemButton,{width:"100%",padding:0,border:"none",height:"100%",minWidth:0,overflow:"hidden",selectors:(s={},s[r.qJ]={color:"WindowText",selectors:{":hover":(0,n.pi)({background:"Highlight",color:"HighlightText"},(0,r.xM)())}},s[":hover"]={color:g.menuItemTextHovered},s)},m&&[f.isSuggested,{background:g.menuItemBackgroundPressed,selectors:(l={":hover":{background:g.menuDivider}},l[r.qJ]=(0,n.pi)({background:"Highlight",color:"HighlightText"},(0,r.xM)()),l)}]],closeButton:[f.closeButton,{display:"none",color:h.neutralSecondary,padding:"0 4px",height:"auto",width:32,selectors:(c={":hover, :active":{background:h.neutralTertiaryAlt,color:h.neutralDark}},c[r.qJ]={color:"WindowText"},c)},m&&(u={},u["."+i.G$+" &"]={selectors:{":hover, :active":{background:h.neutralTertiary}}},u.selectors={":hover, :active":{background:h.neutralTertiary,color:h.neutralPrimary}},u)]}}},6826:(e,t,o)=>{"use strict";o.r(t),o.d(t,{ActionButton:()=>_e.K,ActivityItem:()=>S,AnimationClassNames:()=>u.k4,AnimationDirection:()=>Be.s,AnimationStyles:()=>u.Ic,AnimationVariables:()=>u.D1,Announced:()=>k.O,AnnouncedBase:()=>w.d,Async:()=>bo.e,AutoScroll:()=>Ws,Autofill:()=>x.G,BaseButton:()=>ve.Y,BaseComponent:()=>Ie.H,BaseExtendedPeoplePicker:()=>na,BaseExtendedPicker:()=>ta,BaseFloatingPeoplePicker:()=>Ba,BaseFloatingPicker:()=>Ra,BasePeoplePicker:()=>wl.UM,BasePeopleSelectedItemsList:()=>Bc,BasePicker:()=>xl.d,BasePickerListBelow:()=>xl.Y,BaseSelectedItemsList:()=>fc,BaseSlots:()=>np,Breadcrumb:()=>fe,BreadcrumbBase:()=>ue,Button:()=>xe,ButtonGrid:()=>Me._,ButtonGridCell:()=>Re.U,ButtonType:()=>ne,COACHMARK_ATTRIBUTE_NAME:()=>xt,Calendar:()=>Ne.f,Callout:()=>Ae.U,CalloutContent:()=>ze.N,CalloutContentBase:()=>He.H,Check:()=>je,CheckBase:()=>qe,Checkbox:()=>Je.X,CheckboxBase:()=>Ye.A,CheckboxVisibility:()=>un,ChoiceGroup:()=>Ze.F,ChoiceGroupBase:()=>Xe.q,ChoiceGroupOption:()=>Qe.c,Coachmark:()=>Dt,CoachmarkBase:()=>wt,CollapseAllVisibility:()=>zo,ColorClassNames:()=>u.JJ,ColorPicker:()=>go.z,ColorPickerBase:()=>fo.T,ColorPickerGridCell:()=>qu.h,ColorPickerGridCellBase:()=>Gu.t,ColumnActionsMode:()=>an,ColumnDragEndLocation:()=>ln,ComboBox:()=>vo.C,CommandBar:()=>qo,CommandBarBase:()=>Ko,CommandBarButton:()=>ke.Q,CommandButton:()=>we.M,CommunicationColors:()=>vd,CompactPeoplePicker:()=>wl.V1,CompactPeoplePickerBase:()=>wl.eT,CompoundButton:()=>Ce.W,ConstrainMode:()=>sn,ContextualMenu:()=>Go.r,ContextualMenuBase:()=>Uo.MK,ContextualMenuItem:()=>Jo.W,ContextualMenuItemBase:()=>Yo.b,ContextualMenuItemType:()=>jo.n,Customizations:()=>Du.X,Customizer:()=>wp.N,CustomizerContext:()=>Iu.i,DATAKTP_ARIA_TARGET:()=>hs.A4,DATAKTP_EXECUTE_TARGET:()=>hs.ms,DATAKTP_TARGET:()=>hs.fV,DATA_IS_SCROLLABLE_ATTRIBUTE:()=>yo.c6,DATA_PORTAL_ATTRIBUTE:()=>Fp.Y,DAYS_IN_WEEK:()=>Le.NA,DEFAULT_CELL_STYLE_PROPS:()=>hn,DEFAULT_MASK_CHAR:()=>gd,DEFAULT_ROW_HEIGHTS:()=>gn,DatePicker:()=>Xo.M,DatePickerBase:()=>Qo.R,DateRangeType:()=>Le.NU,DayOfWeek:()=>Le.eO,DefaultButton:()=>ye.a,DefaultEffects:()=>u.rN,DefaultFontStyles:()=>u.ir,DefaultPalette:()=>u.UK,DefaultSpacing:()=>wd.C,DelayedRender:()=>Us.U,Depths:()=>kd.N,DetailsColumnBase:()=>En,DetailsHeader:()=>Hn,DetailsHeaderBase:()=>Bn,DetailsList:()=>xr,DetailsListBase:()=>br,DetailsListLayoutMode:()=>cn,DetailsRow:()=>Gn,DetailsRowBase:()=>Kn,DetailsRowCheck:()=>In,DetailsRowFields:()=>On,DetailsRowGlobalClassNames:()=>mn,Dialog:()=>ni,DialogBase:()=>ti,DialogContent:()=>Xr,DialogContentBase:()=>Yr,DialogFooter:()=>Ur,DialogFooterBase:()=>qr,DialogType:()=>Cr,DirectionalHint:()=>K.b,DocumentCard:()=>mi,DocumentCardActions:()=>vi,DocumentCardActivity:()=>_i,DocumentCardDetails:()=>ki,DocumentCardImage:()=>Li,DocumentCardLocation:()=>Di,DocumentCardLogo:()=>Ki,DocumentCardPreview:()=>Mi,DocumentCardStatus:()=>ji,DocumentCardTitle:()=>Hi,DocumentCardType:()=>ri,DragDropHelper:()=>Dn,Dropdown:()=>Ji.L,DropdownBase:()=>Yi.P,DropdownMenuItemType:()=>Zi.F,EdgeChromiumHighContrastSelector:()=>u.Ox,ElementType:()=>oe,EventGroup:()=>at.r,ExpandingCard:()=>ja,ExpandingCardBase:()=>Ua,ExpandingCardMode:()=>Va,ExtendedPeoplePicker:()=>ra,ExtendedSelectedItem:()=>Ec,Fabric:()=>ia.P,FabricBase:()=>aa.d,FabricPerformance:()=>fp,FabricSlots:()=>rp,Facepile:()=>ha,FacepileBase:()=>pa,FirstWeekOfYear:()=>Le.On,FloatingPeoplePicker:()=>Fa,FluentTheme:()=>Vd,FocusRects:()=>B.u,FocusTrapCallout:()=>We,FocusTrapZone:()=>Oe.P,FocusZone:()=>M.k,FocusZoneDirection:()=>R.U,FocusZoneTabbableElements:()=>R.J,FontClassNames:()=>u.yV,FontIcon:()=>Ve.xu,FontSizes:()=>u.TS,FontWeights:()=>u.lq,GlobalSettings:()=>vp.D,GroupFooter:()=>ir,GroupHeader:()=>$n,GroupShowAll:()=>or,GroupSpacer:()=>pn,GroupedList:()=>dr,GroupedListBase:()=>ur,GroupedListSection:()=>ar,HEX_REGEX:()=>Tt.lX,HighContrastSelector:()=>u.qJ,HighContrastSelectorBlack:()=>u.$v,HighContrastSelectorWhite:()=>u.bO,HoverCard:()=>es,HoverCardBase:()=>$a,HoverCardType:()=>Oa,Icon:()=>W.J,IconBase:()=>ts.A,IconButton:()=>V.h,IconFontSizes:()=>u.ld,IconType:()=>os.T,Image:()=>Ti.E,ImageBase:()=>is.v,ImageCoverStyle:()=>as.yZ,ImageFit:()=>as.kQ,ImageIcon:()=>ns.X,ImageLoadState:()=>as.U9,InjectionMode:()=>u.qS,IsFocusVisibleClassName:()=>de.G$,KTP_ARIA_SEPARATOR:()=>hs.Tc,KTP_FULL_PREFIX:()=>hs.L7,KTP_LAYER_ID:()=>hs.nK,KTP_PREFIX:()=>hs.ww,KTP_SEPARATOR:()=>hs.by,KeyCodes:()=>rt.m,KeyboardSpinDirection:()=>fu.T,Keytip:()=>ps,KeytipData:()=>ms.a,KeytipEvents:()=>hs.Tj,KeytipLayer:()=>Es,KeytipLayerBase:()=>Ts,KeytipManager:()=>Bo.K,Label:()=>Ns._,LabelBase:()=>Rs.E,Layer:()=>dt.m,LayerBase:()=>Ls.s,LayerHost:()=>zs,Link:()=>O,LinkBase:()=>A,List:()=>Eo,ListPeoplePicker:()=>wl.CV,ListPeoplePickerBase:()=>wl.XF,LocalizedFontFamilies:()=>Od.II,LocalizedFontNames:()=>Od.Qm,MAX_COLOR_ALPHA:()=>Tt.c5,MAX_COLOR_HUE:()=>Tt.a_,MAX_COLOR_RGB:()=>Tt.uc,MAX_COLOR_RGBA:()=>Tt.WC,MAX_COLOR_SATURATION:()=>Tt.fr,MAX_COLOR_VALUE:()=>Tt.uw,MAX_HEX_LENGTH:()=>Tt.fG,MAX_RGBA_LENGTH:()=>Tt.jU,MIN_HEX_LENGTH:()=>Tt.yE,MIN_RGBA_LENGTH:()=>Tt.HT,MarqueeSelection:()=>Gs,MaskedTextField:()=>fd,MeasuredContext:()=>Z,MemberListPeoplePicker:()=>wl.Aj,MessageBar:()=>il,MessageBarBase:()=>$s,MessageBarButton:()=>Ee,MessageBarType:()=>Bs,Modal:()=>Wr,ModalBase:()=>Or,MonthOfYear:()=>Le.m2,MotionAnimations:()=>xd,MotionDurations:()=>Cd,MotionTimings:()=>Sd,Nav:()=>dl,NavBase:()=>ul,NeutralColors:()=>bd,NormalPeoplePicker:()=>wl.cA,NormalPeoplePickerBase:()=>wl.fK,OpenCardMode:()=>Ha,OverflowButtonType:()=>oa,OverflowSet:()=>Oo,OverflowSetBase:()=>Ao,Overlay:()=>Ir.a,OverlayBase:()=>pl.R,Panel:()=>ml.s,PanelBase:()=>hl.P,PanelType:()=>gl.w,PeoplePickerItem:()=>Il.A,PeoplePickerItemBase:()=>Il.u,PeoplePickerItemSuggestion:()=>Dl.E,PeoplePickerItemSuggestionBase:()=>Dl.R,Persona:()=>ua.I,PersonaBase:()=>fl.R,PersonaCoin:()=>_.t,PersonaCoinBase:()=>vl.z,PersonaInitialsColor:()=>C.z5,PersonaPresence:()=>C.H_,PersonaSize:()=>C.Ir,Pivot:()=>Xl,PivotBase:()=>Ul,PivotItem:()=>Vl,PivotLinkFormat:()=>jl,PivotLinkSize:()=>Jl,PlainCard:()=>Xa,PlainCardBase:()=>Za,Popup:()=>Dr.G,Position:()=>lt.L,PositioningContainer:()=>bt,PrimaryButton:()=>Se.K,ProgressIndicator:()=>nc,ProgressIndicatorBase:()=>$l,PulsingBeaconAnimationStyles:()=>u.a1,RGBA_REGEX:()=>Tt.Xb,Rating:()=>rc.i,RatingBase:()=>ic.x,RatingSize:()=>ac.O,Rectangle:()=>bp.A,RectangleEdge:()=>lt.z,ResizeGroup:()=>re,ResizeGroupBase:()=>te,ResizeGroupDirection:()=>z,ResponsiveMode:()=>Er.eD,SELECTION_CHANGE:()=>on.F5,ScreenWidthMaxLarge:()=>u.P$,ScreenWidthMaxMedium:()=>u.yp,ScreenWidthMaxSmall:()=>u.mV,ScreenWidthMaxXLarge:()=>u.yO,ScreenWidthMaxXXLarge:()=>u.CQ,ScreenWidthMinLarge:()=>u.AV,ScreenWidthMinMedium:()=>u.dd,ScreenWidthMinSmall:()=>u.QQ,ScreenWidthMinUhfMobile:()=>u.bE,ScreenWidthMinXLarge:()=>u.qv,ScreenWidthMinXXLarge:()=>u.B,ScreenWidthMinXXXLarge:()=>u.F1,ScrollToMode:()=>xo,ScrollablePane:()=>pc,ScrollablePaneBase:()=>dc,ScrollablePaneContext:()=>cc,ScrollbarVisibility:()=>lc,SearchBox:()=>mc.R,SearchBoxBase:()=>hc.i,SelectAllVisibility:()=>wn,SelectableOptionMenuItemType:()=>Zi.F,SelectedPeopleList:()=>Fc,Selection:()=>nn.Y,SelectionDirection:()=>on.a$,SelectionMode:()=>on.oW,SelectionZone:()=>rn.i,SemanticColorSlots:()=>ip,Separator:()=>zc,SeparatorBase:()=>Ac,Shade:()=>Yt,SharedColors:()=>yd,Shimmer:()=>cu,ShimmerBase:()=>lu,ShimmerCircle:()=>tu,ShimmerCircleBase:()=>eu,ShimmerElementType:()=>Hc,ShimmerElementsDefaultHeights:()=>Oc,ShimmerElementsGroup:()=>au,ShimmerElementsGroupBase:()=>nu,ShimmerGap:()=>Xc,ShimmerGapBase:()=>Yc,ShimmerLine:()=>jc,ShimmerLineBase:()=>Gc,ShimmeredDetailsList:()=>pu,ShimmeredDetailsListBase:()=>du,Slider:()=>mu.i,SliderBase:()=>hu.V,SpinButton:()=>gu.k,Spinner:()=>Yn.$,SpinnerBase:()=>vu.G,SpinnerSize:()=>bu.E,SpinnerType:()=>bu.d,Stack:()=>Hu,StackItem:()=>Nu,Sticky:()=>Ou,StickyPositionType:()=>Pu,Stylesheet:()=>u.Ye,SuggestionActionType:()=>Cl.L,SuggestionItemType:()=>_a,Suggestions:()=>_l.D,SuggestionsControl:()=>Pa,SuggestionsController:()=>Sl.Z,SuggestionsCore:()=>ya,SuggestionsHeaderFooterItem:()=>Ea,SuggestionsItem:()=>fa.S,SuggestionsStore:()=>Aa,SwatchColorPicker:()=>Vu.U,SwatchColorPickerBase:()=>Ku._,TagItem:()=>Nl,TagItemBase:()=>Rl,TagItemSuggestion:()=>Al,TagItemSuggestionBase:()=>Ll,TagPicker:()=>Hl,TagPickerBase:()=>zl,TeachingBubble:()=>nd,TeachingBubbleBase:()=>od,TeachingBubbleContent:()=>$u,TeachingBubbleContentBase:()=>ju,Text:()=>ad,TextField:()=>sd.n,TextFieldBase:()=>ld.P,TextStyles:()=>id,TextView:()=>rd,ThemeContext:()=>qd,ThemeGenerator:()=>sp,ThemeProvider:()=>op,ThemeSettingName:()=>u.Jw,TimeConstants:()=>tn.r,Toggle:()=>cp.Z,ToggleBase:()=>up.s,Tooltip:()=>dp.u,TooltipBase:()=>pp.P,TooltipDelay:()=>mp.j,TooltipHost:()=>ie.G,TooltipHostBase:()=>hp.Z,TooltipOverflowMode:()=>ae.y,ValidationState:()=>kl.Y,VerticalDivider:()=>ii.p,VirtualizedComboBox:()=>Mo,WeeklyDayPicker:()=>hm,WindowContext:()=>j.Hn,WindowProvider:()=>j.WU,ZIndexes:()=>u.bR,addDays:()=>en.E4,addDirectionalKeyCode:()=>Op.e,addElementAtIndex:()=>Co.OA,addMonths:()=>en.zI,addWeeks:()=>en.jh,addYears:()=>en.Bc,allowOverscrollOnElement:()=>yo.eC,allowScrollOnElement:()=>yo.C7,anchorProperties:()=>E.h2,appendFunction:()=>yp.Z,arraysEqual:()=>Co.cO,asAsync:()=>Sp,assertNever:()=>xp,assign:()=>Xt.f0,audioProperties:()=>E.vF,baseElementEvents:()=>E.WO,baseElementProperties:()=>E.Nf,buildClassMap:()=>u.$O,buildColumns:()=>yr,buildKeytipConfigMap:()=>Ps,buttonProperties:()=>E.Yq,calculatePrecision:()=>Vs.oe,canAnyMenuItemsCheck:()=>Uo.Hl,clamp:()=>Mt.u,classNamesFunction:()=>D.y,colGroupProperties:()=>E.YG,colProperties:()=>E.qi,compareDatePart:()=>en.NJ,compareDates:()=>en.aN,composeComponentAs:()=>No,composeRenderFunction:()=>ko.k,concatStyleSets:()=>u.E$,concatStyleSetsWithProps:()=>u.l7,constructKeytip:()=>Ms,correctHSV:()=>Jt,correctHex:()=>Zt.L,correctRGB:()=>jt.k,createArray:()=>Co.Ri,createFontStyles:()=>u.FF,createGenericItem:()=>wl.IV,createItem:()=>La,createMemoizer:()=>d.Ct,createMergedRef:()=>am.S,createTheme:()=>u.jG,css:()=>pt.i,cssColor:()=>Et.r,customizable:()=>De.a,defaultCalendarNavigationIcons:()=>Fe.XU,defaultCalendarStrings:()=>Fe.V3,defaultDatePickerStrings:()=>$o.f,defaultDayPickerStrings:()=>Fe.GC,defaultWeeklyDayPickerNavigationIcons:()=>um,defaultWeeklyDayPickerStrings:()=>cm,disableBodyScroll:()=>yo.Qp,divProperties:()=>E.n7,doesElementContainFocus:()=>ot.WU,elementContains:()=>it.t,elementContainsAttribute:()=>Tp.j,enableBodyScroll:()=>yo.tG,extendComponent:()=>Ap.c,filteredAssign:()=>Xt.lW,find:()=>Co.sE,findElementRecursive:()=>Ep.X,findIndex:()=>Co.cx,findScrollableParent:()=>yo.zj,fitContentToBounds:()=>Vs.nK,flatten:()=>Co.xH,focusAsync:()=>ot.um,focusClear:()=>u.e2,focusFirstChild:()=>ot.uo,fontFace:()=>u.jN,formProperties:()=>E.NX,format:()=>ap.W,getAllSelectedOptions:()=>gc.t,getAriaDescribedBy:()=>ss.w7,getBackgroundShade:()=>po,getBoundsFromTargetWindow:()=>ct.qE,getChildren:()=>Mp,getColorFromHSV:()=>Wt,getColorFromRGBA:()=>Ht.N,getColorFromString:()=>zt.T,getContrastRatio:()=>mo,getDatePartHashValue:()=>en.c8,getDateRangeArray:()=>en.e0,getDetailsRowStyles:()=>vn,getDistanceBetweenPoints:()=>Vs.Iw,getDocument:()=>nt.M,getEdgeChromiumNoHighContrastAdjustSelector:()=>u.h4,getElementIndexPath:()=>ot.xu,getEndDateOfWeek:()=>en.Hx,getFadedOverflowStyle:()=>u.$X,getFirstFocusable:()=>ot.ft,getFirstTabbable:()=>ot.RK,getFocusOutlineStyle:()=>u.jx,getFocusStyle:()=>u.GL,getFocusableByIndexPath:()=>ot.bF,getFontIcon:()=>Ve.Pw,getFullColorString:()=>Vt.p,getGlobalClassNames:()=>u.Cn,getHighContrastNoAdjustStyle:()=>u.xM,getIcon:()=>u.q7,getIconClassName:()=>u.Wx,getIconContent:()=>Ve.z1,getId:()=>dn.z,getInitialResponsiveMode:()=>Er.K7,getInitials:()=>Na.Q,getInputFocusStyle:()=>u.$Y,getLanguage:()=>Gp.G,getLastFocusable:()=>ot.TE,getLastTabbable:()=>ot.xY,getMaxHeight:()=>ct.DC,getMeasurementCache:()=>J,getMenuItemStyles:()=>Zo.w,getMonthEnd:()=>en.D7,getMonthStart:()=>en.pU,getNativeElementProps:()=>$d,getNativeProps:()=>E.pq,getNextElement:()=>ot.dc,getNextResizeGroupStateProvider:()=>Y,getOppositeEdge:()=>ct.bv,getParent:()=>_o.G,getPersonaInitialsColor:()=>yl.g,getPlaceholderStyles:()=>u.Sv,getPreviousElement:()=>ot.TD,getPropsWithDefaults:()=>st.j,getRTL:()=>T.zg,getRTLSafeKeyCode:()=>T.dP,getRect:()=>mr,getResourceUrl:()=>Xp,getResponsiveMode:()=>Er.tc,getScreenSelector:()=>u.sK,getScrollbarWidth:()=>yo.np,getShade:()=>uo,getSplitButtonClassNames:()=>Pe.W,getStartDateOfWeek:()=>en.wu,getSubmenuItems:()=>Uo.Nb,getTheme:()=>u.gh,getThemedContext:()=>u.Nf,getVirtualParent:()=>Rp.r,getWeekNumber:()=>en.uW,getWeekNumbersInMonth:()=>en.iU,getWindow:()=>So.J,getYearEnd:()=>en.Q9,getYearStart:()=>en.W8,hasHorizontalOverflow:()=>Yp.b5,hasOverflow:()=>Yp.zS,hasVerticalOverflow:()=>Yp.cs,hiddenContentStyle:()=>u.ul,hoistMethods:()=>zp.W,hoistStatics:()=>Hp.f,hsl2hsv:()=>Nt.E,hsl2rgb:()=>Rt.w,hsv2hex:()=>Ft.d,hsv2hsl:()=>At,hsv2rgb:()=>Bt.X,htmlElementProperties:()=>E.iY,iframeProperties:()=>E.SZ,imageProperties:()=>E.X7,imgProperties:()=>E.it,initializeComponentRef:()=>P.l,initializeFocusRects:()=>Wp,initializeIcons:()=>rs.l,initializeResponsiveMode:()=>Er.LF,inputProperties:()=>E.Gg,isControlled:()=>kp.s,isDark:()=>co,isDirectionalKeyCode:()=>Op.L,isElementFocusSubZone:()=>ot.gc,isElementFocusZone:()=>ot.jz,isElementTabbable:()=>ot.MW,isElementVisible:()=>ot.Jv,isIE11:()=>rm.f,isIOS:()=>jp.g,isInDateRangeArray:()=>en.le,isMac:()=>_s.V,isRelativeUrl:()=>ll,isValidShade:()=>ao,isVirtualElement:()=>Pp.r,keyframes:()=>u.F4,ktpTargetFromId:()=>ss._l,ktpTargetFromSequences:()=>ss.eX,labelProperties:()=>E.mp,liProperties:()=>E.PT,loadTheme:()=>u.jz,makeStyles:()=>Zd,mapEnumByName:()=>Xt.vT,memoize:()=>d.HP,memoizeFunction:()=>d.NF,merge:()=>Up.T,mergeAriaAttributeValues:()=>_p.I,mergeCustomizations:()=>Ip.u,mergeOverflows:()=>ss.a1,mergeScopedSettings:()=>Dp.J,mergeSettings:()=>Dp.O,mergeStyleSets:()=>u.ZC,mergeStyles:()=>u.y0,mergeThemes:()=>_d.I,modalize:()=>Jp.O,noWrap:()=>u.jq,normalize:()=>u.Fv,nullRender:()=>Ie.S,olProperties:()=>E.t$,omit:()=>Xt.CE,on:()=>Mr.on,optionProperties:()=>E.Qy,personaPresenceSize:()=>bl.bw,personaSize:()=>bl.or,portalContainsElement:()=>Np.w,positionCallout:()=>ct.c5,positionCard:()=>ct.Su,positionElement:()=>ct.p$,precisionRound:()=>Vs.F0,presenceBoolean:()=>bl.zx,raiseClick:()=>Bp.x,registerDefaultFontFaces:()=>u.Kq,registerIconAlias:()=>u.M_,registerIcons:()=>u.fm,registerOnThemeChangeCallback:()=>u.tj,removeIndex:()=>Co.$E,removeOnThemeChangeCallback:()=>u.sw,replaceElement:()=>Co.wm,resetControlledWarnings:()=>om.G,resetIds:()=>dn._,resetMemoizations:()=>d.du,rgb2hex:()=>Pt.C,rgb2hsv:()=>Lt.D,safeRequestAnimationFrame:()=>$p.J,safeSetTimeout:()=>em,selectProperties:()=>E.bL,sequencesToID:()=>ss.aB,setBaseUrl:()=>Qp,setFocusVisibility:()=>de.MU,setIconOptions:()=>u.yN,setLanguage:()=>Gp.m,setMemoizeWeakMap:()=>d.rQ,setMonth:()=>en.q0,setPortalAttribute:()=>Fp.U,setRTL:()=>T.ok,setResponsiveMode:()=>Er.kd,setSSR:()=>im.T,setVirtualParent:()=>Lp.N,setWarningCallback:()=>be.U,shallowCompare:()=>Xt.Vv,shouldWrapFocus:()=>ot.mM,sizeBoolean:()=>bl.yR,sizeToPixels:()=>bl.Y4,styled:()=>I.z,tableProperties:()=>E.$B,tdProperties:()=>E.IX,textAreaProperties:()=>E.FI,thProperties:()=>E.fI,themeRulesStandardCreator:()=>lp,toMatrix:()=>Co.QC,trProperties:()=>E.PC,transitionKeysAreEqual:()=>Ss,transitionKeysContain:()=>xs,unhoistMethods:()=>zp.e,unregisterIcons:()=>u.Kf,updateA:()=>Ut.R,updateH:()=>qt.i,updateRGB:()=>Gt,updateSV:()=>Kt.d,updateT:()=>ho.X,useCustomizationSettings:()=>Kd.D,useDocument:()=>j.ky,useFocusRects:()=>B.P,useHeightOffset:()=>vt,useKeytipRef:()=>fs,useResponsiveMode:()=>Tr.q,useTheme:()=>Gd,useWindow:()=>j.zY,values:()=>Xt.VO,videoProperties:()=>E.NI,warn:()=>be.Z,warnConditionallyRequiredProps:()=>tm.w,warnControlledUsage:()=>om.Q,warnDeprecations:()=>Vr.b,warnMutuallyExclusive:()=>nm.L,withResponsiveMode:()=>Er.Ae});var n={};o.r(n),o.d(n,{pickerInput:()=>$i,pickerText:()=>Qi});var r={};o.r(r),o.d(r,{callout:()=>ga});var i={};o.r(i),o.d(i,{suggestionsContainer:()=>va});var a={};o.r(a),o.d(a,{actionButton:()=>Sa,buttonSelected:()=>xa,itemButton:()=>Ia,root:()=>Ca,screenReaderOnly:()=>Da,suggestionsSpinner:()=>wa,suggestionsTitle:()=>ka});var s={};o.r(s),o.d(s,{actionButton:()=>yc,expandButton:()=>kc,hover:()=>bc,itemContainer:()=>Dc,itemContent:()=>Sc,personaContainer:()=>vc,personaContainerIsSelected:()=>_c,personaDetails:()=>Ic,personaWrapper:()=>wc,removeButton:()=>xc,validationError:()=>Cc});var l=o(7622),c=o(7002),u=o(9729),d=o(5094),p=(0,d.NF)((function(e,t,o,n){return{root:(0,u.y0)("ms-ActivityItem",t,e.root,n&&e.isCompactRoot),pulsingBeacon:(0,u.y0)("ms-ActivityItem-pulsingBeacon",e.pulsingBeacon),personaContainer:(0,u.y0)("ms-ActivityItem-personaContainer",e.personaContainer,n&&e.isCompactPersonaContainer),activityPersona:(0,u.y0)("ms-ActivityItem-activityPersona",e.activityPersona,n&&e.isCompactPersona,!n&&o&&2===o.length&&e.doublePersona),activityTypeIcon:(0,u.y0)("ms-ActivityItem-activityTypeIcon",e.activityTypeIcon,n&&e.isCompactIcon),activityContent:(0,u.y0)("ms-ActivityItem-activityContent",e.activityContent,n&&e.isCompactContent),activityText:(0,u.y0)("ms-ActivityItem-activityText",e.activityText),commentText:(0,u.y0)("ms-ActivityItem-commentText",e.commentText),timeStamp:(0,u.y0)("ms-ActivityItem-timeStamp",e.timeStamp,n&&e.isCompactTimeStamp)}})),m="32px",h="16px",g="16px",f="13px",v=(0,d.NF)((function(){return(0,u.F4)({from:{opacity:0},to:{opacity:1}})})),b=(0,d.NF)((function(){return(0,u.F4)({from:{transform:"translateX(-10px)"},to:{transform:"translateX(0)"}})})),y=(0,d.NF)((function(e,t,o,n,r,i){var a;void 0===e&&(e=(0,u.gh)());var s={animationName:u.a1.continuousPulseAnimationSingle(n||e.palette.themePrimary,r||e.palette.themeTertiary,"4px","28px","4px"),animationIterationCount:"1",animationDuration:".8s",zIndex:1},l={animationName:b(),animationIterationCount:"1",animationDuration:".5s"},c={animationName:v(),animationIterationCount:"1",animationDuration:".5s"},d={root:[e.fonts.small,{display:"flex",justifyContent:"flex-start",alignItems:"flex-start",boxSizing:"border-box",color:e.palette.neutralSecondary},i&&o&&c],pulsingBeacon:[{position:"absolute",top:"50%",left:"50%",transform:"translate(-50%, -50%)",width:"0px",height:"0px",borderRadius:"225px",borderStyle:"solid",opacity:0},i&&o&&s],isCompactRoot:{alignItems:"center"},personaContainer:{display:"flex",flexWrap:"wrap",minWidth:m,width:m,height:m},isCompactPersonaContainer:{display:"inline-flex",flexWrap:"nowrap",flexBasis:"auto",height:h,width:"auto",minWidth:"0",paddingRight:"6px"},activityTypeIcon:{height:m,fontSize:g,lineHeight:g,marginTop:"3px"},isCompactIcon:{height:h,minWidth:h,fontSize:f,lineHeight:f,color:e.palette.themePrimary,marginTop:"1px",position:"relative",display:"flex",justifyContent:"center",alignItems:"center",selectors:{".ms-Persona-imageArea":{margin:"-2px 0 0 -2px",border:"2px solid"+e.palette.white,borderRadius:"50%",selectors:(a={},a[u.qJ]={border:"none",margin:"0"},a)}}},activityPersona:{display:"block"},doublePersona:{selectors:{":first-child":{alignSelf:"flex-end"}}},isCompactPersona:{display:"inline-block",width:"8px",minWidth:"8px",overflow:"visible"},activityContent:[{padding:"0 8px"},i&&o&&l],activityText:{display:"inline"},isCompactContent:{flex:"1",padding:"0 4px",whiteSpace:"nowrap",textOverflow:"ellipsis",overflowX:"hidden"},commentText:{color:e.palette.neutralPrimary},timeStamp:[e.fonts.tiny,{fontWeight:400,color:e.palette.neutralSecondary}],isCompactTimeStamp:{display:"inline-block",paddingLeft:"0.3em",fontSize:"1em"}};return(0,u.E$)(d,t)})),_=o(6543),C=o(7481),S=function(e){function t(t){var o=e.call(this,t)||this;return o._onRenderIcon=function(e){return e.activityPersonas?o._onRenderPersonaArray(e):o.props.activityIcon},o._onRenderActivityDescription=function(e){var t=o._getClassNames(e),n=e.activityDescription||e.activityDescriptionText;return n?c.createElement("span",{className:t.activityText},n):null},o._onRenderComments=function(e){var t=o._getClassNames(e),n=e.comments||e.commentText;return!e.isCompact&&n?c.createElement("div",{className:t.commentText},n):null},o._onRenderTimeStamp=function(e){var t=o._getClassNames(e);return!e.isCompact&&e.timeStamp?c.createElement("div",{className:t.timeStamp},e.timeStamp):null},o._onRenderPersonaArray=function(e){var t=o._getClassNames(e),n=null,r=e.activityPersonas;if(r[0].imageUrl||r[0].imageInitials){var i=[],a=r.length>1||e.isCompact,s=e.isCompact?3:4,u=void 0;e.isCompact&&(u={display:"inline-block",width:"10px",minWidth:"10px",overflow:"visible"}),r.filter((function(e,t){return tt;){var l=r(a);if(void 0===l)return{renderedData:a,resizeDirection:void 0,dataToMeasure:void 0};if(void 0===(s=o.getCachedMeasurement(l)))return{dataToMeasure:l,resizeDirection:"shrink"};a=l}return{renderedData:a,resizeDirection:void 0,dataToMeasure:void 0}}return{getNextState:function(e,i,a,s){if(void 0!==s||void 0!==i.dataToMeasure){if(s){if(t&&i.renderedData&&!i.dataToMeasure)return(0,l.pi)((0,l.pi)({},i),function(e,o,n,r){var i;return i=e>t?r?{resizeDirection:"grow",dataToMeasure:r(n)}:{resizeDirection:"shrink",dataToMeasure:o}:{resizeDirection:"shrink",dataToMeasure:n},t=e,(0,l.pi)((0,l.pi)({},i),{measureContainer:!1})}(s,e.data,i.renderedData,e.onGrowData));t=s}var c=(0,l.pi)((0,l.pi)({},i),{measureContainer:!1});return i.dataToMeasure&&(c="grow"===i.resizeDirection&&e.onGrowData?(0,l.pi)((0,l.pi)({},c),function(e,i,a,s){for(var c=e,u=n(e,a);u=i))return(t=(0,l.pr)(t)).splice(r,0,a),(0,l.pi)((0,l.pi)({},e),{renderedItems:t,renderedOverflowItems:o})},o._onRenderBreadcrumb=function(e){var t=e.props,n=t.ariaLabel,r=t.dividerAs,i=void 0===r?W.J:r,a=t.onRenderItem,s=void 0===a?o._onRenderItem:a,u=t.overflowAriaLabel,d=t.overflowIndex,p=t.onRenderOverflowIcon,m=t.overflowButtonAs,h=e.renderedOverflowItems,g=e.renderedItems,f=h.map((function(e){var t=!(!e.onClick&&!e.href);return{text:e.text,name:e.text,key:e.key,onClick:e.onClick?o._onBreadcrumbClicked.bind(o,e):null,href:e.href,disabled:!t,itemProps:t?void 0:ce}})),v=g.length-1,b=h&&0!==h.length,y=g.map((function(e,t){return c.createElement("li",{className:o._classNames.listItem,key:e.key||String(t)},s(e,o._onRenderItem),(t!==v||b&&t===d-1)&&c.createElement(i,{className:o._classNames.chevron,iconName:(0,T.zg)(o.props.theme)?"ChevronLeft":"ChevronRight",item:e}))}));if(b){var _=p?{}:{iconName:"More"},C=p||le,S=m||V.h;y.splice(d,0,c.createElement("li",{className:o._classNames.overflow,key:"overflow"},c.createElement(S,{className:o._classNames.overflowButton,iconProps:_,role:"button","aria-haspopup":"true",ariaLabel:u,onRenderMenuIcon:C,menuProps:{items:f,directionalHint:K.b.bottomLeftEdge}}),d!==v+1&&c.createElement(i,{className:o._classNames.chevron,iconName:(0,T.zg)(o.props.theme)?"ChevronLeft":"ChevronRight",item:h[h.length-1]})))}var x=(0,E.pq)(o.props,E.iY,["className"]);return c.createElement("div",(0,l.pi)({className:o._classNames.root,role:"navigation","aria-label":n},x),c.createElement(M.k,(0,l.pi)({componentRef:o._focusZone,direction:R.U.horizontal},o.props.focusZoneProps),c.createElement("ol",{className:o._classNames.list},y)))},o._onRenderItem=function(e){var t=e.as,n=e.href,r=e.onClick,i=e.isCurrentItem,a=e.text,s=(0,l._T)(e,["as","href","onClick","isCurrentItem","text"]);if(r||n)return c.createElement(O,(0,l.pi)({},s,{as:t,className:o._classNames.itemLink,href:n,"aria-current":i?"page":void 0,onClick:o._onBreadcrumbClicked.bind(o,e)}),c.createElement(ie.G,(0,l.pi)({content:a,overflowMode:ae.y.Parent},o.props.tooltipHostProps),a));var u=t||"span";return c.createElement(u,(0,l.pi)({},s,{className:o._classNames.item}),c.createElement(ie.G,(0,l.pi)({content:a,overflowMode:ae.y.Parent},o.props.tooltipHostProps),a))},o._onBreadcrumbClicked=function(e,t){e.onClick&&e.onClick(t,e)},(0,P.l)(o),o._validateProps(t),o}return(0,l.ZT)(t,e),t.prototype.focus=function(){this._focusZone.current&&this._focusZone.current.focus()},t.prototype.render=function(){this._validateProps(this.props);var e=this.props,t=e.onReduceData,o=void 0===t?this._onReduceData:t,n=e.onGrowData,r=void 0===n?this._onGrowData:n,i=e.overflowIndex,a=e.maxDisplayedItems,s=e.items,u=e.className,d=e.theme,p=e.styles,m=(0,l.pr)(s),h=m.splice(i,m.length-a),g={props:this.props,renderedItems:m,renderedOverflowItems:h};return this._classNames=se(p,{className:u,theme:d}),c.createElement(re,{onRenderData:this._onRenderBreadcrumb,onReduceData:o,onGrowData:r,data:g})},t.prototype._validateProps=function(e){var t=e.maxDisplayedItems,o=e.overflowIndex,n=e.items;if(o<0||t>1&&o>t-1||n.length>0&&o>n.length-1)throw new Error("Breadcrumb: overflowIndex out of range")},t.defaultProps={items:[],maxDisplayedItems:999,overflowIndex:0},t}(c.Component),de=o(6145),pe={root:"ms-Breadcrumb",list:"ms-Breadcrumb-list",listItem:"ms-Breadcrumb-listItem",chevron:"ms-Breadcrumb-chevron",overflow:"ms-Breadcrumb-overflow",overflowButton:"ms-Breadcrumb-overflowButton",itemLink:"ms-Breadcrumb-itemLink",item:"ms-Breadcrumb-item"},me={whiteSpace:"nowrap",textOverflow:"ellipsis",overflow:"hidden"},he=(0,u.sK)(0,u.mV),ge=(0,u.sK)(u.dd,u.yp),fe=(0,I.z)(ue,(function(e){var t,o,n,r,i=e.className,a=e.theme,s=a.palette,c=a.semanticColors,d=a.fonts,p=(0,u.Cn)(pe,a),m=c.menuItemBackgroundHovered,h=c.menuItemBackgroundPressed,g=s.neutralSecondary,f=u.lq.regular,v=s.neutralPrimary,b=s.neutralPrimary,y=u.lq.semibold,_=s.neutralSecondary,C=s.neutralSecondary,S={fontWeight:y,color:b},x={":hover":{color:v,backgroundColor:m,cursor:"pointer",selectors:(t={},t[u.qJ]={color:"Highlight"},t)},":active":{backgroundColor:h,color:v},"&:active:hover":{color:v,backgroundColor:h},"&:active, &:hover, &:active:hover":{textDecoration:"none"}},k={color:g,padding:"0 8px",lineHeight:36,fontSize:18,fontWeight:f};return{root:[p.root,d.medium,{margin:"11px 0 1px"},i],list:[p.list,{whiteSpace:"nowrap",padding:0,margin:0,display:"flex",alignItems:"stretch"}],listItem:[p.listItem,{listStyleType:"none",margin:"0",padding:"0",display:"flex",position:"relative",alignItems:"center",selectors:{"&:last-child .ms-Breadcrumb-itemLink":S,"&:last-child .ms-Breadcrumb-item":S}}],chevron:[p.chevron,{color:_,fontSize:d.small.fontSize,selectors:(o={},o[u.qJ]=(0,l.pi)({color:"WindowText"},(0,u.xM)()),o[ge]={fontSize:8},o[he]={fontSize:8},o)}],overflow:[p.overflow,{position:"relative",display:"flex",alignItems:"center"}],overflowButton:[p.overflowButton,(0,u.GL)(a),me,{fontSize:16,color:C,height:"100%",cursor:"pointer",selectors:(0,l.pi)((0,l.pi)({},x),(n={},n[he]={padding:"4px 6px"},n[ge]={fontSize:d.mediumPlus.fontSize},n))}],itemLink:[p.itemLink,(0,u.GL)(a),me,(0,l.pi)((0,l.pi)({},k),{selectors:(0,l.pi)((r={":focus":{color:s.neutralDark}},r["."+de.G$+" &:focus"]={outline:"none"},r),x)})],item:[p.item,(0,l.pi)((0,l.pi)({},k),{selectors:{":hover":{cursor:"default"}}})]}}),void 0,{scope:"Breadcrumb"}),ve=o(4968);!function(e){e[e.button=0]="button",e[e.anchor=1]="anchor"}(oe||(oe={})),function(e){e[e.normal=0]="normal",e[e.primary=1]="primary",e[e.hero=2]="hero",e[e.compound=3]="compound",e[e.command=4]="command",e[e.icon=5]="icon",e[e.default=6]="default"}(ne||(ne={}));var be=o(687),ye=o(9632),_e=o(2898),Ce=o(8959),Se=o(8924),xe=function(e){function t(t){var o=e.call(this,t)||this;return(0,be.Z)("The Button component has been deprecated. Use specific variants instead. (PrimaryButton, DefaultButton, IconButton, ActionButton, etc.)"),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props;switch(e.buttonType){case ne.command:return c.createElement(_e.K,(0,l.pi)({},e));case ne.compound:return c.createElement(Ce.W,(0,l.pi)({},e));case ne.icon:return c.createElement(V.h,(0,l.pi)({},e));case ne.primary:return c.createElement(Se.K,(0,l.pi)({},e));default:return c.createElement(ye.a,(0,l.pi)({},e))}},t}(c.Component),ke=o(1420),we=o(990),Ie=o(9013),De=o(6053),Te=(0,d.NF)((function(e,t){return(0,u.E$)({root:[(0,u.GL)(e,{inset:1,highContrastStyle:{outlineOffset:"-4px",outline:"1px solid Window"},borderColor:"transparent"}),{height:24}]},t)})),Ee=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.theme;return c.createElement(ye.a,(0,l.pi)({},this.props,{styles:Te(o,t),onRenderDescription:Ie.S}))},(0,l.gn)([(0,De.a)("MessageBarButton",["theme","styles"],!0)],t)}(c.Component),Pe=o(5032),Me=o(2836),Re=o(634),Ne=o(4977),Be=o(716),Fe=o(6883),Le=o(1093),Ae=o(5953),ze=o(4941),He=o(5666),Oe=o(6007),We=function(e){return c.createElement(Ae.U,(0,l.pi)({},e),c.createElement(Oe.P,(0,l.pi)({disabled:e.hidden},e.focusTrapProps),e.children))},Ve=o(4734),Ke=(0,D.y)(),qe=c.forwardRef((function(e,t){var o=e.checked,n=void 0!==o&&o,r=e.className,i=e.theme,a=e.styles,s=e.useFastIcons,l=void 0===s||s,u=Ke(a,{theme:i,className:r,checked:n}),d=l?Ve.xu:W.J;return c.createElement("div",{className:u.root,ref:t},c.createElement(d,{iconName:"CircleRing",className:u.circle}),c.createElement(d,{iconName:"StatusCircleCheckmark",className:u.check}))}));qe.displayName="CheckBase";var Ge,Ue={root:"ms-Check",circle:"ms-Check-circle",check:"ms-Check-check",checkHost:"ms-Check-checkHost"},je=(0,I.z)(qe,(function(e){var t,o,n,r,i,a=e.height,s=void 0===a?e.checkBoxHeight||"18px":a,c=e.checked,d=e.className,p=e.theme,m=p.palette,h=p.semanticColors,g=p.fonts,f=(0,T.zg)(p),v=(0,u.Cn)(Ue,p),b={fontSize:s,position:"absolute",left:0,top:0,width:s,height:s,textAlign:"center",verticalAlign:"middle"};return{root:[v.root,g.medium,{lineHeight:"1",width:s,height:s,verticalAlign:"top",position:"relative",userSelect:"none",selectors:(t={":before":{content:'""',position:"absolute",top:"1px",right:"1px",bottom:"1px",left:"1px",borderRadius:"50%",opacity:1,background:h.bodyBackground}},t["."+v.checkHost+":hover &, ."+v.checkHost+":focus &, &:hover, &:focus"]={opacity:1},t)},c&&["is-checked",{selectors:{":before":{background:m.themePrimary,opacity:1,selectors:(o={},o[u.qJ]={background:"Window"},o)}}}],d],circle:[v.circle,b,{color:m.neutralSecondary,selectors:(n={},n[u.qJ]={color:"WindowText"},n)},c&&{color:m.white}],check:[v.check,b,{opacity:0,color:m.neutralSecondary,fontSize:u.ld.medium,left:f?"-0.5px":".5px",selectors:(r={":hover":{opacity:1}},r[u.qJ]=(0,l.pi)({},(0,u.xM)()),r)},c&&{opacity:1,color:m.white,fontWeight:900,selectors:(i={},i[u.qJ]={border:"none",color:"WindowText"},i)}],checkHost:v.checkHost}}),void 0,{scope:"Check"},!0),Je=o(2777),Ye=o(5790),Ze=o(9240),Xe=o(5554),Qe=o(1351),$e=(0,d.NF)((function(){return(0,u.F4)({"0%":{transform:"translate(0, 0)",animationTimingFunction:"linear"},"78.57%":{transform:"translate(0, 0)",animationTimingFunction:"cubic-bezier(0.62, 0, 0.56, 1)"},"82.14%":{transform:"translate(0, -5px)",animationTimingFunction:"cubic-bezier(0.58, 0, 0, 1)"},"84.88%":{transform:"translate(0, 9px)",animationTimingFunction:"cubic-bezier(1, 0, 0.56, 1)"},"88.1%":{transform:"translate(0, -2px)",animationTimingFunction:"cubic-bezier(0.58, 0, 0.67, 1)"},"90.12%":{transform:"translate(0, 0)",animationTimingFunction:"linear"},"100%":{transform:"translate(0, 0)"}})})),et=(0,d.NF)((function(){return(0,u.F4)({"0%":{transform:" scale(0)",animationTimingFunction:"linear"},"14.29%":{transform:"scale(0)",animationTimingFunction:"cubic-bezier(0.84, 0, 0.52, 0.99)"},"16.67%":{transform:"scale(1.15)",animationTimingFunction:"cubic-bezier(0.48, -0.01, 0.52, 1.01)"},"19.05%":{transform:"scale(0.95)",animationTimingFunction:"cubic-bezier(0.48, 0.02, 0.52, 0.98)"},"21.43%":{transform:"scale(1)",animationTimingFunction:"linear"},"42.86%":{transform:"scale(1)",animationTimingFunction:"cubic-bezier(0.48, -0.02, 0.52, 1.02)"},"45.71%":{transform:"scale(0.8)",animationTimingFunction:"cubic-bezier(0.48, 0.01, 0.52, 0.99)"},"50%":{transform:"scale(1)",animationTimingFunction:"linear"},"90.12%":{transform:"scale(1)",animationTimingFunction:"cubic-bezier(0.48, -0.02, 0.52, 1.02)"},"92.98%":{transform:"scale(0.8)",animationTimingFunction:"cubic-bezier(0.48, 0.01, 0.52, 0.99)"},"97.26%":{transform:"scale(1)",animationTimingFunction:"linear"},"100%":{transform:"scale(1)"}})})),tt=(0,d.NF)((function(){return(0,u.F4)({"0%":{transform:"rotate(0deg)",animationTimingFunction:"linear"},"83.33%":{transform:" rotate(0deg)",animationTimingFunction:"cubic-bezier(0.33, 0, 0.67, 1)"},"83.93%":{transform:"rotate(15deg)",animationTimingFunction:"cubic-bezier(0.33, 0, 0.67, 1)"},"84.52%":{transform:"rotate(-15deg)",animationTimingFunction:"cubic-bezier(0.33, 0, 0.67, 1)"},"85.12%":{transform:"rotate(15deg)",animationTimingFunction:"cubic-bezier(0.33, 0, 0.67, 1)"},"85.71%":{transform:"rotate(-15deg)",animationTimingFunction:"cubic-bezier(0.33, 0, 0.67, 1)"},"86.31%":{transform:"rotate(0deg)",animationTimingFunction:"linear"},"100%":{transform:"rotate(0deg)"}})})),ot=o(4553),nt=o(5446),rt=o(8145),it=o(3345),at=o(9919),st=o(63),lt=o(4568),ct=o(6591),ut=(0,d.NF)((function(){var e;return(0,u.ZC)({root:[{position:"absolute",boxSizing:"border-box",border:"1px solid ${}",selectors:(e={},e[u.qJ]={border:"1px solid WindowText"},e)},(0,u.e2)()],container:{position:"relative"},main:{backgroundColor:"#ffffff",overflowX:"hidden",overflowY:"hidden",position:"relative"},overFlowYHidden:{overflowY:"hidden"}})})),dt=o(7513),pt=o(8088),mt=o(2674),ht={opacity:0},gt=((Ge={})[lt.z.top]="slideUpIn20",Ge[lt.z.bottom]="slideDownIn20",Ge[lt.z.left]="slideLeftIn20",Ge[lt.z.right]="slideRightIn20",Ge),ft={preventDismissOnScroll:!1,offsetFromTarget:0,minPagePadding:8,directionalHint:K.b.bottomAutoEdge};function vt(e,t){var o=e.finalHeight,n=c.useState(0),r=n[0],i=n[1],a=(0,G.r)(),s=c.useRef(0),l=function(){t&&o&&(s.current=a.requestAnimationFrame((function(){if(t.current){var e=t.current.lastChild,n=e.scrollHeight,c=e.offsetHeight;i(r+(n-c)),e.offsetHeightk?k:_,I=c.createElement("div",{ref:i,className:(0,pt.i)("ms-PositioningContainer",S.container)},c.createElement("div",{className:(0,u.y0)("ms-PositioningContainer-layerHost",S.root,b,x,!!y&&{width:y}),style:h?h.elementPosition:ht,tabIndex:-1,ref:n},C,w));return o.doNotLayer?I:c.createElement(dt.m,null,I)}));function yt(e){return{root:[{position:"absolute",boxShadow:"inherit",border:"none",boxSizing:"border-box",transform:e.transform,width:e.width,height:e.height,left:e.left,top:e.top,right:e.right,bottom:e.bottom}],beak:{fill:e.color,display:"block"}}}bt.displayName="PositioningContainer";var _t=c.forwardRef((function(e,t){var o,n,r,i,a,s,l=e.left,u=e.top,d=e.bottom,p=e.right,m=e.color,h=e.direction,g=void 0===h?lt.z.top:h;switch(g===lt.z.top||g===lt.z.bottom?(o=10,n=18):(o=18,n=10),g){case lt.z.top:default:r="9, 0",i="18, 10",a="0, 10",s="translateY(-100%)";break;case lt.z.right:r="0, 0",i="10, 10",a="0, 18",s="translateX(100%)";break;case lt.z.bottom:r="0, 0",i="18, 0",a="9, 10",s="translateY(100%)";break;case lt.z.left:r="10, 0",i="0, 10",a="10, 18",s="translateX(-100%)"}var f=(0,D.y)()(yt,{left:l,top:u,bottom:d,right:p,height:o+"px",width:n+"px",transform:s,color:m});return c.createElement("div",{className:f.root,role:"presentation",ref:t},c.createElement("svg",{height:o,width:n,className:f.beak},c.createElement("polygon",{points:r+" "+i+" "+a})))}));_t.displayName="Beak";var Ct=o(5646),St=(0,D.y)(),xt="data-coachmarkid",kt={isCollapsed:!0,mouseProximityOffset:10,delayBeforeMouseOpen:3600,delayBeforeCoachmarkAnimation:0,isPositionForced:!0,positioningContainerProps:{directionalHint:K.b.bottomAutoEdge}},wt=c.forwardRef((function(e,t){var o=(0,st.j)(kt,e),n=c.useRef(null),r=c.useRef(null),i=function(){var e=(0,G.r)(),t=c.useState(),o=t[0],n=t[1],r=c.useState(),i=r[0],a=r[1];return[o,i,function(t){var o=t.alignmentEdge,r=t.targetEdge;return e.requestAnimationFrame((function(){n(o),a(r)}))}]}(),a=i[0],s=i[1],u=i[2],d=function(e,t){var o=e.isCollapsed,n=e.onAnimationOpenStart,r=e.onAnimationOpenEnd,i=c.useState(!!o),a=i[0],s=i[1],l=(0,Ct.L)().setTimeout,u=c.useRef(!a),d=c.useCallback((function(){var e,o,i,a;u.current||(s(!1),null===(e=n)||void 0===e||e(),null===(a=null===(o=t.current)||void 0===o?void 0:(i=o).addEventListener)||void 0===a||a.call(i,"transitionend",(function(){var e;l((function(){t.current&&(0,ot.uo)(t.current)}),1e3),null===(e=r)||void 0===e||e()})),u.current=!0)}),[t,r,n,l]);return c.useEffect((function(){o||d()}),[o]),[a,d]}(o,n),p=d[0],m=d[1],h=function(e,t,o){var n=(0,T.zg)(e.theme);return c.useMemo((function(){var e,r,i=void 0===o?lt.z.bottom:(0,ct.bv)(o),a={direction:i},s="3px";switch(i){case lt.z.top:case lt.z.bottom:t?t===lt.z.left?(a.left="7px",e="left"):(a.right="7px",e="right"):(a.left="calc(50% - 9px)",e="center"),i===lt.z.top?(a.top=s,r="top"):(a.bottom=s,r="bottom");break;case lt.z.left:case lt.z.right:t?t===lt.z.top?(a.top="7px",r="top"):(a.bottom="7px",r="bottom"):(a.top="calc(50% - 9px)",r="center"),i===lt.z.left?(n?a.right=s:a.left=s,e="left"):(n?a.left=s:a.right=s,e="right")}return[a,e+" "+r]}),[t,o,n])}(o,a,s),g=h[0],f=h[1],v=function(e,t){var o=c.useState(!!e.isCollapsed),n=o[0],r=o[1],i=c.useState(e.isCollapsed?{width:0,height:0}:{}),a=i[0],s=i[1],l=(0,G.r)();return c.useEffect((function(){l.requestAnimationFrame((function(){t.current&&(s({width:t.current.offsetWidth,height:t.current.offsetHeight}),r(!1))}))}),[]),[n,a]}(o,n),b=v[0],y=v[1],_=function(e){var t=e.ariaAlertText,o=(0,G.r)(),n=c.useState(),r=n[0],i=n[1];return c.useEffect((function(){o.requestAnimationFrame((function(){i(t)}))}),[]),r}(o),C=function(e){var t=e.preventFocusOnMount,o=(0,Ct.L)().setTimeout,n=c.useRef(null);return c.useEffect((function(){t||o((function(){var e;return null===(e=n.current)||void 0===e?void 0:e.focus()}),1e3)}),[]),n}(o);!function(e,t,o){var n,r=null===(n=(0,nt.M)())||void 0===n?void 0:n.documentElement;(0,U.d)(r,"keydown",(function(e){var n,r,i;(e.altKey&&e.which===rt.m.c||e.which===rt.m.enter&&(null===(i=null===(n=t.current)||void 0===n?void 0:(r=n).contains)||void 0===i?void 0:i.call(r,e.target)))&&o()}),!0);var i=function(o){var n,r;if(e.preventDismissOnLostFocus){var i=o.target,a=t.current&&!(0,it.t)(t.current,i),s=e.target;a&&i!==s&&!(0,it.t)(s,i)&&(null===(r=(n=e).onDismiss)||void 0===r||r.call(n,o))}};(0,U.d)(r,"click",i,!0),(0,U.d)(r,"focus",i,!0)}(o,r,m),function(e){var t=e.onDismiss;c.useImperativeHandle(e.componentRef,(function(e){return{dismiss:function(){var o;null===(o=t)||void 0===o||o(e)}}}),[t])}(o),function(e,t,o){var n=(0,Ct.L)(),r=n.setTimeout,i=n.clearTimeout,a=c.useRef();c.useEffect((function(){var n=function(){t.current&&(a.current=t.current.getBoundingClientRect())},s=new at.r({});return r((function(){var t=e.mouseProximityOffset,l=void 0===t?0:t,c=[];r((function(){n(),s.on(window,"resize",(function(){c.forEach((function(e){i(e)})),c.splice(0,c.length),c.push(r((function(){n()}),100))}))}),10),s.on(document,"mousemove",(function(t){var r,i,s=t.clientY,c=t.clientX;n(),function(e,t,o,n){return void 0===n&&(n=0),t>e.left-n&&te.top-n&&o=Yt.Unshaded&&e<=Yt.Shade8}function so(e,t){return{h:e.h,s:e.s,v:(0,Mt.u)(e.v-e.v*t,100,0)}}function lo(e,t){return{h:e.h,s:(0,Mt.u)(e.s-e.s*t,100,0),v:(0,Mt.u)(e.v+(100-e.v)*t,100,0)}}function co(e){return At(e.h,e.s,e.v).l<50}function uo(e,t,o){if(void 0===o&&(o=!1),!e)return null;if(t===Yt.Unshaded||!ao(t))return e;var n=At(e.h,e.s,e.v),r={h:e.h,s:e.s,v:e.v},i=t-1,a=lo,s=so;return o&&(a=so,s=lo),r=function(e){return e.r===Tt.uc&&e.g===Tt.uc&&e.b===Tt.uc}(e)?so(r,eo[i]):function(e){return 0===e.r&&0===e.g&&0===e.b}(e)?lo(r,to[i]):n.l/100>.8?s(r,no[i]):n.l/100<.2?a(r,oo[i]):i1?n/r:r/n}!function(e){e[e.Unshaded=0]="Unshaded",e[e.Shade1=1]="Shade1",e[e.Shade2=2]="Shade2",e[e.Shade3=3]="Shade3",e[e.Shade4=4]="Shade4",e[e.Shade5=5]="Shade5",e[e.Shade6=6]="Shade6",e[e.Shade7=7]="Shade7",e[e.Shade8=8]="Shade8"}(Yt||(Yt={}));var ho=o(1332),go=o(6847),fo=o(1958),vo=o(610),bo=o(2167),yo=o(4948),_o=o(6840),Co=o(2470),So=o(9757),xo={auto:0,top:1,bottom:2,center:3},ko=o(8826),wo={top:-1,bottom:-1,left:-1,right:-1,width:0,height:0},Io=function(e){return e.getBoundingClientRect()},Do=Io,To=Io,Eo=function(e){function t(t){var o=e.call(this,t)||this;return o._root=c.createRef(),o._surface=c.createRef(),o._pageRefs={},o._getDerivedStateFromProps=function(e,t){return e.items!==o.props.items||e.renderCount!==o.props.renderCount||e.startIndex!==o.props.startIndex||e.version!==o.props.version?(o._resetRequiredWindows(),o._requiredRect=null,o._measureVersion++,o._invalidatePageCache(),o._updatePages(e,t)):t},o._onRenderRoot=function(e){var t=e.rootRef,o=e.surfaceElement,n=e.divProps;return c.createElement("div",(0,l.pi)({ref:t},n),o)},o._onRenderSurface=function(e){var t=e.surfaceRef,o=e.pageElements,n=e.divProps;return c.createElement("div",(0,l.pi)({ref:t},n),o)},o._onRenderPage=function(e,t){for(var n=o.props,r=n.onRenderCell,i=n.role,a=e.page,s=a.items,u=void 0===s?[]:s,d=a.startIndex,p=(0,l._T)(e,["page"]),m=void 0===i?"listitem":"presentation",h=[],g=0;ge){if(t&&this._scrollElement){for(var d=To(this._scrollElement),p={top:this._scrollElement.scrollTop,bottom:this._scrollElement.scrollTop+d.height},m=e-l,h=0;h=p.top&&g<=p.bottom)return;ap.bottom&&(a=g-d.height)}return void(this._scrollElement.scrollTop=a)}a+=u}},t.prototype.getStartItemIndexInView=function(e){for(var t=0,o=this.state.pages||[];t=n.top&&(this._scrollTop||0)<=n.top+n.height){if(!e){var r=Math.floor(n.height/n.itemCount);return n.startIndex+Math.floor((this._scrollTop-n.top)/r)}for(var i=0,a=n.startIndex;a0?n:void 0})})},t.prototype._shouldVirtualize=function(e){void 0===e&&(e=this.props);var t=e.onShouldVirtualize;return!t||t(e)},t.prototype._invalidatePageCache=function(){this._pageCache={}},t.prototype._renderPage=function(e){var t,o=this,n=this.props.usePageCache;if(n&&(t=this._pageCache[e.key])&&t.pageElement)return t.pageElement;var r=this._getPageStyle(e),i=this.props.onRenderPage,a=(void 0===i?this._onRenderPage:i)({page:e,className:"ms-List-page",key:e.key,ref:function(t){o._pageRefs[e.key]=t},style:r,role:"presentation"},this._onRenderPage);return n&&0===e.startIndex&&(this._pageCache[e.key]={page:e,pageElement:a}),a},t.prototype._getPageStyle=function(e){var t=this.props.getPageStyle;return(0,l.pi)((0,l.pi)({},t?t(e):{}),e.items?{}:{height:e.height})},t.prototype._onFocus=function(e){for(var t=e.target;t!==this._surface.current;){var o=t.getAttribute("data-list-index");if(o){this._focusedIndex=Number(o);break}t=(0,_o.G)(t)}},t.prototype._onScroll=function(){this.state.isScrolling||this.props.ignoreScrollingState||this.setState({isScrolling:!0}),this._resetRequiredWindows(),this._onScrollingDone()},t.prototype._resetRequiredWindows=function(){this._requiredWindowsAhead=0,this._requiredWindowsBehind=0},t.prototype._onAsyncScroll=function(){var e,t;this._updateRenderRects(this.props,this.state),this._materializedRect&&(e=this._requiredRect,t=this._materializedRect,e.top>=t.top&&e.left>=t.left&&e.bottom<=t.bottom&&e.right<=t.right)||this.setState(this._updatePages(this.props,this.state))},t.prototype._onAsyncIdle=function(){var e=this.props,t=e.renderedWindowsAhead,o=e.renderedWindowsBehind,n=this._requiredWindowsAhead,r=this._requiredWindowsBehind,i=Math.min(t,n+1),a=Math.min(o,r+1);i===n&&a===r||(this._requiredWindowsAhead=i,this._requiredWindowsBehind=a,this._updateRenderRects(this.props,this.state),this.setState(this._updatePages(this.props,this.state))),(t>i||o>a)&&this._onAsyncIdle()},t.prototype._onScrollingDone=function(){this.props.ignoreScrollingState||this.setState({isScrolling:!1})},t.prototype._onAsyncResize=function(){this.forceUpdate()},t.prototype._updatePages=function(e,t){this._requiredRect||this._updateRenderRects(e,t);var o=this._buildPages(e,t),n=t.pages;return this._notifyPageChanges(n,o.pages,this.props),(0,l.pi)((0,l.pi)({},t),o)},t.prototype._notifyPageChanges=function(e,t,o){var n=o.onPageAdded,r=o.onPageRemoved;if(n||r){for(var i={},a=0,s=e;a-1,x=!f||C>=f.top&&u<=f.bottom,k=!b._requiredRect||C>=b._requiredRect.top&&u<=b._requiredRect.bottom;if(!g&&(k||x&&S)||!h||p>=e&&p=b._visibleRect.top&&u<=b._visibleRect.bottom),s.push(I),k&&b._allowedRect&&(y=a,_={top:u,bottom:C,height:i,left:f.left,right:f.right,width:f.width},y.top=_.topy.bottom||-1===y.bottom?_.bottom:y.bottom,y.right=_.right>y.right||-1===y.right?_.right:y.right,y.width=y.right-y.left+1,y.height=y.bottom-y.top+1)}else d||(d=b._createPage("spacer-"+e,void 0,e,0,void 0,l,!0)),d.height=(d.height||0)+(C-u)+1,d.itemCount+=c;if(u+=C-u+1,g&&h)return"break"},b=this,y=r;ythis._estimatedPageHeight/3)&&(a=this._surfaceRect=Do(this._surface.current),this._scrollTop=c),!o&&s&&s===this._scrollHeight||this._measureVersion++,this._scrollHeight=s;var u=Math.max(0,-a.top),d=(0,So.J)(this._root.current),p={top:u,left:a.left,bottom:u+d.innerHeight,right:a.right,width:a.width,height:d.innerHeight};this._requiredRect=Po(p,this._requiredWindowsBehind,this._requiredWindowsAhead),this._allowedRect=Po(p,r,n),this._visibleRect=p}},t.defaultProps={startIndex:0,onRenderCell:function(e,t,o){return c.createElement(c.Fragment,null,e&&e.name||"")},renderedWindowsAhead:2,renderedWindowsBehind:2},t}(c.Component);function Po(e,t,o){var n=e.top-t*e.height,r=e.height+(t+o)*e.height;return{top:n,bottom:n+r,height:r,left:e.left,right:e.right,width:e.width}}var Mo=function(e){function t(t){var o=e.call(this,t)||this;return o._comboBox=c.createRef(),o._list=c.createRef(),o._onRenderList=function(e){var t=e.onRenderItem;return c.createElement(Eo,{componentRef:o._list,role:"listbox",items:e.options,onRenderCell:t?function(e){return t(e)}:function(){return null}})},o._onScrollToItem=function(e){o._list.current&&o._list.current.scrollToIndex(e)},(0,P.l)(o),o}return(0,l.ZT)(t,e),Object.defineProperty(t.prototype,"selectedOptions",{get:function(){return this._comboBox.current?this._comboBox.current.selectedOptions:[]},enumerable:!0,configurable:!0}),t.prototype.dismissMenu=function(){if(this._comboBox.current)return this._comboBox.current.dismissMenu()},t.prototype.focus=function(e,t){return!!this._comboBox.current&&(this._comboBox.current.focus(e,t),!0)},t.prototype.render=function(){return c.createElement(vo.C,(0,l.pi)({},this.props,{componentRef:this._comboBox,onRenderList:this._onRenderList,onScrollToItem:this._onScrollToItem}))},t}(c.Component),Ro=(0,d.Ct)((function(e){var t=e;return(0,d.Ct)((function(o){if(e===o)throw new Error("Attempted to compose a component with itself.");var n=o,r=(0,d.Ct)((function(e){return function(t){return c.createElement(n,(0,l.pi)({},t,{defaultRender:e}))}}));return function(e){var o=e.defaultRender;return c.createElement(t,(0,l.pi)({},e,{defaultRender:o?r(o):n}))}}))}));function No(e,t){return Ro(e)(t)}var Bo=o(344),Fo=function(e){var t=Bo.K.getInstance(),o=e.className,n=e.overflowItems,r=e.keytipSequences,i=e.itemSubMenuProvider,a=e.onRenderOverflowButton,s=(0,q.B)({}),u=c.useCallback((function(e){return i?i(e):e.subMenuProps?e.subMenuProps.items:void 0}),[i]),d=c.useMemo((function(){var e,o=[];return r?null===(e=n)||void 0===e||e.forEach((function(e){var n,i,a,c,d=e.keytipProps;if(d){var p={content:d.content,keySequences:d.keySequences,disabled:d.disabled||!(!e.disabled&&!e.isDisabled),hasDynamicChildren:d.hasDynamicChildren,hasMenu:d.hasMenu};d.hasDynamicChildren||u(e)?p.onExecute=t.menuExecute.bind(t,r,null===(i=null===(n=e)||void 0===n?void 0:n.keytipProps)||void 0===i?void 0:i.keySequences):p.onExecute=d.onExecute,s[p.content]=p;var m=(0,l.pi)((0,l.pi)({},e),{keytipProps:(0,l.pi)((0,l.pi)({},d),{overflowSetSequence:r})});null===(a=o)||void 0===a||a.push(m)}else null===(c=o)||void 0===c||c.push(e)})):o=n,o}),[n,u,t,r,s]);return function(e,t){c.useEffect((function(){return Object.keys(e).forEach((function(o){var n=e[o],r=t.register(n,!0);e[r]=n,delete e[o]})),function(){Object.keys(e).forEach((function(o){t.unregister(e[o],o,!0),delete e[o]}))}}),[e,t])}(s,t),c.createElement("div",{className:o},a(d))},Lo=(0,D.y)(),Ao=c.forwardRef((function(e,t){var o=c.useRef(null),n=(0,N.r)(o,t);!function(e,t){c.useImperativeHandle(e.componentRef,(function(){return{focus:function(){var e=!1;return t.current&&(e=(0,ot.uo)(t.current)),e},focusElement:function(e){var o=!1;return!!e&&(t.current&&(0,it.t)(t.current,e)&&(e.focus(),o=document.activeElement===e),o)}}}),[t])}(e,o);var r=e.items,i=e.overflowItems,a=e.className,s=e.styles,u=e.vertical,d=e.role,p=e.overflowSide,m=void 0===p?"end":p,h=e.onRenderItem,g=Lo(s,{className:a,vertical:u}),f=!!i&&i.length>0;return c.createElement("div",(0,l.pi)({},(0,E.pq)(e,E.n7),{role:d||"group","aria-orientation":"menubar"===d?!0===u?"vertical":"horizontal":void 0,className:g.root,ref:n}),"start"===m&&f&&c.createElement(Fo,(0,l.pi)({},e,{className:g.overflowButton})),r&&r.map((function(e,t){return c.createElement("div",{className:g.item,key:e.key},h(e))})),"end"===m&&f&&c.createElement(Fo,(0,l.pi)({},e,{className:g.overflowButton})))}));Ao.displayName="OverflowSet";var zo,Ho={flexShrink:0,display:"inherit"},Oo=(0,I.z)(Ao,(function(e){var t=e.className;return{root:["ms-OverflowSet",{position:"relative",display:"flex",flexWrap:"nowrap"},e.vertical&&{flexDirection:"column"},t],item:["ms-OverflowSet-item",Ho],overflowButton:["ms-OverflowSet-overflowButton",Ho]}}),void 0,{scope:"OverflowSet"}),Wo=(0,d.NF)((function(e){var t={height:"100%"},o={whiteSpace:"nowrap"},n=e||{},r=n.root,i=n.label,a=(0,l._T)(n,["root","label"]);return(0,l.pi)((0,l.pi)({},a),{root:r?[t,r]:t,label:i?[o,i]:o})})),Vo=(0,D.y)(),Ko=function(e){function t(t){var o=e.call(this,t)||this;return o._overflowSet=c.createRef(),o._resizeGroup=c.createRef(),o._onRenderData=function(e){return c.createElement(M.k,{className:(0,pt.i)(o._classNames.root),direction:R.U.horizontal,role:"menubar","aria-label":o.props.ariaLabel},c.createElement(Oo,{role:"none",componentRef:o._overflowSet,className:(0,pt.i)(o._classNames.primarySet),items:e.primaryItems,overflowItems:e.overflowItems.length?e.overflowItems:void 0,onRenderItem:o._onRenderItem,onRenderOverflowButton:o._onRenderOverflowButton}),e.farItems&&e.farItems.length>0&&c.createElement(Oo,{role:"none",className:(0,pt.i)(o._classNames.secondarySet),items:e.farItems,onRenderItem:o._onRenderItem,onRenderOverflowButton:Ie.S}))},o._onRenderItem=function(e){if(e.onRender)return e.onRender(e,(function(){}));var t=e.text||e.name,n=(0,l.pi)((0,l.pi)({allowDisabledFocus:!0,role:"menuitem"},e),{styles:Wo(e.buttonStyles),className:(0,pt.i)("ms-CommandBarItem-link",e.className),text:e.iconOnly?void 0:t,menuProps:e.subMenuProps,onClick:o._onButtonClick(e)});return e.iconOnly&&(void 0!==t||e.tooltipHostProps)?c.createElement(ie.G,(0,l.pi)({content:t},e.tooltipHostProps),o._commandButton(e,n)):o._commandButton(e,n)},o._commandButton=function(e,t){var n=o.props.buttonAs,r=e.commandBarButtonAs,i=ke.Q;return r&&(i=No(r,i)),n&&(i=No(n,i)),c.createElement(i,(0,l.pi)({},t))},o._onRenderOverflowButton=function(e){var t=o.props.overflowButtonProps,n=void 0===t?{}:t,r=(0,l.pr)(n.menuProps?n.menuProps.items:[],e),i=(0,l.pi)((0,l.pi)({role:"menuitem"},n),{styles:(0,l.pi)({menuIcon:{fontSize:"17px"}},n.styles),className:(0,pt.i)("ms-CommandBar-overflowButton",n.className),menuProps:(0,l.pi)((0,l.pi)({},n.menuProps),{items:r}),menuIconProps:(0,l.pi)({iconName:"More"},n.menuIconProps)}),a=o.props.overflowButtonAs?No(o.props.overflowButtonAs,ke.Q):ke.Q;return c.createElement(a,(0,l.pi)({},i))},o._onReduceData=function(e){var t=o.props,n=t.shiftOnReduce,r=t.onDataReduced,i=e.primaryItems,a=e.overflowItems,s=e.cacheKey,c=i[n?0:i.length-1];if(void 0!==c){c.renderedInOverflow=!0,a=(0,l.pr)([c],a),i=n?i.slice(1):i.slice(0,-1);var u=(0,l.pi)((0,l.pi)({},e),{primaryItems:i,overflowItems:a});return s=o._computeCacheKey({primaryItems:i,overflow:a.length>0}),r&&r(c),u.cacheKey=s,u}},o._onGrowData=function(e){var t=o.props,n=t.shiftOnReduce,r=t.onDataGrown,i=e.minimumOverflowItems,a=e.primaryItems,s=e.overflowItems,c=e.cacheKey,u=s[0];if(void 0!==u&&s.length>i){u.renderedInOverflow=!1,s=s.slice(1),a=n?(0,l.pr)([u],a):(0,l.pr)(a,[u]);var d=(0,l.pi)((0,l.pi)({},e),{primaryItems:a,overflowItems:s});return c=o._computeCacheKey({primaryItems:a,overflow:s.length>0}),r&&r(u),d.cacheKey=c,d}},(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.items,o=e.overflowItems,n=e.farItems,r=e.styles,i=e.theme,a=e.dataDidRender,s=e.onReduceData,u=void 0===s?this._onReduceData:s,d=e.onGrowData,p=void 0===d?this._onGrowData:d,m={primaryItems:(0,l.pr)(t),overflowItems:(0,l.pr)(o),minimumOverflowItems:(0,l.pr)(o).length,farItems:n,cacheKey:this._computeCacheKey({primaryItems:(0,l.pr)(t),overflow:o&&o.length>0})};this._classNames=Vo(r,{theme:i});var h=(0,E.pq)(this.props,E.n7);return c.createElement(re,(0,l.pi)({},h,{componentRef:this._resizeGroup,data:m,onReduceData:u,onGrowData:p,onRenderData:this._onRenderData,dataDidRender:a}))},t.prototype.focus=function(){var e=this._overflowSet.current;e&&e.focus()},t.prototype.remeasure=function(){this._resizeGroup.current&&this._resizeGroup.current.remeasure()},t.prototype._onButtonClick=function(e){return function(t){e.inactive||e.onClick&&e.onClick(t,e)}},t.prototype._computeCacheKey=function(e){var t=e.primaryItems,o=e.overflow;return[t&&t.reduce((function(e,t){var o=t.cacheKey;return e+(void 0===o?t.key:o)}),""),o?"overflow":""].join("")},t.defaultProps={items:[],overflowItems:[]},t}(c.Component),qo=(0,I.z)(Ko,(function(e){var t=e.className,o=e.theme,n=o.semanticColors;return{root:[o.fonts.medium,"ms-CommandBar",{display:"flex",backgroundColor:n.bodyBackground,padding:"0 14px 0 24px",height:44},t],primarySet:["ms-CommandBar-primaryCommand",{flexGrow:"1",display:"flex",alignItems:"stretch"}],secondarySet:["ms-CommandBar-secondaryCommand",{flexShrink:"0",display:"flex",alignItems:"stretch"}]}}),void 0,{scope:"CommandBar"}),Go=o(9134),Uo=o(7817),jo=o(5183),Jo=o(6662),Yo=o(1839),Zo=o(668),Xo=o(127),Qo=o(6381),$o=o(1194),en=o(6974),tn=o(7433),on=o(5238),nn=o(3297),rn=o(4449);!function(e){e[e.hidden=0]="hidden",e[e.visible=1]="visible"}(zo||(zo={}));var an,sn,ln,cn,un,dn=o(2782);!function(e){e[e.disabled=0]="disabled",e[e.clickable=1]="clickable",e[e.hasDropdown=2]="hasDropdown"}(an||(an={})),function(e){e[e.unconstrained=0]="unconstrained",e[e.horizontalConstrained=1]="horizontalConstrained"}(sn||(sn={})),function(e){e[e.outside=0]="outside",e[e.surface=1]="surface",e[e.header=2]="header"}(ln||(ln={})),function(e){e[e.fixedColumns=0]="fixedColumns",e[e.justified=1]="justified"}(cn||(cn={})),function(e){e[e.onHover=0]="onHover",e[e.always=1]="always",e[e.hidden=2]="hidden"}(un||(un={}));var pn=function(e){var t=e.count,o=e.indentWidth,n=void 0===o?36:o,r=e.role,i=void 0===r?"presentation":r,a=t*n;return t>0?c.createElement("span",{className:"ms-GroupSpacer",style:{display:"inline-block",width:a},role:i}):null},mn={root:"ms-DetailsRow",compact:"ms-DetailsList--Compact",cell:"ms-DetailsRow-cell",cellAnimation:"ms-DetailsRow-cellAnimation",cellCheck:"ms-DetailsRow-cellCheck",check:"ms-DetailsRow-check",cellMeasurer:"ms-DetailsRow-cellMeasurer",listCellFirstChild:"ms-List-cell:first-child",isContentUnselectable:"is-contentUnselectable",isSelected:"is-selected",isCheckVisible:"is-check-visible",isRowHeader:"is-row-header",fields:"ms-DetailsRow-fields"},hn={cellLeftPadding:12,cellRightPadding:8,cellExtraRightPadding:24},gn={rowHeight:42,compactRowHeight:32},fn=(0,l.pi)((0,l.pi)({},gn),{rowVerticalPadding:11,compactRowVerticalPadding:6}),vn=function(e){var t,o,n,r,i,a,s,c,d,p,m,h,g=e.theme,f=e.isSelected,v=e.canSelect,b=e.droppingClassName,y=e.anySelected,_=e.isCheckVisible,C=e.checkboxCellClassName,S=e.compact,x=e.className,k=e.cellStyleProps,w=void 0===k?hn:k,I=e.enableUpdateAnimations,D=g.palette,T=g.fonts,E=D.neutralPrimary,P=D.white,M=D.neutralSecondary,R=D.neutralLighter,N=D.neutralLight,B=D.neutralDark,F=D.neutralQuaternaryAlt,L=g.semanticColors.focusBorder,A=(0,u.Cn)(mn,g),z={defaultHeaderText:E,defaultMetaText:M,defaultBackground:P,defaultHoverHeaderText:B,defaultHoverMetaText:E,defaultHoverBackground:R,selectedHeaderText:B,selectedMetaText:E,selectedBackground:N,selectedHoverHeaderText:B,selectedHoverMetaText:E,selectedHoverBackground:F,focusHeaderText:B,focusMetaText:E,focusBackground:N,focusHoverBackground:F},H=[(0,u.GL)(g,{inset:-1,borderColor:L,outlineColor:P}),A.isSelected,{color:z.selectedMetaText,background:z.selectedBackground,borderBottom:"1px solid "+P,selectors:(t={"&:before":{position:"absolute",display:"block",top:-1,height:1,bottom:0,left:0,right:0,content:"",borderTop:"1px solid "+P},"&:hover":{background:z.selectedHoverBackground,color:z.selectedHoverMetaText,selectors:(o={},o["."+A.cell+" "+u.qJ]={color:"HighlightText",selectors:{"> a":{color:"HighlightText"}}},o["."+A.isRowHeader]={color:z.selectedHoverHeaderText,selectors:(n={},n[u.qJ]={color:"HighlightText"},n)},o[u.qJ]={background:"Highlight"},o)},"&:focus":{background:z.focusBackground,selectors:(r={},r["."+A.cell]={color:z.focusMetaText,selectors:(i={},i[u.qJ]={color:"HighlightText",selectors:{"> a":{color:"HighlightText"}}},i)},r["."+A.isRowHeader]={color:z.focusHeaderText,selectors:(a={},a[u.qJ]={color:"HighlightText"},a)},r[u.qJ]={background:"Highlight"},r)}},t[u.qJ]=(0,l.pi)((0,l.pi)({background:"Highlight",color:"HighlightText"},(0,u.xM)()),{selectors:{a:{color:"HighlightText"}}}),t["&:focus:hover"]={background:z.focusHoverBackground},t)}],O=[A.isContentUnselectable,{userSelect:"none",cursor:"default"}],W={minHeight:fn.compactRowHeight,border:0},V={minHeight:fn.compactRowHeight,paddingTop:fn.compactRowVerticalPadding,paddingBottom:fn.compactRowVerticalPadding,paddingLeft:w.cellLeftPadding+"px"},K=[(0,u.GL)(g,{inset:-1}),A.cell,{display:"inline-block",position:"relative",boxSizing:"border-box",minHeight:fn.rowHeight,verticalAlign:"top",whiteSpace:"nowrap",overflow:"hidden",textOverflow:"ellipsis",paddingTop:fn.rowVerticalPadding,paddingBottom:fn.rowVerticalPadding,paddingLeft:w.cellLeftPadding+"px",selectors:(s={"& > button":{maxWidth:"100%"}},s["[data-is-focusable='true']"]=(0,u.GL)(g,{inset:-1,borderColor:M,outlineColor:P}),s)},f&&{selectors:(c={},c[u.qJ]=(0,l.pi)((0,l.pi)({background:"Highlight",color:"HighlightText"},(0,u.xM)()),{selectors:{a:{color:"HighlightText"}}}),c)},S&&V];return{root:[A.root,u.k4.fadeIn400,b,g.fonts.small,_&&A.isCheckVisible,(0,u.GL)(g,{borderColor:L,outlineColor:P}),{borderBottom:"1px solid "+R,background:z.defaultBackground,color:z.defaultMetaText,display:"inline-flex",minWidth:"100%",minHeight:fn.rowHeight,whiteSpace:"nowrap",padding:0,boxSizing:"border-box",verticalAlign:"top",textAlign:"left",selectors:(d={},d["."+A.listCellFirstChild+" &:before"]={display:"none"},d["&:hover"]={background:z.defaultHoverBackground,color:z.defaultHoverMetaText,selectors:(p={},p["."+A.isRowHeader]={color:z.defaultHoverHeaderText},p)},d["&:hover ."+A.check]={opacity:1},d["."+de.G$+" &:focus ."+A.check]={opacity:1},d[".ms-GroupSpacer"]={flexShrink:0,flexGrow:0},d)},f&&H,!v&&O,S&&W,x],cellUnpadded:{paddingRight:w.cellRightPadding+"px"},cellPadded:{paddingRight:w.cellExtraRightPadding+w.cellRightPadding+"px",selectors:(m={},m["&."+A.cellCheck]={paddingRight:0},m)},cell:K,cellAnimation:I&&u.Ic.slideLeftIn40,cellMeasurer:[A.cellMeasurer,{overflow:"visible",whiteSpace:"nowrap"}],checkCell:[K,A.cellCheck,C,{padding:0,paddingTop:1,marginTop:-1,flexShrink:0}],checkCover:{position:"absolute",top:-1,left:0,bottom:0,right:0,display:y?"block":"none"},fields:[A.fields,{display:"flex",alignItems:"stretch"}],isRowHeader:[A.isRowHeader,{color:z.defaultHeaderText,fontSize:T.medium.fontSize},f&&{color:z.selectedHeaderText,fontWeight:u.lq.semibold,selectors:(h={},h[u.qJ]={color:"HighlightText"},h)}],isMultiline:[K,{whiteSpace:"normal",wordBreak:"break-word",textOverflow:"clip"}],check:[A.check]}},bn={tooltipHost:"ms-TooltipHost",root:"ms-DetailsHeader",cell:"ms-DetailsHeader-cell",cellIsCheck:"ms-DetailsHeader-cellIsCheck",collapseButton:"ms-DetailsHeader-collapseButton",isCollapsed:"is-collapsed",isAllSelected:"is-allSelected",isSelectAllHidden:"is-selectAllHidden",isResizingColumn:"is-resizingColumn",cellSizer:"ms-DetailsHeader-cellSizer",isResizing:"is-resizing",dropHintCircleStyle:"ms-DetailsHeader-dropHintCircleStyle",dropHintCaretStyle:"ms-DetailsHeader-dropHintCaretStyle",dropHintLineStyle:"ms-DetailsHeader-dropHintLineStyle",cellTitle:"ms-DetailsHeader-cellTitle",cellName:"ms-DetailsHeader-cellName",filterChevron:"ms-DetailsHeader-filterChevron",gripperBarVertical:"ms-DetailsColumn-gripperBarVertical",checkTooltip:"ms-DetailsHeader-checkTooltip",check:"ms-DetailsHeader-check"},yn=function(e){var t=e.theme,o=e.cellStyleProps,n=void 0===o?hn:o,r=t.semanticColors;return[(0,u.Cn)(bn,t).cell,(0,u.GL)(t),{color:r.bodyText,position:"relative",display:"inline-block",boxSizing:"border-box",padding:"0 "+n.cellRightPadding+"px 0 "+n.cellLeftPadding+"px",lineHeight:"inherit",margin:"0",height:42,verticalAlign:"top",whiteSpace:"nowrap",textOverflow:"ellipsis",textAlign:"left"}]},_n={root:"ms-DetailsRow-check",isDisabled:"ms-DetailsRow-check--isDisabled",isHeader:"ms-DetailsRow-check--isHeader"},Cn=(0,D.y)(),Sn=c.memo((function(e){return c.createElement(je,{theme:e.theme,checked:e.checked,className:e.className,useFastIcons:!0})}));function xn(e){return c.createElement(je,{checked:e.checked})}function kn(e){return c.createElement(Sn,{theme:e.theme,checked:e.checked})}var wn,In=(0,I.z)((function(e){var t=e.isVisible,o=void 0!==t&&t,n=e.canSelect,r=void 0!==n&&n,i=e.anySelected,a=void 0!==i&&i,s=e.selected,u=void 0!==s&&s,d=e.isHeader,p=void 0!==d&&d,m=e.className,h=(e.checkClassName,e.styles),g=e.theme,f=e.compact,v=e.onRenderDetailsCheckbox,b=e.useFastIcons,y=void 0===b||b,_=(0,l._T)(e,["isVisible","canSelect","anySelected","selected","isHeader","className","checkClassName","styles","theme","compact","onRenderDetailsCheckbox","useFastIcons"]),C=y?kn:xn,S=v?(0,ko.k)(v,C):C,x=Cn(h,{theme:g,canSelect:r,selected:u,anySelected:a,className:m,isHeader:p,isVisible:o,compact:f}),k={checked:u,theme:g};return r?c.createElement("div",(0,l.pi)({},_,{role:"checkbox",className:(0,pt.i)(x.root,x.check),"aria-checked":u,"data-selection-toggle":!0,"data-automationid":"DetailsRowCheck"}),S(k)):c.createElement("div",(0,l.pi)({},_,{className:(0,pt.i)(x.root,x.check)}))}),(function(e){var t=e.theme,o=e.className,n=e.isHeader,r=e.selected,i=e.anySelected,a=e.canSelect,s=e.compact,l=e.isVisible,c=(0,u.Cn)(_n,t),d=gn.rowHeight,p=gn.compactRowHeight,m=n?42:s?p:d,h=l||r||i;return{root:[c.root,o],check:[!a&&c.isDisabled,n&&c.isHeader,(0,u.GL)(t),t.fonts.small,Ue.checkHost,{display:"flex",alignItems:"center",justifyContent:"center",cursor:"default",boxSizing:"border-box",verticalAlign:"top",background:"none",backgroundColor:"transparent",border:"none",opacity:h?1:0,height:m,width:48,padding:0,margin:0}],isDisabled:[]}}),void 0,{scope:"DetailsRowCheck"},!0),Dn=function(){function e(e){this._selection=e.selection,this._dragEnterCounts={},this._activeTargets={},this._lastId=0,this._initialized=!1}return e.prototype.dispose=function(){this._events&&this._events.dispose()},e.prototype.subscribe=function(e,t,o){var n=this;if(!this._initialized){this._events=new at.r(this);var r=(0,nt.M)();r&&(this._events.on(r.body,"mouseup",this._onMouseUp.bind(this),!0),this._events.on(r,"mouseup",this._onDocumentMouseUp.bind(this),!0)),this._initialized=!0}var i,a,s,l,c,u,d,p,m,h,g=o.key,f=void 0===g?""+ ++this._lastId:g,v=[];if(o&&e){var b=o.eventMap,y=o.context,_=o.updateDropState,C={root:e,options:o,key:f};if(p=this._isDraggable(C),m=this._isDroppable(C),(p||m)&&b)for(var S=0,x=b;S0&&(at.r.raise(this._dragData.dropTarget.root,"dragleave"),at.r.raise(r,"dragenter"),this._dragData.dropTarget=e)}},e.prototype._onMouseLeave=function(e,t){this._isDragging&&this._dragData&&this._dragData.dropTarget&&this._dragData.dropTarget.key===e.key&&(at.r.raise(e.root,"dragleave"),this._dragData.dropTarget=void 0)},e.prototype._onMouseDown=function(e,t){if(0===t.button)if(this._isDraggable(e)){this._dragData={clientX:t.clientX,clientY:t.clientY,eventTarget:t.target,dragTarget:e};for(var o=0,n=Object.keys(this._activeTargets);o=0&&"drop"!==t.type&&!e&&o._resetDropHints()},o._onDragOver=function(e,t){o._draggedColumnIndex>=0&&(t.stopPropagation(),o._computeDropHintToBeShown(t.clientX))},o._onDrop=function(e,t){var n=o._getColumnReorderProps();if(o._draggedColumnIndex>=0&&t){var r=o._draggedColumnIndex>o._currentDropHintIndex?o._currentDropHintIndex:o._currentDropHintIndex-1,i=o._isValidCurrentDropHintIndex();if(t.stopPropagation(),i)if(o._onDropIndexInfo.sourceIndex=o._draggedColumnIndex,o._onDropIndexInfo.targetIndex=r,n.onColumnDrop){var a={draggedIndex:o._draggedColumnIndex,targetIndex:r};n.onColumnDrop(a)}else n.handleColumnReorder&&n.handleColumnReorder(o._draggedColumnIndex,r)}o._resetDropHints(),o._dropHintDetails={},o._draggedColumnIndex=-1},o._updateDragInfo=function(e,t){var n=o._getColumnReorderProps(),r=e.itemIndex;if(r>=0)o._draggedColumnIndex=o._isCheckboxColumnHidden()?r-1:r-2,o._getDropHintPositions(),n.onColumnDragStart&&n.onColumnDragStart(!0);else if(t&&o._draggedColumnIndex>=0&&(o._resetDropHints(),o._draggedColumnIndex=-1,o._dropHintDetails={},n.onColumnDragEnd)){var i=o._isEventOnHeader(t);n.onColumnDragEnd({dropLocation:i},t)}},o._getDropHintPositions=function(){for(var e,t=o.props.columns,n=void 0===t?Nn:t,r=o._getColumnReorderProps(),i=0,a=0,s=r.frozenColumnCountFromStart||0,l=r.frozenColumnCountFromEnd||0,c=s;c=0&&(o._resetDropHints(),o._updateDropHintElement(o._dropHintDetails[p].dropHintElementRef,"inline-block"),o._currentDropHintIndex=p)}},o._renderColumnSizer=function(e){var t,n=e.columnIndex,r=o.props.columns,i=void 0===r?Nn:r,a=i[n],s=o.state.columnResizeDetails,l=o._classNames;return a.isResizable?c.createElement("div",{key:a.key+"_sizer","aria-hidden":!0,role:"button","data-is-focusable":!1,onClick:zn,"data-sizer-index":n,onBlur:o._onSizerBlur,className:(0,pt.i)(l.cellSizer,n=0&&this._onDropIndexInfo.targetIndex>=0){var t=e.columns,o=void 0===t?Nn:t,n=this.props.columns,r=void 0===n?Nn:n;o[this._onDropIndexInfo.sourceIndex].key===r[this._onDropIndexInfo.targetIndex].key&&(this._onDropIndexInfo={sourceIndex:-1,targetIndex:-1})}this.props.isAllCollapsed!==e.isAllCollapsed&&this.setState({isAllCollapsed:this.props.isAllCollapsed})},t.prototype.componentWillUnmount=function(){this._subscriptionObject&&(this._subscriptionObject.dispose(),delete this._subscriptionObject),this._dragDropHelper.dispose(),this._events.dispose()},t.prototype.render=function(){var e=this,t=this.props,o=t.columns,n=void 0===o?Nn:o,r=t.ariaLabel,i=t.ariaLabelForToggleAllGroupsButton,a=t.ariaLabelForSelectAllCheckbox,s=t.selectAllVisibility,l=t.ariaLabelForSelectionColumn,u=t.indentWidth,d=t.onColumnClick,p=t.onColumnContextMenu,m=t.onRenderColumnHeaderTooltip,h=void 0===m?this._onRenderColumnHeaderTooltip:m,g=t.styles,f=t.selectionMode,v=t.theme,b=t.onRenderDetailsCheckbox,y=t.groupNestingDepth,_=t.useFastIcons,C=t.checkboxVisibility,S=t.className,x=this.state,k=x.isAllSelected,w=x.columnResizeDetails,I=x.isSizing,D=x.isAllCollapsed,E=s!==wn.none,P=s===wn.hidden,N=C===un.always,B=this._getColumnReorderProps(),F=B&&B.frozenColumnCountFromStart?B.frozenColumnCountFromStart:0,L=B&&B.frozenColumnCountFromEnd?B.frozenColumnCountFromEnd:0;this._classNames=Rn(g,{theme:v,isAllSelected:k,isSelectAllHidden:s===wn.hidden,isResizingColumn:!!w&&I,isSizing:I,isAllCollapsed:D,isCheckboxHidden:P,className:S});var A=this._classNames,z=_?Ve.xu:W.J,H=(0,T.zg)(v);return c.createElement(M.k,{role:"row","aria-label":r,className:A.root,componentRef:this._rootComponent,elementRef:this._rootElement,onMouseMove:this._onRootMouseMove,"data-automationid":"DetailsHeader",direction:R.U.horizontal},E?[c.createElement("div",{key:"__checkbox",className:A.cellIsCheck,"aria-labelledby":this._id+"-check",onClick:P?void 0:this._onSelectAllClicked,"aria-colindex":1,role:"columnheader"},h({hostClassName:A.checkTooltip,id:this._id+"-checkTooltip",setAriaDescribedBy:!1,content:a,children:c.createElement(In,{id:this._id+"-check","aria-label":f===on.oW.multiple?a:l,"aria-describedby":P?l&&!this.props.onRenderColumnHeaderTooltip?this._id+"-checkTooltip":void 0:a&&!this.props.onRenderColumnHeaderTooltip?this._id+"-checkTooltip":void 0,"data-is-focusable":!P||void 0,isHeader:!0,selected:k,anySelected:!1,canSelect:!P,className:A.check,onRenderDetailsCheckbox:b,useFastIcons:_,isVisible:N})},this._onRenderColumnHeaderTooltip)),this.props.onRenderColumnHeaderTooltip?null:a&&!P?c.createElement("label",{key:"__checkboxLabel",id:this._id+"-checkTooltip",className:A.accessibleLabel,"aria-hidden":!0},a):l&&P?c.createElement("label",{key:"__checkboxLabel",id:this._id+"-checkTooltip",className:A.accessibleLabel,"aria-hidden":!0},l):null]:null,y>0&&this.props.collapseAllVisibility===zo.visible?c.createElement("div",{className:A.cellIsGroupExpander,onClick:this._onToggleCollapseAll,"data-is-focusable":!0,"aria-label":i,"aria-expanded":!D,role:"columnheader"},c.createElement(z,{className:A.collapseButton,iconName:H?"ChevronLeftMed":"ChevronRightMed"})):null,c.createElement(pn,{indentWidth:u,role:"gridcell",count:y-1}),n.map((function(t,o){var r=!!B&&o>=F&&o=0},t.prototype._isCheckboxColumnHidden=function(){var e=this.props,t=e.selectionMode,o=e.checkboxVisibility;return t===on.oW.none||o===un.hidden},t.prototype._resetDropHints=function(){this._currentDropHintIndex>=0&&(this._updateDropHintElement(this._dropHintDetails[this._currentDropHintIndex].dropHintElementRef,"none"),this._currentDropHintIndex=-1)},t.prototype._updateDropHintElement=function(e,t){e.childNodes[1].style.display=t,e.childNodes[0].style.display=t},t.prototype._isEventOnHeader=function(e){if(this._rootElement.current){var t=this._rootElement.current.getBoundingClientRect();if(e.clientX>t.left&&e.clientXt.top&&e.clientY=n:t>=o&&t<=n}function Ln(e,t,o){return e?t>=o:t<=o}function An(e,t,o){return e?t<=o:t>=o}function zn(e){e.stopPropagation()}var Hn=(0,I.z)(Bn,(function(e){var t,o,n,r,i=e.theme,a=e.className,s=e.isAllSelected,c=e.isResizingColumn,d=e.isSizing,p=e.isAllCollapsed,m=e.cellStyleProps,h=void 0===m?hn:m,g=i.semanticColors,f=i.palette,v=i.fonts,b=(0,u.Cn)(bn,i),y={iconForegroundColor:g.bodySubtext,headerForegroundColor:g.bodyText,headerBackgroundColor:g.bodyBackground,resizerColor:f.neutralTertiaryAlt},_={opacity:1,transition:"opacity 0.3s linear"},C=yn(e);return{root:[b.root,v.small,{display:"inline-block",background:y.headerBackgroundColor,position:"relative",minWidth:"100%",verticalAlign:"top",height:42,lineHeight:42,whiteSpace:"nowrap",boxSizing:"content-box",paddingBottom:"1px",paddingTop:"16px",borderBottom:"1px solid "+g.bodyDivider,cursor:"default",userSelect:"none",selectors:(t={},t["&:hover ."+b.check]={opacity:1},t["& ."+b.tooltipHost+" ."+b.checkTooltip]={display:"block"},t)},s&&b.isAllSelected,c&&b.isResizingColumn,a],check:[b.check,{height:42},{selectors:(o={},o["."+de.G$+" &:focus"]={opacity:1},o)}],cellWrapperPadded:{paddingRight:h.cellExtraRightPadding+h.cellRightPadding},cellIsCheck:[C,b.cellIsCheck,{position:"relative",padding:0,margin:0,display:"inline-flex",alignItems:"center",border:"none"},s&&{opacity:1}],cellIsGroupExpander:[C,{display:"inline-flex",alignItems:"center",justifyContent:"center",fontSize:v.small.fontSize,padding:0,border:"none",width:36,color:f.neutralSecondary,selectors:{":hover":{backgroundColor:f.neutralLighter},":active":{backgroundColor:f.neutralLight}}}],cellIsActionable:{selectors:{":hover":{color:g.bodyText,background:g.listHeaderBackgroundHovered},":active":{background:g.listHeaderBackgroundPressed}}},cellIsEmpty:{textOverflow:"clip"},cellSizer:[b.cellSizer,(0,u.e2)(),{display:"inline-block",position:"relative",cursor:"ew-resize",bottom:0,top:0,overflow:"hidden",height:"inherit",background:"transparent",zIndex:1,width:16,selectors:(n={":after":{content:'""',position:"absolute",top:0,bottom:0,width:1,background:y.resizerColor,opacity:0,left:"50%"},":focus:after":_,":hover:after":_},n["&."+b.isResizing+":after"]=[_,{boxShadow:"0 0 5px 0 rgba(0, 0, 0, 0.4)"}],n)}],cellIsResizing:b.isResizing,cellSizerStart:{margin:"0 -8px"},cellSizerEnd:{margin:0,marginLeft:-16},collapseButton:[b.collapseButton,{transformOrigin:"50% 50%",transition:"transform .1s linear"},p?[b.isCollapsed,{transform:"rotate(0deg)"}]:{transform:(0,T.zg)(i)?"rotate(-90deg)":"rotate(90deg)"}],checkTooltip:b.checkTooltip,sizingOverlay:d&&{position:"absolute",left:0,top:0,right:0,bottom:0,cursor:"ew-resize",background:"rgba(255, 255, 255, 0)",selectors:(r={},r[u.qJ]=(0,l.pi)({background:"transparent"},(0,u.xM)()),r)},accessibleLabel:u.ul,dropHintCircleStyle:[b.dropHintCircleStyle,{display:"inline-block",visibility:"hidden",position:"absolute",bottom:0,height:9,width:9,borderRadius:"50%",marginLeft:-5,top:34,overflow:"visible",zIndex:10,border:"1px solid "+f.themePrimary,background:f.white}],dropHintCaretStyle:[b.dropHintCaretStyle,{display:"none",position:"absolute",top:-28,left:-6.5,fontSize:v.medium.fontSize,color:f.themePrimary,overflow:"visible",zIndex:10}],dropHintLineStyle:[b.dropHintLineStyle,{display:"none",position:"absolute",bottom:0,top:0,overflow:"hidden",height:42,width:1,background:f.themePrimary,zIndex:10}],dropHintStyle:{display:"inline-block",position:"absolute"}}}),void 0,{scope:"DetailsHeader"}),On=function(e){var t=e.columns,o=e.columnStartIndex,n=e.rowClassNames,r=e.cellStyleProps,i=void 0===r?hn:r,a=e.item,s=e.itemIndex,l=e.onRenderItemColumn,u=e.getCellValueKey,d=e.cellsByColumn,p=e.enableUpdateAnimations,m=c.useRef(),h=m.current||(m.current={});return c.createElement("div",{className:n.fields,"data-automationid":"DetailsRowFields",role:"presentation"},t.map((function(e,t){var r=void 0===e.calculatedWidth?"auto":e.calculatedWidth+i.cellLeftPadding+i.cellRightPadding+(e.isPadded?i.cellExtraRightPadding:0),m=e.onRender,g=void 0===m?l:m,f=e.getValueKey,v=void 0===f?u:f,b=d&&e.key in d?d[e.key]:g?g(a,s,e):function(e,t){var o=e&&t&&t.fieldName?e[t.fieldName]:"";return null==o&&(o=""),"boolean"==typeof o?o.toString():o}(a,e),y=h[e.key],_=p&&v?v(a,s,e):void 0,C=!1;void 0!==_&&void 0!==y&&_!==y&&(C=!0),h[e.key]=_;var S=e.key+(void 0!==_?"-"+_:"");return c.createElement("div",{key:S,role:e.isRowHeader?"rowheader":"gridcell","aria-readonly":!0,"aria-colindex":t+o+1,className:(0,pt.i)(e.className,e.isMultiline&&n.isMultiline,e.isRowHeader&&n.isRowHeader,n.cell,e.isPadded?n.cellPadded:n.cellUnpadded,C&&n.cellAnimation),style:{width:r},"data-automationid":"DetailsRowCell","data-automation-key":e.key},b)})))},Wn=(0,D.y)(),Vn=[],Kn=function(e){function t(t){var o=e.call(this,t)||this;return o._root=c.createRef(),o._cellMeasurer=c.createRef(),o._focusZone=c.createRef(),o._onSelectionChanged=function(){var e=qn(o.props);(0,Xt.Vv)(e,o.state.selectionState)||o.setState({selectionState:e})},o._updateDroppingState=function(e,t){var n=o.state.isDropping,r=o.props,i=r.dragDropEvents,a=r.item;e?i.onDragEnter&&(o._droppingClassNames=i.onDragEnter(a,t)):i.onDragLeave&&i.onDragLeave(a,t),n!==e&&o.setState({isDropping:e})},(0,P.l)(o),o._events=new at.r(o),o.state={selectionState:qn(t),columnMeasureInfo:void 0,isDropping:!1},o._droppingClassNames="",o}return(0,l.ZT)(t,e),t.getDerivedStateFromProps=function(e,t){return(0,l.pi)((0,l.pi)({},t),{selectionState:qn(e)})},t.prototype.componentDidMount=function(){var e=this.props,t=e.dragDropHelper,o=e.selection,n=e.item,r=e.onDidMount;t&&this._root.current&&(this._dragDropSubscription=t.subscribe(this._root.current,this._events,this._getRowDragDropOptions())),o&&this._events.on(o,on.F5,this._onSelectionChanged),r&&n&&(this._onDidMountCalled=!0,r(this))},t.prototype.componentDidUpdate=function(e){var t=this.state,o=this.props,n=o.item,r=o.onDidMount,i=t.columnMeasureInfo;if(this.props.itemIndex===e.itemIndex&&this.props.item===e.item&&this.props.dragDropHelper===e.dragDropHelper||(this._dragDropSubscription&&(this._dragDropSubscription.dispose(),delete this._dragDropSubscription),this.props.dragDropHelper&&this._root.current&&(this._dragDropSubscription=this.props.dragDropHelper.subscribe(this._root.current,this._events,this._getRowDragDropOptions()))),i&&i.index>=0&&this._cellMeasurer.current){var a=this._cellMeasurer.current.getBoundingClientRect().width;i.onMeasureDone(a),this.setState({columnMeasureInfo:void 0})}n&&r&&!this._onDidMountCalled&&(this._onDidMountCalled=!0,r(this))},t.prototype.componentWillUnmount=function(){var e=this.props,t=e.item,o=e.onWillUnmount;o&&t&&o(this),this._dragDropSubscription&&(this._dragDropSubscription.dispose(),delete this._dragDropSubscription),this._events.dispose()},t.prototype.shouldComponentUpdate=function(e,t){if(this.props.useReducedRowRenderer){var o=qn(e);return this.state.selectionState.isSelected!==o.isSelected||!(0,Xt.Vv)(this.props,e)}return!0},t.prototype.render=function(){var e=this.props,t=e.className,o=e.columns,n=void 0===o?Vn:o,r=e.dragDropEvents,i=e.item,a=e.itemIndex,s=e.flatIndexOffset,u=void 0===s?2:s,d=e.onRenderCheck,p=void 0===d?this._onRenderCheck:d,m=e.onRenderDetailsCheckbox,h=e.onRenderItemColumn,g=e.getCellValueKey,f=e.selectionMode,v=e.rowWidth,b=void 0===v?0:v,y=e.checkboxVisibility,_=e.getRowAriaLabel,C=e.getRowAriaDescribedBy,S=e.checkButtonAriaLabel,x=e.checkboxCellClassName,k=e.rowFieldsAs,w=void 0===k?On:k,I=e.selection,D=e.indentWidth,T=e.enableUpdateAnimations,P=e.compact,N=e.theme,B=e.styles,F=e.cellsByColumn,L=e.groupNestingDepth,A=e.useFastIcons,z=void 0===A||A,H=e.cellStyleProps,O=this.state,W=O.columnMeasureInfo,V=O.isDropping,K=this.state.selectionState,q=K.isSelected,G=void 0!==q&&q,U=K.isSelectionModal,j=void 0!==U&&U,J=r?!(!r.canDrag||!r.canDrag(i)):void 0,Y=V?this._droppingClassNames||"is-dropping":"",Z=_?_(i):void 0,X=C?C(i):void 0,Q=!!I&&I.canSelectItem(i,a),$=f===on.oW.multiple,ee=f!==on.oW.none&&y!==un.hidden,te=f===on.oW.none?void 0:G;this._classNames=(0,l.pi)((0,l.pi)({},this._classNames),Wn(B,{theme:N,isSelected:G,canSelect:!$,anySelected:j,checkboxCellClassName:x,droppingClassName:Y,className:t,compact:P,enableUpdateAnimations:T,cellStyleProps:H}));var oe={isMultiline:this._classNames.isMultiline,isRowHeader:this._classNames.isRowHeader,cell:this._classNames.cell,cellAnimation:this._classNames.cellAnimation,cellPadded:this._classNames.cellPadded,cellUnpadded:this._classNames.cellUnpadded,fields:this._classNames.fields};(0,Xt.Vv)(this._rowClassNames||{},oe)||(this._rowClassNames=oe);var ne=c.createElement(w,{rowClassNames:this._rowClassNames,cellsByColumn:F,columns:n,item:i,itemIndex:a,columnStartIndex:(ee?1:0)+(L?1:0),onRenderItemColumn:h,getCellValueKey:g,enableUpdateAnimations:T,cellStyleProps:H});return c.createElement(M.k,(0,l.pi)({"data-is-focusable":!0},(0,E.pq)(this.props,E.n7),"boolean"==typeof J?{"data-is-draggable":J,draggable:J}:{},{direction:R.U.horizontal,elementRef:this._root,componentRef:this._focusZone,role:"row","aria-label":Z,"aria-describedby":X,className:this._classNames.root,"data-selection-index":a,"data-selection-touch-invoke":!0,"data-item-index":a,"aria-rowindex":L?void 0:a+u,"aria-level":L&&L+1||void 0,"data-automationid":"DetailsRow",style:{minWidth:b},"aria-selected":te,allowFocusRoot:!0}),ee&&c.createElement("div",{role:"gridcell","aria-colindex":1,"data-selection-toggle":!0,className:this._classNames.checkCell},p({selected:G,anySelected:j,"aria-label":S,canSelect:Q,compact:P,className:this._classNames.check,theme:N,isVisible:y===un.always,onRenderDetailsCheckbox:m,useFastIcons:z})),c.createElement(pn,{indentWidth:D,role:"gridcell",count:L-(this.props.collapseAllVisibility===zo.hidden?1:0)}),i&&ne,W&&c.createElement("span",{role:"presentation",className:(0,pt.i)(this._classNames.cellMeasurer,this._classNames.cell),ref:this._cellMeasurer},c.createElement(w,{rowClassNames:this._rowClassNames,columns:[W.column],item:i,itemIndex:a,columnStartIndex:(ee?1:0)+(L?1:0)+n.length,onRenderItemColumn:h,getCellValueKey:g})),c.createElement("span",{role:"checkbox",className:this._classNames.checkCover,"aria-checked":G,"data-selection-toggle":!0}))},t.prototype.measureCell=function(e,t){var o=this.props.columns,n=void 0===o?Vn:o,r=(0,l.pi)({},n[e]);r.minWidth=0,r.maxWidth=999999,delete r.calculatedWidth,this.setState({columnMeasureInfo:{index:e,column:r,onMeasureDone:t}})},t.prototype.focus=function(e){var t;return void 0===e&&(e=!1),!!(null===(t=this._focusZone.current)||void 0===t?void 0:t.focus(e))},t.prototype._onRenderCheck=function(e){return c.createElement(In,(0,l.pi)({},e))},t.prototype._getRowDragDropOptions=function(){var e=this.props,t=e.item,o=e.itemIndex,n=e.dragDropEvents;return{eventMap:e.eventsToRegister,selectionIndex:o,context:{data:t,index:o},canDrag:n.canDrag,canDrop:n.canDrop,onDragStart:n.onDragStart,updateDropState:this._updateDroppingState,onDrop:n.onDrop,onDragEnd:n.onDragEnd,onDragOver:n.onDragOver}},t}(c.Component);function qn(e){var t,o,n,r,i=e.itemIndex,a=e.selection;return{isSelected:!!(null===(t=a)||void 0===t?void 0:t.isIndexSelected(i)),isSelectionModal:!!(null===(r=null===(o=a)||void 0===o?void 0:(n=o).isModal)||void 0===r?void 0:r.call(n))}}var Gn=(0,I.z)(Kn,vn,void 0,{scope:"DetailsRow"}),Un={root:"ms-GroupedList",compact:"ms-GroupedList--Compact",group:"ms-GroupedList-group",link:"ms-Link",listCell:"ms-List-cell"},jn={root:"ms-GroupHeader",compact:"ms-GroupHeader--compact",check:"ms-GroupHeader-check",dropIcon:"ms-GroupHeader-dropIcon",expand:"ms-GroupHeader-expand",isCollapsed:"is-collapsed",title:"ms-GroupHeader-title",isSelected:"is-selected",iconTag:"ms-Icon--Tag",group:"ms-GroupedList-group",isDropping:"is-dropping"},Jn="cubic-bezier(0.390, 0.575, 0.565, 1.000)",Yn=o(76),Zn=(0,D.y)(),Xn=function(e){function t(t){var o=e.call(this,t)||this;return o._toggleCollapse=function(){var e=o.props,t=e.group,n=e.onToggleCollapse,r=e.isGroupLoading,i=!o.state.isCollapsed,a=!i&&r&&r(t);o.setState({isCollapsed:i,isLoadingVisible:a}),n&&n(t)},o._onKeyUp=function(e){var t=o.props,n=t.group,r=t.onGroupHeaderKeyUp;if(r&&r(e,n),!e.defaultPrevented){var i=o.state.isCollapsed&&e.which===(0,T.dP)(rt.m.right,o.props.theme);(!o.state.isCollapsed&&e.which===(0,T.dP)(rt.m.left,o.props.theme)||i)&&(o._toggleCollapse(),e.stopPropagation(),e.preventDefault())}},o._onToggleClick=function(e){o._toggleCollapse(),e.stopPropagation(),e.preventDefault()},o._onToggleSelectGroupClick=function(e){var t=o.props,n=t.onToggleSelectGroup,r=t.group;n&&n(r),e.preventDefault(),e.stopPropagation()},o._onHeaderClick=function(){var e=o.props,t=e.group,n=e.onGroupHeaderClick,r=e.onToggleSelectGroup;n?n(t):r&&r(t)},o._onRenderTitle=function(e){var t=e.group,n=e.ariaColSpan;return t?c.createElement("div",{className:o._classNames.title,id:o._id,role:"gridcell","aria-colspan":n},c.createElement("span",null,t.name),c.createElement("span",{className:o._classNames.headerCount},"(",t.count,t.hasMoreData&&"+",")")):null},o._id=(0,dn.z)("GroupHeader"),o.state={isCollapsed:o.props.group&&o.props.group.isCollapsed,isLoadingVisible:!1},o}return(0,l.ZT)(t,e),t.getDerivedStateFromProps=function(e,t){if(e.group){var o=e.group.isCollapsed,n=e.isGroupLoading,r=!o&&n&&n(e.group);return(0,l.pi)((0,l.pi)({},t),{isCollapsed:o||!1,isLoadingVisible:r||!1})}return t},t.prototype.render=function(){var e=this.props,t=e.group,o=e.groupLevel,n=void 0===o?0:o,r=e.viewport,i=e.selectionMode,a=e.loadingText,s=e.isSelected,u=void 0!==s&&s,d=e.selected,p=void 0!==d&&d,m=e.indentWidth,h=e.onRenderTitle,g=void 0===h?this._onRenderTitle:h,f=e.onRenderGroupHeaderCheckbox,v=e.isCollapsedGroupSelectVisible,b=void 0===v||v,y=e.expandButtonProps,_=e.expandButtonIcon,C=e.selectAllButtonProps,S=e.theme,x=e.styles,k=e.className,w=e.compact,I=e.ariaPosInSet,D=e.ariaSetSize,E=e.useFastIcons?this._fastDefaultCheckboxRender:this._defaultCheckboxRender,P=f?(0,ko.k)(f,E):E,M=this.state,R=M.isCollapsed,N=M.isLoadingVisible,B=i===on.oW.multiple,F=B&&(b||!(t&&t.isCollapsed)),L=p||u,A=(0,T.zg)(S);return this._classNames=Zn(x,{theme:S,className:k,selected:L,isCollapsed:R,compact:w}),t?c.createElement("div",{className:this._classNames.root,style:r?{minWidth:r.width}:{},onClick:this._onHeaderClick,role:"row","aria-setsize":D,"aria-posinset":I,"data-is-focusable":!0,onKeyUp:this._onKeyUp,"aria-label":t.ariaLabel,"aria-labelledby":t.ariaLabel?void 0:this._id,"aria-expanded":!this.state.isCollapsed,"aria-selected":B?L:void 0,"aria-level":n+1},c.createElement("div",{className:this._classNames.groupHeaderContainer,role:"presentation"},F?c.createElement("div",{role:"gridcell"},c.createElement("button",(0,l.pi)({"data-is-focusable":!1,type:"button",className:this._classNames.check,role:"checkbox","aria-checked":L,"data-selection-toggle":!0,onClick:this._onToggleSelectGroupClick},C),P({checked:L,theme:S},P))):i!==on.oW.none&&c.createElement(pn,{indentWidth:48,count:1}),c.createElement(pn,{indentWidth:m,count:n}),c.createElement("div",{className:this._classNames.dropIcon,role:"presentation"},c.createElement(W.J,{iconName:"Tag"})),c.createElement("div",{role:"gridcell"},c.createElement("button",(0,l.pi)({"data-is-focusable":!1,type:"button",className:this._classNames.expand,onClick:this._onToggleClick,"aria-expanded":!this.state.isCollapsed},y),c.createElement(W.J,{className:this._classNames.expandIsCollapsed,iconName:_||(A?"ChevronLeftMed":"ChevronRightMed")}))),g(this.props,this._onRenderTitle),N&&c.createElement(Yn.$,{label:a}))):null},t.prototype._defaultCheckboxRender=function(e){return c.createElement(je,{checked:e.checked})},t.prototype._fastDefaultCheckboxRender=function(e){return c.createElement(Qn,{theme:e.theme,checked:e.checked})},t.defaultProps={expandButtonProps:{"aria-label":"expand collapse group"}},t}(c.Component),Qn=c.memo((function(e){return c.createElement(je,{theme:e.theme,checked:e.checked,className:e.className,useFastIcons:!0})})),$n=(0,I.z)(Xn,(function(e){var t,o,n,r,i,a=e.theme,s=e.className,l=e.selected,c=e.isCollapsed,d=e.compact,p=hn.cellLeftPadding,m=d?40:48,h=a.semanticColors,g=a.palette,f=a.fonts,v=(0,u.Cn)(jn,a),b=[(0,u.GL)(a),{cursor:"default",background:"none",backgroundColor:"transparent",border:"none",padding:0}];return{root:[v.root,(0,u.GL)(a),a.fonts.medium,{borderBottom:"1px solid "+h.listBackground,cursor:"default",userSelect:"none",selectors:(t={":hover":{background:h.listItemBackgroundHovered,color:h.actionLinkHovered}},t["&:hover ."+v.check]={opacity:1},t["."+de.G$+" &:focus ."+v.check]={opacity:1},t[":global(."+v.group+"."+v.isDropping+")"]={selectors:(o={},o["& > ."+v.root+" ."+v.dropIcon]={transition:"transform "+u.D1.durationValue4+" cubic-bezier(0.075, 0.820, 0.165, 1.000) opacity "+u.D1.durationValue1+" "+Jn,transitionDelay:u.D1.durationValue3,opacity:1,transform:"rotate(0.2deg) scale(1);"},o["."+v.check]={opacity:0},o)},t)},l&&[v.isSelected,{background:h.listItemBackgroundChecked,selectors:(n={":hover":{background:h.listItemBackgroundCheckedHovered}},n[""+v.check]={opacity:1},n)}],d&&[v.compact,{border:"none"}],s],groupHeaderContainer:[{display:"flex",alignItems:"center",height:m}],headerCount:[{padding:"0px 4px"}],check:[v.check,b,{display:"flex",alignItems:"center",justifyContent:"center",paddingTop:1,marginTop:-1,opacity:0,width:48,height:m,selectors:(r={},r["."+de.G$+" &:focus"]={opacity:1},r)}],expand:[v.expand,b,{display:"flex",alignItems:"center",justifyContent:"center",fontSize:f.small.fontSize,width:36,height:m,color:l?g.neutralPrimary:g.neutralSecondary,selectors:{":hover":{backgroundColor:l?g.neutralQuaternary:g.neutralLight},":active":{backgroundColor:l?g.neutralTertiaryAlt:g.neutralQuaternaryAlt}}}],expandIsCollapsed:[c?[v.isCollapsed,{transform:"rotate(0deg)",transformOrigin:"50% 50%",transition:"transform .1s linear"}]:{transform:(0,T.zg)(a)?"rotate(-90deg)":"rotate(90deg)",transformOrigin:"50% 50%",transition:"transform .1s linear"}],title:[v.title,{paddingLeft:p,fontSize:d?f.medium.fontSize:f.mediumPlus.fontSize,fontWeight:c?u.lq.regular:u.lq.semibold,cursor:"pointer",outline:0,whiteSpace:"nowrap",textOverflow:"ellipsis"}],dropIcon:[v.dropIcon,{position:"absolute",left:-26,fontSize:u.ld.large,color:g.neutralSecondary,transition:"transform "+u.D1.durationValue2+" cubic-bezier(0.600, -0.280, 0.735, 0.045), opacity "+u.D1.durationValue4+" "+Jn,opacity:0,transform:"rotate(0.2deg) scale(0.65)",transformOrigin:"10px 10px",selectors:(i={},i[":global(."+v.iconTag+")"]={position:"absolute"},i)}]}}),void 0,{scope:"GroupHeader"}),er={root:"ms-GroupShowAll",link:"ms-Link"},tr=(0,D.y)(),or=(0,I.z)((function(e){var t=e.group,o=e.groupLevel,n=e.showAllLinkText,r=void 0===n?"Show All":n,i=e.styles,a=e.theme,s=e.onToggleSummarize,l=tr(i,{theme:a}),u=(0,c.useCallback)((function(e){s(t),e.stopPropagation(),e.preventDefault()}),[s,t]);return t?c.createElement("div",{className:l.root},c.createElement(pn,{count:o}),c.createElement(O,{onClick:u},r)):null}),(function(e){var t,o=e.theme,n=o.fonts,r=(0,u.Cn)(er,o);return{root:[r.root,{position:"relative",padding:"10px 84px",cursor:"pointer",selectors:(t={},t["."+r.link]={fontSize:n.small.fontSize},t)}]}}),void 0,{scope:"GroupShowAll"}),nr={root:"ms-groupFooter"},rr=(0,D.y)(),ir=(0,I.z)((function(e){var t=e.group,o=e.groupLevel,n=e.footerText,r=e.indentWidth,i=e.styles,a=e.theme,s=rr(i,{theme:a});return t&&n?c.createElement("div",{className:s.root},c.createElement(pn,{indentWidth:r,count:o}),n):null}),(function(e){var t=e.theme,o=e.className,n=(0,u.Cn)(nr,t);return{root:[t.fonts.medium,n.root,{position:"relative",padding:"5px 38px"},o]}}),void 0,{scope:"GroupFooter"}),ar=function(e){function t(o){var n=e.call(this,o)||this;n._root=c.createRef(),n._list=c.createRef(),n._subGroupRefs={},n._droppingClassName="",n._onRenderGroupHeader=function(e){return c.createElement($n,(0,l.pi)({},e))},n._onRenderGroupShowAll=function(e){return c.createElement(or,(0,l.pi)({},e))},n._onRenderGroupFooter=function(e){return c.createElement(ir,(0,l.pi)({},e))},n._renderSubGroup=function(e,o){var r=n.props,i=r.dragDropEvents,a=r.dragDropHelper,s=r.eventsToRegister,l=r.getGroupItemLimit,u=r.groupNestingDepth,d=r.groupProps,p=r.items,m=r.headerProps,h=r.showAllProps,g=r.footerProps,f=r.listProps,v=r.onRenderCell,b=r.selection,y=r.selectionMode,_=r.viewport,C=r.onRenderGroupHeader,S=r.onRenderGroupShowAll,x=r.onRenderGroupFooter,k=r.onShouldVirtualize,w=r.group,I=r.compact,D=e.level?e.level+1:u;return!e||e.count>0||d&&d.showEmptyGroups?c.createElement(t,{ref:function(e){return n._subGroupRefs["subGroup_"+o]=e},key:n._getGroupKey(e,o),dragDropEvents:i,dragDropHelper:a,eventsToRegister:s,footerProps:g,getGroupItemLimit:l,group:e,groupIndex:o,groupNestingDepth:D,groupProps:d,headerProps:m,items:p,listProps:f,onRenderCell:v,selection:b,selectionMode:y,showAllProps:h,viewport:_,onRenderGroupHeader:C,onRenderGroupShowAll:S,onRenderGroupFooter:x,onShouldVirtualize:k,groups:w?w.children:[],compact:I}):null},n._getGroupDragDropOptions=function(){var e=n.props,t=e.group,o=e.groupIndex,r=e.dragDropEvents;return{eventMap:e.eventsToRegister,selectionIndex:-1,context:{data:t,index:o,isGroup:!0},updateDropState:n._updateDroppingState,canDrag:r.canDrag,canDrop:r.canDrop,onDrop:r.onDrop,onDragStart:r.onDragStart,onDragEnter:r.onDragEnter,onDragLeave:r.onDragLeave,onDragEnd:r.onDragEnd,onDragOver:r.onDragOver}},n._updateDroppingState=function(e,t){var o=n.state.isDropping,r=n.props,i=r.dragDropEvents,a=r.group;o!==e&&(o?i&&i.onDragLeave&&i.onDragLeave(a,t):i&&i.onDragEnter&&(n._droppingClassName=i.onDragEnter(a,t)),n.setState({isDropping:e}))};var r=o.selection,i=o.group;return(0,P.l)(n),n._id=(0,dn.z)("GroupedListSection"),n.state={isDropping:!1,isSelected:!(!r||!i)&&r.isRangeSelected(i.startIndex,i.count)},n._events=new at.r(n),n}return(0,l.ZT)(t,e),t.prototype.componentDidMount=function(){var e=this.props,t=e.dragDropHelper,o=e.selection;t&&this._root.current&&(this._dragDropSubscription=t.subscribe(this._root.current,this._events,this._getGroupDragDropOptions())),o&&this._events.on(o,on.F5,this._onSelectionChange)},t.prototype.componentWillUnmount=function(){this._events.dispose(),this._dragDropSubscription&&this._dragDropSubscription.dispose()},t.prototype.componentDidUpdate=function(e){this.props.group===e.group&&this.props.groupIndex===e.groupIndex&&this.props.dragDropHelper===e.dragDropHelper||(this._dragDropSubscription&&(this._dragDropSubscription.dispose(),delete this._dragDropSubscription),this.props.dragDropHelper&&this._root.current&&(this._dragDropSubscription=this.props.dragDropHelper.subscribe(this._root.current,this._events,this._getGroupDragDropOptions())))},t.prototype.render=function(){var e=this.props,t=e.getGroupItemLimit,o=e.group,n=e.groupIndex,r=e.headerProps,i=e.showAllProps,a=e.footerProps,s=e.viewport,u=e.selectionMode,d=e.onRenderGroupHeader,p=void 0===d?this._onRenderGroupHeader:d,m=e.onRenderGroupShowAll,h=void 0===m?this._onRenderGroupShowAll:m,g=e.onRenderGroupFooter,f=void 0===g?this._onRenderGroupFooter:g,v=e.onShouldVirtualize,b=e.groupedListClassNames,y=e.groups,_=e.compact,C=e.listProps,S=void 0===C?{}:C,x=this.state.isSelected,k=o&&t?t(o):1/0,w=o&&!o.children&&!o.isCollapsed&&!o.isShowingAll&&(o.count>k||o.hasMoreData),I=o&&o.children&&o.children.length>0,D=S.version,T={group:o,groupIndex:n,groupLevel:o?o.level:0,isSelected:x,selected:x,viewport:s,selectionMode:u,groups:y,compact:_},E={groupedListId:this._id,ariaSetSize:y?y.length:void 0,ariaPosInSet:void 0!==n?n+1:void 0},P=(0,l.pi)((0,l.pi)((0,l.pi)({},r),T),E),M=(0,l.pi)((0,l.pi)({},i),T),R=(0,l.pi)((0,l.pi)({},a),T),N=!!this.props.dragDropHelper&&this._getGroupDragDropOptions().canDrag(o)&&!!this.props.dragDropEvents.canDragGroups;return c.createElement("div",(0,l.pi)({ref:this._root},N&&{draggable:!0},{className:(0,pt.i)(b&&b.group,this._getDroppingClassName()),role:"presentation"}),p(P,this._onRenderGroupHeader),o&&o.isCollapsed?null:I?c.createElement(Eo,{role:"presentation",ref:this._list,items:o?o.children:[],onRenderCell:this._renderSubGroup,getItemCountForPage:this._returnOne,onShouldVirtualize:v,version:D,id:this._id}):this._onRenderGroup(k),o&&o.isCollapsed?null:w&&h(M,this._onRenderGroupShowAll),f(R,this._onRenderGroupFooter))},t.prototype.forceUpdate=function(){e.prototype.forceUpdate.call(this),this.forceListUpdate()},t.prototype.forceListUpdate=function(){var e=this.props.group;if(this._list.current){if(this._list.current.forceUpdate(),e&&e.children&&e.children.length>0)for(var t=e.children.length,o=0;o0&&(r&&r(e),this._setGroupsCollapsedState(o,e),this._updateIsSomeGroupExpanded(),this.forceUpdate())},t.prototype._setGroupsCollapsedState=function(e,t){for(var o=0;o0;)e++,t=t[0].children;return e},t.prototype._forceListUpdates=function(e){this.setState({version:{}})},t.prototype._computeIsSomeGroupExpanded=function(e){var t=this;return!(!e||!e.some((function(e){return e.children?t._computeIsSomeGroupExpanded(e.children):!e.isCollapsed})))},t.prototype._updateIsSomeGroupExpanded=function(){var e=this.state.groups,t=this.props.onGroupExpandStateChanged,o=this._computeIsSomeGroupExpanded(e);this._isSomeGroupExpanded!==o&&(t&&t(o),this._isSomeGroupExpanded=o)},t.defaultProps={selectionMode:on.oW.multiple,isHeaderVisible:!0,groupProps:{},compact:!1},t}(c.Component),dr=(0,I.z)(ur,(function(e){var t,o,n=e.theme,r=e.className,i=e.compact,a=n.palette,s=(0,u.Cn)(Un,n);return{root:[s.root,n.fonts.small,{position:"relative",selectors:(t={},t["."+s.listCell]={minHeight:38},t)},i&&[s.compact,{selectors:(o={},o["."+s.listCell]={minHeight:32},o)}],r],group:[s.group,{transition:"background-color "+u.D1.durationValue2+" cubic-bezier(0.445, 0.050, 0.550, 0.950)"}],groupIsDropping:{backgroundColor:a.neutralLight}}}),void 0,{scope:"GroupedList"}),pr=o(1071);function mr(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 hr(e){return function(t){function o(e){var o=t.call(this,e)||this;return o._root=c.createRef(),o._registerResizeObserver=function(){var e=(0,So.J)(o._root.current);o._viewportResizeObserver=new e.ResizeObserver(o._onAsyncResize),o._viewportResizeObserver.observe(o._root.current)},o._unregisterResizeObserver=function(){o._viewportResizeObserver&&(o._viewportResizeObserver.disconnect(),delete o._viewportResizeObserver)},o._updateViewport=function(e){var t=o.state.viewport,n=o._root.current,r=mr((0,yo.zj)(n)),i=mr(n);((i&&i.width)!==t.width||(r&&r.height)!==t.height)&&o._resizeAttempts<3&&i&&r?(o._resizeAttempts++,o.setState({viewport:{width:i.width,height:r.height}},(function(){o._updateViewport(e)}))):(o._resizeAttempts=0,e&&o._composedComponentInstance&&o._composedComponentInstance.forceUpdate())},o._async=new bo.e(o),o._events=new at.r(o),o._resizeAttempts=0,o.state={viewport:{width:0,height:0}},o}return(0,l.ZT)(o,t),o.prototype.componentDidMount=function(){var e=this.props,t=e.skipViewportMeasures,o=e.disableResizeObserver,n=(0,So.J)(this._root.current);this._onAsyncResize=this._async.debounce(this._onAsyncResize,500,{leading:!1}),t||(!o&&this._isResizeObserverAvailable()?this._registerResizeObserver():this._events.on(n,"resize",this._onAsyncResize),this._updateViewport())},o.prototype.componentDidUpdate=function(e){var t=e.skipViewportMeasures,o=this.props,n=o.skipViewportMeasures,r=o.disableResizeObserver,i=(0,So.J)(this._root.current);n!==t&&(n?(this._unregisterResizeObserver(),this._events.off(i,"resize",this._onAsyncResize)):(!r&&this._isResizeObserverAvailable()?this._viewportResizeObserver||this._registerResizeObserver():this._events.on(i,"resize",this._onAsyncResize),this._updateViewport()))},o.prototype.componentWillUnmount=function(){this._events.dispose(),this._async.dispose(),this._unregisterResizeObserver()},o.prototype.render=function(){var t=this.state.viewport,o=t.width>0&&t.height>0?t:void 0;return c.createElement("div",{className:"ms-Viewport",ref:this._root,style:{minWidth:1,minHeight:1}},c.createElement(e,(0,l.pi)({ref:this._updateComposedComponentRef,viewport:o},this.props)))},o.prototype.forceUpdate=function(){this._updateViewport(!0)},o.prototype._onAsyncResize=function(){this._updateViewport()},o.prototype._isResizeObserverAvailable=function(){var e=(0,So.J)(this._root.current);return e&&e.ResizeObserver},o}(pr.P)}var gr=(0,D.y)(),fr=100,vr=function(e){var t=e.selection,o=e.ariaLabelForListHeader,n=e.ariaLabelForSelectAllCheckbox,r=e.ariaLabelForSelectionColumn,i=e.className,a=e.checkboxVisibility,s=e.compact,u=e.constrainMode,p=e.dragDropEvents,m=e.groups,h=e.groupProps,g=e.indentWidth,f=e.items,v=e.isPlaceholderData,b=e.isHeaderVisible,y=e.layoutMode,_=e.onItemInvoked,C=e.onItemContextMenu,S=e.onColumnHeaderClick,x=e.onColumnHeaderContextMenu,k=e.selectionMode,w=void 0===k?t.mode:k,I=e.selectionPreservedOnEmptyClick,D=e.selectionZoneProps,E=e.ariaLabel,P=e.ariaLabelForGrid,N=e.rowElementEventMap,F=e.shouldApplyApplicationRole,L=void 0!==F&&F,A=e.getKey,z=e.listProps,H=e.usePageCache,O=e.onShouldVirtualize,W=e.viewport,V=e.minimumPixelsForDrag,K=e.getGroupHeight,G=e.styles,U=e.theme,j=e.cellStyleProps,J=void 0===j?hn:j,Y=e.onRenderCheckbox,Z=e.useFastIcons,X=e.dragDropHelper,Q=e.adjustedColumns,$=e.isCollapsed,ee=e.isSizing,te=e.isSomeGroupExpanded,oe=e.version,ne=e.rootRef,re=e.listRef,ie=e.focusZoneRef,ae=e.columnReorderOptions,se=e.groupedListRef,le=e.headerRef,ce=e.onGroupExpandStateChanged,ue=e.onColumnIsSizingChanged,de=e.onRowDidMount,pe=e.onRowWillUnmount,me=e.disableSelectionZone,he=e.onColumnResized,ge=e.onColumnAutoResized,fe=e.onToggleCollapse,ve=e.onActiveRowChanged,be=e.onBlur,ye=e.rowElementEventMap,_e=e.onRenderMissingItem,Ce=e.onRenderItemColumn,Se=e.getCellValueKey,xe=e.getRowAriaLabel,ke=e.getRowAriaDescribedBy,we=e.checkButtonAriaLabel,Ie=e.checkboxCellClassName,De=e.useReducedRowRenderer,Te=e.enableUpdateAnimations,Ee=e.enterModalSelectionOnTouch,Pe=e.onRenderDefaultRow,Me=e.selectionZoneRef,Re=function(e){for(var t=0,o=e;o&&o.length>0;)t++,o=o[0].children;return t}(m),Ne=c.useMemo((function(){return(0,l.pi)({renderedWindowsAhead:ee?0:2,renderedWindowsBehind:ee?0:2,getKey:A,version:oe},z)}),[ee,A,oe,z]),Be=wn.none;if(w===on.oW.single&&(Be=wn.hidden),w===on.oW.multiple){var Fe=h&&h.headerProps&&h.headerProps.isCollapsedGroupSelectVisible;void 0===Fe&&(Fe=!0),Be=Fe||!m||te?wn.visible:wn.hidden}a===un.hidden&&(Be=wn.none);var Le=c.useCallback((function(e){return c.createElement(Hn,(0,l.pi)({},e))}),[]),Ae=c.useCallback((function(){return null}),[]),ze=e.onRenderDetailsHeader,He=c.useMemo((function(){return ze?(0,ko.k)(ze,Le):Le}),[ze,Le]),Oe=e.onRenderDetailsFooter,We=c.useMemo((function(){return Oe?(0,ko.k)(Oe,Ae):Ae}),[Oe,Ae]),Ve=c.useMemo((function(){return{columns:Q,groupNestingDepth:Re,selection:t,selectionMode:w,viewport:W,checkboxVisibility:a,indentWidth:g,cellStyleProps:J}}),[Q,Re,t,w,W,a,g,J]),Ke=ae&&ae.onDragEnd,qe=c.useCallback((function(e,t){var o=e.dropLocation,n=ln.outside;if(Ke){if(o&&o!==ln.header)n=o;else if(ne.current){var r=ne.current.getBoundingClientRect();t.clientX>r.left&&t.clientXr.top&&t.clientY0;)++t,(n=o.pop())&&n.children&&o.push.apply(o,n.children);return t}(m)+(f?f.length:0),je=(Be!==wn.none?1:0)+(Q?Q.length:0)+(m?1:0),Je=c.useMemo((function(){return gr(G,{theme:U,compact:s,isFixed:y===cn.fixedColumns,isHorizontalConstrained:u===sn.horizontalConstrained,className:i})}),[G,U,s,y,u,i]),Ye=h&&h.onRenderFooter,Ze=c.useMemo((function(){return Ye?function(e,o){return Ye((0,l.pi)((0,l.pi)({},e),{columns:Q,groupNestingDepth:Re,indentWidth:g,selection:t,selectionMode:w,viewport:W,checkboxVisibility:a,cellStyleProps:J}),o)}:void 0}),[Ye,Q,Re,g,t,w,W,a,J]),Xe=h&&h.onRenderHeader,Qe=c.useMemo((function(){return Xe?function(e,o){var n=e.ariaPosInSet,r=e.ariaSetSize;return Xe((0,l.pi)((0,l.pi)({},e),{columns:Q,groupNestingDepth:Re,indentWidth:g,selection:t,selectionMode:w,viewport:W,checkboxVisibility:a,cellStyleProps:J,ariaColSpan:Q.length,ariaPosInSet:void 0,ariaSetSize:void 0,ariaRowCount:r?r+(b?1:0):void 0,ariaRowIndex:n?n+(b?1:0):void 0}),o)}:function(e,t){var o=e.ariaPosInSet,n=e.ariaSetSize;return t((0,l.pi)((0,l.pi)({},e),{ariaColSpan:Q.length,ariaPosInSet:void 0,ariaSetSize:void 0,ariaRowCount:n?n+(b?1:0):void 0,ariaRowIndex:o?o+(b?1:0):void 0}))}}),[Xe,Q,Re,g,b,t,w,W,a,J]),$e=c.useMemo((function(){return(0,l.pi)((0,l.pi)({},h),{role:"rowgroup",onRenderFooter:Ze,onRenderHeader:Qe})}),[h,Ze,Qe]),et=(0,q.B)((function(){return(0,d.NF)((function(e){var t=0;return e.forEach((function(e){return t+=e.calculatedWidth||e.minWidth})),t}))})),tt=h&&h.collapseAllVisibility,ot=c.useMemo((function(){return et(Q)}),[Q,et]),nt=c.useCallback((function(o,n,r){var i=e.onRenderRow?(0,ko.k)(e.onRenderRow,Pe):Pe,l={item:n,itemIndex:r,flatIndexOffset:b?2:1,compact:s,columns:Q,groupNestingDepth:o,selectionMode:w,selection:t,onDidMount:de,onWillUnmount:pe,onRenderItemColumn:Ce,getCellValueKey:Se,eventsToRegister:ye,dragDropEvents:p,dragDropHelper:X,viewport:W,checkboxVisibility:a,collapseAllVisibility:tt,getRowAriaLabel:xe,getRowAriaDescribedBy:ke,checkButtonAriaLabel:we,checkboxCellClassName:Ie,useReducedRowRenderer:De,indentWidth:g,cellStyleProps:J,onRenderDetailsCheckbox:Y,enableUpdateAnimations:Te,rowWidth:ot,useFastIcons:Z};return n?i(l):_e?_e(r,l):null}),[s,Q,w,t,de,pe,Ce,Se,ye,p,X,W,a,tt,xe,ke,b,we,Ie,De,g,J,Y,Te,Z,Pe,_e,e.onRenderRow,ot]),it=c.useCallback((function(e){return function(t,o){return nt(e,t,o)}}),[nt]),at=c.useCallback((function(e){return e.which===(0,T.dP)(rt.m.right,U)}),[U]),st={componentRef:ie,className:Je.focusZone,direction:R.U.vertical,shouldEnterInnerZone:at,onActiveElementChanged:ve,shouldRaiseClicks:!1,onBlur:be},lt=m?c.createElement(dr,{focusZoneProps:st,componentRef:se,groups:m,groupProps:$e,items:f,onRenderCell:nt,role:"presentation",selection:t,selectionMode:a!==un.hidden?w:on.oW.none,dragDropEvents:p,dragDropHelper:X,eventsToRegister:N,listProps:Ne,onGroupExpandStateChanged:ce,usePageCache:H,onShouldVirtualize:O,getGroupHeight:K,compact:s}):c.createElement(M.k,(0,l.pi)({},st),c.createElement(Eo,(0,l.pi)({ref:re,role:"presentation",items:f,onRenderCell:it(0),usePageCache:H,onShouldVirtualize:O},Ne))),ct=c.useCallback((function(e){e.which===rt.m.down&&ie.current&&ie.current.focus()&&(0===t.getSelectedIndices().length&&t.setIndexSelected(0,!0,!1),e.preventDefault(),e.stopPropagation())}),[t,ie]),ut=c.useCallback((function(e){e.which!==rt.m.up||e.altKey||le.current&&le.current.focus()&&(e.preventDefault(),e.stopPropagation())}),[le]);return c.createElement("div",(0,l.pi)({ref:ne,className:Je.root,"data-automationid":"DetailsList","data-is-scrollable":"false","aria-label":E},L?{role:"application"}:{}),c.createElement(B.u,null),c.createElement("div",{role:"grid","aria-label":P,"aria-rowcount":v?-1:Ue,"aria-colcount":je,"aria-readonly":"true","aria-busy":v},c.createElement("div",{onKeyDown:ct,role:"presentation",className:Je.headerWrapper},b&&He({componentRef:le,selectionMode:w,layoutMode:y,selection:t,columns:Q,onColumnClick:S,onColumnContextMenu:x,onColumnResized:he,onColumnIsSizingChanged:ue,onColumnAutoResized:ge,groupNestingDepth:Re,isAllCollapsed:$,onToggleCollapseAll:fe,ariaLabel:o,ariaLabelForSelectAllCheckbox:n,ariaLabelForSelectionColumn:r,selectAllVisibility:Be,collapseAllVisibility:h&&h.collapseAllVisibility,viewport:W,columnReorderProps:Ge,minimumPixelsForDrag:V,cellStyleProps:J,checkboxVisibility:a,indentWidth:g,onRenderDetailsCheckbox:Y,rowWidth:et(Q),useFastIcons:Z},He)),c.createElement("div",{onKeyDown:ut,role:"presentation",className:Je.contentWrapper},me?lt:c.createElement(rn.i,(0,l.pi)({ref:Me,selection:t,selectionPreservedOnEmptyClick:I,selectionMode:w,onItemInvoked:_,onItemContextMenu:C,enterModalOnTouch:Ee},D||{}),lt)),We((0,l.pi)({},Ve))))},br=function(e){function t(t){var o=e.call(this,t)||this;return o._root=c.createRef(),o._header=c.createRef(),o._groupedList=c.createRef(),o._list=c.createRef(),o._focusZone=c.createRef(),o._selectionZone=c.createRef(),o._onRenderRow=function(e,t){return c.createElement(Gn,(0,l.pi)({},e))},o._getDerivedStateFromProps=function(e,t){var n=o.props,r=n.checkboxVisibility,i=n.items,a=n.setKey,s=n.selectionMode,c=void 0===s?o._selection.mode:s,u=n.columns,d=n.viewport,p=n.compact,m=n.dragDropEvents,h=(o.props.groupProps||{}).isAllGroupsCollapsed,g=void 0===h?void 0:h,f=e.viewport&&e.viewport.width||0,v=d&&d.width||0,b=e.setKey!==a||void 0===e.setKey,y=!1;e.layoutMode!==o.props.layoutMode&&(y=!0);var _=t;return b&&(o._initialFocusedIndex=e.initialFocusedIndex,_=(0,l.pi)((0,l.pi)({},_),{focusedItemIndex:void 0!==o._initialFocusedIndex?o._initialFocusedIndex:-1})),o.props.disableSelectionZone||e.items===i||o._selection.setItems(e.items,b),e.checkboxVisibility===r&&e.columns===u&&f===v&&e.compact===p||(y=!0),_=(0,l.pi)((0,l.pi)({},_),o._adjustColumns(e,_,!0)),e.selectionMode!==c&&(y=!0),void 0===g&&e.groupProps&&void 0!==e.groupProps.isAllGroupsCollapsed&&(_=(0,l.pi)((0,l.pi)({},_),{isCollapsed:e.groupProps.isAllGroupsCollapsed,isSomeGroupExpanded:!e.groupProps.isAllGroupsCollapsed})),e.dragDropEvents!==m&&(o._dragDropHelper&&o._dragDropHelper.dispose(),o._dragDropHelper=e.dragDropEvents?new Dn({selection:o._selection,minimumPixelsForDrag:e.minimumPixelsForDrag}):void 0,y=!0),y&&(_=(0,l.pi)((0,l.pi)({},_),{version:{}})),_},o._onGroupExpandStateChanged=function(e){o.setState({isSomeGroupExpanded:e})},o._onColumnIsSizingChanged=function(e,t){o.setState({isSizing:t})},o._onRowDidMount=function(e){var t=e.props,n=t.item,r=t.itemIndex,i=o._getItemKey(n,r);o._activeRows[i]=e,o._setFocusToRowIfPending(e);var a=o.props.onRowDidMount;a&&a(n,r)},o._onRowWillUnmount=function(e){var t=o.props.onRowWillUnmount,n=e.props,r=n.item,i=n.itemIndex,a=o._getItemKey(r,i);delete o._activeRows[a],t&&t(r,i)},o._onToggleCollapse=function(e){o.setState({isCollapsed:e}),o._groupedList.current&&o._groupedList.current.toggleCollapseAll(e)},o._onColumnResized=function(e,t,n){var r=Math.max(e.minWidth||fr,t);o.props.onColumnResize&&o.props.onColumnResize(e,r,n),o._rememberCalculatedWidth(e,r),o.setState((0,l.pi)((0,l.pi)({},o._adjustColumns(o.props,o.state,!0,n)),{version:{}}))},o._onColumnAutoResized=function(e,t){var n=0,r=0,i=Object.keys(o._activeRows).length;for(var a in o._activeRows)o._activeRows.hasOwnProperty(a)&&o._activeRows[a].measureCell(t,(function(a){n=Math.max(n,a),++r===i&&o._onColumnResized(e,n,t)}))},o._onActiveRowChanged=function(e,t){var n=o.props,r=n.items,i=n.onActiveItemChanged;if(e&&e.getAttribute("data-item-index")){var a=Number(e.getAttribute("data-item-index"));a>=0&&(i&&i(r[a],a,t),o.setState({focusedItemIndex:a}))}},o._onBlur=function(e){o.setState({focusedItemIndex:-1})},(0,P.l)(o),o._async=new bo.e(o),o._activeRows={},o._columnOverrides={},o.state={focusedItemIndex:-1,lastWidth:0,adjustedColumns:o._getAdjustedColumns(t,void 0),isSizing:!1,isCollapsed:t.groupProps&&t.groupProps.isAllGroupsCollapsed,isSomeGroupExpanded:t.groupProps&&!t.groupProps.isAllGroupsCollapsed,version:{},getDerivedStateFromProps:o._getDerivedStateFromProps},o._selection=t.selection||new nn.Y({onSelectionChanged:void 0,getKey:t.getKey,selectionMode:t.selectionMode}),o.props.disableSelectionZone||o._selection.setItems(t.items,!1),o._dragDropHelper=t.dragDropEvents?new Dn({selection:o._selection,minimumPixelsForDrag:t.minimumPixelsForDrag}):void 0,o._initialFocusedIndex=t.initialFocusedIndex,o}return(0,l.ZT)(t,e),t.getDerivedStateFromProps=function(e,t){return t.getDerivedStateFromProps(e,t)},t.prototype.scrollToIndex=function(e,t,o){this._list.current&&this._list.current.scrollToIndex(e,t,o),this._groupedList.current&&this._groupedList.current.scrollToIndex(e,t,o)},t.prototype.focusIndex=function(e,t,o,n){void 0===t&&(t=!1);var r=this.props.items[e];if(r){this.scrollToIndex(e,o,n);var i=this._getItemKey(r,e),a=this._activeRows[i];a&&this._setFocusToRow(a,t)}},t.prototype.getStartItemIndexInView=function(){return this._list&&this._list.current?this._list.current.getStartItemIndexInView():this._groupedList&&this._groupedList.current?this._groupedList.current.getStartItemIndexInView():0},t.prototype.componentWillUnmount=function(){this._dragDropHelper&&this._dragDropHelper.dispose(),this._async.dispose()},t.prototype.componentDidUpdate=function(e,t){if(this._notifyColumnsResized(),void 0!==this._initialFocusedIndex&&(i=this.props.items[this._initialFocusedIndex])){var o=this._getItemKey(i,this._initialFocusedIndex);(n=this._activeRows[o])&&this._setFocusToRowIfPending(n)}if(this.props.items!==e.items&&this.props.items.length>0&&-1!==this.state.focusedItemIndex&&!(0,it.t)(this._root.current,document.activeElement,!1)){var n,r=this.state.focusedItemIndex0;)e++,t=t[0].children;return e},t.prototype._setFocusToRowIfPending=function(e){var t=e.props.itemIndex;void 0!==this._initialFocusedIndex&&t===this._initialFocusedIndex&&(this._setFocusToRow(e),delete this._initialFocusedIndex)},t.prototype._setFocusToRow=function(e,t){void 0===t&&(t=!1),this._selectionZone.current&&this._selectionZone.current.ignoreNextFocus(),this._async.setTimeout((function(){e.focus(t)}),0)},t.prototype._forceListUpdates=function(){this._groupedList.current&&this._groupedList.current.forceUpdate(),this._list.current&&this._list.current.forceUpdate()},t.prototype._notifyColumnsResized=function(){this.state.adjustedColumns.forEach((function(e){e.onColumnResize&&e.onColumnResize(e.currentWidth)}))},t.prototype._adjustColumns=function(e,t,o,n){var r=this._getAdjustedColumns(e,t,o,n),i=this.props.viewport,a=i&&i.width?i.width:0;return(0,l.pi)((0,l.pi)({},t),{adjustedColumns:r,lastWidth:a})},t.prototype._getAdjustedColumns=function(e,t,o,n){var r,i=this,a=e.items,s=e.layoutMode,l=e.selectionMode,c=e.viewport,u=c&&c.width?c.width:0,d=e.columns,p=this.props?this.props.columns:[],m=t?t.lastWidth:-1,h=t?t.lastSelectionMode:void 0;return o||m!==u||h!==l||p&&d!==p?(d=d||yr(a,!0),s===cn.fixedColumns?(r=this._getFixedColumns(d)).forEach((function(e){i._rememberCalculatedWidth(e,e.calculatedWidth)})):(r=void 0!==n?this._getJustifiedColumnsAfterResize(d,u,e,n):this._getJustifiedColumns(d,u,e,0)).forEach((function(e){i._getColumnOverride(e.key).currentWidth=e.calculatedWidth})),r):d||[]},t.prototype._getFixedColumns=function(e){var t=this;return e.map((function(e){var o=(0,l.pi)((0,l.pi)({},e),t._columnOverrides[e.key]);return o.calculatedWidth||(o.calculatedWidth=o.maxWidth||o.minWidth||fr),o}))},t.prototype._getJustifiedColumnsAfterResize=function(e,t,o,n){var r=this,i=e.slice(0,n);i.forEach((function(e){return e.calculatedWidth=r._getColumnOverride(e.key).currentWidth}));var a=i.reduce((function(e,t,n){return e+_r(t,0,o)}),0),s=e.slice(n),c=t-a;return(0,l.pr)(i,this._getJustifiedColumns(s,c,o,n))},t.prototype._getJustifiedColumns=function(e,t,o,n){for(var r=this,i=o.selectionMode,a=void 0===i?this._selection.mode:i,s=o.checkboxVisibility,c=a!==on.oW.none&&s!==un.hidden?48:0,u=36*this._getGroupNestingDepth(),d=0,p=t-(c+u),m=e.map((function(e,t){var n=(0,l.pi)((0,l.pi)((0,l.pi)({},e),{calculatedWidth:e.minWidth||fr}),r._columnOverrides[e.key]);return d+=_r(n,0,o),n})),h=m.length-1;h>0&&d>p;){var g=(y=m[h]).minWidth||fr,f=d-p;if(y.calculatedWidth-g>=f||!y.isCollapsible&&!y.isCollapsable){var v=y.calculatedWidth;y.calculatedWidth=Math.max(y.calculatedWidth-f,g),d-=v-y.calculatedWidth}else d-=_r(y,0,o),m.splice(h,1);h--}for(var b=0;b=(E||Er.eD.small)&&c.createElement(dt.m,(0,l.pi)({ref:H},ve),c.createElement(Dr.G,{role:M||!v?"dialog":"alertdialog","aria-modal":!M,ariaLabelledBy:k,ariaDescribedBy:I,onDismiss:_,shouldRestoreFocus:!f},c.createElement("div",{className:fe.root,role:M?void 0:"document"},!M&&c.createElement(Ir.a,(0,l.pi)({isDarkThemed:y,onClick:v?void 0:_,allowTouchBodyScroll:a},S)),R?c.createElement(Br,{handleSelector:R.dragHandleSelector||"#"+V,preventDragSelector:"button",onStart:Se,onDragChange:xe,onStop:ke,position:ne},we):we)))||null}));Or.displayName="Modal";var Wr=(0,I.z)(Or,(function(e){var t,o=e.className,n=e.containerClassName,r=e.scrollableContentClassName,i=e.isOpen,a=e.isVisible,s=e.hasBeenOpened,l=e.modalRectangleTop,c=e.theme,d=e.topOffsetFixed,p=e.isModeless,m=e.layerClassName,h=e.isDefaultDragHandle,g=e.windowInnerHeight,f=c.palette,v=c.effects,b=c.fonts,y=(0,u.Cn)(wr,c);return{root:[y.root,b.medium,{backgroundColor:"transparent",position:p?"absolute":"fixed",height:"100%",width:"100%",display:"flex",alignItems:"center",justifyContent:"center",opacity:0,pointerEvents:"none",transition:"opacity "+kr},d&&s&&{alignItems:"flex-start"},i&&y.isOpen,a&&{opacity:1,pointerEvents:"auto"},o],main:[y.main,{boxShadow:v.elevation64,borderRadius:v.roundedCorner2,backgroundColor:f.white,boxSizing:"border-box",position:"relative",textAlign:"left",outline:"3px solid transparent",maxHeight:"calc(100% - 32px)",maxWidth:"calc(100% - 32px)",minHeight:"176px",minWidth:"288px",overflowY:"auto",zIndex:p?u.bR.Layer:void 0},d&&s&&{top:l},h&&{cursor:"move"},n],scrollableContent:[y.scrollableContent,{overflowY:"auto",flexGrow:1,maxHeight:"100vh",selectors:(t={},t["@supports (-webkit-overflow-scrolling: touch)"]={maxHeight:g},t)},r],layer:p&&[m,y.layer,{position:"static",width:"unset",height:"unset"}],keyboardMoveIconContainer:{position:"absolute",display:"flex",justifyContent:"center",width:"100%",padding:"3px 0px"},keyboardMoveIcon:{fontSize:b.xLargePlus.fontSize,width:"24px"}}}),void 0,{scope:"Modal",fields:["theme","styles","enableAriaHiddenSiblings"]});Wr.displayName="Modal";var Vr=o(3129),Kr=(0,D.y)(),qr=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.className,o=e.styles,n=e.theme;return this._classNames=Kr(o,{theme:n,className:t}),c.createElement("div",{className:this._classNames.actions},c.createElement("div",{className:this._classNames.actionsRight},this._renderChildrenAsActions()))},t.prototype._renderChildrenAsActions=function(){var e=this;return c.Children.map(this.props.children,(function(t){return t?c.createElement("span",{className:e._classNames.action},t):null}))},t}(c.Component),Gr={actions:"ms-Dialog-actions",action:"ms-Dialog-action",actionsRight:"ms-Dialog-actionsRight"},Ur=(0,I.z)(qr,(function(e){var t=e.className,o=e.theme,n=(0,u.Cn)(Gr,o);return{actions:[n.actions,{position:"relative",width:"100%",minHeight:"24px",lineHeight:"24px",margin:"16px 0 0",fontSize:"0",selectors:{".ms-Button":{lineHeight:"normal"}}},t],action:[n.action,{margin:"0 4px"}],actionsRight:[n.actionsRight,{textAlign:"right",marginRight:"-4px",fontSize:"0"}]}}),void 0,{scope:"DialogFooter"}),jr=(0,D.y)(),Jr=c.createElement(Ur,null).type,Yr=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),(0,Vr.b)("DialogContent",t,{titleId:"titleProps.id"}),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e,t=this.props,o=t.showCloseButton,n=t.className,r=t.closeButtonAriaLabel,i=t.onDismiss,a=t.subTextId,s=t.subText,u=t.titleProps,d=void 0===u?{}:u,p=t.titleId,m=t.title,h=t.type,g=t.styles,f=t.theme,v=t.draggableHeaderClassName,b=jr(g,{theme:f,className:n,isLargeHeader:h===Cr.largeHeader,isClose:h===Cr.close,draggableHeaderClassName:v}),y=this._groupChildren();return s&&(e=c.createElement("p",{className:b.subText,id:a},s)),c.createElement("div",{className:b.content},c.createElement("div",{className:b.header},c.createElement("div",(0,l.pi)({id:p,role:"heading","aria-level":1},d,{className:(0,pt.i)(b.title,d.className)}),m),c.createElement("div",{className:b.topButton},this.props.topButtonsProps.map((function(e,t){return c.createElement(V.h,(0,l.pi)({key:e.uniqueId||t},e))})),(h===Cr.close||o&&h!==Cr.largeHeader)&&c.createElement(V.h,{className:b.button,iconProps:{iconName:"Cancel"},ariaLabel:r,onClick:i,title:r}))),c.createElement("div",{className:b.inner},c.createElement("div",{className:b.innerContent},e,y.contents),y.footers))},t.prototype._groupChildren=function(){var e={footers:[],contents:[]};return c.Children.map(this.props.children,(function(t){"object"==typeof t&&null!==t&&t.type===Jr?e.footers.push(t):e.contents.push(t)})),e},t.defaultProps={showCloseButton:!1,className:"",topButtonsProps:[],closeButtonAriaLabel:"Close"},(0,l.gn)([Er.Ae],t)}(c.Component),Zr={contentLgHeader:"ms-Dialog-lgHeader",close:"ms-Dialog--close",subText:"ms-Dialog-subText",header:"ms-Dialog-header",headerLg:"ms-Dialog--lgHeader",button:"ms-Dialog-button ms-Dialog-button--close",inner:"ms-Dialog-inner",content:"ms-Dialog-content",title:"ms-Dialog-title"},Xr=(0,I.z)(Yr,(function(e){var t,o,n,r=e.className,i=e.theme,a=e.isLargeHeader,s=e.isClose,l=e.hidden,c=e.isMultiline,d=e.draggableHeaderClassName,p=i.palette,m=i.fonts,h=i.effects,g=i.semanticColors,f=(0,u.Cn)(Zr,i);return{content:[a&&[f.contentLgHeader,{borderTop:"4px solid "+p.themePrimary}],s&&f.close,{flexGrow:1,overflowY:"hidden"},r],subText:[f.subText,m.medium,{margin:"0 0 24px 0",color:g.bodySubtext,lineHeight:"1.5",wordWrap:"break-word",fontWeight:u.lq.regular}],header:[f.header,{position:"relative",width:"100%",boxSizing:"border-box"},s&&f.close,d&&[d,{cursor:"move"}]],button:[f.button,l&&{selectors:{".ms-Icon.ms-Icon--Cancel":{color:g.buttonText,fontSize:u.ld.medium}}}],inner:[f.inner,{padding:"0 24px 24px",selectors:(t={},t["@media (min-width: "+u.QQ+"px) and (max-width: "+u.mV+"px)"]={padding:"0 16px 16px"},t)}],innerContent:[f.content,{position:"relative",width:"100%"}],title:[f.title,m.xLarge,{color:g.bodyText,margin:"0",minHeight:m.xLarge.fontSize,padding:"16px 46px 20px 24px",lineHeight:"normal",selectors:(o={},o["@media (min-width: "+u.QQ+"px) and (max-width: "+u.mV+"px)"]={padding:"16px 46px 16px 16px"},o)},a&&{color:g.menuHeader},c&&{fontSize:m.xxLarge.fontSize}],topButton:[{display:"flex",flexDirection:"row",flexWrap:"nowrap",position:"absolute",top:"0",right:"0",padding:"15px 15px 0 0",selectors:(n={"> *":{flex:"0 0 auto"},".ms-Dialog-button":{color:g.buttonText},".ms-Dialog-button:hover":{color:g.buttonTextHovered,borderRadius:h.roundedCorner2}},n["@media (min-width: "+u.QQ+"px) and (max-width: "+u.mV+"px)"]={padding:"15px 8px 0 0"},n)}]}}),void 0,{scope:"DialogContent"}),Qr=(0,D.y)(),$r={isDarkOverlay:!1,isBlocking:!1,className:"",containerClassName:"",topOffsetFixed:!1},ei={type:Cr.normal,className:"",topButtonsProps:[]},ti=function(e){function t(t){var o=e.call(this,t)||this;return o._getSubTextId=function(){var e=o.props,t=e.ariaDescribedById,n=e.modalProps,r=e.dialogContentProps,i=e.subText,a=n&&n.subtitleAriaId||t;return a||(a=(r&&r.subText||i)&&o._defaultSubTextId),a},o._getTitleTextId=function(){var e=o.props,t=e.ariaLabelledById,n=e.modalProps,r=e.dialogContentProps,i=e.title,a=n&&n.titleAriaId||t;return a||(a=(r&&r.title||i)&&o._defaultTitleTextId),a},o._id=(0,dn.z)("Dialog"),o._defaultTitleTextId=o._id+"-title",o._defaultSubTextId=o._id+"-subText",o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e,t,o,n,r=this.props,i=r.className,a=r.containerClassName,s=r.contentClassName,u=r.elementToFocusOnDismiss,d=r.firstFocusableSelector,p=r.forceFocusInsideTrap,m=r.styles,h=r.hidden,g=r.ignoreExternalFocusing,f=r.isBlocking,v=r.isClickableOutsideFocusTrap,b=r.isDarkOverlay,y=r.isOpen,_=r.onDismiss,C=r.onDismissed,S=r.onLayerDidMount,x=r.responsiveMode,k=r.subText,w=r.theme,I=r.title,D=r.topButtonsProps,T=r.type,E=r.minWidth,P=r.maxWidth,M=r.modalProps,R=(0,l.pi)({},M?M.layerProps:{onLayerDidMount:S});S&&!R.onLayerDidMount&&(R.onLayerDidMount=S),M&&M.dragOptions&&!M.dragOptions.dragHandleSelector?(o="ms-Dialog-draggable-header",n=(0,l.pi)((0,l.pi)({},M.dragOptions),{dragHandleSelector:"."+o})):n=M&&M.dragOptions;var N=(0,l.pi)((0,l.pi)((0,l.pi)((0,l.pi)({},$r),{className:i,containerClassName:a,isBlocking:f,isDarkOverlay:b,onDismissed:C}),M),{layerProps:R,dragOptions:n}),B=(0,l.pi)((0,l.pi)((0,l.pi)({className:s,subText:k,title:I,topButtonsProps:D,type:T},ei),this.props.dialogContentProps),{draggableHeaderClassName:o,titleProps:(0,l.pi)({id:(null===(e=this.props.dialogContentProps)||void 0===e?void 0:e.titleId)||this._defaultTitleTextId},null===(t=this.props.dialogContentProps)||void 0===t?void 0:t.titleProps)}),F=Qr(m,{theme:w,className:N.className,containerClassName:N.containerClassName,hidden:h,dialogDefaultMinWidth:E,dialogDefaultMaxWidth:P});return c.createElement(Wr,(0,l.pi)({elementToFocusOnDismiss:u,firstFocusableSelector:d,forceFocusInsideTrap:p,ignoreExternalFocusing:g,isClickableOutsideFocusTrap:v,onDismissed:N.onDismissed,responsiveMode:x},N,{isDarkOverlay:N.isDarkOverlay,isBlocking:N.isBlocking,isOpen:void 0!==y?y:!h,className:F.root,containerClassName:F.main,onDismiss:_||N.onDismiss,subtitleAriaId:this._getSubTextId(),titleAriaId:this._getTitleTextId()}),c.createElement(Xr,(0,l.pi)({subTextId:this._defaultSubTextId,title:B.title,subText:B.subText,showCloseButton:N.isBlocking,topButtonsProps:B.topButtonsProps,type:B.type,onDismiss:_||B.onDismiss,className:B.className},B),this.props.children))},t.defaultProps={hidden:!0},(0,l.gn)([Er.Ae],t)}(c.Component),oi={root:"ms-Dialog"},ni=(0,I.z)(ti,(function(e){var t,o=e.className,n=e.containerClassName,r=e.dialogDefaultMinWidth,i=void 0===r?"288px":r,a=e.dialogDefaultMaxWidth,s=void 0===a?"340px":a,l=e.hidden,c=e.theme;return{root:[(0,u.Cn)(oi,c).root,c.fonts.medium,o],main:[{width:i,outline:"3px solid transparent",selectors:(t={},t["@media (min-width: "+u.dd+"px)"]={width:"auto",maxWidth:s,minWidth:i},t)},!l&&{display:"flex"},n]}}),void 0,{scope:"Dialog"});ni.displayName="Dialog";var ri,ii=o(8386);!function(e){e[e.normal=0]="normal",e[e.compact=1]="compact"}(ri||(ri={}));var ai=(0,D.y)(),si=function(e){function t(t){var o=e.call(this,t)||this;return o._rootElement=c.createRef(),o._onClick=function(e){o._onAction(e)},o._onKeyDown=function(e){e.which!==rt.m.enter&&e.which!==rt.m.space||o._onAction(e)},o._onAction=function(e){var t=o.props,n=t.onClick,r=t.onClickHref,i=t.onClickTarget;n?n(e):!n&&r&&(i?window.open(r,i,"noreferrer noopener nofollow"):window.location.href=r,e.preventDefault(),e.stopPropagation())},(0,P.l)(o),(0,Vr.b)("DocumentCard",t,{accentColor:void 0}),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e,t=this.props,o=t.onClick,n=t.onClickHref,r=t.children,i=t.type,a=t.accentColor,s=t.styles,u=t.theme,d=t.className,p=(0,E.pq)(this.props,E.n7,["className","onClick","type","role"]),m=!(!o&&!n);this._classNames=ai(s,{theme:u,className:d,actionable:m,compact:i===ri.compact}),i===ri.compact&&a&&(e={borderBottomColor:a});var h=this.props.role||(m?o?"button":"link":void 0),g=m?0:void 0;return c.createElement("div",(0,l.pi)({ref:this._rootElement,tabIndex:g,"data-is-focusable":m,role:h,className:this._classNames.root,onKeyDown:m?this._onKeyDown:void 0,onClick:m?this._onClick:void 0,style:e},p),r)},t.prototype.focus=function(){this._rootElement.current&&this._rootElement.current.focus()},t.defaultProps={type:ri.normal},t}(c.Component),li={root:"ms-DocumentCardPreview",icon:"ms-DocumentCardPreview-icon",iconContainer:"ms-DocumentCardPreview-iconContainer"},ci={root:"ms-DocumentCardActivity",multiplePeople:"ms-DocumentCardActivity--multiplePeople",details:"ms-DocumentCardActivity-details",name:"ms-DocumentCardActivity-name",activity:"ms-DocumentCardActivity-activity",avatars:"ms-DocumentCardActivity-avatars",avatar:"ms-DocumentCardActivity-avatar"},ui={root:"ms-DocumentCardTitle"},di={root:"ms-DocumentCardLocation"},pi={root:"ms-DocumentCard",rootActionable:"ms-DocumentCard--actionable",rootCompact:"ms-DocumentCard--compact"},mi=(0,I.z)(si,(function(e){var t,o,n=e.className,r=e.theme,i=e.actionable,a=e.compact,s=r.palette,l=r.fonts,c=r.effects,d=(0,u.Cn)(pi,r);return{root:[d.root,{WebkitFontSmoothing:"antialiased",backgroundColor:s.white,border:"1px solid "+s.neutralLight,maxWidth:"320px",minWidth:"206px",userSelect:"none",position:"relative",selectors:(t={":focus":{outline:"0px solid"}},t["."+de.G$+" &:focus"]=(0,u.$Y)(s.neutralSecondary,c.roundedCorner2),t["."+di.root+" + ."+ui.root]={paddingTop:"4px"},t)},i&&[d.rootActionable,{selectors:{":hover":{cursor:"pointer",borderColor:s.neutralTertiaryAlt},":hover:after":{content:'" "',position:"absolute",top:0,right:0,bottom:0,left:0,border:"1px solid "+s.neutralTertiaryAlt,pointerEvents:"none"}}}],a&&[d.rootCompact,{display:"flex",maxWidth:"480px",height:"108px",selectors:(o={},o["."+li.root]={borderRight:"1px solid "+s.neutralLight,borderBottom:0,maxHeight:"106px",maxWidth:"144px"},o["."+li.icon]={maxHeight:"32px",maxWidth:"32px"},o["."+ci.root]={paddingBottom:"12px"},o["."+ui.root]={paddingBottom:"12px 16px 8px 16px",fontSize:l.mediumPlus.fontSize,lineHeight:"16px"},o)}],n]}}),void 0,{scope:"DocumentCard"}),hi=(0,D.y)(),gi=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this,t=this.props,o=t.actions,n=t.views,r=t.styles,i=t.theme,a=t.className;return this._classNames=hi(r,{theme:i,className:a}),c.createElement("div",{className:this._classNames.root},o&&o.map((function(t,o){return c.createElement("div",{className:e._classNames.action,key:o},c.createElement(V.h,(0,l.pi)({},t)))})),n>0&&c.createElement("div",{className:this._classNames.views},c.createElement(W.J,{iconName:"View",className:this._classNames.viewsIcon}),n))},t}(c.Component),fi={root:"ms-DocumentCardActions",action:"ms-DocumentCardActions-action",views:"ms-DocumentCardActions-views"},vi=(0,I.z)(gi,(function(e){var t=e.className,o=e.theme,n=o.palette,r=o.fonts,i=(0,u.Cn)(fi,o);return{root:[i.root,{height:"34px",padding:"4px 12px",position:"relative"},t],action:[i.action,{float:"left",marginRight:"4px",color:n.neutralSecondary,cursor:"pointer",selectors:{".ms-Button":{fontSize:r.mediumPlus.fontSize,height:34,width:34},".ms-Button:hover .ms-Button-icon":{color:o.semanticColors.buttonText,cursor:"pointer"}}}],views:[i.views,{textAlign:"right",lineHeight:34}],viewsIcon:{marginRight:"8px",fontSize:r.medium.fontSize,verticalAlign:"top"}}}),void 0,{scope:"DocumentCardActions"}),bi=(0,D.y)(),yi=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.activity,o=e.people,n=e.styles,r=e.theme,i=e.className;return this._classNames=bi(n,{theme:r,className:i,multiplePeople:o.length>1}),o&&0!==o.length?c.createElement("div",{className:this._classNames.root},this._renderAvatars(o),c.createElement("div",{className:this._classNames.details},c.createElement("span",{className:this._classNames.name},this._getNameString(o)),c.createElement("span",{className:this._classNames.activity},t))):null},t.prototype._renderAvatars=function(e){return c.createElement("div",{className:this._classNames.avatars},e.length>1?this._renderAvatar(e[1]):null,this._renderAvatar(e[0]))},t.prototype._renderAvatar=function(e){return c.createElement("div",{className:this._classNames.avatar},c.createElement(_.t,{imageInitials:e.initials,text:e.name,imageUrl:e.profileImageSrc,initialsColor:e.initialsColor,allowPhoneInitials:e.allowPhoneInitials,role:"presentation",size:C.Ir.size32}))},t.prototype._getNameString=function(e){var t=e[0].name;return e.length>=2&&(t+=" +"+(e.length-1)),t},t}(c.Component),_i=(0,I.z)(yi,(function(e){var t=e.theme,o=e.className,n=e.multiplePeople,r=t.palette,i=t.fonts,a=(0,u.Cn)(ci,t);return{root:[a.root,n&&a.multiplePeople,{padding:"8px 16px",position:"relative"},o],avatars:[a.avatars,{marginLeft:"-2px",height:"32px"}],avatar:[a.avatar,{display:"inline-block",verticalAlign:"top",position:"relative",textAlign:"center",width:32,height:32,selectors:{"&:after":{content:'" "',position:"absolute",left:"-1px",top:"-1px",right:"-1px",bottom:"-1px",border:"2px solid "+r.white,borderRadius:"50%"},":nth-of-type(2)":n&&{marginLeft:"-16px"}}}],details:[a.details,{left:n?"72px":"56px",height:32,position:"absolute",top:8,width:"calc(100% - 72px)"}],name:[a.name,{display:"block",fontSize:i.small.fontSize,lineHeight:"15px",height:"15px",overflow:"hidden",textOverflow:"ellipsis",whiteSpace:"nowrap",color:r.neutralPrimary,fontWeight:u.lq.semibold}],activity:[a.activity,{display:"block",fontSize:i.small.fontSize,lineHeight:"15px",height:"15px",overflow:"hidden",textOverflow:"ellipsis",whiteSpace:"nowrap",color:r.neutralSecondary}]}}),void 0,{scope:"DocumentCardActivity"}),Ci=(0,D.y)(),Si=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.children,o=e.styles,n=e.theme,r=e.className;return this._classNames=Ci(o,{theme:n,className:r}),c.createElement("div",{className:this._classNames.root},t)},t}(c.Component),xi={root:"ms-DocumentCardDetails"},ki=(0,I.z)(Si,(function(e){var t=e.className,o=e.theme;return{root:[(0,u.Cn)(xi,o).root,{display:"flex",flexDirection:"column",flex:1,justifyContent:"space-between",overflow:"hidden"},t]}}),void 0,{scope:"DocumentCardDetails"}),wi=(0,D.y)(),Ii=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.location,o=e.locationHref,n=e.ariaLabel,r=e.onClick,i=e.styles,a=e.theme,s=e.className;return this._classNames=wi(i,{theme:a,className:s}),c.createElement("a",{className:this._classNames.root,href:o,onClick:r,"aria-label":n},t)},t}(c.Component),Di=(0,I.z)(Ii,(function(e){var t=e.theme,o=e.className,n=t.palette,r=t.fonts;return{root:[(0,u.Cn)(di,t).root,r.small,{color:n.themePrimary,display:"block",fontWeight:u.lq.semibold,overflow:"hidden",padding:"8px 16px",position:"relative",textDecoration:"none",textOverflow:"ellipsis",whiteSpace:"nowrap",selectors:{":hover":{color:n.themePrimary,cursor:"pointer"}}},o]}}),void 0,{scope:"DocumentCardLocation"}),Ti=o(4861),Ei=(0,D.y)(),Pi=function(e){function t(t){var o=e.call(this,t)||this;return o._renderPreviewList=function(e){var t=o.props,n=t.getOverflowDocumentCountText,r=t.maxDisplayCount,i=void 0===r?3:r,a=e.length-i,s=a?n?n(a):"+"+a:null,u=e.slice(0,i).map((function(e,t){return c.createElement("li",{key:t},c.createElement(Ti.E,{className:o._classNames.fileListIcon,src:e.iconSrc,role:"presentation",alt:"",width:"16px",height:"16px"}),c.createElement(O,(0,l.pi)({className:o._classNames.fileListLink},(e.linkProps,{href:e.linkProps&&e.linkProps.href||e.url})),e.name))}));return c.createElement("div",null,c.createElement("ul",{className:o._classNames.fileList},u),s&&c.createElement("span",{className:o._classNames.fileListOverflowText},s))},(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e,t,o=this.props,n=o.previewImages,r=o.styles,i=o.theme,a=o.className,s=n.length>1;return this._classNames=Ei(r,{theme:i,className:a,isFileList:s}),n.length>1?t=this._renderPreviewList(n):1===n.length&&(t=this._renderPreviewImage(n[0]),n[0].accentColor&&(e={borderBottomColor:n[0].accentColor})),c.createElement("div",{className:this._classNames.root,style:e},t)},t.prototype._renderPreviewImage=function(e){var t=e.width,o=e.height,n=e.imageFit,r=e.previewIconProps,i=e.previewIconContainerClass;if(r)return c.createElement("div",{className:(0,pt.i)(this._classNames.previewIcon,i),style:{width:t,height:o}},c.createElement(W.J,(0,l.pi)({},r)));var a,s=c.createElement(Ti.E,{width:t,height:o,imageFit:n,src:e.previewImageSrc,role:"presentation",alt:""});return e.iconSrc&&(a=c.createElement(Ti.E,{className:this._classNames.icon,src:e.iconSrc,role:"presentation",alt:""})),c.createElement("div",null,s,a)},t}(c.Component),Mi=(0,I.z)(Pi,(function(e){var t,o,n=e.theme,r=e.className,i=e.isFileList,a=n.palette,s=n.fonts,l=(0,u.Cn)(li,n);return{root:[l.root,s.small,{backgroundColor:i?a.white:a.neutralLighterAlt,borderBottom:"1px solid "+a.neutralLight,overflow:"hidden",position:"relative"},r],previewIcon:[l.iconContainer,{display:"flex",alignItems:"center",justifyContent:"center",height:"100%"}],icon:[l.icon,{left:"10px",bottom:"10px",position:"absolute"}],fileList:{padding:"16px 16px 0 16px",listStyleType:"none",margin:0,selectors:{li:{height:"16px",lineHeight:"16px",marginBottom:"8px",overflow:"hidden"}}},fileListIcon:{display:"inline-block",marginRight:"8px"},fileListLink:[(0,u.GL)(n,{highContrastStyle:{border:"1px solid WindowText",outline:"none"}}),{boxSizing:"border-box",color:a.neutralDark,overflow:"hidden",display:"inline-block",textDecoration:"none",textOverflow:"ellipsis",whiteSpace:"nowrap",width:"calc(100% - 24px)",selectors:(t={":hover":{color:a.themePrimary}},t["."+de.G$+" &:focus"]={selectors:(o={},o[u.qJ]={outline:"none"},o)},t)}],fileListOverflowText:{padding:"0px 16px 8px 16px",display:"block"}}}),void 0,{scope:"DocumentCardPreview"}),Ri=(0,D.y)(),Ni=function(e){function t(t){var o=e.call(this,t)||this;return o._onImageLoad=function(){o.setState({imageHasLoaded:!0})},(0,P.l)(o),o.state={imageHasLoaded:!1},o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.width,n=e.height,r=e.imageFit,i=e.imageSrc;return this._classNames=Ri(t,this.props),c.createElement("div",{className:this._classNames.root},i&&c.createElement(Ti.E,{width:o,height:n,imageFit:r,src:i,role:"presentation",alt:"",onLoad:this._onImageLoad}),this.state.imageHasLoaded?this._renderCornerIcon():this._renderCenterIcon())},t.prototype._renderCenterIcon=function(){var e=this.props.iconProps;return c.createElement("div",{className:this._classNames.centeredIconWrapper},c.createElement(W.J,(0,l.pi)({className:this._classNames.centeredIcon},e)))},t.prototype._renderCornerIcon=function(){var e=this.props.iconProps;return c.createElement(W.J,(0,l.pi)({className:this._classNames.cornerIcon},e))},t}(c.Component),Bi="42px",Fi="32px",Li=(0,I.z)(Ni,(function(e){var t=e.theme,o=e.className,n=e.height,r=e.width,i=t.palette;return{root:[{borderBottom:"1px solid "+i.neutralLight,position:"relative",backgroundColor:i.neutralLighterAlt,overflow:"hidden",height:n&&n+"px",width:r&&r+"px"},o],centeredIcon:[{height:Bi,width:Bi,fontSize:Bi}],centeredIconWrapper:[{display:"flex",alignItems:"center",justifyContent:"center",height:"100%",width:"100%",position:"absolute",top:0,left:0}],cornerIcon:[{left:"10px",bottom:"10px",height:Fi,width:Fi,fontSize:Fi,position:"absolute",overflow:"visible"}]}}),void 0,{scope:"DocumentCardImage"}),Ai=(0,D.y)(),zi=function(e){function t(t){var o=e.call(this,t)||this;return o._titleElement=c.createRef(),o._measureTitleElement=c.createRef(),o._truncateTitle=function(){o.state.needMeasurement&&o._async.requestAnimationFrame(o._truncateWhenInAnimation)},o._truncateWhenInAnimation=function(){var e=o.props.title,t=o._measureTitleElement.current;if(t){var n=getComputedStyle(t);if(n.width&&n.lineHeight&&n.height){var r=t.clientWidth,i=t.scrollWidth,a=Math.floor((parseInt(n.height,10)+5)/parseInt(n.lineHeight,10)),s=i/(parseInt(n.width,10)*a);if(s>1){var l=e.length/s-3;return o.setState({truncatedTitleFirstPiece:e.slice(0,l/2),truncatedTitleSecondPiece:e.slice(e.length-l/2),clientWidth:r,needMeasurement:!1})}}}return o.setState({needMeasurement:!1})},o._shrinkTitle=function(){var e=o.state,t=e.truncatedTitleFirstPiece,n=e.truncatedTitleSecondPiece;if(t&&n){var r=o._titleElement.current;if(!r)return;(r.scrollHeight>r.clientHeight+5||r.scrollWidth>r.clientWidth)&&o.setState({truncatedTitleFirstPiece:t.slice(0,t.length-1),truncatedTitleSecondPiece:n.slice(1)})}},(0,P.l)(o),o._async=new bo.e(o),o._events=new at.r(o),o.state={truncatedTitleFirstPiece:"",truncatedTitleSecondPiece:"",previousTitle:t.title,needMeasurement:!!t.shouldTruncate},o}return(0,l.ZT)(t,e),t.prototype.componentDidUpdate=function(){this.props.title!==this.state.previousTitle&&this.setState({truncatedTitleFirstPiece:void 0,truncatedTitleSecondPiece:void 0,clientWidth:void 0,previousTitle:this.props.title,needMeasurement:!!this.props.shouldTruncate}),this._events.off(window,"resize",this._updateTruncation),this.props.shouldTruncate&&(this._truncateTitle(),requestAnimationFrame(this._shrinkTitle),this._events.on(window,"resize",this._updateTruncation))},t.prototype.componentDidMount=function(){this.props.shouldTruncate&&(this._truncateTitle(),this._events.on(window,"resize",this._updateTruncation))},t.prototype.componentWillUnmount=function(){this._events.dispose(),this._async.dispose()},t.prototype.render=function(){var e=this.props,t=e.title,o=e.shouldTruncate,n=e.showAsSecondaryTitle,r=e.styles,i=e.theme,a=e.className,s=this.state,l=s.truncatedTitleFirstPiece,u=s.truncatedTitleSecondPiece,d=s.needMeasurement;return this._classNames=Ai(r,{theme:i,className:a,showAsSecondaryTitle:n}),d?c.createElement("div",{className:this._classNames.root,ref:this._measureTitleElement,title:t,style:{whiteSpace:"nowrap"}},t):o&&l&&u?c.createElement("div",{className:this._classNames.root,ref:this._titleElement,title:t},l,"…",u):c.createElement("div",{className:this._classNames.root,ref:this._titleElement,title:t},t)},t.prototype._updateTruncation=function(){var e=this;this._async.requestAnimationFrame((function(){if(e._titleElement.current){var t=e._titleElement.current.clientWidth;clearTimeout(e._titleTruncationTimer),e.state.clientWidth!==t&&(e._titleTruncationTimer=e._async.setTimeout((function(){return e.setState({truncatedTitleFirstPiece:void 0,truncatedTitleSecondPiece:void 0,needMeasurement:!0})}),250))}}))},t}(c.Component),Hi=(0,I.z)(zi,(function(e){var t=e.theme,o=e.className,n=e.showAsSecondaryTitle,r=t.palette,i=t.fonts;return{root:[(0,u.Cn)(ui,t).root,n?i.medium:i.large,{padding:"8px 16px",display:"block",overflow:"hidden",wordWrap:"break-word",height:n?"45px":"38px",lineHeight:n?"18px":"21px",color:n?r.neutralSecondary:r.neutralPrimary},o]}}),void 0,{scope:"DocumentCardTitle"}),Oi=(0,D.y)(),Wi=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.logoIcon,o=e.styles,n=e.theme,r=e.className;return this._classNames=Oi(o,{theme:n,className:r}),c.createElement("div",{className:this._classNames.root},c.createElement(W.J,{iconName:t}))},t}(c.Component),Vi={root:"ms-DocumentCardLogo"},Ki=(0,I.z)(Wi,(function(e){var t=e.theme,o=e.className,n=t.palette,r=t.fonts;return{root:[(0,u.Cn)(Vi,t).root,{fontSize:r.xxLargePlus.fontSize,color:n.themePrimary,display:"block",padding:"16px 16px 0 16px"},o]}}),void 0,{scope:"DocumentCardLogo"}),qi=(0,D.y)(),Gi=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.statusIcon,o=e.status,n=e.styles,r=e.theme,i=e.className,a={iconName:t,styles:{root:{padding:"8px"}}};return this._classNames=qi(n,{theme:r,className:i}),c.createElement("div",{className:this._classNames.root},t&&c.createElement(W.J,(0,l.pi)({},a)),o)},t}(c.Component),Ui={root:"ms-DocumentCardStatus"},ji=(0,I.z)(Gi,(function(e){var t=e.className,o=e.theme,n=o.palette,r=o.fonts;return{root:[(0,u.Cn)(Ui,o).root,r.medium,{margin:"8px 16px",color:n.neutralPrimary,backgroundColor:n.neutralLighter,height:"32px"},t]}}),void 0,{scope:"DocumentCardStatus"}),Ji=o(4004),Yi=o(8982),Zi=o(2703),Xi=o(4976);(0,Xi.RM)([{rawString:".pickerText_43ffcad1{display:-webkit-box;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;-webkit-box-align:center;-ms-flex-align:center;align-items:center;-webkit-box-sizing:border-box;box-sizing:border-box;border:1px solid "},{theme:"neutralTertiary",defaultValue:"#a19f9d"},{rawString:";min-width:180px;padding:1px;min-height:32px}.pickerText_43ffcad1:hover{border-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:"}.pickerInput_43ffcad1{height:34px;border:none;-webkit-box-flex:1;-ms-flex-positive:1;flex-grow:1;outline:0;padding:0 6px 0;margin:1px}.pickerInput_43ffcad1::-ms-clear{display:none}"}]);var Qi="pickerText_43ffcad1",$i="pickerInput_43ffcad1",ea=n,ta=function(e){function t(t){var o=e.call(this,t)||this;return o.floatingPicker=c.createRef(),o.selectedItemsList=c.createRef(),o.root=c.createRef(),o.input=c.createRef(),o.onSelectionChange=function(){o.forceUpdate()},o.onInputChange=function(e,t){t||(o.setState({queryString:e}),o.floatingPicker.current&&o.floatingPicker.current.onQueryStringChanged(e))},o.onInputFocus=function(e){o.selectedItemsList.current&&o.selectedItemsList.current.unselectAll(),o.props.inputProps&&o.props.inputProps.onFocus&&o.props.inputProps.onFocus(e)},o.onInputClick=function(e){if(o.selectedItemsList.current&&o.selectedItemsList.current.unselectAll(),o.floatingPicker.current&&o.inputElement){var t=""===o.inputElement.value||o.inputElement.value!==o.floatingPicker.current.inputText;o.floatingPicker.current.showPicker(t)}},o.onBackspace=function(e){e.which===rt.m.backspace&&o.selectedItemsList.current&&o.items.length&&(o.input.current&&!o.input.current.isValueSelected&&o.input.current.inputElement===document.activeElement&&0===o.input.current.cursorLocation?(o.floatingPicker.current&&o.floatingPicker.current.hidePicker(),e.preventDefault(),o.selectedItemsList.current.removeItemAt(o.items.length-1),o._onSelectedItemsChanged()):o.selectedItemsList.current.hasSelectedItems()&&(o.floatingPicker.current&&o.floatingPicker.current.hidePicker(),e.preventDefault(),o.selectedItemsList.current.removeSelectedItems(),o._onSelectedItemsChanged()))},o.onCopy=function(e){o.selectedItemsList.current&&o.selectedItemsList.current.onCopy(e)},o.onPaste=function(e){if(o.props.onPaste){var t=e.clipboardData.getData("Text");e.preventDefault(),o.props.onPaste(t)}},o._onSuggestionSelected=function(e){var t=o.props.currentRenderedQueryString,n=o.state.queryString;if(void 0===t||t===n){var r=o.props.onItemSelected?o.props.onItemSelected(e):e;if(null===r)return;var i,a=r,s=r;s&&s.then?s.then((function(e){i=e,o._addProcessedItem(i)})):(i=a,o._addProcessedItem(i))}},o._onSelectedItemsChanged=function(){o.focus()},o._onSuggestionsShownOrHidden=function(){o.forceUpdate()},(0,P.l)(o),o.selection=new nn.Y({onSelectionChanged:function(){return o.onSelectionChange()}}),o.state={queryString:""},o}return(0,l.ZT)(t,e),Object.defineProperty(t.prototype,"items",{get:function(){var e,t,o,n;return null!=(n=null!=(o=null!=(e=this.props.selectedItems)?e:null===(t=this.selectedItemsList.current)||void 0===t?void 0:t.items)?o:this.props.defaultSelectedItems)?n:null},enumerable:!0,configurable:!0}),t.prototype.componentDidMount=function(){this.forceUpdate()},t.prototype.focus=function(){this.input.current&&this.input.current.focus()},t.prototype.clearInput=function(){this.input.current&&this.input.current.clear()},Object.defineProperty(t.prototype,"inputElement",{get:function(){return this.input.current&&this.input.current.inputElement},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"highlightedItems",{get:function(){return this.selectedItemsList.current?this.selectedItemsList.current.highlightedItems():[]},enumerable:!0,configurable:!0}),t.prototype.render=function(){var e=this.props,t=e.className,o=e.inputProps,n=e.disabled,r=e.focusZoneProps,i=this.floatingPicker.current&&-1!==this.floatingPicker.current.currentSelectedSuggestionIndex?"sug-"+this.floatingPicker.current.currentSelectedSuggestionIndex:void 0,a=!!this.floatingPicker.current&&this.floatingPicker.current.isSuggestionsShown;return c.createElement("div",{ref:this.root,className:(0,pt.i)("ms-BasePicker ms-BaseExtendedPicker",t||""),onKeyDown:this.onBackspace,onCopy:this.onCopy},c.createElement(M.k,(0,l.pi)({direction:R.U.bidirectional},r),c.createElement(rn.i,{selection:this.selection,selectionMode:on.oW.multiple},c.createElement("div",{className:(0,pt.i)("ms-BasePicker-text",ea.pickerText),role:"list"},this.props.headerComponent,this.renderSelectedItemsList(),this.canAddItems()&&c.createElement(x.G,(0,l.pi)({},o,{className:(0,pt.i)("ms-BasePicker-input",ea.pickerInput),ref:this.input,onFocus:this.onInputFocus,onClick:this.onInputClick,onInputValueChange:this.onInputChange,"aria-activedescendant":i,"aria-owns":a?"suggestion-list":void 0,"aria-expanded":a,"aria-haspopup":"true",role:"combobox",disabled:n,onPaste:this.onPaste}))))),this.renderFloatingPicker())},Object.defineProperty(t.prototype,"floatingPickerProps",{get:function(){return this.props.floatingPickerProps},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"selectedItemsListProps",{get:function(){return this.props.selectedItemsListProps},enumerable:!0,configurable:!0}),t.prototype.canAddItems=function(){var e=this.props.itemLimit;return void 0===e||this.items.length0,p=d?r:r.slice(0,u),m=(d?i:r.slice(u))||[];return c.createElement("div",{className:l.root},this.onRenderAriaDescription(),c.createElement("div",{className:l.itemContainer},a?this._getAddNewElement():null,c.createElement("ul",{className:l.members,"aria-label":s},this._onRenderVisiblePersonas(p,0===m.length&&1===r.length)),e?this._getOverflowElement(m):null))},t.prototype.onRenderAriaDescription=function(){var e=this.props.ariaDescription,t=this._classNames;return e&&c.createElement("span",{className:t.screenReaderOnly,id:this._ariaDescriptionId},e)},t.prototype._onRenderVisiblePersonas=function(e,t){var o=this,n=this.props,r=n.onRenderPersona,i=void 0===r?this._getPersonaControl:r,a=n.onRenderPersonaCoin,s=void 0===a?this._getPersonaCoinControl:a;return e.map((function(e,n){var r=t?i(e,o._getPersonaControl):s(e,o._getPersonaCoinControl);return c.createElement("li",{key:(t?"persona":"personaCoin")+"-"+n,className:o._classNames.member},e.onClick?o._getElementWithOnClickEvent(r,e,n):o._getElementWithoutOnClickEvent(r,e,n))}))},t.prototype._getElementWithOnClickEvent=function(e,t,o){var n=t.keytipProps;return c.createElement(ca,(0,l.pi)({},(0,E.pq)(t,E.Yq),this._getElementProps(t,o),{keytipProps:n,onClick:this._onPersonaClick.bind(this,t)}),e)},t.prototype._getElementWithoutOnClickEvent=function(e,t,o){return c.createElement("div",(0,l.pi)({},(0,E.pq)(t,E.Yq),this._getElementProps(t,o)),e)},t.prototype._getElementProps=function(e,t){var o=this._classNames;return{key:(e.imageUrl?"i":"")+t,"data-is-focusable":!0,className:o.itemButton,title:e.personaName,onMouseMove:this._onPersonaMouseMove.bind(this,e),onMouseOut:this._onPersonaMouseOut.bind(this,e)}},t.prototype._getOverflowElement=function(e){switch(this.props.overflowButtonType){case oa.descriptive:return this._getDescriptiveOverflowElement(e);case oa.downArrow:return this._getIconElement("ChevronDown");case oa.more:return this._getIconElement("More");default:return null}},t.prototype._getDescriptiveOverflowElement=function(e){var t=this.props.personaSize;if(!e||e.length<1)return null;var o=e.map((function(e){return e.personaName})).join(", "),n=(0,l.pi)({title:o},this.props.overflowButtonProps),r=Math.max(e.length,0),i=this._classNames;return c.createElement(ca,(0,l.pi)({},n,{ariaDescription:n.title,className:i.descriptiveOverflowButton}),c.createElement(_.t,{size:t,onRenderInitials:this._renderInitialsNotPictured(r),initialsColor:C.z5.transparent}))},t.prototype._getIconElement=function(e){var t=this.props,o=t.overflowButtonProps,n=t.personaSize,r=this._classNames;return c.createElement(ca,(0,l.pi)({},o,{className:r.overflowButton}),c.createElement(_.t,{size:n,onRenderInitials:this._renderInitials(e,!0),initialsColor:C.z5.transparent}))},t.prototype._getAddNewElement=function(){var e=this.props,t=e.addButtonProps,o=e.personaSize,n=this._classNames;return c.createElement(ca,(0,l.pi)({},t,{className:n.addButton}),c.createElement(_.t,{size:o,onRenderInitials:this._renderInitials("AddFriend")}))},t.prototype._onPersonaClick=function(e,t){e.onClick(t,e),t.preventDefault(),t.stopPropagation()},t.prototype._onPersonaMouseMove=function(e,t){e.onMouseMove&&e.onMouseMove(t,e)},t.prototype._onPersonaMouseOut=function(e,t){e.onMouseOut&&e.onMouseOut(t,e)},t.prototype._renderInitials=function(e,t){var o=this._classNames;return function(){return c.createElement(W.J,{iconName:e,className:t?o.overflowInitialsIcon:""})}},t.prototype._renderInitialsNotPictured=function(e){var t=this._classNames;return function(){return c.createElement("span",{className:t.overflowInitialsIcon},e<100?"+"+e:"99+")}},t.defaultProps={maxDisplayablePersonas:5,personas:[],overflowPersonas:[],personaSize:C.Ir.size32},t}(c.Component),ma={root:"ms-Facepile",addButton:"ms-Facepile-addButton ms-Facepile-itemButton",descriptiveOverflowButton:"ms-Facepile-descriptiveOverflowButton ms-Facepile-itemButton",itemButton:"ms-Facepile-itemButton ms-Facepile-person",itemContainer:"ms-Facepile-itemContainer",members:"ms-Facepile-members",member:"ms-Facepile-member",overflowButton:"ms-Facepile-overflowButton ms-Facepile-itemButton"},ha=(0,I.z)(pa,(function(e){var t,o=e.className,n=e.theme,r=e.spacingAroundItemButton,i=void 0===r?2:r,a=n.palette,s=n.fonts,l=(0,u.Cn)(ma,n),c={textAlign:"center",padding:0,borderRadius:"50%",verticalAlign:"top",display:"inline",backgroundColor:"transparent",border:"none",selectors:{"&::-moz-focus-inner":{padding:0,border:0}}};return{root:[l.root,n.fonts.medium,{width:"auto"},o],addButton:[l.addButton,(0,u.GL)(n,{inset:-1}),c,{fontSize:s.medium.fontSize,color:a.white,backgroundColor:a.themePrimary,marginRight:2*i+"px",selectors:{"&:hover":{backgroundColor:a.themeDark},"&:focus":{backgroundColor:a.themeDark},"&:active":{backgroundColor:a.themeDarker},"&:disabled":{backgroundColor:a.neutralTertiaryAlt}}}],descriptiveOverflowButton:[l.descriptiveOverflowButton,(0,u.GL)(n,{inset:-1}),c,{fontSize:s.small.fontSize,color:a.neutralSecondary,backgroundColor:a.neutralLighter,marginLeft:2*i+"px"}],itemButton:[l.itemButton,c],itemContainer:[l.itemContainer,{display:"flex"}],members:[l.members,{display:"flex",overflow:"hidden",listStyleType:"none",padding:0,margin:"-"+i+"px"}],member:[l.member,{display:"inline-flex",flex:"0 0 auto",margin:i+"px"}],overflowButton:[l.overflowButton,(0,u.GL)(n,{inset:-1}),c,{fontSize:s.medium.fontSize,color:a.neutralSecondary,backgroundColor:a.neutralLighter,marginLeft:2*i+"px"}],overflowInitialsIcon:[{color:a.neutralPrimary,selectors:(t={},t[u.qJ]={color:"WindowText"},t)}],screenReaderOnly:u.ul}}),void 0,{scope:"Facepile"});(0,Xi.RM)([{rawString:".callout_467cd672 .ms-Suggestions-itemButton{padding:0;border:none}.callout_467cd672 .ms-Suggestions{min-width:300px}"}]);var ga="callout_467cd672",fa=o(7420);(0,Xi.RM)([{rawString:".suggestionsContainer_98495a3a{overflow-y:auto;overflow-x:hidden;max-height:300px}.suggestionsContainer_98495a3a .ms-Suggestion-item:hover{background-color:"},{theme:"neutralLighter",defaultValue:"#f3f2f1"},{rawString:";cursor:pointer}.suggestionsContainer_98495a3a .is-suggested{background-color:"},{theme:"themeLighter",defaultValue:"#deecf9"},{rawString:"}.suggestionsContainer_98495a3a .is-suggested:hover{background-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:";cursor:pointer}"}]);var va="suggestionsContainer_98495a3a",ba=i,ya=function(e){function t(t){var o=e.call(this,t)||this;return o._selectedElement=c.createRef(),o.SuggestionsItemOfProperType=fa.S,o._onClickTypedSuggestionsItem=function(e,t){return function(n){o.props.onSuggestionClick(n,e,t)}},o._onRemoveTypedSuggestionsItem=function(e,t){return function(n){(0,o.props.onSuggestionRemove)(n,e,t),n.stopPropagation()}},(0,P.l)(o),o.currentIndex=-1,o}return(0,l.ZT)(t,e),t.prototype.nextSuggestion=function(){var e=this.props.suggestions;if(e&&e.length>0){if(-1===this.currentIndex)return this.setSelectedSuggestion(0),!0;if(this.currentIndex0){if(-1===this.currentIndex)return this.setSelectedSuggestion(e.length-1),!0;if(this.currentIndex>0)return this.setSelectedSuggestion(this.currentIndex-1),!0;if(this.props.shouldLoopSelection&&0===this.currentIndex)return this.setSelectedSuggestion(e.length-1),!0}return!1},Object.defineProperty(t.prototype,"selectedElement",{get:function(){return this._selectedElement.current||void 0},enumerable:!0,configurable:!0}),t.prototype.getCurrentItem=function(){return this.props.suggestions[this.currentIndex]},t.prototype.getSuggestionAtIndex=function(e){return this.props.suggestions[e]},t.prototype.hasSuggestionSelected=function(){return-1!==this.currentIndex&&this.currentIndex-1&&this.props.suggestions[this.currentIndex]&&(this.props.suggestions[this.currentIndex].selected=!1,this.currentIndex=-1,this.forceUpdate())},t.prototype.setSelectedSuggestion=function(e){var t=this.props.suggestions;e>t.length-1||e<0?(this.currentIndex=0,this.currentSuggestion.selected=!1,this.currentSuggestion=t[0],this.currentSuggestion.selected=!0):(this.currentIndex>-1&&t[this.currentIndex]&&(t[this.currentIndex].selected=!1),t[e].selected=!0,this.currentIndex=e,this.currentSuggestion=t[e]),this.forceUpdate()},t.prototype.componentDidUpdate=function(){this.scrollSelected()},t.prototype.render=function(){var e=this,t=this.props,o=t.onRenderSuggestion,n=t.suggestionsItemClassName,r=t.resultsMaximumNumber,i=t.showRemoveButtons,a=t.suggestionsContainerAriaLabel,s=this.SuggestionsItemOfProperType,l=this.props.suggestions;return r&&(l=l.slice(0,r)),c.createElement("div",{className:(0,pt.i)("ms-Suggestions-container",ba.suggestionsContainer),id:"suggestion-list",role:"list","aria-label":a},l.map((function(t,r){return c.createElement("div",{ref:t.selected||r===e.currentIndex?e._selectedElement:void 0,key:t.item.key?t.item.key:r,id:"sug-"+r,role:"listitem","aria-label":t.ariaLabel},c.createElement(s,{id:"sug-item"+r,suggestionModel:t,RenderSuggestion:o,onClick:e._onClickTypedSuggestionsItem(t.item,r),className:n,showRemoveButton:i,onRemoveItem:e._onRemoveTypedSuggestionsItem(t.item,r),isSelectedOverride:r===e.currentIndex}))})))},t.prototype.scrollSelected=function(){var e;void 0!==(null===(e=this._selectedElement.current)||void 0===e?void 0:e.scrollIntoView)&&this._selectedElement.current.scrollIntoView(!1)},t}(c.Component);(0,Xi.RM)([{rawString:".root_6d187696{min-width:260px}.actionButton_6d187696{background:0 0;background-color:transparent;border:0;cursor:pointer;margin:0;padding:0;position:relative;width:100%;font-size:12px}html[dir=ltr] .actionButton_6d187696{text-align:left}html[dir=rtl] .actionButton_6d187696{text-align:right}.actionButton_6d187696:hover{background-color:"},{theme:"neutralLighter",defaultValue:"#f3f2f1"},{rawString:";cursor:pointer}.actionButton_6d187696:active,.actionButton_6d187696:focus{background-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:"}.actionButton_6d187696 .ms-Button-icon{font-size:16px;width:25px}.actionButton_6d187696 .ms-Button-label{margin:0 4px 0 9px}html[dir=rtl] .actionButton_6d187696 .ms-Button-label{margin:0 9px 0 4px}.buttonSelected_6d187696{background-color:"},{theme:"themeLighter",defaultValue:"#deecf9"},{rawString:"}.buttonSelected_6d187696:hover{background-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:";cursor:pointer}@media screen and (-ms-high-contrast:active){.buttonSelected_6d187696:hover{background-color:Highlight;color:HighlightText}}@media screen and (-ms-high-contrast:active){.buttonSelected_6d187696{background-color:Highlight;color:HighlightText;-ms-high-contrast-adjust:none}}.suggestionsTitle_6d187696{font-size:12px}.suggestionsSpinner_6d187696{margin:5px 0;white-space:nowrap;line-height:20px;font-size:12px}html[dir=ltr] .suggestionsSpinner_6d187696{padding-left:14px}html[dir=rtl] .suggestionsSpinner_6d187696{padding-right:14px}html[dir=ltr] .suggestionsSpinner_6d187696{text-align:left}html[dir=rtl] .suggestionsSpinner_6d187696{text-align:right}.suggestionsSpinner_6d187696 .ms-Spinner-circle{display:inline-block;vertical-align:middle}.suggestionsSpinner_6d187696 .ms-Spinner-label{display:inline-block;margin:0 10px 0 16px;vertical-align:middle}html[dir=rtl] .suggestionsSpinner_6d187696 .ms-Spinner-label{margin:0 16px 0 10px}.itemButton_6d187696{height:100%;width:100%;padding:7px 12px}@media screen and (-ms-high-contrast:active){.itemButton_6d187696{color:WindowText}}.screenReaderOnly_6d187696{position:absolute;width:1px;height:1px;padding:0;margin:-1px;overflow:hidden;clip:rect(0,0,0,0);border:0}"}]);var _a,Ca="root_6d187696",Sa="actionButton_6d187696",xa="buttonSelected_6d187696",ka="suggestionsTitle_6d187696",wa="suggestionsSpinner_6d187696",Ia="itemButton_6d187696",Da="screenReaderOnly_6d187696",Ta=a;!function(e){e[e.header=0]="header",e[e.suggestion=1]="suggestion",e[e.footer=2]="footer"}(_a||(_a={}));var Ea=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e,t=this.props,o=t.renderItem,n=t.onExecute,r=t.isSelected,i=t.id,a=t.className;return n?c.createElement("div",{id:i,onClick:n,className:(0,pt.i)("ms-Suggestions-sectionButton",a,Ta.actionButton,(e={},e["is-selected "+Ta.buttonSelected]=r,e))},o()):c.createElement("div",{id:i,className:(0,pt.i)("ms-Suggestions-section",a,Ta.suggestionsTitle)},o())},t}(c.Component),Pa=function(e){function t(t){var o=e.call(this,t)||this;return o._selectedElement=c.createRef(),o._suggestions=c.createRef(),o.SuggestionsOfProperType=ya,(0,P.l)(o),o.state={selectedHeaderIndex:-1,selectedFooterIndex:-1,suggestions:t.suggestions},o}return(0,l.ZT)(t,e),t.prototype.componentDidMount=function(){this.resetSelectedItem()},t.prototype.componentDidUpdate=function(e){var t=this;this.scrollSelected(),e.suggestions&&e.suggestions!==this.props.suggestions&&this.setState({suggestions:this.props.suggestions},(function(){t.resetSelectedItem()}))},t.prototype.componentWillUnmount=function(){var e;null===(e=this._suggestions.current)||void 0===e||e.deselectAllSuggestions()},t.prototype.render=function(){var e=this.props,t=e.className,o=e.headerItemsProps,n=e.footerItemsProps,r=e.suggestionsAvailableAlertText,i=(0,u.y0)(u.ul),a=this.state.suggestions&&this.state.suggestions.length>0&&r;return c.createElement("div",{className:(0,pt.i)("ms-Suggestions",t||"",Ta.root)},o&&this.renderHeaderItems(),this._renderSuggestions(),n&&this.renderFooterItems(),a?c.createElement("span",{role:"alert","aria-live":"polite",className:i},r):null)},Object.defineProperty(t.prototype,"currentSuggestion",{get:function(){var e;return(null===(e=this._suggestions.current)||void 0===e?void 0:e.getCurrentItem())||void 0},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"currentSuggestionIndex",{get:function(){return this._suggestions.current?this._suggestions.current.currentIndex:-1},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"selectedElement",{get:function(){var e;return this._selectedElement.current?this._selectedElement.current:null===(e=this._suggestions.current)||void 0===e?void 0:e.selectedElement},enumerable:!0,configurable:!0}),t.prototype.hasSuggestionSelected=function(){var e;return(null===(e=this._suggestions.current)||void 0===e?void 0:e.hasSuggestionSelected())||!1},t.prototype.hasSelection=function(){var e=this.state,t=e.selectedHeaderIndex,o=e.selectedFooterIndex;return-1!==t||this.hasSuggestionSelected()||-1!==o},t.prototype.executeSelectedAction=function(){var e,t=this.props,o=t.headerItemsProps,n=t.footerItemsProps,r=this.state,i=r.selectedHeaderIndex,a=r.selectedFooterIndex;if(o&&-1!==i&&it+1)return null===(o=this._suggestions.current)||void 0===o||o.setSelectedSuggestion(t+1),this.setState({selectedHeaderIndex:-1,selectedFooterIndex:-1}),!0}else{var r=e===_a.header,i=r?this.props.headerItemsProps:this.props.footerItemsProps;if(i&&i.length>t+1)for(var a=t+1;a0)return null===(o=this._suggestions.current)||void 0===o||o.setSelectedSuggestion(r-1),this.setState({selectedHeaderIndex:-1,selectedFooterIndex:-1}),!0}else{var r,i=e===_a.header,a=i?this.props.headerItemsProps:this.props.footerItemsProps;if(a&&(r=void 0!==t?t:a.length)>0)for(var s=r-1;s>=0;s--){var l=a[s];if(l.onExecute&&l.shouldShow())return this.setState({selectedHeaderIndex:i?s:-1}),this.setState({selectedFooterIndex:i?-1:s}),null===(n=this._suggestions.current)||void 0===n||n.deselectAllSuggestions(),!0}}return!1},t.prototype._getCurrentIndexForType=function(e){switch(e){case _a.header:return this.state.selectedHeaderIndex;case _a.suggestion:return this._suggestions.current.currentIndex;case _a.footer:return this.state.selectedFooterIndex}},t.prototype._getNextItemSectionType=function(e){switch(e){case _a.header:return _a.suggestion;case _a.suggestion:return _a.footer;case _a.footer:return _a.header}},t.prototype._getPreviousItemSectionType=function(e){switch(e){case _a.header:return _a.footer;case _a.suggestion:return _a.header;case _a.footer:return _a.suggestion}},t}(c.Component),Ma=r,Ra=function(e){function t(t){var o=e.call(this,t)||this;return o.root=c.createRef(),o.suggestionsControl=c.createRef(),o.SuggestionsControlOfProperType=Pa,o.isComponentMounted=!1,o.onQueryStringChanged=function(e){e!==o.state.queryString&&(o.setState({queryString:e}),o.props.onInputChanged&&o.props.onInputChanged(e),o.updateValue(e))},o.hidePicker=function(){var e=o.isSuggestionsShown;o.setState({suggestionsVisible:!1}),o.props.onSuggestionsHidden&&e&&o.props.onSuggestionsHidden()},o.showPicker=function(e){void 0===e&&(e=!1);var t=o.isSuggestionsShown;o.setState({suggestionsVisible:!0});var n=o.props.inputElement?o.props.inputElement.value:"";e&&o.updateValue(n),o.props.onSuggestionsShown&&!t&&o.props.onSuggestionsShown()},o.completeSuggestion=function(){o.suggestionsControl.current&&o.suggestionsControl.current.hasSuggestionSelected()&&o.onChange(o.suggestionsControl.current.currentSuggestion.item)},o.onSuggestionClick=function(e,t,n){o.onChange(t),o._updateSuggestionsVisible(!1)},o.onSuggestionRemove=function(e,t,n){o.props.onRemoveSuggestion&&o.props.onRemoveSuggestion(t),o.suggestionsControl.current&&o.suggestionsControl.current.removeSuggestion(n)},o.onKeyDown=function(e){if(o.state.suggestionsVisible&&(!o.props.inputElement||o.props.inputElement.contains(e.target))){var t=e.which;switch(t){case rt.m.escape:o.hidePicker(),e.preventDefault(),e.stopPropagation();break;case rt.m.tab:case rt.m.enter:!e.shiftKey&&!e.ctrlKey&&o.suggestionsControl.current&&o.suggestionsControl.current.handleKeyDown(t)?(e.preventDefault(),e.stopPropagation()):o._onValidateInput();break;case rt.m.del:o.props.onRemoveSuggestion&&o.suggestionsControl.current&&o.suggestionsControl.current.hasSuggestionSelected&&o.suggestionsControl.current.currentSuggestion&&e.shiftKey&&(o.props.onRemoveSuggestion(o.suggestionsControl.current.currentSuggestion.item),o.suggestionsControl.current.removeSuggestion(),o.forceUpdate(),e.stopPropagation());break;case rt.m.up:case rt.m.down:o.suggestionsControl.current&&o.suggestionsControl.current.handleKeyDown(t)&&(e.preventDefault(),e.stopPropagation(),o._updateActiveDescendant())}}},o._onValidateInput=function(){if(o.state.queryString&&o.props.onValidateInput&&o.props.createGenericItem){var e=o.props.createGenericItem(o.state.queryString,o.props.onValidateInput(o.state.queryString)),t=o.suggestionStore.convertSuggestionsToSuggestionItems([e]);o.onChange(t[0].item)}},o._async=new bo.e(o),(0,P.l)(o),o.suggestionStore=t.suggestionsStore,o.state={queryString:"",didBind:!1},o}return(0,l.ZT)(t,e),Object.defineProperty(t.prototype,"inputText",{get:function(){return this.state.queryString},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"suggestions",{get:function(){return this.suggestionStore.suggestions},enumerable:!0,configurable:!0}),t.prototype.forceResolveSuggestion=function(){this.suggestionsControl.current&&this.suggestionsControl.current.hasSuggestionSelected()?this.completeSuggestion():this._onValidateInput()},Object.defineProperty(t.prototype,"currentSelectedSuggestionIndex",{get:function(){return this.suggestionsControl.current?this.suggestionsControl.current.currentSuggestionIndex:-1},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"isSuggestionsShown",{get:function(){return void 0!==this.state.suggestionsVisible&&this.state.suggestionsVisible},enumerable:!0,configurable:!0}),t.prototype.componentDidMount=function(){this._bindToInputElement(),this.isComponentMounted=!0,this._onResolveSuggestions=this._async.debounce(this._onResolveSuggestions,this.props.resolveDelay)},t.prototype.componentDidUpdate=function(){this._bindToInputElement()},t.prototype.componentWillUnmount=function(){this._unbindFromInputElement(),this.isComponentMounted=!1},t.prototype.updateSuggestions=function(e,t){void 0===t&&(t=!1),this.suggestionStore.updateSuggestions(e),t&&this.forceUpdate()},t.prototype.render=function(){var e=this.props.className;return c.createElement("div",{ref:this.root,className:(0,pt.i)("ms-BasePicker ms-BaseFloatingPicker",e||"")},this.renderSuggestions())},t.prototype.renderSuggestions=function(){var e=this.SuggestionsControlOfProperType;return this.props.suggestionItems&&this.suggestionStore.updateSuggestions(this.props.suggestionItems),this.state.suggestionsVisible?c.createElement(Ae.U,(0,l.pi)({className:Ma.callout,isBeakVisible:!1,gapSpace:5,target:this.props.inputElement,onDismiss:this.hidePicker,directionalHint:K.b.bottomLeftEdge,directionalHintForRTL:K.b.bottomRightEdge,calloutWidth:this.props.calloutWidth?this.props.calloutWidth:0},this.props.pickerCalloutProps),c.createElement(e,(0,l.pi)({onRenderSuggestion:this.props.onRenderSuggestionsItem,onSuggestionClick:this.onSuggestionClick,onSuggestionRemove:this.onSuggestionRemove,suggestions:this.suggestionStore.getSuggestions(),componentRef:this.suggestionsControl,completeSuggestion:this.completeSuggestion,shouldLoopSelection:!1},this.props.pickerSuggestionsProps))):null},t.prototype.onSelectionChange=function(){this.forceUpdate()},t.prototype.updateValue=function(e){""===e?this.updateSuggestionWithZeroState():this._onResolveSuggestions(e)},t.prototype.updateSuggestionWithZeroState=function(){if(this.props.onZeroQuerySuggestion){var e=(0,this.props.onZeroQuerySuggestion)(this.props.selectedItems);this.updateSuggestionsList(e)}else this.hidePicker()},t.prototype.updateSuggestionsList=function(e){var t=this,o=e,n=e;if(Array.isArray(o))this.updateSuggestions(o,!0);else if(n&&n.then){var r=this.currentPromise=n;r.then((function(e){r===t.currentPromise&&t.isComponentMounted&&t.updateSuggestions(e,!0)}))}},t.prototype.onChange=function(e){this.props.onChange&&this.props.onChange(e)},t.prototype._updateActiveDescendant=function(){if(this.props.inputElement&&this.suggestionsControl.current&&this.suggestionsControl.current.selectedElement){var e=this.suggestionsControl.current.selectedElement.getAttribute("id");e&&this.props.inputElement.setAttribute("aria-activedescendant",e)}},t.prototype._onResolveSuggestions=function(e){var t=this.props.onResolveSuggestions(e,this.props.selectedItems);this._updateSuggestionsVisible(!0),null!==t&&this.updateSuggestionsList(t)},t.prototype._updateSuggestionsVisible=function(e){e?this.showPicker():this.hidePicker()},t.prototype._bindToInputElement=function(){this.props.inputElement&&!this.state.didBind&&(this.props.inputElement.addEventListener("keydown",this.onKeyDown),this.setState({didBind:!0}))},t.prototype._unbindFromInputElement=function(){this.props.inputElement&&this.state.didBind&&(this.props.inputElement.removeEventListener("keydown",this.onKeyDown),this.setState({didBind:!1}))},t}(c.Component),Na=o(6104);(0,Xi.RM)([{rawString:".resultContent_9816a275{display:table-row}.resultContent_9816a275 .resultItem_9816a275{display:table-cell;vertical-align:bottom}.peoplePickerPersona_9816a275{width:180px}.peoplePickerPersona_9816a275 .ms-Persona-details{width:100%}.peoplePicker_9816a275 .ms-BasePicker-text{min-height:40px}.peoplePickerPersonaContent_9816a275{display:-webkit-box;display:-ms-flexbox;display:flex;width:100%;-webkit-box-pack:justify;-ms-flex-pack:justify;justify-content:space-between;-webkit-box-align:center;-ms-flex-align:center;align-items:center;padding:7px 12px}"}]);var Ba=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,l.ZT)(t,e),t}(Ra),Fa=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,l.ZT)(t,e),t.defaultProps={onRenderSuggestionsItem:function(e,t){return o=(0,l.pi)({},e),(0,l.pi)({},t),c.createElement("div",{className:(0,pt.i)("ms-PeoplePicker-personaContent","peoplePickerPersonaContent_9816a275")},c.createElement(ua.I,(0,l.pi)({presence:void 0!==o.presence?o.presence:C.H_.none,size:C.Ir.size40,className:(0,pt.i)("ms-PeoplePicker-Persona","peoplePickerPersona_9816a275"),showSecondaryText:!0},o)));var o},createGenericItem:La},t}(Ba);function La(e,t){var o={key:e,primaryText:e,imageInitials:"!",isValid:t};return t||(o.imageInitials=(0,Na.Q)(e,(0,T.zg)())),o}var Aa=function(){function e(e){var t=this;this._isSuggestionModel=function(e){return void 0!==e.item},this._ensureSuggestionModel=function(e){return t._isSuggestionModel(e)?e:{item:e,selected:!1,ariaLabel:void 0!==t.getAriaLabel?t.getAriaLabel(e):e.name||e.text||e.primaryText}},this.suggestions=[],this.getAriaLabel=e&&e.getAriaLabel}return e.prototype.updateSuggestions=function(e){e&&e.length>0?this.suggestions=this.convertSuggestionsToSuggestionItems(e):this.suggestions=[]},e.prototype.getSuggestions=function(){return this.suggestions},e.prototype.getSuggestionAtIndex=function(e){return this.suggestions[e]},e.prototype.removeSuggestion=function(e){this.suggestions.splice(e,1)},e.prototype.convertSuggestionsToSuggestionItems=function(e){return Array.isArray(e)?e.map(this._ensureSuggestionModel):[]},e}(),za=o(6316);(0,za.x)("@fluentui/react-focus","8.0.4");var Ha,Oa,Wa={host:"ms-HoverCard-host"};!function(e){e[e.hover=0]="hover",e[e.hotKey=1]="hotKey"}(Ha||(Ha={})),function(e){e.plain="PlainCard",e.expanding="ExpandingCard"}(Oa||(Oa={}));var Va,Ka={root:"ms-ExpandingCard-root",compactCard:"ms-ExpandingCard-compactCard",expandedCard:"ms-ExpandingCard-expandedCard",expandedCardScroll:"ms-ExpandingCard-expandedCardScrollRegion"};!function(e){e[e.compact=0]="compact",e[e.expanded=1]="expanded"}(Va||(Va={}));var qa=function(e){var t=e.gapSpace,o=void 0===t?0:t,n=e.directionalHint,r=void 0===n?K.b.bottomLeftEdge:n,i=e.directionalHintFixed,a=e.targetElement,s=e.firstFocus,u=e.trapFocus,d=e.onLeave,p=e.className,m=e.finalHeight,h=e.content,g=e.calloutProps,f=(0,l.pi)((0,l.pi)((0,l.pi)({},(0,E.pq)(e,E.n7)),{className:p,target:a,isBeakVisible:!1,directionalHint:r,directionalHintFixed:i,finalHeight:m,minPagePadding:24,onDismiss:d,gapSpace:o}),g);return c.createElement(c.Fragment,null,u?c.createElement(We,(0,l.pi)({},f,{focusTrapProps:{forceFocusInsideTrap:!1,isClickableOutsideFocusTrap:!0,disableFirstFocus:!s}}),h):c.createElement(Ae.U,(0,l.pi)({},f),h))},Ga=(0,D.y)(),Ua=function(e){function t(t){var o=e.call(this,t)||this;return o._expandedElem=c.createRef(),o._onKeyDown=function(e){e.which===rt.m.escape&&o.props.onLeave&&o.props.onLeave(e)},o._onRenderCompactCard=function(){return c.createElement("div",{className:o._classNames.compactCard},o.props.onRenderCompactCard(o.props.renderData))},o._onRenderExpandedCard=function(){return!o.state.firstFrameRendered&&o._async.requestAnimationFrame((function(){o.setState({firstFrameRendered:!0})})),c.createElement("div",{className:o._classNames.expandedCard,ref:o._expandedElem},c.createElement("div",{className:o._classNames.expandedCardScroll},o.props.onRenderExpandedCard&&o.props.onRenderExpandedCard(o.props.renderData)))},o._checkNeedsScroll=function(){var e=o.props.expandedCardHeight;o._async.requestAnimationFrame((function(){o._expandedElem.current&&o._expandedElem.current.scrollHeight>=e&&o.setState({needsScroll:!0})}))},o._async=new bo.e(o),(0,P.l)(o),o.state={firstFrameRendered:!1,needsScroll:!1},o}return(0,l.ZT)(t,e),t.prototype.componentDidMount=function(){this._checkNeedsScroll()},t.prototype.componentWillUnmount=function(){this._async.dispose()},t.prototype.render=function(){var e=this.props,t=e.styles,o=e.compactCardHeight,n=e.expandedCardHeight,r=e.theme,i=e.mode,a=e.className,s=this.state,u=s.needsScroll,d=s.firstFrameRendered,p=o+n;this._classNames=Ga(t,{theme:r,compactCardHeight:o,className:a,expandedCardHeight:n,needsScroll:u,expandedCardFirstFrameRendered:i===Va.expanded&&d});var m=c.createElement("div",{onMouseEnter:this.props.onEnter,onMouseLeave:this.props.onLeave,onKeyDown:this._onKeyDown},this._onRenderCompactCard(),this._onRenderExpandedCard());return c.createElement(qa,(0,l.pi)({},this.props,{content:m,finalHeight:p,className:this._classNames.root}))},t.defaultProps={compactCardHeight:156,expandedCardHeight:384,directionalHintFixed:!0},t}(c.Component),ja=(0,I.z)(Ua,(function(e){var t,o=e.theme,n=e.needsScroll,r=e.expandedCardFirstFrameRendered,i=e.compactCardHeight,a=e.expandedCardHeight,s=e.className,l=o.palette,c=(0,u.Cn)(Ka,o);return{root:[c.root,{width:320,pointerEvents:"none",selectors:(t={},t[u.qJ]={border:"1px solid WindowText"},t)},s],compactCard:[c.compactCard,{pointerEvents:"auto",position:"relative",height:i}],expandedCard:[c.expandedCard,{height:1,overflowY:"hidden",pointerEvents:"auto",transition:"height 0.467s cubic-bezier(0.5, 0, 0, 1)",selectors:{":before":{content:'""',position:"relative",display:"block",top:0,left:24,width:272,height:1,backgroundColor:l.neutralLighter}}},r&&{height:a}],expandedCardScroll:[c.expandedCardScroll,n&&{height:"100%",boxSizing:"border-box",overflowY:"auto"}]}}),void 0,{scope:"ExpandingCard"}),Ja={root:"ms-PlainCard-root"},Ya=(0,D.y)(),Za=function(e){function t(t){var o=e.call(this,t)||this;return o._onKeyDown=function(e){e.which===rt.m.escape&&o.props.onLeave&&o.props.onLeave(e)},(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.theme,n=e.className;this._classNames=Ya(t,{theme:o,className:n});var r=c.createElement("div",{onMouseEnter:this.props.onEnter,onMouseLeave:this.props.onLeave,onKeyDown:this._onKeyDown},this.props.onRenderPlainCard(this.props.renderData));return c.createElement(qa,(0,l.pi)({},this.props,{content:r,className:this._classNames.root}))},t}(c.Component),Xa=(0,I.z)(Za,(function(e){var t,o=e.theme,n=e.className;return{root:[(0,u.Cn)(Ja,o).root,{pointerEvents:"auto",selectors:(t={},t[u.qJ]={border:"1px solid WindowText"},t)},n]}}),void 0,{scope:"PlainCard"}),Qa=(0,D.y)(),$a=function(e){function t(t){var o=e.call(this,t)||this;return o._hoverCard=c.createRef(),o.dismiss=function(e){o._async.clearTimeout(o._openTimerId),o._async.clearTimeout(o._dismissTimerId),e?o._dismissTimerId=o._async.setTimeout((function(){o._setDismissedState()}),o.props.cardDismissDelay):o._setDismissedState()},o._cardOpen=function(e){o._shouldBlockHoverCard()||"keydown"===e.type&&e.which!==o.props.openHotKey||(o._async.clearTimeout(o._dismissTimerId),"mouseenter"===e.type&&(o._currentMouseTarget=e.currentTarget),o._executeCardOpen(e))},o._executeCardOpen=function(e){o._async.clearTimeout(o._openTimerId),o._openTimerId=o._async.setTimeout((function(){o.setState((function(t){return t.isHoverCardVisible?t:{isHoverCardVisible:!0,mode:Va.compact,openMode:"keydown"===e.type?Ha.hotKey:Ha.hover}}))}),o.props.cardOpenDelay)},o._cardDismiss=function(e,t){if(e){if(!(t instanceof MouseEvent))return;if("keydown"===t.type&&t.which!==rt.m.escape)return;o.props.sticky||o._currentMouseTarget!==t.currentTarget&&t.which!==rt.m.escape||o.dismiss(!0)}else{if(o.props.sticky&&!(t instanceof MouseEvent)&&t.nativeEvent instanceof MouseEvent&&"mouseleave"===t.type)return;o.dismiss(!0)}},o._setDismissedState=function(){o.setState({isHoverCardVisible:!1,mode:Va.compact,openMode:Ha.hover})},o._instantOpenAsExpanded=function(e){o._async.clearTimeout(o._dismissTimerId),o.setState((function(e){return e.isHoverCardVisible?e:{isHoverCardVisible:!0,mode:Va.expanded}}))},o._setEventListeners=function(){var e=o.props,t=e.trapFocus,n=e.instantOpenOnClick,r=e.eventListenerTarget,i=r?o._getTargetElement(r):o._getTargetElement(o.props.target),a=o._nativeDismissEvent;i&&(o._events.on(i,"mouseenter",o._cardOpen),o._events.on(i,"mouseleave",a),t?o._events.on(i,"keydown",o._cardOpen):(o._events.on(i,"focus",o._cardOpen),o._events.on(i,"blur",a)),n?o._events.on(i,"click",o._instantOpenAsExpanded):(o._events.on(i,"mousedown",a),o._events.on(i,"keydown",a)))},(0,P.l)(o),o._async=new bo.e(o),o._events=new at.r(o),o._nativeDismissEvent=o._cardDismiss.bind(o,!0),o._childDismissEvent=o._cardDismiss.bind(o,!1),o.state={isHoverCardVisible:!1,mode:Va.compact,openMode:Ha.hover},o}return(0,l.ZT)(t,e),t.prototype.componentDidMount=function(){this._setEventListeners()},t.prototype.componentWillUnmount=function(){this._async.dispose(),this._events.dispose()},t.prototype.componentDidUpdate=function(e,t){var o=this;e.target!==this.props.target&&(this._events.off(),this._setEventListeners()),t.isHoverCardVisible!==this.state.isHoverCardVisible&&(this.state.isHoverCardVisible?(this._async.setTimeout((function(){o.setState({mode:Va.expanded},(function(){o.props.onCardExpand&&o.props.onCardExpand()}))}),this.props.expandedCardOpenDelay),this.props.onCardVisible&&this.props.onCardVisible()):(this.setState({mode:Va.compact}),this.props.onCardHide&&this.props.onCardHide()))},t.prototype.render=function(){var e=this.props,t=e.expandingCardProps,o=e.children,n=e.id,r=e.setAriaDescribedBy,i=void 0===r||r,a=e.styles,s=e.theme,u=e.className,d=e.type,p=e.plainCardProps,m=e.trapFocus,h=e.setInitialFocus,g=this.state,f=g.isHoverCardVisible,v=g.mode,b=g.openMode,y=n||(0,dn.z)("hoverCard");this._classNames=Qa(a,{theme:s,className:u});var _=(0,l.pi)((0,l.pi)({},(0,E.pq)(this.props,E.n7)),{id:y,trapFocus:!!m,firstFocus:h||b===Ha.hotKey,targetElement:this._getTargetElement(this.props.target),onEnter:this._cardOpen,onLeave:this._childDismissEvent}),C=(0,l.pi)((0,l.pi)((0,l.pi)({},t),_),{mode:v}),S=(0,l.pi)((0,l.pi)({},p),_);return c.createElement("div",{className:this._classNames.host,ref:this._hoverCard,"aria-describedby":i&&f?y:void 0,"data-is-focusable":!this.props.target},o,f&&(d===Oa.expanding?c.createElement(ja,(0,l.pi)({},C)):c.createElement(Xa,(0,l.pi)({},S))))},t.prototype._getTargetElement=function(e){switch(typeof e){case"string":return(0,nt.M)().querySelector(e);case"object":return e;default:return this._hoverCard.current||void 0}},t.prototype._shouldBlockHoverCard=function(){return!(!this.props.shouldBlockHoverCard||!this.props.shouldBlockHoverCard())},t.defaultProps={cardOpenDelay:500,cardDismissDelay:100,expandedCardOpenDelay:1500,instantOpenOnClick:!1,setInitialFocus:!1,openHotKey:rt.m.c,type:Oa.expanding},t}(c.Component),es=(0,I.z)($a,(function(e){var t=e.className,o=e.theme;return{host:[(0,u.Cn)(Wa,o).host,t]}}),void 0,{scope:"HoverCard"}),ts=o(3874),os=o(6569),ns=o(7840),rs=o(2481),is=o(9759),as=o(6711),ss=o(5325),ls=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.content,o=e.styles,n=e.theme,r=e.disabled,i=e.visible,a=(0,D.y)()(o,{theme:n,disabled:r,visible:i});return c.createElement("div",{className:a.container},c.createElement("span",{className:a.root},t))},t}(c.Component),cs=function(e){return{container:[],root:[{border:"none",boxShadow:"none"}],beak:[],beakCurtain:[],calloutMain:[{backgroundColor:"transparent"}]}},us=function(e){return function(t){return(0,u.ZC)({container:[],root:[{border:"none",boxShadow:"none"}],beak:[],beakCurtain:[],calloutMain:[{backgroundColor:"transparent"}]},{root:[{marginLeft:e.left||e.x,marginTop:e.top||e.y}]})}},ds=(0,I.z)(ls,(function(e){var t,o=e.theme,n=e.disabled,r=e.visible;return{container:[{backgroundColor:o.palette.neutralDark},n&&{opacity:.5,selectors:(t={},t[u.qJ]={color:"GrayText",opacity:1},t)},!r&&{visibility:"hidden"}],root:[o.fonts.medium,{textAlign:"center",paddingLeft:"3px",paddingRight:"3px",backgroundColor:o.palette.neutralDark,color:o.palette.neutralLight,minWidth:"11px",lineHeight:"17px",height:"17px",display:"inline-block"},n&&{color:o.palette.neutralTertiaryAlt}]}}),void 0,{scope:"KeytipContent"}),ps=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,l.ZT)(t,e),t.prototype.render=function(){var e,t=this.props,o=t.keySequences,n=t.offset,r=t.overflowSetSequence,i=this.props.calloutProps;return e=r?(0,ss.eX)((0,ss.a1)(o,r)):(0,ss.eX)(o),n&&(i=(0,l.pi)((0,l.pi)({},i),{coverTarget:!0,directionalHint:K.b.topLeftEdge})),i&&void 0!==i.directionalHint||(i=(0,l.pi)((0,l.pi)({},i),{directionalHint:K.b.bottomCenter})),c.createElement(Ae.U,(0,l.pi)({},i,{isBeakVisible:!1,doNotLayer:!0,minPagePadding:0,styles:n?us(n):cs,preventDismissOnScroll:!0,target:e}),c.createElement(ds,(0,l.pi)({},this.props)))},t}(c.Component),ms=o(9949),hs=o(8128),gs=o(2304);function fs(e){var t=(0,gs.c)(e),o=t.keytipId,n=t.ariaDescribedBy;return function(e){if(e){var t=bs(e,hs.fV)||e,r=bs(e,hs.ms)||t,i=bs(e,hs.A4)||r;vs(t,hs.fV,o),vs(r,hs.ms,o),vs(i,"aria-describedby",n,!0)}}}function vs(e,t,o,n){if(void 0===n&&(n=!1),e&&o){var r=o;if(n){var i=e.getAttribute(t);i&&-1===i.indexOf(o)&&(r=i+" "+o)}e.setAttribute(t,r)}}function bs(e,t){return e.querySelector("["+t+"]")}var ys=function(e){return{root:[{zIndex:u.bR.KeytipLayer}]}},_s=o(6479),Cs=function(){function e(){this.nodeMap={},this.root={id:hs.nK,children:[],parent:"",keySequences:[]},this.nodeMap[this.root.id]=this.root}return e.prototype.addNode=function(e,t,o){var n=this._getFullSequence(e),r=(0,ss.aB)(n);n.pop();var i=this._getParentID(n),a=this._createNode(r,i,[],e,o);this.nodeMap[t]=a;var s=this.getNode(i);s&&s.children.push(r)},e.prototype.updateNode=function(e,t){var o=this._getFullSequence(e),n=(0,ss.aB)(o);o.pop();var r=this._getParentID(o),i=this.nodeMap[t],a=i.parent,s=this.getNode(a),l=this.getNode(r);if(i){if(s&&a!==r){var c=s.children.indexOf(i.id);c>=0&&s.children.splice(c,1)}if(l&&i.id!==n){var u=l.children.indexOf(i.id);u>=0?l.children[u]=n:l.children.push(n)}i.id=n,i.keySequences=e.keySequences,i.overflowSetSequence=e.overflowSetSequence,i.onExecute=e.onExecute,i.onReturn=e.onReturn,i.hasDynamicChildren=e.hasDynamicChildren,i.hasMenu=e.hasMenu,i.parent=r,i.disabled=e.disabled}},e.prototype.removeNode=function(e,t){var o=this._getFullSequence(e),n=(0,ss.aB)(o);o.pop();var r=this._getParentID(o),i=this.getNode(r);i&&i.children.splice(i.children.indexOf(n),1),this.nodeMap[t]&&delete this.nodeMap[t]},e.prototype.getExactMatchedNode=function(e,t){var o=this,n=this.getNodes(t.children);return(0,Co.sE)(n,(function(t){return o._getNodeSequence(t)===e&&!t.disabled}))},e.prototype.getPartiallyMatchedNodes=function(e,t){var o=this;return this.getNodes(t.children).filter((function(t){return 0===o._getNodeSequence(t).indexOf(e)&&!t.disabled}))},e.prototype.getChildren=function(e){var t=this;if(!e&&!(e=this.currentKeytip))return[];var o=e.children;return Object.keys(this.nodeMap).reduce((function(e,n){return o.indexOf(t.nodeMap[n].id)>=0&&!t.nodeMap[n].persisted&&e.push(t.nodeMap[n].id),e}),[])},e.prototype.getNodes=function(e){var t=this;return Object.keys(this.nodeMap).reduce((function(o,n){return e.indexOf(t.nodeMap[n].id)>=0&&o.push(t.nodeMap[n]),o}),[])},e.prototype.getNode=function(e){var t=(0,Xt.VO)(this.nodeMap);return(0,Co.sE)(t,(function(t){return t.id===e}))},e.prototype.isCurrentKeytipParent=function(e){if(this.currentKeytip){var t=(0,l.pr)(e.keySequences);e.overflowSetSequence&&(t=(0,ss.a1)(t,e.overflowSetSequence)),t.pop();var o=0===t.length?this.root.id:(0,ss.aB)(t),n=!1;return this.currentKeytip.overflowSetSequence&&(n=(0,ss.aB)(this.currentKeytip.keySequences)===o),n||this.currentKeytip.id===o}return!1},e.prototype._getParentID=function(e){return 0===e.length?this.root.id:(0,ss.aB)(e)},e.prototype._getFullSequence=function(e){var t=(0,l.pr)(e.keySequences);return e.overflowSetSequence&&(t=(0,ss.a1)(t,e.overflowSetSequence)),t},e.prototype._getNodeSequence=function(e){var t=(0,l.pr)(e.keySequences);return e.overflowSetSequence&&(t=(0,ss.a1)(t,e.overflowSetSequence)),t[t.length-1]},e.prototype._createNode=function(e,t,o,n,r){var i=this,a=n.keySequences,s=n.hasDynamicChildren,l=n.overflowSetSequence,c=n.hasMenu,u=n.onExecute,d=n.onReturn,p=n.disabled,m={id:e,keySequences:a,overflowSetSequence:l,parent:t,children:o,onExecute:u,onReturn:d,hasDynamicChildren:s,hasMenu:c,disabled:p,persisted:r};return m.children=Object.keys(this.nodeMap).reduce((function(t,o){return i.nodeMap[o].parent===e&&t.push(i.nodeMap[o].id),t}),[]),m},e}();function Ss(e,t){if(e.key!==t.key)return!1;var o=e.modifierKeys,n=t.modifierKeys;if(!o&&n||o&&!n)return!1;if(o&&n){if(o.length!==n.length)return!1;o=o.sort(),n=n.sort();for(var r=0;r0){var s=a.filter((function(e){return!e.persisted})).map((function(e){return e.id}));this.showKeytips(s),this._currentSequence=o}}},t.prototype.showKeytips=function(e){for(var t=0,o=this._keytipManager.getKeytips();t=0?n.visible=!0:n.visible=!1}this._setKeytips()},t.prototype._enterKeytipMode=function(){this._keytipManager.shouldEnterKeytipMode&&(this._keytipManager.delayUpdatingKeytipChange&&(this._buildTree(),this._setKeytips()),this._keytipTree.currentKeytip=this._keytipTree.root,this.showKeytips(this._keytipTree.getChildren()),this._setInKeytipMode(!0),this.props.onEnterKeytipMode&&this.props.onEnterKeytipMode())},t.prototype._buildTree=function(){this._keytipTree=new Cs;for(var e=0,t=Object.keys(this._keytipManager.keytips);e=0&&(this._delayedKeytipQueue.splice(o,1),this._delayedQueueTimeout&&this._async.clearTimeout(this._delayedQueueTimeout),this._delayedQueueTimeout=this._async.setTimeout((function(){t._delayedKeytipQueue.length&&(t.showKeytips(t._delayedKeytipQueue),t._delayedKeytipQueue=[])}),300))},t.prototype._getKtpExecuteTarget=function(e){return(0,nt.M)().querySelector((0,ss._l)(e.id))},t.prototype._getKtpTarget=function(e){return(0,nt.M)().querySelector((0,ss.eX)(e.keySequences))},t.prototype._isCurrentKeytipAnAlias=function(e){var t=this._keytipTree.currentKeytip;return!(!t||!t.overflowSetSequence&&!t.persisted||!(0,Co.cO)(e.keySequences,t.keySequences))},t.defaultProps={keytipStartSequences:[ks],keytipExitSequences:[ws],keytipReturnSequences:[Is],content:""},t}(c.Component),Es=(0,I.z)(Ts,(function(e){return{innerContent:[{position:"absolute",width:0,height:0,margin:0,padding:0,border:0,overflow:"hidden",visibility:"hidden"}]}}),void 0,{scope:"KeytipLayer"});function Ps(e){for(var t={},o=0,n=e.keytips;o0&&this._computeScrollVelocity(e)},e.prototype._computeScrollVelocity=function(e){if(this._scrollRect){var t,o;"clientX"in e?(t=e.clientX,o=e.clientY):(t=e.touches[0].clientX,o=e.touches[0].clientY);var n,r,i,a=this._scrollRect.top,s=this._scrollRect.left,l=a+this._scrollRect.height-Os,c=s+this._scrollRect.width-Os;ol?(r=o,n=a,i=l,this._isVerticalScroll=!0):(r=t,n=s,i=c,this._isVerticalScroll=!1),this._scrollVelocity=ri?Math.min(15,(r-i)/Os*15):0,this._scrollVelocity?this._startScroll():this._stopScroll()}},e.prototype._startScroll=function(){this._timeoutId||this._incrementScroll()},e.prototype._incrementScroll=function(){this._scrollableParent&&(this._isVerticalScroll?this._scrollableParent.scrollTop+=Math.round(this._scrollVelocity):this._scrollableParent.scrollLeft+=Math.round(this._scrollVelocity)),this._timeoutId=setTimeout(this._incrementScroll,16)},e.prototype._stopScroll=function(){this._timeoutId&&(clearTimeout(this._timeoutId),delete this._timeoutId)},e}(),Vs=o(8633),Ks=(0,D.y)(),qs=function(e){function t(t){var o=e.call(this,t)||this;return o._root=c.createRef(),o._onMouseDown=function(e){var t=o.props,n=t.isEnabled,r=t.onShouldStartSelection;o._isMouseEventOnScrollbar(e)||o._isInSelectionToggle(e)||o._isTouch||!n||o._isDragStartInSelection(e)||r&&!r(e)||o._scrollableSurface&&0===e.button&&o._root.current&&(o._selectedIndicies={},o._preservedIndicies=void 0,o._events.on(window,"mousemove",o._onAsyncMouseMove,!0),o._events.on(o._scrollableParent,"scroll",o._onAsyncMouseMove),o._events.on(window,"click",o._onMouseUp,!0),o._autoScroll=new Ws(o._root.current),o._scrollTop=o._scrollableSurface.scrollTop,o._scrollLeft=o._scrollableSurface.scrollLeft,o._rootRect=o._root.current.getBoundingClientRect(),o._onMouseMove(e))},o._onTouchStart=function(e){o._isTouch=!0,o._async.setTimeout((function(){o._isTouch=!1}),0)},o._onPointerDown=function(e){"touch"===e.pointerType&&(o._isTouch=!0,o._async.setTimeout((function(){o._isTouch=!1}),0))},(0,P.l)(o),o._async=new bo.e(o),o._events=new at.r(o),o.state={dragRect:void 0},o}return(0,l.ZT)(t,e),t.prototype.componentDidMount=function(){this._scrollableParent=(0,yo.zj)(this._root.current),this._scrollableSurface=this._scrollableParent===window?document.body:this._scrollableParent;var e=this.props.isDraggingConstrainedToRoot?this._root.current:this._scrollableSurface;this._events.on(e,"mousedown",this._onMouseDown),this._events.on(e,"touchstart",this._onTouchStart,!0),this._events.on(e,"pointerdown",this._onPointerDown,!0)},t.prototype.componentWillUnmount=function(){this._autoScroll&&this._autoScroll.dispose(),delete this._scrollableParent,delete this._scrollableSurface,this._events.dispose(),this._async.dispose()},t.prototype.render=function(){var e=this.props,t=e.rootProps,o=e.children,n=e.theme,r=e.className,i=e.styles,a=this.state.dragRect,s=Ks(i,{theme:n,className:r});return c.createElement("div",(0,l.pi)({},t,{className:s.root,ref:this._root}),o,a&&c.createElement("div",{className:s.dragMask}),a&&c.createElement("div",{className:s.box,style:a},c.createElement("div",{className:s.boxFill})))},t.prototype._isMouseEventOnScrollbar=function(e){var t=e.target,o=t.offsetWidth-t.clientWidth;if(o){var n=t.getBoundingClientRect();if((0,T.zg)(this.props.theme)){if(e.clientXn.left+t.clientWidth)return!0;if(e.clientY>n.top+t.clientHeight)return!0}return!1},t.prototype._getRootRect=function(){return{left:this._rootRect.left+(this._scrollLeft-this._scrollableSurface.scrollLeft),top:this._rootRect.top+(this._scrollTop-this._scrollableSurface.scrollTop),width:this._rootRect.width,height:this._rootRect.height}},t.prototype._onAsyncMouseMove=function(e){var t=this;this._async.requestAnimationFrame((function(){t._onMouseMove(e)})),e.stopPropagation(),e.preventDefault()},t.prototype._onMouseMove=function(e){if(this._autoScroll){void 0!==e.clientX&&(this._lastMouseEvent=e);var t=this._getRootRect(),o={left:e.clientX-t.left,top:e.clientY-t.top};if(this._dragOrigin||(this._dragOrigin=o),void 0!==e.buttons&&0===e.buttons)this._onMouseUp(e);else if(this.state.dragRect||(0,Vs.Iw)(this._dragOrigin,o)>5){if(!this.state.dragRect){var n=this.props.selection;e.shiftKey||n.setAllSelected(!1),this._preservedIndicies=n&&n.getSelectedIndices&&n.getSelectedIndices()}var r=this.props.isDraggingConstrainedToRoot?{left:Math.max(0,Math.min(t.width,this._lastMouseEvent.clientX-t.left)),top:Math.max(0,Math.min(t.height,this._lastMouseEvent.clientY-t.top))}:{left:this._lastMouseEvent.clientX-t.left,top:this._lastMouseEvent.clientY-t.top},i={left:Math.min(this._dragOrigin.left||0,r.left),top:Math.min(this._dragOrigin.top||0,r.top),width:Math.abs(r.left-(this._dragOrigin.left||0)),height:Math.abs(r.top-(this._dragOrigin.top||0))};this._evaluateSelection(i,t),this.setState({dragRect:i})}return!1}},t.prototype._onMouseUp=function(e){this._events.off(window),this._events.off(this._scrollableParent,"scroll"),this._autoScroll&&this._autoScroll.dispose(),this._autoScroll=this._dragOrigin=this._lastMouseEvent=void 0,this._selectedIndicies=this._itemRectCache=void 0,this.state.dragRect&&(this.setState({dragRect:void 0}),e.preventDefault(),e.stopPropagation())},t.prototype._isPointInRectangle=function(e,t){return!!t.top&&e.topt.top&&!!t.left&&e.leftt.left},t.prototype._isDragStartInSelection=function(e){var t=this.props.selection;if(!this._root.current||t&&0===t.getSelectedCount())return!1;for(var o=this._root.current.querySelectorAll("[data-selection-index]"),n=0;n0&&s.height>0&&(this._itemRectCache[a]=s),s.tope.top&&s.lefte.left?this._selectedIndicies[a]=!0:delete this._selectedIndicies[a]}var l=this._allSelectedIndices||{};for(var a in this._allSelectedIndices={},this._selectedIndicies)this._selectedIndicies.hasOwnProperty(a)&&(this._allSelectedIndices[a]=!0);if(this._preservedIndicies)for(var c=0,u=this._preservedIndicies;c0&&(p=e.collapseAriaLabel||e.expandAriaLabel?e.isExpanded?e.collapseAriaLabel:e.expandAriaLabel:i?e.name+" "+i:e.name),c.createElement("div",(0,l.pi)({},n,{key:e.key||t,className:d.compositeLink}),e.links&&e.links.length>0?c.createElement("button",{className:d.chevronButton,onClick:this._onLinkExpandClicked.bind(this,e),"aria-label":p,"aria-expanded":e.isExpanded?"true":"false"},c.createElement(W.J,{className:d.chevronIcon,iconName:"ChevronDown"})):null,this._renderNavLink(e,t,o))},t.prototype._renderLink=function(e,t,o){var n=this.props,r=n.styles,i=n.groups,a=n.theme,s=cl(r,{theme:a,groups:i});return c.createElement("li",{key:e.key||t,role:"listitem",className:s.navItem},this._renderCompositeLink(e,t,o),e.isExpanded?this._renderLinks(e.links,++o):null)},t.prototype._renderLinks=function(e,t){var o=this;if(!e||!e.length)return null;var n=e.map((function(e,n){return o._renderLink(e,n,t)})),r=this.props,i=r.styles,a=r.groups,s=r.theme,l=cl(i,{theme:s,groups:a});return c.createElement("ul",{role:"list",className:l.navItems},n)},t.prototype._onGroupHeaderClicked=function(e,t){e.onHeaderClick&&e.onHeaderClick(t,this._isGroupExpanded(e)),this._toggleCollapsed(e),t&&(t.preventDefault(),t.stopPropagation())},t.prototype._onLinkExpandClicked=function(e,t){var o=this.props.onLinkExpandClick;o&&o(t,e),t.defaultPrevented||(e.isExpanded=!e.isExpanded,this.setState({isLinkExpandStateChanged:!0})),t.preventDefault(),t.stopPropagation()},t.prototype._preventBounce=function(e,t){!e.url&&e.forceAnchor&&t.preventDefault()},t.prototype._onNavAnchorLinkClicked=function(e,t){this._preventBounce(e,t),this.props.onLinkClick&&this.props.onLinkClick(t,e),!e.url&&e.links&&e.links.length>0&&this._onLinkExpandClicked(e,t),this.setState({selectedKey:e.key})},t.prototype._onNavButtonLinkClicked=function(e,t){this._preventBounce(e,t),e.onClick&&e.onClick(t,e),!e.url&&e.links&&e.links.length>0&&this._onLinkExpandClicked(e,t),this.setState({selectedKey:e.key})},t.prototype._isLinkSelected=function(e){if(void 0!==this.props.selectedKey)return e.key===this.props.selectedKey;if(void 0!==this.state.selectedKey)return e.key===this.state.selectedKey;if(void 0===(0,So.J)()||!e.url)return!1;(el=el||document.createElement("a")).href=e.url||"";var t=el.href;return location.href===t||location.protocol+"//"+location.host+location.pathname===t||!!location.hash&&(location.hash===e.url||(el.href=location.hash.substring(1),el.href===t))},t.prototype._isGroupExpanded=function(e){return e.name&&this.state.isGroupCollapsed.hasOwnProperty(e.name)?!this.state.isGroupCollapsed[e.name]:void 0===e.collapseByDefault||!e.collapseByDefault},t.prototype._toggleCollapsed=function(e){var t;if(e.name){var o=(0,l.pi)((0,l.pi)({},this.state.isGroupCollapsed),((t={})[e.name]=this._isGroupExpanded(e),t));this.setState({isGroupCollapsed:o})}},t.defaultProps={groups:null},t}(c.Component),dl=(0,I.z)(ul,(function(e){var t,o=e.className,n=e.theme,r=e.isOnTop,i=e.isExpanded,a=e.isGroup,s=e.isLink,l=e.isSelected,c=e.isDisabled,d=e.isButtonEntry,p=e.navHeight,m=void 0===p?44:p,h=e.position,g=e.leftPadding,f=void 0===g?20:g,v=e.leftPaddingExpanded,b=void 0===v?28:v,y=e.rightPadding,_=void 0===y?20:y,C=n.palette,S=n.semanticColors,x=n.fonts,k=(0,u.Cn)(al,n);return{root:[k.root,o,x.medium,{overflowY:"auto",userSelect:"none",WebkitOverflowScrolling:"touch"},r&&[{position:"absolute"},u.k4.slideRightIn40]],linkText:[k.linkText,{margin:"0 4px",overflow:"hidden",verticalAlign:"middle",textAlign:"left",textOverflow:"ellipsis"}],compositeLink:[k.compositeLink,{display:"block",position:"relative",color:S.bodyText},i&&"is-expanded",l&&"is-selected",c&&"is-disabled",c&&{color:S.disabledText}],link:[k.link,(0,u.GL)(n),{display:"block",position:"relative",height:m,width:"100%",lineHeight:m+"px",textDecoration:"none",cursor:"pointer",textOverflow:"ellipsis",whiteSpace:"nowrap",overflow:"hidden",paddingLeft:f,paddingRight:_,color:S.bodyText,selectors:(t={},t[u.qJ]={border:0,selectors:{":focus":{border:"1px solid WindowText"}}},t)},!c&&{selectors:{".ms-Nav-compositeLink:hover &":{backgroundColor:S.bodyBackgroundHovered}}},l&&{color:S.bodyTextChecked,fontWeight:u.lq.semibold,backgroundColor:S.bodyBackgroundChecked,selectors:{"&:after":{borderLeft:"2px solid "+C.themePrimary,content:'""',position:"absolute",top:0,right:0,bottom:0,left:0,pointerEvents:"none"}}},c&&{color:S.disabledText},d&&{color:C.themePrimary}],chevronButton:[k.chevronButton,(0,u.GL)(n),x.small,{display:"block",textAlign:"left",lineHeight:m+"px",margin:"5px 0",padding:"0px, "+_+"px, 0px, "+b+"px",border:"none",textOverflow:"ellipsis",whiteSpace:"nowrap",overflow:"hidden",cursor:"pointer",color:S.bodyText,backgroundColor:"transparent",selectors:{"&:visited":{color:S.bodyText}}},a&&{fontSize:x.large.fontSize,width:"100%",height:m,borderBottom:"1px solid "+S.bodyDivider},s&&{display:"block",width:b-2,height:m-2,position:"absolute",top:"1px",left:h+"px",zIndex:u.bR.Nav,padding:0,margin:0},l&&{color:C.themePrimary,backgroundColor:C.neutralLighterAlt,selectors:{"&:after":{borderLeft:"2px solid "+C.themePrimary,content:'""',position:"absolute",top:0,right:0,bottom:0,left:0,pointerEvents:"none"}}}],chevronIcon:[k.chevronIcon,{position:"absolute",left:"8px",height:m,lineHeight:m+"px",fontSize:x.small.fontSize,transition:"transform .1s linear"},i&&{transform:"rotate(-180deg)"},s&&{top:0}],navItem:[k.navItem,{padding:0}],navItems:[k.navItems,{listStyleType:"none",padding:0,margin:0}],group:[k.group,i&&"is-expanded"],groupContent:[k.groupContent,{display:"none",marginBottom:"40px"},u.k4.slideDownIn20,i&&{display:"block"}]}}),void 0,{scope:"Nav"}),pl=o(6178),ml=o(9755),hl=o(5357),gl=o(2758),fl=o(7047),vl=o(867),bl=o(8337),yl=o(4192),_l=o(4800),Cl=o(9862),Sl=o(6920),xl=o(8976),kl=o(7115),wl=o(9318),Il=o(4885),Dl=o(2535),Tl=o(9378),El=o(2657),Pl={root:"ms-TagItem",text:"ms-TagItem-text",close:"ms-TagItem-close",isSelected:"is-selected"},Ml=(0,D.y)(),Rl=function(e){var t=e.theme,o=e.styles,n=e.selected,r=e.disabled,i=e.enableTagFocusInDisabledPicker,a=e.children,s=e.className,l=e.index,u=e.onRemoveItem,d=e.removeButtonAriaLabel,p=e.title,m=void 0===p?"string"==typeof e.children?e.children:e.item.name:p,h=Ml(o,{theme:t,className:s,selected:n,disabled:r});return c.createElement("div",{className:h.root,role:"listitem",key:l,"data-selection-index":l,"data-is-focusable":(i||!r)&&!0},c.createElement("span",{className:h.text,"aria-label":m,title:m},a),c.createElement(V.h,{onClick:u,disabled:r,iconProps:{iconName:"Cancel",styles:{root:{fontSize:"12px"}}},className:h.close,ariaLabel:d}))},Nl=(0,I.z)(Rl,(function(e){var t,o,n,r,i=e.className,a=e.theme,s=e.selected,l=e.disabled,c=a.palette,d=a.effects,p=a.fonts,m=a.semanticColors,h=(0,u.Cn)(Pl,a);return{root:[h.root,p.medium,(0,u.GL)(a),{boxSizing:"content-box",flexShrink:"1",margin:2,height:26,lineHeight:26,cursor:"default",userSelect:"none",display:"flex",flexWrap:"nowrap",maxWidth:300,minWidth:0,borderRadius:d.roundedCorner2,color:m.inputText,background:!s||l?c.neutralLighter:c.themePrimary,selectors:(t={":hover":[!l&&!s&&{color:c.neutralDark,background:c.neutralLight,selectors:{".ms-TagItem-close":{color:c.neutralPrimary}}},l&&{background:c.neutralLighter},s&&!l&&{background:c.themePrimary}]},t[u.qJ]={border:"1px solid "+(s?"WindowFrame":"WindowText")},t)},l&&{selectors:(o={},o[u.qJ]={borderColor:"GrayText"},o)},s&&!l&&[h.isSelected,{color:c.white}],i],text:[h.text,{overflow:"hidden",textOverflow:"ellipsis",whiteSpace:"nowrap",minWidth:30,margin:"0 8px"},l&&{selectors:(n={},n[u.qJ]={color:"GrayText"},n)}],close:[h.close,{color:c.neutralSecondary,width:30,height:"100%",flex:"0 0 auto",borderRadius:(0,T.zg)(a)?d.roundedCorner2+" 0 0 "+d.roundedCorner2:"0 "+d.roundedCorner2+" "+d.roundedCorner2+" 0",selectors:{":hover":{background:c.neutralQuaternaryAlt,color:c.neutralPrimary},":active":{color:c.white,backgroundColor:c.themeDark}}},s&&{color:c.white,selectors:{":hover":{color:c.white,background:c.themeDark}}},l&&{selectors:(r={},r["."+El.n.msButtonIcon]={color:c.neutralSecondary},r)}]}}),void 0,{scope:"TagItem"}),Bl={suggestionTextOverflow:"ms-TagItem-TextOverflow"},Fl=(0,D.y)(),Ll=function(e){var t=e.styles,o=e.theme,n=e.children,r=Fl(t,{theme:o});return c.createElement("div",{className:r.suggestionTextOverflow}," ",n," ")},Al=(0,I.z)(Ll,(function(e){var t=e.className,o=e.theme;return{suggestionTextOverflow:[(0,u.Cn)(Bl,o).suggestionTextOverflow,{overflow:"hidden",textOverflow:"ellipsis",maxWidth:"60vw",padding:"6px 12px 7px",whiteSpace:"nowrap"},t]}}),void 0,{scope:"TagItemSuggestion"}),zl=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.defaultProps={onRenderItem:function(e){return c.createElement(Nl,(0,l.pi)({},e),e.item.name)},onRenderSuggestionsItem:function(e){return c.createElement(Al,null,e.name)}},t}(xl.d),Hl=(0,I.z)(zl,Tl.W,void 0,{scope:"TagPicker"}),Ol=o(6548);function Wl(e,t){void 0===t&&(t=null);var o=c.useRef({ref:Object.assign((function(e){o.ref.current!==e&&(o.cleanup&&(o.cleanup(),o.cleanup=void 0),o.ref.current=e,null!==e&&(o.cleanup=o.callback(e)))}),{current:t}),callback:e}).current;return o.callback=e,o.ref}var Vl=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),(0,Vr.b)("PivotItem",t,{linkText:"headerText"}),o}return(0,l.ZT)(t,e),t.prototype.render=function(){return c.createElement("div",(0,l.pi)({},(0,E.pq)(this.props,E.n7)),this.props.children)},t}(c.Component),Kl=(0,D.y)(),ql=function(e,t){var o={links:[],keyToIndexMapping:{},keyToTabIdMapping:{}};return c.Children.forEach(c.Children.toArray(e.children),(function(n,r){if(Gl(n)){var i=n.props,a=i.linkText,s=(0,l._T)(i,["linkText"]),c=n.props.itemKey||r.toString();o.links.push((0,l.pi)((0,l.pi)({headerText:a},s),{itemKey:c})),o.keyToIndexMapping[c]=r,o.keyToTabIdMapping[c]=function(e,t,o,n){return e.getTabId?e.getTabId(o,n):t+"-Tab"+n}(e,t,c,r)}else n&&(0,be.Z)("The children of a Pivot component must be of type PivotItem to be rendered.")})),o},Gl=function(e){var t,o;return(null===(o=null===(t=e)||void 0===t?void 0:t.type)||void 0===o?void 0:o.name)===Vl.name},Ul=c.forwardRef((function(e,t){var o,n=c.useRef(null),r=c.useRef(null),i=(0,Fr.M)("Pivot"),a=(0,Ol.G)(e.selectedKey,e.defaultSelectedKey),s=a[0],u=a[1],d=e.componentRef,p=e.theme,m=e.linkSize,h=e.linkFormat,g=e.overflowBehavior,f=(0,E.pq)(e,E.n7),v=ql(e,i);c.useImperativeHandle(d,(function(){return{focus:function(){var e;null===(e=n.current)||void 0===e||e.focus()}}}));var b=function(e){if(!e)return null;var t=e.itemCount,n=e.itemIcon,r=e.headerText;return c.createElement("span",{className:o.linkContent},void 0!==n&&c.createElement("span",{className:o.icon},c.createElement(W.J,{iconName:n})),void 0!==r&&c.createElement("span",{className:o.text}," ",e.headerText),void 0!==t&&c.createElement("span",{className:o.count}," (",t,")"))},y=function(e,t,n,r){var i,a=t.itemKey,s=t.headerButtonProps,u=t.onRenderItemLink,d=e.keyToTabIdMapping[a],p=n===a;i=u?u(t,b):b(t);var m=t.headerText||"";return m+=t.itemCount?" ("+t.itemCount+")":"",m+=t.itemIcon?" xx":"",c.createElement(we.M,(0,l.pi)({},s,{id:d,key:a,className:(0,pt.i)(r,p&&o.linkIsSelected),onClick:function(e){return _(a,e)},onKeyDown:function(e){return C(a,e)},"aria-label":t.ariaLabel,role:"tab","aria-selected":p,name:t.headerText,keytipProps:t.keytipProps,"data-content":m}),i)},_=function(e,t){t.preventDefault(),S(e,t)},C=function(e,t){t.which===rt.m.enter&&(t.preventDefault(),S(e))},S=function(t,o){var n;if(u(t),v=ql(e,i),e.onLinkClick&&v.keyToIndexMapping[t]>=0){var a=v.keyToIndexMapping[t],s=c.Children.toArray(e.children)[a];Gl(s)&&e.onLinkClick(s,o)}null===(n=r.current)||void 0===n||n.dismissMenu()};o=Kl(e.styles,{theme:p,linkSize:m,linkFormat:h});var x,k=null===(x=s)||void 0!==x&&void 0!==v.keyToIndexMapping[x]?s:v.links.length?v.links[0].itemKey:void 0,w=k?v.keyToIndexMapping[k]:0,I=v.links.map((function(e){return y(v,e,k,o.link)})),D=c.useMemo((function(){return{items:[],alignTargetEdge:!0,directionalHint:K.b.bottomRightEdge}}),[]),P=function(e){var t=e.onOverflowItemsChanged,o=e.rtl,n=e.pinnedIndex,r=c.useRef(),i=c.useRef(),a=Wl((function(e){var t=function(e,t){if("undefined"!=typeof ResizeObserver){var o=new ResizeObserver(t);return Array.isArray(e)?e.forEach((function(e){return o.observe(e)})):o.observe(e),function(){return o.disconnect()}}var n=function(){return t(void 0)},r=(0,So.J)(Array.isArray(e)?e[0]:e);if(!r)return function(){};var i=r.requestAnimationFrame(n);return r.addEventListener("resize",n,!1),function(){r.cancelAnimationFrame(i),r.removeEventListener("resize",n,!1)}}(e,(function(t){i.current=t?t[0].contentRect.width:e.clientWidth,r.current&&r.current()}));return function(){t(),i.current=void 0}})),s=Wl((function(e){return a(e.parentElement),function(){return a(null)}}));return c.useLayoutEffect((function(){var e=a.current,l=s.current;if(e&&l){for(var c=[],u=0;u=0;t--){if(void 0===p[t]){var r=o?e-c[t].offsetLeft:c[t].offsetLeft+c[t].offsetWidth;t+1p[t])return void g(t+1)}g(0)}};var h=c.length,g=function(e){h!==e&&(h=e,t(e,c.map((function(t,o){return{ele:t,isOverflowing:o>=e&&o!==n}}))))},f=void 0;if(void 0!==i.current){var v=(0,So.J)(e);if(v){var b=v.requestAnimationFrame(r.current);f=function(){return v.cancelAnimationFrame(b)}}}return function(){f&&f(),g(c.length),r.current=void 0}}})),{menuButtonRef:s}}({onOverflowItemsChanged:function(e,t){t.forEach((function(e){var t=e.ele,o=e.isOverflowing;return t.dataset.isOverflowing=""+o})),D.items=v.links.slice(e).map((function(t,n){return{key:t.itemKey||""+(e+n),onRender:function(){return y(v,t,k,o.linkInMenu)}}}))},rtl:(0,T.zg)(p),pinnedIndex:w}).menuButtonRef;return c.createElement("div",(0,l.pi)({role:"toolbar"},f,{ref:t}),c.createElement(M.k,{componentRef:n,direction:R.U.horizontal,className:o.root,role:"tablist"},I,"menu"===g&&c.createElement(we.M,{className:(0,pt.i)(o.link,o.overflowMenuButton),elementRef:P,componentRef:r,menuProps:D,menuIconProps:{iconName:"More",style:{color:"inherit"}}})),k&&v.links.map((function(t){return(!0===t.alwaysRender||k===t.itemKey)&&function(t,n){if(e.headersOnly||!t)return null;var r=v.keyToIndexMapping[t],i=v.keyToTabIdMapping[t];return c.createElement("div",{role:"tabpanel",hidden:!n,key:t,"aria-hidden":!n,"aria-labelledby":i,className:o.itemContainer},c.Children.toArray(e.children)[r])}(t.itemKey,k===t.itemKey)})))}));Ul.displayName="Pivot";var jl,Jl,Yl={count:"ms-Pivot-count",icon:"ms-Pivot-icon",linkIsSelected:"is-selected",link:"ms-Pivot-link",linkContent:"ms-Pivot-linkContent",root:"ms-Pivot",rootIsLarge:"ms-Pivot--large",rootIsTabs:"ms-Pivot--tabs",text:"ms-Pivot-text",linkInMenu:"ms-Pivot-linkInMenu",overflowMenuButton:"ms-Pivot-overflowMenuButton"},Zl=function(e,t,o){var n,r,i;void 0===o&&(o=!1);var a=e.linkSize,s=e.linkFormat,c=e.theme,d=c.semanticColors,p=c.fonts,m="large"===a,h="tabs"===s;return[p.medium,{color:d.actionLink,padding:"0 8px",position:"relative",backgroundColor:"transparent",border:0,borderRadius:0,selectors:(n={":hover":{backgroundColor:d.buttonBackgroundHovered,color:d.buttonTextHovered,cursor:"pointer"},":active":{backgroundColor:d.buttonBackgroundPressed,color:d.buttonTextHovered},":focus":{outline:"none"}},n["."+de.G$+" &:focus"]={outline:"1px solid "+d.focusBorder},n["."+de.G$+" &:focus:after"]={content:"attr(data-content)",position:"relative",border:0},n)},!o&&[{display:"inline-block",lineHeight:44,height:44,marginRight:8,textAlign:"center",selectors:{":before":{backgroundColor:"transparent",bottom:0,content:'""',height:2,left:8,position:"absolute",right:8,transition:"left "+u.D1.durationValue2+" "+u.D1.easeFunction2+",\n right "+u.D1.durationValue2+" "+u.D1.easeFunction2},":after":{color:"transparent",content:"attr(data-content)",display:"block",fontWeight:u.lq.bold,height:1,overflow:"hidden",visibility:"hidden"}}},m&&{fontSize:p.large.fontSize},h&&[{marginRight:0,height:44,lineHeight:44,backgroundColor:d.buttonBackground,padding:"0 10px",verticalAlign:"top",selectors:(r={":focus":{outlineOffset:"-1px"}},r["."+de.G$+" &:focus::before"]={height:"auto",background:"transparent",transition:"none"},r["&:hover, &:focus"]={color:d.buttonTextCheckedHovered},r["&:active, &:hover"]={color:d.primaryButtonText,backgroundColor:d.primaryButtonBackground},r["&."+t.linkIsSelected]={backgroundColor:d.primaryButtonBackground,color:d.primaryButtonText,fontWeight:u.lq.regular,selectors:(i={":before":{backgroundColor:"transparent",transition:"none",position:"absolute",top:0,left:0,right:0,bottom:0,content:'""',height:0},":hover":{backgroundColor:d.primaryButtonBackgroundHovered,color:d.primaryButtonText},"&:active":{backgroundColor:d.primaryButtonBackgroundPressed,color:d.primaryButtonText}},i[u.qJ]=(0,l.pi)({fontWeight:u.lq.semibold,color:"HighlightText",background:"Highlight"},(0,u.xM)()),i)},r)}]]]},Xl=(0,I.z)(Ul,(function(e){var t,o,n,r,i=e.className,a=e.linkSize,s=e.linkFormat,c=e.theme,d=c.semanticColors,p=c.fonts,m=(0,u.Cn)(Yl,c),h="large"===a,g="tabs"===s;return{root:[m.root,p.medium,u.Fv,{position:"relative",color:d.link,whiteSpace:"nowrap"},h&&m.rootIsLarge,g&&m.rootIsTabs,i],itemContainer:{selectors:{"&[hidden]":{display:"none"}}},link:(0,l.pr)([m.link],Zl(e,m),[(t={},t["&[data-is-overflowing='true']"]={display:"none"},t)]),overflowMenuButton:[m.overflowMenuButton,(o={visibility:"hidden",position:"absolute",right:0},o["."+m.link+"[data-is-overflowing='true'] ~ &"]={visibility:"visible",position:"relative"},o)],linkInMenu:(0,l.pr)([m.linkInMenu],Zl(e,m,!0),[{textAlign:"left",width:"100%",height:36,lineHeight:36}]),linkIsSelected:[m.link,m.linkIsSelected,{fontWeight:u.lq.semibold,selectors:(n={":before":{backgroundColor:d.inputBackgroundChecked,selectors:(r={},r[u.qJ]={backgroundColor:"Highlight"},r)},":hover::before":{left:0,right:0}},n[u.qJ]={color:"Highlight"},n)}],linkContent:[m.linkContent,{flex:"0 1 100%",selectors:{"& > * ":{marginLeft:4},"& > *:first-child":{marginLeft:0}}}],text:[m.text,{display:"inline-block",verticalAlign:"top"}],count:[m.count,{display:"inline-block",verticalAlign:"top"}],icon:m.icon}}),void 0,{scope:"Pivot"});!function(e){e.links="links",e.tabs="tabs"}(jl||(jl={})),function(e){e.normal="normal",e.large="large"}(Jl||(Jl={}));var Ql=(0,D.y)(),$l=function(e){function t(t){var o=e.call(this,t)||this;o._onRenderProgress=function(e){var t=o.props,n=t.ariaValueText,r=t.barHeight,i=t.className,a=t.description,s=t.label,l=void 0===s?o.props.title:s,u=t.styles,d=t.theme,p="number"==typeof o.props.percentComplete?Math.min(100,Math.max(0,100*o.props.percentComplete)):void 0,m=Ql(u,{theme:d,className:i,barHeight:r,indeterminate:void 0===p}),h={width:void 0!==p?p+"%":void 0,transition:void 0!==p&&p<.01?"none":void 0},g=void 0!==p?0:void 0,f=void 0!==p?100:void 0,v=void 0!==p?Math.floor(p):void 0;return c.createElement("div",{className:m.itemProgress},c.createElement("div",{className:m.progressTrack}),c.createElement("div",{className:m.progressBar,style:h,role:"progressbar","aria-describedby":a?o._descriptionId:void 0,"aria-labelledby":l?o._labelId:void 0,"aria-valuemin":g,"aria-valuemax":f,"aria-valuenow":v,"aria-valuetext":n}))};var n=(0,dn.z)("progress-indicator");return o._labelId=n+"-label",o._descriptionId=n+"-description",o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.barHeight,o=e.className,n=e.label,r=void 0===n?this.props.title:n,i=e.description,a=e.styles,s=e.theme,u=e.progressHidden,d=e.onRenderProgress,p=void 0===d?this._onRenderProgress:d,m="number"==typeof this.props.percentComplete?Math.min(100,Math.max(0,100*this.props.percentComplete)):void 0,h=Ql(a,{theme:s,className:o,barHeight:t,indeterminate:void 0===m});return c.createElement("div",{className:h.root},r?c.createElement("div",{id:this._labelId,className:h.itemName},r):null,u?null:p((0,l.pi)((0,l.pi)({},this.props),{percentComplete:m}),this._onRenderProgress),i?c.createElement("div",{id:this._descriptionId,className:h.itemDescription},i):null)},t.defaultProps={label:"",description:"",width:180},t}(c.Component),ec={root:"ms-ProgressIndicator",itemName:"ms-ProgressIndicator-itemName",itemDescription:"ms-ProgressIndicator-itemDescription",itemProgress:"ms-ProgressIndicator-itemProgress",progressTrack:"ms-ProgressIndicator-progressTrack",progressBar:"ms-ProgressIndicator-progressBar"},tc=(0,d.NF)((function(){return(0,u.F4)({"0%":{left:"-30%"},"100%":{left:"100%"}})})),oc=(0,d.NF)((function(){return(0,u.F4)({"100%":{right:"-30%"},"0%":{right:"100%"}})})),nc=(0,I.z)($l,(function(e){var t,o,n,r=(0,T.zg)(e.theme),i=e.className,a=e.indeterminate,s=e.theme,c=e.barHeight,d=void 0===c?2:c,p=s.palette,m=s.semanticColors,h=s.fonts,g=(0,u.Cn)(ec,s),f=p.neutralLight;return{root:[g.root,h.medium,i],itemName:[g.itemName,u.jq,{color:m.bodyText,paddingTop:4,lineHeight:20}],itemDescription:[g.itemDescription,{color:m.bodySubtext,fontSize:h.small.fontSize,lineHeight:18}],itemProgress:[g.itemProgress,{position:"relative",overflow:"hidden",height:d,padding:"8px 0"}],progressTrack:[g.progressTrack,{position:"absolute",width:"100%",height:d,backgroundColor:f,selectors:(t={},t[u.qJ]={borderBottom:"1px solid WindowText"},t)}],progressBar:[{backgroundColor:p.themePrimary,height:d,position:"absolute",transition:"width .3s ease",width:0,selectors:(o={},o[u.qJ]=(0,l.pi)({backgroundColor:"highlight"},(0,u.xM)()),o)},a?{position:"absolute",minWidth:"33%",background:"linear-gradient(to right, "+f+" 0%, "+p.themePrimary+" 50%, "+f+" 100%)",animation:(r?oc():tc())+" 3s infinite",selectors:(n={},n[u.qJ]={background:"highlight"},n)}:{transition:"width .15s linear"},g.progressBar]}}),void 0,{scope:"ProgressIndicator"}),rc=o(558),ic=o(1405),ac=o(7813),sc={root:"ms-ScrollablePane",contentContainer:"ms-ScrollablePane--contentContainer"},lc={auto:"auto",always:"always"},cc=c.createContext({scrollablePane:void 0}),uc=(0,D.y)(),dc=function(e){function t(t){var o=e.call(this,t)||this;return o._root=c.createRef(),o._stickyAboveRef=c.createRef(),o._stickyBelowRef=c.createRef(),o._contentContainer=c.createRef(),o.subscribe=function(e){o._subscribers.add(e)},o.unsubscribe=function(e){o._subscribers.delete(e)},o.addSticky=function(e){o._stickies.add(e),o.contentContainer&&(e.setDistanceFromTop(o.contentContainer),o.sortSticky(e))},o.removeSticky=function(e){o._stickies.delete(e),o._removeStickyFromContainers(e),o.notifySubscribers()},o.sortSticky=function(e,t){o.stickyAbove&&o.stickyBelow&&(t&&o._removeStickyFromContainers(e),e.canStickyTop&&e.stickyContentTop&&o._addToStickyContainer(e,o.stickyAbove,e.stickyContentTop),e.canStickyBottom&&e.stickyContentBottom&&o._addToStickyContainer(e,o.stickyBelow,e.stickyContentBottom))},o.updateStickyRefHeights=function(){var e=o._stickies,t=0,n=0;e.forEach((function(e){var r=e.state,i=r.isStickyTop,a=r.isStickyBottom;e.nonStickyContent&&(i&&(t+=e.nonStickyContent.offsetHeight),a&&(n+=e.nonStickyContent.offsetHeight),o._checkStickyStatus(e))})),o.setState({stickyTopHeight:t,stickyBottomHeight:n})},o.notifySubscribers=function(){o.contentContainer&&o._subscribers.forEach((function(e){e(o.contentContainer,o.stickyBelow)}))},o.getScrollPosition=function(){return o.contentContainer?o.contentContainer.scrollTop:0},o.syncScrollSticky=function(e){e&&o.contentContainer&&e.syncScroll(o.contentContainer)},o._getScrollablePaneContext=function(){return{scrollablePane:{subscribe:o.subscribe,unsubscribe:o.unsubscribe,addSticky:o.addSticky,removeSticky:o.removeSticky,updateStickyRefHeights:o.updateStickyRefHeights,sortSticky:o.sortSticky,notifySubscribers:o.notifySubscribers,syncScrollSticky:o.syncScrollSticky}}},o._addToStickyContainer=function(e,t,n){if(t.children.length){if(!t.contains(n)){var r=[].slice.call(t.children),i=[];o._stickies.forEach((function(n){(t===o.stickyAbove&&e.canStickyTop||e.canStickyBottom)&&i.push(n)}));for(var a=void 0,s=0,l=i.sort((function(e,t){return(e.state.distanceFromTop||0)-(t.state.distanceFromTop||0)})).filter((function(e){var n=t===o.stickyAbove?e.stickyContentTop:e.stickyContentBottom;return!!n&&r.indexOf(n)>-1}));s=(e.state.distanceFromTop||0)){a=c;break}}var u=null;a&&(u=t===o.stickyAbove?a.stickyContentTop:a.stickyContentBottom),t.insertBefore(n,u)}}else t.appendChild(n)},o._removeStickyFromContainers=function(e){o.stickyAbove&&e.stickyContentTop&&o.stickyAbove.contains(e.stickyContentTop)&&o.stickyAbove.removeChild(e.stickyContentTop),o.stickyBelow&&e.stickyContentBottom&&o.stickyBelow.contains(e.stickyContentBottom)&&o.stickyBelow.removeChild(e.stickyContentBottom)},o._onWindowResize=function(){var e=o._getScrollbarWidth(),t=o._getScrollbarHeight();o.setState({scrollbarWidth:e,scrollbarHeight:t}),o.notifySubscribers()},o._getStickyContainerStyle=function(e,t){return(0,l.pi)((0,l.pi)({height:e},(0,T.zg)(o.props.theme)?{right:"0",left:(o.state.scrollbarWidth||o._getScrollbarWidth()||0)+"px"}:{left:"0",right:(o.state.scrollbarWidth||o._getScrollbarWidth()||0)+"px"}),t?{top:"0"}:{bottom:(o.state.scrollbarHeight||o._getScrollbarHeight()||0)+"px"})},o._onScroll=function(){var e=o.contentContainer;e&&o._stickies.forEach((function(t){t.syncScroll(e)})),o._notifyThrottled()},o._subscribers=new Set,o._stickies=new Set,(0,P.l)(o),o._async=new bo.e(o),o._events=new at.r(o),o.state={stickyTopHeight:0,stickyBottomHeight:0,scrollbarWidth:0,scrollbarHeight:0},o._notifyThrottled=o._async.throttle(o.notifySubscribers,50),o}return(0,l.ZT)(t,e),Object.defineProperty(t.prototype,"root",{get:function(){return this._root.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"stickyAbove",{get:function(){return this._stickyAboveRef.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"stickyBelow",{get:function(){return this._stickyBelowRef.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"contentContainer",{get:function(){return this._contentContainer.current},enumerable:!0,configurable:!0}),t.prototype.componentDidMount=function(){var e=this,t=this.props.initialScrollPosition;this._events.on(this.contentContainer,"scroll",this._onScroll),this._events.on(window,"resize",this._onWindowResize),this.contentContainer&&t&&(this.contentContainer.scrollTop=t),this.setStickiesDistanceFromTop(),this._stickies.forEach((function(t){e.sortSticky(t)})),this.notifySubscribers(),"MutationObserver"in window&&(this._mutationObserver=new MutationObserver((function(t){var o=e._getScrollbarHeight();if(o!==e.state.scrollbarHeight&&e.setState({scrollbarHeight:o}),e.notifySubscribers(),t.some(function(e){return null!==this.stickyAbove&&null!==this.stickyBelow&&(this.stickyAbove.contains(e.target)||this.stickyBelow.contains(e.target))}.bind(e)))e.updateStickyRefHeights();else{var n=[];e._stickies.forEach((function(e){e.root&&e.root.contains(t[0].target)&&n.push(e)})),n.length&&n.forEach((function(e){e.forceUpdate()}))}})),this.root&&this._mutationObserver.observe(this.root,{childList:!0,attributes:!0,subtree:!0,characterData:!0}))},t.prototype.componentWillUnmount=function(){this._events.dispose(),this._async.dispose(),this._mutationObserver&&this._mutationObserver.disconnect()},t.prototype.shouldComponentUpdate=function(e,t){return this.props.children!==e.children||this.props.initialScrollPosition!==e.initialScrollPosition||this.props.className!==e.className||this.state.stickyTopHeight!==t.stickyTopHeight||this.state.stickyBottomHeight!==t.stickyBottomHeight||this.state.scrollbarWidth!==t.scrollbarWidth||this.state.scrollbarHeight!==t.scrollbarHeight},t.prototype.componentDidUpdate=function(e,t){var o=this.props.initialScrollPosition;this.contentContainer&&"number"==typeof o&&e.initialScrollPosition!==o&&(this.contentContainer.scrollTop=o),t.stickyTopHeight===this.state.stickyTopHeight&&t.stickyBottomHeight===this.state.stickyBottomHeight||this.notifySubscribers(),this._async.setTimeout(this._onWindowResize,0)},t.prototype.render=function(){var e=this.props,t=e.className,o=e.theme,n=e.styles,r=this.state,i=r.stickyTopHeight,a=r.stickyBottomHeight,s=uc(n,{theme:o,className:t,scrollbarVisibility:this.props.scrollbarVisibility});return c.createElement("div",(0,l.pi)({},(0,E.pq)(this.props,E.n7),{ref:this._root,className:s.root}),c.createElement("div",{ref:this._stickyAboveRef,className:s.stickyAbove,style:this._getStickyContainerStyle(i,!0)}),c.createElement("div",{ref:this._contentContainer,className:s.contentContainer,"data-is-scrollable":!0},c.createElement(cc.Provider,{value:this._getScrollablePaneContext()},this.props.children)),c.createElement("div",{className:s.stickyBelow,style:this._getStickyContainerStyle(a,!1)},c.createElement("div",{ref:this._stickyBelowRef,className:s.stickyBelowItems})))},t.prototype.setStickiesDistanceFromTop=function(){var e=this;this.contentContainer&&this._stickies.forEach((function(t){t.setDistanceFromTop(e.contentContainer)}))},t.prototype.forceLayoutUpdate=function(){this._onWindowResize()},t.prototype._checkStickyStatus=function(e){this.stickyAbove&&this.stickyBelow&&this.contentContainer&&e.nonStickyContent&&(e.state.isStickyTop||e.state.isStickyBottom?(e.state.isStickyTop&&!this.stickyAbove.contains(e.nonStickyContent)&&e.stickyContentTop&&e.addSticky(e.stickyContentTop),e.state.isStickyBottom&&!this.stickyBelow.contains(e.nonStickyContent)&&e.stickyContentBottom&&e.addSticky(e.stickyContentBottom)):this.contentContainer.contains(e.nonStickyContent)||e.resetSticky())},t.prototype._getScrollbarWidth=function(){var e=this.contentContainer;return e?e.offsetWidth-e.clientWidth:0},t.prototype._getScrollbarHeight=function(){var e=this.contentContainer;return e?e.offsetHeight-e.clientHeight:0},t}(c.Component),pc=(0,I.z)(dc,(function(e){var t,o,n=e.className,r=e.theme,i=(0,u.Cn)(sc,r),a={position:"absolute",pointerEvents:"none"},s={position:"absolute",top:0,right:0,bottom:0,left:0,WebkitOverflowScrolling:"touch"};return{root:[i.root,r.fonts.medium,s,n],contentContainer:[i.contentContainer,{overflowY:"always"===e.scrollbarVisibility?"scroll":"auto"},s],stickyAbove:[{top:0,zIndex:1,selectors:(t={},t[u.qJ]={borderBottom:"1px solid WindowText"},t)},a],stickyBelow:[{bottom:0,selectors:(o={},o[u.qJ]={borderTop:"1px solid WindowText"},o)},a],stickyBelowItems:[{bottom:0},a,{width:"100%"}]}}),void 0,{scope:"ScrollablePane"}),mc=o(6419),hc=o(3863),gc=o(5515),fc=function(e){function t(t){var o=e.call(this,t)||this;o.addItems=function(e){var t=o.props.onItemSelected?o.props.onItemSelected(e):e,n=t,r=t;if(r&&r.then)r.then((function(e){var t=o.state.items.concat(e);o.updateItems(t)}));else{var i=o.state.items.concat(n);o.updateItems(i)}},o.removeItemAt=function(e){var t=o.state.items;if(o._canRemoveItem(t[e])&&e>-1){o.props.onItemsDeleted&&o.props.onItemsDeleted([t[e]]);var n=t.slice(0,e).concat(t.slice(e+1));o.updateItems(n)}},o.removeItem=function(e){var t=o.state.items.indexOf(e);o.removeItemAt(t)},o.replaceItem=function(e,t){var n=o.state.items,r=n.indexOf(e);if(r>-1){var i=n.slice(0,r).concat(t).concat(n.slice(r+1));o.updateItems(i)}},o.removeItems=function(e){var t=o.state.items,n=e.filter((function(e){return o._canRemoveItem(e)})),r=t.filter((function(e){return-1===n.indexOf(e)})),i=n[0],a=t.indexOf(i);o.props.onItemsDeleted&&o.props.onItemsDeleted(n),o.updateItems(r,a)},o.onCopy=function(e){if(o.props.onCopyItems&&o.selection.getSelectedCount()>0){var t=o.selection.getSelection();o.copyItems(t)}},o.renderItems=function(){var e=o.props.removeButtonAriaLabel,t=o.props.onRenderItem;return o.state.items.map((function(n,r){return t({item:n,index:r,key:n.key?n.key:r,selected:o.selection.isIndexSelected(r),onRemoveItem:function(){return o.removeItem(n)},onItemChange:o.onItemChange,removeButtonAriaLabel:e,onCopyItem:function(e){return o.copyItems([e])}})}))},o.onSelectionChanged=function(){o.forceUpdate()},o.onItemChange=function(e,t){var n=o.state.items;if(t>=0){var r=n;r[t]=e,o.updateItems(r)}},(0,P.l)(o);var n=t.selectedItems||t.defaultSelectedItems||[];return o.state={items:n},o._defaultSelection=new nn.Y({onSelectionChanged:o.onSelectionChanged}),o}return(0,l.ZT)(t,e),t.getDerivedStateFromProps=function(e){return e.selectedItems?{items:e.selectedItems}:null},Object.defineProperty(t.prototype,"items",{get:function(){return this.state.items},enumerable:!0,configurable:!0}),t.prototype.removeSelectedItems=function(){this.state.items.length&&this.selection.getSelectedCount()>0&&this.removeItems(this.selection.getSelection())},t.prototype.updateItems=function(e,t){var o=this;this.props.selectedItems?this.onChange(e):this.setState({items:e},(function(){o._onSelectedItemsUpdated(e,t)}))},t.prototype.hasSelectedItems=function(){return this.selection.getSelectedCount()>0},t.prototype.componentDidUpdate=function(e,t){this.state.items&&this.state.items!==t.items&&this.selection.setItems(this.state.items)},t.prototype.unselectAll=function(){this.selection.setAllSelected(!1)},t.prototype.highlightedItems=function(){return this.selection.getSelection()},t.prototype.componentDidMount=function(){this.selection.setItems(this.state.items)},Object.defineProperty(t.prototype,"selection",{get:function(){var e;return null!=(e=this.props.selection)?e:this._defaultSelection},enumerable:!0,configurable:!0}),t.prototype.render=function(){return this.renderItems()},t.prototype.onChange=function(e){this.props.onChange&&this.props.onChange(e)},t.prototype.copyItems=function(e){if(this.props.onCopyItems){var t=this.props.onCopyItems(e),o=document.createElement("input");document.body.appendChild(o);try{if(o.value=t,o.select(),!document.execCommand("copy"))throw new Error}catch(e){}finally{document.body.removeChild(o)}}},t.prototype._onSelectedItemsUpdated=function(e,t){this.onChange(e)},t.prototype._canRemoveItem=function(e){return!this.props.canRemoveItem||this.props.canRemoveItem(e)},t}(c.Component);(0,Xi.RM)([{rawString:".personaContainer_e3941fa3{border-radius:15px;display:-webkit-inline-box;display:-ms-inline-flexbox;display:inline-flex;-webkit-box-align:center;-ms-flex-align:center;align-items:center;background:"},{theme:"themeLighterAlt",defaultValue:"#eff6fc"},{rawString:";margin:4px;cursor:default;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;vertical-align:middle;position:relative}.personaContainer_e3941fa3::-moz-focus-inner{border:0}.personaContainer_e3941fa3{outline:transparent}.personaContainer_e3941fa3{position:relative}.ms-Fabric--isFocusVisible .personaContainer_e3941fa3:focus:after{-webkit-box-sizing:border-box;box-sizing:border-box;content:'';position:absolute;top:-2px;right:-2px;bottom:-2px;left:-2px;pointer-events:none;border:1px solid "},{theme:"focusBorder",defaultValue:"#605e5c"},{rawString:";border-radius:0}.personaContainer_e3941fa3 .ms-Persona-primaryText{color:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:";font-size:14px;font-weight:400}.personaContainer_e3941fa3 .ms-Persona-primaryText.hover_e3941fa3{color:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:"}@media screen and (-ms-high-contrast:active){.personaContainer_e3941fa3 .ms-Persona-primaryText{color:HighlightText}}.personaContainer_e3941fa3 .actionButton_e3941fa3:hover{background:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:"}.personaContainer_e3941fa3 .actionButton_e3941fa3 .ms-Button-icon{color:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:"}@media screen and (-ms-high-contrast:active){.personaContainer_e3941fa3 .actionButton_e3941fa3 .ms-Button-icon{color:HighlightText}}.personaContainer_e3941fa3:hover{background:"},{theme:"themeLighter",defaultValue:"#deecf9"},{rawString:"}.personaContainer_e3941fa3:hover .ms-Persona-primaryText{color:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:";font-size:14px;font-weight:400}@media screen and (-ms-high-contrast:active){.personaContainer_e3941fa3:hover .ms-Persona-primaryText{color:HighlightText}}.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3{background:"},{theme:"themePrimary",defaultValue:"#0078d4"},{rawString:"}.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3 .ms-Persona-primaryText{color:"},{theme:"white",defaultValue:"#ffffff"},{rawString:"}@media screen and (-ms-high-contrast:active){.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3 .ms-Persona-primaryText{color:HighlightText}}.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3 .actionButton_e3941fa3{color:"},{theme:"white",defaultValue:"#ffffff"},{rawString:"}.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3 .actionButton_e3941fa3 .ms-Button-icon{color:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:"}.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3 .actionButton_e3941fa3 .ms-Button-icon:hover{background:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:"}@media screen and (-ms-high-contrast:active){.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3 .actionButton_e3941fa3 .ms-Button-icon{color:HighlightText}}@media screen and (-ms-high-contrast:active){.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3{border-color:Highlight;background:Highlight;-ms-high-contrast-adjust:none}}.personaContainer_e3941fa3.validationError_e3941fa3 .ms-Persona-primaryText{color:"},{theme:"red",defaultValue:"#e81123"},{rawString:"}.personaContainer_e3941fa3.validationError_e3941fa3 .ms-Persona-initials{font-size:20px}@media screen and (-ms-high-contrast:active){.personaContainer_e3941fa3{border:1px solid WindowText}}.personaContainer_e3941fa3 .itemContent_e3941fa3{-webkit-box-flex:0;-ms-flex:0 1 auto;flex:0 1 auto;min-width:0;max-width:100%}.personaContainer_e3941fa3 .removeButton_e3941fa3{border-radius:15px;-webkit-box-flex:0;-ms-flex:0 0 auto;flex:0 0 auto;width:33px;height:33px;-ms-flex-preferred-size:32px;flex-basis:32px}.personaContainer_e3941fa3 .expandButton_e3941fa3{border-radius:15px 0 0 15px;height:33px;width:44px;padding-right:16px;position:inherit;display:-webkit-box;display:-ms-flexbox;display:flex;margin-right:-17px}.personaContainer_e3941fa3 .personaWrapper_e3941fa3{position:relative;display:inherit}.personaContainer_e3941fa3 .personaWrapper_e3941fa3 .ms-Persona-details{padding:0 8px}.personaContainer_e3941fa3 .personaDetails_e3941fa3{-webkit-box-flex:0;-ms-flex:0 1 auto;flex:0 1 auto}.itemContainer_e3941fa3{display:inline-block;vertical-align:top}"}]);var vc="personaContainer_e3941fa3",bc="hover_e3941fa3",yc="actionButton_e3941fa3",_c="personaContainerIsSelected_e3941fa3",Cc="validationError_e3941fa3",Sc="itemContent_e3941fa3",xc="removeButton_e3941fa3",kc="expandButton_e3941fa3",wc="personaWrapper_e3941fa3",Ic="personaDetails_e3941fa3",Dc="itemContainer_e3941fa3",Tc=s,Ec=function(e){function t(t){var o=e.call(this,t)||this;return o.persona=c.createRef(),(0,P.l)(o),o.state={contextualMenuVisible:!1},o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e,t,o=this.props,n=o.item,r=o.onExpandItem,i=o.onRemoveItem,a=o.removeButtonAriaLabel,s=o.index,u=o.selected,d=(0,dn.z)();return c.createElement("div",{ref:this.persona,className:(0,pt.i)("ms-PickerPersona-container",Tc.personaContainer,(e={},e["is-selected "+Tc.personaContainerIsSelected]=u,e),(t={},t["is-invalid "+Tc.validationError]=!n.isValid,t)),"data-is-focusable":!0,"data-is-sub-focuszone":!0,"data-selection-index":s,role:"listitem","aria-labelledby":"selectedItemPersona-"+d},c.createElement("div",{hidden:!n.canExpand||void 0===r},c.createElement(V.h,{onClick:this._onClickIconButton(r),iconProps:{iconName:"Add",style:{fontSize:"14px"}},className:(0,pt.i)("ms-PickerItem-removeButton",Tc.expandButton,Tc.actionButton),ariaLabel:a})),c.createElement("div",{className:(0,pt.i)(Tc.personaWrapper)},c.createElement("div",{className:(0,pt.i)("ms-PickerItem-content",Tc.itemContent),id:"selectedItemPersona-"+d},c.createElement(ua.I,(0,l.pi)({},n,{onRenderCoin:this.props.renderPersonaCoin,onRenderPrimaryText:this.props.renderPrimaryText,size:C.Ir.size32}))),c.createElement(V.h,{onClick:this._onClickIconButton(i),iconProps:{iconName:"Cancel",style:{fontSize:"14px"}},className:(0,pt.i)("ms-PickerItem-removeButton",Tc.removeButton,Tc.actionButton),ariaLabel:a})))},t.prototype._onClickIconButton=function(e){return function(t){t.stopPropagation(),t.preventDefault(),e&&e()}},t}(c.Component),Pc=function(e){function t(t){var o=e.call(this,t)||this;return o.itemElement=c.createRef(),o._onClick=function(e){e.preventDefault(),o.props.beginEditing&&!o.props.item.isValid?o.props.beginEditing(o.props.item):o.setState({contextualMenuVisible:!0})},o._onCloseContextualMenu=function(e){o.setState({contextualMenuVisible:!1})},(0,P.l)(o),o.state={contextualMenuVisible:!1},o}return(0,l.ZT)(t,e),t.prototype.render=function(){return c.createElement("div",{ref:this.itemElement,onContextMenu:this._onClick},this.props.renderedItem,this.state.contextualMenuVisible?c.createElement(Go.r,{items:this.props.menuItems,shouldFocusOnMount:!0,target:this.itemElement.current,onDismiss:this._onCloseContextualMenu,directionalHint:K.b.bottomLeftEdge}):null)},t}(c.Component),Mc={root:"ms-EditingItem",input:"ms-EditingItem-input"},Rc=function(e){var t=(0,u.gh)();if(!t)throw new Error("theme is undefined or null in Editing item getStyles function.");var o=t.semanticColors,n=(0,u.Cn)(Mc,t);return{root:[n.root,{margin:"4px"}],input:[n.input,{border:"0px",outline:"none",width:"100%",backgroundColor:o.inputBackground,color:o.inputText,selectors:{"::-ms-clear":{display:"none"}}}]}},Nc=function(e){function t(t){var o=e.call(this,t)||this;return o._editingFloatingPicker=c.createRef(),o._renderEditingSuggestions=function(){var e=o.props.onRenderFloatingPicker,t=o.props.floatingPickerProps;return e&&t?c.createElement(e,(0,l.pi)({componentRef:o._editingFloatingPicker,onChange:o._onSuggestionSelected,inputElement:o._editingInput,selectedItems:[]},t)):c.createElement(c.Fragment,null)},o._resolveInputRef=function(e){o._editingInput=e,o.forceUpdate((function(){o._editingInput.focus()}))},o._onInputClick=function(){o._editingFloatingPicker.current&&o._editingFloatingPicker.current.showPicker(!0)},o._onInputBlur=function(e){if(o._editingFloatingPicker.current&&null!==e.relatedTarget){var t=e.relatedTarget;-1===t.className.indexOf("ms-Suggestions-itemButton")&&-1===t.className.indexOf("ms-Suggestions-sectionButton")&&o._editingFloatingPicker.current.forceResolveSuggestion()}},o._onInputChange=function(e){var t=e.target.value;""===t?o.props.onRemoveItem&&o.props.onRemoveItem():o._editingFloatingPicker.current&&o._editingFloatingPicker.current.onQueryStringChanged(t)},o._onSuggestionSelected=function(e){o.props.onEditingComplete(o.props.item,e)},(0,P.l)(o),o.state={contextualMenuVisible:!1},o}return(0,l.ZT)(t,e),t.prototype.componentDidMount=function(){var e=(0,this.props.getEditingItemText)(this.props.item);this._editingFloatingPicker.current&&this._editingFloatingPicker.current.onQueryStringChanged(e),this._editingInput.value=e,this._editingInput.focus()},t.prototype.render=function(){var e=(0,dn.z)(),t=(0,E.pq)(this.props,E.Gg),o=(0,D.y)()(Rc);return c.createElement("div",{"aria-labelledby":"editingItemPersona-"+e,className:o.root},c.createElement("input",(0,l.pi)({autoCapitalize:"off",autoComplete:"off"},t,{ref:this._resolveInputRef,onChange:this._onInputChange,onKeyDown:this._onInputKeyDown,onBlur:this._onInputBlur,onClick:this._onInputClick,"data-lpignore":!0,className:o.input,id:e})),this._renderEditingSuggestions())},t.prototype._onInputKeyDown=function(e){e.which!==rt.m.backspace&&e.which!==rt.m.del||e.stopPropagation()},t}(c.Component),Bc=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,l.ZT)(t,e),t}(fc),Fc=function(e){function t(){var t=null!==e&&e.apply(this,arguments)||this;return t.renderItems=function(){return t.state.items.map((function(e,o){return t._renderItem(e,o)}))},t._beginEditing=function(e){e.isEditing=!0,t.forceUpdate()},t._completeEditing=function(e,o){e.isEditing=!1,t.replaceItem(e,o)},t}return(0,l.ZT)(t,e),t.prototype._renderItem=function(e,t){var o=this,n=this.props.removeButtonAriaLabel,r=this.props.onExpandGroup,i={item:e,index:t,key:e.key?e.key:t,selected:this.selection.isIndexSelected(t),onRemoveItem:function(){return o.removeItem(e)},onItemChange:this.onItemChange,removeButtonAriaLabel:n,onCopyItem:function(e){return o.copyItems([e])},onExpandItem:r?function(){return r(e)}:void 0,menuItems:this._createMenuItems(e)},a=i.menuItems.length>0;if(e.isEditing&&a)return c.createElement(Nc,(0,l.pi)({},i,{onRenderFloatingPicker:this.props.onRenderFloatingPicker,floatingPickerProps:this.props.floatingPickerProps,onEditingComplete:this._completeEditing,getEditingItemText:this.props.getEditingItemText}));var s=(0,this.props.onRenderItem)(i);return a?c.createElement(Pc,{key:i.key,renderedItem:s,beginEditing:this._beginEditing,menuItems:this._createMenuItems(i.item),item:i.item}):s},t.prototype._createMenuItems=function(e){var t=this,o=[];return this.props.editMenuItemText&&this.props.getEditingItemText&&o.push({key:"Edit",text:this.props.editMenuItemText,onClick:function(e,o){t._beginEditing(o.data)},data:e}),this.props.removeMenuItemText&&o.push({key:"Remove",text:this.props.removeMenuItemText,onClick:function(e,o){t.removeItem(o.data)},data:e}),this.props.copyMenuItemText&&o.push({key:"Copy",text:this.props.copyMenuItemText,onClick:function(e,o){t.props.onCopyItems&&t.copyItems([o.data])},data:e}),o},t.defaultProps={onRenderItem:function(e){return c.createElement(Ec,(0,l.pi)({},e))}},t}(Bc),Lc=(0,D.y)(),Ac=c.forwardRef((function(e,t){var o=e.styles,n=e.theme,r=e.className,i=e.vertical,a=e.alignContent,s=e.children,l=Lc(o,{theme:n,className:r,alignContent:a,vertical:i});return c.createElement("div",{className:l.root,ref:t},c.createElement("div",{className:l.content,role:"separator","aria-orientation":i?"vertical":"horizontal"},s))})),zc=(0,I.z)(Ac,(function(e){var t,o,n=e.theme,r=e.alignContent,i=e.vertical,a=e.className,s="start"===r,l="center"===r,c="end"===r;return{root:[n.fonts.medium,{position:"relative"},r&&{textAlign:r},!r&&{textAlign:"center"},i&&(l||!r)&&{verticalAlign:"middle"},i&&s&&{verticalAlign:"top"},i&&c&&{verticalAlign:"bottom"},i&&{padding:"0 4px",height:"inherit",display:"table-cell",zIndex:1,selectors:{":after":(t={backgroundColor:n.palette.neutralLighter,width:"1px",content:'""',position:"absolute",top:"0",bottom:"0",left:"50%",right:"0",zIndex:-1},t[u.qJ]={backgroundColor:"WindowText"},t)}},!i&&{padding:"4px 0",selectors:{":before":(o={backgroundColor:n.palette.neutralLighter,height:"1px",content:'""',display:"block",position:"absolute",top:"50%",bottom:"0",left:"0",right:"0"},o[u.qJ]={backgroundColor:"WindowText"},o)}},a],content:[{position:"relative",display:"inline-block",padding:"0 12px",color:n.semanticColors.bodyText,background:n.semanticColors.bodyBackground},i&&{padding:"12px 0"}]}}),void 0,{scope:"Separator"});zc.displayName="Separator";var Hc,Oc,Wc={root:"ms-Shimmer-container",shimmerWrapper:"ms-Shimmer-shimmerWrapper",shimmerGradient:"ms-Shimmer-shimmerGradient",dataWrapper:"ms-Shimmer-dataWrapper"},Vc=(0,d.NF)((function(){return(0,u.F4)({"0%":{transform:"translateX(-100%)"},"100%":{transform:"translateX(100%)"}})})),Kc=(0,d.NF)((function(){return(0,u.F4)({"100%":{transform:"translateX(-100%)"},"0%":{transform:"translateX(100%)"}})}));!function(e){e[e.line=1]="line",e[e.circle=2]="circle",e[e.gap=3]="gap"}(Hc||(Hc={})),function(e){e[e.line=16]="line",e[e.gap=16]="gap",e[e.circle=24]="circle"}(Oc||(Oc={}));var qc=(0,D.y)(),Gc=function(e){var t=e.height,o=e.styles,n=e.width,r=void 0===n?"100%":n,i=e.borderStyle,a=e.theme,s=qc(o,{theme:a,height:t,borderStyle:i});return c.createElement("div",{style:{width:r,minWidth:"number"==typeof r?r+"px":"auto"},className:s.root},c.createElement("svg",{width:"2",height:"2",className:s.topLeftCorner},c.createElement("path",{d:"M0 2 A 2 2, 0, 0, 1, 2 0 L 0 0 Z"})),c.createElement("svg",{width:"2",height:"2",className:s.topRightCorner},c.createElement("path",{d:"M0 0 A 2 2, 0, 0, 1, 2 2 L 2 0 Z"})),c.createElement("svg",{width:"2",height:"2",className:s.bottomRightCorner},c.createElement("path",{d:"M2 0 A 2 2, 0, 0, 1, 0 2 L 2 2 Z"})),c.createElement("svg",{width:"2",height:"2",className:s.bottomLeftCorner},c.createElement("path",{d:"M2 2 A 2 2, 0, 0, 1, 0 0 L 0 2 Z"})))},Uc={root:"ms-ShimmerLine-root",topLeftCorner:"ms-ShimmerLine-topLeftCorner",topRightCorner:"ms-ShimmerLine-topRightCorner",bottomLeftCorner:"ms-ShimmerLine-bottomLeftCorner",bottomRightCorner:"ms-ShimmerLine-bottomRightCorner"},jc=(0,I.z)(Gc,(function(e){var t,o=e.height,n=e.borderStyle,r=e.theme,i=r.semanticColors,a=(0,u.Cn)(Uc,r),s=n||{},l={position:"absolute",fill:i.bodyBackground};return{root:[a.root,r.fonts.medium,{height:o+"px",boxSizing:"content-box",position:"relative",borderTopStyle:"solid",borderBottomStyle:"solid",borderColor:i.bodyBackground,borderWidth:0,selectors:(t={},t[u.qJ]={borderColor:"Window",selectors:{"> *":{fill:"Window"}}},t)},s],topLeftCorner:[a.topLeftCorner,{top:"0",left:"0"},l],topRightCorner:[a.topRightCorner,{top:"0",right:"0"},l],bottomRightCorner:[a.bottomRightCorner,{bottom:"0",right:"0"},l],bottomLeftCorner:[a.bottomLeftCorner,{bottom:"0",left:"0"},l]}}),void 0,{scope:"ShimmerLine"}),Jc=(0,D.y)(),Yc=function(e){var t=e.height,o=e.styles,n=e.width,r=void 0===n?"10px":n,i=e.borderStyle,a=e.theme,s=Jc(o,{theme:a,height:t,borderStyle:i});return c.createElement("div",{style:{width:r,minWidth:"number"==typeof r?r+"px":"auto"},className:s.root})},Zc={root:"ms-ShimmerGap-root"},Xc=(0,I.z)(Yc,(function(e){var t,o=e.height,n=e.borderStyle,r=e.theme,i=r.semanticColors,a=n||{};return{root:[(0,u.Cn)(Zc,r).root,r.fonts.medium,{backgroundColor:i.bodyBackground,height:o+"px",boxSizing:"content-box",borderTopStyle:"solid",borderBottomStyle:"solid",borderColor:i.bodyBackground,selectors:(t={},t[u.qJ]={backgroundColor:"Window",borderColor:"Window"},t)},a]}}),void 0,{scope:"ShimmerGap"}),Qc={root:"ms-ShimmerCircle-root",svg:"ms-ShimmerCircle-svg"},$c=(0,D.y)(),eu=function(e){var t=e.height,o=e.styles,n=e.borderStyle,r=e.theme,i=$c(o,{theme:r,height:t,borderStyle:n});return c.createElement("div",{className:i.root},c.createElement("svg",{viewBox:"0 0 10 10",width:t,height:t,className:i.svg},c.createElement("path",{d:"M0,0 L10,0 L10,10 L0,10 L0,0 Z M0,5 C0,7.76142375 2.23857625,10 5,10 C7.76142375,10 10,7.76142375 10,5 C10,2.23857625 7.76142375,2.22044605e-16 5,0 C2.23857625,-2.22044605e-16 0,2.23857625 0,5 L0,5 Z"})))},tu=(0,I.z)(eu,(function(e){var t,o,n=e.height,r=e.borderStyle,i=e.theme,a=i.semanticColors,s=(0,u.Cn)(Qc,i),l=r||{};return{root:[s.root,i.fonts.medium,{width:n+"px",height:n+"px",minWidth:n+"px",boxSizing:"content-box",borderTopStyle:"solid",borderBottomStyle:"solid",borderColor:a.bodyBackground,selectors:(t={},t[u.qJ]={borderColor:"Window"},t)},l],svg:[s.svg,{display:"block",fill:a.bodyBackground,selectors:(o={},o[u.qJ]={fill:"Window"},o)}]}}),void 0,{scope:"ShimmerCircle"}),ou=(0,D.y)(),nu=function(e){var t=e.styles,o=e.width,n=void 0===o?"auto":o,r=e.shimmerElements,i=e.rowHeight,a=void 0===i?function(e){return e.map((function(e){switch(e.type){case Hc.circle:e.height||(e.height=Oc.circle);break;case Hc.line:e.height||(e.height=Oc.line);break;case Hc.gap:e.height||(e.height=Oc.gap)}return e})).reduce((function(e,t){return t.height&&t.height>e?t.height:e}),0)}(r||[]):i,s=e.flexWrap,u=void 0!==s&&s,d=e.theme,p=e.backgroundColor,m=ou(t,{theme:d,flexWrap:u});return c.createElement("div",{style:{width:n},className:m.root},function(e,t,o){return e?e.map((function(e,n){var r=e.type,i=(0,l._T)(e,["type"]),a=i.verticalAlign,s=i.height,u=ru(a,r,s,t,o);switch(e.type){case Hc.circle:return c.createElement(tu,(0,l.pi)({key:n},i,{styles:u}));case Hc.gap:return c.createElement(Xc,(0,l.pi)({key:n},i,{styles:u}));case Hc.line:return c.createElement(jc,(0,l.pi)({key:n},i,{styles:u}))}})):c.createElement(jc,{height:Oc.line})}(r,p,a))},ru=(0,d.NF)((function(e,t,o,n,r){var i,a=r&&o?r-o:0;if(e&&"center"!==e?e&&"top"===e?i={borderBottomWidth:a+"px",borderTopWidth:"0px"}:e&&"bottom"===e&&(i={borderBottomWidth:"0px",borderTopWidth:a+"px"}):i={borderBottomWidth:(a?Math.floor(a/2):0)+"px",borderTopWidth:(a?Math.ceil(a/2):0)+"px"},n)switch(t){case Hc.circle:return{root:(0,l.pi)((0,l.pi)({},i),{borderColor:n}),svg:{fill:n}};case Hc.gap:return{root:(0,l.pi)((0,l.pi)({},i),{borderColor:n,backgroundColor:n})};case Hc.line:return{root:(0,l.pi)((0,l.pi)({},i),{borderColor:n}),topLeftCorner:{fill:n},topRightCorner:{fill:n},bottomLeftCorner:{fill:n},bottomRightCorner:{fill:n}}}return{root:i}})),iu={root:"ms-ShimmerElementsGroup-root"},au=(0,I.z)(nu,(function(e){var t=e.flexWrap,o=e.theme;return{root:[(0,u.Cn)(iu,o).root,o.fonts.medium,{display:"flex",alignItems:"center",flexWrap:t?"wrap":"nowrap",position:"relative"}]}}),void 0,{scope:"ShimmerElementsGroup"}),su=(0,D.y)(),lu=c.forwardRef((function(e,t){var o=e.styles,n=e.shimmerElements,r=e.children,i=e.width,a=e.className,s=e.customElementsGroup,u=e.theme,d=e.ariaLabel,p=e.shimmerColors,m=e.isDataLoaded,h=void 0!==m&&m,g=(0,E.pq)(e,E.n7),f=su(o,{theme:u,isDataLoaded:h,className:a,transitionAnimationInterval:200,shimmerColor:p&&p.shimmer,shimmerWaveColor:p&&p.shimmerWave}),v=(0,q.B)({lastTimeoutId:0}),b=(0,Ct.L)(),y=b.setTimeout,_=b.clearTimeout,C=c.useState(h),S=C[0],x=C[1],k={width:i||"100%"};return c.useEffect((function(){if(h!==S){if(h)return v.lastTimeoutId=y((function(){x(!0)}),200),function(){return _(v.lastTimeoutId)};x(!1)}}),[h]),c.createElement("div",(0,l.pi)({},g,{className:f.root,ref:t}),!S&&c.createElement("div",{style:k,className:f.shimmerWrapper},c.createElement("div",{className:f.shimmerGradient}),s||c.createElement(au,{shimmerElements:n,backgroundColor:p&&p.background})),r&&c.createElement("div",{className:f.dataWrapper},r),d&&!h&&c.createElement("div",{role:"status","aria-live":"polite"},c.createElement(Us.U,null,c.createElement("div",{className:f.screenReaderText},d))))}));lu.displayName="Shimmer";var cu=(0,I.z)(lu,(function(e){var t,o=e.isDataLoaded,n=e.className,r=e.theme,i=e.transitionAnimationInterval,a=e.shimmerColor,s=e.shimmerWaveColor,c=r.semanticColors,d=(0,u.Cn)(Wc,r),p=(0,T.zg)(r);return{root:[d.root,r.fonts.medium,{position:"relative",height:"auto"},n],shimmerWrapper:[d.shimmerWrapper,{position:"relative",overflow:"hidden",transform:"translateZ(0)",backgroundColor:a||c.disabledBackground,transition:"opacity "+i+"ms",selectors:(t={"> *":{transform:"translateZ(0)"}},t[u.qJ]=(0,l.pi)({background:"WindowText\n linear-gradient(\n to right,\n transparent 0%,\n Window 50%,\n transparent 100%)\n 0 0 / 90% 100%\n no-repeat"},(0,u.xM)()),t)},o&&{opacity:"0",position:"absolute",top:"0",bottom:"0",left:"0",right:"0"}],shimmerGradient:[d.shimmerGradient,{position:"absolute",top:0,left:0,width:"100%",height:"100%",background:(a||c.disabledBackground)+"\n linear-gradient(\n to right,\n "+(a||c.disabledBackground)+" 0%,\n "+(s||c.bodyDivider)+" 50%,\n "+(a||c.disabledBackground)+" 100%)\n 0 0 / 90% 100%\n no-repeat",transform:"translateX(-100%)",animationDuration:"2s",animationTimingFunction:"ease-in-out",animationDirection:"normal",animationIterationCount:"infinite",animationName:p?Kc():Vc()}],dataWrapper:[d.dataWrapper,{position:"absolute",top:"0",bottom:"0",left:"0",right:"0",opacity:"0",background:"none",backgroundColor:"transparent",border:"none",transition:"opacity "+i+"ms"},o&&{opacity:"1",position:"static"}],screenReaderText:u.ul}}),void 0,{scope:"Shimmer"}),uu=(0,D.y)(),du=function(e){function t(t){var o=e.call(this,t)||this;return o._onRenderShimmerPlaceholder=function(e,t){var n=o.props.onRenderCustomPlaceholder,r=n?n(t,e,o._renderDefaultShimmerPlaceholder):o._renderDefaultShimmerPlaceholder(t);return c.createElement(cu,{customElementsGroup:r})},o._renderDefaultShimmerPlaceholder=function(e){var t=e.columns,o=e.compact,n=e.selectionMode,r=e.checkboxVisibility,i=e.cellStyleProps,a=void 0===i?hn:i,s=gn.rowHeight,l=gn.compactRowHeight,u=o?l:s+1,d=[];return n!==on.oW.none&&r!==un.hidden&&d.push(c.createElement(au,{key:"checkboxGap",shimmerElements:[{type:Hc.gap,width:"40px",height:u}]})),t.forEach((function(e,t){var o=[],n=a.cellLeftPadding+a.cellRightPadding+e.calculatedWidth+(e.isPadded?a.cellExtraRightPadding:0);o.push({type:Hc.gap,width:a.cellLeftPadding,height:u}),e.isIconOnly?(o.push({type:Hc.line,width:e.calculatedWidth,height:e.calculatedWidth}),o.push({type:Hc.gap,width:a.cellRightPadding,height:u})):(o.push({type:Hc.line,width:.95*e.calculatedWidth,height:7}),o.push({type:Hc.gap,width:a.cellRightPadding+(e.calculatedWidth-.95*e.calculatedWidth)+(e.isPadded?a.cellExtraRightPadding:0),height:u})),d.push(c.createElement(au,{key:t,width:n+"px",shimmerElements:o}))})),d.push(c.createElement(au,{key:"endGap",width:"100%",shimmerElements:[{type:Hc.gap,width:"100%",height:u}]})),c.createElement("div",{style:{display:"flex"}},d)},o._shimmerItems=t.shimmerLines?new Array(t.shimmerLines):new Array(10),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.detailsListStyles,o=e.enableShimmer,n=e.items,r=e.listProps,i=(e.onRenderCustomPlaceholder,e.removeFadingOverlay),a=(e.shimmerLines,e.styles),s=e.theme,u=e.ariaLabelForGrid,d=e.ariaLabelForShimmer,p=(0,l._T)(e,["detailsListStyles","enableShimmer","items","listProps","onRenderCustomPlaceholder","removeFadingOverlay","shimmerLines","styles","theme","ariaLabelForGrid","ariaLabelForShimmer"]),m=r&&r.className;this._classNames=uu(a,{theme:s});var h=(0,l.pi)((0,l.pi)({},r),{className:o&&!i?(0,pt.i)(this._classNames.root,m):m});return c.createElement(xr,(0,l.pi)({},p,{styles:t,items:o?this._shimmerItems:n,isPlaceholderData:o,ariaLabelForGrid:o&&d||u,onRenderMissingItem:this._onRenderShimmerPlaceholder,listProps:h}))},t}(c.Component),pu=(0,I.z)(du,(function(e){var t=e.theme.palette;return{root:{position:"relative",selectors:{":after":{content:'""',position:"absolute",top:0,right:0,bottom:0,left:0,backgroundImage:"linear-gradient(to bottom, transparent 30%, "+t.whiteTranslucent40+" 65%,"+t.white+" 100%)"}}}}}),void 0,{scope:"ShimmeredDetailsList"}),mu=o(4107),hu=o(9379),gu=o(3134),fu=o(998),vu=o(6315),bu=o(6362),yu=o(9444),_u=l.pi;function Cu(e,t){for(var o=[],n=2;n0)throw new Error("Any module using getSlots must use withSlots. Please see withSlots javadoc for more info.");return wu(t[e],o,n[e],n.slots&&n.slots[e],n._defaultStyles&&n._defaultStyles[e],n.theme)};r.isSlot=!0,o[e]=r}};for(var i in t)r(i);return o}function wu(e,t,o,n,r,i){return void 0!==e.create?e.create(t,o,n,r):xu(e)(t,o,n,r,i)}var Iu=o(7576),Du=o(1767);function Tu(e,t){void 0===t&&(t={});var o=t.factoryOptions,n=(void 0===o?{}:o).defaultProp,r=function(o){var n,r,i,a,s=(n=t.displayName,r=c.useContext(Iu.i),i=t.fields,a=["theme","styles","tokens"],Du.X.getSettings(i||a,n,r.customizations)),d=t.state;d&&(o=(0,l.pi)((0,l.pi)({},o),d(o)));var p=o.theme||s.theme,m=Eu(o,p,t.tokens,s.tokens,o.tokens),h=function(e,t,o){for(var n=[],r=3;r2)return{rowGap:{value:0,unit:"px"},columnGap:{value:0,unit:"px"}};if(2===o.length)return{rowGap:Fu(Bu(o[0],t)),columnGap:Fu(Bu(o[1],t))};var n=Fu(Bu(e,t));return{rowGap:n,columnGap:n}}(S,t),D=I.rowGap,T=I.columnGap,E=""+-.5*T.value+T.unit,P=""+-.5*D.value+D.unit,M={textOverflow:"ellipsis"},R={"> *:not(.ms-StackItem)":{flexShrink:y?0:1}};return f?{root:[C.root,{flexWrap:"wrap",maxWidth:k,maxHeight:x,width:"auto",overflow:"visible",height:"100%"},v&&(n={},n[m?"justifyContent":"alignItems"]=Au[v]||v,n),b&&(r={},r[m?"alignItems":"justifyContent"]=Au[b]||b,r),_,{display:"flex"},m&&{height:p?"100%":"auto"}],inner:[C.inner,{display:"flex",flexWrap:"wrap",marginLeft:E,marginRight:E,marginTop:P,marginBottom:P,overflow:"visible",boxSizing:"border-box",padding:Lu(w,t),width:0===T.value?"100%":"calc(100% + "+T.value+T.unit+")",maxWidth:"100vw",selectors:(0,l.pi)({"> *":(0,l.pi)({margin:""+.5*D.value+D.unit+" "+.5*T.value+T.unit},M)},R)},v&&(i={},i[m?"justifyContent":"alignItems"]=Au[v]||v,i),b&&(a={},a[m?"alignItems":"justifyContent"]=Au[b]||b,a),m&&{flexDirection:h?"row-reverse":"row",height:0===D.value?"100%":"calc(100% + "+D.value+D.unit+")",selectors:{"> *":{maxWidth:0===T.value?"100%":"calc(100% - "+T.value+T.unit+")"}}},!m&&{flexDirection:h?"column-reverse":"column",height:"calc(100% + "+D.value+D.unit+")",selectors:{"> *":{maxHeight:0===D.value?"100%":"calc(100% - "+D.value+D.unit+")"}}}]}:{root:[C.root,{display:"flex",flexDirection:m?h?"row-reverse":"row":h?"column-reverse":"column",flexWrap:"nowrap",width:"auto",height:p?"100%":"auto",maxWidth:k,maxHeight:x,padding:Lu(w,t),boxSizing:"border-box",selectors:(0,l.pi)((s={"> *":M},s[h?"> *:not(:last-child)":"> *:not(:first-child)"]=[m&&{marginLeft:""+T.value+T.unit},!m&&{marginTop:""+D.value+D.unit}],s),R)},g&&{flexGrow:!0===g?1:g},v&&(c={},c[m?"justifyContent":"alignItems"]=Au[v]||v,c),b&&(d={},d[m?"alignItems":"justifyContent"]=Au[b]||b,d),_]}},statics:{Item:Nu}});!function(e){e[e.Both=0]="Both",e[e.Header=1]="Header",e[e.Footer=2]="Footer"}(Pu||(Pu={}));var Ou=function(e){function t(t){var o=e.call(this,t)||this;return o._root=c.createRef(),o._stickyContentTop=c.createRef(),o._stickyContentBottom=c.createRef(),o._nonStickyContent=c.createRef(),o._placeHolder=c.createRef(),o.syncScroll=function(e){var t=o.nonStickyContent;t&&o.props.isScrollSynced&&(t.scrollLeft=e.scrollLeft)},o._getContext=function(){return o.context},o._onScrollEvent=function(e,t){if(o.root&&o.nonStickyContent){var n=o._getNonStickyDistanceFromTop(e),r=!1,i=!1;o.canStickyTop&&(r=n-o._getStickyDistanceFromTop()=o._getStickyDistanceFromTopForFooter(e,t)),document.activeElement&&o.nonStickyContent.contains(document.activeElement)&&(o.state.isStickyTop!==r||o.state.isStickyBottom!==i)?o._activeElement=document.activeElement:o._activeElement=void 0,o.setState({isStickyTop:o.canStickyTop&&r,isStickyBottom:i,distanceFromTop:n})}},o._getStickyDistanceFromTop=function(){var e=0;return o.stickyContentTop&&(e=o.stickyContentTop.offsetTop),e},o._getStickyDistanceFromTopForFooter=function(e,t){var n=0;return o.stickyContentBottom&&(n=e.clientHeight-t.offsetHeight+o.stickyContentBottom.offsetTop),n},o._getNonStickyDistanceFromTop=function(e){var t=0,n=o.root;if(n){for(;n&&n.offsetParent!==e;)t+=n.offsetTop,n=n.offsetParent;n&&n.offsetParent===e&&(t+=n.offsetTop)}return t},(0,P.l)(o),o.state={isStickyTop:!1,isStickyBottom:!1,distanceFromTop:void 0},o._activeElement=void 0,o}return(0,l.ZT)(t,e),Object.defineProperty(t.prototype,"root",{get:function(){return this._root.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"placeholder",{get:function(){return this._placeHolder.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"stickyContentTop",{get:function(){return this._stickyContentTop.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"stickyContentBottom",{get:function(){return this._stickyContentBottom.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"nonStickyContent",{get:function(){return this._nonStickyContent.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"canStickyTop",{get:function(){return this.props.stickyPosition===Pu.Both||this.props.stickyPosition===Pu.Header},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"canStickyBottom",{get:function(){return this.props.stickyPosition===Pu.Both||this.props.stickyPosition===Pu.Footer},enumerable:!0,configurable:!0}),t.prototype.componentDidMount=function(){var e=this._getContext().scrollablePane;e&&(e.subscribe(this._onScrollEvent),e.addSticky(this))},t.prototype.componentWillUnmount=function(){var e=this._getContext().scrollablePane;e&&(e.unsubscribe(this._onScrollEvent),e.removeSticky(this))},t.prototype.componentDidUpdate=function(e,t){var o=this._getContext().scrollablePane;if(o){var n=this.state,r=n.isStickyBottom,i=n.isStickyTop,a=n.distanceFromTop,s=!1;t.distanceFromTop!==a&&(o.sortSticky(this,!0),s=!0),t.isStickyTop===i&&t.isStickyBottom===r||(this._activeElement&&this._activeElement.focus(),o.updateStickyRefHeights(),s=!0),s&&o.syncScrollSticky(this)}},t.prototype.shouldComponentUpdate=function(e,t){if(!this.context.scrollablePane)return!0;var o=this.state,n=o.isStickyTop,r=o.isStickyBottom,i=o.distanceFromTop;return n!==t.isStickyTop||r!==t.isStickyBottom||this.props.stickyPosition!==e.stickyPosition||this.props.children!==e.children||i!==t.distanceFromTop||Wu(this._nonStickyContent,this._stickyContentTop)||Wu(this._nonStickyContent,this._stickyContentBottom)||Wu(this._nonStickyContent,this._placeHolder)},t.prototype.render=function(){var e=this.state,t=e.isStickyTop,o=e.isStickyBottom,n=this.props,r=n.stickyClassName,i=n.children;return this.context.scrollablePane?c.createElement("div",{ref:this._root},this.canStickyTop&&c.createElement("div",{ref:this._stickyContentTop,style:{pointerEvents:t?"auto":"none"}},c.createElement("div",{style:this._getStickyPlaceholderHeight(t)})),this.canStickyBottom&&c.createElement("div",{ref:this._stickyContentBottom,style:{pointerEvents:o?"auto":"none"}},c.createElement("div",{style:this._getStickyPlaceholderHeight(o)})),c.createElement("div",{style:this._getNonStickyPlaceholderHeightAndWidth(),ref:this._placeHolder},(t||o)&&c.createElement("span",{style:u.ul},i),c.createElement("div",{ref:this._nonStickyContent,className:t||o?r:void 0,style:this._getContentStyles(t||o)},i))):c.createElement("div",null,this.props.children)},t.prototype.addSticky=function(e){this.nonStickyContent&&e.appendChild(this.nonStickyContent)},t.prototype.resetSticky=function(){this.nonStickyContent&&this.placeholder&&this.placeholder.appendChild(this.nonStickyContent)},t.prototype.setDistanceFromTop=function(e){var t=this._getNonStickyDistanceFromTop(e);this.setState({distanceFromTop:t})},t.prototype._getContentStyles=function(e){return{backgroundColor:this.props.stickyBackgroundColor||this._getBackground(),overflow:e?"hidden":""}},t.prototype._getStickyPlaceholderHeight=function(e){var t=this.nonStickyContent?this.nonStickyContent.offsetHeight:0;return{visibility:e?"hidden":"visible",height:e?0:t}},t.prototype._getNonStickyPlaceholderHeightAndWidth=function(){var e=this.state,t=e.isStickyTop,o=e.isStickyBottom;if(t||o){var n=0,r=0;return this.nonStickyContent&&this.nonStickyContent.firstElementChild&&(n=this.nonStickyContent.offsetHeight,r=this.nonStickyContent.firstElementChild.scrollWidth+(this.nonStickyContent.firstElementChild.offsetWidth-this.nonStickyContent.firstElementChild.clientWidth)),{height:n,width:r}}return{}},t.prototype._getBackground=function(){if(this.root){for(var e=this.root;"rgba(0, 0, 0, 0)"===window.getComputedStyle(e).getPropertyValue("background-color")||"transparent"===window.getComputedStyle(e).getPropertyValue("background-color");){if("HTML"===e.tagName)return;e.parentElement&&(e=e.parentElement)}return window.getComputedStyle(e).getPropertyValue("background-color")}},t.defaultProps={stickyPosition:Pu.Both,isScrollSynced:!0},t.contextType=cc,t}(c.Component);function Wu(e,t){return e&&t&&e.current&&t.current&&e.current.offsetHeight!==t.current.offsetHeight}var Vu=o(9502),Ku=o(8621),qu=o(3624),Gu=o(1565),Uu=(0,D.y)(),ju=c.forwardRef((function(e,t){var o,n,r,i,a,s=c.useRef(null),u=(0,j.ky)(),d=(0,N.r)(s,t),p=e.illustrationImage,m=e.primaryButtonProps,h=e.secondaryButtonProps,g=e.headline,f=e.hasCondensedHeadline,v=e.hasCloseButton,b=void 0===v?e.hasCloseIcon:v,y=e.onDismiss,_=e.closeButtonAriaLabel,C=e.hasSmallHeadline,S=e.isWide,x=e.styles,k=e.theme,w=e.ariaDescribedBy,I=e.ariaLabelledBy,D=e.footerContent,T=e.focusTrapZoneProps,E=Uu(x,{theme:k,hasCondensedHeadline:f,hasSmallHeadline:C,hasCloseButton:b,hasHeadline:!!g,isWide:S,primaryButtonClassName:m?m.className:void 0,secondaryButtonClassName:h?h.className:void 0}),P=c.useCallback((function(e){y&&e.which===rt.m.escape&&y(e)}),[y]);if((0,U.d)(u,"keydown",P),p&&p.src&&(o=c.createElement("div",{className:E.imageContent},c.createElement(Ti.E,(0,l.pi)({},p)))),g){var M="string"==typeof g?"p":"div";n=c.createElement("div",{className:E.header},c.createElement(M,{role:"heading",className:E.headline,id:I},g))}if(e.children){var R="string"==typeof e.children?"p":"div";r=c.createElement("div",{className:E.body},c.createElement(R,{className:E.subText,id:w},e.children))}return(m||h||D)&&(i=c.createElement(Hu,{className:E.footer,horizontal:!0,horizontalAlign:D?"space-between":"end"},c.createElement(Hu.Item,{align:"center"},c.createElement("span",null,D)),c.createElement(Hu.Item,null,h&&c.createElement(ye.a,(0,l.pi)({},h,{className:E.secondaryButton})),m&&c.createElement(Se.K,(0,l.pi)({},m,{className:E.primaryButton}))))),b&&(a=c.createElement(V.h,{className:E.closeButton,iconProps:{iconName:"Cancel"},title:_,ariaLabel:_,onClick:y})),function(e,t){c.useImperativeHandle(e,(function(){return{focus:function(){var e;return null===(e=t.current)||void 0===e?void 0:e.focus()}}}),[t])}(e.componentRef,s),c.createElement("div",{className:E.content,ref:d,role:"dialog",tabIndex:-1,"aria-labelledby":I,"aria-describedby":w,"data-is-focusable":!0},o,c.createElement(Oe.P,(0,l.pi)({isClickableOutsideFocusTrap:!0},T),c.createElement("div",{className:E.bodyContent},n,r,i,a)))})),Ju={root:"ms-TeachingBubble",body:"ms-TeachingBubble-body",bodyContent:"ms-TeachingBubble-bodycontent",closeButton:"ms-TeachingBubble-closebutton",content:"ms-TeachingBubble-content",footer:"ms-TeachingBubble-footer",header:"ms-TeachingBubble-header",headerIsCondensed:"ms-TeachingBubble-header--condensed",headerIsSmall:"ms-TeachingBubble-header--small",headerIsLarge:"ms-TeachingBubble-header--large",headline:"ms-TeachingBubble-headline",image:"ms-TeachingBubble-image",primaryButton:"ms-TeachingBubble-primaryButton",secondaryButton:"ms-TeachingBubble-secondaryButton",subText:"ms-TeachingBubble-subText",button:"ms-Button",buttonLabel:"ms-Button-label"},Yu=(0,d.NF)((function(){return(0,u.F4)({"0%":{opacity:0,animationTimingFunction:u.D1.easeFunction1,transform:"scale3d(.90,.90,.90)"},"100%":{opacity:1,transform:"scale3d(1,1,1)"}})})),Zu=function(e,t){var o=t||{},n=o.calloutWidth,r=o.calloutMaxWidth;return[{display:"block",maxWidth:364,border:0,outline:"transparent",width:n||"calc(100% + 1px)",animationName:""+Yu(),animationDuration:"300ms",animationTimingFunction:"linear",animationFillMode:"both"},e&&{maxWidth:r||456}]},Xu=function(e,t,o){return t?[e.headerIsCondensed,{marginBottom:14}]:[o&&e.headerIsSmall,!o&&e.headerIsLarge,{selectors:{":not(:last-child)":{marginBottom:14}}}]},Qu=function(e){var t,o,n,r=e.hasCondensedHeadline,i=e.hasSmallHeadline,a=e.hasCloseButton,s=e.hasHeadline,c=e.isWide,d=e.primaryButtonClassName,p=e.secondaryButtonClassName,m=e.theme,h=e.calloutProps,g=void 0===h?{className:void 0,theme:m}:h,f=!r&&!i,v=m.palette,b=m.semanticColors,y=m.fonts,_=(0,u.Cn)(Ju,m);return{root:[_.root,y.medium,g.className],body:[_.body,a&&!s&&{marginRight:24},{selectors:{":not(:last-child)":{marginBottom:20}}}],bodyContent:[_.bodyContent,{padding:"20px 24px 20px 24px"}],closeButton:[_.closeButton,{position:"absolute",right:0,top:0,margin:"15px 15px 0 0",borderRadius:0,color:v.white,fontSize:y.small.fontSize,selectors:{":hover":{background:v.themeDarkAlt,color:v.white},":active":{background:v.themeDark,color:v.white},":focus":{border:"1px solid "+b.variantBorder}}}],content:(0,l.pr)([_.content],Zu(c),[c&&{display:"flex"}]),footer:[_.footer,{display:"flex",flex:"auto",alignItems:"center",color:v.white,selectors:(t={},t["."+_.button+":not(:first-child)"]={marginLeft:10},t)}],header:(0,l.pr)([_.header],Xu(_,r,i),[a&&{marginRight:24},(r||i)&&[y.medium,{fontWeight:u.lq.semibold}]]),headline:[_.headline,{margin:0,color:v.white,fontWeight:u.lq.semibold},f&&[{fontSize:y.xLarge.fontSize}]],imageContent:[_.header,_.image,c&&{display:"flex",alignItems:"center",maxWidth:154}],primaryButton:[_.primaryButton,d,{backgroundColor:v.white,borderColor:v.white,color:v.themePrimary,whiteSpace:"nowrap",selectors:(o={},o["."+_.buttonLabel]=y.medium,o[":hover"]={backgroundColor:v.themeLighter,borderColor:v.themeLighter,color:v.themePrimary},o[":focus"]={backgroundColor:v.themeLighter,borderColor:v.white},o[":active"]={backgroundColor:v.white,borderColor:v.white,color:v.themePrimary},o)}],secondaryButton:[_.secondaryButton,p,{backgroundColor:v.themePrimary,borderColor:v.white,whiteSpace:"nowrap",selectors:(n={},n["."+_.buttonLabel]=[y.medium,{color:v.white}],n["&:hover, &:focus"]={backgroundColor:v.themeDarkAlt,borderColor:v.white},n[":active"]={backgroundColor:v.themePrimary,borderColor:v.white},n)}],subText:[_.subText,{margin:0,fontSize:y.medium.fontSize,color:v.white,fontWeight:u.lq.regular}],subComponentStyles:{callout:{root:(0,l.pr)(Zu(c,g),[y.medium]),beak:[{background:v.themePrimary}],calloutMain:[{background:v.themePrimary}]}}}},$u=(0,I.z)(ju,Qu,void 0,{scope:"TeachingBubbleContent"}),ed={beakWidth:16,gapSpace:0,setInitialFocus:!0,doNotLayer:!1,directionalHint:K.b.rightCenter},td=(0,D.y)(),od=c.forwardRef((function(e,t){var o=c.useRef(null),n=(0,N.r)(o,t),r=e.calloutProps,i=e.targetElement,a=e.onDismiss,s=e.hasCloseButton,u=void 0===s?e.hasCloseIcon:s,d=e.isWide,p=e.styles,m=e.theme,h=e.target,g=c.useMemo((function(){return(0,l.pi)((0,l.pi)((0,l.pi)({},ed),r),{theme:m})}),[r,m]),f=td(p,{theme:m,isWide:d,calloutProps:g,hasCloseButton:u}),v=f.subComponentStyles?f.subComponentStyles.callout:void 0;return function(e,t){c.useImperativeHandle(e,(function(){return{focus:function(){var e;return null===(e=t.current)||void 0===e?void 0:e.focus()}}}),[t])}(e.componentRef,o),c.createElement(Ae.U,(0,l.pi)({target:h||i,onDismiss:a},g,{className:f.root,styles:v,hideOverflow:!0}),c.createElement("div",{ref:n},c.createElement($u,(0,l.pi)({},e))))}));od.displayName="TeachingBubble";var nd=(0,I.z)(od,Qu,void 0,{scope:"TeachingBubble"}),rd=function(e){if(null==e.children)return null;e.block,e.className;var t=e.as,o=void 0===t?"span":t,n=(e.variant,e.nowrap,(0,l._T)(e,["block","className","as","variant","nowrap"]));return Cu(ku(e,{root:o}).root,(0,l.pi)({},(0,E.pq)(n,E.iY)))},id=function(e,t){var o=e.as,n=e.className,r=e.block,i=e.nowrap,a=e.variant,s=t.fonts,l=t.semanticColors,c=s[a||"medium"];return{root:[c,{color:c.color||l.bodyText,display:r?"td"===o?"table-cell":"block":"inline",mozOsxFontSmoothing:c.MozOsxFontSmoothing,webkitFontSmoothing:c.WebkitFontSmoothing},i&&{whiteSpace:"nowrap",overflow:"hidden",textOverflow:"ellipsis"},n]}},ad=Tu(rd,{displayName:"Text",styles:id}),sd=o(8623),ld=o(5229),cd={9:/[0-9]/,a:/[a-zA-Z]/,"*":/[a-zA-Z0-9]/};function ud(e,t){if(void 0===t&&(t=cd),!e)return[];for(var o=[],n=0,r=0;r+n0&&(r=t[0].displayIndex-1);for(var i=0,a=t;ir&&(r=s.displayIndex)):o&&(l=o),n=n.slice(0,s.displayIndex)+l+n.slice(s.displayIndex+1)}return o||(n=n.slice(0,r+1)),n}function pd(e,t){for(var o=0;o=t)return e[o].displayIndex;return e[e.length-1].displayIndex}function md(e,t,o){for(var n=0;n=t){if(e[n].displayIndex>=t+o)break;e[n].value=void 0}return e}function hd(e,t,o){for(var n=0,r=0,i=!1,a=0;a=t)for(i=!0,r=e[a].displayIndex;n=t){e[o].value=void 0;break}return e}(y.maskCharData,s),r=pd(y.maskCharData,s)):(y.maskCharData=function(e,t){for(var o=e.length-1;o>=0;o--)if(e[o].displayIndex=0;o--)if(e[o].displayIndexk.length){p=l-(d=t.length-k.length);var v=t.substr(p,d);r=hd(y.maskCharData,p,v)}else if(t.length<=k.length){d=1;var b=k.length+d-t.length;p=l-d,v=t.substr(p,d),y.maskCharData=md(y.maskCharData,p,b),r=hd(y.maskCharData,p,v)}y.changeSelectionData=null;var _=dd(m,y.maskCharData,g);w(_),S(r),null===(n=u)||void 0===n||n(e,_)}}),[k.length,y,m,g,u]),R=c.useCallback((function(e){var t;if(null===(t=p)||void 0===t||t(e),y.changeSelectionData=null,o.current&&o.current.value){var n=e.keyCode,r=e.ctrlKey,i=e.metaKey;if(r||i)return;if(n===rt.m.backspace||n===rt.m.del){var a=e.target.selectionStart,s=e.target.selectionEnd;if(!(n===rt.m.backspace&&s&&s>0||n===rt.m.del&&null!==a&&a{"use strict";o.d(t,{_:()=>m});var n=o(2002),r=o(7622),i=o(7002),a=o(7300),s=o(8127),l=o(2470),c=o(2998),u=o(4085),d=(0,a.y)(),p=i.forwardRef((function(e,t){var o=(0,u.M)(void 0,e.id),n=e.items,a=e.columnCount,p=e.onRenderItem,m=e.ariaPosInSet,h=void 0===m?e.positionInSet:m,g=e.ariaSetSize,f=void 0===g?e.setSize:g,v=e.styles,b=e.doNotContainWithinFocusZone,y=(0,s.pq)(e,s.iY,b?[]:["onBlur"]),_=d(v,{theme:e.theme}),C=(0,l.QC)(n,a),S=i.createElement("table",(0,r.pi)({"aria-posinset":h,"aria-setsize":f,id:o,role:"grid"},y,{className:_.root}),i.createElement("tbody",null,C.map((function(e,t){return i.createElement("tr",{role:"row",key:t},e.map((function(e,t){return i.createElement("td",{role:"presentation",key:t+"-cell",className:_.tableCell},p(e,t))})))}))));return b?S:i.createElement(c.k,{elementRef:t,isCircularNavigation:e.shouldFocusCircularNavigate,className:_.focusedContainer,onBlur:e.onBlur},S)})),m=(0,n.z)(p,(function(e){return{root:{padding:2,outline:"none"},tableCell:{padding:0}}}));m.displayName="ButtonGrid"},634:(e,t,o)=>{"use strict";o.d(t,{U:()=>s});var n=o(7002),r=o(8088),i=o(990),a=o(4085),s=function(e){var t,o=(0,a.M)("gridCell"),s=e.item,l=e.id,c=void 0===l?o:l,u=e.className,d=e.role,p=e.selected,m=e.disabled,h=void 0!==m&&m,g=e.onRenderItem,f=e.cellDisabledStyle,v=e.cellIsSelectedStyle,b=e.index,y=e.label,_=e.getClassNames,C=e.onClick,S=e.onHover,x=e.onMouseMove,k=e.onMouseLeave,w=e.onMouseEnter,I=e.onFocus,D=n.useCallback((function(){C&&!h&&C(s)}),[h,s,C]),T=n.useCallback((function(e){w&&w(e)||!S||h||S(s)}),[h,s,S,w]),E=n.useCallback((function(e){x&&x(e)||!S||h||S(s)}),[h,s,S,x]),P=n.useCallback((function(e){k&&k(e)||!S||h||S()}),[h,S,k]),M=n.useCallback((function(){I&&!h&&I(s)}),[h,s,I]);return n.createElement(i.M,{id:c,"data-index":b,"data-is-focusable":!0,disabled:h,className:(0,r.i)(u,(t={},t[""+v]=p,t[""+f]=h,t)),onClick:D,onMouseEnter:T,onMouseMove:E,onMouseLeave:P,onFocus:M,role:d,"aria-selected":p,ariaLabel:y,title:y,getClassNames:_},g(s))}},7970:(e,t,o)=>{"use strict";o.d(t,{a:()=>r});var n=o(21);function r(e,t,o,r,i){return r===n.c5||"number"!=typeof r?"#"+i:"rgba("+e+", "+t+", "+o+", "+r/n.c5+")"}},1342:(e,t,o)=>{"use strict";function n(e,t,o){return void 0===o&&(o=0),et?t:e}o.d(t,{u:()=>n})},21:(e,t,o)=>{"use strict";o.d(t,{fr:()=>n,a_:()=>r,uw:()=>i,uc:()=>a,WC:()=>s,c5:()=>l,yE:()=>c,fG:()=>u,HT:()=>d,jU:()=>p,lX:()=>m,Xb:()=>h});var n=100,r=359,i=100,a=255,s=a,l=100,c=3,u=6,d=1,p=3,m=/^[\da-f]{0,6}$/i,h=/^\d{0,3}$/},5298:(e,t,o)=>{"use strict";o.d(t,{L:()=>r});var n=o(21);function r(e){return!e||e.length=n.fG?e.substring(0,n.fG):e.substring(0,n.yE)}},2775:(e,t,o)=>{"use strict";o.d(t,{k:()=>i});var n=o(21),r=o(1342);function i(e){return{r:(0,r.u)(e.r,n.uc),g:(0,r.u)(e.g,n.uc),b:(0,r.u)(e.b,n.uc),a:"number"==typeof e.a?(0,r.u)(e.a,n.c5):e.a}}},8584:(e,t,o)=>{"use strict";o.d(t,{r:()=>i});var n=o(21),r=o(5194);function i(e){if(e)return a(e)||function(e){if("#"===e[0]&&7===e.length&&/^#[\da-fA-F]{6}$/.test(e))return{r:parseInt(e.slice(1,3),16),g:parseInt(e.slice(3,5),16),b:parseInt(e.slice(5,7),16),a:n.c5}}(e)||function(e){if("#"===e[0]&&4===e.length&&/^#[\da-fA-F]{3}$/.test(e))return{r:parseInt(e[1]+e[1],16),g:parseInt(e[2]+e[2],16),b:parseInt(e[3]+e[3],16),a:n.c5}}(e)||function(e){var t=e.match(/^hsl(a?)\(([\d., ]+)\)$/);if(t){var o=!!t[1],i=o?4:3,a=t[2].split(/ *, */).map(Number);if(a.length===i){var s=(0,r.w)(a[0],a[1],a[2]);return s.a=o?100*a[3]:n.c5,s}}}(e)||function(e){if("undefined"!=typeof document){var t=document.createElement("div");t.style.backgroundColor=e,t.style.position="absolute",t.style.top="-9999px",t.style.left="-9999px",t.style.height="1px",t.style.width="1px",document.body.appendChild(t);var o=getComputedStyle(t),n=o&&o.backgroundColor;if(document.body.removeChild(t),"rgba(0, 0, 0, 0)"!==n&&"transparent"!==n)return a(n);switch(e.trim()){case"transparent":case"#0000":case"#00000000":return{r:0,g:0,b:0,a:0}}}}(e)}function a(e){if(e){var t=e.match(/^rgb(a?)\(([\d., ]+)\)$/);if(t){var o=!!t[1],r=o?4:3,i=t[2].split(/ *, */).map(Number);if(i.length===r)return{r:i[0],g:i[1],b:i[2],a:o?100*i[3]:n.c5}}}}},8208:(e,t,o)=>{"use strict";o.d(t,{N:()=>s});var n=o(21),r=o(5772),i=o(5705),a=o(7970);function s(e){var t=e.a,o=void 0===t?n.c5:t,s=e.b,l=e.g,c=e.r,u=(0,r.D)(c,l,s),d=u.h,p=u.s,m=u.v,h=(0,i.C)(c,l,s);return{a:o,b:s,g:l,h:d,hex:h,r:c,s:p,str:(0,a.a)(c,l,s,o,h),v:m,t:n.c5-o}}},7375:(e,t,o)=>{"use strict";o.d(t,{T:()=>a});var n=o(7622),r=o(8584),i=o(8208);function a(e){var t=(0,r.r)(e);if(t)return(0,n.pi)((0,n.pi)({},(0,i.N)(t)),{str:e})}},2417:(e,t,o)=>{"use strict";o.d(t,{p:()=>i});var n=o(21),r=o(3770);function i(e){return"#"+(0,r.d)(e.h,n.fr,n.uw)}},5040:(e,t,o)=>{"use strict";function n(e,t,o){var n=o+(t*=(o<50?o:100-o)/100);return{h:e,s:0===n?0:2*t/n*100,v:n}}o.d(t,{E:()=>n})},5194:(e,t,o)=>{"use strict";o.d(t,{w:()=>i});var n=o(5040),r=o(9865);function i(e,t,o){var i=(0,n.E)(e,t,o);return(0,r.X)(i.h,i.s,i.v)}},3770:(e,t,o)=>{"use strict";o.d(t,{d:()=>i});var n=o(9865),r=o(5705);function i(e,t,o){var i=(0,n.X)(e,t,o),a=i.r,s=i.g,l=i.b;return(0,r.C)(a,s,l)}},9865:(e,t,o)=>{"use strict";o.d(t,{X:()=>r});var n=o(21);function r(e,t,o){var r=[],i=(o/=100)*(t/=100),a=e/60,s=i*(1-Math.abs(a%2-1)),l=o-i;switch(Math.floor(a)){case 0:r=[i,s,0];break;case 1:r=[s,i,0];break;case 2:r=[0,i,s];break;case 3:r=[0,s,i];break;case 4:r=[s,0,i];break;case 5:r=[i,0,s]}return{r:Math.round(n.uc*(r[0]+l)),g:Math.round(n.uc*(r[1]+l)),b:Math.round(n.uc*(r[2]+l))}}},5705:(e,t,o)=>{"use strict";o.d(t,{C:()=>i});var n=o(21),r=o(1342);function i(e,t,o){return[a(e),a(t),a(o)].join("")}function a(e){var t=(e=(0,r.u)(e,n.uc)).toString(16);return 1===t.length?"0"+t:t}},5772:(e,t,o)=>{"use strict";o.d(t,{D:()=>r});var n=o(21);function r(e,t,o){var r=NaN,i=Math.max(e,t,o),a=i-Math.min(e,t,o);return 0===a?r=0:e===i?r=(t-o)/a%6:t===i?r=(o-e)/a+2:o===i&&(r=(e-t)/a+4),(r=Math.round(60*r))<0&&(r+=360),{h:r,s:Math.round(100*(0===i?0:a/i)),v:Math.round(i/n.uc*100)}}},8490:(e,t,o)=>{"use strict";o.d(t,{R:()=>a});var n=o(7622),r=o(7970),i=o(21);function a(e,t){return(0,n.pi)((0,n.pi)({},e),{a:t,t:i.c5-t,str:(0,r.a)(e.r,e.g,e.b,t,e.hex)})}},1990:(e,t,o)=>{"use strict";o.d(t,{i:()=>s});var n=o(7622),r=o(9865),i=o(5705),a=o(7970);function s(e,t){var o=(0,r.X)(t,e.s,e.v),s=o.r,l=o.g,c=o.b,u=(0,i.C)(s,l,c);return(0,n.pi)((0,n.pi)({},e),{h:t,r:s,g:l,b:c,hex:u,str:(0,a.a)(s,l,c,e.a,u)})}},6119:(e,t,o)=>{"use strict";o.d(t,{d:()=>s});var n=o(7622),r=o(9865),i=o(5705),a=o(7970);function s(e,t,o){var s=(0,r.X)(e.h,t,o),l=s.r,c=s.g,u=s.b,d=(0,i.C)(l,c,u);return(0,n.pi)((0,n.pi)({},e),{s:t,v:o,r:l,g:c,b:u,hex:d,str:(0,a.a)(l,c,u,e.a,d)})}},1332:(e,t,o)=>{"use strict";o.d(t,{X:()=>a});var n=o(7622),r=o(7970),i=o(21);function a(e,t){var o=i.c5-t;return(0,n.pi)((0,n.pi)({},e),{t,a:o,str:(0,r.a)(e.r,e.g,e.b,o,e.hex)})}},2240:(e,t,o)=>{"use strict";function n(e){return e.canCheck?!(!e.isChecked&&!e.checked):"boolean"==typeof e.isChecked?e.isChecked:"boolean"==typeof e.checked?e.checked:null}function r(e){return!(!e.subMenuProps&&!e.items)}function i(e){return!(!e.isDisabled&&!e.disabled)}function a(e){return null!==n(e)?"menuitemcheckbox":"menuitem"}o.d(t,{E3:()=>n,Df:()=>r,P_:()=>i,JF:()=>a})},1071:(e,t,o)=>{"use strict";o.d(t,{P:()=>a});var n=o(7622),r=o(7002),i=o(4542),a=function(e){function t(t){var o=e.call(this,t)||this;return o._updateComposedComponentRef=o._updateComposedComponentRef.bind(o),o}return(0,n.ZT)(t,e),t.prototype._updateComposedComponentRef=function(e){this._composedComponentInstance=e,e?this._hoisted=(0,i.W)(this,e):this._hoisted&&(0,i.e)(this,this._hoisted)},t}(r.Component)},9761:(e,t,o)=>{"use strict";o.d(t,{eD:()=>n,kd:()=>h,LF:()=>g,K7:()=>f,Ae:()=>v,tc:()=>b});var n,r=o(7622),i=o(7002),a=o(1071),s=o(9757),l=o(9919),c=o(1529),u=o(8901);!function(e){e[e.small=0]="small",e[e.medium=1]="medium",e[e.large=2]="large",e[e.xLarge=3]="xLarge",e[e.xxLarge=4]="xxLarge",e[e.xxxLarge=5]="xxxLarge",e[e.unknown=999]="unknown"}(n||(n={}));var d,p,m=[479,639,1023,1365,1919,99999999];function h(e){d=e}function g(e){var t=(0,s.J)(e);t&&b(t)}function f(){return d||p||n.large}function v(e){var t,o=((t=function(t){function o(e){var o=t.call(this,e)||this;return o._onResize=function(){var e=b(o.context.window);e!==o.state.responsiveMode&&o.setState({responsiveMode:e})},o._events=new l.r(o),o._updateComposedComponentRef=o._updateComposedComponentRef.bind(o),o.state={responsiveMode:f()},o}return(0,r.ZT)(o,t),o.prototype.componentDidMount=function(){this._events.on(this.context.window,"resize",this._onResize),this._onResize()},o.prototype.componentWillUnmount=function(){this._events.dispose()},o.prototype.render=function(){var t=this.state.responsiveMode;return t===n.unknown?null:i.createElement(e,(0,r.pi)({ref:this._updateComposedComponentRef,responsiveMode:t},this.props))},o}(a.P)).contextType=u.Hn,t);return(0,c.f)(e,o)}function b(e){var t=n.small;if(e){try{for(;e.innerWidth>m[t];)t++}catch(e){t=f()}p=t}else{if(void 0===d)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.");t=d}return t}},4126:(e,t,o)=>{"use strict";o.d(t,{q:()=>l});var n=o(7002),r=o(9757),i=o(757),a=o(9761),s=o(8901),l=function(e){var t=n.useState(a.K7),o=t[0],l=t[1],c=n.useCallback((function(){var t=(0,a.tc)((0,r.J)(e.current));o!==t&&l(t)}),[e,o]),u=(0,s.zY)();return(0,i.d)(u,"resize",c),n.useEffect((function(){c()}),[]),o}},8128:(e,t,o)=>{"use strict";o.d(t,{ww:()=>r,by:()=>i,L7:()=>a,fV:()=>s,ms:()=>l,A4:()=>c,nK:()=>u,Tc:()=>d,Tj:()=>n});var n,r="ktp",i="-",a=r+i,s="data-ktp-target",l="data-ktp-execute-target",c="data-ktp-aria-target",u="ktp-layer-id",d=", ";!function(e){e.KEYTIP_ADDED="keytipAdded",e.KEYTIP_REMOVED="keytipRemoved",e.KEYTIP_UPDATED="keytipUpdated",e.PERSISTED_KEYTIP_ADDED="persistedKeytipAdded",e.PERSISTED_KEYTIP_REMOVED="persistedKeytipRemoved",e.PERSISTED_KEYTIP_EXECUTE="persistedKeytipExecute",e.ENTER_KEYTIP_MODE="enterKeytipMode",e.EXIT_KEYTIP_MODE="exitKeytipMode"}(n||(n={}))},344:(e,t,o)=>{"use strict";o.d(t,{K:()=>s});var n=o(7622),r=o(9919),i=o(2782),a=o(8128),s=function(){function e(){this.keytips={},this.persistedKeytips={},this.sequenceMapping={},this.inKeytipMode=!1,this.shouldEnterKeytipMode=!0,this.delayUpdatingKeytipChange=!1}return e.getInstance=function(){return this._instance},e.prototype.init=function(e){this.delayUpdatingKeytipChange=e},e.prototype.register=function(e,t){void 0===t&&(t=!1);var o=e;t||(o=this.addParentOverflow(e),this.sequenceMapping[o.keySequences.toString()]=o);var n=this._getUniqueKtp(o);if(t?this.persistedKeytips[n.uniqueID]=n:this.keytips[n.uniqueID]=n,this.inKeytipMode||!this.delayUpdatingKeytipChange){var i=t?a.Tj.PERSISTED_KEYTIP_ADDED:a.Tj.KEYTIP_ADDED;r.r.raise(this,i,{keytip:o,uniqueID:n.uniqueID})}return n.uniqueID},e.prototype.update=function(e,t){var o=this.addParentOverflow(e),n=this._getUniqueKtp(o,t),i=this.keytips[t];i&&(n.keytip.visible=i.keytip.visible,this.keytips[t]=n,delete this.sequenceMapping[i.keytip.keySequences.toString()],this.sequenceMapping[n.keytip.keySequences.toString()]=n.keytip,!this.inKeytipMode&&this.delayUpdatingKeytipChange||r.r.raise(this,a.Tj.KEYTIP_UPDATED,{keytip:n.keytip,uniqueID:n.uniqueID}))},e.prototype.unregister=function(e,t,o){void 0===o&&(o=!1),o?delete this.persistedKeytips[t]:delete this.keytips[t],!o&&delete this.sequenceMapping[e.keySequences.toString()];var n=o?a.Tj.PERSISTED_KEYTIP_REMOVED:a.Tj.KEYTIP_REMOVED;!this.inKeytipMode&&this.delayUpdatingKeytipChange||r.r.raise(this,n,{keytip:e,uniqueID:t})},e.prototype.enterKeytipMode=function(){r.r.raise(this,a.Tj.ENTER_KEYTIP_MODE)},e.prototype.exitKeytipMode=function(){r.r.raise(this,a.Tj.EXIT_KEYTIP_MODE)},e.prototype.getKeytips=function(){var e=this;return Object.keys(this.keytips).map((function(t){return e.keytips[t].keytip}))},e.prototype.addParentOverflow=function(e){var t=(0,n.pr)(e.keySequences);if(t.pop(),0!==t.length){var o=this.sequenceMapping[t.toString()];if(o&&o.overflowSetSequence)return(0,n.pi)((0,n.pi)({},e),{overflowSetSequence:o.overflowSetSequence})}return e},e.prototype.menuExecute=function(e,t){r.r.raise(this,a.Tj.PERSISTED_KEYTIP_EXECUTE,{overflowButtonSequences:e,keytipSequences:t})},e.prototype._getUniqueKtp=function(e,t){return void 0===t&&(t=(0,i.z)()),{keytip:(0,n.pi)({},e),uniqueID:t}},e._instance=new e,e}()},5325:(e,t,o)=>{"use strict";o.d(t,{aB:()=>a,a1:()=>s,eX:()=>l,_l:()=>c,w7:()=>u});var n=o(7622),r=o(8128),i=o(2470);function a(e){return e.reduce((function(e,t){return e+r.by+t.split("").join(r.by)}),r.ww)}function s(e,t){var o=t.length,r=(0,n.pr)(t).pop(),a=(0,n.pr)(e);return(0,i.OA)(a,o-1,r)}function l(e){return"["+r.fV+'="'+a(e)+'"]'}function c(e){return"["+r.ms+'="'+e+'"]'}function u(e){var t=" "+r.nK;return e.length?t+" "+a(e):t}},6591:(e,t,o)=>{"use strict";o.d(t,{p$:()=>F,c5:()=>L,Su:()=>A,DC:()=>z,bv:()=>H,qE:()=>O});var n,r=o(7622),i=o(6628),a=o(5951),s=o(4948),l=o(4568),c=o(4884);function u(e,t,o){return{targetEdge:e,alignmentEdge:t,isAuto:o}}var d=((n={})[i.b.topLeftEdge]=u(l.z.top,l.z.left),n[i.b.topCenter]=u(l.z.top),n[i.b.topRightEdge]=u(l.z.top,l.z.right),n[i.b.topAutoEdge]=u(l.z.top,void 0,!0),n[i.b.bottomLeftEdge]=u(l.z.bottom,l.z.left),n[i.b.bottomCenter]=u(l.z.bottom),n[i.b.bottomRightEdge]=u(l.z.bottom,l.z.right),n[i.b.bottomAutoEdge]=u(l.z.bottom,void 0,!0),n[i.b.leftTopEdge]=u(l.z.left,l.z.top),n[i.b.leftCenter]=u(l.z.left),n[i.b.leftBottomEdge]=u(l.z.left,l.z.bottom),n[i.b.rightTopEdge]=u(l.z.right,l.z.top),n[i.b.rightCenter]=u(l.z.right),n[i.b.rightBottomEdge]=u(l.z.right,l.z.bottom),n);function p(e,t){return!(e.topt.bottom||e.leftt.right)}function m(e,t){var o=[];return e.topt.bottom&&o.push(l.z.bottom),e.leftt.right&&o.push(l.z.right),o}function h(e,t){return e[l.z[t]]}function g(e,t,o){return e[l.z[t]]=o,e}function f(e,t){var o=I(t);return(h(e,o.positiveEdge)+h(e,o.negativeEdge))/2}function v(e,t){return e>0?t:-1*t}function b(e,t){return v(e,h(t,e))}function y(e,t,o){return v(o,h(e,o)-h(t,o))}function _(e,t,o){var n=h(e,t)-o;return e=g(e,t,o),g(e,-1*t,h(e,-1*t)-n)}function C(e,t,o,n){return void 0===n&&(n=0),_(e,o,h(t,o)+v(o,n))}function S(e,t,o){return b(o,e)>b(o,t)}function x(e,t,o){for(var n=0,r=e;nMath.abs(y(e,o,-1*t))?-1*t:t}function T(e,t,o){var n=f(t,e),r=f(o,e),i=I(e),a=i.positiveEdge,s=i.negativeEdge;return n<=r?a:s}function E(e,t,o,n,r,i,s){var c=w(e,t,n,r,s);return p(c,o)?{elementRectangle:c,targetEdge:n.targetEdge,alignmentEdge:n.alignmentEdge}:function(e,t,o,n,r,i,s){void 0===r&&(r=0);var c=n.alignmentEdge,u=n.alignTargetEdge,d={elementRectangle:e,targetEdge:n.targetEdge,alignmentEdge:c};i||s||(d=function(e,t,o,n,r){void 0===r&&(r=0);var i=[l.z.left,l.z.right,l.z.bottom,l.z.top];(0,a.zg)()&&(i[0]*=-1,i[1]*=-1);for(var s=e,c=n.targetEdge,u=n.alignmentEdge,d=0;d<4;d++){if(S(s,o,c))return{elementRectangle:s,targetEdge:c,alignmentEdge:u};i.splice(i.indexOf(c),1),i.length>0&&(i.indexOf(-1*c)>-1?c*=-1:(u=c,c=i.slice(-1)[0]),s=w(e,t,{targetEdge:c,alignmentEdge:u},r))}return{elementRectangle:e,targetEdge:n.targetEdge,alignmentEdge:n.alignmentEdge}}(e,t,o,n,r));var h=m(e,o);if(u){if(d.alignmentEdge&&h.indexOf(-1*d.alignmentEdge)>-1){var g=function(e,t,o,n){var r=e.alignmentEdge,i=e.targetEdge,a=-1*r;return{elementRectangle:w(e.elementRectangle,t,{targetEdge:i,alignmentEdge:a},o,n),targetEdge:i,alignmentEdge:a}}(d,t,r,s);if(p(g.elementRectangle,o))return g;d=x(m(g.elementRectangle,o),d,o)}}else d=x(h,d,o);return d}(e,t,o,n,r,i,s)}function P(e){var t=e.getBoundingClientRect();return new c.A(t.left,t.right,t.top,t.bottom)}function M(e){return new c.A(e.left,e.right,e.top,e.bottom)}function R(e,t,o,n){var s=e.gapSpace?e.gapSpace:0,u=function(e,t){var o;if(t){if(t.preventDefault){var n=t;o=new c.A(n.clientX,n.clientX,n.clientY,n.clientY)}else if(t.getBoundingClientRect)o=P(t);else{var r=t,i=r.left||r.x,a=r.top||r.y,s=r.right||i,u=r.bottom||a;o=new c.A(i,s,a,u)}if(!p(o,e))for(var d=0,h=m(o,e);d0?i:n.height}(i.stopPropagation?new c.A(i.clientX,i.clientX,i.clientY,i.clientY):void 0!==m&&void 0!==g?new c.A(m,f,g,v):P(a),t,o,p,r)}function H(e){return-1*e}function O(e,t){return function(e,t){var o=void 0;if(t.getWindowSegments&&(o=t.getWindowSegments()),void 0===o||o.length<=1)return{top:0,left:0,right:t.innerWidth,bottom:t.innerHeight,width:t.innerWidth,height:t.innerHeight};var n=0,r=0;if(null!==e&&e.getBoundingClientRect){var i=e.getBoundingClientRect();n=(i.left+i.right)/2,r=(i.top+i.bottom)/2}else null!==e&&(n=e.left||e.x,r=e.top||e.y);for(var a={top:0,left:0,right:0,bottom:0,width:0,height:0},s=0,l=o;s=n&&r&&c.top<=r&&c.bottom>=r&&(a={top:c.top,left:c.left,right:c.right,bottom:c.bottom,width:c.width,height:c.height})}return a}(e,t)}},4568:(e,t,o)=>{"use strict";var n,r;o.d(t,{z:()=>n,L:()=>r}),function(e){e[e.top=1]="top",e[e.bottom=-1]="bottom",e[e.left=2]="left",e[e.right=-2]="right"}(n||(n={})),function(e){e[e.top=0]="top",e[e.bottom=1]="bottom",e[e.start=2]="start",e[e.end=3]="end"}(r||(r={}))},5515:(e,t,o)=>{"use strict";function n(e,t){for(var o=[],n=0,r=t;nn})},2703:(e,t,o)=>{"use strict";var n;o.d(t,{F:()=>n}),function(e){e[e.Normal=0]="Normal",e[e.Divider=1]="Divider",e[e.Header=2]="Header"}(n||(n={}))},4449:(e,t,o)=>{"use strict";o.d(t,{i:()=>S});var n=o(7622),r=o(7002),i=o(3345),a=o(6840),s=o(8145),l=o(9919),c=o(2167),u=o(688),d=o(9757),p=o(8088),m=o(5480),h=o(4948),g=o(5446),f=o(4553),v=o(5238),b="data-selection-index",y="data-selection-toggle",_="data-selection-invoke",C="data-selection-all-toggle",S=function(e){function t(t){var o=e.call(this,t)||this;o._root=r.createRef(),o.ignoreNextFocus=function(){o._handleNextFocus(!1)},o._onSelectionChange=function(){var e=o.props.selection,t=e.isModal&&e.isModal();o.setState({isModal:t})},o._onMouseDownCapture=function(e){var t=e.target;if(document.activeElement===t||(0,i.t)(document.activeElement,t)){if((0,i.t)(t,o._root.current))for(;t!==o._root.current;){if(o._hasAttribute(t,_)){o.ignoreNextFocus();break}t=(0,a.G)(t)}}else o.ignoreNextFocus()},o._onFocus=function(e){var t=e.target,n=o.props.selection,r=o._isCtrlPressed||o._isMetaPressed,i=o._getSelectionMode();if(o._shouldHandleFocus&&i!==v.oW.none){var a=o._hasAttribute(t,y),s=o._findItemRoot(t);if(!a&&s){var l=o._getItemIndex(s);r?(n.setIndexSelected(l,n.isIndexSelected(l),!0),o.props.enterModalOnTouch&&o._isTouch&&n.setModal&&(n.setModal(!0),o._setIsTouch(!1))):o.props.isSelectedOnFocus&&o._onItemSurfaceClick(e,l)}}o._handleNextFocus(!1)},o._onMouseDown=function(e){o._updateModifiers(e);var t=e.target,n=o._findItemRoot(t);if(!o._isSelectionDisabled(t))for(;t!==o._root.current&&!o._hasAttribute(t,C);){if(n){if(o._hasAttribute(t,y))break;if(o._hasAttribute(t,_))break;if(!(t!==n&&!o._shouldAutoSelect(t)||o._isShiftPressed||o._isCtrlPressed||o._isMetaPressed)){o._onInvokeMouseDown(e,o._getItemIndex(n));break}if(o.props.disableAutoSelectOnInputElements&&("A"===t.tagName||"BUTTON"===t.tagName||"INPUT"===t.tagName))return}t=(0,a.G)(t)}},o._onTouchStartCapture=function(e){o._setIsTouch(!0)},o._onClick=function(e){var t=o.props.enableTouchInvocationTarget,n=void 0!==t&&t;o._updateModifiers(e);for(var r=e.target,i=o._findItemRoot(r),s=o._isSelectionDisabled(r);r!==o._root.current;){if(o._hasAttribute(r,C)){s||o._onToggleAllClick(e);break}if(i){var l=o._getItemIndex(i);if(o._hasAttribute(r,y)){s||(o._isShiftPressed?o._onItemSurfaceClick(e,l):o._onToggleClick(e,l));break}if(o._isTouch&&n&&o._hasAttribute(r,"data-selection-touch-invoke")||o._hasAttribute(r,_)){o._onInvokeClick(e,l);break}if(r===i){s||o._onItemSurfaceClick(e,l);break}if("A"===r.tagName||"BUTTON"===r.tagName||"INPUT"===r.tagName)return}r=(0,a.G)(r)}},o._onContextMenu=function(e){var t=e.target,n=o.props,r=n.onItemContextMenu,i=n.selection;if(r){var a=o._findItemRoot(t);if(a){var s=o._getItemIndex(a);o._onInvokeMouseDown(e,s),r(i.getItems()[s],s,e.nativeEvent)||e.preventDefault()}}},o._onDoubleClick=function(e){var t=e.target,n=o.props.onItemInvoked,r=o._findItemRoot(t);if(r&&n&&!o._isInputElement(t)){for(var i=o._getItemIndex(r);t!==o._root.current&&!o._hasAttribute(t,y)&&!o._hasAttribute(t,_);){if(t===r){o._onInvokeClick(e,i);break}t=(0,a.G)(t)}t=(0,a.G)(t)}},o._onKeyDownCapture=function(e){o._updateModifiers(e),o._handleNextFocus(!0)},o._onKeyDown=function(e){o._updateModifiers(e);var t=e.target,n=o._isSelectionDisabled(t),r=o.props.selection,i=e.which===s.m.a&&(o._isCtrlPressed||o._isMetaPressed),l=e.which===s.m.escape;if(!o._isInputElement(t)){var c=o._getSelectionMode();if(i&&c===v.oW.multiple&&!r.isAllSelected())return n||r.setAllSelected(!0),e.stopPropagation(),void e.preventDefault();if(l&&r.getSelectedCount()>0)return n||r.setAllSelected(!1),e.stopPropagation(),void e.preventDefault();var u=o._findItemRoot(t);if(u)for(var d=o._getItemIndex(u);t!==o._root.current&&!o._hasAttribute(t,y);){if(o._shouldAutoSelect(t)){n||o._onInvokeMouseDown(e,d);break}if(!(e.which!==s.m.enter&&e.which!==s.m.space||"BUTTON"!==t.tagName&&"A"!==t.tagName&&"INPUT"!==t.tagName))return!1;if(t===u){if(e.which===s.m.enter)return o._onInvokeClick(e,d),void e.preventDefault();if(e.which===s.m.space)return n||o._onToggleClick(e,d),void e.preventDefault();break}t=(0,a.G)(t)}}},o._events=new l.r(o),o._async=new c.e(o),(0,u.l)(o);var n=o.props.selection,d=n.isModal&&n.isModal();return o.state={isModal:d},o}return(0,n.ZT)(t,e),t.getDerivedStateFromProps=function(e,t){var o=e.selection.isModal&&e.selection.isModal();return(0,n.pi)((0,n.pi)({},t),{isModal:o})},t.prototype.componentDidMount=function(){var e=(0,d.J)(this._root.current);this._events.on(e,"keydown, keyup",this._updateModifiers,!0),this._events.on(document,"click",this._findScrollParentAndTryClearOnEmptyClick),this._events.on(document.body,"touchstart",this._onTouchStartCapture,!0),this._events.on(document.body,"touchend",this._onTouchStartCapture,!0),this._events.on(this.props.selection,"change",this._onSelectionChange)},t.prototype.render=function(){var e=this.state.isModal;return r.createElement("div",{className:(0,p.i)("ms-SelectionZone",this.props.className,{"ms-SelectionZone--modal":!!e}),ref:this._root,onKeyDown:this._onKeyDown,onMouseDown:this._onMouseDown,onKeyDownCapture:this._onKeyDownCapture,onClick:this._onClick,role:"presentation",onDoubleClick:this._onDoubleClick,onContextMenu:this._onContextMenu,onMouseDownCapture:this._onMouseDownCapture,onFocusCapture:this._onFocus,"data-selection-is-modal":!!e||void 0},this.props.children,r.createElement(m.u,null))},t.prototype.componentDidUpdate=function(e){var t=this.props.selection;t!==e.selection&&(this._events.off(e.selection),this._events.on(t,"change",this._onSelectionChange))},t.prototype.componentWillUnmount=function(){this._events.dispose(),this._async.dispose()},t.prototype._isSelectionDisabled=function(e){if(this._getSelectionMode()===v.oW.none)return!0;for(;e!==this._root.current;){if(this._hasAttribute(e,"data-selection-disabled"))return!0;e=(0,a.G)(e)}return!1},t.prototype._onToggleAllClick=function(e){var t=this.props.selection;this._getSelectionMode()===v.oW.multiple&&(t.toggleAllSelected(),e.stopPropagation(),e.preventDefault())},t.prototype._onToggleClick=function(e,t){var o=this.props.selection,n=this._getSelectionMode();if(o.setChangeEvents(!1),this.props.enterModalOnTouch&&this._isTouch&&!o.isIndexSelected(t)&&o.setModal&&(o.setModal(!0),this._setIsTouch(!1)),n===v.oW.multiple)o.toggleIndexSelected(t);else{if(n!==v.oW.single)return void o.setChangeEvents(!0);var r=o.isIndexSelected(t),i=o.isModal&&o.isModal();o.setAllSelected(!1),o.setIndexSelected(t,!r,!0),i&&o.setModal&&o.setModal(!0)}o.setChangeEvents(!0),e.stopPropagation()},t.prototype._onInvokeClick=function(e,t){var o=this.props,n=o.selection,r=o.onItemInvoked;r&&(r(n.getItems()[t],t,e.nativeEvent),e.preventDefault(),e.stopPropagation())},t.prototype._onItemSurfaceClick=function(e,t){var o=this.props.selection,n=this._isCtrlPressed||this._isMetaPressed,r=this._getSelectionMode();r===v.oW.multiple?this._isShiftPressed&&!this._isTabPressed?o.selectToIndex(t,!n):n?o.toggleIndexSelected(t):this._clearAndSelectIndex(t):r===v.oW.single&&this._clearAndSelectIndex(t)},t.prototype._onInvokeMouseDown=function(e,t){this.props.selection.isIndexSelected(t)||this._clearAndSelectIndex(t)},t.prototype._findScrollParentAndTryClearOnEmptyClick=function(e){var t=(0,h.zj)(this._root.current);this._events.off(document,"click",this._findScrollParentAndTryClearOnEmptyClick),this._events.on(t,"click",this._tryClearOnEmptyClick),(t&&e.target instanceof Node&&t.contains(e.target)||t===e.target)&&this._tryClearOnEmptyClick(e)},t.prototype._tryClearOnEmptyClick=function(e){!this.props.selectionPreservedOnEmptyClick&&this._isNonHandledClick(e.target)&&this.props.selection.setAllSelected(!1)},t.prototype._clearAndSelectIndex=function(e){var t=this.props.selection;if(1!==t.getSelectedCount()||!t.isIndexSelected(e)){var o=t.isModal&&t.isModal();t.setChangeEvents(!1),t.setAllSelected(!1),t.setIndexSelected(e,!0,!0),(o||this.props.enterModalOnTouch&&this._isTouch)&&(t.setModal&&t.setModal(!0),this._isTouch&&this._setIsTouch(!1)),t.setChangeEvents(!0)}},t.prototype._updateModifiers=function(e){this._isShiftPressed=e.shiftKey,this._isCtrlPressed=e.ctrlKey,this._isMetaPressed=e.metaKey;var t=e.keyCode;this._isTabPressed=!!t&&t===s.m.tab},t.prototype._findItemRoot=function(e){for(var t=this.props.selection;e!==this._root.current;){var o=e.getAttribute(b),n=Number(o);if(null!==o&&n>=0&&n{"use strict";o.d(t,{x:()=>i});var n={},r=void 0;try{r=window}catch(e){}function i(e,t){if(void 0!==r){var o=r.__packages__=r.__packages__||{};o[e]&&n[e]||(n[e]=t,(o[e]=o[e]||[]).push(t))}}i("@fluentui/set-version","6.0.0")},9729:(e,t,o)=>{"use strict";o.d(t,{k4:()=>X,Ic:()=>G,D1:()=>q,JJ:()=>he,rN:()=>ve.r,ir:()=>Q.i,UK:()=>ee.U,Ox:()=>xe,yV:()=>$,TS:()=>be.TS,lq:()=>be.lq,qJ:()=>_e,$v:()=>Se,bO:()=>Ce,ld:()=>be.ld,qS:()=>Xe.q,a1:()=>Ze,P$:()=>Re,yp:()=>Me,mV:()=>Pe,yO:()=>Ne,CQ:()=>Be,AV:()=>Ie,dd:()=>we,QQ:()=>ke,bE:()=>Fe,qv:()=>De,B:()=>Te,F1:()=>Ee,Ye:()=>Xe.Y,Jw:()=>le,bR:()=>He,$O:()=>r,E$:()=>xt.m,l7:()=>kt.l,FF:()=>ye.F,jG:()=>ie.j,e2:()=>Ve,jN:()=>ct.j,h4:()=>ze,$X:()=>rt,jx:()=>Ke,GL:()=>We,Cn:()=>$e,xM:()=>Ae,q7:()=>ft,Wx:()=>St,$Y:()=>qe,Sv:()=>at,sK:()=>Le,gh:()=>ue,Nf:()=>tt,ul:()=>Ge,F4:()=>i.F,jz:()=>me,ZC:()=>wt.Z,y0:()=>n.y,jq:()=>nt,Fv:()=>ot,Kq:()=>Q.K,M_:()=>gt,fm:()=>mt,tj:()=>de,sw:()=>pe,yN:()=>vt,Kf:()=>ht});var n=o(9444);function r(e){var t={},o=function(o){var r;e.hasOwnProperty(o)&&Object.defineProperty(t,o,{get:function(){return void 0===r&&(r=(0,n.y)(e[o]).toString()),r},enumerable:!0,configurable:!0})};for(var r in e)o(r);return t}var i=o(2762),a="cubic-bezier(.1,.9,.2,1)",s="cubic-bezier(.1,.25,.75,.9)",l="0.167s",c="0.267s",u="0.367s",d="0.467s",p=(0,i.F)({from:{opacity:0},to:{opacity:1}}),m=(0,i.F)({from:{opacity:1},to:{opacity:0,visibility:"hidden"}}),h=j(-10),g=j(-20),f=j(-40),v=j(-400),b=j(10),y=j(20),_=j(40),C=j(400),S=J(10),x=J(20),k=J(-10),w=J(-20),I=Y(10),D=Y(20),T=Y(40),E=Y(400),P=Y(-10),M=Y(-20),R=Y(-40),N=Y(-400),B=Z(-10),F=Z(-20),L=Z(10),A=Z(20),z=(0,i.F)({from:{transform:"scale3d(.98,.98,1)"},to:{transform:"scale3d(1,1,1)"}}),H=(0,i.F)({from:{transform:"scale3d(1,1,1)"},to:{transform:"scale3d(.98,.98,1)"}}),O=(0,i.F)({from:{transform:"scale3d(1.03,1.03,1)"},to:{transform:"scale3d(1,1,1)"}}),W=(0,i.F)({from:{transform:"scale3d(1,1,1)"},to:{transform:"scale3d(1.03,1.03,1)"}}),V=(0,i.F)({from:{transform:"rotateZ(0deg)"},to:{transform:"rotateZ(90deg)"}}),K=(0,i.F)({from:{transform:"rotateZ(0deg)"},to:{transform:"rotateZ(-90deg)"}}),q={easeFunction1:a,easeFunction2:s,durationValue1:l,durationValue2:c,durationValue3:u,durationValue4:d},G={slideRightIn10:U(p+","+h,u,a),slideRightIn20:U(p+","+g,u,a),slideRightIn40:U(p+","+f,u,a),slideRightIn400:U(p+","+v,u,a),slideLeftIn10:U(p+","+b,u,a),slideLeftIn20:U(p+","+y,u,a),slideLeftIn40:U(p+","+_,u,a),slideLeftIn400:U(p+","+C,u,a),slideUpIn10:U(p+","+S,u,a),slideUpIn20:U(p+","+x,u,a),slideDownIn10:U(p+","+k,u,a),slideDownIn20:U(p+","+w,u,a),slideRightOut10:U(m+","+I,u,a),slideRightOut20:U(m+","+D,u,a),slideRightOut40:U(m+","+T,u,a),slideRightOut400:U(m+","+E,u,a),slideLeftOut10:U(m+","+P,u,a),slideLeftOut20:U(m+","+M,u,a),slideLeftOut40:U(m+","+R,u,a),slideLeftOut400:U(m+","+N,u,a),slideUpOut10:U(m+","+B,u,a),slideUpOut20:U(m+","+F,u,a),slideDownOut10:U(m+","+L,u,a),slideDownOut20:U(m+","+A,u,a),scaleUpIn100:U(p+","+z,u,a),scaleDownIn100:U(p+","+O,u,a),scaleUpOut103:U(m+","+W,l,s),scaleDownOut98:U(m+","+H,l,s),fadeIn100:U(p,l,s),fadeIn200:U(p,c,s),fadeIn400:U(p,u,s),fadeIn500:U(p,d,s),fadeOut100:U(m,l,s),fadeOut200:U(m,c,s),fadeOut400:U(m,u,s),fadeOut500:U(m,d,s),rotate90deg:U(V,"0.1s",s),rotateN90deg:U(K,"0.1s",s)};function U(e,t,o){return{animationName:e,animationDuration:t,animationTimingFunction:o,animationFillMode:"both"}}function j(e){return(0,i.F)({from:{transform:"translate3d("+e+"px,0,0)",pointerEvents:"none"},to:{transform:"translate3d(0,0,0)",pointerEvents:"auto"}})}function J(e){return(0,i.F)({from:{transform:"translate3d(0,"+e+"px,0)",pointerEvents:"none"},to:{transform:"translate3d(0,0,0)",pointerEvents:"auto"}})}function Y(e){return(0,i.F)({from:{transform:"translate3d(0,0,0)"},to:{transform:"translate3d("+e+"px,0,0)"}})}function Z(e){return(0,i.F)({from:{transform:"translate3d(0,0,0)"},to:{transform:"translate3d(0,"+e+"px,0)"}})}var X=r(G),Q=o(1209),$=r(Q.i),ee=o(5314),te=o(7622),oe=o(1767),ne=o(9757),re=o(4976),ie=o(8932),ae=(0,ie.j)({}),se=[],le="theme";function ce(){var e,t,o;if(!oe.X.getSettings([le]).theme){var n=(0,ne.J)();(null===(o=null===(t=n)||void 0===t?void 0:t.FabricConfig)||void 0===o?void 0:o.theme)&&(ae=(0,ie.j)(n.FabricConfig.theme)),oe.X.applySettings(((e={})[le]=ae,e))}}function ue(e){return void 0===e&&(e=!1),!0===e&&(ae=(0,ie.j)({},e)),ae}function de(e){-1===se.indexOf(e)&&se.push(e)}function pe(e){var t=se.indexOf(e);-1!==t&&se.splice(t,1)}function me(e,t){var o;return void 0===t&&(t=!1),ae=(0,ie.j)(e,t),(0,re.jz)((0,te.pi)((0,te.pi)((0,te.pi)((0,te.pi)({},ae.palette),ae.semanticColors),ae.effects),function(e){for(var t={},o=0,n=Object.keys(e.fonts);o10?" (+ "+(bt.length-10)+" more)":"")),yt=void 0,bt=[]}),2e3)))}var Ct={display:"inline-block"};function St(e){var t="",o=ft(e);return o&&(t=(0,n.y)(o.subset.className,Ct,{selectors:{"::before":{content:'"'+o.code+'"'}}})),t}var xt=o(3570),kt=o(965),wt=o(2005);(0,o(6316).x)("@fluentui/style-utilities","8.0.2"),ce()},5314:(e,t,o)=>{"use strict";o.d(t,{U:()=>n});var n={themeDarker:"#004578",themeDark:"#005a9e",themeDarkAlt:"#106ebe",themePrimary:"#0078d4",themeSecondary:"#2b88d8",themeTertiary:"#71afe5",themeLight:"#c7e0f4",themeLighter:"#deecf9",themeLighterAlt:"#eff6fc",black:"#000000",blackTranslucent40:"rgba(0,0,0,.4)",neutralDark:"#201f1e",neutralPrimary:"#323130",neutralPrimaryAlt:"#3b3a39",neutralSecondary:"#605e5c",neutralSecondaryAlt:"#8a8886",neutralTertiary:"#a19f9d",neutralTertiaryAlt:"#c8c6c4",neutralQuaternary:"#d2d0ce",neutralQuaternaryAlt:"#e1dfdd",neutralLight:"#edebe9",neutralLighter:"#f3f2f1",neutralLighterAlt:"#faf9f8",accent:"#0078d4",white:"#ffffff",whiteTranslucent40:"rgba(255,255,255,.4)",yellowDark:"#d29200",yellow:"#ffb900",yellowLight:"#fff100",orange:"#d83b01",orangeLight:"#ea4300",orangeLighter:"#ff8c00",redDark:"#a4262c",red:"#e81123",magentaDark:"#5c005c",magenta:"#b4009e",magentaLight:"#e3008c",purpleDark:"#32145a",purple:"#5c2d91",purpleLight:"#b4a0ff",blueDark:"#002050",blueMid:"#00188f",blue:"#0078d4",blueLight:"#00bcf2",tealDark:"#004b50",teal:"#008272",tealLight:"#00b294",greenDark:"#004b1c",green:"#107c10",greenLight:"#bad80a"}},8932:(e,t,o)=>{"use strict";o.d(t,{j:()=>c});var n=o(5314),r=o(8708),i=o(1209),a=o(8188),s=o(3968),l=o(6267);function c(e,t){void 0===e&&(e={}),void 0===t&&(t=!1);var o=!!e.isInverted,c={palette:n.U,effects:r.r,fonts:i.i,spacing:s.C,isInverted:o,disableGlobalClassNames:!1,semanticColors:(0,l.b)(n.U,r.r,void 0,o,t),rtl:void 0};return(0,a.I)(c,e)}},8708:(e,t,o)=>{"use strict";o.d(t,{r:()=>r});var n=o(4733),r={elevation4:n.N.depth4,elevation8:n.N.depth8,elevation16:n.N.depth16,elevation64:n.N.depth64,roundedCorner2:"2px",roundedCorner4:"4px",roundedCorner6:"6px"}},4733:(e,t,o)=>{"use strict";var n;o.d(t,{N:()=>n}),function(e){e.depth0="0 0 0 0 transparent",e.depth4="0 1.6px 3.6px 0 rgba(0, 0, 0, 0.132), 0 0.3px 0.9px 0 rgba(0, 0, 0, 0.108)",e.depth8="0 3.2px 7.2px 0 rgba(0, 0, 0, 0.132), 0 0.6px 1.8px 0 rgba(0, 0, 0, 0.108)",e.depth16="0 6.4px 14.4px 0 rgba(0, 0, 0, 0.132), 0 1.2px 3.6px 0 rgba(0, 0, 0, 0.108)",e.depth64="0 25.6px 57.6px 0 rgba(0, 0, 0, 0.22), 0 4.8px 14.4px 0 rgba(0, 0, 0, 0.18)"}(n||(n={}))},1209:(e,t,o)=>{"use strict";o.d(t,{i:()=>d,K:()=>h});var n,r,i,a=o(3310),s=o(3182),l=o(7134),c=o(3856),u=o(9757),d=(0,l.F)((0,c.G)());function p(e,t,o,n){e="'"+e+"'";var r=void 0!==n?"local('"+n+"'),":"";(0,a.j)({fontFamily:e,src:r+"url('"+t+".woff2') format('woff2'),url('"+t+".woff') format('woff')",fontWeight:o,fontStyle:"normal",fontDisplay:"swap"})}function m(e,t,o,n,r){void 0===n&&(n="segoeui");var i=e+"/"+o+"/"+n;p(t,i+"-light",s.lq.light,r&&r+" Light"),p(t,i+"-semilight",s.lq.semilight,r&&r+" SemiLight"),p(t,i+"-regular",s.lq.regular,r),p(t,i+"-semibold",s.lq.semibold,r&&r+" SemiBold"),p(t,i+"-bold",s.lq.bold,r&&r+" Bold")}function h(e){if(e){var t=e+"/fonts";m(t,s.Qm.Thai,"leelawadeeui-thai","leelawadeeui"),m(t,s.Qm.Arabic,"segoeui-arabic"),m(t,s.Qm.Cyrillic,"segoeui-cyrillic"),m(t,s.Qm.EastEuropean,"segoeui-easteuropean"),m(t,s.Qm.Greek,"segoeui-greek"),m(t,s.Qm.Hebrew,"segoeui-hebrew"),m(t,s.Qm.Vietnamese,"segoeui-vietnamese"),m(t,s.Qm.WestEuropean,"segoeui-westeuropean","segoeui","Segoe UI"),m(t,s.II.Selawik,"selawik","selawik"),m(t,s.Qm.Armenian,"segoeui-armenian"),m(t,s.Qm.Georgian,"segoeui-georgian"),p("Leelawadee UI Web",t+"/leelawadeeui-thai/leelawadeeui-semilight",s.lq.light),p("Leelawadee UI Web",t+"/leelawadeeui-thai/leelawadeeui-bold",s.lq.semibold)}}h(null!=(i=null===(r=null===(n=(0,u.J)())||void 0===n?void 0:n.FabricConfig)||void 0===r?void 0:r.fontBaseUrl)?i:"https://static2.sharepointonline.com/files/fabric/assets")},3182:(e,t,o)=>{"use strict";var n,r,i,a,s;o.d(t,{Qm:()=>n,II:()=>r,TS:()=>i,lq:()=>a,ld:()=>s}),function(e){e.Arabic="Segoe UI Web (Arabic)",e.Cyrillic="Segoe UI Web (Cyrillic)",e.EastEuropean="Segoe UI Web (East European)",e.Greek="Segoe UI Web (Greek)",e.Hebrew="Segoe UI Web (Hebrew)",e.Thai="Leelawadee UI Web",e.Vietnamese="Segoe UI Web (Vietnamese)",e.WestEuropean="Segoe UI Web (West European)",e.Selawik="Selawik Web",e.Armenian="Segoe UI Web (Armenian)",e.Georgian="Segoe UI Web (Georgian)"}(n||(n={})),function(e){e.Arabic="'"+n.Arabic+"'",e.ChineseSimplified="'Microsoft Yahei UI', Verdana, Simsun",e.ChineseTraditional="'Microsoft Jhenghei UI', Pmingliu",e.Cyrillic="'"+n.Cyrillic+"'",e.EastEuropean="'"+n.EastEuropean+"'",e.Greek="'"+n.Greek+"'",e.Hebrew="'"+n.Hebrew+"'",e.Hindi="'Nirmala UI'",e.Japanese="'Yu Gothic UI', 'Meiryo UI', Meiryo, 'MS Pgothic', Osaka",e.Korean="'Malgun Gothic', Gulim",e.Selawik="'"+n.Selawik+"'",e.Thai="'Leelawadee UI Web', 'Kmer UI'",e.Vietnamese="'"+n.Vietnamese+"'",e.WestEuropean="'"+n.WestEuropean+"'",e.Armenian="'"+n.Armenian+"'",e.Georgian="'"+n.Georgian+"'"}(r||(r={})),function(e){e.size10="10px",e.size12="12px",e.size14="14px",e.size16="16px",e.size18="18px",e.size20="20px",e.size24="24px",e.size28="28px",e.size32="32px",e.size42="42px",e.size68="68px",e.mini="10px",e.xSmall="10px",e.small="12px",e.smallPlus="12px",e.medium="14px",e.mediumPlus="16px",e.icon="16px",e.large="18px",e.xLarge="20px",e.xLargePlus="24px",e.xxLarge="28px",e.xxLargePlus="32px",e.superLarge="42px",e.mega="68px"}(i||(i={})),function(e){e.light=100,e.semilight=300,e.regular=400,e.semibold=600,e.bold=700}(a||(a={})),function(e){e.xSmall="10px",e.small="12px",e.medium="16px",e.large="20px"}(s||(s={}))},7134:(e,t,o)=>{"use strict";o.d(t,{F:()=>s});var n=o(3182),r="'Segoe UI', '"+n.Qm.WestEuropean+"'",i={ar:n.II.Arabic,bg:n.II.Cyrillic,cs:n.II.EastEuropean,el:n.II.Greek,et:n.II.EastEuropean,he:n.II.Hebrew,hi:n.II.Hindi,hr:n.II.EastEuropean,hu:n.II.EastEuropean,ja:n.II.Japanese,kk:n.II.EastEuropean,ko:n.II.Korean,lt:n.II.EastEuropean,lv:n.II.EastEuropean,pl:n.II.EastEuropean,ru:n.II.Cyrillic,sk:n.II.EastEuropean,"sr-latn":n.II.EastEuropean,th:n.II.Thai,tr:n.II.EastEuropean,uk:n.II.Cyrillic,vi:n.II.Vietnamese,"zh-hans":n.II.ChineseSimplified,"zh-hant":n.II.ChineseTraditional,hy:n.II.Armenian,ka:n.II.Georgian};function a(e,t,o){return{fontFamily:o,MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontSize:e,fontWeight:t}}function s(e){var t=function(e){for(var t in i)if(i.hasOwnProperty(t)&&e&&0===t.indexOf(e))return i[t];return r}(e)+", 'Segoe UI', -apple-system, BlinkMacSystemFont, 'Roboto', 'Helvetica Neue', sans-serif";return{tiny:a(n.TS.mini,n.lq.regular,t),xSmall:a(n.TS.xSmall,n.lq.regular,t),small:a(n.TS.small,n.lq.regular,t),smallPlus:a(n.TS.smallPlus,n.lq.regular,t),medium:a(n.TS.medium,n.lq.regular,t),mediumPlus:a(n.TS.mediumPlus,n.lq.regular,t),large:a(n.TS.large,n.lq.regular,t),xLarge:a(n.TS.xLarge,n.lq.semibold,t),xLargePlus:a(n.TS.xLargePlus,n.lq.semibold,t),xxLarge:a(n.TS.xxLarge,n.lq.semibold,t),xxLargePlus:a(n.TS.xxLargePlus,n.lq.semibold,t),superLarge:a(n.TS.superLarge,n.lq.semibold,t),mega:a(n.TS.mega,n.lq.semibold,t)}}},8188:(e,t,o)=>{"use strict";o.d(t,{I:()=>i});var n=o(9478),r=o(6267);function i(e,t){var o,i,a,s;void 0===t&&(t={});var l=(0,n.T)({},e,t,{semanticColors:(0,r.Q)(t.palette,t.effects,t.semanticColors,void 0===t.isInverted?e.isInverted:t.isInverted)});if((null===(o=t.palette)||void 0===o?void 0:o.themePrimary)&&!(null===(i=t.palette)||void 0===i?void 0:i.accent)&&(l.palette.accent=t.palette.themePrimary),t.defaultFontStyle)for(var c=0,u=Object.keys(l.fonts);c{"use strict";o.d(t,{C:()=>n});var n={s2:"4px",s1:"8px",m:"16px",l1:"20px",l2:"32px"}},6267:(e,t,o)=>{"use strict";o.d(t,{b:()=>r,Q:()=>i});var n=o(7622);function r(e,t,o,r,a){return void 0===a&&(a=!1),function(e,t){var o="";return!0===t&&(o=" /* @deprecated */"),e.listTextColor=e.listText+o,e.menuItemBackgroundChecked+=o,e.warningHighlight+=o,e.warningText=e.messageText+o,e.successText+=o,e}(i(e,t,(0,n.pi)({primaryButtonBorder:"transparent",errorText:r?"#F1707B":"#a4262c",messageText:r?"#F3F2F1":"#323130",messageLink:r?"#6CB8F6":"#005A9E",messageLinkHovered:r?"#82C7FF":"#004578",infoIcon:r?"#C8C6C4":"#605e5c",errorIcon:r?"#F1707B":"#A80000",blockingIcon:r?"#442726":"#FDE7E9",warningIcon:r?"#C8C6C4":"#797775",severeWarningIcon:r?"#FCE100":"#D83B01",successIcon:r?"#92C353":"#107C10",infoBackground:r?"#323130":"#f3f2f1",errorBackground:r?"#442726":"#FDE7E9",blockingBackground:r?"#442726":"#FDE7E9",warningBackground:r?"#433519":"#FFF4CE",severeWarningBackground:r?"#4F2A0F":"#FED9CC",successBackground:r?"#393D1B":"#DFF6DD",warningHighlight:r?"#fff100":"#ffb900",successText:r?"#92c353":"#107C10"},o),r),a)}function i(e,t,o,r,i){var a,s,l;void 0===i&&(i=!1);var c={},u=e||{},d=u.white,p=u.black,m=u.themePrimary,h=u.themeDark,g=u.themeDarker,f=u.themeDarkAlt,v=u.themeLighter,b=u.neutralLight,y=u.neutralLighter,_=u.neutralDark,C=u.neutralQuaternary,S=u.neutralQuaternaryAlt,x=u.neutralPrimary,k=u.neutralSecondary,w=u.neutralSecondaryAlt,I=u.neutralTertiary,D=u.neutralTertiaryAlt,T=u.neutralLighterAlt,E=u.accent;return d&&(c.bodyBackground=d,c.bodyFrameBackground=d,c.accentButtonText=d,c.buttonBackground=d,c.primaryButtonText=d,c.primaryButtonTextHovered=d,c.primaryButtonTextPressed=d,c.inputBackground=d,c.inputForegroundChecked=d,c.listBackground=d,c.menuBackground=d,c.cardStandoutBackground=d),p&&(c.bodyTextChecked=p,c.buttonTextCheckedHovered=p),m&&(c.link=m,c.primaryButtonBackground=m,c.inputBackgroundChecked=m,c.inputIcon=m,c.inputFocusBorderAlt=m,c.menuIcon=m,c.menuHeader=m,c.accentButtonBackground=m),h&&(c.primaryButtonBackgroundPressed=h,c.inputBackgroundCheckedHovered=h,c.inputIconHovered=h),g&&(c.linkHovered=g),f&&(c.primaryButtonBackgroundHovered=f),v&&(c.inputPlaceholderBackgroundChecked=v),b&&(c.bodyBackgroundChecked=b,c.bodyFrameDivider=b,c.bodyDivider=b,c.variantBorder=b,c.buttonBackgroundCheckedHovered=b,c.buttonBackgroundPressed=b,c.listItemBackgroundChecked=b,c.listHeaderBackgroundPressed=b,c.menuItemBackgroundPressed=b,c.menuItemBackgroundChecked=b),y&&(c.bodyBackgroundHovered=y,c.buttonBackgroundHovered=y,c.buttonBackgroundDisabled=y,c.buttonBorderDisabled=y,c.primaryButtonBackgroundDisabled=y,c.disabledBackground=y,c.listItemBackgroundHovered=y,c.listHeaderBackgroundHovered=y,c.menuItemBackgroundHovered=y),C&&(c.primaryButtonTextDisabled=C,c.disabledSubtext=C),S&&(c.listItemBackgroundCheckedHovered=S),I&&(c.disabledBodyText=I,c.variantBorderHovered=(null===(a=o)||void 0===a?void 0:a.variantBorderHovered)||I,c.buttonTextDisabled=I,c.inputIconDisabled=I,c.disabledText=I),x&&(c.bodyText=x,c.actionLink=x,c.buttonText=x,c.inputBorderHovered=x,c.inputText=x,c.listText=x,c.menuItemText=x),T&&(c.bodyStandoutBackground=T,c.defaultStateBackground=T),_&&(c.actionLinkHovered=_,c.buttonTextHovered=_,c.buttonTextChecked=_,c.buttonTextPressed=_,c.inputTextHovered=_,c.menuItemTextHovered=_),k&&(c.bodySubtext=k,c.focusBorder=k,c.inputBorder=k,c.smallInputBorder=k,c.inputPlaceholderText=k),w&&(c.buttonBorder=w),D&&(c.disabledBodySubtext=D,c.disabledBorder=D,c.buttonBackgroundChecked=D,c.menuDivider=D),E&&(c.accentButtonBackground=E),(null===(s=t)||void 0===s?void 0:s.elevation4)&&(c.cardShadow=t.elevation4),!r&&(null===(l=t)||void 0===l?void 0:l.elevation8)?c.cardShadowHovered=t.elevation8:c.variantBorderHovered&&(c.cardShadowHovered="0 0 1px "+c.variantBorderHovered),(0,n.pi)((0,n.pi)({},c),o)}},2167:(e,t,o)=>{"use strict";o.d(t,{e:()=>r});var n=o(9757),r=function(){function e(e,t){this._timeoutIds=null,this._immediateIds=null,this._intervalIds=null,this._animationFrameIds=null,this._isDisposed=!1,this._parent=e||null,this._onErrorHandler=t,this._noop=function(){}}return e.prototype.dispose=function(){var e;if(this._isDisposed=!0,this._parent=null,this._timeoutIds){for(e in this._timeoutIds)this._timeoutIds.hasOwnProperty(e)&&this.clearTimeout(parseInt(e,10));this._timeoutIds=null}if(this._immediateIds){for(e in this._immediateIds)this._immediateIds.hasOwnProperty(e)&&this.clearImmediate(parseInt(e,10));this._immediateIds=null}if(this._intervalIds){for(e in this._intervalIds)this._intervalIds.hasOwnProperty(e)&&this.clearInterval(parseInt(e,10));this._intervalIds=null}if(this._animationFrameIds){for(e in this._animationFrameIds)this._animationFrameIds.hasOwnProperty(e)&&this.cancelAnimationFrame(parseInt(e,10));this._animationFrameIds=null}},e.prototype.setTimeout=function(e,t){var o=this,n=0;return this._isDisposed||(this._timeoutIds||(this._timeoutIds={}),n=setTimeout((function(){try{o._timeoutIds&&delete o._timeoutIds[n],e.apply(o._parent)}catch(e){o._logError(e)}}),t),this._timeoutIds[n]=!0),n},e.prototype.clearTimeout=function(e){this._timeoutIds&&this._timeoutIds[e]&&(clearTimeout(e),delete this._timeoutIds[e])},e.prototype.setImmediate=function(e,t){var o=this,r=0,i=(0,n.J)(t);return this._isDisposed||(this._immediateIds||(this._immediateIds={}),r=i.setTimeout((function(){try{o._immediateIds&&delete o._immediateIds[r],e.apply(o._parent)}catch(e){o._logError(e)}}),0),this._immediateIds[r]=!0),r},e.prototype.clearImmediate=function(e,t){var o=(0,n.J)(t);this._immediateIds&&this._immediateIds[e]&&(o.clearTimeout(e),delete this._immediateIds[e])},e.prototype.setInterval=function(e,t){var o=this,n=0;return this._isDisposed||(this._intervalIds||(this._intervalIds={}),n=setInterval((function(){try{e.apply(o._parent)}catch(e){o._logError(e)}}),t),this._intervalIds[n]=!0),n},e.prototype.clearInterval=function(e){this._intervalIds&&this._intervalIds[e]&&(clearInterval(e),delete this._intervalIds[e])},e.prototype.throttle=function(e,t,o){var n=this;if(this._isDisposed)return this._noop;var r,i,a=t||0,s=!0,l=!0,c=0,u=null;o&&"boolean"==typeof o.leading&&(s=o.leading),o&&"boolean"==typeof o.trailing&&(l=o.trailing);var d=function(t){var o=Date.now(),p=o-c,m=s?a-p:a;return p>=a&&(!t||s)?(c=o,u&&(n.clearTimeout(u),u=null),r=e.apply(n._parent,i)):null===u&&l&&(u=n.setTimeout(d,m)),r};return function(){for(var e=[],t=0;t=s&&(o=!0),d=t);var r=t-d,a=s-r,h=t-p,v=!1;return null!==u&&(h>=u&&m?v=!0:a=Math.min(a,u-h)),r>=s||v||o?g(t):null!==m&&e||!c||(m=n.setTimeout(f,a)),i},v=function(){return!!m},b=function(){for(var e=[],t=0;t{"use strict";o.d(t,{H:()=>u,S:()=>p});var n=o(7622),r=o(7002),i=o(2167),a=o(9919),s=o(5415),l=o(209),c=o(3129),u=function(e){function t(o,n){var r=e.call(this,o,n)||this;return function(e,t,o){for(var n=0,r=o.length;n1?e[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 i.e(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 a.r(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(o){return t[e]=o}),this.__resolves[e]},t.prototype._updateComponentRef=function(e,t){void 0===t&&(t={}),e&&t&&e.componentRef!==t.componentRef&&(this._setComponentRef(e.componentRef,null),this._setComponentRef(t.componentRef,this))},t.prototype._warnDeprecations=function(e){(0,c.b)(this.className,this.props,e)},t.prototype._warnMutuallyExclusive=function(e){(0,l.L)(this.className,this.props,e)},t.prototype._warnConditionallyRequiredProps=function(e,t,o){(0,s.w)(this.className,this.props,e,t,o)},t.prototype._setComponentRef=function(e,t){!this._skipComponentRefResolution&&e&&("function"==typeof e&&e(t),"object"==typeof e&&(e.current=t))},t}(r.Component);function d(e,t,o){var n=e[o],r=t[o];(n||r)&&(e[o]=function(){for(var e,t=[],o=0;o{"use strict";o.d(t,{U:()=>i});var n=o(7622),r=o(7002),i=function(e){function t(t){var o=e.call(this,t)||this;return o.state={isRendered:!1},o}return(0,n.ZT)(t,e),t.prototype.componentDidMount=function(){var e=this,t=this.props.delay;this._timeoutId=window.setTimeout((function(){e.setState({isRendered:!0})}),t)},t.prototype.componentWillUnmount=function(){this._timeoutId&&clearTimeout(this._timeoutId)},t.prototype.render=function(){return this.state.isRendered?r.Children.only(this.props.children):null},t.defaultProps={delay:0},t}(r.Component)},9919:(e,t,o)=>{"use strict";o.d(t,{r:()=>r});var n=o(2447),r=function(){function e(t){this._id=e._uniqueId++,this._parent=t,this._eventRecords=[]}return e.raise=function(t,o,r,i){var a;if(e._isElement(t)){if("undefined"!=typeof document&&document.createEvent){var s=document.createEvent("HTMLEvents");s.initEvent(o,i||!1,!0),(0,n.f0)(s,r),a=t.dispatchEvent(s)}else if("undefined"!=typeof document&&document.createEventObject){var l=document.createEventObject(r);t.fireEvent("on"+o,l)}}else for(;t&&!1!==a;){var c=t.__events__,u=c?c[o]:null;if(u)for(var d in u)if(u.hasOwnProperty(d))for(var p=u[d],m=0;!1!==a&&m-1)for(var a=o.split(/[ ,]+/),s=0;s{"use strict";o.d(t,{D:()=>i});var n=o(9757),r=0,i=function(){function e(){}return e.getValue=function(e,t){var o=a();return void 0===o[e]&&(o[e]="function"==typeof t?t():t),o[e]},e.setValue=function(e,t){var o=a(),n=o.__callbacks__,r=o[e];if(t!==r){o[e]=t;var i={oldValue:r,value:t,key:e};for(var s in n)n.hasOwnProperty(s)&&n[s](i)}return t},e.addChangeListener=function(e){var t=e.__id__,o=s();t||(t=e.__id__=String(r++)),o[t]=e},e.removeChangeListener=function(e){delete s()[e.__id__]},e}();function a(){var e,t=(0,n.J)()||{};return t.__globalSettings__||(t.__globalSettings__=((e={}).__callbacks__={},e)),t.__globalSettings__}function s(){return a().__callbacks__}},8145:(e,t,o)=>{"use strict";o.d(t,{m:()=>n});var n={backspace:8,tab:9,enter:13,shift:16,ctrl:17,alt:18,pauseBreak:19,capslock:20,escape:27,space:32,pageUp:33,pageDown:34,end:35,home:36,left:37,up:38,right:39,down:40,insert:45,del:46,zero:48,one:49,two:50,three:51,four:52,five:53,six:54,seven:55,eight:56,nine:57,a:65,b:66,c:67,d:68,e:69,f:70,g:71,h:72,i:73,j:74,k:75,l:76,m:77,n:78,o:79,p:80,q:81,r:82,s:83,t:84,u:85,v:86,w:87,x:88,y:89,z:90,leftWindow:91,rightWindow:92,select:93,zero_numpad:96,one_numpad:97,two_numpad:98,three_numpad:99,four_numpad:100,five_numpad:101,six_numpad:102,seven_numpad:103,eight_numpad:104,nine_numpad:105,multiply:106,add:107,subtract:109,decimalPoint:110,divide:111,f1:112,f2:113,f3:114,f4:115,f5:116,f6:117,f7:118,f8:119,f9:120,f10:121,f11:122,f12:123,numlock:144,scrollLock:145,semicolon:186,equalSign:187,comma:188,dash:189,period:190,forwardSlash:191,graveAccent:192,openBracket:219,backSlash:220,closeBracket:221,singleQuote:222}},4884:(e,t,o)=>{"use strict";o.d(t,{A:()=>n});var n=function(){function e(e,t,o,n){void 0===e&&(e=0),void 0===t&&(t=0),void 0===o&&(o=0),void 0===n&&(n=0),this.top=o,this.bottom=n,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}()},9151:(e,t,o)=>{"use strict";function n(e){for(var t=[],o=1;on})},9577:(e,t,o)=>{"use strict";function n(){for(var e=[],t=0;tn})},2470:(e,t,o)=>{"use strict";function n(e,t,o){void 0===o&&(o=0);for(var n=-1,r=o;e&&rn,sE:()=>r,Ri:()=>i,QC:()=>a,$E:()=>s,wm:()=>l,OA:()=>c,xH:()=>u,cO:()=>d})},7300:(e,t,o)=>{"use strict";o.d(t,{y:()=>u});var n=o(729),r=o(2005),i=o(5951),a=o(9757),s=0,l=n.Y.getInstance();l&&l.onReset&&l.onReset((function(){return s++}));var c="__retval__";function u(e){void 0===e&&(e={});var t=new Map,o=0,n=0,l=s;return function(u,d){var m,h;if(void 0===d&&(d={}),e.useStaticStyles&&"function"==typeof u&&u.__noStyleOverride__)return u(d);n++;var g=t,f=d.theme,v=f&&void 0!==f.rtl?f.rtl:(0,i.zg)(),b=e.disableCaching;return l!==s&&(l=s,t=new Map,o=0),e.disableCaching||(g=p(t,u),g=p(g,d)),!b&&g[c]||(g[c]=void 0===u?{}:(0,r.I)(["function"==typeof u?u(d):u],{rtl:!!v,specificityMultiplier:e.useStaticStyles?5:void 0}),b||o++),o>(e.cacheSize||50)&&((null===(h=null===(m=(0,a.J)())||void 0===m?void 0:m.FabricConfig)||void 0===h?void 0:h.enableClassNameCacheFullWarning)&&(console.warn("Styles are being recalculated too frequently. Cache miss rate is "+o+"/"+n+"."),console.trace()),t.clear(),o=0,e.disableCaching=!0),g[c]}}function d(e,t){return t=function(e){switch(e){case void 0:return"__undefined__";case null:return"__null__";default:return e}}(t),e.has(t)||e.set(t,new Map),e.get(t)}function p(e,t){if("function"==typeof t)if(t.__cachedInputs__)for(var o=0,n=t.__cachedInputs__;o{"use strict";function n(e,t){return void 0!==e[t]&&null!==e[t]}o.d(t,{s:()=>n})},4932:(e,t,o)=>{"use strict";o.d(t,{S:()=>i});var n=o(2470),r=function(e){return function(t){for(var o=0,n=e.refs;o{"use strict";function n(){for(var e=[],t=0;tn})},1767:(e,t,o)=>{"use strict";o.d(t,{X:()=>l});var n=o(7622),r=o(5822),i={settings:{},scopedSettings:{},inCustomizerContext:!1},a=r.D.getValue("customizations",{settings:{},scopedSettings:{},inCustomizerContext:!1}),s=[],l=function(){function e(){}return e.reset=function(){a.settings={},a.scopedSettings={}},e.applySettings=function(t){a.settings=(0,n.pi)((0,n.pi)({},a.settings),t),e._raiseChange()},e.applyScopedSettings=function(t,o){a.scopedSettings[t]=(0,n.pi)((0,n.pi)({},a.scopedSettings[t]),o),e._raiseChange()},e.getSettings=function(e,t,o){void 0===o&&(o=i);for(var n={},r=t&&o.scopedSettings[t]||{},s=t&&a.scopedSettings[t]||{},l=0,c=e;l{"use strict";o.d(t,{N:()=>l});var n=o(7622),r=o(7002),i=o(1767),a=o(7576),s=o(8889),l=function(e){function t(){var t=null!==e&&e.apply(this,arguments)||this;return t._onCustomizationChange=function(){return t.forceUpdate()},t}return(0,n.ZT)(t,e),t.prototype.componentDidMount=function(){i.X.observe(this._onCustomizationChange)},t.prototype.componentWillUnmount=function(){i.X.unobserve(this._onCustomizationChange)},t.prototype.render=function(){var e=this,t=this.props.contextTransform;return r.createElement(a.i.Consumer,null,(function(o){var n=(0,s.u)(e.props,o);return t&&(n=t(n)),r.createElement(a.i.Provider,{value:n},e.props.children)}))},t}(r.Component)},7576:(e,t,o)=>{"use strict";o.d(t,{i:()=>n});var n=o(7002).createContext({customizations:{inCustomizerContext:!1,settings:{},scopedSettings:{}}})},6053:(e,t,o)=>{"use strict";o.d(t,{a:()=>c});var n=o(7622),r=o(7002),i=o(1767),a=o(1529),s=o(7576),l=o(3570);function c(e,t,o){return function(c){var u,d=((u=function(a){function u(e){var t=a.call(this,e)||this;return t._styleCache={},t._onSettingChanged=t._onSettingChanged.bind(t),t}return(0,n.ZT)(u,a),u.prototype.componentDidMount=function(){i.X.observe(this._onSettingChanged)},u.prototype.componentWillUnmount=function(){i.X.unobserve(this._onSettingChanged)},u.prototype.render=function(){var a=this;return r.createElement(s.i.Consumer,null,(function(s){var u=i.X.getSettings(t,e,s.customizations),d=a.props;if(u.styles&&"function"==typeof u.styles&&(u.styles=u.styles((0,n.pi)((0,n.pi)({},u),d))),o&&u.styles){if(a._styleCache.default!==u.styles||a._styleCache.component!==d.styles){var p=(0,l.m)(u.styles,d.styles);a._styleCache.default=u.styles,a._styleCache.component=d.styles,a._styleCache.merged=p}return r.createElement(c,(0,n.pi)({},u,d,{styles:a._styleCache.merged}))}return r.createElement(c,(0,n.pi)({},u,d))}))},u.prototype._onSettingChanged=function(){this.forceUpdate()},u}(r.Component)).displayName="Customized"+e,u);return(0,a.f)(c,d)}}},8889:(e,t,o)=>{"use strict";o.d(t,{u:()=>r});var n=o(3579);function r(e,t){var o=(t||{}).customizations,r=void 0===o?{settings:{},scopedSettings:{}}:o;return{customizations:{settings:(0,n.O)(r.settings,e.settings),scopedSettings:(0,n.J)(r.scopedSettings,e.scopedSettings),inCustomizerContext:!0}}}},3579:(e,t,o)=>{"use strict";o.d(t,{O:()=>r,J:()=>i});var n=o(7622);function r(e,t){return void 0===e&&(e={}),(a(t)?t:function(e){return function(t){return e?(0,n.pi)((0,n.pi)({},t),e):t}}(t))(e)}function i(e,t){return void 0===e&&(e={}),(a(t)?t:(void 0===(o=t)&&(o={}),function(e){var t=(0,n.pi)({},e);for(var r in o)o.hasOwnProperty(r)&&(t[r]=(0,n.pi)((0,n.pi)({},e[r]),o[r]));return t}))(e);var o}function a(e){return"function"==typeof e}},9296:(e,t,o)=>{"use strict";o.d(t,{D:()=>a});var n=o(7002),r=o(1767),i=o(7576);function a(e,t){var o,a=(o=n.useState(0)[1],function(){return o((function(e){return++e}))}),s=n.useContext(i.i).customizations,l=s.inCustomizerContext;return n.useEffect((function(){return l||r.X.observe(a),function(){l||r.X.unobserve(a)}}),[l]),r.X.getSettings(e,t,s)}},5446:(e,t,o)=>{"use strict";o.d(t,{M:()=>r});var n=o(6169);function r(e){if(!n.N&&"undefined"!=typeof document){var t=e;return t&&t.ownerDocument?t.ownerDocument:document}}},9757:(e,t,o)=>{"use strict";o.d(t,{J:()=>i});var n=o(6169),r=void 0;try{r=window}catch(e){}function i(e){if(!n.N&&void 0!==r){var t=e;return t&&t.ownerDocument&&t.ownerDocument.defaultView?t.ownerDocument.defaultView:r}}},9251:(e,t,o)=>{"use strict";function n(e,t,o,n){return e.addEventListener(t,o,n),function(){return e.removeEventListener(t,o,n)}}o.d(t,{on:()=>n})},3978:(e,t,o)=>{"use strict";function n(e){var t=function(e){var t;return"function"==typeof Event?t=new Event(e):(t=document.createEvent("Event")).initEvent(e,!0,!0),t}("MouseEvents");t.initEvent("click",!0,!0),e.dispatchEvent(t)}o.d(t,{x:()=>n})},6169:(e,t,o)=>{"use strict";o.d(t,{N:()=>n,T:()=>r});var n=!1;function r(e){n=e}},3774:(e,t,o)=>{"use strict";o.d(t,{c:()=>r});var n=o(9151);function r(e,t){for(var o in t)t.hasOwnProperty(o)&&(e[o]=(0,n.Z)(e,e[o],t[o]))}},4553:(e,t,o)=>{"use strict";o.d(t,{ft:()=>l,TE:()=>c,RK:()=>u,xY:()=>d,uo:()=>p,TD:()=>m,dc:()=>h,Jv:()=>g,MW:()=>f,jz:()=>v,gc:()=>b,WU:()=>y,mM:()=>_,um:()=>S,bF:()=>x,xu:()=>k});var n=o(5081),r=o(3345),i=o(6840),a=o(9757),s=o(5446);function l(e,t,o){return h(e,t,!0,!1,!1,o)}function c(e,t,o){return m(e,t,!0,!1,!0,o)}function u(e,t,o,n){return void 0===n&&(n=!0),h(e,t,n,!1,!1,o,!1,!0)}function d(e,t,o,n){return void 0===n&&(n=!0),m(e,t,n,!1,!0,o,!1,!0)}function p(e){var t=h(e,e,!0,!1,!1,!0);return!!t&&(S(t),!0)}function m(e,t,o,n,r,i,a,s){if(!t||!a&&t===e)return null;var l=g(t);if(r&&l&&(i||!v(t)&&!b(t))){var c=m(e,t.lastElementChild,!0,!0,!0,i,a,s);if(c){if(s&&f(c,!0)||!s)return c;var u=m(e,c.previousElementSibling,!0,!0,!0,i,a,s);if(u)return u;for(var d=c.parentElement;d&&d!==t;){var p=m(e,d.previousElementSibling,!0,!0,!0,i,a,s);if(p)return p;d=d.parentElement}}}return o&&l&&f(t,s)?t:m(e,t.previousElementSibling,!0,!0,!0,i,a,s)||(n?null:m(e,t.parentElement,!0,!1,!1,i,a,s))}function h(e,t,o,n,r,i,a,s){if(!t||t===e&&r&&!a)return null;var l=g(t);if(o&&l&&f(t,s))return t;if(!r&&l&&(i||!v(t)&&!b(t))){var c=h(e,t.firstElementChild,!0,!0,!1,i,a,s);if(c)return c}return t===e?null:h(e,t.nextElementSibling,!0,!0,!1,i,a,s)||(n?null:h(e,t.parentElement,!1,!1,!0,i,a,s))}function g(e){if(!e||!e.getAttribute)return!1;var t=e.getAttribute("data-is-visible");return null!=t?"true"===t:0!==e.offsetHeight||null!==e.offsetParent||!0===e.isVisible}function f(e,t){if(!e||e.disabled)return!1;var o=0,n=null;e&&e.getAttribute&&(n=e.getAttribute("tabIndex"))&&(o=parseInt(n,10));var r=e.getAttribute?e.getAttribute("data-is-focusable"):null,i=null!==n&&o>=0,a=!!e&&"false"!==r&&("A"===e.tagName||"BUTTON"===e.tagName||"INPUT"===e.tagName||"TEXTAREA"===e.tagName||"SELECT"===e.tagName||"true"===r||i);return t?-1!==o&&a:a}function v(e){return!!(e&&e.getAttribute&&e.getAttribute("data-focuszone-id"))}function b(e){return!(!e||!e.getAttribute||"true"!==e.getAttribute("data-is-sub-focuszone"))}function y(e){var t=(0,s.M)(e),o=t&&t.activeElement;return!(!o||!(0,r.t)(e,o))}function _(e,t){return"true"!==(0,n.j)(e,t)}var C=void 0;function S(e){if(e){if(C)return void(C=e);C=e;var t=(0,a.J)(e);t&&t.requestAnimationFrame((function(){C&&C.focus(),C=void 0}))}}function x(e,t){for(var o=e,n=0,r=t;n{"use strict";o.d(t,{z:()=>s,_:()=>l});var n=o(9757),r=o(729),i=(0,n.J)()||{};void 0===i.__currentId__&&(i.__currentId__=0);var a=!1;function s(e){if(!a){var t=r.Y.getInstance();t&&t.onReset&&t.onReset(l),a=!0}return(void 0===e?"id__":e)+i.__currentId__++}function l(e){void 0===e&&(e=0),i.__currentId__=e}},63:(e,t,o)=>{"use strict";o.d(t,{j:()=>r});var n=o(7622);function r(e,t){for(var o=(0,n.pi)({},t),r=0,i=Object.keys(e);r{"use strict";o.d(t,{W:()=>r,e:()=>i});var n=["setState","render","componentWillMount","UNSAFE_componentWillMount","componentDidMount","componentWillReceiveProps","UNSAFE_componentWillReceiveProps","shouldComponentUpdate","componentWillUpdate","getSnapshotBeforeUpdate","UNSAFE_componentWillUpdate","componentDidUpdate","componentWillUnmount"];function r(e,t,o){void 0===o&&(o=n);var r=[],i=function(n){"function"!=typeof t[n]||void 0!==e[n]||o&&-1!==o.indexOf(n)||(r.push(n),e[n]=function(){for(var e=[],o=0;o{"use strict";function n(e,t){for(var o in e)e.hasOwnProperty(o)&&(t[o]=e[o]);return t}o.d(t,{f:()=>n})},5036:(e,t,o)=>{"use strict";o.d(t,{f:()=>r});var n=o(9757),r=function(){var e,t,o=(0,n.J)();return!!(null===(t=null===(e=o)||void 0===e?void 0:e.navigator)||void 0===t?void 0:t.userAgent)&&o.navigator.userAgent.indexOf("rv:11.0")>-1}},688:(e,t,o)=>{"use strict";o.d(t,{l:()=>r});var n=o(3774);function r(e){(0,n.c)(e,{componentDidMount:i,componentDidUpdate:a,componentWillUnmount:s})}function i(){l(this.props.componentRef,this)}function a(e){e.componentRef!==this.props.componentRef&&(l(e.componentRef,null),l(this.props.componentRef,this))}function s(){l(this.props.componentRef,null)}function l(e,t){e&&("object"==typeof e?e.current=t:"function"==typeof e&&e(t))}},6104:(e,t,o)=>{"use strict";o.d(t,{Q:()=>l});var n=/[\(\[\{][^\)\]\}]*[\)\]\}]/g,r=/[\0-\u001F\!-/:-@\[-`\{-\u00BF\u0250-\u036F\uD800-\uFFFF]/g,i=/^\d+[\d\s]*(:?ext|x|)\s*\d+$/i,a=/\s+/g,s=/[\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]/;function l(e,t,o){return e?(e=function(e){return(e=(e=(e=e.replace(n,"")).replace(r,"")).replace(a," ")).trim()}(e),s.test(e)||!o&&i.test(e)?"":function(e,t){var o="",n=e.split(" ");return 2===n.length?(o+=n[0].charAt(0).toUpperCase(),o+=n[1].charAt(0).toUpperCase()):3===n.length?(o+=n[0].charAt(0).toUpperCase(),o+=n[2].charAt(0).toUpperCase()):0!==n.length&&(o+=n[0].charAt(0).toUpperCase()),t&&o.length>1?o.charAt(1)+o.charAt(0):o}(e,t)):""}},7414:(e,t,o)=>{"use strict";o.d(t,{L:()=>a,e:()=>s});var n,r=o(8145),i=((n={})[r.m.up]=1,n[r.m.down]=1,n[r.m.left]=1,n[r.m.right]=1,n[r.m.home]=1,n[r.m.end]=1,n[r.m.tab]=1,n[r.m.pageUp]=1,n[r.m.pageDown]=1,n);function a(e){return!!i[e]}function s(e){i[e]=1}},3856:(e,t,o)=>{"use strict";o.d(t,{G:()=>l,m:()=>c});var n,r=o(5446),i=o(9757),a=o(6982),s="language";function l(e){if(void 0===e&&(e="sessionStorage"),void 0===n){var t=(0,r.M)(),o="localStorage"===e?function(e){var t=null;try{var o=(0,i.J)();t=o?o.localStorage.getItem("language"):null}catch(e){}return t}():"sessionStorage"===e?a.r(s):void 0;o&&(n=o),void 0===n&&t&&(n=t.documentElement.getAttribute("lang")),void 0===n&&(n="en")}return n}function c(e,t){var o=(0,r.M)();o&&o.documentElement.setAttribute("lang",e);var l=!0===t?"none":t||"sessionStorage";"localStorage"===l?function(e,t){try{var o=(0,i.J)();o&&o.localStorage.setItem("language",t)}catch(e){}}(0,e):"sessionStorage"===l&&a.L(s,e),n=e}},8633:(e,t,o)=>{"use strict";function n(e,t){var o=e.left||e.x||0,n=e.top||e.y||0,r=t.left||t.x||0,i=t.top||t.y||0;return Math.sqrt(Math.pow(o-r,2)+Math.pow(n-i,2))}function r(e){var t,o=e.contentSize,n=e.boundsSize,r=e.mode,i=void 0===r?"contain":r,a=e.maxScale,s=void 0===a?1:a,l=o.width/o.height,c=n.width/n.height;t=("contain"===i?l>c:ln,nK:()=>r,oe:()=>i,F0:()=>a})},5094:(e,t,o)=>{"use strict";o.d(t,{rQ:()=>c,du:()=>u,HP:()=>d,NF:()=>p,Ct:()=>m});var n=o(729),r=!1,i=0,a={empty:!0},s={},l="undefined"==typeof WeakMap?null:WeakMap;function c(e){l=e}function u(){i++}function d(e,t,o){var n=p(o.value&&o.value.bind(null));return{configurable:!0,get:function(){return n}}}function p(e,t,o){if(void 0===t&&(t=100),void 0===o&&(o=!1),!l)return e;if(!r){var a=n.Y.getInstance();a&&a.onReset&&n.Y.getInstance().onReset(u),r=!0}var s,c=0,d=i;return function(){for(var n=[],r=0;r0&&c>t)&&(s=g(),c=0,d=i),a=s;for(var l=0;l{"use strict";function n(e){for(var t=[],o=1;o-1;e[n]=a?i:r(e[n]||{},i,o)}}return o.pop(),e}o.d(t,{T:()=>n})},8936:(e,t,o)=>{"use strict";o.d(t,{g:()=>n});var n=function(){return!!(window&&window.navigator&&window.navigator.userAgent)&&/iPad|iPhone|iPod/i.test(window.navigator.userAgent)}},6093:(e,t,o)=>{"use strict";o.d(t,{O:()=>r});var n=o(5446);function r(e){for(var t,o=[],r=(0,n.M)(e)||document;e!==r.body;){for(var i=0,a=e.parentElement.children;i{"use strict";function n(e,t){for(var o in e)if(e.hasOwnProperty(o)&&(!t.hasOwnProperty(o)||t[o]!==e[o]))return!1;for(var o in t)if(t.hasOwnProperty(o)&&!e.hasOwnProperty(o))return!1;return!0}function r(e){for(var t=[],o=1;on,f0:()=>r,lW:()=>i,vT:()=>a,VO:()=>s,CE:()=>l})},6479:(e,t,o)=>{"use strict";o.d(t,{V:()=>i});var n,r=o(9757);function i(e){if(void 0===n||e){var t=(0,r.J)(),o=t&&t.navigator.userAgent;n=!!o&&-1!==o.indexOf("Macintosh")}return!!n}},6670:(e,t,o)=>{"use strict";function n(e){return e.clientWidthn,cs:()=>r,zS:()=>i})},8127:(e,t,o)=>{"use strict";o.d(t,{WO:()=>r,Nf:()=>i,iY:()=>a,mp:()=>s,vF:()=>l,NI:()=>c,t$:()=>u,PT:()=>d,h2:()=>p,Yq:()=>m,Gg:()=>h,FI:()=>g,bL:()=>f,Qy:()=>v,$B:()=>b,PC:()=>y,fI:()=>_,IX:()=>C,YG:()=>S,qi:()=>x,NX:()=>k,SZ:()=>w,it:()=>I,X7:()=>D,n7:()=>T,pq:()=>E});var n=function(){for(var e=[],t=0;t=0||0===l.indexOf("data-")||0===l.indexOf("aria-"))||o&&-1!==(null===(n=o)||void 0===n?void 0:n.indexOf(l))||(i[l]=e[l])}return i}},8826:(e,t,o)=>{"use strict";o.d(t,{k:()=>i});var n=o(5094),r=(0,n.Ct)((function(e){return(0,n.Ct)((function(t){var o=(0,n.Ct)((function(e){return function(o){return t(o,e)}}));return function(n,r){return e(n,r?o(r):t)}}))}));function i(e,t){return r(e)(t)}},5951:(e,t,o)=>{"use strict";o.d(t,{zg:()=>c,ok:()=>u,dP:()=>d});var n,r=o(8145),i=o(5446),a=o(6982),s=o(6825),l="isRTL";function c(e){if(void 0===e&&(e={}),void 0!==e.rtl)return e.rtl;if(void 0===n){var t=(0,a.r)(l);null!==t&&u(n="1"===t);var o=(0,i.M)();void 0===n&&o&&(n="rtl"===(o.body&&o.body.getAttribute("dir")||o.documentElement.getAttribute("dir")),(0,s.ok)(n))}return!!n}function u(e,t){void 0===t&&(t=!1);var o=(0,i.M)();o&&o.documentElement.setAttribute("dir",e?"rtl":"ltr"),t&&(0,a.L)(l,e?"1":"0"),n=e,(0,s.ok)(n)}function d(e,t){return void 0===t&&(t={}),c(t)&&(e===r.m.left?e=r.m.right:e===r.m.right&&(e=r.m.left)),e}},2990:(e,t,o)=>{"use strict";o.d(t,{J:()=>r});var n=o(3774),r=function(e){var t;return function(o){t||(t=new Set,(0,n.c)(e,{componentWillUnmount:function(){t.forEach((function(e){return cancelAnimationFrame(e)}))}}));var r=requestAnimationFrame((function(){t.delete(r),o()}));t.add(r)}}},4948:(e,t,o)=>{"use strict";o.d(t,{c6:()=>c,C7:()=>u,eC:()=>d,Qp:()=>m,tG:()=>h,np:()=>g,zj:()=>f});var n,r=o(5446),i=o(9444),a=o(9757),s=0,l=(0,i.y)({overflow:"hidden !important"}),c="data-is-scrollable",u=function(e,t){if(e){var o=0,n=null;t.on(e,"touchstart",(function(e){1===e.targetTouches.length&&(o=e.targetTouches[0].clientY)}),{passive:!1}),t.on(e,"touchmove",(function(e){if(1===e.targetTouches.length&&(e.stopPropagation(),n)){var t=e.targetTouches[0].clientY-o,r=f(e.target);r&&(n=r),0===n.scrollTop&&t>0&&e.preventDefault(),n.scrollHeight-Math.ceil(n.scrollTop)<=n.clientHeight&&t<0&&e.preventDefault()}}),{passive:!1}),n=e}},d=function(e,t){e&&t.on(e,"touchmove",(function(e){e.stopPropagation()}),{passive:!1})},p=function(e){e.preventDefault()};function m(){var e=(0,r.M)();e&&e.body&&!s&&(e.body.classList.add(l),e.body.addEventListener("touchmove",p,{passive:!1,capture:!1})),s++}function h(){if(s>0){var e=(0,r.M)();e&&e.body&&1===s&&(e.body.classList.remove(l),e.body.removeEventListener("touchmove",p)),s--}}function g(){if(void 0===n){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),n=e.offsetWidth-e.clientWidth,document.body.removeChild(e)}return n}function f(e){for(var t=e,o=(0,r.M)(e);t&&t!==o.body;){if("true"===t.getAttribute(c))return t;t=t.parentElement}for(t=e;t&&t!==o.body;){if("false"!==t.getAttribute(c)){var n=getComputedStyle(t),i=n?n.getPropertyValue("overflow-y"):"";if(i&&("scroll"===i||"auto"===i))return t}t=t.parentElement}return t&&t!==o.body||(t=(0,a.J)(e)),t}},3297:(e,t,o)=>{"use strict";o.d(t,{Y:()=>i});var n=o(5238),r=o(9919),i=function(){function e(){for(var e=[],t=0;t0&&this._isAllSelected&&0===this._exemptedCount||!this._isAllSelected&&this._exemptedCount===e&&e>0},e.prototype.isKeySelected=function(e){var t=this._keyToIndexMap[e];return this.isIndexSelected(t)},e.prototype.isIndexSelected=function(e){return!!(this.count>0&&this._isAllSelected&&!this._exemptedIndices[e]&&!this._unselectableIndices[e]||!this._isAllSelected&&this._exemptedIndices[e])},e.prototype.setAllSelected=function(e){if(!e||this.mode===n.oW.multiple){var t=this._items?this._items.length-this._unselectableCount:0;this.setChangeEvents(!1),t>0&&(this._exemptedCount>0||e!==this._isAllSelected)&&(this._exemptedIndices={},(e!==this._isAllSelected||this._exemptedCount>0)&&(this._exemptedCount=0,this._isAllSelected=e,this._change()),this._updateCount()),this.setChangeEvents(!0)}},e.prototype.setKeySelected=function(e,t,o){var n=this._keyToIndexMap[e];n>=0&&this.setIndexSelected(n,t,o)},e.prototype.setIndexSelected=function(e,t,o){if(this.mode!==n.oW.none&&!((e=Math.min(Math.max(0,e),this._items.length-1))<0||e>=this._items.length)){this.setChangeEvents(!1);var r=this._exemptedIndices[e];!this._unselectableIndices[e]&&(t&&this.mode===n.oW.single&&this._setAllSelected(!1,!0),r&&(t&&this._isAllSelected||!t&&!this._isAllSelected)&&(delete this._exemptedIndices[e],this._exemptedCount--),!r&&(t&&!this._isAllSelected||!t&&this._isAllSelected)&&(this._exemptedIndices[e]=!0,this._exemptedCount++),o&&(this._anchoredIndex=e)),this._updateCount(),this.setChangeEvents(!0)}},e.prototype.selectToKey=function(e,t){this.selectToIndex(this._keyToIndexMap[e],t)},e.prototype.selectToIndex=function(e,t){if(this.mode!==n.oW.none)if(this.mode!==n.oW.single){var o=this._anchoredIndex||0,r=Math.min(e,o),i=Math.max(e,o);for(this.setChangeEvents(!1),t&&this._setAllSelected(!1,!0);r<=i;r++)this.setIndexSelected(r,!0,!1);this.setChangeEvents(!0)}else this.setIndexSelected(e,!0,!0)},e.prototype.toggleAllSelected=function(){this.setAllSelected(!this.isAllSelected())},e.prototype.toggleKeySelected=function(e){this.setKeySelected(e,!this.isKeySelected(e),!0)},e.prototype.toggleIndexSelected=function(e){this.setIndexSelected(e,!this.isIndexSelected(e),!0)},e.prototype.toggleRangeSelected=function(e,t){if(this.mode!==n.oW.none){var o=this.isRangeSelected(e,t),r=e+t;if(!(this.mode===n.oW.single&&t>1)){this.setChangeEvents(!1);for(var i=e;i0&&(this._exemptedCount>0||e!==this._isAllSelected)&&(this._exemptedIndices={},(e!==this._isAllSelected||this._exemptedCount>0)&&(this._exemptedCount=0,this._isAllSelected=e,this._change()),this._updateCount(t)),this.setChangeEvents(!0)}},e.prototype._change=function(){0===this._changeEventSuppressionCount?(this._selectedItems=null,this._selectedIndices=void 0,r.r.raise(this,n.F5),this._onSelectionChanged&&this._onSelectionChanged()):this._hasChanged=!0},e}();function a(e,t){var o=(e||{}).key;return void 0===o?""+t:o}},5238:(e,t,o)=>{"use strict";o.d(t,{F5:()=>i,oW:()=>n,a$:()=>r});var n,r,i="change";!function(e){e[e.none=0]="none",e[e.single=1]="single",e[e.multiple=2]="multiple"}(n||(n={})),function(e){e[e.horizontal=0]="horizontal",e[e.vertical=1]="vertical"}(r||(r={}))},6982:(e,t,o)=>{"use strict";o.d(t,{r:()=>r,L:()=>i});var n=o(9757);function r(e){var t=null;try{var o=(0,n.J)();t=o?o.sessionStorage.getItem(e):null}catch(e){}return t}function i(e,t){var o;try{null===(o=(0,n.J)())||void 0===o||o.sessionStorage.setItem(e,t)}catch(e){}}},6145:(e,t,o)=>{"use strict";o.d(t,{G$:()=>r,MU:()=>a});var n=o(9757),r="ms-Fabric--isFocusVisible",i="ms-Fabric--isFocusHidden";function a(e,t){var o=t?(0,n.J)(t):(0,n.J)();if(o){var a=o.document.body.classList;a.add(e?r:i),a.remove(e?i:r)}}},6953:(e,t,o)=>{"use strict";o.d(t,{W:()=>i});var n=/[\{\}]/g,r=/\{\d+\}/g;function i(e){for(var t=[],o=1;o{"use strict";o.d(t,{z:()=>l});var n=o(7622),r=o(7002),i=o(965),a=o(9296),s=["theme","styles"];function l(e,t,o,l,c){var u=(l=l||{scope:"",fields:void 0}).scope,d=l.fields,p=void 0===d?s:d,m=r.forwardRef((function(s,l){var c=r.useRef(),d=(0,a.D)(p,u),m=d.styles,h=(d.dir,(0,n._T)(d,["styles","dir"])),g=o?o(s):void 0,f=c.current&&c.current.__cachedInputs__||[];if(!c.current||m!==f[1]||s.styles!==f[2]){var v=function(e){return(0,i.l)(e,t,m,s.styles)};v.__cachedInputs__=[t,m,s.styles],v.__noStyleOverride__=!m&&!s.styles,c.current=v}return r.createElement(e,(0,n.pi)({ref:l},h,g,s,{styles:c.current}))}));m.displayName="Styled"+(e.displayName||e.name);var h=c?r.memo(m):m;return m.displayName&&(h.displayName=m.displayName),h}},5480:(e,t,o)=>{"use strict";o.d(t,{P:()=>c,u:()=>u});var n=o(7002),r=o(9757),i=o(7414),a=o(6145),s=new WeakMap;function l(e,t){var o,n=s.get(e);return o=n?n+t:1,s.set(e,o),o}function c(e){n.useEffect((function(){var t,o,n=(0,r.J)(null===(t=e)||void 0===t?void 0:t.current);if(n&&!0!==(null===(o=n.FabricConfig)||void 0===o?void 0:o.disableFocusRects)){var i=l(n,1);return i<=1&&(n.addEventListener("mousedown",d,!0),n.addEventListener("pointerdown",p,!0),n.addEventListener("keydown",m,!0)),function(){var e;n&&!0!==(null===(e=n.FabricConfig)||void 0===e?void 0:e.disableFocusRects)&&0===(i=l(n,-1))&&(n.removeEventListener("mousedown",d,!0),n.removeEventListener("pointerdown",p,!0),n.removeEventListener("keydown",m,!0))}}}),[e])}var u=function(e){return c(e.rootRef),null};function d(e){(0,a.MU)(!1,e.target)}function p(e){"mouse"!==e.pointerType&&(0,a.MU)(!1,e.target)}function m(e){(0,i.L)(e.which)&&(0,a.MU)(!0,e.target)}},687:(e,t,o)=>{"use strict";function n(e){console&&console.warn&&console.warn(e)}function r(e){}o.d(t,{Z:()=>n,U:()=>r})},5415:(e,t,o)=>{"use strict";function n(e,t,o,n,r){}o.d(t,{w:()=>n}),o(687)},5301:(e,t,o)=>{"use strict";function n(){}function r(e){}o.d(t,{G:()=>n,Q:()=>r})},3129:(e,t,o)=>{"use strict";function n(e,t,o){}o.d(t,{b:()=>n})},209:(e,t,o)=>{"use strict";function n(e,t,o){}o.d(t,{L:()=>n})},4976:(e,t,o)=>{"use strict";o.d(t,{RM:()=>d,jz:()=>m});var n,r=function(){return(r=Object.assign||function(e){for(var t,o=1,n=arguments.length;oo&&t.push({rawString:e.substring(o,r)}),t.push({theme:n[1],defaultValue:n[2]}),o=l.lastIndex}t.push({rawString:e.substring(o)})}return t}(e),n=s.runState,r=n.mode,i=n.buffer,a=n.flushTimer;t||1===r?(i.push(o),a||(s.runState.flushTimer=setTimeout((function(){s.runState.flushTimer=0,u((function(){var e=s.runState.buffer.slice();s.runState.buffer=[];var t=[].concat.apply([],e);t.length>0&&p(t)}))}),0))):p(o)}))}function p(e,t){s.loadStyles?s.loadStyles(g(e).styleString,e):function(e){if("undefined"!=typeof document){var t=document.getElementsByTagName("head")[0],o=document.createElement("style"),n=g(e),r=n.styleString,i=n.themable;o.setAttribute("data-load-themed-styles","true"),a&&o.setAttribute("nonce",a),o.appendChild(document.createTextNode(r)),s.perf.count++,t.appendChild(o);var l=document.createEvent("HTMLEvents");l.initEvent("styleinsert",!0,!1),l.args={newStyle:o},document.dispatchEvent(l);var c={styleElement:o,themableStyle:e};i?s.registeredThemableStyles.push(c):s.registeredStyles.push(c)}}(e)}function m(e){s.theme=e,function(){if(s.theme){for(var e=[],t=0,o=s.registeredThemableStyles;t0&&(void 0===(r=1)&&(r=3),3!==r&&2!==r||(h(s.registeredStyles),s.registeredStyles=[]),3!==r&&1!==r||(h(s.registeredThemableStyles),s.registeredThemableStyles=[]),p([].concat.apply([],e)))}var r}()}function h(e){e.forEach((function(e){var t=e&&e.styleElement;t&&t.parentElement&&t.parentElement.removeChild(t)}))}function g(e){var t=s.theme,o=!1;return{styleString:(e||[]).map((function(e){var n=e.theme;if(n){o=!0;var r=t?t[n]:void 0,i=e.defaultValue||"inherit";return t&&!r&&console&&!(n in t)&&"undefined"!=typeof DEBUG&&DEBUG&&console.warn('Theming value not provided for "'+n+'". Falling back to "'+i+'".'),r||i}return e.rawString})).join(""),themable:o}}},7622:(e,t,o)=>{"use strict";o.d(t,{ZT:()=>r,pi:()=>i,_T:()=>a,gn:()=>s,pr:()=>l});var n=function(e,t){return(n=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var o in t)t.hasOwnProperty(o)&&(e[o]=t[o])})(e,t)};function r(e,t){function o(){this.constructor=e}n(e,t),e.prototype=null===t?Object.create(t):(o.prototype=t.prototype,new o)}var i=function(){return(i=Object.assign||function(e){for(var t,o=1,n=arguments.length;o=0;s--)(r=e[s])&&(a=(i<3?r(a):i>3?r(t,o,a):r(t,o))||a);return i>3&&a&&Object.defineProperty(t,o,a),a}function l(){for(var e=0,t=0,o=arguments.length;t{"use strict";o.r(t),o.d(t,{ActionButton:()=>D,Calendar:()=>B,Checkbox:()=>F,ChoiceGroup:()=>L,ColorPicker:()=>A,ComboBox:()=>z,CommandBarButton:()=>T,CommandButton:()=>E,CompoundButton:()=>P,DatePicker:()=>H,DefaultButton:()=>M,Dropdown:()=>O,IconButton:()=>R,NormalPeoplePicker:()=>W,PrimaryButton:()=>N,Rating:()=>V,SearchBox:()=>K,Slider:()=>q,SpinButton:()=>G,SwatchColorPicker:()=>U,TextField:()=>j,Toggle:()=>J});var n=o(2898),r=o(1420),i=o(990),a=o(8959),s=o(9632),l=o(5758),c=o(8924),u=o(4977),d=o(2777),p=o(9240),m=o(6847),h=o(610),g=o(127),f=o(4004),v=o(9318),b=o(558),y=o(6419),_=o(4107),C=o(3134),S=o(9502),x=o(8623),k=o(1431);const w=jsmodule["@/shiny.react"];function I(e,t){(null==t||t>e.length)&&(t=e.length);for(var o=0,n=new Array(t);o{function n(e,t){var o=Object.keys(e);if(Object.getOwnPropertySymbols){var n=Object.getOwnPropertySymbols(e);t&&(n=n.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),o.push.apply(o,n)}return o}function r(e){for(var t=1;t{"use strict";e.exports=jsmodule.react}},t={};function o(n){if(t[n])return t[n].exports;var r=t[n]={exports:{}};return e[n](r,r.exports,o),r.exports}o.n=e=>{var t=e&&e.__esModule?()=>e.default:()=>e;return o.d(t,{a:t}),t},o.d=(e,t)=>{for(var n in t)o.o(t,n)&&!o.o(e,n)&&Object.defineProperty(e,n,{enumerable:!0,get:t[n]})},o.g=function(){if("object"==typeof globalThis)return globalThis;try{return this||new Function("return this")()}catch(e){if("object"==typeof window)return window}}(),o.o=(e,t)=>Object.prototype.hasOwnProperty.call(e,t),o.r=e=>{"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(e,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(e,"__esModule",{value:!0})},(()=>{"use strict";o(4686),(0,o(2481).l)()})()})(); \ No newline at end of file +(()=>{var e={6786:(e,t,o)=>{"use strict";o.d(t,{mR:()=>r,tf:()=>i});var n=o(7622),r={formatDay:function(e){return e.getDate().toString()},formatMonth:function(e,t){return t.months[e.getMonth()]},formatYear:function(e){return e.getFullYear().toString()},formatMonthDayYear:function(e,t){return t.months[e.getMonth()]+" "+e.getDate()+", "+e.getFullYear()},formatMonthYear:function(e,t){return t.months[e.getMonth()]+" "+e.getFullYear()}},i=(0,n.pi)((0,n.pi)({},{months:["January","February","March","April","May","June","July","August","September","October","November","December"],shortMonths:["Jan","Feb","Mar","Apr","May","Jun","Jul","Aug","Sep","Oct","Nov","Dec"],days:["Sunday","Monday","Tuesday","Wednesday","Thursday","Friday","Saturday"],shortDays:["S","M","T","W","T","F","S"]}),{goToToday:"Go to today",weekNumberFormatString:"Week number {0}",prevMonthAriaLabel:"Previous month",nextMonthAriaLabel:"Next month",prevYearAriaLabel:"Previous year",nextYearAriaLabel:"Next year",prevYearRangeAriaLabel:"Previous year range",nextYearRangeAriaLabel:"Next year range",closeButtonAriaLabel:"Close",selectedDateFormatString:"Selected date {0}",todayDateFormatString:"Today's date {0}",monthPickerHeaderAriaLabel:"{0}, change year",yearPickerHeaderAriaLabel:"{0}, change month",dayMarkedAriaLabel:"marked"})},6974:(e,t,o)=>{"use strict";o.d(t,{E4:()=>i,jh:()=>a,zI:()=>s,Bc:()=>l,pU:()=>c,D7:()=>u,W8:()=>d,Q9:()=>p,q0:()=>m,aN:()=>h,NJ:()=>g,e0:()=>f,le:()=>v,iU:()=>b,uW:()=>y,wu:()=>_,Hx:()=>C,c8:()=>x});var n=o(1093),r=o(7433);function i(e,t){var o=new Date(e.getTime());return o.setDate(o.getDate()+t),o}function a(e,t){return i(e,t*r.r.DaysInOneWeek)}function s(e,t){var o=new Date(e.getTime()),n=o.getMonth()+t;return o.setMonth(n),o.getMonth()!==(n%r.r.MonthInOneYear+r.r.MonthInOneYear)%r.r.MonthInOneYear&&(o=i(o,-o.getDate())),o}function l(e,t){var o=new Date(e.getTime());return o.setFullYear(e.getFullYear()+t),o.getMonth()!==(e.getMonth()%r.r.MonthInOneYear+r.r.MonthInOneYear)%r.r.MonthInOneYear&&(o=i(o,-o.getDate())),o}function c(e){return new Date(e.getFullYear(),e.getMonth(),1,0,0,0,0)}function u(e){return new Date(e.getFullYear(),e.getMonth()+1,0,0,0,0,0)}function d(e){return new Date(e.getFullYear(),0,1,0,0,0,0)}function p(e){return new Date(e.getFullYear()+1,0,0,0,0,0,0)}function m(e,t){return s(e,t-e.getMonth())}function h(e,t){return!e&&!t||!(!e||!t)&&e.getFullYear()===t.getFullYear()&&e.getMonth()===t.getMonth()&&e.getDate()===t.getDate()}function g(e,t){return x(e)-x(t)}function f(e,t,o,a,l){void 0===l&&(l=1);var c,u=[],d=null;switch(a||(a=[n.eO.Monday,n.eO.Tuesday,n.eO.Wednesday,n.eO.Thursday,n.eO.Friday]),l=Math.max(l,1),t){case n.NU.Day:d=i(c=S(e),l);break;case n.NU.Week:case n.NU.WorkWeek:d=i(c=_(S(e),o),r.r.DaysInOneWeek);break;case n.NU.Month:d=s(c=new Date(e.getFullYear(),e.getMonth(),1),1);break;default:throw new Error("Unexpected object: "+t)}var p=c;do{(t!==n.NU.WorkWeek||-1!==a.indexOf(p.getDay()))&&u.push(p),p=i(p,1)}while(!h(p,d));return u}function v(e,t){for(var o=0,n=t;o0&&(o-=r.r.DaysInOneWeek),i(e,o)}function C(e,t){var o=(t-1>=0?t-1:r.r.DaysInOneWeek-1)-e.getDay();return o<0&&(o+=r.r.DaysInOneWeek),i(e,o)}function S(e){return new Date(e.getFullYear(),e.getMonth(),e.getDate())}function x(e){return e.getDate()+(e.getMonth()<<5)+(e.getFullYear()<<9)}function k(e,t,o){var i=w(e)-1,a=e.getDay()-i%r.r.DaysInOneWeek,s=w(new Date(e.getFullYear()-1,n.m2.December,31))-1,l=(t-a+2*r.r.DaysInOneWeek)%r.r.DaysInOneWeek;0!==l&&l>=o&&(l-=r.r.DaysInOneWeek);var c=i-l;return c<0&&(0!=(l=(t-(a-=s%r.r.DaysInOneWeek)+2*r.r.DaysInOneWeek)%r.r.DaysInOneWeek)&&l+1>=o&&(l-=r.r.DaysInOneWeek),c=s-l),Math.floor(c/r.r.DaysInOneWeek+1)}function w(e){for(var t=e.getMonth(),o=e.getFullYear(),n=0,r=0;r{"use strict";var n,r,i,a;o.d(t,{eO:()=>n,m2:()=>r,On:()=>i,NU:()=>a,NA:()=>s}),function(e){e[e.Sunday=0]="Sunday",e[e.Monday=1]="Monday",e[e.Tuesday=2]="Tuesday",e[e.Wednesday=3]="Wednesday",e[e.Thursday=4]="Thursday",e[e.Friday=5]="Friday",e[e.Saturday=6]="Saturday"}(n||(n={})),function(e){e[e.January=0]="January",e[e.February=1]="February",e[e.March=2]="March",e[e.April=3]="April",e[e.May=4]="May",e[e.June=5]="June",e[e.July=6]="July",e[e.August=7]="August",e[e.September=8]="September",e[e.October=9]="October",e[e.November=10]="November",e[e.December=11]="December"}(r||(r={})),function(e){e[e.FirstDay=0]="FirstDay",e[e.FirstFullWeek=1]="FirstFullWeek",e[e.FirstFourDayWeek=2]="FirstFourDayWeek"}(i||(i={})),function(e){e[e.Day=0]="Day",e[e.Week=1]="Week",e[e.Month=2]="Month",e[e.WorkWeek=3]="WorkWeek"}(a||(a={}));var s=7},7433:(e,t,o)=>{"use strict";o.d(t,{r:()=>n});var n={MillisecondsInOneDay:864e5,MillisecondsIn1Sec:1e3,MillisecondsIn1Min:6e4,MillisecondsIn30Mins:18e5,MillisecondsIn1Hour:36e5,MinutesInOneDay:1440,MinutesInOneHour:60,DaysInOneWeek:7,MonthInOneYear:12}},3345:(e,t,o)=>{"use strict";o.d(t,{t:()=>r});var n=o(6840);function r(e,t,o){void 0===o&&(o=!0);var r=!1;if(e&&t)if(o)if(e===t)r=!0;else for(r=!1;t;){var i=(0,n.G)(t);if(i===e){r=!0;break}t=i}else e.contains&&(r=e.contains(t));return r}},5081:(e,t,o)=>{"use strict";o.d(t,{j:()=>r});var n=o(8023);function r(e,t){var o=(0,n.X)(e,(function(e){return e.hasAttribute(t)}));return o&&o.getAttribute(t)}},8023:(e,t,o)=>{"use strict";o.d(t,{X:()=>r});var n=o(6840);function r(e,t){return e&&e!==document.body?t(e)?e:r((0,n.G)(e),t):null}},6840:(e,t,o)=>{"use strict";o.d(t,{G:()=>r});var n=o(9157);function r(e,t){return void 0===t&&(t=!0),e&&(t&&(0,n.r)(e)||e.parentNode&&e.parentNode)}},9157:(e,t,o)=>{"use strict";o.d(t,{r:()=>r});var n=o(7876);function r(e){var t;return e&&(0,n.r)(e)&&(t=e._virtual.parent),t}},7876:(e,t,o)=>{"use strict";function n(e){return e&&!!e._virtual}o.d(t,{r:()=>n})},7466:(e,t,o)=>{"use strict";o.d(t,{w:()=>i});var n=o(8023),r=o(8308);function i(e,t){var o=(0,n.X)(e,(function(e){return t===e||e.hasAttribute(r.Y)}));return null!==o&&o.hasAttribute(r.Y)}},8308:(e,t,o)=>{"use strict";o.d(t,{Y:()=>n,U:()=>r});var n="data-portal-element";function r(e){e.setAttribute(n,"true")}},7829:(e,t,o)=>{"use strict";function n(e,t){var o=e,n=t;o._virtual||(o._virtual={children:[]});var r=o._virtual.parent;if(r&&r!==t){var i=r._virtual.children.indexOf(o);i>-1&&r._virtual.children.splice(i,1)}o._virtual.parent=n||void 0,n&&(n._virtual||(n._virtual={children:[]}),n._virtual.children.push(o))}o.d(t,{N:()=>n})},2481:(e,t,o)=>{"use strict";o.d(t,{l:()=>x});var n=o(9729);function r(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons"',src:"url('"+e+"fabric-icons-a13498cf.woff') format('woff')"},icons:{GlobalNavButton:"",ChevronDown:"",ChevronUp:"",Edit:"",Add:"",Cancel:"",More:"",Settings:"",Mail:"",Filter:"",Search:"",Share:"",BlockedSite:"",FavoriteStar:"",FavoriteStarFill:"",CheckMark:"",Delete:"",ChevronLeft:"",ChevronRight:"",Calendar:"",Megaphone:"",Undo:"",Flag:"",Page:"",Pinned:"",View:"",Clear:"",Download:"",Upload:"",Folder:"",Sort:"",AlignRight:"",AlignLeft:"",Tag:"",AddFriend:"",Info:"",SortLines:"",List:"",CircleRing:"",Heart:"",HeartFill:"",Tiles:"",Embed:"",Glimmer:"",Ascending:"",Descending:"",SortUp:"",SortDown:"",SyncToPC:"",LargeGrid:"",SkypeCheck:"",SkypeClock:"",SkypeMinus:"",ClearFilter:"",Flow:"",StatusCircleCheckmark:"",MoreVertical:""}};(0,n.fm)(o,t)}function i(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-0"',src:"url('"+e+"fabric-icons-0-467ee27f.woff') format('woff')"},icons:{PageLink:"",CommentSolid:"",ChangeEntitlements:"",Installation:"",WebAppBuilderModule:"",WebAppBuilderFragment:"",WebAppBuilderSlot:"",BullseyeTargetEdit:"",WebAppBuilderFragmentCreate:"",PageData:"",PageHeaderEdit:"",ProductList:"",UnpublishContent:"",DependencyAdd:"",DependencyRemove:"",EntitlementPolicy:"",EntitlementRedemption:"",SchoolDataSyncLogo:"",PinSolid12:"",PinSolidOff12:"",AddLink:"",SharepointAppIcon16:"",DataflowsLink:"",TimePicker:"",UserWarning:"",ComplianceAudit:"",InternetSharing:"",Brightness:"",MapPin:"",Airplane:"",Tablet:"",QuickNote:"",Video:"",People:"",Phone:"",Pin:"",Shop:"",Stop:"",Link:"",AllApps:"",Zoom:"",ZoomOut:"",Microphone:"",Camera:"",Attach:"",Send:"",FavoriteList:"",PageSolid:"",Forward:"",Back:"",Refresh:"",Lock:"",ReportHacked:"",EMI:"",MiniLink:"",Blocked:"",ReadingMode:"",Favicon:"",Remove:"",Checkbox:"",CheckboxComposite:"",CheckboxFill:"",CheckboxIndeterminate:"",CheckboxCompositeReversed:"",BackToWindow:"",FullScreen:"",Print:"",Up:"",Down:"",OEM:"",Save:"",ReturnKey:"",Cloud:"",Flashlight:"",CommandPrompt:"",Sad:"",RealEstate:"",SIPMove:"",EraseTool:"",GripperTool:"",Dialpad:"",PageLeft:"",PageRight:"",MultiSelect:"",KeyboardClassic:"",Play:"",Pause:"",InkingTool:"",Emoji2:"",GripperBarHorizontal:"",System:"",Personalize:"",SearchAndApps:"",Globe:"",EaseOfAccess:"",ContactInfo:"",Unpin:"",Contact:"",Memo:"",IncomingCall:""}};(0,n.fm)(o,t)}function a(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-1"',src:"url('"+e+"fabric-icons-1-4d521695.woff') format('woff')"},icons:{Paste:"",WindowsLogo:"",Error:"",GripperBarVertical:"",Unlock:"",Slideshow:"",Trim:"",AutoEnhanceOn:"",AutoEnhanceOff:"",Color:"",SaveAs:"",Light:"",Filters:"",AspectRatio:"",Contrast:"",Redo:"",Crop:"",PhotoCollection:"",Album:"",Rotate:"",PanoIndicator:"",Translate:"",RedEye:"",ViewOriginal:"",ThumbnailView:"",Package:"",Telemarketer:"",Warning:"",Financial:"",Education:"",ShoppingCart:"",Train:"",Move:"",TouchPointer:"",Merge:"",TurnRight:"",Ferry:"",Highlight:"",PowerButton:"",Tab:"",Admin:"",TVMonitor:"",Speakers:"",Game:"",HorizontalTabKey:"",UnstackSelected:"",StackIndicator:"",Nav2DMapView:"",StreetsideSplitMinimize:"",Car:"",Bus:"",EatDrink:"",SeeDo:"",LocationCircle:"",Home:"",SwitcherStartEnd:"",ParkingLocation:"",IncidentTriangle:"",Touch:"",MapDirections:"",CaretHollow:"",CaretSolid:"",History:"",Location:"",MapLayers:"",SearchNearby:"",Work:"",Recent:"",Hotel:"",Bank:"",LocationDot:"",Dictionary:"",ChromeBack:"",FolderOpen:"",PinnedFill:"",RevToggleKey:"",USB:"",Previous:"",Next:"",Sync:"",Help:"",Emoji:"",MailForward:"",ClosePane:"",OpenPane:"",PreviewLink:"",ZoomIn:"",Bookmarks:"",Document:"",ProtectedDocument:"",OpenInNewWindow:"",MailFill:"",ViewAll:"",Switch:"",Rename:"",Go:"",Remote:"",SelectAll:"",Orientation:"",Import:""}};(0,n.fm)(o,t)}function s(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-2"',src:"url('"+e+"fabric-icons-2-63c99abf.woff') format('woff')"},icons:{Picture:"",ChromeClose:"",ShowResults:"",Message:"",CalendarDay:"",CalendarWeek:"",MailReplyAll:"",Read:"",Cut:"",PaymentCard:"",Copy:"",Important:"",MailReply:"",GotoToday:"",Font:"",FontColor:"",FolderFill:"",Permissions:"",DisableUpdates:"",Unfavorite:"",Italic:"",Underline:"",Bold:"",MoveToFolder:"",Dislike:"",Like:"",AlignCenter:"",OpenFile:"",ClearSelection:"",FontDecrease:"",FontIncrease:"",FontSize:"",CellPhone:"",RepeatOne:"",RepeatAll:"",Calculator:"",Library:"",PostUpdate:"",NewFolder:"",CalendarReply:"",UnsyncFolder:"",SyncFolder:"",BlockContact:"",Accept:"",BulletedList:"",Preview:"",News:"",Chat:"",Group:"",World:"",Comment:"",DockLeft:"",DockRight:"",Repair:"",Accounts:"",Street:"",RadioBullet:"",Stopwatch:"",Clock:"",WorldClock:"",AlarmClock:"",Photo:"",ActionCenter:"",Hospital:"",Timer:"",FullCircleMask:"",LocationFill:"",ChromeMinimize:"",ChromeRestore:"",Annotation:"",Fingerprint:"",Handwriting:"",ChromeFullScreen:"",Completed:"",Label:"",FlickDown:"",FlickUp:"",FlickLeft:"",FlickRight:"",MiniExpand:"",MiniContract:"",Streaming:"",MusicInCollection:"",OneDriveLogo:"",CompassNW:"",Code:"",LightningBolt:"",CalculatorMultiply:"",CalculatorAddition:"",CalculatorSubtract:"",CalculatorPercentage:"",CalculatorEqualTo:"",PrintfaxPrinterFile:"",StorageOptical:"",Communications:"",Headset:"",Health:"",Webcam2:"",FrontCamera:"",ChevronUpSmall:""}};(0,n.fm)(o,t)}function l(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-3"',src:"url('"+e+"fabric-icons-3-089e217a.woff') format('woff')"},icons:{ChevronDownSmall:"",ChevronLeftSmall:"",ChevronRightSmall:"",ChevronUpMed:"",ChevronDownMed:"",ChevronLeftMed:"",ChevronRightMed:"",Devices2:"",PC1:"",PresenceChickletVideo:"",Reply:"",HalfAlpha:"",ConstructionCone:"",DoubleChevronLeftMed:"",Volume0:"",Volume1:"",Volume2:"",Volume3:"",Chart:"",Robot:"",Manufacturing:"",LockSolid:"",FitPage:"",FitWidth:"",BidiLtr:"",BidiRtl:"",RightDoubleQuote:"",Sunny:"",CloudWeather:"",Cloudy:"",PartlyCloudyDay:"",PartlyCloudyNight:"",ClearNight:"",RainShowersDay:"",Rain:"",Thunderstorms:"",RainSnow:"",Snow:"",BlowingSnow:"",Frigid:"",Fog:"",Squalls:"",Duststorm:"",Unknown:"",Precipitation:"",Ribbon:"",AreaChart:"",Assign:"",FlowChart:"",CheckList:"",Diagnostic:"",Generate:"",LineChart:"",Equalizer:"",BarChartHorizontal:"",BarChartVertical:"",Freezing:"",FunnelChart:"",Processing:"",Quantity:"",ReportDocument:"",StackColumnChart:"",SnowShowerDay:"",HailDay:"",WorkFlow:"",HourGlass:"",StoreLogoMed20:"",TimeSheet:"",TriangleSolid:"",UpgradeAnalysis:"",VideoSolid:"",RainShowersNight:"",SnowShowerNight:"",Teamwork:"",HailNight:"",PeopleAdd:"",Glasses:"",DateTime2:"",Shield:"",Header1:"",PageAdd:"",NumberedList:"",PowerBILogo:"",Info2:"",MusicInCollectionFill:"",Asterisk:"",ErrorBadge:"",CircleFill:"",Record2:"",AllAppsMirrored:"",BookmarksMirrored:"",BulletedListMirrored:"",CaretHollowMirrored:"",CaretSolidMirrored:"",ChromeBackMirrored:"",ClearSelectionMirrored:"",ClosePaneMirrored:"",DockLeftMirrored:"",DoubleChevronLeftMedMirrored:"",GoMirrored:""}};(0,n.fm)(o,t)}function c(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-4"',src:"url('"+e+"fabric-icons-4-a656cc0a.woff') format('woff')"},icons:{HelpMirrored:"",ImportMirrored:"",ImportAllMirrored:"",ListMirrored:"",MailForwardMirrored:"",MailReplyMirrored:"",MailReplyAllMirrored:"",MiniContractMirrored:"",MiniExpandMirrored:"",OpenPaneMirrored:"",ParkingLocationMirrored:"",SendMirrored:"",ShowResultsMirrored:"",ThumbnailViewMirrored:"",Media:"",Devices3:"",Focus:"",VideoLightOff:"",Lightbulb:"",StatusTriangle:"",VolumeDisabled:"",Puzzle:"",EmojiNeutral:"",EmojiDisappointed:"",HomeSolid:"",Ringer:"",PDF:"",HeartBroken:"",StoreLogo16:"",MultiSelectMirrored:"",Broom:"",AddToShoppingList:"",Cocktails:"",Wines:"",Articles:"",Cycling:"",DietPlanNotebook:"",Pill:"",ExerciseTracker:"",HandsFree:"",Medical:"",Running:"",Weights:"",Trackers:"",AddNotes:"",AllCurrency:"",BarChart4:"",CirclePlus:"",Coffee:"",Cotton:"",Market:"",Money:"",PieDouble:"",PieSingle:"",RemoveFilter:"",Savings:"",Sell:"",StockDown:"",StockUp:"",Lamp:"",Source:"",MSNVideos:"",Cricket:"",Golf:"",Baseball:"",Soccer:"",MoreSports:"",AutoRacing:"",CollegeHoops:"",CollegeFootball:"",ProFootball:"",ProHockey:"",Rugby:"",SubstitutionsIn:"",Tennis:"",Arrivals:"",Design:"",Website:"",Drop:"",HistoricalWeather:"",SkiResorts:"",Snowflake:"",BusSolid:"",FerrySolid:"",AirplaneSolid:"",TrainSolid:"",Ticket:"",WifiWarning4:"",Devices4:"",AzureLogo:"",BingLogo:"",MSNLogo:"",OutlookLogoInverse:"",OfficeLogo:"",SkypeLogo:"",Door:"",EditMirrored:"",GiftCard:"",DoubleBookmark:"",StatusErrorFull:""}};(0,n.fm)(o,t)}function u(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-5"',src:"url('"+e+"fabric-icons-5-f95ba260.woff') format('woff')"},icons:{Certificate:"",FastForward:"",Rewind:"",Photo2:"",OpenSource:"",Movers:"",CloudDownload:"",Family:"",WindDirection:"",Bug:"",SiteScan:"",BrowserScreenShot:"",F12DevTools:"",CSS:"",JS:"",DeliveryTruck:"",ReminderPerson:"",ReminderGroup:"",ReminderTime:"",TabletMode:"",Umbrella:"",NetworkTower:"",CityNext:"",CityNext2:"",Section:"",OneNoteLogoInverse:"",ToggleFilled:"",ToggleBorder:"",SliderThumb:"",ToggleThumb:"",Documentation:"",Badge:"",Giftbox:"",VisualStudioLogo:"",HomeGroup:"",ExcelLogoInverse:"",WordLogoInverse:"",PowerPointLogoInverse:"",Cafe:"",SpeedHigh:"",Commitments:"",ThisPC:"",MusicNote:"",MicOff:"",PlaybackRate1x:"",EdgeLogo:"",CompletedSolid:"",AlbumRemove:"",MessageFill:"",TabletSelected:"",MobileSelected:"",LaptopSelected:"",TVMonitorSelected:"",DeveloperTools:"",Shapes:"",InsertTextBox:"",LowerBrightness:"",WebComponents:"",OfflineStorage:"",DOM:"",CloudUpload:"",ScrollUpDown:"",DateTime:"",Event:"",Cake:"",Org:"",PartyLeader:"",DRM:"",CloudAdd:"",AppIconDefault:"",Photo2Add:"",Photo2Remove:"",Calories:"",POI:"",AddTo:"",RadioBtnOff:"",RadioBtnOn:"",ExploreContent:"",Product:"",ProgressLoopInner:"",ProgressLoopOuter:"",Blocked2:"",FangBody:"",Toolbox:"",PageHeader:"",ChatInviteFriend:"",Brush:"",Shirt:"",Crown:"",Diamond:"",ScaleUp:"",QRCode:"",Feedback:"",SharepointLogoInverse:"",YammerLogo:"",Hide:"",Uneditable:"",ReturnToSession:"",OpenFolderHorizontal:"",CalendarMirrored:""}};(0,n.fm)(o,t)}function d(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-6"',src:"url('"+e+"fabric-icons-6-ef6fd590.woff') format('woff')"},icons:{SwayLogoInverse:"",OutOfOffice:"",Trophy:"",ReopenPages:"",EmojiTabSymbols:"",AADLogo:"",AccessLogo:"",AdminALogoInverse32:"",AdminCLogoInverse32:"",AdminDLogoInverse32:"",AdminELogoInverse32:"",AdminLLogoInverse32:"",AdminMLogoInverse32:"",AdminOLogoInverse32:"",AdminPLogoInverse32:"",AdminSLogoInverse32:"",AdminYLogoInverse32:"",DelveLogoInverse:"",ExchangeLogoInverse:"",LyncLogo:"",OfficeVideoLogoInverse:"",SocialListeningLogo:"",VisioLogoInverse:"",Balloons:"",Cat:"",MailAlert:"",MailCheck:"",MailLowImportance:"",MailPause:"",MailRepeat:"",SecurityGroup:"",Table:"",VoicemailForward:"",VoicemailReply:"",Waffle:"",RemoveEvent:"",EventInfo:"",ForwardEvent:"",WipePhone:"",AddOnlineMeeting:"",JoinOnlineMeeting:"",RemoveLink:"",PeopleBlock:"",PeopleRepeat:"",PeopleAlert:"",PeoplePause:"",TransferCall:"",AddPhone:"",UnknownCall:"",NoteReply:"",NoteForward:"",NotePinned:"",RemoveOccurrence:"",Timeline:"",EditNote:"",CircleHalfFull:"",Room:"",Unsubscribe:"",Subscribe:"",HardDrive:"",RecurringTask:"",TaskManager:"",TaskManagerMirrored:"",Combine:"",Split:"",DoubleChevronUp:"",DoubleChevronLeft:"",DoubleChevronRight:"",TextBox:"",TextField:"",NumberField:"",Dropdown:"",PenWorkspace:"",BookingsLogo:"",ClassNotebookLogoInverse:"",DelveAnalyticsLogo:"",DocsLogoInverse:"",Dynamics365Logo:"",DynamicSMBLogo:"",OfficeAssistantLogo:"",OfficeStoreLogo:"",OneNoteEduLogoInverse:"",PlannerLogo:"",PowerApps:"",Suitcase:"",ProjectLogoInverse:"",CaretLeft8:"",CaretRight8:"",CaretUp8:"",CaretDown8:"",CaretLeftSolid8:"",CaretRightSolid8:"",CaretUpSolid8:"",CaretDownSolid8:"",ClearFormatting:"",Superscript:"",Subscript:"",Strikethrough:"",Export:"",ExportMirrored:""}};(0,n.fm)(o,t)}function p(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-7"',src:"url('"+e+"fabric-icons-7-2b97bb99.woff') format('woff')"},icons:{SingleBookmark:"",SingleBookmarkSolid:"",DoubleChevronDown:"",FollowUser:"",ReplyAll:"",WorkforceManagement:"",RecruitmentManagement:"",Questionnaire:"",ManagerSelfService:"",ProductionFloorManagement:"",ProductRelease:"",ProductVariant:"",ReplyMirrored:"",ReplyAllMirrored:"",Medal:"",AddGroup:"",QuestionnaireMirrored:"",CloudImportExport:"",TemporaryUser:"",CaretSolid16:"",GroupedDescending:"",GroupedAscending:"",AwayStatus:"",MyMoviesTV:"",GenericScan:"",AustralianRules:"",WifiEthernet:"",TrackersMirrored:"",DateTimeMirrored:"",StopSolid:"",DoubleChevronUp12:"",DoubleChevronDown12:"",DoubleChevronLeft12:"",DoubleChevronRight12:"",CalendarAgenda:"",ConnectVirtualMachine:"",AddEvent:"",AssetLibrary:"",DataConnectionLibrary:"",DocLibrary:"",FormLibrary:"",FormLibraryMirrored:"",ReportLibrary:"",ReportLibraryMirrored:"",ContactCard:"",CustomList:"",CustomListMirrored:"",IssueTracking:"",IssueTrackingMirrored:"",PictureLibrary:"",OfficeAddinsLogo:"",OfflineOneDriveParachute:"",OfflineOneDriveParachuteDisabled:"",TriangleSolidUp12:"",TriangleSolidDown12:"",TriangleSolidLeft12:"",TriangleSolidRight12:"",TriangleUp12:"",TriangleDown12:"",TriangleLeft12:"",TriangleRight12:"",ArrowUpRight8:"",ArrowDownRight8:"",DocumentSet:"",GoToDashboard:"",DelveAnalytics:"",ArrowUpRightMirrored8:"",ArrowDownRightMirrored8:"",CompanyDirectory:"",OpenEnrollment:"",CompanyDirectoryMirrored:"",OneDriveAdd:"",ProfileSearch:"",Header2:"",Header3:"",Header4:"",RingerSolid:"",Eyedropper:"",MarketDown:"",CalendarWorkWeek:"",SidePanel:"",GlobeFavorite:"",CaretTopLeftSolid8:"",CaretTopRightSolid8:"",ViewAll2:"",DocumentReply:"",PlayerSettings:"",ReceiptForward:"",ReceiptReply:"",ReceiptCheck:"",Fax:"",RecurringEvent:"",ReplyAlt:"",ReplyAllAlt:"",EditStyle:"",EditMail:"",Lifesaver:"",LifesaverLock:"",InboxCheck:"",FolderSearch:""}};(0,n.fm)(o,t)}function m(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-8"',src:"url('"+e+"fabric-icons-8-6fdf1528.woff') format('woff')"},icons:{CollapseMenu:"",ExpandMenu:"",Boards:"",SunAdd:"",SunQuestionMark:"",LandscapeOrientation:"",DocumentSearch:"",PublicCalendar:"",PublicContactCard:"",PublicEmail:"",PublicFolder:"",WordDocument:"",PowerPointDocument:"",ExcelDocument:"",GroupedList:"",ClassroomLogo:"",Sections:"",EditPhoto:"",Starburst:"",ShareiOS:"",AirTickets:"",PencilReply:"",Tiles2:"",SkypeCircleCheck:"",SkypeCircleClock:"",SkypeCircleMinus:"",SkypeMessage:"",ClosedCaption:"",ATPLogo:"",OfficeFormsLogoInverse:"",RecycleBin:"",EmptyRecycleBin:"",Hide2:"",Breadcrumb:"",BirthdayCake:"",TimeEntry:"",CRMProcesses:"",PageEdit:"",PageArrowRight:"",PageRemove:"",Database:"",DataManagementSettings:"",CRMServices:"",EditContact:"",ConnectContacts:"",AppIconDefaultAdd:"",AppIconDefaultList:"",ActivateOrders:"",DeactivateOrders:"",ProductCatalog:"",ScatterChart:"",AccountActivity:"",DocumentManagement:"",CRMReport:"",KnowledgeArticle:"",Relationship:"",HomeVerify:"",ZipFolder:"",SurveyQuestions:"",TextDocument:"",TextDocumentShared:"",PageCheckedOut:"",PageShared:"",SaveAndClose:"",Script:"",Archive:"",ActivityFeed:"",Compare:"",EventDate:"",ArrowUpRight:"",CaretRight:"",SetAction:"",ChatBot:"",CaretSolidLeft:"",CaretSolidDown:"",CaretSolidRight:"",CaretSolidUp:"",PowerAppsLogo:"",PowerApps2Logo:"",SearchIssue:"",SearchIssueMirrored:"",FabricAssetLibrary:"",FabricDataConnectionLibrary:"",FabricDocLibrary:"",FabricFormLibrary:"",FabricFormLibraryMirrored:"",FabricReportLibrary:"",FabricReportLibraryMirrored:"",FabricPublicFolder:"",FabricFolderSearch:"",FabricMovetoFolder:"",FabricUnsyncFolder:"",FabricSyncFolder:"",FabricOpenFolderHorizontal:"",FabricFolder:"",FabricFolderFill:"",FabricNewFolder:"",FabricPictureLibrary:"",PhotoVideoMedia:"",AddFavorite:""}};(0,n.fm)(o,t)}function h(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-9"',src:"url('"+e+"fabric-icons-9-c6162b42.woff') format('woff')"},icons:{AddFavoriteFill:"",BufferTimeBefore:"",BufferTimeAfter:"",BufferTimeBoth:"",PublishContent:"",ClipboardList:"",ClipboardListMirrored:"",CannedChat:"",SkypeForBusinessLogo:"",TabCenter:"",PageCheckedin:"",PageList:"",ReadOutLoud:"",CaretBottomLeftSolid8:"",CaretBottomRightSolid8:"",FolderHorizontal:"",MicrosoftStaffhubLogo:"",GiftboxOpen:"",StatusCircleOuter:"",StatusCircleInner:"",StatusCircleRing:"",StatusTriangleOuter:"",StatusTriangleInner:"",StatusTriangleExclamation:"",StatusCircleExclamation:"",StatusCircleErrorX:"",StatusCircleInfo:"",StatusCircleBlock:"",StatusCircleBlock2:"",StatusCircleQuestionMark:"",StatusCircleSync:"",Toll:"",ExploreContentSingle:"",CollapseContent:"",CollapseContentSingle:"",InfoSolid:"",GroupList:"",ProgressRingDots:"",CaloriesAdd:"",BranchFork:"",MuteChat:"",AddHome:"",AddWork:"",MobileReport:"",ScaleVolume:"",HardDriveGroup:"",FastMode:"",ToggleLeft:"",ToggleRight:"",TriangleShape:"",RectangleShape:"",CubeShape:"",Trophy2:"",BucketColor:"",BucketColorFill:"",Taskboard:"",SingleColumn:"",DoubleColumn:"",TripleColumn:"",ColumnLeftTwoThirds:"",ColumnRightTwoThirds:"",AccessLogoFill:"",AnalyticsLogo:"",AnalyticsQuery:"",NewAnalyticsQuery:"",AnalyticsReport:"",WordLogo:"",WordLogoFill:"",ExcelLogo:"",ExcelLogoFill:"",OneNoteLogo:"",OneNoteLogoFill:"",OutlookLogo:"",OutlookLogoFill:"",PowerPointLogo:"",PowerPointLogoFill:"",PublisherLogo:"",PublisherLogoFill:"",ScheduleEventAction:"",FlameSolid:"",ServerProcesses:"",Server:"",SaveAll:"",LinkedInLogo:"",Decimals:"",SidePanelMirrored:"",ProtectRestrict:"",Blog:"",UnknownMirrored:"",PublicContactCardMirrored:"",GridViewSmall:"",GridViewMedium:"",GridViewLarge:"",Step:"",StepInsert:"",StepShared:"",StepSharedAdd:"",StepSharedInsert:"",ViewDashboard:"",ViewList:""}};(0,n.fm)(o,t)}function g(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-10"',src:"url('"+e+"fabric-icons-10-c4ded8e4.woff') format('woff')"},icons:{ViewListGroup:"",ViewListTree:"",TriggerAuto:"",TriggerUser:"",PivotChart:"",StackedBarChart:"",StackedLineChart:"",BuildQueue:"",BuildQueueNew:"",UserFollowed:"",ContactLink:"",Stack:"",Bullseye:"",VennDiagram:"",FiveTileGrid:"",FocalPoint:"",Insert:"",RingerRemove:"",TeamsLogoInverse:"",TeamsLogo:"",TeamsLogoFill:"",SkypeForBusinessLogoFill:"",SharepointLogo:"",SharepointLogoFill:"",DelveLogo:"",DelveLogoFill:"",OfficeVideoLogo:"",OfficeVideoLogoFill:"",ExchangeLogo:"",ExchangeLogoFill:"",Signin:"",DocumentApproval:"",CloneToDesktop:"",InstallToDrive:"",Blur:"",Build:"",ProcessMetaTask:"",BranchFork2:"",BranchLocked:"",BranchCommit:"",BranchCompare:"",BranchMerge:"",BranchPullRequest:"",BranchSearch:"",BranchShelveset:"",RawSource:"",MergeDuplicate:"",RowsGroup:"",RowsChild:"",Deploy:"",Redeploy:"",ServerEnviroment:"",VisioDiagram:"",HighlightMappedShapes:"",TextCallout:"",IconSetsFlag:"",VisioLogo:"",VisioLogoFill:"",VisioDocument:"",TimelineProgress:"",TimelineDelivery:"",Backlog:"",TeamFavorite:"",TaskGroup:"",TaskGroupMirrored:"",ScopeTemplate:"",AssessmentGroupTemplate:"",NewTeamProject:"",CommentAdd:"",CommentNext:"",CommentPrevious:"",ShopServer:"",LocaleLanguage:"",QueryList:"",UserSync:"",UserPause:"",StreamingOff:"",ArrowTallUpLeft:"",ArrowTallUpRight:"",ArrowTallDownLeft:"",ArrowTallDownRight:"",FieldEmpty:"",FieldFilled:"",FieldChanged:"",FieldNotChanged:"",RingerOff:"",PlayResume:"",BulletedList2:"",BulletedList2Mirrored:"",ImageCrosshair:"",GitGraph:"",Repo:"",RepoSolid:"",FolderQuery:"",FolderList:"",FolderListMirrored:"",LocationOutline:"",POISolid:"",CalculatorNotEqualTo:"",BoxSubtractSolid:""}};(0,n.fm)(o,t)}function f(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-11"',src:"url('"+e+"fabric-icons-11-2a8393d6.woff') format('woff')"},icons:{BoxAdditionSolid:"",BoxMultiplySolid:"",BoxPlaySolid:"",BoxCheckmarkSolid:"",CirclePauseSolid:"",CirclePause:"",MSNVideosSolid:"",CircleStopSolid:"",CircleStop:"",NavigateBack:"",NavigateBackMirrored:"",NavigateForward:"",NavigateForwardMirrored:"",UnknownSolid:"",UnknownMirroredSolid:"",CircleAddition:"",CircleAdditionSolid:"",FilePDB:"",FileTemplate:"",FileSQL:"",FileJAVA:"",FileASPX:"",FileCSS:"",FileSass:"",FileLess:"",FileHTML:"",JavaScriptLanguage:"",CSharpLanguage:"",CSharp:"",VisualBasicLanguage:"",VB:"",CPlusPlusLanguage:"",CPlusPlus:"",FSharpLanguage:"",FSharp:"",TypeScriptLanguage:"",PythonLanguage:"",PY:"",CoffeeScript:"",MarkDownLanguage:"",FullWidth:"",FullWidthEdit:"",Plug:"",PlugSolid:"",PlugConnected:"",PlugDisconnected:"",UnlockSolid:"",Variable:"",Parameter:"",CommentUrgent:"",Storyboard:"",DiffInline:"",DiffSideBySide:"",ImageDiff:"",ImagePixel:"",FileBug:"",FileCode:"",FileComment:"",BusinessHoursSign:"",FileImage:"",FileSymlink:"",AutoFillTemplate:"",WorkItem:"",WorkItemBug:"",LogRemove:"",ColumnOptions:"",Packages:"",BuildIssue:"",AssessmentGroup:"",VariableGroup:"",FullHistory:"",Wheelchair:"",SingleColumnEdit:"",DoubleColumnEdit:"",TripleColumnEdit:"",ColumnLeftTwoThirdsEdit:"",ColumnRightTwoThirdsEdit:"",StreamLogo:"",PassiveAuthentication:"",AlertSolid:"",MegaphoneSolid:"",TaskSolid:"",ConfigurationSolid:"",BugSolid:"",CrownSolid:"",Trophy2Solid:"",QuickNoteSolid:"",ConstructionConeSolid:"",PageListSolid:"",PageListMirroredSolid:"",StarburstSolid:"",ReadingModeSolid:"",SadSolid:"",HealthSolid:"",ShieldSolid:"",GiftBoxSolid:"",ShoppingCartSolid:"",MailSolid:"",ChatSolid:"",RibbonSolid:""}};(0,n.fm)(o,t)}function v(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-12"',src:"url('"+e+"fabric-icons-12-7e945a1e.woff') format('woff')"},icons:{FinancialSolid:"",FinancialMirroredSolid:"",HeadsetSolid:"",PermissionsSolid:"",ParkingSolid:"",ParkingMirroredSolid:"",DiamondSolid:"",AsteriskSolid:"",OfflineStorageSolid:"",BankSolid:"",DecisionSolid:"",Parachute:"",ParachuteSolid:"",FiltersSolid:"",ColorSolid:"",ReviewSolid:"",ReviewRequestSolid:"",ReviewRequestMirroredSolid:"",ReviewResponseSolid:"",FeedbackRequestSolid:"",FeedbackRequestMirroredSolid:"",FeedbackResponseSolid:"",WorkItemBar:"",WorkItemBarSolid:"",Separator:"",NavigateExternalInline:"",PlanView:"",TimelineMatrixView:"",EngineeringGroup:"",ProjectCollection:"",CaretBottomRightCenter8:"",CaretBottomLeftCenter8:"",CaretTopRightCenter8:"",CaretTopLeftCenter8:"",DonutChart:"",ChevronUnfold10:"",ChevronFold10:"",DoubleChevronDown8:"",DoubleChevronUp8:"",DoubleChevronLeft8:"",DoubleChevronRight8:"",ChevronDownEnd6:"",ChevronUpEnd6:"",ChevronLeftEnd6:"",ChevronRightEnd6:"",ContextMenu:"",AzureAPIManagement:"",AzureServiceEndpoint:"",VSTSLogo:"",VSTSAltLogo1:"",VSTSAltLogo2:"",FileTypeSolution:"",WordLogoInverse16:"",WordLogo16:"",WordLogoFill16:"",PowerPointLogoInverse16:"",PowerPointLogo16:"",PowerPointLogoFill16:"",ExcelLogoInverse16:"",ExcelLogo16:"",ExcelLogoFill16:"",OneNoteLogoInverse16:"",OneNoteLogo16:"",OneNoteLogoFill16:"",OutlookLogoInverse16:"",OutlookLogo16:"",OutlookLogoFill16:"",PublisherLogoInverse16:"",PublisherLogo16:"",PublisherLogoFill16:"",VisioLogoInverse16:"",VisioLogo16:"",VisioLogoFill16:"",TestBeaker:"",TestBeakerSolid:"",TestExploreSolid:"",TestAutoSolid:"",TestUserSolid:"",TestImpactSolid:"",TestPlan:"",TestStep:"",TestParameter:"",TestSuite:"",TestCase:"",Sprint:"",SignOut:"",TriggerApproval:"",Rocket:"",AzureKeyVault:"",Onboarding:"",Transition:"",LikeSolid:"",DislikeSolid:"",CRMCustomerInsightsApp:"",EditCreate:"",PlayReverseResume:"",PlayReverse:"",SearchData:"",UnSetColor:"",DeclineCall:""}};(0,n.fm)(o,t)}function b(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-13"',src:"url('"+e+"fabric-icons-13-c3989a02.woff') format('woff')"},icons:{RectangularClipping:"",TeamsLogo16:"",TeamsLogoFill16:"",Spacer:"",SkypeLogo16:"",SkypeForBusinessLogo16:"",SkypeForBusinessLogoFill16:"",FilterSolid:"",MailUndelivered:"",MailTentative:"",MailTentativeMirrored:"",MailReminder:"",ReceiptUndelivered:"",ReceiptTentative:"",ReceiptTentativeMirrored:"",Inbox:"",IRMReply:"",IRMReplyMirrored:"",IRMForward:"",IRMForwardMirrored:"",VoicemailIRM:"",EventAccepted:"",EventTentative:"",EventTentativeMirrored:"",EventDeclined:"",IDBadge:"",BackgroundColor:"",OfficeFormsLogoInverse16:"",OfficeFormsLogo:"",OfficeFormsLogoFill:"",OfficeFormsLogo16:"",OfficeFormsLogoFill16:"",OfficeFormsLogoInverse24:"",OfficeFormsLogo24:"",OfficeFormsLogoFill24:"",PageLock:"",NotExecuted:"",NotImpactedSolid:"",FieldReadOnly:"",FieldRequired:"",BacklogBoard:"",ExternalBuild:"",ExternalTFVC:"",ExternalXAML:"",IssueSolid:"",DefectSolid:"",LadybugSolid:"",NugetLogo:"",TFVCLogo:"",ProjectLogo32:"",ProjectLogoFill32:"",ProjectLogo16:"",ProjectLogoFill16:"",SwayLogo32:"",SwayLogoFill32:"",SwayLogo16:"",SwayLogoFill16:"",ClassNotebookLogo32:"",ClassNotebookLogoFill32:"",ClassNotebookLogo16:"",ClassNotebookLogoFill16:"",ClassNotebookLogoInverse32:"",ClassNotebookLogoInverse16:"",StaffNotebookLogo32:"",StaffNotebookLogoFill32:"",StaffNotebookLogo16:"",StaffNotebookLogoFill16:"",StaffNotebookLogoInverted32:"",StaffNotebookLogoInverted16:"",KaizalaLogo:"",TaskLogo:"",ProtectionCenterLogo32:"",GallatinLogo:"",Globe2:"",Guitar:"",Breakfast:"",Brunch:"",BeerMug:"",Vacation:"",Teeth:"",Taxi:"",Chopsticks:"",SyncOccurence:"",UnsyncOccurence:"",GIF:"",PrimaryCalendar:"",SearchCalendar:"",VideoOff:"",MicrosoftFlowLogo:"",BusinessCenterLogo:"",ToDoLogoBottom:"",ToDoLogoTop:"",EditSolid12:"",EditSolidMirrored12:"",UneditableSolid12:"",UneditableSolidMirrored12:"",UneditableMirrored:"",AdminALogo32:"",AdminALogoFill32:"",ToDoLogoInverse:""}};(0,n.fm)(o,t)}function y(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-14"',src:"url('"+e+"fabric-icons-14-5cf58db8.woff') format('woff')"},icons:{Snooze:"",WaffleOffice365:"",ImageSearch:"",NewsSearch:"",VideoSearch:"",R:"",FontColorA:"",FontColorSwatch:"",LightWeight:"",NormalWeight:"",SemiboldWeight:"",GroupObject:"",UngroupObject:"",AlignHorizontalLeft:"",AlignHorizontalCenter:"",AlignHorizontalRight:"",AlignVerticalTop:"",AlignVerticalCenter:"",AlignVerticalBottom:"",HorizontalDistributeCenter:"",VerticalDistributeCenter:"",Ellipse:"",Line:"",Octagon:"",Hexagon:"",Pentagon:"",RightTriangle:"",HalfCircle:"",QuarterCircle:"",ThreeQuarterCircle:"","6PointStar":"","12PointStar":"",ArrangeBringToFront:"",ArrangeSendToBack:"",ArrangeSendBackward:"",ArrangeBringForward:"",BorderDash:"",BorderDot:"",LineStyle:"",LineThickness:"",WindowEdit:"",HintText:"",MediaAdd:"",AnchorLock:"",AutoHeight:"",ChartSeries:"",ChartXAngle:"",ChartYAngle:"",Combobox:"",LineSpacing:"",Padding:"",PaddingTop:"",PaddingBottom:"",PaddingLeft:"",PaddingRight:"",NavigationFlipper:"",AlignJustify:"",TextOverflow:"",VisualsFolder:"",VisualsStore:"",PictureCenter:"",PictureFill:"",PicturePosition:"",PictureStretch:"",PictureTile:"",Slider:"",SliderHandleSize:"",DefaultRatio:"",NumberSequence:"",GUID:"",ReportAdd:"",DashboardAdd:"",MapPinSolid:"",WebPublish:"",PieSingleSolid:"",BlockedSolid:"",DrillDown:"",DrillDownSolid:"",DrillExpand:"",DrillShow:"",SpecialEvent:"",OneDriveFolder16:"",FunctionalManagerDashboard:"",BIDashboard:"",CodeEdit:"",RenewalCurrent:"",RenewalFuture:"",SplitObject:"",BulkUpload:"",DownloadDocument:"",GreetingCard:"",Flower:"",WaitlistConfirm:"",WaitlistConfirmMirrored:"",LaptopSecure:"",DragObject:"",EntryView:"",EntryDecline:"",ContactCardSettings:"",ContactCardSettingsMirrored:""}};(0,n.fm)(o,t)}function _(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-15"',src:"url('"+e+"fabric-icons-15-3807251b.woff') format('woff')"},icons:{CalendarSettings:"",CalendarSettingsMirrored:"",HardDriveLock:"",HardDriveUnlock:"",AccountManagement:"",ReportWarning:"",TransitionPop:"",TransitionPush:"",TransitionEffect:"",LookupEntities:"",ExploreData:"",AddBookmark:"",SearchBookmark:"",DrillThrough:"",MasterDatabase:"",CertifiedDatabase:"",MaximumValue:"",MinimumValue:"",VisualStudioIDELogo32:"",PasteAsText:"",PasteAsCode:"",BrowserTab:"",BrowserTabScreenshot:"",DesktopScreenshot:"",FileYML:"",ClipboardSolid:"",FabricUserFolder:"",FabricNetworkFolder:"",BullseyeTarget:"",AnalyticsView:"",Video360Generic:"",Untag:"",Leave:"",Trending12:"",Blocked12:"",Warning12:"",CheckedOutByOther12:"",CheckedOutByYou12:"",CircleShapeSolid:"",SquareShapeSolid:"",TriangleShapeSolid:"",DropShapeSolid:"",RectangleShapeSolid:"",ZoomToFit:"",InsertColumnsLeft:"",InsertColumnsRight:"",InsertRowsAbove:"",InsertRowsBelow:"",DeleteColumns:"",DeleteRows:"",DeleteRowsMirrored:"",DeleteTable:"",AccountBrowser:"",VersionControlPush:"",StackedColumnChart2:"",TripleColumnWide:"",QuadColumn:"",WhiteBoardApp16:"",WhiteBoardApp32:"",PinnedSolid:"",InsertSignatureLine:"",ArrangeByFrom:"",Phishing:"",CreateMailRule:"",PublishCourse:"",DictionaryRemove:"",UserRemove:"",UserEvent:"",Encryption:"",PasswordField:"",OpenInNewTab:"",Hide3:"",VerifiedBrandSolid:"",MarkAsProtected:"",AuthenticatorApp:"",WebTemplate:"",DefenderTVM:"",MedalSolid:"",D365TalentLearn:"",D365TalentInsight:"",D365TalentHRCore:"",BacklogList:"",ButtonControl:"",TableGroup:"",MountainClimbing:"",TagUnknown:"",TagUnknownMirror:"",TagUnknown12:"",TagUnknown12Mirror:"",Link12:"",Presentation:"",Presentation12:"",Lock12:"",BuildDefinition:"",ReleaseDefinition:"",SaveTemplate:"",UserGauge:"",BlockedSiteSolid12:"",TagSolid:"",OfficeChat:""}};(0,n.fm)(o,t)}function C(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-16"',src:"url('"+e+"fabric-icons-16-9cf93f3b.woff') format('woff')"},icons:{OfficeChatSolid:"",MailSchedule:"",WarningSolid:"",Blocked2Solid:"",SkypeCircleArrow:"",SkypeArrow:"",SyncStatus:"",SyncStatusSolid:"",ProjectDocument:"",ToDoLogoOutline:"",VisioOnlineLogoFill32:"",VisioOnlineLogo32:"",VisioOnlineLogoCloud32:"",VisioDiagramSync:"",Event12:"",EventDateMissed12:"",UserOptional:"",ResponsesMenu:"",DoubleDownArrow:"",DistributeDown:"",BookmarkReport:"",FilterSettings:"",GripperDotsVertical:"",MailAttached:"",AddIn:"",LinkedDatabase:"",TableLink:"",PromotedDatabase:"",BarChartVerticalFilter:"",BarChartVerticalFilterSolid:"",MicOff2:"",MicrosoftTranslatorLogo:"",ShowTimeAs:"",FileRequest:"",WorkItemAlert:"",PowerBILogo16:"",PowerBILogoBackplate16:"",BulletedListText:"",BulletedListBullet:"",BulletedListTextMirrored:"",BulletedListBulletMirrored:"",NumberedListText:"",NumberedListNumber:"",NumberedListTextMirrored:"",NumberedListNumberMirrored:"",RemoveLinkChain:"",RemoveLinkX:"",FabricTextHighlight:"",ClearFormattingA:"",ClearFormattingEraser:"",Photo2Fill:"",IncreaseIndentText:"",IncreaseIndentArrow:"",DecreaseIndentText:"",DecreaseIndentArrow:"",IncreaseIndentTextMirrored:"",IncreaseIndentArrowMirrored:"",DecreaseIndentTextMirrored:"",DecreaseIndentArrowMirrored:"",CheckListText:"",CheckListCheck:"",CheckListTextMirrored:"",CheckListCheckMirrored:"",NumberSymbol:"",Coupon:"",VerifiedBrand:"",ReleaseGate:"",ReleaseGateCheck:"",ReleaseGateError:"",M365InvoicingLogo:"",RemoveFromShoppingList:"",ShieldAlert:"",FabricTextHighlightComposite:"",Dataflows:"",GenericScanFilled:"",DiagnosticDataBarTooltip:"",SaveToMobile:"",Orientation2:"",ScreenCast:"",ShowGrid:"",SnapToGrid:"",ContactList:"",NewMail:"",EyeShadow:"",FabricFolderConfirm:"",InformationBarriers:"",CommentActive:"",ColumnVerticalSectionEdit:"",WavingHand:"",ShakeDevice:"",SmartGlassRemote:"",Rotate90Clockwise:"",Rotate90CounterClockwise:"",CampaignTemplate:"",ChartTemplate:"",PageListFilter:"",SecondaryNav:"",ColumnVerticalSection:"",SkypeCircleSlash:"",SkypeSlash:""}};(0,n.fm)(o,t)}function S(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-17"',src:"url('"+e+"fabric-icons-17-0c4ed701.woff') format('woff')"},icons:{CustomizeToolbar:"",DuplicateRow:"",RemoveFromTrash:"",MailOptions:"",Childof:"",Footer:"",Header:"",BarChartVerticalFill:"",StackedColumnChart2Fill:"",PlainText:"",AccessibiltyChecker:"",DatabaseSync:"",ReservationOrders:"",TabOneColumn:"",TabTwoColumn:"",TabThreeColumn:"",BulletedTreeList:"",MicrosoftTranslatorLogoGreen:"",MicrosoftTranslatorLogoBlue:"",InternalInvestigation:"",AddReaction:"",ContactHeart:"",VisuallyImpaired:"",EventToDoLogo:"",Variable2:"",ModelingView:"",DisconnectVirtualMachine:"",ReportLock:"",Uneditable2:"",Uneditable2Mirrored:"",BarChartVerticalEdit:"",GlobalNavButtonActive:"",PollResults:"",Rerun:"",QandA:"",QandAMirror:"",BookAnswers:"",AlertSettings:"",TrimStart:"",TrimEnd:"",TableComputed:"",DecreaseIndentLegacy:"",IncreaseIndentLegacy:"",SizeLegacy:""}};(0,n.fm)(o,t)}function x(e,t){void 0===e&&(e="https://spoprod-a.akamaihd.net/files/fabric/assets/icons/"),[r,i,a,s,l,c,u,d,p,m,h,g,f,v,b,y,_,C,S].forEach((function(o){return o(e,t)})),(0,n.M_)("trash","delete"),(0,n.M_)("onedrive","onedrivelogo"),(0,n.M_)("alertsolid12","eventdatemissed12"),(0,n.M_)("sixpointstar","6pointstar"),(0,n.M_)("twelvepointstar","12pointstar"),(0,n.M_)("toggleon","toggleleft"),(0,n.M_)("toggleoff","toggleright")}(0,o(6316).x)("@fluentui/font-icons-mdl2","8.0.2")},6825:(e,t,o)=>{"use strict";function n(e){i!==e&&(i=e)}function r(){return void 0===i&&(i="undefined"!=typeof document&&!!document.documentElement&&"rtl"===document.documentElement.getAttribute("dir")),i}var i;function a(){return{rtl:r()}}o.d(t,{ok:()=>n,Eo:()=>a}),i=r()},729:(e,t,o)=>{"use strict";o.d(t,{q:()=>i,Y:()=>l});var n,r=o(7622),i={none:0,insertNode:1,appendChild:2},a="undefined"!=typeof navigator&&/rv:11.0/.test(navigator.userAgent),s={};try{s=window}catch(e){}var l=function(){function e(e){this._rules=[],this._preservedRules=[],this._rulesToInsert=[],this._counter=0,this._keyToClassName={},this._onResetCallbacks=[],this._classNameToArgs={},this._config=(0,r.pi)({injectionMode:i.insertNode,defaultPrefix:"css",namespace:void 0,cspSettings:void 0},e),this._keyToClassName=this._config.classNameCache||{}}return e.getInstance=function(){var t;if(!(n=s.__stylesheet__)||n._lastStyleElement&&n._lastStyleElement.ownerDocument!==document){var o=(null===(t=s)||void 0===t?void 0:t.FabricConfig)||{};n=s.__stylesheet__=new e(o.mergeStyles)}return n},e.prototype.setConfig=function(e){this._config=(0,r.pi)((0,r.pi)({},this._config),e)},e.prototype.onReset=function(e){this._onResetCallbacks.push(e)},e.prototype.getClassName=function(e){var t=this._config.namespace;return(t?t+"-":"")+(e||this._config.defaultPrefix)+"-"+this._counter++},e.prototype.cacheClassName=function(e,t,o,n){this._keyToClassName[t]=e,this._classNameToArgs[e]={args:o,rules:n}},e.prototype.classNameFromKey=function(e){return this._keyToClassName[e]},e.prototype.getClassNameCache=function(){return this._keyToClassName},e.prototype.argsFromClassName=function(e){var t=this._classNameToArgs[e];return t&&t.args},e.prototype.insertedRulesFromClassName=function(e){var t=this._classNameToArgs[e];return t&&t.rules},e.prototype.insertRule=function(e,t){var o=this._config.injectionMode!==i.none?this._getStyleElement():void 0;if(t&&this._preservedRules.push(e),o)switch(this._config.injectionMode){case i.insertNode:var n=o.sheet;try{n.insertRule(e,n.cssRules.length)}catch(e){}break;case i.appendChild:o.appendChild(document.createTextNode(e))}else this._rules.push(e);this._config.onInsertRule&&this._config.onInsertRule(e)},e.prototype.getRules=function(e){return(e?this._preservedRules.join(""):"")+this._rules.join("")+this._rulesToInsert.join("")},e.prototype.reset=function(){this._rules=[],this._rulesToInsert=[],this._counter=0,this._classNameToArgs={},this._keyToClassName={},this._onResetCallbacks.forEach((function(e){return e()}))},e.prototype.resetKeys=function(){this._keyToClassName={}},e.prototype._getStyleElement=function(){var e=this;return this._styleElement||"undefined"==typeof document||(this._styleElement=this._createStyleElement(),a||window.requestAnimationFrame((function(){e._styleElement=void 0}))),this._styleElement},e.prototype._createStyleElement=function(){var e=document.head,t=document.createElement("style");t.setAttribute("data-merge-styles","true");var o=this._config.cspSettings;if(o&&o.nonce&&t.setAttribute("nonce",o.nonce),this._lastStyleElement)e.insertBefore(t,this._lastStyleElement.nextElementSibling);else{var n=this._findPlaceholderStyleTag();n?e.insertBefore(t,n.nextElementSibling):e.insertBefore(t,e.childNodes[0])}return this._lastStyleElement=t,t},e.prototype._findPlaceholderStyleTag=function(){var e=document.head;return e?e.querySelector("style[data-merge-styles]"):null},e}()},3570:(e,t,o)=>{"use strict";o.d(t,{m:()=>r});var n=o(7622);function r(){for(var e=[],t=0;t0){o.subComponentStyles={};var h=o.subComponentStyles,g=function(e){if(i.hasOwnProperty(e)){var t=i[e];h[e]=function(e){return r.apply(void 0,t.map((function(t){return"function"==typeof t?t(e):t})))}}};for(var d in i)g(d)}return o}},965:(e,t,o)=>{"use strict";o.d(t,{l:()=>r});var n=o(3570);function r(e){for(var t=[],o=1;o{"use strict";o.d(t,{U:()=>r});var n=o(729);function r(){for(var e=[],t=0;t=0)a(s.split(" "));else{var l=i.argsFromClassName(s);l?a(l):-1===o.indexOf(s)&&o.push(s)}else Array.isArray(s)?a(s):"object"==typeof s&&r.push(s)}}return a(e),{classes:o,objects:r}}},3310:(e,t,o)=>{"use strict";o.d(t,{j:()=>a});var n=o(6825),r=o(729),i=o(8186);function a(e){r.Y.getInstance().insertRule("@font-face{"+(0,i.dH)((0,n.Eo)(),e)+"}",!0)}},2762:(e,t,o)=>{"use strict";o.d(t,{F:()=>a});var n=o(6825),r=o(729),i=o(8186);function a(e){var t=r.Y.getInstance(),o=t.getClassName(),a=[];for(var s in e)e.hasOwnProperty(s)&&a.push(s,"{",(0,i.dH)((0,n.Eo)(),e[s]),"}");var l=a.join("");return t.insertRule("@keyframes "+o+"{"+l+"}",!0),t.cacheClassName(o,l,[],["keyframes",l]),o}},2005:(e,t,o)=>{"use strict";o.d(t,{Z:()=>s,I:()=>l});var n=o(3570),r=o(1836),i=o(6825),a=o(8186);function s(){for(var e=[],t=0;t{"use strict";o.d(t,{y:()=>a,R:()=>s});var n=o(1836),r=o(6825),i=o(8186);function a(){for(var e=[],t=0;t{"use strict";o.d(t,{Jh:()=>D,dH:()=>w,AE:()=>T,aj:()=>I});var n,r=o(7622),i=o(729),a={},s={"user-select":1};function l(e,t){var o=function(){if(!n){var e="undefined"!=typeof document?document:void 0,t="undefined"!=typeof navigator?navigator:void 0,o=t?t.userAgent.toLowerCase():void 0;n=e?{isWebkit:!(!e||!("WebkitAppearance"in e.documentElement.style)),isMoz:!!(o&&o.indexOf("firefox")>-1),isOpera:!!(o&&o.indexOf("opera")>-1),isMs:!(!t||!/rv:11.0/i.test(t.userAgent)&&!/Edge\/\d./i.test(navigator.userAgent))}:{isWebkit:!0,isMoz:!0,isOpera:!0,isMs:!0}}return n}(),r=e[t];if(s[r]){var i=e[t+1];s[r]&&(o.isWebkit&&e.push("-webkit-"+r,i),o.isMoz&&e.push("-moz-"+r,i),o.isMs&&e.push("-ms-"+r,i),o.isOpera&&e.push("-o-"+r,i))}}var c,u=["column-count","font-weight","flex","flex-grow","flex-shrink","fill-opacity","opacity","order","z-index","zoom"];function d(e,t){var o=e[t],n=e[t+1];if("number"==typeof n){var r=u.indexOf(o)>-1,i=o.indexOf("--")>-1,a=r||i?"":"px";e[t+1]=""+n+a}}var p="left",m="right",h=((c={}).left=m,c.right=p,c),g={"w-resize":"e-resize","sw-resize":"se-resize","nw-resize":"ne-resize"};function f(e,t,o){if(e.rtl){var n=t[o];if(!n)return;var r=t[o+1];if("string"==typeof r&&r.indexOf("@noflip")>=0)t[o+1]=r.replace(/\s*(?:\/\*\s*)?\@noflip\b(?:\s*\*\/)?\s*?/g,"");else if(n.indexOf(p)>=0)t[o]=n.replace(p,m);else if(n.indexOf(m)>=0)t[o]=n.replace(m,p);else if(String(r).indexOf(p)>=0)t[o+1]=r.replace(p,m);else if(String(r).indexOf(m)>=0)t[o+1]=r.replace(m,p);else if(h[n])t[o]=h[n];else if(g[r])t[o+1]=g[r];else switch(n){case"margin":case"padding":t[o+1]=function(e){if("string"==typeof e){var t=e.split(" ");if(4===t.length)return t[0]+" "+t[3]+" "+t[2]+" "+t[1]}return e}(r);break;case"box-shadow":t[o+1]=function(e,t){var o=e.split(" "),n=parseInt(o[0],10);return o[0]=o[0].replace(String(n),String(-1*n)),o.join(" ")}(r)}}}function v(e){var t=e&&e["&"];return t?t.displayName:void 0}var b=/\:global\((.+?)\)/g;function y(e,t){return e.indexOf(":global(")>=0?e.replace(b,"$1"):0===e.indexOf(":")?t+e:e.indexOf("&")<0?t+" "+e:e}function _(e,t,o,n){void 0===t&&(t={__order:[]}),0===o.indexOf("@")?C([n],t,o=o+"{"+e):o.indexOf(",")>-1?function(e){if(!b.test(e))return e;for(var t=[],o=/\:global\((.+?)\)/g,n=null;n=o.exec(e);)n[1].indexOf(",")>-1&&t.push([n.index,n.index+n[0].length,n[1].split(",").map((function(e){return":global("+e.trim()+")"})).join(", ")]);return t.reverse().reduce((function(e,t){var o=t[0],n=t[1],r=t[2];return e.slice(0,o)+r+e.slice(n)}),e)}(o).split(",").map((function(e){return e.trim()})).forEach((function(o){return C([n],t,y(o,e))})):C([n],t,y(o,e))}function C(e,t,o){void 0===t&&(t={__order:[]}),void 0===o&&(o="&");var n=i.Y.getInstance(),r=t[o];r||(r={},t[o]=r,t.__order.push(o));for(var a=0,s=e;ao&&t.push(e.substring(o,r)),o=r+1)}return o{"use strict";o.d(t,{k:()=>F});var n,r=o(7622),i=o(7002),a=o(7023),s=o(4932),l=o(4553),c=o(6840),u=o(8145),d=o(5951),p=o(688),m=o(2782),h=o(9757),g=o(8127),f=o(8088),v=o(3345),b=o(3978),y=o(4948),_=o(7466),C=o(5446),S=o(9444),x=o(9729),k="data-is-focusable",w="data-focuszone-id",I="tabindex",D="data-no-vertical-wrap",T="data-no-horizontal-wrap",E=999999999,P=-999999999,M={},R=new Set,N=["text","number","password","email","tel","url","search"],B=!1,F=function(e){function t(t){var o=e.call(this,t)||this;return o._root=i.createRef(),o._mergedRef=(0,s.S)(),o._onFocus=function(e){if(!o._portalContainsElement(e.target)){var t,n=o.props,r=n.onActiveElementChanged,i=n.doNotAllowFocusEventToPropagate,a=n.stopFocusPropagation,s=n.onFocusNotification,u=n.onFocus,d=n.shouldFocusInnerElementWhenReceivedFocus,p=n.defaultTabbableElement,m=o._isImmediateDescendantOfZone(e.target);if(m)t=e.target;else for(var h=e.target;h&&h!==o._root.current;){if((0,l.MW)(h)&&o._isImmediateDescendantOfZone(h)){t=h;break}h=(0,c.G)(h,B)}if(d&&e.target===o._root.current){var g=p&&"function"==typeof p&&p(o._root.current);g&&(0,l.MW)(g)?(t=g,g.focus()):(o.focus(!0),o._activeElement&&(t=null))}var f=!o._activeElement;t&&t!==o._activeElement&&((m||f)&&o._setFocusAlignment(t,!0,!0),o._activeElement=t,f&&o._updateTabIndexes()),r&&r(o._activeElement,e),(a||i)&&e.stopPropagation(),u?u(e):s&&s()}},o._onBlur=function(){o._setParkedFocus(!1)},o._onMouseDown=function(e){if(!o._portalContainsElement(e.target)&&!o.props.disabled){for(var t=e.target,n=[];t&&t!==o._root.current;)n.push(t),t=(0,c.G)(t,B);for(;n.length&&((t=n.pop())&&(0,l.MW)(t)&&o._setActiveElement(t,!0),!(0,l.jz)(t)););}},o._onKeyDown=function(e,t){if(!o._portalContainsElement(e.target)){var n=o.props,r=n.direction,i=n.disabled,s=n.isInnerZoneKeystroke,c=n.pagingSupportDisabled,p=n.shouldEnterInnerZone;if(!(i||(o.props.onKeyDown&&o.props.onKeyDown(e),e.isDefaultPrevented()||o._getDocument().activeElement===o._root.current&&o._isInnerZone))){if((p&&p(e)||s&&s(e))&&o._isImmediateDescendantOfZone(e.target)){var m=o._getFirstInnerZone();if(m){if(!m.focus(!0))return}else{if(!(0,l.gc)(e.target))return;if(!o.focusElement((0,l.dc)(e.target,e.target.firstChild,!0)))return}}else{if(e.altKey)return;switch(e.which){case u.m.space:if(o._tryInvokeClickForFocusable(e.target))break;return;case u.m.left:if(r!==a.U.vertical&&(o._preventDefaultWhenHandled(e),o._moveFocusLeft(t)))break;return;case u.m.right:if(r!==a.U.vertical&&(o._preventDefaultWhenHandled(e),o._moveFocusRight(t)))break;return;case u.m.up:if(r!==a.U.horizontal&&(o._preventDefaultWhenHandled(e),o._moveFocusUp()))break;return;case u.m.down:if(r!==a.U.horizontal&&(o._preventDefaultWhenHandled(e),o._moveFocusDown()))break;return;case u.m.pageDown:if(!c&&o._moveFocusPaging(!0))break;return;case u.m.pageUp:if(!c&&o._moveFocusPaging(!1))break;return;case u.m.tab:if(o.props.allowTabKey||o.props.handleTabKey===a.J.all||o.props.handleTabKey===a.J.inputOnly&&o._isElementInput(e.target)){var h=!1;if(o._processingTabKey=!0,h=r!==a.U.vertical&&o._shouldWrapFocus(o._activeElement,T)?((0,d.zg)(t)?!e.shiftKey:e.shiftKey)?o._moveFocusLeft(t):o._moveFocusRight(t):e.shiftKey?o._moveFocusUp():o._moveFocusDown(),o._processingTabKey=!1,h)break;o.props.shouldResetActiveElementWhenTabFromZone&&(o._activeElement=null)}return;case u.m.home:if(o._isContentEditableElement(e.target)||o._isElementInput(e.target)&&!o._shouldInputLoseFocus(e.target,!1))return!1;var g=o._root.current&&o._root.current.firstChild;if(o._root.current&&g&&o.focusElement((0,l.dc)(o._root.current,g,!0)))break;return;case u.m.end:if(o._isContentEditableElement(e.target)||o._isElementInput(e.target)&&!o._shouldInputLoseFocus(e.target,!0))return!1;var f=o._root.current&&o._root.current.lastChild;if(o._root.current&&o.focusElement((0,l.TD)(o._root.current,f,!0,!0,!0)))break;return;case u.m.enter:if(o._tryInvokeClickForFocusable(e.target))break;return;default:return}}e.preventDefault(),e.stopPropagation()}}},o._getHorizontalDistanceFromCenter=function(e,t,n){var r=o._focusAlignment.left||o._focusAlignment.x||0,i=Math.floor(n.top),a=Math.floor(t.bottom),s=Math.floor(n.bottom),l=Math.floor(t.top);return e&&i>a||!e&&s=n.left&&r<=n.left+n.width?0:Math.abs(n.left+n.width/2-r):o._shouldWrapFocus(o._activeElement,D)?E:P},(0,p.l)(o),o._id=(0,m.z)("FocusZone"),o._focusAlignment={left:0,top:0},o._processingTabKey=!1,o}return(0,r.ZT)(t,e),t.getOuterZones=function(){return R.size},t._onKeyDownCapture=function(e){e.which===u.m.tab&&R.forEach((function(e){return e._updateTabIndexes()}))},t.prototype.componentDidMount=function(){var e=this._root.current;if(M[this._id]=this,e){this._windowElement=(0,h.J)(e);for(var o=(0,c.G)(e,B);o&&o!==this._getDocument().body&&1===o.nodeType;){if((0,l.jz)(o)){this._isInnerZone=!0;break}o=(0,c.G)(o,B)}this._isInnerZone||(R.add(this),this._windowElement&&1===R.size&&this._windowElement.addEventListener("keydown",t._onKeyDownCapture,!0)),this._root.current&&this._root.current.addEventListener("blur",this._onBlur,!0),this._updateTabIndexes(),this.props.defaultTabbableElement&&"string"==typeof this.props.defaultTabbableElement?this._activeElement=this._getDocument().querySelector(this.props.defaultTabbableElement):this.props.defaultActiveElement&&(this._activeElement=this._getDocument().querySelector(this.props.defaultActiveElement)),this.props.shouldFocusOnMount&&this.focus()}},t.prototype.componentDidUpdate=function(){var e=this._root.current,t=this._getDocument();if(t&&this._lastIndexPath&&(t.activeElement===t.body||null===t.activeElement||!this.props.preventFocusRestoration&&t.activeElement===e)){var o=(0,l.bF)(e,this._lastIndexPath);o?(this._setActiveElement(o,!0),o.focus(),this._setParkedFocus(!1)):this._setParkedFocus(!0)}},t.prototype.componentWillUnmount=function(){delete M[this._id],this._isInnerZone||(R.delete(this),this._windowElement&&0===R.size&&this._windowElement.removeEventListener("keydown",t._onKeyDownCapture,!0)),this._root.current&&this._root.current.removeEventListener("blur",this._onBlur,!0),this._activeElement=null,this._defaultFocusElement=null},t.prototype.render=function(){var e=this,t=this.props,o=t.as,a=t.elementType,s=t.rootProps,l=t.ariaDescribedBy,c=t.ariaLabelledBy,u=t.className,d=(0,g.pq)(this.props,g.iY),p=o||a||"div";this._evaluateFocusBeforeRender();var m=(0,x.gh)();return i.createElement(p,(0,r.pi)({"aria-labelledby":c,"aria-describedby":l},d,s,{className:(0,f.i)((n||(n=(0,S.y)({selectors:{":focus":{outline:"none"}}},"ms-FocusZone")),n),u),ref:this._mergedRef(this.props.elementRef,this._root),"data-focuszone-id":this._id,onKeyDown:function(t){return e._onKeyDown(t,m)},onFocus:this._onFocus,onMouseDownCapture:this._onMouseDown}),this.props.children)},t.prototype.focus=function(e){if(void 0===e&&(e=!1),this._root.current){if(!e&&"true"===this._root.current.getAttribute(k)&&this._isInnerZone){var t=this._getOwnerZone(this._root.current);if(t!==this._root.current){var o=M[t.getAttribute(w)];return!!o&&o.focusElement(this._root.current)}return!1}if(!e&&this._activeElement&&(0,v.t)(this._root.current,this._activeElement)&&(0,l.MW)(this._activeElement))return this._activeElement.focus(),!0;var n=this._root.current.firstChild;return this.focusElement((0,l.dc)(this._root.current,n,!0))}return!1},t.prototype.focusLast=function(){if(this._root.current){var e=this._root.current&&this._root.current.lastChild;return this.focusElement((0,l.TD)(this._root.current,e,!0,!0,!0))}return!1},t.prototype.focusElement=function(e,t){var o=this.props,n=o.onBeforeFocus,r=o.shouldReceiveFocus;return!(r&&!r(e)||n&&!n(e)||!e||(this._setActiveElement(e,t),this._activeElement&&this._activeElement.focus(),0))},t.prototype.setFocusAlignment=function(e){this._focusAlignment=e},t.prototype._evaluateFocusBeforeRender=function(){var e=this._root.current,t=this._getDocument();if(t){var o=t.activeElement;if(o!==e){var n=(0,v.t)(e,o,!1);this._lastIndexPath=n?(0,l.xu)(e,o):void 0}}},t.prototype._setParkedFocus=function(e){var t=this._root.current;t&&this._isParked!==e&&(this._isParked=e,e?(this.props.allowFocusRoot||(this._parkedTabIndex=t.getAttribute("tabindex"),t.setAttribute("tabindex","-1")),t.focus()):this.props.allowFocusRoot||(this._parkedTabIndex?(t.setAttribute("tabindex",this._parkedTabIndex),this._parkedTabIndex=void 0):t.removeAttribute("tabindex")))},t.prototype._setActiveElement=function(e,t){var o=this._activeElement;this._activeElement=e,o&&((0,l.jz)(o)&&this._updateTabIndexes(o),o.tabIndex=-1),this._activeElement&&(this._focusAlignment&&!t||this._setFocusAlignment(e,!0,!0),this._activeElement.tabIndex=0)},t.prototype._preventDefaultWhenHandled=function(e){this.props.preventDefaultWhenHandled&&e.preventDefault()},t.prototype._tryInvokeClickForFocusable=function(e){if(e===this._root.current||!this.props.shouldRaiseClicks)return!1;do{if("BUTTON"===e.tagName||"A"===e.tagName||"INPUT"===e.tagName||"TEXTAREA"===e.tagName)return!1;if(this._isImmediateDescendantOfZone(e)&&"true"===e.getAttribute(k)&&"true"!==e.getAttribute("data-disable-click-on-enter"))return(0,b.x)(e),!0;e=(0,c.G)(e,B)}while(e!==this._root.current);return!1},t.prototype._getFirstInnerZone=function(e){if(!(e=e||this._activeElement||this._root.current))return null;if((0,l.jz)(e))return M[e.getAttribute(w)];for(var t=e.firstElementChild;t;){if((0,l.jz)(t))return M[t.getAttribute(w)];var o=this._getFirstInnerZone(t);if(o)return o;t=t.nextElementSibling}return null},t.prototype._moveFocus=function(e,t,o,n){void 0===n&&(n=!0);var r=this._activeElement,i=-1,s=void 0,c=!1,u=this.props.direction===a.U.bidirectional;if(!r||!this._root.current)return!1;if(this._isElementInput(r)&&!this._shouldInputLoseFocus(r,e))return!1;var d=u?r.getBoundingClientRect():null;do{if(r=e?(0,l.dc)(this._root.current,r):(0,l.TD)(this._root.current,r),!u){s=r;break}if(r){var p=t(d,r.getBoundingClientRect());if(-1===p&&-1===i){s=r;break}if(p>-1&&(-1===i||p=0&&p<0)break}}while(r);if(s&&s!==this._activeElement)c=!0,this.focusElement(s);else if(this.props.isCircularNavigation&&n)return e?this.focusElement((0,l.dc)(this._root.current,this._root.current.firstElementChild,!0)):this.focusElement((0,l.TD)(this._root.current,this._root.current.lastElementChild,!0,!0,!0));return c},t.prototype._moveFocusDown=function(){var e=this,t=-1,o=this._focusAlignment.left||this._focusAlignment.x||0;return!!this._moveFocus(!0,(function(n,r){var i=-1,a=Math.floor(r.top),s=Math.floor(n.bottom);return a=s||a===t)&&(t=a,i=o>=r.left&&o<=r.left+r.width?0:Math.abs(r.left+r.width/2-o)),i)}))&&(this._setFocusAlignment(this._activeElement,!1,!0),!0)},t.prototype._moveFocusUp=function(){var e=this,t=-1,o=this._focusAlignment.left||this._focusAlignment.x||0;return!!this._moveFocus(!1,(function(n,r){var i=-1,a=Math.floor(r.bottom),s=Math.floor(r.top),l=Math.floor(n.top);return a>l?e._shouldWrapFocus(e._activeElement,D)?E:P:((-1===t&&a<=l||s===t)&&(t=s,i=o>=r.left&&o<=r.left+r.width?0:Math.abs(r.left+r.width/2-o)),i)}))&&(this._setFocusAlignment(this._activeElement,!1,!0),!0)},t.prototype._moveFocusLeft=function(e){var t=this,o=this._shouldWrapFocus(this._activeElement,T);return!!this._moveFocus((0,d.zg)(e),(function(n,r){var i=-1;return((0,d.zg)(e)?parseFloat(r.top.toFixed(3))parseFloat(n.top.toFixed(3)))&&r.right<=n.right&&t.props.direction!==a.U.vertical?i=n.right-r.right:o||(i=P),i}),void 0,o)&&(this._setFocusAlignment(this._activeElement,!0,!1),!0)},t.prototype._moveFocusRight=function(e){var t=this,o=this._shouldWrapFocus(this._activeElement,T);return!!this._moveFocus(!(0,d.zg)(e),(function(n,r){var i=-1;return((0,d.zg)(e)?parseFloat(r.bottom.toFixed(3))>parseFloat(n.top.toFixed(3)):parseFloat(r.top.toFixed(3))=n.left&&t.props.direction!==a.U.vertical?i=r.left-n.left:o||(i=P),i}),void 0,o)&&(this._setFocusAlignment(this._activeElement,!0,!1),!0)},t.prototype._moveFocusPaging=function(e,t){void 0===t&&(t=!0);var o=this._activeElement;if(!o||!this._root.current)return!1;if(this._isElementInput(o)&&!this._shouldInputLoseFocus(o,e))return!1;var n=(0,y.zj)(o);if(!n)return!1;var r=-1,i=void 0,a=-1,s=-1,c=n.clientHeight,u=o.getBoundingClientRect();do{if(o=e?(0,l.dc)(this._root.current,o):(0,l.TD)(this._root.current,o)){var d=o.getBoundingClientRect(),p=Math.floor(d.top),m=Math.floor(u.bottom),h=Math.floor(d.bottom),g=Math.floor(u.top),f=this._getHorizontalDistanceFromCenter(e,u,d);if(e&&p>m+c||!e&&h-1&&(e&&p>a?(a=p,r=f,i=o):!e&&h-1){var o=e.selectionStart,n=o!==e.selectionEnd,r=e.value,i=e.readOnly;if(n||o>0&&!t&&!i||o!==r.length&&t&&!i||this.props.handleTabKey&&(!this.props.shouldInputLoseFocusOnArrowKey||!this.props.shouldInputLoseFocusOnArrowKey(e)))return!1}return!0},t.prototype._shouldWrapFocus=function(e,t){return!this.props.checkForNoWrap||(0,l.mM)(e,t)},t.prototype._portalContainsElement=function(e){return e&&!!this._root.current&&(0,_.w)(e,this._root.current)},t.prototype._getDocument=function(){return(0,C.M)(this._root.current)},t.defaultProps={isCircularNavigation:!1,direction:a.U.bidirectional,shouldRaiseClicks:!0},t}(i.Component)},7023:(e,t,o)=>{"use strict";o.d(t,{J:()=>r,U:()=>n});var n,r={none:0,all:1,inputOnly:2};!function(e){e[e.vertical=0]="vertical",e[e.horizontal=1]="horizontal",e[e.bidirectional=2]="bidirectional",e[e.domOrder=3]="domOrder"}(n||(n={}))},3528:(e,t,o)=>{"use strict";o.d(t,{r:()=>a});var n=o(2167),r=o(7002),i=o(7913);function a(){var e=(0,i.B)((function(){return new n.e}));return r.useEffect((function(){return function(){return e.dispose()}}),[e]),e}},2861:(e,t,o)=>{"use strict";o.d(t,{k:()=>i});var n=o(7002),r=o(7913);function i(e){var t=n.useState(e),o=t[0],i=t[1];return[o,{setTrue:(0,r.B)((function(){return function(){i(!0)}})),setFalse:(0,r.B)((function(){return function(){i(!1)}})),toggle:(0,r.B)((function(){return function(){i((function(e){return!e}))}}))}]}},7913:(e,t,o)=>{"use strict";o.d(t,{B:()=>r});var n=o(7002);function r(e){var t=n.useRef();return void 0===t.current&&(t.current={value:"function"==typeof e?e():e}),t.current.value}},6548:(e,t,o)=>{"use strict";o.d(t,{G:()=>i});var n=o(7002),r=o(7913);function i(e,t,o){var i=n.useState(t),a=i[0],s=i[1],l=(0,r.B)(void 0!==e),c=l?e:a,u=n.useRef(c),d=n.useRef(o);n.useEffect((function(){u.current=c,d.current=o}));var p=(0,r.B)((function(){return function(e,t){var o="function"==typeof e?e(u.current):e;d.current&&d.current(t,o),l||s(o)}}));return[c,p]}},4085:(e,t,o)=>{"use strict";o.d(t,{M:()=>i});var n=o(7002),r=o(2782);function i(e,t){var o=n.useRef(t);return o.current||(o.current=(0,r.z)(e)),o.current}},9241:(e,t,o)=>{"use strict";o.d(t,{r:()=>i});var n=o(7622),r=o(7002);function i(){for(var e=[],t=0;t{"use strict";o.d(t,{d:()=>i});var n=o(9251),r=o(7002);function i(e,t,o,i){var a=r.useRef(o);a.current=o,r.useEffect((function(){var o=e&&"current"in e?e.current:e;if(o)return(0,n.on)(o,t,(function(e){return a.current(e)}),i)}),[e,t,i])}},6876:(e,t,o)=>{"use strict";o.d(t,{D:()=>r});var n=o(7002);function r(e){var t=(0,n.useRef)();return(0,n.useEffect)((function(){t.current=e})),t.current}},5646:(e,t,o)=>{"use strict";o.d(t,{L:()=>i});var n=o(7002),r=o(7913),i=function(){var e=(0,r.B)({});return n.useEffect((function(){return function(){for(var t=0,o=Object.keys(e);t{"use strict";o.d(t,{e:()=>a});var n=o(5446),r=o(7002),i=o(8901);function a(e,t){var o,a=r.useRef(),s=r.useRef(null),l=(0,i.zY)();if(!e||e!==a.current||"string"==typeof e){var c=null===(o=t)||void 0===o?void 0:o.current;if(e)if("string"==typeof e){var u=(0,n.M)(c);s.current=u?u.querySelector(e):null}else s.current="stopPropagation"in e||"getBoundingClientRect"in e?e:"current"in e?e.current:e;a.current=e}return[s,l]}},8901:(e,t,o)=>{"use strict";o.d(t,{Hn:()=>r,zY:()=>i,ky:()=>a,WU:()=>s});var n=o(7002),r=n.createContext({window:"object"==typeof window?window:void 0}),i=function(){return n.useContext(r).window},a=function(){var e;return null===(e=n.useContext(r).window)||void 0===e?void 0:e.document},s=function(e){return n.createElement(r.Provider,{value:e},e.children)}},6628:(e,t,o)=>{"use strict";o.d(t,{b:()=>n});var n={topLeftEdge:0,topCenter:1,topRightEdge:2,topAutoEdge:3,bottomLeftEdge:4,bottomCenter:5,bottomRightEdge:6,bottomAutoEdge:7,leftTopEdge:8,leftCenter:9,leftBottomEdge:10,rightTopEdge:11,rightCenter:12,rightBottomEdge:13}},9942:(e,t,o)=>{"use strict";o.d(t,{d:()=>c});var n=o(7622),r=o(7002),i=o(7300),a=o(8127),s=o(6055),l=(0,i.y)(),c=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.message,o=e.styles,i=e.as,c=void 0===i?"div":i,u=e.className,d=l(o,{className:u});return r.createElement(c,(0,n.pi)({role:"status",className:d.root},(0,a.pq)(this.props,a.n7,["className"])),r.createElement(s.U,null,r.createElement("div",{className:d.screenReaderText},t)))},t.defaultProps={"aria-live":"polite"},t}(r.Component)},3945:(e,t,o)=>{"use strict";o.d(t,{O:()=>a});var n=o(2002),r=o(9942),i=o(9729),a=(0,n.z)(r.d,(function(e){return{root:e.className,screenReaderText:i.ul}}))},5767:(e,t,o)=>{"use strict";o.d(t,{G:()=>d});var n=o(7622),r=o(7002),i=o(5036),a=o(8145),s=o(688),l=o(2167),c=o(8127),u="backward",d=function(e){function t(t){var o=e.call(this,t)||this;return o._inputElement=r.createRef(),o._autoFillEnabled=!0,o._isComposing=!1,o._onCompositionStart=function(e){o._isComposing=!0,o._autoFillEnabled=!1},o._onCompositionUpdate=function(){(0,i.f)()&&o._updateValue(o._getCurrentInputValue(),!0)},o._onCompositionEnd=function(e){var t=o._getCurrentInputValue();o._tryEnableAutofill(t,o.value,!1,!0),o._isComposing=!1,o._async.setTimeout((function(){o._updateValue(o._getCurrentInputValue(),!1)}),0)},o._onClick=function(){o.value&&""!==o.value&&o._autoFillEnabled&&(o._autoFillEnabled=!1)},o._onKeyDown=function(e){if(o.props.onKeyDown&&o.props.onKeyDown(e),!e.nativeEvent.isComposing)switch(e.which){case a.m.backspace:o._autoFillEnabled=!1;break;case a.m.left:case a.m.right:o._autoFillEnabled&&(o.setState({inputValue:o.props.suggestedDisplayValue||""}),o._autoFillEnabled=!1);break;default:o._autoFillEnabled||-1!==o.props.enableAutofillOnKeyPress.indexOf(e.which)&&(o._autoFillEnabled=!0)}},o._onInputChanged=function(e){var t=o._getCurrentInputValue(e);if(o._isComposing||o._tryEnableAutofill(t,o.value,e.nativeEvent.isComposing),!(0,i.f)()||!o._isComposing){var n=e.nativeEvent.isComposing,r=void 0===n?o._isComposing:n;o._updateValue(t,r)}},o._onChanged=function(){},o._updateValue=function(e,t){var n;if(e||e!==o.value){var r=o.props,i=r.onInputChange,a=r.onInputValueChange;i&&(e=(null===(n=i)||void 0===n?void 0:n(e,t))||""),o.setState({inputValue:e},(function(){var o;return null===(o=a)||void 0===o?void 0:o(e,t)}))}},(0,s.l)(o),o._async=new l.e(o),o.state={inputValue:t.defaultVisibleValue||""},o}return(0,n.ZT)(t,e),t.getDerivedStateFromProps=function(e,t){if(e.updateValueInWillReceiveProps){var o=e.updateValueInWillReceiveProps();if(null!==o&&o!==t.inputValue)return{inputValue:o}}return null},Object.defineProperty(t.prototype,"cursorLocation",{get:function(){if(this._inputElement.current){var e=this._inputElement.current;return"forward"!==e.selectionDirection?e.selectionEnd:e.selectionStart}return-1},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"isValueSelected",{get:function(){return Boolean(this.inputElement&&this.inputElement.selectionStart!==this.inputElement.selectionEnd)},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"value",{get:function(){return this._getControlledValue()||this.state.inputValue||""},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"selectionStart",{get:function(){return this._inputElement.current?this._inputElement.current.selectionStart:-1},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"selectionEnd",{get:function(){return this._inputElement.current?this._inputElement.current.selectionEnd:-1},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"inputElement",{get:function(){return this._inputElement.current},enumerable:!0,configurable:!0}),t.prototype.componentDidUpdate=function(){var e=this.props,t=e.suggestedDisplayValue,o=e.shouldSelectFullInputValueInComponentDidUpdate,n=0;if(!e.preventValueSelection&&this._autoFillEnabled&&this.value&&t&&p(t,this.value)){var r=!1;if(o&&(r=o()),r&&this._inputElement.current)this._inputElement.current.setSelectionRange(0,t.length,u);else{for(;n0&&this._inputElement.current&&this._inputElement.current.setSelectionRange(n,t.length,u)}}},t.prototype.componentWillUnmount=function(){this._async.dispose()},t.prototype.render=function(){var e=(0,c.pq)(this.props,c.Gg),t=(0,n.pi)((0,n.pi)({},this.props.style),{fontFamily:"inherit"});return r.createElement("input",(0,n.pi)({autoCapitalize:"off",autoComplete:"off","aria-autocomplete":"both"},e,{style:t,ref:this._inputElement,value:this._getDisplayValue(),onCompositionStart:this._onCompositionStart,onCompositionUpdate:this._onCompositionUpdate,onCompositionEnd:this._onCompositionEnd,onChange:this._onChanged,onInput:this._onInputChanged,onKeyDown:this._onKeyDown,onClick:this.props.onClick?this.props.onClick:this._onClick,"data-lpignore":!0}))},t.prototype.focus=function(){this._inputElement.current&&this._inputElement.current.focus()},t.prototype.clear=function(){this._autoFillEnabled=!0,this._updateValue("",!1),this._inputElement.current&&this._inputElement.current.setSelectionRange(0,0)},t.prototype._getCurrentInputValue=function(e){return e&&e.target&&e.target.value?e.target.value:this.inputElement&&this.inputElement.value?this.inputElement.value:""},t.prototype._tryEnableAutofill=function(e,t,o,n){!o&&e&&this._inputElement.current&&this._inputElement.current.selectionStart===e.length&&!this._autoFillEnabled&&(e.length>t.length||n)&&(this._autoFillEnabled=!0)},t.prototype._getDisplayValue=function(){return this._autoFillEnabled?(e=this.value,t=this.props.suggestedDisplayValue,o=e,t&&e&&p(t,o)&&(o=t),o):this.value;var e,t,o},t.prototype._getControlledValue=function(){var e=this.props.value;return void 0===e||"string"==typeof e?e:(console.warn("props.value of Autofill should be a string, but it is "+e+" with type of "+typeof e),e.toString())},t.defaultProps={enableAutofillOnKeyPress:[a.m.down,a.m.up]},t}(r.Component);function p(e,t){return!(!e||!t)&&0===e.toLocaleLowerCase().indexOf(t.toLocaleLowerCase())}},2898:(e,t,o)=>{"use strict";o.d(t,{K:()=>c});var n=o(7622),r=o(7002),i=o(4968),a=o(9013),s=o(6053),l=o(3608),c=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.theme;return r.createElement(i.Y,(0,n.pi)({},this.props,{variantClassName:"ms-Button--action ms-Button--command",styles:(0,l.W)(o,t),onRenderDescription:a.S}))},(0,n.gn)([(0,s.a)("ActionButton",["theme","styles"],!0)],t)}(r.Component)},3608:(e,t,o)=>{"use strict";o.d(t,{W:()=>a});var n=o(9729),r=o(5094),i=o(1860),a=(0,r.NF)((function(e,t){var o,r,a,s=(0,i.W)(e),l={root:{padding:"0 4px",height:"40px",color:e.palette.neutralPrimary,backgroundColor:"transparent",border:"1px solid transparent",selectors:(o={},o[n.qJ]={borderColor:"Window"},o)},rootHovered:{color:e.palette.themePrimary,selectors:(r={},r[n.qJ]={color:"Highlight"},r)},iconHovered:{color:e.palette.themePrimary},rootPressed:{color:e.palette.black},rootExpanded:{color:e.palette.themePrimary},iconPressed:{color:e.palette.themeDarker},rootDisabled:{color:e.palette.neutralTertiary,backgroundColor:"transparent",borderColor:"transparent",selectors:(a={},a[n.qJ]={color:"GrayText"},a)},rootChecked:{color:e.palette.black},iconChecked:{color:e.palette.themeDarker},flexContainer:{justifyContent:"flex-start"},icon:{color:e.palette.themeDarkAlt},iconDisabled:{color:"inherit"},menuIcon:{color:e.palette.neutralSecondary},textContainer:{flexGrow:0}};return(0,n.E$)(s,l,t)}))},2657:(e,t,o)=>{"use strict";o.d(t,{n:()=>i,f:()=>a});var n=o(5094),r=o(9729),i={msButton:"ms-Button",msButtonHasMenu:"ms-Button--hasMenu",msButtonIcon:"ms-Button-icon",msButtonMenuIcon:"ms-Button-menuIcon",msButtonLabel:"ms-Button-label",msButtonDescription:"ms-Button-description",msButtonScreenReaderText:"ms-Button-screenReaderText",msButtonFlexContainer:"ms-Button-flexContainer",msButtonTextContainer:"ms-Button-textContainer"},a=(0,n.NF)((function(e,t,o,n,a,s,l,c,u,d,p){var m,h,g=(0,r.Cn)(i,e||{}),f=d&&!p;return(0,r.ZC)({root:[g.msButton,t.root,n,u&&["is-checked",t.rootChecked],f&&["is-expanded",t.rootExpanded,{selectors:(m={},m[":hover ."+g.msButtonIcon]=t.iconExpandedHovered,m[":hover ."+g.msButtonMenuIcon]=t.menuIconExpandedHovered||t.rootExpandedHovered,m[":hover"]=t.rootExpandedHovered,m)}],c&&[i.msButtonHasMenu,t.rootHasMenu],l&&["is-disabled",t.rootDisabled],!l&&!f&&!u&&{selectors:(h={":hover":t.rootHovered},h[":hover ."+g.msButtonLabel]=t.labelHovered,h[":hover ."+g.msButtonIcon]=t.iconHovered,h[":hover ."+g.msButtonDescription]=t.descriptionHovered,h[":hover ."+g.msButtonMenuIcon]=t.menuIconHovered,h[":focus"]=t.rootFocused,h[":active"]=t.rootPressed,h[":active ."+g.msButtonIcon]=t.iconPressed,h[":active ."+g.msButtonDescription]=t.descriptionPressed,h[":active ."+g.msButtonMenuIcon]=t.menuIconPressed,h)},l&&u&&[t.rootCheckedDisabled],!l&&u&&{selectors:{":hover":t.rootCheckedHovered,":active":t.rootCheckedPressed}},o],flexContainer:[g.msButtonFlexContainer,t.flexContainer],textContainer:[g.msButtonTextContainer,t.textContainer],icon:[g.msButtonIcon,a,t.icon,f&&t.iconExpanded,u&&t.iconChecked,l&&t.iconDisabled],label:[g.msButtonLabel,t.label,u&&t.labelChecked,l&&t.labelDisabled],menuIcon:[g.msButtonMenuIcon,s,t.menuIcon,u&&t.menuIconChecked,l&&!p&&t.menuIconDisabled,!l&&!f&&!u&&{selectors:{":hover":t.menuIconHovered,":active":t.menuIconPressed}},f&&["is-expanded",t.menuIconExpanded]],description:[g.msButtonDescription,t.description,u&&t.descriptionChecked,l&&t.descriptionDisabled],screenReaderText:[g.msButtonScreenReaderText,t.screenReaderText]})}))},4968:(e,t,o)=>{"use strict";o.d(t,{Y:()=>P});var n=o(7622),r=o(7002),i=o(5094),a=o(8088),s=o(7466),l=o(8145),c=o(688),u=o(2167),d=o(9919),p=o(5415),m=o(3129),h=o(2782),g=o(8127),f=o(2447),v=o(9013),b=o(5480),y=o(9577),_=o(4932),C=o(9947),S=o(4734),x=o(7840),k=o(6628),w=o(9134),I=o(2657),D=o(5032),T=o(9949),E="BaseButton",P=function(e){function t(t){var o=e.call(this,t)||this;return o._buttonElement=r.createRef(),o._splitButtonContainer=r.createRef(),o._mergedRef=(0,_.S)(),o._renderedVisibleMenu=!1,o._getMemoizedMenuButtonKeytipProps=(0,i.NF)((function(e){return(0,n.pi)((0,n.pi)({},e),{hasMenu:!0})})),o._onRenderIcon=function(e,t){var i=o.props.iconProps;if(i&&(void 0!==i.iconName||i.imageProps)){var s=i.className,l=i.imageProps,c=(0,n._T)(i,["className","imageProps"]);if(i.styles)return r.createElement(C.J,(0,n.pi)({className:(0,a.i)(o._classNames.icon,s),imageProps:l},c));if(i.iconName)return r.createElement(S.xu,(0,n.pi)({className:(0,a.i)(o._classNames.icon,s)},c));if(l)return r.createElement(x.X,(0,n.pi)({className:(0,a.i)(o._classNames.icon,s),imageProps:l},c))}return null},o._onRenderTextContents=function(){var e=o.props,t=e.text,n=e.children,i=e.secondaryText,a=void 0===i?o.props.description:i,s=e.onRenderText,l=void 0===s?o._onRenderText:s,c=e.onRenderDescription,u=void 0===c?o._onRenderDescription:c;return t||"string"==typeof n||a?r.createElement("span",{className:o._classNames.textContainer},l(o.props,o._onRenderText),u(o.props,o._onRenderDescription)):[l(o.props,o._onRenderText),u(o.props,o._onRenderDescription)]},o._onRenderText=function(){var e=o.props.text,t=o.props.children;return void 0===e&&"string"==typeof t&&(e=t),o._hasText()?r.createElement("span",{key:o._labelId,className:o._classNames.label,id:o._labelId},e):null},o._onRenderChildren=function(){var e=o.props.children;return"string"==typeof e?null:e},o._onRenderDescription=function(e){var t=e.secondaryText,n=void 0===t?o.props.description:t;return n?r.createElement("span",{key:o._descriptionId,className:o._classNames.description,id:o._descriptionId},n):null},o._onRenderAriaDescription=function(){var e=o.props.ariaDescription;return e?r.createElement("span",{className:o._classNames.screenReaderText,id:o._ariaDescriptionId},e):null},o._onRenderMenuIcon=function(e){var t=o.props.menuIconProps;return r.createElement(S.xu,(0,n.pi)({iconName:"ChevronDown"},t,{className:o._classNames.menuIcon}))},o._onRenderMenu=function(e){var t=o.props.persistMenu,i=o.state.menuHidden,s=o.props.menuAs||w.r;return e.ariaLabel||e.labelElementId||!o._hasText()||(e=(0,n.pi)((0,n.pi)({},e),{labelElementId:o._labelId})),r.createElement(s,(0,n.pi)({id:o._labelId+"-menu",directionalHint:k.b.bottomLeftEdge},e,{shouldFocusOnContainer:o._menuShouldFocusOnContainer,shouldFocusOnMount:o._menuShouldFocusOnMount,hidden:t?i:void 0,className:(0,a.i)("ms-BaseButton-menuhost",e.className),target:o._isSplitButton?o._splitButtonContainer.current:o._buttonElement.current,onDismiss:o._onDismissMenu}))},o._onDismissMenu=function(e){var t=o.props.menuProps;t&&t.onDismiss&&t.onDismiss(e),e&&e.defaultPrevented||o._dismissMenu()},o._dismissMenu=function(){o._menuShouldFocusOnMount=void 0,o._menuShouldFocusOnContainer=void 0,o.setState({menuHidden:!0})},o._openMenu=function(e,t){void 0===t&&(t=!0),o.props.menuProps&&(o._menuShouldFocusOnContainer=e,o._menuShouldFocusOnMount=t,o._renderedVisibleMenu=!0,o.setState({menuHidden:!1}))},o._onToggleMenu=function(e){var t=!0;o.props.menuProps&&!1===o.props.menuProps.shouldFocusOnMount&&(t=!1),o.state.menuHidden?o._openMenu(e,t):o._dismissMenu()},o._onSplitContainerFocusCapture=function(e){var t=o._splitButtonContainer.current;!t||e.target&&(0,s.w)(e.target,t)||t.focus()},o._onSplitButtonPrimaryClick=function(e){o.state.menuHidden||o._dismissMenu(),!o._processingTouch&&o.props.onClick?o.props.onClick(e):o._processingTouch&&o._onMenuClick(e)},o._onKeyDown=function(e){!o.props.disabled||e.which!==l.m.enter&&e.which!==l.m.space?o.props.disabled||(o.props.menuProps?o._onMenuKeyDown(e):void 0!==o.props.onKeyDown&&o.props.onKeyDown(e)):(e.preventDefault(),e.stopPropagation())},o._onKeyUp=function(e){o.props.disabled||void 0===o.props.onKeyUp||o.props.onKeyUp(e)},o._onKeyPress=function(e){o.props.disabled||void 0===o.props.onKeyPress||o.props.onKeyPress(e)},o._onMouseUp=function(e){o.props.disabled||void 0===o.props.onMouseUp||o.props.onMouseUp(e)},o._onMouseDown=function(e){o.props.disabled||void 0===o.props.onMouseDown||o.props.onMouseDown(e)},o._onClick=function(e){o.props.disabled||(o.props.menuProps?o._onMenuClick(e):void 0!==o.props.onClick&&o.props.onClick(e))},o._onSplitButtonContainerKeyDown=function(e){e.which===l.m.enter||e.which===l.m.space?o._buttonElement.current&&(o._buttonElement.current.click(),e.preventDefault(),e.stopPropagation()):o._onMenuKeyDown(e)},o._onMenuKeyDown=function(e){if(!o.props.disabled){o.props.onKeyDown&&o.props.onKeyDown(e);var t=e.which===l.m.up,n=e.which===l.m.down;if(!e.defaultPrevented&&o._isValidMenuOpenKey(e)){var r=o.props.onMenuClick;r&&r(e,o.props),o._onToggleMenu(!1),e.preventDefault(),e.stopPropagation()}e.altKey||e.metaKey||!t&&!n||!o.state.menuHidden&&o.props.menuProps&&((void 0!==o._menuShouldFocusOnMount?o._menuShouldFocusOnMount:o.props.menuProps.shouldFocusOnMount)||(e.preventDefault(),e.stopPropagation(),o._menuShouldFocusOnMount=!0,o.forceUpdate()))}},o._onTouchStart=function(){o._isSplitButton&&o._splitButtonContainer.current&&!("onpointerdown"in o._splitButtonContainer.current)&&o._handleTouchAndPointerEvent()},o._onMenuClick=function(e){var t=o.props.onMenuClick;if(t&&t(e,o.props),!e.defaultPrevented){var n=0!==e.nativeEvent.detail||"mouse"===e.nativeEvent.pointerType;o._onToggleMenu(n),e.preventDefault(),e.stopPropagation()}},(0,c.l)(o),o._async=new u.e(o),o._events=new d.r(o),(0,p.w)(E,t,["menuProps","onClick"],"split",o.props.split),(0,m.b)(E,t,{rootProps:void 0,description:"secondaryText",toggled:"checked"}),o._labelId=(0,h.z)(),o._descriptionId=(0,h.z)(),o._ariaDescriptionId=(0,h.z)(),o.state={menuHidden:!0},o}return(0,n.ZT)(t,e),Object.defineProperty(t.prototype,"_isSplitButton",{get:function(){return!!this.props.menuProps&&!!this.props.onClick&&!0===this.props.split},enumerable:!0,configurable:!0}),t.prototype.render=function(){var e,t=this.props,o=t.ariaDescription,n=t.ariaLabel,r=t.ariaHidden,i=t.className,a=t.disabled,s=t.allowDisabledFocus,l=t.primaryDisabled,c=t.secondaryText,u=void 0===c?this.props.description:c,d=t.href,p=t.iconProps,m=t.menuIconProps,h=t.styles,b=t.checked,y=t.variantClassName,_=t.theme,C=t.toggle,S=t.getClassNames,x=t.role,k=this.state.menuHidden,w=a||l;this._classNames=S?S(_,i,y,p&&p.className,m&&m.className,w,b,!k,!!this.props.menuProps,this.props.split,!!s):(0,I.f)(_,h,i,y,p&&p.className,m&&m.className,w,!!this.props.menuProps,b,!k,this.props.split);var D=this,T=D._ariaDescriptionId,E=D._labelId,P=D._descriptionId,M=!w&&!!d,R=M?"a":"button",N=(0,g.pq)((0,f.f0)(M?{}:{type:"button"},this.props.rootProps,this.props),M?g.h2:g.Yq,["disabled"]),B=n||N["aria-label"],F=void 0;o?F=T:u&&this.props.onRenderDescription!==v.S?F=P:N["aria-describedby"]&&(F=N["aria-describedby"]);var L=void 0;B||(N["aria-labelledby"]?L=N["aria-labelledby"]:F&&(L=this._hasText()?E:void 0));var A=!(!1===this.props["data-is-focusable"]||a&&!s||this._isSplitButton),z="menuitemcheckbox"===x||"checkbox"===x,H=z||!0===C?!!b:void 0,O=(0,f.f0)(N,((e={className:this._classNames.root,ref:this._mergedRef(this.props.elementRef,this._buttonElement),disabled:w&&!s,onKeyDown:this._onKeyDown,onKeyPress:this._onKeyPress,onKeyUp:this._onKeyUp,onMouseDown:this._onMouseDown,onMouseUp:this._onMouseUp,onClick:this._onClick,"aria-label":B,"aria-labelledby":L,"aria-describedby":F,"aria-disabled":w,"data-is-focusable":A})[z?"aria-checked":"aria-pressed"]=H,e));return r&&(O["aria-hidden"]=!0),this._isSplitButton?this._onRenderSplitButtonContent(R,O):(this.props.menuProps&&(0,f.f0)(O,{"aria-expanded":!k,"aria-controls":k?null:this._labelId+"-menu","aria-haspopup":!0}),this._onRenderContent(R,O))},t.prototype.componentDidMount=function(){this._isSplitButton&&this._splitButtonContainer.current&&("onpointerdown"in this._splitButtonContainer.current&&this._events.on(this._splitButtonContainer.current,"pointerdown",this._onPointerDown,!0),"onpointerup"in this._splitButtonContainer.current&&this.props.onPointerUp&&this._events.on(this._splitButtonContainer.current,"pointerup",this.props.onPointerUp,!0))},t.prototype.componentDidUpdate=function(e,t){this.props.onAfterMenuDismiss&&!t.menuHidden&&this.state.menuHidden&&this.props.onAfterMenuDismiss()},t.prototype.componentWillUnmount=function(){this._async.dispose(),this._events.dispose()},t.prototype.focus=function(){this._isSplitButton&&this._splitButtonContainer.current?this._splitButtonContainer.current.focus():this._buttonElement.current&&this._buttonElement.current.focus()},t.prototype.dismissMenu=function(){this._dismissMenu()},t.prototype.openMenu=function(e,t){this._openMenu(e,t)},t.prototype._onRenderContent=function(e,t){var o=this,i=this.props,a=e,s=i.menuIconProps,l=i.menuProps,c=i.onRenderIcon,u=void 0===c?this._onRenderIcon:c,d=i.onRenderAriaDescription,p=void 0===d?this._onRenderAriaDescription:d,m=i.onRenderChildren,h=void 0===m?this._onRenderChildren:m,g=i.onRenderMenu,f=void 0===g?this._onRenderMenu:g,v=i.onRenderMenuIcon,y=void 0===v?this._onRenderMenuIcon:v,_=i.disabled,C=i.keytipProps;C&&l&&(C=this._getMemoizedMenuButtonKeytipProps(C));var S=function(e){return r.createElement(a,(0,n.pi)({},t,e),r.createElement("span",{className:o._classNames.flexContainer,"data-automationid":"splitbuttonprimary"},u(i,o._onRenderIcon),o._onRenderTextContents(),p(i,o._onRenderAriaDescription),h(i,o._onRenderChildren),!o._isSplitButton&&(l||s||o.props.onRenderMenuIcon)&&y(o.props,o._onRenderMenuIcon),l&&!l.doNotLayer&&o._shouldRenderMenu()&&f(l,o._onRenderMenu)))},x=C?r.createElement(T.a,{keytipProps:this._isSplitButton?void 0:C,ariaDescribedBy:t["aria-describedby"],disabled:_},(function(e){return S(e)})):S();return l&&l.doNotLayer?r.createElement(r.Fragment,null,x,this._shouldRenderMenu()&&f(l,this._onRenderMenu)):r.createElement(r.Fragment,null,x,r.createElement(b.u,null))},t.prototype._shouldRenderMenu=function(){var e=this.state.menuHidden,t=this.props,o=t.persistMenu,n=t.renderPersistedMenuHiddenOnMount;return!e||!(!o||!this._renderedVisibleMenu&&!n)},t.prototype._hasText=function(){return null!==this.props.text&&(void 0!==this.props.text||"string"==typeof this.props.children)},t.prototype._onRenderSplitButtonContent=function(e,t){var o=this,i=this.props,a=i.styles,s=void 0===a?{}:a,l=i.disabled,c=i.allowDisabledFocus,u=i.checked,d=i.getSplitButtonClassNames,p=i.primaryDisabled,m=i.menuProps,h=i.toggle,v=i.role,b=i.primaryActionButtonProps,_=this.props.keytipProps,C=this.state.menuHidden,S=d?d(!!l,!C,!!u,!!c):s&&(0,D.W)(s,!!l,!C,!!u,!!p);(0,f.f0)(t,{onClick:void 0,onPointerDown:void 0,onPointerUp:void 0,tabIndex:-1,"data-is-focusable":!1}),_&&m&&(_=this._getMemoizedMenuButtonKeytipProps(_));var x=(0,g.pq)(t,[],["disabled"]);b&&(0,f.f0)(t,b);var k=function(i){return r.createElement("div",(0,n.pi)({},x,{"data-ktp-target":i?i["data-ktp-target"]:void 0,role:v||"button","aria-disabled":l,"aria-haspopup":!0,"aria-expanded":!C,"aria-pressed":h?!!u:void 0,"aria-describedby":(0,y.I)(t["aria-describedby"],i?i["aria-describedby"]:void 0),className:S&&S.splitButtonContainer,onKeyDown:o._onSplitButtonContainerKeyDown,onTouchStart:o._onTouchStart,ref:o._splitButtonContainer,"data-is-focusable":!0,onClick:l||p?void 0:o._onSplitButtonPrimaryClick,tabIndex:!l||c?0:void 0,"aria-roledescription":t["aria-roledescription"],onFocusCapture:o._onSplitContainerFocusCapture}),r.createElement("span",{style:{display:"flex"}},o._onRenderContent(e,t),o._onRenderSplitButtonMenuButton(S,i),o._onRenderSplitButtonDivider(S)))};return _?r.createElement(T.a,{keytipProps:_,disabled:l},(function(e){return k(e)})):k()},t.prototype._onRenderSplitButtonDivider=function(e){return e&&e.divider?r.createElement("span",{className:e.divider,"aria-hidden":!0,onClick:function(e){e.stopPropagation()}}):null},t.prototype._onRenderSplitButtonMenuButton=function(e,o){var i=this.props,a=i.allowDisabledFocus,s=i.checked,l=i.disabled,c=i.splitButtonMenuProps,u=i.splitButtonAriaLabel,d=this.state.menuHidden,p=this.props.menuIconProps;void 0===p&&(p={iconName:"ChevronDown"});var m=(0,n.pi)((0,n.pi)({},c),{styles:e,checked:s,disabled:l,allowDisabledFocus:a,onClick:this._onMenuClick,menuProps:void 0,iconProps:(0,n.pi)((0,n.pi)({},p),{className:this._classNames.menuIcon}),ariaLabel:u,"aria-haspopup":!0,"aria-expanded":!d,"data-is-focusable":!1});return r.createElement(t,(0,n.pi)({},m,{"data-ktp-execute-target":o?o["data-ktp-execute-target"]:o,onMouseDown:this._onMouseDown,tabIndex:-1}))},t.prototype._onPointerDown=function(e){var t=this.props.onPointerDown;t&&t(e),"touch"===e.pointerType&&(this._handleTouchAndPointerEvent(),e.preventDefault(),e.stopImmediatePropagation())},t.prototype._handleTouchAndPointerEvent=function(){var e=this;void 0!==this._lastTouchTimeoutId&&(this._async.clearTimeout(this._lastTouchTimeoutId),this._lastTouchTimeoutId=void 0),this._processingTouch=!0,this._lastTouchTimeoutId=this._async.setTimeout((function(){e._processingTouch=!1,e._lastTouchTimeoutId=void 0,e.focus()}),500)},t.prototype._isValidMenuOpenKey=function(e){return this.props.menuTriggerKeyCode?e.which===this.props.menuTriggerKeyCode:!!this.props.menuProps&&e.which===l.m.down&&(e.altKey||e.metaKey)},t.defaultProps={baseClassName:"ms-Button",styles:{},split:!1},t}(r.Component)},1860:(e,t,o)=>{"use strict";o.d(t,{W:()=>s});var n=o(5094),r=o(9729),i={outline:0},a=function(e){return{fontSize:e,margin:"0 4px",height:"16px",lineHeight:"16px",textAlign:"center",flexShrink:0}},s=(0,n.NF)((function(e){var t,o,n=e.semanticColors,s=e.effects,l=e.fonts,c=n.buttonBorder,u=n.disabledBackground,d=n.disabledText,p={left:-2,top:-2,bottom:-2,right:-2,outlineColor:"ButtonText"};return{root:[(0,r.GL)(e,{inset:1,highContrastStyle:p,borderColor:"transparent"}),e.fonts.medium,{boxSizing:"border-box",border:"1px solid "+c,userSelect:"none",display:"inline-block",textDecoration:"none",textAlign:"center",cursor:"pointer",padding:"0 16px",borderRadius:s.roundedCorner2,selectors:{":active > *":{position:"relative",left:0,top:0}}}],rootDisabled:[(0,r.GL)(e,{inset:1,highContrastStyle:p,borderColor:"transparent"}),{backgroundColor:u,borderColor:u,color:d,cursor:"default",pointerEvents:"none",selectors:{":hover":i,":focus":i}}],iconDisabled:{color:d,selectors:(t={},t[r.qJ]={color:"GrayText"},t)},menuIconDisabled:{color:d,selectors:(o={},o[r.qJ]={color:"GrayText"},o)},flexContainer:{display:"flex",height:"100%",flexWrap:"nowrap",justifyContent:"center",alignItems:"center"},description:{display:"block"},textContainer:{flexGrow:1,display:"block"},icon:a(l.mediumPlus.fontSize),menuIcon:a(l.small.fontSize),label:{margin:"0 4px",lineHeight:"100%",display:"block"},screenReaderText:r.ul}}))},7664:(e,t,o)=>{"use strict";o.d(t,{D:()=>a,f:()=>s});var n=o(7622),r=o(9729),i=o(6145);function a(e){var t,o,i,a,s,l=e.semanticColors,c=e.palette,u=l.buttonBackground,d=l.buttonBackgroundPressed,p=l.buttonBackgroundHovered,m=l.buttonBackgroundDisabled,h=l.buttonText,g=l.buttonTextHovered,f=l.buttonTextDisabled,v=l.buttonTextChecked,b=l.buttonTextCheckedHovered;return{root:{backgroundColor:u,color:h},rootHovered:{backgroundColor:p,color:g,selectors:(t={},t[r.qJ]={borderColor:"Highlight",color:"Highlight"},t)},rootPressed:{backgroundColor:d,color:v},rootExpanded:{backgroundColor:d,color:v},rootChecked:{backgroundColor:d,color:v},rootCheckedHovered:{backgroundColor:d,color:b},rootDisabled:{color:f,backgroundColor:m,selectors:(o={},o[r.qJ]={color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},o)},splitButtonContainer:{selectors:(i={},i[r.qJ]={border:"none"},i)},splitButtonMenuButton:{color:c.white,backgroundColor:"transparent",selectors:{":hover":{backgroundColor:c.neutralLight,selectors:(a={},a[r.qJ]={color:"Highlight"},a)}}},splitButtonMenuButtonDisabled:{backgroundColor:l.buttonBackgroundDisabled,selectors:{":hover":{backgroundColor:l.buttonBackgroundDisabled}}},splitButtonDivider:(0,n.pi)((0,n.pi)({},{position:"absolute",width:1,right:31,top:8,bottom:8}),{backgroundColor:c.neutralTertiaryAlt,selectors:(s={},s[r.qJ]={backgroundColor:"WindowText"},s)}),splitButtonDividerDisabled:{backgroundColor:e.palette.neutralTertiaryAlt},splitButtonMenuButtonChecked:{backgroundColor:c.neutralQuaternaryAlt,selectors:{":hover":{backgroundColor:c.neutralQuaternaryAlt}}},splitButtonMenuButtonExpanded:{backgroundColor:c.neutralQuaternaryAlt,selectors:{":hover":{backgroundColor:c.neutralQuaternaryAlt}}},splitButtonMenuIcon:{color:l.buttonText},splitButtonMenuIconDisabled:{color:l.buttonTextDisabled}}}function s(e){var t,o,a,s,l,c,u,d,p,m=e.palette,h=e.semanticColors;return{root:{backgroundColor:h.primaryButtonBackground,border:"1px solid "+h.primaryButtonBackground,color:h.primaryButtonText,selectors:(t={},t[r.qJ]=(0,n.pi)({color:"Window",backgroundColor:"WindowText",borderColor:"WindowText"},(0,r.xM)()),t["."+i.G$+" &:focus"]={selectors:{":after":{border:"none",outlineColor:m.white}}},t)},rootHovered:{backgroundColor:h.primaryButtonBackgroundHovered,border:"1px solid "+h.primaryButtonBackgroundHovered,color:h.primaryButtonTextHovered,selectors:(o={},o[r.qJ]={color:"Window",backgroundColor:"Highlight",borderColor:"Highlight"},o)},rootPressed:{backgroundColor:h.primaryButtonBackgroundPressed,border:"1px solid "+h.primaryButtonBackgroundPressed,color:h.primaryButtonTextPressed,selectors:(a={},a[r.qJ]=(0,n.pi)({color:"Window",backgroundColor:"WindowText",borderColor:"WindowText"},(0,r.xM)()),a)},rootExpanded:{backgroundColor:h.primaryButtonBackgroundPressed,color:h.primaryButtonTextPressed},rootChecked:{backgroundColor:h.primaryButtonBackgroundPressed,color:h.primaryButtonTextPressed},rootCheckedHovered:{backgroundColor:h.primaryButtonBackgroundPressed,color:h.primaryButtonTextPressed},rootDisabled:{color:h.primaryButtonTextDisabled,backgroundColor:h.primaryButtonBackgroundDisabled,selectors:(s={},s[r.qJ]={color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},s)},splitButtonContainer:{selectors:(l={},l[r.qJ]={border:"none"},l)},splitButtonDivider:(0,n.pi)((0,n.pi)({},{position:"absolute",width:1,right:31,top:8,bottom:8}),{backgroundColor:m.white,selectors:(c={},c[r.qJ]={backgroundColor:"Window"},c)}),splitButtonMenuButton:{backgroundColor:h.primaryButtonBackground,color:h.primaryButtonText,selectors:(u={},u[r.qJ]={backgroundColor:"WindowText"},u[":hover"]={backgroundColor:h.primaryButtonBackgroundHovered,selectors:(d={},d[r.qJ]={color:"Highlight"},d)},u)},splitButtonMenuButtonDisabled:{backgroundColor:h.primaryButtonBackgroundDisabled,selectors:{":hover":{backgroundColor:h.primaryButtonBackgroundDisabled}}},splitButtonMenuButtonChecked:{backgroundColor:h.primaryButtonBackgroundPressed,selectors:{":hover":{backgroundColor:h.primaryButtonBackgroundPressed}}},splitButtonMenuButtonExpanded:{backgroundColor:h.primaryButtonBackgroundPressed,selectors:{":hover":{backgroundColor:h.primaryButtonBackgroundPressed}}},splitButtonMenuIcon:{color:h.primaryButtonText},splitButtonMenuIconDisabled:{color:m.neutralTertiary,selectors:(p={},p[r.qJ]={color:"GrayText"},p)}}}},1420:(e,t,o)=>{"use strict";o.d(t,{Q:()=>h});var n=o(7622),r=o(7002),i=o(4968),a=o(9013),s=o(6053),l=o(9729),c=o(5094),u=o(1860),d=o(8198),p=o(2657),m=(0,c.NF)((function(e,t,o,r){var i,a,s,c,m,h,g,f,v,b,y,_,C,S,x=(0,u.W)(e),k=(0,d.W)(e),w=e.palette,I=e.semanticColors,D={root:[(0,l.GL)(e,{inset:2,highContrastStyle:{left:4,top:4,bottom:4,right:4,border:"none"},borderColor:"transparent"}),e.fonts.medium,{minWidth:"40px",backgroundColor:w.white,color:w.neutralPrimary,padding:"0 4px",border:"none",borderRadius:0,selectors:(i={},i[l.qJ]={border:"none"},i)}],rootHovered:{backgroundColor:w.neutralLighter,color:w.neutralDark,selectors:(a={},a[l.qJ]={color:"Highlight"},a["."+p.n.msButtonIcon]={color:w.themeDarkAlt},a["."+p.n.msButtonMenuIcon]={color:w.neutralPrimary},a)},rootPressed:{backgroundColor:w.neutralLight,color:w.neutralDark,selectors:(s={},s["."+p.n.msButtonIcon]={color:w.themeDark},s["."+p.n.msButtonMenuIcon]={color:w.neutralPrimary},s)},rootChecked:{backgroundColor:w.neutralLight,color:w.neutralDark,selectors:(c={},c["."+p.n.msButtonIcon]={color:w.themeDark},c["."+p.n.msButtonMenuIcon]={color:w.neutralPrimary},c)},rootCheckedHovered:{backgroundColor:w.neutralQuaternaryAlt,selectors:(m={},m["."+p.n.msButtonIcon]={color:w.themeDark},m["."+p.n.msButtonMenuIcon]={color:w.neutralPrimary},m)},rootExpanded:{backgroundColor:w.neutralLight,color:w.neutralDark,selectors:(h={},h["."+p.n.msButtonIcon]={color:w.themeDark},h["."+p.n.msButtonMenuIcon]={color:w.neutralPrimary},h)},rootExpandedHovered:{backgroundColor:w.neutralQuaternaryAlt},rootDisabled:{backgroundColor:w.white,selectors:(g={},g["."+p.n.msButtonIcon]={color:I.disabledBodySubtext,selectors:(f={},f[l.qJ]=(0,n.pi)({color:"GrayText"},(0,l.xM)()),f)},g[l.qJ]=(0,n.pi)({color:"GrayText",backgroundColor:"Window"},(0,l.xM)()),g)},splitButtonContainer:{height:"100%",selectors:(v={},v[l.qJ]={border:"none"},v)},splitButtonDividerDisabled:{selectors:(b={},b[l.qJ]={backgroundColor:"Window"},b)},splitButtonDivider:{backgroundColor:w.neutralTertiaryAlt},splitButtonMenuButton:{backgroundColor:w.white,border:"none",borderTopRightRadius:"0",borderBottomRightRadius:"0",color:w.neutralSecondary,selectors:{":hover":{backgroundColor:w.neutralLighter,color:w.neutralDark,selectors:(y={},y[l.qJ]={color:"Highlight"},y["."+p.n.msButtonIcon]={color:w.neutralPrimary},y)},":active":{backgroundColor:w.neutralLight,selectors:(_={},_["."+p.n.msButtonIcon]={color:w.neutralPrimary},_)}}},splitButtonMenuButtonDisabled:{backgroundColor:w.white,selectors:(C={},C[l.qJ]=(0,n.pi)({color:"GrayText",border:"none",backgroundColor:"Window"},(0,l.xM)()),C)},splitButtonMenuButtonChecked:{backgroundColor:w.neutralLight,color:w.neutralDark,selectors:{":hover":{backgroundColor:w.neutralQuaternaryAlt}}},splitButtonMenuButtonExpanded:{backgroundColor:w.neutralLight,color:w.black,selectors:{":hover":{backgroundColor:w.neutralQuaternaryAlt}}},splitButtonMenuIcon:{color:w.neutralPrimary},splitButtonMenuIconDisabled:{color:w.neutralTertiary},label:{fontWeight:"normal"},icon:{color:w.themePrimary},menuIcon:(S={color:w.neutralSecondary},S[l.qJ]={color:"GrayText"},S)};return(0,l.E$)(x,k,D,t)})),h=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.theme;return r.createElement(i.Y,(0,n.pi)({},this.props,{variantClassName:"ms-Button--commandBar",styles:m(o,t),onRenderDescription:a.S}))},(0,n.gn)([(0,s.a)("CommandBarButton",["theme","styles"],!0)],t)}(r.Component)},990:(e,t,o)=>{"use strict";o.d(t,{M:()=>n});var n=o(2898).K},8959:(e,t,o)=>{"use strict";o.d(t,{W:()=>m});var n=o(7622),r=o(7002),i=o(4968),a=o(6053),s=o(9729),l=o(5094),c=o(1860),u=o(8198),d=o(7664),p=(0,l.NF)((function(e,t,o){var r,i,a,l,p,m=e.fonts,h=e.palette,g=(0,c.W)(e),f=(0,u.W)(e),v={root:{maxWidth:"280px",minHeight:"72px",height:"auto",padding:"16px 12px"},flexContainer:{flexDirection:"row",alignItems:"flex-start",minWidth:"100%",margin:""},textContainer:{textAlign:"left"},icon:{fontSize:"2em",lineHeight:"1em",height:"1em",margin:"0px 8px 0px 0px",flexBasis:"1em",flexShrink:"0"},label:{margin:"0 0 5px",lineHeight:"100%",fontWeight:s.lq.semibold},description:[m.small,{lineHeight:"100%"}]},b={description:{color:h.neutralSecondary},descriptionHovered:{color:h.neutralDark},descriptionPressed:{color:"inherit"},descriptionChecked:{color:"inherit"},descriptionDisabled:{color:"inherit"}},y={description:{color:h.white,selectors:(r={},r[s.qJ]=(0,n.pi)({backgroundColor:"WindowText",color:"Window"},(0,s.xM)()),r)},descriptionHovered:{color:h.white,selectors:(i={},i[s.qJ]={backgroundColor:"Highlight",color:"Window"},i)},descriptionPressed:{color:"inherit",selectors:(a={},a[s.qJ]=(0,n.pi)({color:"Window",backgroundColor:"WindowText"},(0,s.xM)()),a)},descriptionChecked:{color:"inherit",selectors:(l={},l[s.qJ]=(0,n.pi)({color:"Window",backgroundColor:"WindowText"},(0,s.xM)()),l)},descriptionDisabled:{color:"inherit",selectors:(p={},p[s.qJ]={color:"inherit"},p)}};return(0,s.E$)(g,v,o?(0,d.f)(e):(0,d.D)(e),o?y:b,f,t)})),m=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.primary,o=void 0!==t&&t,a=e.styles,s=e.theme;return r.createElement(i.Y,(0,n.pi)({},this.props,{variantClassName:o?"ms-Button--compoundPrimary":"ms-Button--compound",styles:p(s,a,o)}))},(0,n.gn)([(0,a.a)("CompoundButton",["theme","styles"],!0)],t)}(r.Component)},9632:(e,t,o)=>{"use strict";o.d(t,{a:()=>h});var n=o(7622),r=o(7002),i=o(4968),a=o(9013),s=o(6053),l=o(9729),c=o(5094),u=o(1860),d=o(8198),p=o(7664),m=(0,c.NF)((function(e,t,o){var n=(0,u.W)(e),r=(0,d.W)(e),i={root:{minWidth:"80px",height:"32px"},label:{fontWeight:l.lq.semibold}};return(0,l.E$)(n,i,o?(0,p.f)(e):(0,p.D)(e),r,t)})),h=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.primary,o=void 0!==t&&t,s=e.styles,l=e.theme;return r.createElement(i.Y,(0,n.pi)({},this.props,{variantClassName:o?"ms-Button--primary":"ms-Button--default",styles:m(l,s,o),onRenderDescription:a.S}))},(0,n.gn)([(0,s.a)("DefaultButton",["theme","styles"],!0)],t)}(r.Component)},5758:(e,t,o)=>{"use strict";o.d(t,{h:()=>m});var n=o(7622),r=o(7002),i=o(4968),a=o(9013),s=o(6053),l=o(9729),c=o(5094),u=o(1860),d=o(8198),p=(0,c.NF)((function(e,t){var o,n=(0,u.W)(e),r=(0,d.W)(e),i=e.palette,a={root:{padding:"0 4px",width:"32px",height:"32px",backgroundColor:"transparent",border:"none",color:e.semanticColors.link},rootHovered:{color:i.themeDarkAlt,backgroundColor:i.neutralLighter,selectors:(o={},o[l.qJ]={borderColor:"Highlight",color:"Highlight"},o)},rootHasMenu:{width:"auto"},rootPressed:{color:i.themeDark,backgroundColor:i.neutralLight},rootExpanded:{color:i.themeDark,backgroundColor:i.neutralLight},rootChecked:{color:i.themeDark,backgroundColor:i.neutralLight},rootCheckedHovered:{color:i.themeDark,backgroundColor:i.neutralQuaternaryAlt},rootDisabled:{color:i.neutralTertiaryAlt}};return(0,l.E$)(n,a,r,t)})),m=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.theme;return r.createElement(i.Y,(0,n.pi)({},this.props,{variantClassName:"ms-Button--icon",styles:p(o,t),onRenderText:a.S,onRenderDescription:a.S}))},(0,n.gn)([(0,s.a)("IconButton",["theme","styles"],!0)],t)}(r.Component)},8924:(e,t,o)=>{"use strict";o.d(t,{K:()=>l});var n=o(7622),r=o(7002),i=o(9013),a=o(6053),s=o(9632),l=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){return r.createElement(s.a,(0,n.pi)({},this.props,{primary:!0,onRenderDescription:i.S}))},(0,n.gn)([(0,a.a)("PrimaryButton",["theme","styles"],!0)],t)}(r.Component)},5032:(e,t,o)=>{"use strict";o.d(t,{W:()=>i});var n=o(5094),r=o(9729),i=(0,n.NF)((function(e,t,o,n,i){return{root:(0,r.y0)(e.splitButtonMenuButton,o&&[e.splitButtonMenuButtonExpanded],t&&[e.splitButtonMenuButtonDisabled],n&&!t&&[e.splitButtonMenuButtonChecked]),splitButtonContainer:(0,r.y0)(e.splitButtonContainer,!t&&n&&[e.splitButtonContainerChecked,{selectors:{":hover":e.splitButtonContainerCheckedHovered}}],!t&&!n&&[{selectors:{":hover":e.splitButtonContainerHovered,":focus":e.splitButtonContainerFocused}}],t&&e.splitButtonContainerDisabled),icon:(0,r.y0)(e.splitButtonMenuIcon,t&&e.splitButtonMenuIconDisabled,!t&&i&&e.splitButtonMenuIcon),flexContainer:(0,r.y0)(e.splitButtonFlexContainer),divider:(0,r.y0)(e.splitButtonDivider,(i||t)&&e.splitButtonDividerDisabled)}}))},8198:(e,t,o)=>{"use strict";o.d(t,{W:()=>i});var n=o(7622),r=o(9729),i=(0,o(5094).NF)((function(e,t){var o,i,a,s,l,c,u,d,p,m,h,g,f,v=e.effects,b=e.palette,y=e.semanticColors,_={position:"absolute",width:1,right:31,top:8,bottom:8},C={splitButtonContainer:[(0,r.GL)(e,{highContrastStyle:{left:-2,top:-2,bottom:-2,right:-2,border:"none"},inset:2}),{display:"inline-flex",selectors:{".ms-Button--default":{borderTopRightRadius:"0",borderBottomRightRadius:"0",borderRight:"none"},".ms-Button--primary":{borderTopRightRadius:"0",borderBottomRightRadius:"0",border:"none",selectors:(o={},o[r.qJ]=(0,n.pi)({color:"WindowText",backgroundColor:"Window",border:"1px solid WindowText",borderRightWidth:"0"},(0,r.xM)()),o)},".ms-Button--primary + .ms-Button":{border:"none",selectors:(i={},i[r.qJ]={border:"1px solid WindowText",borderLeftWidth:"0"},i)}}}],splitButtonContainerHovered:{selectors:{".ms-Button--primary":{selectors:(a={},a[r.qJ]={color:"Window",backgroundColor:"Highlight"},a)},".ms-Button.is-disabled":{color:y.buttonTextDisabled,selectors:(s={},s[r.qJ]={color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},s)}}},splitButtonContainerChecked:{selectors:{".ms-Button--primary":{selectors:(l={},l[r.qJ]=(0,n.pi)({color:"Window",backgroundColor:"WindowText"},(0,r.xM)()),l)}}},splitButtonContainerCheckedHovered:{selectors:{".ms-Button--primary":{selectors:(c={},c[r.qJ]=(0,n.pi)({color:"Window",backgroundColor:"WindowText"},(0,r.xM)()),c)}}},splitButtonContainerFocused:{outline:"none!important"},splitButtonMenuButton:(u={padding:6,height:"auto",boxSizing:"border-box",borderRadius:0,borderTopRightRadius:v.roundedCorner2,borderBottomRightRadius:v.roundedCorner2,border:"1px solid "+b.neutralSecondaryAlt,borderLeft:"none",outline:"transparent",userSelect:"none",display:"inline-block",textDecoration:"none",textAlign:"center",cursor:"pointer",verticalAlign:"top",width:32,marginLeft:-1,marginTop:0,marginRight:0,marginBottom:0},u[r.qJ]={".ms-Button-menuIcon":{color:"WindowText"}},u),splitButtonDivider:(0,n.pi)((0,n.pi)({},_),{selectors:(d={},d[r.qJ]={backgroundColor:"WindowText"},d)}),splitButtonDividerDisabled:(0,n.pi)((0,n.pi)({},_),{selectors:(p={},p[r.qJ]={backgroundColor:"GrayText"},p)}),splitButtonMenuButtonDisabled:{pointerEvents:"none",border:"none",selectors:(m={":hover":{cursor:"default"},".ms-Button--primary":{selectors:(h={},h[r.qJ]={color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},h)},".ms-Button-menuIcon":{selectors:(g={},g[r.qJ]={color:"GrayText"},g)}},m[r.qJ]={color:"GrayText",border:"1px solid GrayText",backgroundColor:"Window"},m)},splitButtonFlexContainer:{display:"flex",height:"100%",flexWrap:"nowrap",justifyContent:"center",alignItems:"center"},splitButtonContainerDisabled:{outline:"none",border:"none",selectors:(f={},f[r.qJ]=(0,n.pi)({color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},(0,r.xM)()),f)}};return(0,r.E$)(C,t)}))},4977:(e,t,o)=>{"use strict";o.d(t,{f:()=>te});var n=o(2002),r=o(7622),i=o(7002),a=o(1093),s=o(6786),l=o(6974),c=o(7300),u=o(6953),d=o(8088),p=o(8145),m=o(9947),h=o(4316),g=o(4085),f=(0,c.y)(),v=function(e){var t=i.useRef(null);i.useImperativeHandle(e.componentRef,(function(){return{focus:function(){var e,o,n;null===(n=null===(e=t.current)||void 0===e?void 0:(o=e).focus)||void 0===n||n.call(o)}}}),[]);var o=e.strings,n=e.navigatedDate,a=e.dateTimeFormatter,s=e.styles,l=e.theme,c=e.className,d=e.onHeaderSelect,p=e.showSixWeeksByDefault,m=e.minDate,v=e.maxDate,_=e.restrictedDates,C=e.onNavigateDate,S=e.showWeekNumbers,x=e.dateRangeType,k=e.animationDirection,w=(0,g.M)(),I=(0,g.M)(),D=f(s,{theme:l,className:c,headerIsClickable:!!d,showWeekNumbers:S,animationDirection:k}),T=a.formatMonthYear(n,o),E=d?"button":"div",P=o.yearPickerHeaderAriaLabel?(0,u.W)(o.yearPickerHeaderAriaLabel,T):T;return i.createElement("div",{className:D.root,id:w},i.createElement("div",{className:D.header},i.createElement(E,{"aria-live":"polite","aria-atomic":"true","aria-label":d?P:void 0,key:T,className:D.monthAndYear,onClick:d,"data-is-focusable":!!d,tabIndex:d?0:-1,onKeyDown:y(d),type:"button"},i.createElement("span",{id:I},T)),i.createElement(b,(0,r.pi)({},e,{classNames:D,dayPickerId:w}))),i.createElement(h.Q,(0,r.pi)({},e,{styles:s,componentRef:t,strings:o,navigatedDate:n,weeksToShow:p?6:void 0,dateTimeFormatter:a,minDate:m,maxDate:v,restrictedDates:_,onNavigateDate:C,labelledBy:I,dateRangeType:x})))};v.displayName="CalendarDayBase";var b=function(e){var t,o,n=e.minDate,r=e.maxDate,a=e.navigatedDate,s=e.allFocusable,c=e.strings,u=e.navigationIcons,p=e.showCloseButton,h=e.classNames,g=e.dayPickerId,f=e.onNavigateDate,v=e.onDismiss,b=function(){f((0,l.zI)(a,1),!1)},_=function(){f((0,l.zI)(a,-1),!1)},C=u.leftNavigation,S=u.rightNavigation,x=u.closeIcon,k=!n||(0,l.NJ)(n,(0,l.pU)(a))<0,w=!r||(0,l.NJ)((0,l.D7)(a),r)<0;return i.createElement("div",{className:h.monthComponents},i.createElement("button",{className:(0,d.i)(h.headerIconButton,(t={},t[h.disabledStyle]=!k,t)),disabled:!s&&!k,"aria-disabled":!k,onClick:k?_:void 0,onKeyDown:k?y(_):void 0,"aria-controls":g,title:c.prevMonthAriaLabel?c.prevMonthAriaLabel+" "+c.months[(0,l.zI)(a,-1).getMonth()]:void 0,type:"button"},i.createElement(m.J,{iconName:C})),i.createElement("button",{className:(0,d.i)(h.headerIconButton,(o={},o[h.disabledStyle]=!w,o)),disabled:!s&&!w,"aria-disabled":!w,onClick:w?b:void 0,onKeyDown:w?y(b):void 0,"aria-controls":g,title:c.nextMonthAriaLabel?c.nextMonthAriaLabel+" "+c.months[(0,l.zI)(a,1).getMonth()]:void 0,type:"button"},i.createElement(m.J,{iconName:S})),p&&i.createElement("button",{className:(0,d.i)(h.headerIconButton),onClick:v,onKeyDown:y(v),title:c.closeButtonAriaLabel,type:"button"},i.createElement(m.J,{iconName:x})))};b.displayName="CalendarDayNavigationButtons";var y=function(e){return function(t){var o;switch(t.which){case p.m.enter:null===(o=e)||void 0===o||o()}}},_=o(9729),C=(0,n.z)(v,(function(e){var t=e.className,o=e.theme,n=e.headerIsClickable,i=e.showWeekNumbers,a=o.palette,s={selectors:{"&, &:disabled, & button":{color:a.neutralTertiaryAlt,pointerEvents:"none"}}};return{root:[_.Fv,{width:196,padding:12,boxSizing:"content-box"},i&&{width:226},t],header:{position:"relative",display:"inline-flex",height:28,lineHeight:44,width:"100%"},monthAndYear:[(0,_.GL)(o,{inset:1}),(0,r.pi)((0,r.pi)({},_.Ic.fadeIn200),{alignItems:"center",fontSize:_.TS.medium,fontFamily:"inherit",color:a.neutralPrimary,display:"inline-block",flexGrow:1,fontWeight:_.lq.semibold,padding:"0 4px 0 10px",border:"none",backgroundColor:"transparent",borderRadius:2,lineHeight:28,overflow:"hidden",whiteSpace:"nowrap",textAlign:"left",textOverflow:"ellipsis"}),n&&{selectors:{"&:hover":{cursor:"pointer",background:a.neutralLight,color:a.black}}}],monthComponents:{display:"inline-flex",alignSelf:"flex-end"},headerIconButton:[(0,_.GL)(o,{inset:-1}),{width:28,height:28,display:"block",textAlign:"center",lineHeight:28,fontSize:_.TS.small,fontFamily:"inherit",color:a.neutralPrimary,borderRadius:2,position:"relative",backgroundColor:"transparent",border:"none",padding:0,overflow:"visible",selectors:{"&:hover":{color:a.neutralDark,backgroundColor:a.neutralLight,cursor:"pointer",outline:"1px solid transparent"}}}],disabledStyle:s}}),void 0,{scope:"CalendarDay"}),S=o(2998),x=o(716),k=function(e){var t,o,n,i,a,s,l=e.className,c=e.theme,u=e.hasHeaderClickCallback,d=e.highlightCurrent,p=e.highlightSelected,m=e.animateBackwards,h=e.animationDirection,g=c.palette,f={};void 0!==m&&(f=h===x.s.Horizontal?m?_.Ic.slideRightIn20:_.Ic.slideLeftIn20:m?_.Ic.slideDownIn20:_.Ic.slideUpIn20);var v=void 0!==m?_.Ic.fadeIn200:{};return{root:[_.Fv,{width:196,padding:12,boxSizing:"content-box",overflow:"hidden"},l],headerContainer:{display:"flex"},currentItemButton:[(0,_.GL)(c,{inset:-1}),(0,r.pi)((0,r.pi)({},v),{fontSize:_.TS.medium,fontWeight:_.lq.semibold,fontFamily:"inherit",textAlign:"left",backgroundColor:"transparent",flexGrow:1,padding:"0 4px 0 10px",border:"none",overflow:"visible"}),u&&{selectors:{"&:hover, &:active":{cursor:u?"pointer":"default",color:g.neutralDark,outline:"1px solid transparent",backgroundColor:g.neutralLight}}}],navigationButtonsContainer:{display:"flex",alignItems:"center"},navigationButton:[(0,_.GL)(c,{inset:-1}),{fontFamily:"inherit",width:28,minWidth:28,height:28,minHeight:28,display:"block",textAlign:"center",lineHeight:28,fontSize:_.TS.small,color:g.neutralPrimary,borderRadius:2,position:"relative",backgroundColor:"transparent",border:"none",padding:0,overflow:"visible",selectors:{"&:hover":{color:g.neutralDark,cursor:"pointer",outline:"1px solid transparent",backgroundColor:g.neutralLight}}}],gridContainer:{marginTop:4},buttonRow:(0,r.pi)((0,r.pi)({},f),{marginBottom:16,selectors:{"&:nth-child(n + 3)":{marginBottom:0}}}),itemButton:[(0,_.GL)(c,{inset:-1}),{width:40,height:40,minWidth:40,minHeight:40,lineHeight:40,fontSize:_.TS.small,fontFamily:"inherit",padding:0,margin:"0 12px 0 0",color:g.neutralPrimary,backgroundColor:"transparent",border:"none",borderRadius:2,overflow:"visible",selectors:{"&:nth-child(4n + 4)":{marginRight:0},"&:nth-child(n + 9)":{marginBottom:0},"& div":{fontWeight:_.lq.regular},"&:hover":{color:g.neutralDark,backgroundColor:g.neutralLight,cursor:"pointer",outline:"1px solid transparent",selectors:(t={},t[_.qJ]=(0,r.pi)({background:"Window",color:"WindowText",outline:"1px solid Highlight"},(0,_.xM)()),t)},"&:active":{backgroundColor:g.themeLight,selectors:(o={},o[_.qJ]=(0,r.pi)({background:"Window",color:"Highlight"},(0,_.xM)()),o)}}}],current:d?{color:g.white,backgroundColor:g.themePrimary,selectors:(n={"& div":{fontWeight:_.lq.semibold},"&:hover":{backgroundColor:g.themePrimary,selectors:(i={},i[_.qJ]=(0,r.pi)({backgroundColor:"WindowText",color:"Window"},(0,_.xM)()),i)}},n[_.qJ]=(0,r.pi)({backgroundColor:"WindowText",color:"Window"},(0,_.xM)()),n)}:{},selected:p?{color:g.neutralPrimary,backgroundColor:g.themeLight,fontWeight:_.lq.semibold,selectors:(a={"& div":{fontWeight:_.lq.semibold},"&:hover, &:active":{backgroundColor:g.themeLight,selectors:(s={},s[_.qJ]=(0,r.pi)({color:"Window",background:"Highlight"},(0,_.xM)()),s)}},a[_.qJ]=(0,r.pi)({background:"Highlight",color:"Window"},(0,_.xM)()),a)}:{},disabled:{selectors:{"&, &:disabled, & button":{color:g.neutralTertiaryAlt,pointerEvents:"none"}}}}},w=function(e){return k(e)},I=o(63),D=o(5951),T=o(6876),E=o(6883),P=(0,c.y)(),M={prevRangeAriaLabel:void 0,nextRangeAriaLabel:void 0},R=function(e){var t,o,n,r=e.styles,a=e.theme,s=e.className,l=e.highlightCurrentYear,c=e.highlightSelectedYear,u=e.year,m=e.selected,h=e.disabled,g=e.componentRef,f=e.onSelectYear,v=e.onRenderYear,b=i.useRef(null);i.useImperativeHandle(g,(function(){return{focus:function(){var e,t,o;null===(o=null===(e=b.current)||void 0===e?void 0:(t=e).focus)||void 0===o||o.call(t)}}}),[]);var y=P(r,{theme:a,className:s,highlightCurrent:l,highlightSelected:c});return i.createElement("button",{className:(0,d.i)(y.itemButton,(t={},t[y.selected]=m,t[y.disabled]=h,t)),type:"button",role:"gridcell",onClick:h?void 0:function(){var e;null===(e=f)||void 0===e||e(u)},onKeyDown:h?void 0:function(e){var t;e.which===p.m.enter&&(null===(t=f)||void 0===t||t(u))},disabled:h,"aria-selected":m,ref:b,"aria-readonly":!0},null!=(n=null===(o=v)||void 0===o?void 0:o(u))?n:u)};R.displayName="CalendarYearGridCell";var N,B=function(e){var t=e.styles,o=e.theme,n=e.className,a=e.fromYear,s=e.toYear,l=e.animationDirection,c=e.animateBackwards,u=e.minYear,d=e.maxYear,p=e.onSelectYear,m=e.selectedYear,h=e.componentRef,g=i.useRef(null),f=i.useRef(null);i.useImperativeHandle(h,(function(){return{focus:function(){var e,t,o;null===(o=null===(e=g.current||f.current)||void 0===e?void 0:(t=e).focus)||void 0===o||o.call(t)}}}),[]);for(var v,b,y,_,C=P(t,{theme:o,className:n,animateBackwards:c,animationDirection:l}),x=function(t){var o,n,r;return null!=(r=null===(n=(o=e).onRenderYear)||void 0===n?void 0:n.call(o,t))?r:t},k=x(a)+" - "+x(s),w=a,I=[],D=0;D<(s-a+1)/4;D++){I.push([]);for(var T=0;T<4;T++)I[D].push((void 0,void 0,void 0,b=(v=w)===m,y=void 0!==u&&vd,_=v===(new Date).getFullYear(),i.createElement(R,(0,r.pi)({},e,{key:v,year:v,selected:b,current:_,disabled:y,onSelectYear:p,componentRef:b?g:_?f:void 0,theme:o})))),w++}return i.createElement(S.k,null,i.createElement("div",{className:C.gridContainer,role:"grid","aria-label":k},I.map((function(e,t){return i.createElement("div",{key:"yearPickerRow_"+t+"_"+a,role:"row",className:C.buttonRow},e)}))))};B.displayName="CalendarYearGrid",function(e){e[e.Previous=0]="Previous",e[e.Next=1]="Next"}(N||(N={}));var F=function(e){var t,o=e.styles,n=e.theme,r=e.className,a=e.navigationIcons,s=void 0===a?E.XU:a,l=e.strings,c=void 0===l?M:l,u=e.direction,h=e.onSelectPrev,g=e.onSelectNext,f=e.fromYear,v=e.toYear,b=e.maxYear,y=e.minYear,_=P(o,{theme:n,className:r}),C=0===u?c.prevRangeAriaLabel:c.nextRangeAriaLabel,S=0===u?-12:12,x=C?"string"==typeof C?C:C({fromYear:f+S,toYear:v+S}):void 0,k=0===u?void 0!==y&&fb,w=function(){var e,t;0===u?null===(e=h)||void 0===e||e():null===(t=g)||void 0===t||t()},I=(0,D.zg)()?1===u:0===u;return i.createElement("button",{className:(0,d.i)(_.navigationButton,(t={},t[_.disabled]=k,t)),onClick:k?void 0:w,onKeyDown:k?void 0:function(e){e.which===p.m.enter&&w()},type:"button",title:x,disabled:k},i.createElement(m.J,{iconName:I?s.leftNavigation:s.rightNavigation}))};F.displayName="CalendarYearNavArrow";var L=function(e){var t=e.styles,o=e.theme,n=e.className,a=P(t,{theme:o,className:n});return i.createElement("div",{className:a.navigationButtonsContainer},i.createElement(F,(0,r.pi)({},e,{direction:0})),i.createElement(F,(0,r.pi)({},e,{direction:1})))};L.displayName="CalendarYearNav";var A=function(e){var t=e.styles,o=e.theme,n=e.className,r=e.fromYear,a=e.toYear,s=e.strings,l=void 0===s?M:s,c=e.animateBackwards,d=e.animationDirection,m=function(){var t,o;null===(o=(t=e).onHeaderSelect)||void 0===o||o.call(t,!0)},h=function(t){var o,n,r;return null!=(r=null===(n=(o=e).onRenderYear)||void 0===n?void 0:n.call(o,t))?r:t},g=P(t,{theme:o,className:n,hasHeaderClickCallback:!!e.onHeaderSelect,animateBackwards:c,animationDirection:d});if(e.onHeaderSelect){var f=l.rangeAriaLabel,v=l.headerAriaLabelFormatString,b=f?"string"==typeof f?f:f(e):void 0,y=v?(0,u.W)(v,b):b;return i.createElement("button",{className:g.currentItemButton,onClick:m,onKeyDown:function(e){e.which!==p.m.enter&&e.which!==p.m.space||m()},"aria-label":y,role:"button",type:"button","aria-atomic":!0,"aria-live":"polite"},h(r)," - ",h(a))}return i.createElement("div",{className:g.current},h(r)," - ",h(a))};A.displayName="CalendarYearTitle";var z,H=function(e){var t,o,n=e.styles,a=e.theme,s=e.className,l=e.animateBackwards,c=e.animationDirection,u=e.onRenderTitle,d=P(n,{theme:a,className:s,hasHeaderClickCallback:!!e.onHeaderSelect,animateBackwards:l,animationDirection:c});return i.createElement("div",{className:d.headerContainer},null!=(o=null===(t=u)||void 0===t?void 0:t(e))?o:i.createElement(A,(0,r.pi)({},e)),i.createElement(L,(0,r.pi)({},e)))};H.displayName="CalendarYearHeader",function(e){e[e.Previous=0]="Previous",e[e.Next=1]="Next"}(z||(z={}));var O=function(e){var t=function(e){var t=e.selectedYear,o=e.navigatedYear,n=t||o||(new Date).getFullYear(),r=10*Math.floor(n/10),i=(0,T.D)(r);return i&&i!==r?i>r:void 0}(e),o=function(e){var t=e.selectedYear,o=e.navigatedYear,n=i.useReducer((function(e,t){return e+(1===t?12:-12)}),void 0,(function(){var e=t||o||(new Date).getFullYear();return 10*Math.floor(e/10)})),r=n[0],a=n[1];return[r,r+12-1,function(){return a(1)},function(){return a(0)}]}(e),n=o[0],a=o[1],s=o[2],l=o[3],c=i.useRef(null);i.useImperativeHandle(e.componentRef,(function(){return{focus:function(){var e,t,o;null===(o=null===(e=c.current)||void 0===e?void 0:(t=e).focus)||void 0===o||o.call(t)}}}));var u=e.styles,d=e.theme,p=e.className,m=P(u,{theme:d,className:p});return i.createElement("div",{className:m.root},i.createElement(H,(0,r.pi)({},e,{fromYear:n,toYear:a,onSelectPrev:l,onSelectNext:s,animateBackwards:t})),i.createElement(B,(0,r.pi)({},e,{fromYear:n,toYear:a,animateBackwards:t,componentRef:c})))};O.displayName="CalendarYearBase";var W=(0,n.z)(O,(function(e){return k(e)}),void 0,{scope:"CalendarYear"}),V=(0,c.y)(),K={styles:w,strings:void 0,navigationIcons:E.XU,dateTimeFormatter:s.mR,yearPickerHidden:!1},q=function(e){var t,o,n=(0,I.j)(K,e),r=function(e){var t=e.componentRef,o=i.useRef(null),n=i.useRef(null),r=i.useRef(!1),a=i.useCallback((function(){n.current?n.current.focus():o.current&&o.current.focus()}),[]);return i.useImperativeHandle(t,(function(){return{focus:a}}),[a]),i.useEffect((function(){r.current&&(a(),r.current=!1)})),[o,n,function(){r.current=!0}]}(n),a=r[0],s=r[1],c=r[2],p=i.useState(!1),h=p[0],g=p[1],f=function(e){var t=e.navigatedDate.getFullYear(),o=(0,T.D)(t);return void 0===o||o===t?void 0:o>t}(n),v=n.navigatedDate,b=n.selectedDate,y=n.strings,_=n.today,C=void 0===_?new Date:_,x=n.navigationIcons,k=n.dateTimeFormatter,w=n.minDate,E=n.maxDate,P=n.theme,M=n.styles,R=n.className,N=n.allFocusable,B=n.highlightCurrentMonth,F=n.highlightSelectedMonth,L=n.animationDirection,A=n.yearPickerHidden,z=n.onNavigateDate,H=function(e){return function(){return j(e)}},O=function(){z((0,l.Bc)(v,1),!1)},q=function(){z((0,l.Bc)(v,-1),!1)},j=function(e){var t,o;null===(o=(t=n).onHeaderSelect)||void 0===o||o.call(t),z((0,l.q0)(v,e),!0)},J=function(){var e,t;A?null===(t=(e=n).onHeaderSelect)||void 0===t||t.call(e):(c(),g(!0))},Y=x.leftNavigation,Z=x.rightNavigation,X=k,Q=!w||(0,l.NJ)(w,(0,l.W8)(v))<0,$=!E||(0,l.NJ)((0,l.Q9)(v),E)<0,ee=V(M,{theme:P,className:R,hasHeaderClickCallback:!!n.onHeaderSelect||!A,highlightCurrent:B,highlightSelected:F,animateBackwards:f,animationDirection:L});if(h){var te=function(e){var t=e.strings,o=e.navigatedDate,n=e.dateTimeFormatter,r=function(e){if(n){var t=new Date(o.getTime());return t.setFullYear(e),n.formatYear(t)}return String(e)},i=function(e){return r(e.fromYear)+" - "+r(e.toYear)};return[r,{rangeAriaLabel:i,prevRangeAriaLabel:function(e){return t.prevYearRangeAriaLabel?t.prevYearRangeAriaLabel+" "+i(e):""},nextRangeAriaLabel:function(e){return t.nextYearRangeAriaLabel?t.nextYearRangeAriaLabel+" "+i(e):""},headerAriaLabelFormatString:t.yearPickerHeaderAriaLabel}]}(n),oe=te[0],ne=te[1];return i.createElement(W,{key:"calendarYear",minYear:w?w.getFullYear():void 0,maxYear:E?E.getFullYear():void 0,onSelectYear:function(e){if(c(),v.getFullYear()!==e){var t=new Date(v.getTime());t.setFullYear(e),E&&t>E?t=(0,l.q0)(t,E.getMonth()):w&&t{"use strict";var n;o.d(t,{s:()=>n}),function(e){e[e.Horizontal=0]="Horizontal",e[e.Vertical=1]="Vertical"}(n||(n={}))},6883:(e,t,o)=>{"use strict";o.d(t,{V3:()=>n,GC:()=>r,XU:()=>i});var n=o(6786).tf,r=n,i={leftNavigation:"Up",rightNavigation:"Down",closeIcon:"CalculatorMultiply"}},4316:(e,t,o)=>{"use strict";o.d(t,{Q:()=>M});var n=o(7622),r=o(7002),i=o(7300),a=o(5951),s=o(2998),l=o(6974),c=o(1093),u=function(e,t,o){var r=(0,n.pr)(e);return t&&(r=r.filter((function(e){return(0,l.NJ)(e,t)>=0}))),o&&(r=r.filter((function(e){return(0,l.NJ)(e,o)<=0}))),r},d=function(e,t){var o=t.minDate;return!!o&&(0,l.NJ)(o,e)>=1},p=function(e,t){var o=t.maxDate;return!!o&&(0,l.NJ)(e,o)>=1},m=function(e,t){var o=t.restrictedDates,n=t.minDate,r=t.maxDate;return!!(o||n||r)&&(o&&o.some((function(t){return(0,l.aN)(t,e)}))||d(e,t)||p(e,t))},h=o(6876),g=o(4085),f=o(2470),v=o(8088),b=function(e){var t=e.showWeekNumbers,o=e.strings,n=e.firstDayOfWeek,i=e.allFocusable,a=e.weeksToShow,s=e.weeks,l=e.classNames,u=o.shortDays.slice(),d=(0,f.cx)(s[1],(function(e){return 1===e.originalDate.getDate()}));if(1===a&&d>=0){var p=(d+n)%c.NA;u[p]=o.shortMonths[s[1][d].originalDate.getMonth()]}return r.createElement("tr",null,t&&r.createElement("th",{className:l.dayCell}),u.map((function(e,t){var a=(t+n)%c.NA,s=t===d?o.days[a]+" "+u[a]:o.days[a];return r.createElement("th",{className:(0,v.i)(l.dayCell,l.weekDayLabelCell),scope:"col",key:u[a]+" "+t,title:s,"aria-label":s,"data-is-focusable":!!i||void 0},u[a])})))},y=o(6953),_=o(8145),C=function(e){var t=e.targetDate,o=e.initialDate,r=e.direction,i=(0,n._T)(e,["targetDate","initialDate","direction"]),a=t;if(!m(t,i))return t;for(;0!==(0,l.NJ)(o,a)&&m(a,i)&&!p(a,i)&&!d(a,i);)a=(0,l.E4)(a,r);return 0===(0,l.NJ)(o,a)||m(a,i)?void 0:a},S=function(e){var t,o,n=e.navigatedDate,i=e.dateTimeFormatter,s=e.allFocusable,u=e.strings,d=e.activeDescendantId,p=e.navigatedDayRef,m=e.calculateRoundedStyles,h=e.weeks,g=e.classNames,f=e.day,b=e.dayIndex,y=e.weekIndex,S=e.weekCorners,x=e.ariaHidden,k=e.customDayCellRef,w=e.dateRangeType,I=e.daysToSelectInDayView,D=e.onSelectDate,T=e.restrictedDates,E=e.minDate,P=e.maxDate,M=e.onNavigateDate,R=e.getDayInfosInRangeOfDay,N=e.getRefsFromDayInfos,B=null!=(o=null===(t=S)||void 0===t?void 0:t[y+"_"+b])?o:"",F=(0,l.aN)(n,f.originalDate),L=i.formatMonthDayYear(f.originalDate,u);return f.isMarked&&(L=L+", "+u.dayMarkedAriaLabel),r.createElement("td",{className:(0,v.i)(g.dayCell,S&&B,f.isSelected&&g.daySelected,f.isSelected&&"ms-CalendarDay-daySelected",!f.isInBounds&&g.dayOutsideBounds,!f.isInMonth&&g.dayOutsideNavigatedMonth),ref:function(e){var t;null===(t=k)||void 0===t||t(e,f.originalDate,g),f.setRef(e)},"aria-hidden":x,onClick:f.isInBounds&&!x?f.onSelected:void 0,onMouseOver:x?void 0:function(e){var t=R(f),o=N(t);o.forEach((function(e,n){var r;if(e&&(e.classList.add("ms-CalendarDay-hoverStyle"),!t[n].isSelected&&w===c.NU.Day&&I&&I>1)){e.classList.remove(g.bottomLeftCornerDate,g.bottomRightCornerDate,g.topLeftCornerDate,g.topRightCornerDate);var i=m(g,!1,!1,n>0,n1)){var i=m(g,!1,!1,n>0,n0)};return[function(e,n){var r={},i=n.slice(1,n.length-1);return i.forEach((function(n,a){n.forEach((function(n,s){var l=i[a-1]&&i[a-1][s]&&o(i[a-1][s].originalDate,n.originalDate,i[a-1][s].isSelected,n.isSelected),c=i[a+1]&&i[a+1][s]&&o(i[a+1][s].originalDate,n.originalDate,i[a+1][s].isSelected,n.isSelected),u=i[a][s-1]&&o(i[a][s-1].originalDate,n.originalDate,i[a][s-1].isSelected,n.isSelected),d=i[a][s+1]&&o(i[a][s+1].originalDate,n.originalDate,i[a][s+1].isSelected,n.isSelected),p=t(e,l,c,u,d);r[a+"_"+s]=p}))})),r},t]}(e),_=y[0],C=y[1];r.useImperativeHandle(e.componentRef,(function(){return{focus:function(){var e,o,n;null===(n=null===(e=t.current)||void 0===e?void 0:(o=e).focus)||void 0===n||n.call(o)}}}),[]);var S=e.styles,I=e.theme,D=e.className,T=e.dateRangeType,E=e.showWeekNumbers,P=e.labelledBy,M=e.lightenDaysOutsideNavigatedMonth,R=e.animationDirection,N=k(S,{theme:I,className:D,dateRangeType:T,showWeekNumbers:E,lightenDaysOutsideNavigatedMonth:void 0===M||M,animationDirection:R,animateBackwards:v}),B=_(N,f),F={weeks:f,navigatedDayRef:t,calculateRoundedStyles:C,activeDescendantId:o,classNames:N,weekCorners:B,getDayInfosInRangeOfDay:function(t){var o=function(e,t){if(t&&e===c.NU.WorkWeek){for(var o=t.slice().sort(),n=!0,r=1;r{"use strict";o.d(t,{U:()=>s});var n=o(7622),r=o(7002),i=o(4941),a=o(7513),s=r.forwardRef((function(e,t){var o=e.layerProps,s=e.doNotLayer,l=(0,n._T)(e,["layerProps","doNotLayer"]),c=r.createElement(i.N,(0,n.pi)({},l,{ref:t}));return s?c:r.createElement(a.m,(0,n.pi)({},o),c)}));s.displayName="Callout"},5666:(e,t,o)=>{"use strict";o.d(t,{H:()=>T});var n,r=o(7622),i=o(7002),a=o(6628),s=o(4553),l=o(3345),c=o(9251),u=o(63),d=o(8127),p=o(8088),m=o(2447),h=o(4568),g=o(6591),f=o(752),v=o(7300),b=o(9729),y=o(3528),_=o(7913),C=o(9241),S=o(2674),x=((n={})[h.z.top]=b.k4.slideUpIn10,n[h.z.bottom]=b.k4.slideDownIn10,n[h.z.left]=b.k4.slideLeftIn10,n[h.z.right]=b.k4.slideRightIn10,n),k=(0,v.y)({disableCaching:!0}),w={opacity:0,filter:"opacity(0)",pointerEvents:"none"},I=["role","aria-roledescription"],D={preventDismissOnLostFocus:!1,preventDismissOnScroll:!1,preventDismissOnResize:!1,isBeakVisible:!0,beakWidth:16,gapSpace:0,minPagePadding:8,directionalHint:a.b.bottomAutoEdge};var T=i.memo(i.forwardRef((function(e,t){var o=(0,u.j)(D,e),n=o.styles,a=o.style,m=o.ariaLabel,h=o.ariaDescribedBy,v=o.ariaLabelledBy,b=o.className,T=o.isBeakVisible,M=o.children,R=o.beakWidth,N=o.calloutWidth,B=o.calloutMaxWidth,F=o.calloutMinWidth,L=o.finalHeight,A=o.hideOverflow,z=void 0===A?!!L:A,H=o.backgroundColor,O=o.calloutMaxHeight,W=o.onScroll,V=o.shouldRestoreFocus,K=void 0===V||V,q=o.target,G=o.hidden,U=o.onLayerMounted,j=i.useRef(null),J=i.useRef(null),Y=(0,C.r)(j,t),Z=(0,S.e)(o.target,J),X=Z[0],Q=Z[1],$=function(e,t,o){var n=e.bounds,r=e.minPagePadding,a=void 0===r?D.minPagePadding:r,s=e.target,l=i.useRef();return i.useCallback((function(){if(!l.current){var e="function"==typeof n?o?n(s,o):void 0:n;!e&&o&&(e={top:(e=(0,g.qE)(t.current,o)).top+a,left:e.left+a,right:e.right-a,bottom:e.bottom-a,width:e.width-2*a,height:e.height-2*a}),l.current=e}return l.current}),[n,a,s,t,o])}(o,X,Q),ee=function(e,t,o){var n=e.beakWidth,r=e.coverTarget,a=e.directionalHint,s=e.directionalHintFixed,l=e.gapSpace,c=e.isBeakVisible,u=e.hidden,d=i.useState(),p=d[0],m=d[1],h=(0,y.r)(),f=t.current;return i.useEffect((function(){var e;if(p||u)u&&m(void 0);else if(s&&f){var i=(null!=l?l:0)+(c&&n?n:0);h.requestAnimationFrame((function(){t.current&&m((0,g.DC)(t.current,a,i,o(),r))}))}else m(null===(e=o())||void 0===e?void 0:e.height)}),[t,f,l,n,o,u,h,r,a,s,c,p]),p}(o,X,$),te=function(e,t){var o=e.finalHeight,n=e.hidden,r=i.useState(0),a=r[0],s=r[1],l=(0,y.r)(),c=i.useRef(),u=i.useCallback((function(){t.current&&o&&(c.current=l.requestAnimationFrame((function(){var e,n=null===(e=t.current)||void 0===e?void 0:e.lastChild;if(n){var r=n.scrollHeight-n.offsetHeight;s((function(e){return e+r})),n.offsetHeight0&&(u.current=0,null===(i=f)||void 0===i||i(l))}}),o.current);return function(){return d.cancelAnimationFrame(i)}}}),[p,v,d,o,t,n,h,a,f,l,e,m]),l}(o,j,J,X,$),ne=function(e,t,o,n,r){var a=e.hidden,s=e.onDismiss,u=e.preventDismissOnScroll,d=e.preventDismissOnResize,p=e.preventDismissOnLostFocus,m=e.shouldDismissOnWindowFocus,h=e.preventDismissOnEvent,g=i.useRef(!1),f=(0,y.r)(),v=(0,_.B)([function(){g.current=!0},function(){g.current=!1}]),b=!!t;return i.useEffect((function(){var e=function(e){b&&!u&&v(e)},t=function(e){var t;d||null===(t=s)||void 0===t||t(e)},i=function(e){p||v(e)},v=function(e){var t,i=e.target,a=o.current&&!(0,l.t)(o.current,i);a&&g.current?g.current=!1:(!n.current&&a||e.target!==r&&a&&(!n.current||"stopPropagation"in n.current||i!==n.current&&!(0,l.t)(n.current,i)))&&(null===(t=s)||void 0===t||t(e))},y=function(e){var t,o;m&&((!h||h(e))&&(h||p)||(null===(t=r)||void 0===t?void 0:t.document.hasFocus())||null!==e.relatedTarget||null===(o=s)||void 0===o||o(e))},_=new Promise((function(o){f.setTimeout((function(){if(!a&&r){var n=[(0,c.on)(r,"scroll",e,!0),(0,c.on)(r,"resize",t,!0),(0,c.on)(r.document.documentElement,"focus",i,!0),(0,c.on)(r.document.documentElement,"click",i,!0),(0,c.on)(r,"blur",y,!0)];o((function(){n.forEach((function(e){return e()}))}))}}),0)}));return function(){_.then((function(e){return e()}))}}),[a,f,o,n,r,s,m,p,d,u,b,h]),v}(o,oe,j,X,Q),re=ne[0],ie=ne[1];if(function(e,t,o){var n=e.hidden,r=e.setInitialFocus,a=(0,y.r)(),l=!!t;i.useEffect((function(){if(!n&&r&&l&&o.current){var e=a.requestAnimationFrame((function(){return(0,s.uo)(o.current)}),o.current);return function(){return a.cancelAnimationFrame(e)}}}),[n,l,a,o,r])}(o,oe,J),i.useEffect((function(){var e;G||null===(e=U)||void 0===e||e()}),[G]),!Q)return null;var ae=ee?ee+te:void 0,se=O&&ae&&O{"use strict";o.d(t,{N:()=>l});var n=o(2002),r=o(5666),i=o(9729);function a(e){return{height:e,width:e}}var s={container:"ms-Callout-container",root:"ms-Callout",beak:"ms-Callout-beak",beakCurtain:"ms-Callout-beakCurtain",calloutMain:"ms-Callout-main"},l=(0,n.z)(r.H,(function(e){var t,o=e.theme,n=e.className,r=e.overflowYHidden,l=e.calloutWidth,c=e.beakWidth,u=e.backgroundColor,d=e.calloutMaxWidth,p=e.calloutMinWidth,m=(0,i.Cn)(s,o),h=o.semanticColors,g=o.effects;return{container:[m.container,{position:"relative"}],root:[m.root,o.fonts.medium,{position:"absolute",boxSizing:"border-box",borderRadius:g.roundedCorner2,boxShadow:g.elevation16,selectors:(t={},t[i.qJ]={borderWidth:1,borderStyle:"solid",borderColor:"WindowText"},t)},(0,i.e2)(),n,!!l&&{width:l},!!d&&{maxWidth:d},!!p&&{minWidth:p}],beak:[m.beak,{position:"absolute",backgroundColor:h.menuBackground,boxShadow:"inherit",border:"inherit",boxSizing:"border-box",transform:"rotate(45deg)"},a(c),u&&{backgroundColor:u}],beakCurtain:[m.beakCurtain,{position:"absolute",top:0,right:0,bottom:0,left:0,backgroundColor:h.menuBackground,borderRadius:g.roundedCorner2}],calloutMain:[m.calloutMain,{backgroundColor:h.menuBackground,overflowX:"hidden",overflowY:"auto",position:"relative",borderRadius:g.roundedCorner2},r&&{overflowY:"hidden"},u&&{backgroundColor:u}]}}),void 0,{scope:"CalloutContent"})},5790:(e,t,o)=>{"use strict";o.d(t,{A:()=>p});var n=o(7622),r=o(7002),i=o(4085),a=o(9241),s=o(6548),l=o(7300),c=o(5480),u=o(9947),d=(0,l.y)(),p=r.forwardRef((function(e,t){var o=e.disabled,l=e.required,p=e.inputProps,m=e.name,h=e.ariaLabel,g=e.ariaLabelledBy,f=e.ariaDescribedBy,v=e.ariaPositionInSet,b=e.ariaSetSize,y=e.title,_=e.label,C=e.checkmarkIconProps,S=e.styles,x=e.theme,k=e.className,w=e.boxSide,I=void 0===w?"start":w,D=(0,i.M)("checkbox-",e.id),T=r.useRef(null),E=(0,a.r)(T,t),P=r.useRef(null),M=(0,s.G)(e.checked,e.defaultChecked,e.onChange),R=M[0],N=M[1],B=(0,s.G)(e.indeterminate,e.defaultIndeterminate),F=B[0],L=B[1];(0,c.P)(T),function(e,t,o,n){r.useImperativeHandle(e.componentRef,(function(){return{get checked(){return!!t},get indeterminate(){return!!o},focus:function(){n.current&&n.current.focus()}}}),[n,t,o])}(e,R,F,P);var A=d(S,{theme:x,className:k,disabled:o,indeterminate:F,checked:R,reversed:"start"!==I,isUsingCustomLabelRender:!!e.onRenderLabel}),z=r.useCallback((function(e){return e&&e.label?r.createElement("span",{"aria-hidden":"true",className:A.text,title:e.title},e.label):null}),[A.text]),H=e.onRenderLabel||z,O=F?"mixed":R?"true":"false",W=(0,n.pi)((0,n.pi)({className:A.input,type:"checkbox"},p),{checked:!!R,disabled:o,required:l,name:m,id:D,title:y,onChange:function(e){F?(N(!!R,e),L(!1)):N(!R,e)},"aria-disabled":o,"aria-label":h||_,"aria-labelledby":g,"aria-describedby":f,"aria-posinset":v,"aria-setsize":b,"aria-checked":O});return r.createElement("div",{className:A.root,title:y,ref:E},r.createElement("input",(0,n.pi)({},W,{ref:P,"data-ktp-execute-target":!0})),r.createElement("label",{className:A.label,htmlFor:D},r.createElement("div",{className:A.checkbox,"data-ktp-target":!0},r.createElement(u.J,(0,n.pi)({iconName:"CheckMark"},C,{className:A.checkmark}))),H(e,z)))}));p.displayName="CheckboxBase"},2777:(e,t,o)=>{"use strict";o.d(t,{X:()=>p});var n=o(2002),r=o(5790),i=o(7622),a=o(9729),s=o(6145),l={root:"ms-Checkbox",label:"ms-Checkbox-label",checkbox:"ms-Checkbox-checkbox",checkmark:"ms-Checkbox-checkmark",text:"ms-Checkbox-text"},c="20px",u="200ms",d="cubic-bezier(.4, 0, .23, 1)",p=(0,n.z)(r.A,(function(e){var t,o,n,r,p,m,h,g,f,v,b,y,_,C,S,x,k,w,I=e.className,D=e.theme,T=e.reversed,E=e.checked,P=e.disabled,M=e.isUsingCustomLabelRender,R=e.indeterminate,N=D.semanticColors,B=D.effects,F=D.palette,L=D.fonts,A=(0,a.Cn)(l,D),z=N.inputForegroundChecked,H=F.neutralSecondary,O=F.neutralPrimary,W=N.inputBackgroundChecked,V=N.inputBackgroundChecked,K=N.disabledBodySubtext,q=N.inputBorderHovered,G=N.inputBackgroundCheckedHovered,U=N.inputBackgroundChecked,j=N.inputBackgroundCheckedHovered,J=N.inputBackgroundCheckedHovered,Y=N.inputTextHovered,Z=N.disabledBodySubtext,X=N.bodyText,Q=N.disabledText,$=[(t={content:'""',borderRadius:B.roundedCorner2,position:"absolute",width:10,height:10,top:4,left:4,boxSizing:"border-box",borderWidth:5,borderStyle:"solid",borderColor:P?K:W,transitionProperty:"border-width, border, border-color",transitionDuration:u,transitionTimingFunction:d},t[a.qJ]={borderColor:"WindowText"},t)];return{root:[A.root,{position:"relative",display:"flex"},T&&"reversed",E&&"is-checked",!P&&"is-enabled",P&&"is-disabled",!P&&[!E&&(o={},o[":hover ."+A.checkbox]=(n={borderColor:q},n[a.qJ]={borderColor:"Highlight"},n),o[":focus ."+A.checkbox]={borderColor:q},o[":hover ."+A.checkmark]=(r={color:H,opacity:"1"},r[a.qJ]={color:"Highlight"},r),o),E&&!R&&(p={},p[":hover ."+A.checkbox]={background:j,borderColor:J},p[":focus ."+A.checkbox]={background:j,borderColor:J},p[a.qJ]=(m={},m[":hover ."+A.checkbox]={background:"Highlight",borderColor:"Highlight"},m[":focus ."+A.checkbox]={background:"Highlight"},m[":focus:hover ."+A.checkbox]={background:"Highlight"},m[":focus:hover ."+A.checkmark]={color:"Window"},m[":hover ."+A.checkmark]={color:"Window"},m),p),R&&(h={},h[":hover ."+A.checkbox+", :hover ."+A.checkbox+":after"]=(g={borderColor:G},g[a.qJ]={borderColor:"WindowText"},g),h[":focus ."+A.checkbox]={borderColor:G},h[":hover ."+A.checkmark]={opacity:"0"},h),(f={},f[":hover ."+A.text+", :focus ."+A.text]=(v={color:Y},v[a.qJ]={color:P?"GrayText":"WindowText"},v),f)],I],input:(b={position:"absolute",background:"none",opacity:0},b["."+s.G$+" &:focus + label::before"]=(y={outline:"1px solid "+D.palette.neutralSecondary,outlineOffset:"2px"},y[a.qJ]={outline:"1px solid WindowText"},y),b),label:[A.label,D.fonts.medium,{display:"flex",alignItems:M?"center":"flex-start",cursor:P?"default":"pointer",position:"relative",userSelect:"none"},T&&{flexDirection:"row-reverse",justifyContent:"flex-end"},{"&::before":{position:"absolute",left:0,right:0,top:0,bottom:0,content:'""',pointerEvents:"none"}}],checkbox:[A.checkbox,(_={position:"relative",display:"flex",flexShrink:0,alignItems:"center",justifyContent:"center",height:c,width:c,border:"1px solid "+O,borderRadius:B.roundedCorner2,boxSizing:"border-box",transitionProperty:"background, border, border-color",transitionDuration:u,transitionTimingFunction:d,overflow:"hidden",":after":R?$:null},_[a.qJ]=(0,i.pi)({borderColor:"WindowText"},(0,a.xM)()),_),R&&{borderColor:W},T?{marginLeft:4}:{marginRight:4},!P&&!R&&E&&(C={background:U,borderColor:V},C[a.qJ]={background:"Highlight",borderColor:"Highlight"},C),P&&(S={borderColor:K},S[a.qJ]={borderColor:"GrayText"},S),E&&P&&(x={background:Z,borderColor:K},x[a.qJ]={background:"Window"},x)],checkmark:[A.checkmark,(k={opacity:E?"1":"0",color:z},k[a.qJ]=(0,i.pi)({color:P?"GrayText":"Window"},(0,a.xM)()),k)],text:[A.text,(w={color:P?Q:X,fontSize:L.medium.fontSize,lineHeight:"20px"},w[a.qJ]=(0,i.pi)({color:P?"GrayText":"WindowText"},(0,a.xM)()),w),T?{marginRight:4}:{marginLeft:4}]}}),void 0,{scope:"Checkbox"})},5554:(e,t,o)=>{"use strict";o.d(t,{q:()=>f});var n=o(7622),r=o(7002),i=o(2052),a=o(7300),s=o(2470),l=o(6145),c=o(8127),u=o(1351),d=o(4085),p=o(6548),m=(0,a.y)(),h=function(e,t){return t+"-"+e.key},g=function(e,t){return void 0===t?void 0:(0,s.sE)(e,(function(e){return e.key===t}))},f=r.forwardRef((function(e,t){var o=e.className,a=e.theme,s=e.styles,f=e.options,v=void 0===f?[]:f,b=e.label,y=e.required,_=e.disabled,C=e.name,S=e.defaultSelectedKey,x=e.componentRef,k=e.onChange,w=(0,d.M)("ChoiceGroup"),I=(0,d.M)("ChoiceGroupLabel"),D=(0,c.pq)(e,c.n7,["onChange","className","required"]),T=m(s,{theme:a,className:o,optionsContainIconOrImage:v.some((function(e){return!(!e.iconProps&&!e.imageSrc)}))}),E=e.ariaLabelledBy||(b?I:e["aria-labelledby"]),P=(0,p.G)(e.selectedKey,S),M=P[0],R=P[1],N=r.useState(),B=N[0],F=N[1];!function(e,t,o,n){r.useImperativeHandle(n,(function(){return{get checkedOption(){return g(e,t)},focus:function(){var n=g(e,t)||e.filter((function(e){return!e.disabled}))[0],r=n&&document.getElementById(h(n,o));r&&(r.focus(),(0,l.MU)(!0,r))}}}),[e,t,o])}(v,M,w,x);var L=r.useCallback((function(e,t){var o,n;t&&(F(t.itemKey),null===(n=(o=t).onFocus)||void 0===n||n.call(o,e))}),[]),A=r.useCallback((function(e,t){var o,n,r;F(void 0),null===(r=null===(o=t)||void 0===o?void 0:(n=o).onBlur)||void 0===r||r.call(n,e)}),[]),z=r.useCallback((function(e,t){var o,n,r;t&&(R(t.itemKey),null===(n=(o=t).onChange)||void 0===n||n.call(o,e),null===(r=k)||void 0===r||r(e,g(v,t.itemKey)))}),[k,v,R]);return r.createElement("div",(0,n.pi)({className:T.root},D,{ref:t}),r.createElement("div",(0,n.pi)({role:"radiogroup"},E&&{"aria-labelledby":E}),b&&r.createElement(i._,{className:T.label,required:y,id:I,disabled:_},b),r.createElement("div",{className:T.flexContainer},v.map((function(e){return r.createElement(u.c,(0,n.pi)({key:e.key,itemKey:e.key},e,{onBlur:A,onFocus:L,onChange:z,focused:e.key===B,checked:e.key===M,disabled:e.disabled||_,id:h(e,w),labelId:e.labelId||I+"-"+e.key,name:C||w,required:y}))})))))}));f.displayName="ChoiceGroup"},9240:(e,t,o)=>{"use strict";o.d(t,{F:()=>s});var n=o(2002),r=o(5554),i=o(9729),a={root:"ms-ChoiceFieldGroup",flexContainer:"ms-ChoiceFieldGroup-flexContainer"},s=(0,n.z)(r.q,(function(e){var t=e.className,o=e.optionsContainIconOrImage,n=e.theme,r=(0,i.Cn)(a,n);return{root:[t,r.root,n.fonts.medium,{display:"block"}],flexContainer:[r.flexContainer,o&&{display:"flex",flexDirection:"row",flexWrap:"wrap"}]}}),void 0,{scope:"ChoiceGroup"})},1351:(e,t,o)=>{"use strict";o.d(t,{c:()=>x});var n=o(2002),r=o(7622),i=o(7002),a=o(4861),s=o(9947),l=o(7300),c=o(63),u=o(8127),d=o(8826),p=o(8088),m=(0,l.y)(),h={imageSize:{width:32,height:32}},g=function(e){var t=(0,c.j)((0,r.pi)((0,r.pi)({},h),{key:e.itemKey}),e),o=t.ariaLabel,n=t.focused,l=t.required,g=t.theme,f=t.iconProps,v=t.imageSrc,b=t.imageSize,y=t.disabled,_=t.checked,C=t.id,S=t.styles,x=t.name,k=(0,r._T)(t,["ariaLabel","focused","required","theme","iconProps","imageSrc","imageSize","disabled","checked","id","styles","name"]),w=m(S,{theme:g,hasIcon:!!f,hasImage:!!v,checked:_,disabled:y,imageIsLarge:!!v&&(b.width>71||b.height>71),imageSize:b,focused:n}),I=(0,u.pq)(k,u.Gg),D=I.className,T=(0,r._T)(I,["className"]),E=function(){return i.createElement("span",{id:t.labelId,className:"ms-ChoiceFieldLabel"},t.text)},P=function(){var e=t.imageAlt,o=void 0===e?"":e,n=t.selectedImageSrc,l=(t.onRenderLabel?(0,d.k)(t.onRenderLabel,E):E)(t);return i.createElement("label",{htmlFor:C,className:w.field},v&&i.createElement("div",{className:w.innerField},i.createElement("div",{className:w.imageWrapper},i.createElement(a.E,(0,r.pi)({src:v,alt:o},b))),i.createElement("div",{className:w.selectedImageWrapper},i.createElement(a.E,(0,r.pi)({src:n,alt:o},b)))),f&&i.createElement("div",{className:w.innerField},i.createElement("div",{className:w.iconWrapper},i.createElement(s.J,(0,r.pi)({},f)))),v||f?i.createElement("div",{className:w.labelWrapper},l):l)},M=t.onRenderField,R=void 0===M?P:M;return i.createElement("div",{className:w.root},i.createElement("div",{className:w.choiceFieldWrapper},i.createElement("input",(0,r.pi)({"aria-label":o,id:C,className:(0,p.i)(w.input,D),type:"radio",name:x,disabled:y,checked:_,required:l},T,{onChange:function(e){var o,n;null===(n=(o=t).onChange)||void 0===n||n.call(o,e,t)},onFocus:function(e){var o,n;null===(n=(o=t).onFocus)||void 0===n||n.call(o,e,t)},onBlur:function(e){var o,n;null===(n=(o=t).onBlur)||void 0===n||n.call(o,e)}})),R(t,P)))};g.displayName="ChoiceGroupOption";var f=o(9729),v=o(6145),b={root:"ms-ChoiceField",choiceFieldWrapper:"ms-ChoiceField-wrapper",input:"ms-ChoiceField-input",field:"ms-ChoiceField-field",innerField:"ms-ChoiceField-innerField",imageWrapper:"ms-ChoiceField-imageWrapper",iconWrapper:"ms-ChoiceField-iconWrapper",labelWrapper:"ms-ChoiceField-labelWrapper",checked:"is-checked"},y="200ms",_="cubic-bezier(.4, 0, .23, 1)";function C(e,t){var o,n;return["is-inFocus",{selectors:(o={},o["."+v.G$+" &"]={position:"relative",outline:"transparent",selectors:{"::-moz-focus-inner":{border:0},":after":{content:'""',top:-2,right:-2,bottom:-2,left:-2,pointerEvents:"none",border:"1px solid "+e,position:"absolute",selectors:(n={},n[f.qJ]={borderColor:"WindowText",borderWidth:t?1:2},n)}}},o)}]}function S(e,t,o){return[t,{paddingBottom:2,transitionProperty:"opacity",transitionDuration:y,transitionTimingFunction:"ease",selectors:{".ms-Image":{display:"inline-block",borderStyle:"none"}}},(o?!e:e)&&["is-hidden",{position:"absolute",left:0,top:0,width:"100%",height:"100%",overflow:"hidden",opacity:0}]]}var x=(0,n.z)(g,(function(e){var t,o,n,i,a,s=e.theme,l=e.hasIcon,c=e.hasImage,u=e.checked,d=e.disabled,p=e.imageIsLarge,m=e.focused,h=e.imageSize,g=s.palette,v=s.semanticColors,x=s.fonts,k=(0,f.Cn)(b,s),w=g.neutralPrimary,I=v.inputBorderHovered,D=v.inputBackgroundChecked,T=g.themeDark,E=v.disabledBodySubtext,P=v.bodyBackground,M=g.neutralSecondary,R=v.inputBackgroundChecked,N=g.themeDark,B=v.disabledBodySubtext,F=g.neutralDark,L=v.focusBorder,A=v.inputBorderHovered,z=v.inputBackgroundChecked,H=g.themeDark,O=g.neutralLighter,W={selectors:{".ms-ChoiceFieldLabel":{color:F},":before":{borderColor:u?T:I},":after":[!l&&!c&&!u&&{content:'""',transitionProperty:"background-color",left:5,top:5,width:10,height:10,backgroundColor:M},u&&{borderColor:N}]}},V={borderColor:u?H:A,selectors:{":before":{opacity:1,borderColor:u?T:I}}},K=[{content:'""',display:"inline-block",backgroundColor:P,borderWidth:1,borderStyle:"solid",borderColor:w,width:20,height:20,fontWeight:"normal",position:"absolute",top:0,left:0,boxSizing:"border-box",transitionProperty:"border-color",transitionDuration:y,transitionTimingFunction:_,borderRadius:"50%"},d&&{borderColor:E,selectors:(t={},t[f.qJ]=(0,r.pi)({borderColor:"GrayText",background:"Window"},(0,f.xM)()),t)},u&&{borderColor:d?E:D,selectors:(o={},o[f.qJ]={borderColor:"Highlight",background:"Window",forcedColorAdjust:"none"},o)},(l||c)&&{top:3,right:3,left:"auto",opacity:u?1:0}],q=[{content:'""',width:0,height:0,borderRadius:"50%",position:"absolute",left:10,right:0,transitionProperty:"border-width",transitionDuration:y,transitionTimingFunction:_,boxSizing:"border-box"},u&&{borderWidth:5,borderStyle:"solid",borderColor:d?B:R,left:5,top:5,width:10,height:10,selectors:(n={},n[f.qJ]={borderColor:"Highlight",forcedColorAdjust:"none"},n)},u&&(l||c)&&{top:8,right:8,left:"auto"}];return{root:[k.root,s.fonts.medium,{display:"flex",alignItems:"center",boxSizing:"border-box",color:v.bodyText,minHeight:26,border:"none",position:"relative",marginTop:8,selectors:{".ms-ChoiceFieldLabel":{display:"inline-block"}}},!l&&!c&&{selectors:{".ms-ChoiceFieldLabel":{paddingLeft:"26px"}}},c&&"ms-ChoiceField--image",l&&"ms-ChoiceField--icon",(l||c)&&{display:"inline-flex",fontSize:0,margin:"0 4px 4px 0",paddingLeft:0,backgroundColor:O,height:"100%"}],choiceFieldWrapper:[k.choiceFieldWrapper,m&&C(L,l||c)],input:[k.input,{position:"absolute",opacity:0,top:0,right:0,width:"100%",height:"100%",margin:0},d&&"is-disabled"],field:[k.field,u&&k.checked,{display:"inline-block",cursor:"pointer",marginTop:0,position:"relative",verticalAlign:"top",userSelect:"none",minHeight:20,selectors:{":hover":!d&&W,":focus":!d&&W,":before":K,":after":q}},l&&"ms-ChoiceField--icon",c&&"ms-ChoiceField-field--image",(l||c)&&{boxSizing:"content-box",cursor:"pointer",paddingTop:22,margin:0,textAlign:"center",transitionProperty:"all",transitionDuration:y,transitionTimingFunction:"ease",border:"1px solid transparent",justifyContent:"center",alignItems:"center",display:"flex",flexDirection:"column"},u&&{borderColor:z},(l||c)&&!d&&{selectors:{":hover":V,":focus":V}},d&&{cursor:"default",selectors:{".ms-ChoiceFieldLabel":{color:v.disabledBodyText,selectors:(i={},i[f.qJ]=(0,r.pi)({color:"GrayText"},(0,f.xM)()),i)}}},u&&d&&{borderColor:O}],innerField:[k.innerField,c&&{height:h.height,width:h.width},(l||c)&&{position:"relative",display:"inline-block",paddingLeft:30,paddingRight:30},(l||c)&&p&&{paddingLeft:24,paddingRight:24},(l||c)&&d&&{opacity:.25,selectors:(a={},a[f.qJ]={color:"GrayText",opacity:1},a)}],imageWrapper:S(!1,k.imageWrapper,u),selectedImageWrapper:S(!0,k.imageWrapper,u),iconWrapper:[k.iconWrapper,{fontSize:32,lineHeight:32,height:32}],labelWrapper:[k.labelWrapper,x.medium,(l||c)&&{display:"block",position:"relative",margin:"4px 8px 2px 8px",height:32,lineHeight:15,maxWidth:2*h.width,overflow:"hidden",whiteSpace:"pre-wrap"}]}}),void 0,{scope:"ChoiceGroupOption"})},1958:(e,t,o)=>{"use strict";o.d(t,{T:()=>z});var n=o(7622),r=o(7002),i=o(7300),a=o(688),s=o(3129),l=o(687),c=o(8623),u=o(2002),d=o(2782),p=o(8145),m=o(9251),h=o(21),g=o(2417),f=o(6119),v=o(1342),b=(0,i.y)(),y=function(e){function t(t){var o=e.call(this,t)||this;return o._disposables=[],o._root=r.createRef(),o._isAdjustingSaturation=!0,o._descriptionId=(0,d.z)("ColorRectangle-description"),o._onKeyDown=function(e){var t=o.state.color,n=t.s,r=t.v,i=e.shiftKey?10:1;switch(e.which){case p.m.up:o._isAdjustingSaturation=!1,r+=i;break;case p.m.down:o._isAdjustingSaturation=!1,r-=i;break;case p.m.left:o._isAdjustingSaturation=!0,n-=i;break;case p.m.right:o._isAdjustingSaturation=!0,n+=i;break;default:return}o._updateColor(e,(0,f.d)(t,(0,v.u)(n,h.fr),(0,v.u)(r,h.uw)))},o._onMouseDown=function(e){o._disposables.push((0,m.on)(window,"mousemove",o._onMouseMove,!0),(0,m.on)(window,"mouseup",o._disposeListeners,!0)),o._onMouseMove(e)},o._onMouseMove=function(e){if(o._root.current){var t=function(e,t,o){var n=o.getBoundingClientRect(),r=(e.clientX-n.left)/n.width,i=(e.clientY-n.top)/n.height;return(0,f.d)(t,(0,v.u)(Math.round(r*h.fr),h.fr),(0,v.u)(Math.round(h.uw-i*h.uw),h.uw))}(e,o.state.color,o._root.current);t&&o._updateColor(e,t)}},o._disposeListeners=function(){o._disposables.forEach((function(e){return e()})),o._disposables=[]},(0,a.l)(o),o.state={color:t.color},o}return(0,n.ZT)(t,e),Object.defineProperty(t.prototype,"color",{get:function(){return this.state.color},enumerable:!0,configurable:!0}),t.prototype.componentDidUpdate=function(e,t){e!==this.props&&this.props.color&&this.setState({color:this.props.color})},t.prototype.componentWillUnmount=function(){this._disposeListeners()},t.prototype.render=function(){var e=this.props,t=e.minSize,o=e.theme,n=e.className,i=e.styles,a=e.ariaValueFormat,s=e.ariaLabel,l=e.ariaDescription,c=this.state.color,u=b(i,{theme:o,className:n,minSize:t}),d=a.replace("{0}",String(c.s)).replace("{1}",String(c.v));return r.createElement("div",{ref:this._root,tabIndex:0,className:u.root,style:{backgroundColor:(0,g.p)(c)},onMouseDown:this._onMouseDown,onKeyDown:this._onKeyDown,role:"slider","aria-valuetext":d,"aria-valuenow":this._isAdjustingSaturation?c.s:c.v,"aria-valuemin":0,"aria-valuemax":h.uw,"aria-label":s,"aria-describedby":this._descriptionId,"data-is-focusable":!0},r.createElement("div",{className:u.description,id:this._descriptionId},l),r.createElement("div",{className:u.light}),r.createElement("div",{className:u.dark}),r.createElement("div",{className:u.thumb,style:{left:c.s+"%",top:h.uw-c.v+"%",backgroundColor:c.str}}))},t.prototype._updateColor=function(e,t){var o=this.props.onChange,n=this.state.color;t.s===n.s&&t.v===n.v||(o&&o(e,t),e.defaultPrevented||(this.setState({color:t}),e.preventDefault()))},t.defaultProps={minSize:220,ariaLabel:"Saturation and brightness",ariaValueFormat:"Saturation {0} brightness {1}",ariaDescription:"Use left and right arrow keys to set saturation. Use up and down arrow keys to set brightness."},t}(r.Component),_=o(9729),C=o(6145),S=(0,u.z)(y,(function(e){var t,o=e.className,r=e.theme,i=e.minSize,a=r.palette,s=r.effects;return{root:["ms-ColorPicker-colorRect",{position:"relative",marginBottom:8,border:"1px solid "+a.neutralLighter,borderRadius:s.roundedCorner2,minWidth:i,minHeight:i,outline:"none",selectors:(t={},t[_.qJ]=(0,n.pi)({},(0,_.xM)()),t["."+C.G$+" &:focus"]={outline:"1px solid "+a.neutralSecondary},t)},o],light:["ms-ColorPicker-light",{position:"absolute",left:0,right:0,top:0,bottom:0,background:"linear-gradient(to right, white 0%, transparent 100%) /*@noflip*/"}],dark:["ms-ColorPicker-dark",{position:"absolute",left:0,right:0,top:0,bottom:0,background:"linear-gradient(to bottom, transparent 0, #000 100%)"}],thumb:["ms-ColorPicker-thumb",{position:"absolute",width:20,height:20,background:"white",border:"1px solid "+a.neutralSecondaryAlt,borderRadius:"50%",boxShadow:s.elevation8,transform:"translate(-50%, -50%)",selectors:{":before":{position:"absolute",left:0,right:0,top:0,bottom:0,border:"2px solid "+a.white,borderRadius:"50%",boxSizing:"border-box",content:'""'}}}],description:_.ul}}),void 0,{scope:"ColorRectangle"}),x=o(9757),k=(0,i.y)(),w=function(e){function t(t){var o=e.call(this,t)||this;return o._disposables=[],o._root=r.createRef(),o._onKeyDown=function(e){var t=o.value,n=o._maxValue,r=e.shiftKey?10:1;switch(e.which){case p.m.left:t-=r;break;case p.m.right:t+=r;break;case p.m.home:t=0;break;case p.m.end:t=n;break;default:return}o._updateValue(e,(0,v.u)(t,n))},o._onMouseDown=function(e){var t=(0,x.J)(o);t&&o._disposables.push((0,m.on)(t,"mousemove",o._onMouseMove,!0),(0,m.on)(t,"mouseup",o._disposeListeners,!0)),o._onMouseMove(e)},o._onMouseMove=function(e){if(o._root.current){var t=o._maxValue,n=o._root.current.getBoundingClientRect(),r=(e.clientX-n.left)/n.width,i=(0,v.u)(Math.round(r*t),t);o._updateValue(e,i)}},o._disposeListeners=function(){o._disposables.forEach((function(e){return e()})),o._disposables=[]},(0,a.l)(o),(0,s.b)("ColorSlider",t,{thumbColor:"styles.sliderThumb",overlayStyle:"overlayColor",isAlpha:"type",maxValue:"type",minValue:"type"}),"hue"===o._type||t.overlayColor||t.overlayStyle||(0,l.Z)("ColorSlider: 'overlayColor' is required when 'type' is \"alpha\" or \"transparency\""),o.state={currentValue:t.value||0},o}return(0,n.ZT)(t,e),Object.defineProperty(t.prototype,"value",{get:function(){return this.state.currentValue},enumerable:!0,configurable:!0}),t.prototype.componentDidUpdate=function(e,t){e!==this.props&&void 0!==this.props.value&&this.setState({currentValue:this.props.value})},t.prototype.componentWillUnmount=function(){this._disposeListeners()},t.prototype.render=function(){var e=this._type,t=this._maxValue,o=this.props,n=o.overlayStyle,i=o.overlayColor,a=o.theme,s=o.className,l=o.styles,c=o.ariaLabel,u=void 0===c?e:c,d=this.value,p=k(l,{theme:a,className:s,type:e}),m=100*d/t;return r.createElement("div",{ref:this._root,className:p.root,tabIndex:0,onKeyDown:this._onKeyDown,onMouseDown:this._onMouseDown,role:"slider","aria-valuenow":d,"aria-valuetext":String(d),"aria-valuemin":0,"aria-valuemax":t,"aria-label":u,"data-is-focusable":!0},!(!i&&!n)&&r.createElement("div",{className:p.sliderOverlay,style:i?{background:"transparency"===e?"linear-gradient(to right, #"+i+", transparent)":"linear-gradient(to right, transparent, #"+i+")"}:n}),r.createElement("div",{className:p.sliderThumb,style:{left:m+"%"}}))},Object.defineProperty(t.prototype,"_type",{get:function(){var e=this.props,t=e.isAlpha,o=e.type;return void 0===o?t?"alpha":"hue":o},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"_maxValue",{get:function(){return"hue"===this._type?h.a_:h.c5},enumerable:!0,configurable:!0}),t.prototype._updateValue=function(e,t){if(t!==this.value){var o=this.props.onChange;o&&o(e,t),e.defaultPrevented||(this.setState({currentValue:t}),e.preventDefault())}},t.defaultProps={value:0},t}(r.Component),I={background:"linear-gradient("+["to left","red 0","#f09 10%","#cd00ff 20%","#3200ff 30%","#06f 40%","#00fffd 50%","#0f6 60%","#35ff00 70%","#cdff00 80%","#f90 90%","red 100%"].join(",")+")"},D={backgroundImage:"url(data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAAoAAAAKCAYAAACNMs+9AAAAJUlEQVQYV2N89erVfwY0ICYmxoguxjgUFKI7GsTH5m4M3w1ChQC1/Ca8i2n1WgAAAABJRU5ErkJggg==)"},T=(0,u.z)(w,(function(e){var t,o=e.theme,n=e.className,r=e.type,i=void 0===r?"hue":r,a=e.isAlpha,s=void 0===a?"hue"!==i:a,l=o.palette,c=o.effects;return{root:["ms-ColorPicker-slider",{position:"relative",height:20,marginBottom:8,border:"1px solid "+l.neutralLight,borderRadius:c.roundedCorner2,boxSizing:"border-box",outline:"none",selectors:(t={},t["."+C.G$+" &:focus"]={outline:"1px solid "+l.neutralSecondary},t)},s?D:I,n],sliderOverlay:["ms-ColorPicker-sliderOverlay",{content:"",position:"absolute",left:0,right:0,top:0,bottom:0}],sliderThumb:["ms-ColorPicker-thumb","is-slider",{position:"absolute",width:20,height:20,background:"white",border:"1px solid "+l.neutralSecondaryAlt,borderRadius:"50%",boxShadow:c.elevation8,transform:"translate(-50%, -50%)",top:"50%"}]}}),void 0,{scope:"ColorSlider"}),E=o(7375),P=o(8208),M=o(8490),R=o(1332),N=o(1990),B=o(2775),F=o(5298),L=(0,i.y)(),A=["hex","r","g","b","a","t"],z=function(e){function t(o){var r=e.call(this,o)||this;r._onSVChanged=function(e,t){r._updateColor(e,t)},r._onHChanged=function(e,t){r._updateColor(e,(0,N.i)(r.state.color,t))},r._onATChanged=function(e,t){var o="transparency"===r.props.alphaType?R.X:M.R;r._updateColor(e,o(r.state.color,Math.round(t)))},r._onBlur=function(e){var t,o=r.state,i=o.color,a=o.editingColor;if(a){var s=a.value,l=a.component,c="hex"===l,u="a"===l,d="t"===l,p=c?h.yE:h.HT;if(s.length>=p&&(c||!isNaN(Number(s)))){var m=void 0;m=c?(0,E.T)("#"+(0,F.L)(s)):u||d?(u?M.R:R.X)(i,(0,v.u)(Number(s),h.c5)):(0,P.N)((0,B.k)((0,n.pi)((0,n.pi)({},i),((t={})[l]=Number(s),t)))),r._updateColor(e,m)}else r.setState({editingColor:void 0})}},(0,a.l)(r);var i=o.strings;(0,s.b)("ColorPicker",o,{hexLabel:"strings.hex",redLabel:"strings.red",greenLabel:"strings.green",blueLabel:"strings.blue",alphaLabel:"strings.alpha",alphaSliderHidden:"alphaType"}),i.hue&&(0,l.Z)("ColorPicker property 'strings.hue' was used but has been deprecated. Use 'strings.hueAriaLabel' instead."),r.state={color:H(o)||(0,E.T)("#ffffff")},r._textChangeHandlers={};for(var c=0,u=A;c{"use strict";o.d(t,{z:()=>i});var n=o(2002),r=o(1958),i=(0,n.z)(r.T,(function(e){var t=e.className,o=e.theme,n=e.alphaType;return{root:["ms-ColorPicker",o.fonts.medium,{position:"relative",maxWidth:300},t],panel:["ms-ColorPicker-panel",{padding:"16px"}],table:["ms-ColorPicker-table",{tableLayout:"fixed",width:"100%",selectors:{"tbody td:last-of-type .ms-ColorPicker-input":{paddingRight:0}}}],tableHeader:[o.fonts.small,{selectors:{td:{paddingBottom:4}}}],tableHexCell:{width:"25%"},tableAlphaCell:"transparency"===n&&{width:"22%"},colorSquare:["ms-ColorPicker-colorSquare",{width:48,height:48,margin:"0 0 0 8px",border:"1px solid #c8c6c4"}],flexContainer:{display:"flex"},flexSlider:{flexGrow:"1"},flexPreviewBox:{flexGrow:"0"},input:["ms-ColorPicker-input",{width:"100%",border:"none",boxSizing:"border-box",height:30,selectors:{"&.ms-TextField":{paddingRight:4},"& .ms-TextField-field":{minWidth:"auto",padding:5,textOverflow:"clip"}}}]}}),void 0,{scope:"ColorPicker"})},610:(e,t,o)=>{"use strict";o.d(t,{C:()=>Y});var n,r,i,a,s=o(7622),l=o(7002),c=o(5767),u=o(2447),d=o(63),p=o(4553),m=o(9577),h=o(8023),g=o(8088),f=o(8145),v=o(6479),b=o(8936),y=o(688),_=o(2167),C=o(9919),S=o(209),x=o(2782),k=o(8127),w=o(6053),I=o(2470),D=o(5953),T=o(6628),E=o(2777),P=o(9729),M=o(5094),R=(0,M.NF)((function(e){var t,o=e.semanticColors;return{backgroundColor:o.disabledBackground,color:o.disabledText,cursor:"default",selectors:(t={":after":{borderColor:o.disabledBackground}},t[P.qJ]={color:"GrayText",selectors:{":after":{borderColor:"GrayText"}}},t)}})),N={selectors:(n={},n[P.qJ]=(0,s.pi)({backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},(0,P.xM)()),n)},B={selectors:(r={},r[P.qJ]=(0,s.pi)({color:"WindowText",backgroundColor:"Window"},(0,P.xM)()),r)},F=(0,M.NF)((function(e,t,o,n,r){var i,a=e.palette,s=e.semanticColors,l={textHoveredColor:s.menuItemTextHovered,textSelectedColor:a.neutralDark,textDisabledColor:s.disabledText,backgroundHoveredColor:s.menuItemBackgroundHovered,backgroundPressedColor:s.menuItemBackgroundPressed},c={root:[e.fonts.medium,{backgroundColor:n?l.backgroundHoveredColor:"transparent",boxSizing:"border-box",cursor:"pointer",display:r?"none":"block",width:"100%",height:"auto",minHeight:36,lineHeight:"20px",padding:"0 8px",position:"relative",borderWidth:"1px",borderStyle:"solid",borderColor:"transparent",borderRadius:0,wordWrap:"break-word",overflowWrap:"break-word",textAlign:"left",selectors:(i={},i[P.qJ]={border:"none",borderColor:"Background"},i["&.ms-Checkbox"]={display:"flex",alignItems:"center"},i["&.ms-Button--command:hover:active"]={backgroundColor:l.backgroundPressedColor},i[".ms-Checkbox-label"]={width:"100%"},i)}],rootHovered:{backgroundColor:l.backgroundHoveredColor,color:l.textHoveredColor},rootFocused:{backgroundColor:l.backgroundHoveredColor},rootChecked:[{backgroundColor:"transparent",color:l.textSelectedColor,selectors:{":hover":[{backgroundColor:l.backgroundHoveredColor},N]}},(0,P.GL)(e,{inset:-1,isFocusedOnly:!1}),N],rootDisabled:{color:l.textDisabledColor,cursor:"default"},optionText:{overflow:"hidden",whiteSpace:"nowrap",textOverflow:"ellipsis",minWidth:"0px",maxWidth:"100%",wordWrap:"break-word",overflowWrap:"break-word",display:"inline-block"},optionTextWrapper:{maxWidth:"100%",display:"flex",alignItems:"center"}};return(0,P.E$)(c,t,o)})),L=(0,M.NF)((function(e,t){var o,n,r=e.semanticColors,i=e.fonts,a={buttonTextColor:r.bodySubtext,buttonTextHoveredCheckedColor:r.buttonTextChecked,buttonBackgroundHoveredColor:r.listItemBackgroundHovered,buttonBackgroundCheckedColor:r.listItemBackgroundChecked,buttonBackgroundCheckedHoveredColor:r.listItemBackgroundCheckedHovered},l={selectors:(o={},o[P.qJ]=(0,s.pi)({backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},(0,P.xM)()),o)},c={root:{color:a.buttonTextColor,fontSize:i.small.fontSize,position:"absolute",top:0,height:"100%",lineHeight:30,width:32,textAlign:"center",cursor:"default",selectors:(n={},n[P.qJ]=(0,s.pi)({backgroundColor:"ButtonFace",borderColor:"ButtonText",color:"ButtonText"},(0,P.xM)()),n)},icon:{fontSize:i.small.fontSize},rootHovered:[{backgroundColor:a.buttonBackgroundHoveredColor,color:a.buttonTextHoveredCheckedColor,cursor:"pointer"},l],rootPressed:[{backgroundColor:a.buttonBackgroundCheckedColor,color:a.buttonTextHoveredCheckedColor},l],rootChecked:[{backgroundColor:a.buttonBackgroundCheckedColor,color:a.buttonTextHoveredCheckedColor},l],rootCheckedHovered:[{backgroundColor:a.buttonBackgroundCheckedHoveredColor,color:a.buttonTextHoveredCheckedColor},l],rootDisabled:[R(e),{position:"absolute"}]};return(0,P.E$)(c,t)})),A=(0,M.NF)((function(e,t,o){var n,r,i,a,l,c,u=e.semanticColors,d=e.fonts,p=e.effects,m={textColor:u.inputText,borderColor:u.inputBorder,borderHoveredColor:u.inputBorderHovered,borderPressedColor:u.inputFocusBorderAlt,borderFocusedColor:u.inputFocusBorderAlt,backgroundColor:u.inputBackground,erroredColor:u.errorText},h={headerTextColor:u.menuHeader,dividerBorderColor:u.bodyDivider},g={selectors:(n={},n[P.qJ]={color:"GrayText"},n)},f=[{color:u.inputPlaceholderText},g],v=[{color:u.inputTextHovered},g],b=[{color:u.disabledText},g],y=(0,s.pi)((0,s.pi)({color:"HighlightText",backgroundColor:"Window"},(0,P.xM)()),{selectors:{":after":{borderColor:"Highlight"}}}),_=(0,P.$Y)(m.borderPressedColor,p.roundedCorner2,"border",0),C={container:{},label:{},labelDisabled:{},root:[e.fonts.medium,{boxShadow:"none",marginLeft:"0",paddingRight:32,paddingLeft:9,color:m.textColor,position:"relative",outline:"0",userSelect:"none",backgroundColor:m.backgroundColor,cursor:"text",display:"block",height:32,whiteSpace:"nowrap",textOverflow:"ellipsis",boxSizing:"border-box",selectors:{".ms-Label":{display:"inline-block",marginBottom:"8px"},"&.is-open":{selectors:(r={},r[P.qJ]=y,r)},":after":{pointerEvents:"none",content:"''",position:"absolute",left:0,top:0,bottom:0,right:0,borderWidth:"1px",borderStyle:"solid",borderColor:m.borderColor,borderRadius:p.roundedCorner2}}}],rootHovered:{selectors:(i={":after":{borderColor:m.borderHoveredColor},".ms-ComboBox-Input":[{color:u.inputTextHovered},(0,P.Sv)(v),B]},i[P.qJ]=(0,s.pi)((0,s.pi)({color:"HighlightText",backgroundColor:"Window"},(0,P.xM)()),{selectors:{":after":{borderColor:"Highlight"}}}),i)},rootPressed:[{position:"relative",selectors:(a={},a[P.qJ]=y,a)}],rootFocused:[{selectors:(l={".ms-ComboBox-Input":[{color:u.inputTextHovered},B]},l[P.qJ]=y,l)},_],rootDisabled:R(e),rootError:{selectors:{":after":{borderColor:m.erroredColor},":hover:after":{borderColor:u.inputBorderHovered}}},rootDisallowFreeForm:{},input:[(0,P.Sv)(f),{backgroundColor:m.backgroundColor,color:m.textColor,boxSizing:"border-box",width:"100%",height:"100%",borderStyle:"none",outline:"none",font:"inherit",textOverflow:"ellipsis",padding:"0",selectors:{"::-ms-clear":{display:"none"}}},B],inputDisabled:[R(e),(0,P.Sv)(b)],errorMessage:[e.fonts.small,{color:m.erroredColor,marginTop:"5px"}],callout:{boxShadow:p.elevation8},optionsContainerWrapper:{width:o},optionsContainer:{display:"block"},screenReaderText:P.ul,header:[d.medium,{fontWeight:P.lq.semibold,color:h.headerTextColor,backgroundColor:"none",borderStyle:"none",height:36,lineHeight:36,cursor:"default",padding:"0 8px",userSelect:"none",textAlign:"left",selectors:(c={},c[P.qJ]=(0,s.pi)({color:"GrayText"},(0,P.xM)()),c)}],divider:{height:1,backgroundColor:h.dividerBorderColor}};return(0,P.E$)(C,t)})),z=(0,M.NF)((function(e,t,o,n,r,i,a,s){return{container:(0,P.y0)("ms-ComboBox-container",t,e.container),label:(0,P.y0)(e.label,n&&e.labelDisabled),root:(0,P.y0)("ms-ComboBox",s?e.rootError:o&&"is-open",r&&"is-required",e.root,!a&&e.rootDisallowFreeForm,s&&!i?e.rootError:!n&&i&&e.rootFocused,!n&&{selectors:{":hover":s?e.rootError:!o&&!i&&e.rootHovered,":active":s?e.rootError:e.rootPressed,":focus":s?e.rootError:e.rootFocused}},n&&["is-disabled",e.rootDisabled]),input:(0,P.y0)("ms-ComboBox-Input",e.input,n&&e.inputDisabled),errorMessage:(0,P.y0)(e.errorMessage),callout:(0,P.y0)("ms-ComboBox-callout",e.callout),optionsContainerWrapper:(0,P.y0)("ms-ComboBox-optionsContainerWrapper",e.optionsContainerWrapper),optionsContainer:(0,P.y0)("ms-ComboBox-optionsContainer",e.optionsContainer),header:(0,P.y0)("ms-ComboBox-header",e.header),divider:(0,P.y0)("ms-ComboBox-divider",e.divider),screenReaderText:(0,P.y0)(e.screenReaderText)}})),H=(0,M.NF)((function(e){return{optionText:(0,P.y0)("ms-ComboBox-optionText",e.optionText),root:(0,P.y0)("ms-ComboBox-option",e.root,{selectors:{":hover":e.rootHovered,":focus":e.rootFocused,":active":e.rootPressed}}),optionTextWrapper:(0,P.y0)(e.optionTextWrapper)}})),O=o(2052),W=o(2703),V=o(5515),K=o(5758),q=o(990),G=o(9241);!function(e){e[e.backward=-1]="backward",e[e.none=0]="none",e[e.forward=1]="forward"}(i||(i={})),function(e){e[e.clearAll=-2]="clearAll",e[e.default=-1]="default"}(a||(a={}));var U=l.memo((function(e){return(0,e.render)()}),(function(e,t){e.render;var o=(0,s._T)(e,["render"]),n=(t.render,(0,s._T)(t,["render"]));return(0,u.Vv)(o,n)})),j="ComboBox",J={options:[],allowFreeform:!1,autoComplete:"on",buttonIconProps:{iconName:"ChevronDown"}};var Y=l.forwardRef((function(e,t){var o=(0,d.j)(J,e),n=(o.ref,(0,s._T)(o,["ref"])),r=l.useRef(null),i=(0,G.r)(r,t),a=function(e){var t=e.options,o=e.defaultSelectedKey,n=e.selectedKey,r=l.useState((function(){return X(t,function(e,t){var o=Q(e);return o.length?o:Q(t)}(o,n))})),i=r[0],a=r[1],s=l.useState(t),c=s[0],u=s[1],d=l.useState(),p=d[0],m=d[1];return l.useEffect((function(){if(void 0!==n){var e=Q(n),o=X(t,e);a(o)}u(t)}),[t,n]),l.useEffect((function(){null===n&&m(void 0)}),[n]),[i,a,c,u,p,m]}(n),c=a[0],u=a[1],p=a[2],m=a[3],h=a[4],g=a[5];return l.createElement(Z,(0,s.pi)({},n,{hoisted:{mergedRootRef:i,rootRef:r,selectedIndices:c,setSelectedIndices:u,currentOptions:p,setCurrentOptions:m,suggestedDisplayValue:h,setSuggestedDisplayValue:g}}))}));Y.displayName=j;var Z=function(e){function t(t){var o=e.call(this,t)||this;return o._autofill=l.createRef(),o._comboBoxWrapper=l.createRef(),o._comboBoxMenu=l.createRef(),o._selectedElement=l.createRef(),o.focus=function(e,t){o._autofill.current&&(t?(0,p.um)(o._autofill.current):o._autofill.current.focus(),e&&o.setState({isOpen:!0})),o._hasFocus()||o.setState({focusState:"focused"})},o.dismissMenu=function(){o.state.isOpen&&o.setState({isOpen:!1})},o._onUpdateValueInAutofillWillReceiveProps=function(){var e=o._autofill.current;if(!e)return null;if(null===e.value||void 0===e.value)return null;var t=$(o._currentVisibleValue);return e.value!==t?t:e.value},o._renderComboBoxWrapper=function(e,t){var n=o.props,r=n.label,i=n.disabled,a=n.ariaLabel,u=n.ariaDescribedBy,d=n.required,p=n.errorMessage,h=n.buttonIconProps,g=n.isButtonAriaHidden,f=void 0===g||g,v=n.title,b=n.placeholder,y=n.tabIndex,_=n.autofill,C=n.iconButtonProps,S=n.hoisted.suggestedDisplayValue,x=o.state.isOpen,k=o._hasFocus()&&o.props.multiSelect&&e?e:b;return l.createElement("div",{"data-ktp-target":!0,ref:o._comboBoxWrapper,id:o._id+"wrapper",className:o._classNames.root},l.createElement(c.G,(0,s.pi)({"data-ktp-execute-target":!0,"data-is-interactable":!i,componentRef:o._autofill,id:o._id+"-input",className:o._classNames.input,type:"text",onFocus:o._onFocus,onBlur:o._onBlur,onKeyDown:o._onInputKeyDown,onKeyUp:o._onInputKeyUp,onClick:o._onAutofillClick,onTouchStart:o._onTouchStart,onInputValueChange:o._onInputChange,"aria-expanded":x,"aria-autocomplete":o._getAriaAutoCompleteValue(),role:"combobox",readOnly:i,"aria-labelledby":r&&o._id+"-label","aria-label":a&&!r?a:void 0,"aria-describedby":void 0!==p?(0,m.I)(u,t):u,"aria-activedescendant":o._getAriaActiveDescendantValue(),"aria-required":d,"aria-disabled":i,"aria-owns":x?o._id+"-list":void 0,spellCheck:!1,defaultVisibleValue:o._currentVisibleValue,suggestedDisplayValue:S,updateValueInWillReceiveProps:o._onUpdateValueInAutofillWillReceiveProps,shouldSelectFullInputValueInComponentDidUpdate:o._onShouldSelectFullInputValueInAutofillComponentDidUpdate,title:v,preventValueSelection:!o._hasFocus(),placeholder:k,tabIndex:y},_)),l.createElement(K.h,(0,s.pi)({className:"ms-ComboBox-CaretDown-button",styles:o._getCaretButtonStyles(),role:"presentation","aria-hidden":f,"data-is-focusable":!1,tabIndex:-1,onClick:o._onComboBoxClick,onBlur:o._onBlur,iconProps:h,disabled:i,checked:x},C)))},o._onShouldSelectFullInputValueInAutofillComponentDidUpdate=function(){return o._currentVisibleValue===o.props.hoisted.suggestedDisplayValue},o._getVisibleValue=function(){var e=o.props,t=e.text,n=e.allowFreeform,r=e.autoComplete,i=e.hoisted,a=i.suggestedDisplayValue,s=i.selectedIndices,l=i.currentOptions,c=o.state,u=c.currentPendingValueValidIndex,d=c.currentPendingValue,p=c.isOpen,m=ee(l,u);if((!p||!m)&&t&&null==d)return t;if(o.props.multiSelect){if(o._hasFocus()){var h=-1;return"on"===r&&m&&(h=u),o._getPendingString(d,l,h)}return o._getMultiselectDisplayString(s,l,a)}return h=o._getFirstSelectedIndex(),n?("on"===r&&m&&(h=u),o._getPendingString(d,l,h)):m&&"on"===r?(h=u,$(d)):!o.state.isOpen&&d?ee(l,h)?d:$(a):ee(l,h)?l[h].text:$(a)},o._onInputChange=function(e){o.props.disabled?o._handleInputWhenDisabled(null):o.props.allowFreeform?o._processInputChangeWithFreeform(e):o._processInputChangeWithoutFreeform(e)},o._onFocus=function(){var e,t;null===(t=null===(e=o._autofill.current)||void 0===e?void 0:e.inputElement)||void 0===t||t.select(),o._hasFocus()||o.setState({focusState:"focusing"})},o._onResolveOptions=function(){if(o.props.onResolveOptions){var e=o.props.onResolveOptions((0,s.pr)(o.props.hoisted.currentOptions));if(Array.isArray(e))o.props.hoisted.setCurrentOptions(e);else if(e&&e.then){var t=o._currentPromise=e;t.then((function(e){t===o._currentPromise&&o.props.hoisted.setCurrentOptions(e)}))}}},o._onBlur=function(e){var t,n,r=e.relatedTarget;if(null===e.relatedTarget&&(r=document.activeElement),r){var i=null===(t=o.props.hoisted.rootRef.current)||void 0===t?void 0:t.contains(r),a=null===(n=o._comboBoxMenu.current)||void 0===n?void 0:n.contains(r),s=o._comboBoxMenu.current&&(0,h.X)(o._comboBoxMenu.current,(function(e){return e===r}));if(i||a||s)return s&&o._hasFocus()&&(!o.props.multiSelect||o.props.allowFreeform)&&o._submitPendingValue(e),e.preventDefault(),void e.stopPropagation()}o._hasFocus()&&(o.setState({focusState:"none"}),o.props.multiSelect&&!o.props.allowFreeform||o._submitPendingValue(e))},o._onRenderContainer=function(e){var t,n,r=e.onRenderList,i=e.calloutProps,a=e.dropdownWidth,c=e.dropdownMaxWidth,u=e.onRenderUpperContent,d=void 0===u?o._onRenderUpperContent:u,p=e.onRenderLowerContent,m=void 0===p?o._onRenderLowerContent:p,h=e.useComboBoxAsMenuWidth,f=e.persistMenu,v=e.shouldRestoreFocus,b=void 0===v||v,y=o.state.isOpen,_=h&&o._comboBoxWrapper.current?o._comboBoxWrapper.current.clientWidth+2:void 0;return l.createElement(D.U,(0,s.pi)({isBeakVisible:!1,gapSpace:0,doNotLayer:!1,directionalHint:T.b.bottomLeftEdge,directionalHintFixed:!1},i,{onLayerMounted:o._onLayerMounted,className:(0,g.i)(o._classNames.callout,null===(t=i)||void 0===t?void 0:t.className),target:o._comboBoxWrapper.current,onDismiss:o._onDismiss,onMouseDown:o._onCalloutMouseDown,onScroll:o._onScroll,setInitialFocus:!1,calloutWidth:h&&o._comboBoxWrapper.current?_&&_:a,calloutMaxWidth:c||_,hidden:f?!y:void 0,shouldRestoreFocus:b}),d(o.props,o._onRenderUpperContent),l.createElement("div",{className:o._classNames.optionsContainerWrapper,ref:o._comboBoxMenu},null===(n=r)||void 0===n?void 0:n((0,s.pi)({},e),o._onRenderList)),m(o.props,o._onRenderLowerContent))},o._onLayerMounted=function(){o._onCalloutLayerMounted(),o.props.calloutProps&&o.props.calloutProps.onLayerMounted&&o.props.calloutProps.onLayerMounted()},o._onRenderLabel=function(e){var t=e.props,n=t.label,r=t.disabled,i=t.required;return n?l.createElement(O._,{id:o._id+"-label",disabled:r,required:i,className:o._classNames.label},n,e.multiselectAccessibleText&&l.createElement("span",{className:o._classNames.screenReaderText},e.multiselectAccessibleText)):null},o._onRenderList=function(e){var t=e.onRenderItem,n=e.options,r=o._id;return l.createElement("div",{id:r+"-list",className:o._classNames.optionsContainer,"aria-labelledby":r+"-label",role:"listbox"},n.map((function(e){var n;return null===(n=t)||void 0===n?void 0:n(e,o._onRenderItem)})))},o._onRenderItem=function(e){switch(e.itemType){case W.F.Divider:return o._renderSeparator(e);case W.F.Header:return o._renderHeader(e);default:return o._renderOption(e)}},o._onRenderLowerContent=function(){return null},o._onRenderUpperContent=function(){return null},o._renderOption=function(e){var t=o.props.onRenderOption,n=void 0===t?o._onRenderOptionContent:t,r=o._id,i=o._isOptionSelected(e.index),a=o._isOptionChecked(e.index),c=o._getCurrentOptionStyles(e),u=H(o._getCurrentOptionStyles(e)),d=oe(e),p=function(){return n(e,o._onRenderOptionContent)};return l.createElement(U,{key:e.key,index:e.index,disabled:e.disabled,isSelected:i,isChecked:a,text:e.text,render:function(){return o.props.multiSelect?l.createElement(E.X,{id:r+"-list"+e.index,ariaLabel:oe(e),key:e.key,styles:c,className:"ms-ComboBox-option",onChange:o._onItemClick(e),label:e.text,checked:a,title:d,disabled:e.disabled,onRenderLabel:p,inputProps:(0,s.pi)({"aria-selected":a?"true":"false",role:"option"},{"data-index":e.index,"data-is-focusable":!0})}):l.createElement(q.M,{id:r+"-list"+e.index,key:e.key,"data-index":e.index,styles:c,checked:i,className:"ms-ComboBox-option",onClick:o._onItemClick(e),onMouseEnter:o._onOptionMouseEnter.bind(o,e.index),onMouseMove:o._onOptionMouseMove.bind(o,e.index),onMouseLeave:o._onOptionMouseLeave,role:"option","aria-selected":a?"true":"false",ariaLabel:oe(e),disabled:e.disabled,title:d},l.createElement("span",{className:u.optionTextWrapper,ref:i?o._selectedElement:void 0},n(e,o._onRenderOptionContent)))},data:e.data})},o._onCalloutMouseDown=function(e){e.preventDefault()},o._onScroll=function(){o._isScrollIdle||void 0===o._scrollIdleTimeoutId?o._isScrollIdle=!1:(o._async.clearTimeout(o._scrollIdleTimeoutId),o._scrollIdleTimeoutId=void 0),o._scrollIdleTimeoutId=o._async.setTimeout((function(){o._isScrollIdle=!0}),250)},o._onRenderOptionContent=function(e){var t=H(o._getCurrentOptionStyles(e));return l.createElement("span",{className:t.optionText},e.text)},o._onDismiss=function(){var e=o.props.onMenuDismiss;e&&e(),o.props.persistMenu&&o._onCalloutLayerMounted(),o._setOpenStateAndFocusOnClose(!1,!1),o._resetSelectedIndex()},o._onAfterClearPendingInfo=function(){o._processingClearPendingInfo=!1},o._onInputKeyDown=function(e){var t=o.props,n=t.disabled,r=t.allowFreeform,s=t.autoComplete,l=t.hoisted.currentOptions,c=o.state,u=c.isOpen,d=c.currentPendingValueValidIndexOnHover;if(o._lastKeyDownWasAltOrMeta=ne(e),n)o._handleInputWhenDisabled(e);else{var p=o._getPendingSelectedIndex(!1);switch(e.which){case f.m.enter:o._autofill.current&&o._autofill.current.inputElement&&o._autofill.current.inputElement.select(),o._submitPendingValue(e),o.props.multiSelect&&u?o.setState({currentPendingValueValidIndex:p}):(u||(!r||void 0===o.state.currentPendingValue||null===o.state.currentPendingValue||o.state.currentPendingValue.length<=0)&&o.state.currentPendingValueValidIndex<0)&&o.setState({isOpen:!u});break;case f.m.tab:return o.props.multiSelect||o._submitPendingValue(e),void(u&&o._setOpenStateAndFocusOnClose(!u,!1));case f.m.escape:if(o._resetSelectedIndex(),!u)return;o.setState({isOpen:!1});break;case f.m.up:if(d===a.clearAll&&(p=o.props.hoisted.currentOptions.length),e.altKey||e.metaKey){if(u){o._setOpenStateAndFocusOnClose(!u,!0);break}return}o._setPendingInfoFromIndexAndDirection(p,i.backward);break;case f.m.down:e.altKey||e.metaKey?o._setOpenStateAndFocusOnClose(!0,!0):(d===a.clearAll&&(p=-1),o._setPendingInfoFromIndexAndDirection(p,i.forward));break;case f.m.home:case f.m.end:if(r)return;p=-1;var m=i.forward;e.which===f.m.end&&(p=l.length,m=i.backward),o._setPendingInfoFromIndexAndDirection(p,m);break;case f.m.space:if(!r&&"off"===s)break;default:if(e.which>=112&&e.which<=123)return;if(e.keyCode===f.m.alt||"Meta"===e.key)return;if(!r&&"on"===s){o._onInputChange(e.key);break}return}e.stopPropagation(),e.preventDefault()}},o._onInputKeyUp=function(e){var t=o.props,n=t.disabled,r=t.allowFreeform,i=t.autoComplete,a=o.state.isOpen,s=o._lastKeyDownWasAltOrMeta&&ne(e);o._lastKeyDownWasAltOrMeta=!1;var l=s&&!((0,v.V)()||(0,b.g)());if(n)o._handleInputWhenDisabled(e);else switch(e.which){case f.m.space:return void(r||"off"!==i||o._setOpenStateAndFocusOnClose(!a,!!a));default:return void(l&&a?o._setOpenStateAndFocusOnClose(!a,!0):("focusing"===o.state.focusState&&o.props.openOnKeyboardFocus&&o.setState({isOpen:!0}),"focused"!==o.state.focusState&&o.setState({focusState:"focused"})))}},o._onOptionMouseLeave=function(){o._shouldIgnoreMouseEvent()||o.props.persistMenu&&!o.state.isOpen||o.setState({currentPendingValueValidIndexOnHover:a.clearAll})},o._onComboBoxClick=function(){var e=o.props.disabled,t=o.state.isOpen;e||(o._setOpenStateAndFocusOnClose(!t,!1),o.setState({focusState:"focused"}))},o._onAutofillClick=function(){var e=o.props,t=e.disabled;e.allowFreeform&&!t?o.focus(o.state.isOpen||o._processingTouch):o._onComboBoxClick()},o._onTouchStart=function(){o._comboBoxWrapper.current&&!("onpointerdown"in o._comboBoxWrapper)&&o._handleTouchAndPointerEvent()},o._onPointerDown=function(e){"touch"===e.pointerType&&(o._handleTouchAndPointerEvent(),e.preventDefault(),e.stopImmediatePropagation())},(0,y.l)(o),o._async=new _.e(o),o._events=new C.r(o),(0,S.L)(j,t,{defaultSelectedKey:"selectedKey",text:"defaultSelectedKey",selectedKey:"value",dropdownWidth:"useComboBoxAsMenuWidth"}),o._id=t.id||(0,x.z)("ComboBox"),o._isScrollIdle=!0,o._processingTouch=!1,o._gotMouseMove=!1,o._processingClearPendingInfo=!1,o.state={isOpen:!1,focusState:"none",currentPendingValueValidIndex:-1,currentPendingValue:void 0,currentPendingValueValidIndexOnHover:a.default},o}return(0,s.ZT)(t,e),Object.defineProperty(t.prototype,"selectedOptions",{get:function(){var e=this.props.hoisted,t=e.currentOptions,o=e.selectedIndices;return(0,V.t)(t,o)},enumerable:!0,configurable:!0}),t.prototype.componentDidMount=function(){this._comboBoxWrapper.current&&!this.props.disabled&&(this._events.on(this._comboBoxWrapper.current,"focus",this._onResolveOptions,!0),"onpointerdown"in this._comboBoxWrapper.current&&this._events.on(this._comboBoxWrapper.current,"pointerdown",this._onPointerDown,!0))},t.prototype.componentDidUpdate=function(e,t){var o=this,n=this.props,r=n.allowFreeform,i=n.text,a=n.onMenuOpen,s=n.onMenuDismissed,l=n.hoisted.selectedIndices,c=this.state,u=c.isOpen,d=c.currentPendingValueValidIndex;!u||t.isOpen&&t.currentPendingValueValidIndex===d||this._async.setTimeout((function(){return o._scrollIntoView()}),0),this._hasFocus()&&(u||t.isOpen&&!u&&this._focusInputAfterClose&&this._autofill.current&&document.activeElement!==this._autofill.current.inputElement)&&this.focus(void 0,!0),this._focusInputAfterClose&&(t.isOpen&&!u||this._hasFocus()&&(!u&&!this.props.multiSelect&&e.hoisted.selectedIndices&&l&&e.hoisted.selectedIndices[0]!==l[0]||!r||i!==e.text))&&this._onFocus(),this._notifyPendingValueChanged(t),u&&!t.isOpen&&a&&a(),!u&&t.isOpen&&s&&s()},t.prototype.componentWillUnmount=function(){this._async.dispose(),this._events.dispose()},t.prototype.render=function(){var e=this._id+"-error",t=this.props,o=t.className,n=t.disabled,r=t.required,i=t.errorMessage,a=t.onRenderContainer,c=void 0===a?this._onRenderContainer:a,u=t.onRenderLabel,d=void 0===u?this._onRenderLabel:u,p=t.onRenderList,m=void 0===p?this._onRenderList:p,h=t.onRenderItem,g=void 0===h?this._onRenderItem:h,f=t.onRenderOption,v=void 0===f?this._onRenderOptionContent:f,b=t.allowFreeform,y=t.styles,_=t.theme,C=t.persistMenu,S=t.multiSelect,x=t.hoisted,w=x.suggestedDisplayValue,I=x.selectedIndices,D=x.currentOptions,T=this.state.isOpen;this._currentVisibleValue=this._getVisibleValue();var E=S?this._getMultiselectDisplayString(I,D,w):void 0,P=(0,k.pq)(this.props,k.n7,["onChange","value"]),M=!!(i&&i.length>0);this._classNames=this.props.getClassNames?this.props.getClassNames(_,!!T,!!n,!!r,!!this._hasFocus(),!!b,!!M,o):z(A(_,y),o,!!T,!!n,!!r,!!this._hasFocus(),!!b,!!M);var R=this._renderComboBoxWrapper(E,e);return l.createElement("div",(0,s.pi)({},P,{ref:this.props.hoisted.mergedRootRef,className:this._classNames.container}),d({props:this.props,multiselectAccessibleText:E},this._onRenderLabel),R,(C||T)&&c((0,s.pi)((0,s.pi)({},this.props),{onRenderList:m,onRenderItem:g,onRenderOption:v,options:D.map((function(e,t){return(0,s.pi)((0,s.pi)({},e),{index:t})})),onDismiss:this._onDismiss}),this._onRenderContainer),l.createElement("div",(0,s.pi)({role:"region","aria-live":"polite","aria-atomic":"true",id:e},M?{className:this._classNames.errorMessage}:{"aria-hidden":!0}),void 0!==i?i:""))},t.prototype._getPendingString=function(e,t,o){return null!=e?e:ee(t,o)?t[o].text:""},t.prototype._getMultiselectDisplayString=function(e,t,o){for(var n=[],r=0;e&&r0){var a=oe(r[0]);i=a.toLocaleLowerCase()!==e?a:"",o=r[0].index}}else 1===(r=t.map((function(e,t){return(0,s.pi)((0,s.pi)({},e),{index:t})})).filter((function(t){return te(t)&&oe(t).toLocaleLowerCase()===e}))).length&&(o=r[0].index);this._setPendingInfo(n,o,i)},t.prototype._processInputChangeWithoutFreeform=function(e){var t=this,o=this.props.hoisted.currentOptions,n=this.state,r=n.currentPendingValue,i=n.currentPendingValueValidIndex;if("on"===this.props.autoComplete&&""!==e){this._autoCompleteTimeout&&(this._async.clearTimeout(this._autoCompleteTimeout),this._autoCompleteTimeout=void 0,e=$(r)+e);var a=e;e=e.toLocaleLowerCase();var l=o.map((function(e,t){return(0,s.pi)((0,s.pi)({},e),{index:t})})).filter((function(t){return te(t)&&0===t.text.toLocaleLowerCase().indexOf(e)}));return l.length>0&&this._setPendingInfo(a,l[0].index,oe(l[0])),void(this._autoCompleteTimeout=this._async.setTimeout((function(){t._autoCompleteTimeout=void 0}),1e3))}var c=i>=0?i:this._getFirstSelectedIndex();this._setPendingInfoFromIndex(c)},t.prototype._getFirstSelectedIndex=function(){var e,t=this.props.hoisted.selectedIndices;return(null===(e=t)||void 0===e?void 0:e.length)?t[0]:-1},t.prototype._getNextSelectableIndex=function(e,t){var o=this.props.hoisted.currentOptions,n=e+t;if(!ee(o,n=Math.max(0,Math.min(o.length-1,n))))return-1;var r=o[n];if(!te(r)||!0===r.hidden){if(t===i.none||!(n>0&&t=0&&ni.none))return e;n=this._getNextSelectableIndex(n,t)}return n},t.prototype._setSelectedIndex=function(e,t,o){void 0===o&&(o=i.none);var n=this.props,r=n.onChange,a=n.onPendingValueChanged,l=n.hoisted,c=l.selectedIndices,u=l.currentOptions,d=c?c.slice():[];if(ee(u,e=this._getNextSelectableIndex(e,o))){if(this.props.multiSelect||d.length<1||1===d.length&&d[0]!==e){var p=(0,s.pi)({},u[e]);if(!p||p.disabled)return;if(this.props.multiSelect?(p.selected=void 0!==p.selected?!p.selected:d.indexOf(e)<0,p.selected&&d.indexOf(e)<0?d.push(e):!p.selected&&d.indexOf(e)>=0&&(d=d.filter((function(t){return t!==e})))):d[0]=e,t.persist(),this.props.selectedKey||null===this.props.selectedKey)this._hasPendingValue&&a&&(a(),this._hasPendingValue=!1),r&&r(t,p,e,void 0);else{var m=u.slice();m[e]=p,this.props.hoisted.setSelectedIndices(d),this.props.hoisted.setCurrentOptions(m),this._hasPendingValue&&a&&(a(),this._hasPendingValue=!1),r&&r(t,p,e,void 0)}}this.props.multiSelect&&this.state.isOpen||this._clearPendingInfo()}},t.prototype._submitPendingValue=function(e){var t,o,n,r=this.props,i=r.onChange,a=r.allowFreeform,s=r.autoComplete,l=r.multiSelect,c=r.hoisted,u=c.currentOptions,d=this.state,p=d.currentPendingValue,m=d.currentPendingValueValidIndex,h=d.currentPendingValueValidIndexOnHover,g=this.props.hoisted.selectedIndices;if(!this._processingClearPendingInfo){if(a){if(null==p)return void(h>=0&&(this._setSelectedIndex(h,e),this._clearPendingInfo()));if(ee(u,m)){var f=oe(u[m]).toLocaleLowerCase(),v=this._autofill.current;if(p.toLocaleLowerCase()===f||s&&0===f.indexOf(p.toLocaleLowerCase())&&(null===(t=v)||void 0===t?void 0:t.isValueSelected)&&p.length+(v.selectionEnd-v.selectionStart)===f.length||(null===(n=null===(o=v)||void 0===o?void 0:o.inputElement)||void 0===n?void 0:n.value.toLocaleLowerCase())===f){if(this._setSelectedIndex(m,e),l&&this.state.isOpen)return;return void this._clearPendingInfo()}}if(i)i&&i(e,void 0,void 0,p);else{var b={key:p||(0,x.z)(),text:$(p)};l&&(b.selected=!0);var y=u.concat([b]);g&&(l||(g=[]),g.push(y.length-1)),c.setCurrentOptions(y),c.setSelectedIndices(g)}}else m>=0?this._setSelectedIndex(m,e):h>=0&&this._setSelectedIndex(h,e);this._clearPendingInfo()}},t.prototype._onCalloutLayerMounted=function(){this._gotMouseMove=!1},t.prototype._renderSeparator=function(e){var t=e.index,o=e.key;return t&&t>0?l.createElement("div",{role:"separator",key:o,className:this._classNames.divider}):null},t.prototype._renderHeader=function(e){var t=this.props.onRenderOption,o=void 0===t?this._onRenderOptionContent:t;return l.createElement("div",{key:e.key,className:this._classNames.header},o(e,this._onRenderOptionContent))},t.prototype._isOptionSelected=function(e){return this.state.currentPendingValueValidIndexOnHover!==a.clearAll&&this._getPendingSelectedIndex(!0)===e},t.prototype._isOptionChecked=function(e){return!(!this.props.multiSelect||void 0===e||!this.props.hoisted.selectedIndices)&&this.props.hoisted.selectedIndices.indexOf(e)>=0},t.prototype._getPendingSelectedIndex=function(e){var t=this.state,o=t.currentPendingValueValidIndexOnHover,n=t.currentPendingValueValidIndex,r=t.currentPendingValue;return o>=0?o:n>=0||e&&null!=r?n:this.props.multiSelect?0:this._getFirstSelectedIndex()},t.prototype._scrollIntoView=function(){var e=this.props,t=e.onScrollToItem,o=e.scrollSelectedToTop,n=this.state,r=n.currentPendingValueValidIndex,i=n.currentPendingValue;if(t)t(r>=0||""!==i?r:this._getFirstSelectedIndex());else if(this._selectedElement.current&&this._selectedElement.current.offsetParent)if(o)this._selectedElement.current.offsetParent.scrollIntoView(!0);else{var a=!0;if(this._comboBoxMenu.current&&this._comboBoxMenu.current.offsetParent){var s=this._comboBoxMenu.current.offsetParent.getBoundingClientRect(),l=this._selectedElement.current.offsetParent.getBoundingClientRect();if(s.top<=l.top&&s.top+s.height>=l.top+l.height)return;s.top+s.height<=l.top+l.height&&(a=!1)}this._selectedElement.current.offsetParent.scrollIntoView(a)}},t.prototype._onItemClick=function(e){var t=this,o=this.props.onItemClick,n=e.index;return function(r){t.props.multiSelect||(t._autofill.current&&t._autofill.current.focus(),t.setState({isOpen:!1})),o&&o(r,e,n),t._setSelectedIndex(n,r)}},t.prototype._resetSelectedIndex=function(){var e=this.props.hoisted.currentOptions;this._clearPendingInfo();var t=this._getFirstSelectedIndex();t>0&&t=0&&e=o.length-1?e=-1:t===i.backward&&e<=0&&(e=o.length);var n=this._getNextSelectableIndex(e,t);e===n?t===i.forward?e=this._getNextSelectableIndex(-1,t):t===i.backward&&(e=this._getNextSelectableIndex(o.length,t)):e=n,ee(o,e)&&this._setPendingInfoFromIndex(e)},t.prototype._notifyPendingValueChanged=function(e){var t=this.props.onPendingValueChanged;if(t){var o=this.props.hoisted.currentOptions,n=this.state,r=n.currentPendingValue,i=n.currentPendingValueValidIndex,a=n.currentPendingValueValidIndexOnHover,s=void 0,l=void 0;a!==e.currentPendingValueValidIndexOnHover&&ee(o,a)?s=a:i!==e.currentPendingValueValidIndex&&ee(o,i)?s=i:r!==e.currentPendingValue&&(l=r),(void 0!==s||void 0!==l||this._hasPendingValue)&&(t(void 0!==s?o[s]:void 0,s,l),this._hasPendingValue=void 0!==s||void 0!==l)}},t.prototype._setOpenStateAndFocusOnClose=function(e,t){this._focusInputAfterClose=t,this.setState({isOpen:e})},t.prototype._onOptionMouseEnter=function(e){this._shouldIgnoreMouseEvent()||this.setState({currentPendingValueValidIndexOnHover:e})},t.prototype._onOptionMouseMove=function(e){this._gotMouseMove=!0,this._isScrollIdle&&this.state.currentPendingValueValidIndexOnHover!==e&&this.setState({currentPendingValueValidIndexOnHover:e})},t.prototype._shouldIgnoreMouseEvent=function(){return!this._isScrollIdle||!this._gotMouseMove},t.prototype._handleInputWhenDisabled=function(e){this.props.disabled&&(this.state.isOpen&&this.setState({isOpen:!1}),null!==e&&e.which!==f.m.tab&&e.which!==f.m.escape&&(e.which<112||e.which>123)&&(e.stopPropagation(),e.preventDefault()))},t.prototype._handleTouchAndPointerEvent=function(){var e=this;void 0!==this._lastTouchTimeoutId&&(this._async.clearTimeout(this._lastTouchTimeoutId),this._lastTouchTimeoutId=void 0),this._processingTouch=!0,this._lastTouchTimeoutId=this._async.setTimeout((function(){e._processingTouch=!1,e._lastTouchTimeoutId=void 0}),500)},t.prototype._getCaretButtonStyles=function(){var e=this.props.caretDownButtonStyles;return L(this.props.theme,e)},t.prototype._getCurrentOptionStyles=function(e){var t=this.props.comboBoxOptionStyles,o=e.styles;return F(this.props.theme,t,o,this._isPendingOption(e),e.hidden)},t.prototype._getAriaActiveDescendantValue=function(){var e,t=this.props.hoisted.selectedIndices,o=this.state,n=o.isOpen,r=o.currentPendingValueValidIndex,i=n&&(null===(e=t)||void 0===e?void 0:e.length)?this._id+"-list"+t[0]:void 0;return n&&this._hasFocus()&&-1!==r&&(i=this._id+"-list"+r),i},t.prototype._getAriaAutoCompleteValue=function(){return this.props.disabled||"on"!==this.props.autoComplete?"none":this.props.allowFreeform?"inline":"both"},t.prototype._isPendingOption=function(e){return e&&e.index===this.state.currentPendingValueValidIndex},t.prototype._hasFocus=function(){return"none"!==this.state.focusState},(0,s.gn)([(0,w.a)("ComboBox",["theme","styles"],!0)],t)}(l.Component);function X(e,t){if(!e||!t)return[];var o={};e.forEach((function(e,t){e.selected&&(o[t]=!0)}));for(var n=function(t){var n=(0,I.cx)(e,(function(e){return e.key===t}));n>-1&&(o[n]=!0)},r=0,i=t;r=0&&t{"use strict";o.d(t,{MK:()=>Y,Hl:()=>j,Nb:()=>U});var n=o(7622),r=o(7002),i=r.createContext({}),a=o(5183),s=o(6628),l=o(7023),c=o(2998),u=o(7300),d=o(5094),p=o(63),m=o(8145),h=o(6479),g=o(8936),f=o(5951),v=o(4553),b=o(2167),y=o(9919),_=o(688),C=o(3129),S=o(2782),x=o(2447),k=o(8088),w=o(8127),I=o(2240),D=o(5953),T=o(6662),E=o(9577),P=function(e){function t(t){var o=e.call(this,t)||this;return o._onItemMouseEnter=function(e){var t=o.props,n=t.item,r=t.onItemMouseEnter;r&&r(n,e,e.currentTarget)},o._onItemClick=function(e){var t=o.props,n=t.item,r=t.onItemClickBase;r&&r(n,e,e.currentTarget)},o._onItemMouseLeave=function(e){var t=o.props,n=t.item,r=t.onItemMouseLeave;r&&r(n,e)},o._onItemKeyDown=function(e){var t=o.props,n=t.item,r=t.onItemKeyDown;r&&r(n,e)},o._onItemMouseMove=function(e){var t=o.props,n=t.item,r=t.onItemMouseMove;r&&r(n,e,e.currentTarget)},o._getSubmenuTarget=function(){},(0,_.l)(o),o}return(0,n.ZT)(t,e),t.prototype.shouldComponentUpdate=function(e){return!(0,x.Vv)(e,this.props)},t}(r.Component),M=o(9949),R=function(e){function t(){var t=null!==e&&e.apply(this,arguments)||this;return t._anchor=r.createRef(),t._getMemoizedMenuButtonKeytipProps=(0,d.NF)((function(e){return(0,n.pi)((0,n.pi)({},e),{hasMenu:!0})})),t._getSubmenuTarget=function(){return t._anchor.current?t._anchor.current:void 0},t._onItemClick=function(e){var o=t.props,n=o.item,r=o.onItemClick;r&&r(n,e)},t._renderAriaDescription=function(e,o){return e?r.createElement("span",{id:t._ariaDescriptionId,className:o},e):null},t}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this,t=this.props,o=t.item,i=t.classNames,a=t.index,s=t.focusableElementIndex,l=t.totalItemCount,c=t.hasCheckmarks,u=t.hasIcons,d=t.contextualMenuItemAs,p=void 0===d?T.W:d,m=t.expandedMenuItemKey,h=t.onItemClick,g=t.openSubMenu,f=t.dismissSubMenu,v=t.dismissMenu,b=o.rel;o.target&&"_blank"===o.target.toLowerCase()&&(b=b||"nofollow noopener noreferrer");var y=(0,I.Df)(o),_=(0,w.pq)(o,w.h2),C=(0,I.P_)(o),x=o.itemProps,k=o.ariaDescription,D=o.keytipProps;D&&y&&(D=this._getMemoizedMenuButtonKeytipProps(D)),k&&(this._ariaDescriptionId=(0,S.z)());var P=(0,E.I)(o.ariaDescribedBy,k?this._ariaDescriptionId:void 0,_["aria-describedby"]),R={"aria-describedby":P};return r.createElement("div",null,r.createElement(M.a,{keytipProps:o.keytipProps,ariaDescribedBy:P,disabled:C},(function(t){return r.createElement("a",(0,n.pi)({},R,_,t,{ref:e._anchor,href:o.href,target:o.target,rel:b,className:i.root,role:"menuitem","aria-haspopup":y||void 0,"aria-expanded":y?o.key===m:void 0,"aria-posinset":s+1,"aria-setsize":l,"aria-disabled":(0,I.P_)(o),style:o.style,onClick:e._onItemClick,onMouseEnter:e._onItemMouseEnter,onMouseLeave:e._onItemMouseLeave,onMouseMove:e._onItemMouseMove,onKeyDown:y?e._onItemKeyDown:void 0}),r.createElement(p,(0,n.pi)({componentRef:o.componentRef,item:o,classNames:i,index:a,onCheckmarkClick:c&&h?h:void 0,hasIcons:u,openSubMenu:g,dismissSubMenu:f,dismissMenu:v,getSubmenuTarget:e._getSubmenuTarget},x)),e._renderAriaDescription(k,i.screenReaderText))})))},t}(P),N=function(e){function t(){var t=null!==e&&e.apply(this,arguments)||this;return t._btn=r.createRef(),t._getMemoizedMenuButtonKeytipProps=(0,d.NF)((function(e){return(0,n.pi)((0,n.pi)({},e),{hasMenu:!0})})),t._renderAriaDescription=function(e,o){return e?r.createElement("span",{id:t._ariaDescriptionId,className:o},e):null},t._getSubmenuTarget=function(){return t._btn.current?t._btn.current:void 0},t}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this,t=this.props,o=t.item,i=t.classNames,a=t.index,s=t.focusableElementIndex,l=t.totalItemCount,c=t.hasCheckmarks,u=t.hasIcons,d=t.contextualMenuItemAs,p=void 0===d?T.W:d,m=t.expandedMenuItemKey,h=t.onItemMouseDown,g=t.onItemClick,f=t.openSubMenu,v=t.dismissSubMenu,b=t.dismissMenu,y=(0,I.E3)(o),_=null!==y,C=(0,I.JF)(o),x=(0,I.Df)(o),k=o.itemProps,D=o.ariaLabel,P=o.ariaDescription,R=(0,w.pq)(o,w.Yq);delete R.disabled;var N=o.role||C;P&&(this._ariaDescriptionId=(0,S.z)());var B=(0,E.I)(o.ariaDescribedBy,P?this._ariaDescriptionId:void 0,R["aria-describedby"]),F={className:i.root,onClick:this._onItemClick,onKeyDown:x?this._onItemKeyDown:void 0,onMouseEnter:this._onItemMouseEnter,onMouseLeave:this._onItemMouseLeave,onMouseDown:function(e){return h?h(o,e):void 0},onMouseMove:this._onItemMouseMove,href:o.href,title:o.title,"aria-label":D,"aria-describedby":B,"aria-haspopup":x||void 0,"aria-expanded":x?o.key===m:void 0,"aria-posinset":s+1,"aria-setsize":l,"aria-disabled":(0,I.P_)(o),"aria-checked":"menuitemcheckbox"!==N&&"menuitemradio"!==N||!_?void 0:!!y,"aria-selected":"menuitem"===N&&_?!!y:void 0,role:N,style:o.style},L=o.keytipProps;return L&&x&&(L=this._getMemoizedMenuButtonKeytipProps(L)),r.createElement(M.a,{keytipProps:L,ariaDescribedBy:B,disabled:(0,I.P_)(o)},(function(t){return r.createElement("button",(0,n.pi)({ref:e._btn},R,F,t),r.createElement(p,(0,n.pi)({componentRef:o.componentRef,item:o,classNames:i,index:a,onCheckmarkClick:c&&g?g:void 0,hasIcons:u,openSubMenu:f,dismissSubMenu:v,dismissMenu:b,getSubmenuTarget:e._getSubmenuTarget},k)),e._renderAriaDescription(P,i.screenReaderText))}))},t}(P),B=o(98),F=o(8386),L=function(e){function t(t){var o=e.call(this,t)||this;return o._getMemoizedMenuButtonKeytipProps=(0,d.NF)((function(e){return(0,n.pi)((0,n.pi)({},e),{hasMenu:!0})})),o._onItemKeyDown=function(e){var t=o.props,n=t.item,r=t.onItemKeyDown;e.which===m.m.enter?(o._executeItemClick(e),e.preventDefault(),e.stopPropagation()):r&&r(n,e)},o._getSubmenuTarget=function(){return o._splitButton},o._renderAriaDescription=function(e,t){return e?r.createElement("span",{id:o._ariaDescriptionId,className:t},e):null},o._onItemMouseEnterPrimary=function(e){var t=o.props,r=t.item,i=t.onItemMouseEnter;i&&i((0,n.pi)((0,n.pi)({},r),{subMenuProps:void 0,items:void 0}),e,o._splitButton)},o._onItemMouseEnterIcon=function(e){var t=o.props,n=t.item,r=t.onItemMouseEnter;r&&r(n,e,o._splitButton)},o._onItemMouseMovePrimary=function(e){var t=o.props,r=t.item,i=t.onItemMouseMove;i&&i((0,n.pi)((0,n.pi)({},r),{subMenuProps:void 0,items:void 0}),e,o._splitButton)},o._onItemMouseMoveIcon=function(e){var t=o.props,n=t.item,r=t.onItemMouseMove;r&&r(n,e,o._splitButton)},o._onIconItemClick=function(e){var t=o.props,n=t.item,r=t.onItemClickBase;r&&r(n,e,o._splitButton?o._splitButton:e.currentTarget)},o._executeItemClick=function(e){var t=o.props,n=t.item,r=t.executeItemClick,i=t.onItemClick;if(!n.disabled&&!n.isDisabled)return o._processingTouch&&i?i(n,e):void(r&&r(n,e))},o._onTouchStart=function(e){o._splitButton&&!("onpointerdown"in o._splitButton)&&o._handleTouchAndPointerEvent(e)},o._onPointerDown=function(e){"touch"===e.pointerType&&(o._handleTouchAndPointerEvent(e),e.preventDefault(),e.stopImmediatePropagation())},o._async=new b.e(o),o._events=new y.r(o),o}return(0,n.ZT)(t,e),t.prototype.componentDidMount=function(){this._splitButton&&"onpointerdown"in this._splitButton&&this._events.on(this._splitButton,"pointerdown",this._onPointerDown,!0)},t.prototype.componentWillUnmount=function(){this._async.dispose(),this._events.dispose()},t.prototype.render=function(){var e=this,t=this.props,o=t.item,i=t.classNames,a=t.index,s=t.focusableElementIndex,l=t.totalItemCount,c=t.hasCheckmarks,u=t.hasIcons,d=t.onItemMouseLeave,p=t.expandedMenuItemKey,m=(0,I.Df)(o),h=o.keytipProps;h&&(h=this._getMemoizedMenuButtonKeytipProps(h));var g=o.ariaDescription;return g&&(this._ariaDescriptionId=(0,S.z)()),r.createElement(M.a,{keytipProps:h,disabled:(0,I.P_)(o)},(function(t){return r.createElement("div",{"data-ktp-target":t["data-ktp-target"],ref:function(t){return e._splitButton=t},role:(0,I.JF)(o),"aria-label":o.ariaLabel,className:i.splitContainer,"aria-disabled":(0,I.P_)(o),"aria-expanded":m?o.key===p:void 0,"aria-haspopup":!0,"aria-describedby":(0,E.I)(o.ariaDescribedBy,g?e._ariaDescriptionId:void 0,t["aria-describedby"]),"aria-checked":o.isChecked||o.checked,"aria-posinset":s+1,"aria-setsize":l,onMouseEnter:e._onItemMouseEnterPrimary,onMouseLeave:d?d.bind(e,(0,n.pi)((0,n.pi)({},o),{subMenuProps:null,items:null})):void 0,onMouseMove:e._onItemMouseMovePrimary,onKeyDown:e._onItemKeyDown,onClick:e._executeItemClick,onTouchStart:e._onTouchStart,tabIndex:0,"data-is-focusable":!0,"aria-roledescription":o["aria-roledescription"]},e._renderSplitPrimaryButton(o,i,a,c,u),e._renderSplitDivider(o),e._renderSplitIconButton(o,i,a,t),e._renderAriaDescription(g,i.screenReaderText))}))},t.prototype._renderSplitPrimaryButton=function(e,t,o,i,a){var s=this.props,l=s.contextualMenuItemAs,c=void 0===l?T.W:l,u=s.onItemClick,d={key:e.key,disabled:(0,I.P_)(e)||e.primaryDisabled,name:e.name,text:e.text||e.name,secondaryText:e.secondaryText,className:t.splitPrimary,canCheck:e.canCheck,isChecked:e.isChecked,checked:e.checked,iconProps:e.iconProps,onRenderIcon:e.onRenderIcon,data:e.data,"data-is-focusable":!1},p=e.itemProps;return r.createElement("button",(0,n.pi)({},(0,w.pq)(d,w.Yq)),r.createElement(c,(0,n.pi)({"data-is-focusable":!1,item:d,classNames:t,index:o,onCheckmarkClick:i&&u?u:void 0,hasIcons:a},p)))},t.prototype._renderSplitDivider=function(e){var t=e.getSplitButtonVerticalDividerClassNames||B.Z;return r.createElement(F.p,{getClassNames:t})},t.prototype._renderSplitIconButton=function(e,t,o,i){var a=this.props,s=a.contextualMenuItemAs,l=void 0===s?T.W:s,c=a.onItemMouseLeave,u=a.onItemMouseDown,d=a.openSubMenu,p=a.dismissSubMenu,m=a.dismissMenu,h={onClick:this._onIconItemClick,disabled:(0,I.P_)(e),className:t.splitMenu,subMenuProps:e.subMenuProps,submenuIconProps:e.submenuIconProps,split:!0,key:e.key},g=(0,n.pi)((0,n.pi)({},(0,w.pq)(h,w.Yq)),{onMouseEnter:this._onItemMouseEnterIcon,onMouseLeave:c?c.bind(this,e):void 0,onMouseDown:function(t){return u?u(e,t):void 0},onMouseMove:this._onItemMouseMoveIcon,"data-is-focusable":!1,"data-ktp-execute-target":i["data-ktp-execute-target"],"aria-hidden":!0}),f=e.itemProps;return r.createElement("button",(0,n.pi)({},g),r.createElement(l,(0,n.pi)({componentRef:e.componentRef,item:h,classNames:t,index:o,hasIcons:!1,openSubMenu:d,dismissSubMenu:p,dismissMenu:m,getSubmenuTarget:this._getSubmenuTarget},f)))},t.prototype._handleTouchAndPointerEvent=function(e){var t=this,o=this.props.onTap;o&&o(e),this._lastTouchTimeoutId&&(this._async.clearTimeout(this._lastTouchTimeoutId),this._lastTouchTimeoutId=void 0),this._processingTouch=!0,this._lastTouchTimeoutId=this._async.setTimeout((function(){t._processingTouch=!1,t._lastTouchTimeoutId=void 0}),500)},t}(P),A=o(9729),z=o(6876),H=o(9241),O=o(2674),W=o(4126),V=o(9761),K=(0,u.y)(),q=(0,u.y)(),G={items:[],shouldFocusOnMount:!0,gapSpace:0,directionalHint:s.b.bottomAutoEdge,beakWidth:16};function U(e){return e.subMenuProps?e.subMenuProps.items:e.items}function j(e){return e.some((function(e){return!!e.canCheck||!(!e.sectionProps||!e.sectionProps.items.some((function(e){return!0===e.canCheck})))}))}var J=(0,d.NF)((function(){for(var e=[],t=0;t0){for(var $=0,ee=0,te=s;ee0?r.createElement("li",{role:"presentation",key:c.key||e.key||"section-"+o},r.createElement("div",(0,n.pi)({},d),r.createElement("ul",{className:this._classNames.list,role:"presentation"},c.topDivider&&this._renderSeparator(o,t,!0,!0),u&&this._renderListItem(u,e.key||o,t,e.title),c.items.map((function(e,t){return l._renderMenuItem(e,t,t,c.items.length,i,s)})),c.bottomDivider&&this._renderSeparator(o,t,!1,!0)))):void 0}},t.prototype._renderListItem=function(e,t,o,n){return r.createElement("li",{role:"presentation",title:n,key:t,className:o.item},e)},t.prototype._renderSeparator=function(e,t,o,n){return n||e>0?r.createElement("li",{role:"separator",key:"separator-"+e+(void 0===o?"":o?"-top":"-bottom"),className:t.divider,"aria-hidden":"true"}):null},t.prototype._renderNormalItem=function(e,t,o,r,i,a,s){return e.onRender?e.onRender((0,n.pi)({"aria-posinset":r+1,"aria-setsize":i},e),this.dismiss):e.href?this._renderAnchorMenuItem(e,t,o,r,i,a,s):e.split&&(0,I.Df)(e)?this._renderSplitButton(e,t,o,r,i,a,s):this._renderButtonItem(e,t,o,r,i,a,s)},t.prototype._renderHeaderMenuItem=function(e,t,o,i,a){var s=this.props.contextualMenuItemAs,l=void 0===s?T.W:s,c=e.itemProps,u=e.id,d=c&&(0,w.pq)(c,w.n7);return r.createElement("div",(0,n.pi)({id:u,className:this._classNames.header},d,{style:e.style}),r.createElement(l,(0,n.pi)({item:e,classNames:t,index:o,onCheckmarkClick:i?this._onItemClick:void 0,hasIcons:a},c)))},t.prototype._renderAnchorMenuItem=function(e,t,o,n,i,a,s){var l=this.props,c=l.contextualMenuItemAs,u=l.hoisted,d=u.expandedMenuItemKey,p=u.openSubMenu;return r.createElement(R,{item:e,classNames:t,index:o,focusableElementIndex:n,totalItemCount:i,hasCheckmarks:a,hasIcons:s,contextualMenuItemAs:c,onItemMouseEnter:this._onItemMouseEnterBase,onItemMouseLeave:this._onMouseItemLeave,onItemMouseMove:this._onItemMouseMoveBase,onItemMouseDown:this._onItemMouseDown,executeItemClick:this._executeItemClick,onItemClick:this._onAnchorClick,onItemKeyDown:this._onItemKeyDown,expandedMenuItemKey:d,openSubMenu:p,dismissSubMenu:this._onSubMenuDismiss,dismissMenu:this.dismiss})},t.prototype._renderButtonItem=function(e,t,o,n,i,a,s){var l=this.props,c=l.contextualMenuItemAs,u=l.hoisted,d=u.expandedMenuItemKey,p=u.openSubMenu;return r.createElement(N,{item:e,classNames:t,index:o,focusableElementIndex:n,totalItemCount:i,hasCheckmarks:a,hasIcons:s,contextualMenuItemAs:c,onItemMouseEnter:this._onItemMouseEnterBase,onItemMouseLeave:this._onMouseItemLeave,onItemMouseMove:this._onItemMouseMoveBase,onItemMouseDown:this._onItemMouseDown,executeItemClick:this._executeItemClick,onItemClick:this._onItemClick,onItemClickBase:this._onItemClickBase,onItemKeyDown:this._onItemKeyDown,expandedMenuItemKey:d,openSubMenu:p,dismissSubMenu:this._onSubMenuDismiss,dismissMenu:this.dismiss})},t.prototype._renderSplitButton=function(e,t,o,n,i,a,s){var l=this.props,c=l.contextualMenuItemAs,u=l.hoisted,d=u.expandedMenuItemKey,p=u.openSubMenu;return r.createElement(L,{item:e,classNames:t,index:o,focusableElementIndex:n,totalItemCount:i,hasCheckmarks:a,hasIcons:s,contextualMenuItemAs:c,onItemMouseEnter:this._onItemMouseEnterBase,onItemMouseLeave:this._onMouseItemLeave,onItemMouseMove:this._onItemMouseMoveBase,onItemMouseDown:this._onItemMouseDown,executeItemClick:this._executeItemClick,onItemClick:this._onItemClick,onItemClickBase:this._onItemClickBase,onItemKeyDown:this._onItemKeyDown,openSubMenu:p,dismissSubMenu:this._onSubMenuDismiss,dismissMenu:this.dismiss,expandedMenuItemKey:d,onTap:this._onPointerAndTouchEvent})},t.prototype._isAltOrMeta=function(e){return e.which===m.m.alt||"Meta"===e.key},t.prototype._shouldIgnoreMouseEvent=function(){return!this._isScrollIdle||!this.props.hoisted.gotMouseMove.current},t.prototype._updateFocusOnMouseEvent=function(e,t,o){var n=this,r=o||t.currentTarget,i=this.props,a=i.subMenuHoverDelay,s=void 0===a?250:a,l=i.hoisted,c=l.expandedMenuItemKey,u=l.openSubMenu;e.key!==c&&(void 0!==this._enterTimerId&&(this._async.clearTimeout(this._enterTimerId),this._enterTimerId=void 0),void 0===c&&r.focus(),(0,I.Df)(e)?(t.stopPropagation(),this._enterTimerId=this._async.setTimeout((function(){r.focus(),u(e,r,!0),n._enterTimerId=void 0}),s)):this._enterTimerId=this._async.setTimeout((function(){n._onSubMenuDismiss(t),r.focus(),n._enterTimerId=void 0}),s))},t.prototype._getSubmenuProps=function(){var e=this.props.hoisted,t=e.submenuTarget,o=e.expandedMenuItemKey,n=e.expandedByMouseClick,r=this._findItemByKey(o),i=null;return r&&(i={items:U(r),target:t,onDismiss:this._onSubMenuDismiss,isSubMenu:!0,id:this.state.subMenuId,shouldFocusOnMount:!0,shouldFocusOnContainer:n,directionalHint:(0,f.zg)(this.props.theme)?s.b.leftTopEdge:s.b.rightTopEdge,className:this.props.className,gapSpace:0,isBeakVisible:!1},r.subMenuProps&&(0,x.f0)(i,r.subMenuProps)),i},t.prototype._findItemByKey=function(e){var t=this.props.items;return this._findItemByKeyFromItems(e,t)},t.prototype._findItemByKeyFromItems=function(e,t){for(var o=0,n=t;o{"use strict";o.d(t,{RI:()=>p,Z:()=>c});var n=o(5094),r=o(9729),i=(0,n.NF)((function(e){return(0,r.ZC)({wrapper:{display:"inline-flex",height:"100%",alignItems:"center"},divider:{width:1,height:"100%",backgroundColor:e.palette.neutralTertiaryAlt}})})),a=o(668),s=o(6145),l=(0,r.sK)(0,r.yp),c=(0,n.NF)((function(e){var t;return(0,r.ZC)(i(e),{wrapper:{position:"absolute",right:28,selectors:(t={},t[l]={right:32},t)},divider:{height:16,width:1}})})),u={item:"ms-ContextualMenu-item",divider:"ms-ContextualMenu-divider",root:"ms-ContextualMenu-link",isChecked:"is-checked",isExpanded:"is-expanded",isDisabled:"is-disabled",linkContent:"ms-ContextualMenu-linkContent",linkContentMenu:"ms-ContextualMenu-linkContent",icon:"ms-ContextualMenu-icon",iconColor:"ms-ContextualMenu-iconColor",checkmarkIcon:"ms-ContextualMenu-checkmarkIcon",subMenuIcon:"ms-ContextualMenu-submenuIcon",label:"ms-ContextualMenu-itemText",secondaryText:"ms-ContextualMenu-secondaryText",splitMenu:"ms-ContextualMenu-splitMenu",screenReaderText:"ms-ContextualMenu-screenReaderText"},d=(0,n.NF)((function(e,t,o,n,i,l,c,d,p,m,h,g){var f,v,b,y,_=(0,a.w)(e),C=(0,r.Cn)(u,e);return(0,r.ZC)({item:[C.item,_.item,c],divider:[C.divider,_.divider,d],root:[C.root,_.root,n&&[C.isChecked,_.rootChecked],i&&_.anchorLink,o&&[C.isExpanded,_.rootExpanded],t&&[C.isDisabled,_.rootDisabled],!t&&!o&&[{selectors:(f={":hover":_.rootHovered,":active":_.rootPressed},f["."+s.G$+" &:focus, ."+s.G$+" &:focus:hover"]=_.rootFocused,f["."+s.G$+" &:hover"]={background:"inherit;"},f)}],g],splitPrimary:[_.root,{width:"calc(100% - 28px)"},n&&["is-checked",_.rootChecked],(t||h)&&["is-disabled",_.rootDisabled],!(t||h)&&!n&&[{selectors:(v={":hover":_.rootHovered},v[":hover ~ ."+C.splitMenu]=_.rootHovered,v[":active"]=_.rootPressed,v["."+s.G$+" &:focus, ."+s.G$+" &:focus:hover"]=_.rootFocused,v["."+s.G$+" &:hover"]={background:"inherit;"},v)}]],splitMenu:[C.splitMenu,_.root,{flexBasis:"0",padding:"0 8px",minWidth:"28px"},o&&["is-expanded",_.rootExpanded],t&&["is-disabled",_.rootDisabled],!t&&!o&&[{selectors:(b={":hover":_.rootHovered,":active":_.rootPressed},b["."+s.G$+" &:focus, ."+s.G$+" &:focus:hover"]=_.rootFocused,b["."+s.G$+" &:hover"]={background:"inherit;"},b)}]],anchorLink:_.anchorLink,linkContent:[C.linkContent,_.linkContent],linkContentMenu:[C.linkContentMenu,_.linkContent,{justifyContent:"center"}],icon:[C.icon,l&&_.iconColor,_.icon,p,t&&[C.isDisabled,_.iconDisabled]],iconColor:_.iconColor,checkmarkIcon:[C.checkmarkIcon,l&&_.checkmarkIcon,_.icon,p],subMenuIcon:[C.subMenuIcon,_.subMenuIcon,m,o&&{color:e.palette.neutralPrimary},t&&[_.iconDisabled]],label:[C.label,_.label],secondaryText:[C.secondaryText,_.secondaryText],splitContainer:[_.splitButtonFlexContainer,!t&&!n&&[{selectors:(y={},y["."+s.G$+" &:focus, ."+s.G$+" &:focus:hover"]=_.rootFocused,y)}]],screenReaderText:[C.screenReaderText,_.screenReaderText,r.ul,{visibility:"hidden"}]})})),p=function(e){var t=e.theme,o=e.disabled,n=e.expanded,r=e.checked,i=e.isAnchorLink,a=e.knownIcon,s=e.itemClassName,l=e.dividerClassName,c=e.iconClassName,u=e.subMenuClassName,p=e.primaryDisabled,m=e.className;return d(t,o,n,r,i,a,s,l,c,u,p,m)}},668:(e,t,o)=>{"use strict";o.d(t,{f:()=>a,w:()=>c});var n=o(7622),r=o(9729),i=o(5094),a=36,s=(0,r.sK)(0,r.yp),l=(0,i.NF)((function(){var e;return{selectors:(e={},e[r.qJ]=(0,n.pi)({backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},(0,r.xM)()),e)}})),c=(0,i.NF)((function(e){var t,o,i,c,u,d,p,m=e.semanticColors,h=e.fonts,g=e.palette,f=m.menuItemBackgroundHovered,v=m.menuItemTextHovered,b=m.menuItemBackgroundPressed,y=m.bodyDivider,_={item:[h.medium,{color:m.bodyText,position:"relative",boxSizing:"border-box"}],divider:{display:"block",height:"1px",backgroundColor:y,position:"relative"},root:[(0,r.GL)(e),h.medium,{color:m.bodyText,backgroundColor:"transparent",border:"none",width:"100%",height:a,lineHeight:a,display:"block",cursor:"pointer",padding:"0px 8px 0 4px",textAlign:"left"}],rootDisabled:{color:m.disabledBodyText,cursor:"default",pointerEvents:"none",selectors:(t={},t[r.qJ]=(0,n.pi)({color:"GrayText",opacity:1},(0,r.xM)()),t)},rootHovered:(0,n.pi)({backgroundColor:f,color:v,selectors:{".ms-ContextualMenu-icon":{color:g.themeDarkAlt},".ms-ContextualMenu-submenuIcon":{color:g.neutralPrimary}}},l()),rootFocused:(0,n.pi)({backgroundColor:g.white},l()),rootChecked:(0,n.pi)({selectors:{".ms-ContextualMenu-checkmarkIcon":{color:g.neutralPrimary}}},l()),rootPressed:(0,n.pi)({backgroundColor:b,selectors:{".ms-ContextualMenu-icon":{color:g.themeDark},".ms-ContextualMenu-submenuIcon":{color:g.neutralPrimary}}},l()),rootExpanded:(0,n.pi)({backgroundColor:b,color:m.bodyTextChecked},l()),linkContent:{whiteSpace:"nowrap",height:"inherit",display:"flex",alignItems:"center",maxWidth:"100%"},anchorLink:{padding:"0px 8px 0 4px",textRendering:"auto",color:"inherit",letterSpacing:"normal",wordSpacing:"normal",textTransform:"none",textIndent:"0px",textShadow:"none",textDecoration:"none",boxSizing:"border-box"},label:{margin:"0 4px",verticalAlign:"middle",display:"inline-block",flexGrow:"1",textOverflow:"ellipsis",overflow:"hidden",whiteSpace:"nowrap"},secondaryText:{color:e.palette.neutralSecondary,paddingLeft:"20px",textAlign:"right"},icon:{display:"inline-block",minHeight:"1px",maxHeight:a,fontSize:r.ld.medium,width:r.ld.medium,margin:"0 4px",verticalAlign:"middle",flexShrink:"0",selectors:(o={},o[s]={fontSize:r.ld.large,width:r.ld.large},o)},iconColor:{color:m.menuIcon,selectors:(i={},i[r.qJ]={color:"inherit"},i["$root:hover &"]={selectors:(c={},c[r.qJ]={color:"HighlightText"},c)},i["$root:focus &"]={selectors:(u={},u[r.qJ]={color:"HighlightText"},u)},i)},iconDisabled:{color:m.disabledBodyText},checkmarkIcon:{color:m.bodySubtext,selectors:(d={},d[r.qJ]={color:"HighlightText"},d)},subMenuIcon:{height:a,lineHeight:a,color:g.neutralSecondary,textAlign:"center",display:"inline-block",verticalAlign:"middle",flexShrink:"0",fontSize:r.ld.small,selectors:(p={":hover":{color:g.neutralPrimary},":active":{color:g.neutralPrimary}},p[s]={fontSize:r.ld.medium},p[r.qJ]={color:"HighlightText"},p)},splitButtonFlexContainer:[(0,r.GL)(e),{display:"flex",height:a,flexWrap:"nowrap",justifyContent:"center",alignItems:"flex-start"}]};return(0,r.E$)(_)}))},9134:(e,t,o)=>{"use strict";o.d(t,{r:()=>p});var n=o(7622),r=o(7002),i=o(2002),a=o(7817),s=o(9729),l=o(668),c={root:"ms-ContextualMenu",container:"ms-ContextualMenu-container",list:"ms-ContextualMenu-list",header:"ms-ContextualMenu-header",title:"ms-ContextualMenu-title",isopen:"is-open"};function u(e){return r.createElement(d,(0,n.pi)({},e))}var d=(0,i.z)(a.MK,(function(e){var t=e.className,o=e.theme,n=(0,s.Cn)(c,o),r=o.fonts,i=o.semanticColors,a=o.effects;return{root:[o.fonts.medium,n.root,n.isopen,{backgroundColor:i.menuBackground,minWidth:"180px"},t],container:[n.container,{selectors:{":focus":{outline:0}}}],list:[n.list,n.isopen,{listStyleType:"none",margin:"0",padding:"0"}],header:[n.header,r.small,{fontWeight:s.lq.semibold,color:i.menuHeader,background:"none",backgroundColor:"transparent",border:"none",height:l.f,lineHeight:l.f,cursor:"default",padding:"0px 6px",userSelect:"none",textAlign:"left"}],title:[n.title,{fontSize:r.mediumPlus.fontSize,paddingRight:"14px",paddingLeft:"14px",paddingBottom:"5px",paddingTop:"5px",backgroundColor:i.menuItemBackgroundPressed}],subComponentStyles:{callout:{root:{boxShadow:a.elevation8}},menuItem:{}}}}),(function(){return{onRenderSubMenu:u}}),{scope:"ContextualMenu"}),p=d;p.displayName="ContextualMenu"},5183:(e,t,o)=>{"use strict";var n;o.d(t,{n:()=>n}),function(e){e[e.Normal=0]="Normal",e[e.Divider=1]="Divider",e[e.Header=2]="Header",e[e.Section=3]="Section"}(n||(n={}))},1839:(e,t,o)=>{"use strict";o.d(t,{b:()=>h});var n=o(7622),r=o(7002),i=o(2240),a=o(5951),s=o(688),l=o(9947),c=function(e){var t=e.item,o=e.hasIcons,i=e.classNames,a=t.iconProps;return o?t.onRenderIcon?t.onRenderIcon(e):r.createElement(l.J,(0,n.pi)({},a,{className:i.icon})):null},u=function(e){var t=e.onCheckmarkClick,o=e.item,n=e.classNames,a=(0,i.E3)(o);return t?r.createElement(l.J,{iconName:!1!==o.canCheck&&a?"CheckMark":"",className:n.checkmarkIcon,onClick:function(e){return t(o,e)}}):null},d=function(e){var t=e.item,o=e.classNames;return t.text||t.name?r.createElement("span",{className:o.label},t.text||t.name):null},p=function(e){var t=e.item,o=e.classNames;return t.secondaryText?r.createElement("span",{className:o.secondaryText},t.secondaryText):null},m=function(e){var t=e.item,o=e.classNames,s=e.theme;return(0,i.Df)(t)?r.createElement(l.J,(0,n.pi)({iconName:(0,a.zg)(s)?"ChevronLeft":"ChevronRight"},t.submenuIconProps,{className:o.subMenuIcon})):null},h=function(e){function t(t){var o=e.call(this,t)||this;return o.openSubMenu=function(){var e=o.props,t=e.item,n=e.openSubMenu,r=e.getSubmenuTarget;if(r){var a=r();(0,i.Df)(t)&&n&&a&&n(t,a)}},o.dismissSubMenu=function(){var e=o.props,t=e.item,n=e.dismissSubMenu;(0,i.Df)(t)&&n&&n()},o.dismissMenu=function(e){var t=o.props.dismissMenu;t&&t(void 0,e)},(0,s.l)(o),o}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.item,o=e.classNames,n=t.onRenderContent||this._renderLayout;return r.createElement("div",{className:t.split?o.linkContentMenu:o.linkContent},n(this.props,{renderCheckMarkIcon:u,renderItemIcon:c,renderItemName:d,renderSecondaryText:p,renderSubMenuIcon:m}))},t.prototype._renderLayout=function(e,t){return r.createElement(r.Fragment,null,t.renderCheckMarkIcon(e),t.renderItemIcon(e),t.renderItemName(e),t.renderSecondaryText(e),t.renderSubMenuIcon(e))},t}(r.Component)},6662:(e,t,o)=>{"use strict";o.d(t,{W:()=>a});var n=o(2002),r=o(1839),i=o(98),a=(0,n.z)(r.b,i.RI,void 0,{scope:"ContextualMenuItem"})},6381:(e,t,o)=>{"use strict";o.d(t,{R:()=>x});var n=o(7622),r=o(7002),i=o(7300),a=o(63),s=o(8145),l=o(8127),c=o(8088),u=o(4977),d=o(1093),p=o(6974),m=o(5953),h=o(6628),g=o(8623),f=o(6007),v=o(3528),b=o(6548),y=o(4085),_=o(1194),C=(0,i.y)(),S={allowTextInput:!1,formatDate:function(e){return e?e.toDateString():""},parseDateFromString:function(e){var t=Date.parse(e);return t?new Date(t):null},firstDayOfWeek:d.eO.Sunday,initialPickerDate:new Date,isRequired:!1,isMonthPickerVisible:!0,showMonthPickerAsOverlay:!1,strings:_.f,highlightCurrentMonth:!1,highlightSelectedMonth:!1,borderless:!1,pickerAriaLabel:"Calendar",showWeekNumbers:!1,firstWeekOfYear:d.On.FirstDay,showGoToToday:!0,showCloseButton:!1,underlined:!1,allFocusable:!1},x=r.forwardRef((function(e,t){var o=(0,a.j)(S,e),i=o.firstDayOfWeek,d=o.strings,_=o.label,x=o.theme,w=o.className,I=o.styles,D=o.initialPickerDate,T=o.isRequired,E=o.disabled,P=o.ariaLabel,M=o.pickerAriaLabel,R=o.placeholder,N=o.allowTextInput,B=o.borderless,F=o.minDate,L=o.maxDate,A=o.showCloseButton,z=o.calendarProps,H=o.calloutProps,O=o.textField,W=o.underlined,V=o.allFocusable,K=o.calendarAs,q=void 0===K?u.f:K,G=o.tabIndex,U=o.disableAutoFocus,j=(0,y.M)("DatePicker",o.id),J=(0,y.M)("DatePicker-Callout"),Y=r.useRef(null),Z=r.useRef(null),X=function(){var e=r.useRef(null),t=r.useRef(!1);return[e,function(){var t,o,n;null===(n=null===(t=e.current)||void 0===t?void 0:(o=t).focus)||void 0===n||n.call(o)},t,function(){t.current=!0}]}(),Q=X[0],$=X[1],ee=X[2],te=X[3],oe=function(e,t){var o=e.allowTextInput,n=e.onAfterMenuDismiss,i=r.useState(!1),a=i[0],s=i[1],l=r.useRef(!1),c=(0,v.r)();return r.useEffect((function(){var e;l.current&&!a&&(o&&c.requestAnimationFrame(t),null===(e=n)||void 0===e||e()),l.current=!0}),[a]),[a,s]}(o,$),ne=oe[0],re=oe[1],ie=function(e){var t=e.formatDate,o=e.value,n=e.onSelectDate,i=(0,b.G)(o,void 0,(function(e,t){var o;return null===(o=n)||void 0===o?void 0:o(t)})),a=i[0],s=i[1],l=r.useState((function(){return o&&t?t(o):""})),c=l[0],u=l[1];return r.useEffect((function(){u(o&&t?t(o):"")}),[t,o]),[a,c,function(e){s(e),u(e&&t?t(e):"")},u]}(o),ae=ie[0],se=ie[1],le=ie[2],ce=ie[3],ue=function(e,t,o,n,i){var a=e.isRequired,s=e.allowTextInput,l=e.strings,c=e.parseDateFromString,u=e.onSelectDate,d=e.formatDate,m=e.minDate,h=e.maxDate,g=r.useState(),f=g[0],v=g[1];return r.useEffect((function(){a&&!t?v(l.isRequiredErrorMessage||" "):t&&k(t,m,h)?v(l.isOutOfBoundsErrorMessage||" "):v(void 0)}),[m&&(0,p.c8)(m),h&&(0,p.c8)(h),t&&(0,p.c8)(t),a]),[i?void 0:f,function(e){var r;if(void 0===e&&(e=null),s)if(n||e){if(t&&!f&&d&&d(null!=e?e:t)===n)return;!(e=e||c(n))||isNaN(e.getTime())?(o(t),v(l.invalidInputErrorMessage||" ")):k(e,m,h)?v(l.isOutOfBoundsErrorMessage||" "):(o(e),v(void 0))}else v(a?l.isRequiredErrorMessage||" ":void 0),null===(r=u)||void 0===r||r(e);else v(a&&!n?l.isRequiredErrorMessage||" ":void 0)},v]}(o,ae,le,se,ne),de=ue[0],pe=ue[1],me=ue[2],he=r.useCallback((function(){ne||(te(),re(!0))}),[ne,te,re]);r.useImperativeHandle(o.componentRef,(function(){return{focus:$,reset:function(){re(!1),le(void 0),me(void 0)},showDatePickerPopup:he}}),[$,me,re,le,he]);var ge=function(e){ne&&(re(!1),pe(e),!N&&e&&le(e))},fe=function(e){te(),ge(e)},ve=C(I,{theme:x,className:w,disabled:E,label:!!_,isDatePickerShown:ne}),be=(0,l.pq)(o,l.n7,["value"]),ye=O&&O.iconProps;return r.createElement("div",(0,n.pi)({},be,{className:ve.root,ref:t}),r.createElement("div",{ref:Z,"aria-haspopup":"true","aria-owns":ne?J:void 0,className:ve.wrapper},r.createElement(g.n,(0,n.pi)({role:"combobox",label:_,"aria-expanded":ne,ariaLabel:P,"aria-controls":ne?J:void 0,required:T,disabled:E,errorMessage:de,placeholder:R,borderless:B,value:se,componentRef:Q,underlined:W,tabIndex:G,readOnly:!N},O,{id:j+"-label",className:(0,c.i)(ve.textField,O&&O.className),iconProps:(0,n.pi)((0,n.pi)({iconName:"Calendar"},ye),{className:(0,c.i)(ve.icon,ye&&ye.className),onClick:function(e){e.stopPropagation(),ne||o.disabled?o.allowTextInput&&ge():he()}}),onKeyDown:function(e){switch(e.which){case s.m.enter:e.preventDefault(),e.stopPropagation(),ne?o.allowTextInput&&ge():(pe(),he());break;case s.m.escape:!function(e){e.stopPropagation(),fe()}(e);break;case s.m.down:e.altKey&&!ne&&he()}},onFocus:function(){U||N||(ee.current||he(),ee.current=!1)},onBlur:function(e){pe()},onClick:function(e){o.disableAutoFocus||ne||o.disabled?o.allowTextInput&&ge():he()},onChange:function(e,t){var n,r,i,a=o.textField;N&&(ne&&ge(),ce(t)),null===(i=null===(n=a)||void 0===n?void 0:(r=n).onChange)||void 0===i||i.call(r,e,t)}}))),ne&&r.createElement(m.U,(0,n.pi)({id:J,role:"dialog",ariaLabel:M,isBeakVisible:!1,gapSpace:0,doNotLayer:!1,target:Z.current,directionalHint:h.b.bottomLeftEdge},H,{className:(0,c.i)(ve.callout,H&&H.className),onDismiss:function(e){fe()},onPositioned:function(){var e=!0;o.calloutProps&&void 0!==o.calloutProps.setInitialFocus&&(e=o.calloutProps.setInitialFocus),Y.current&&e&&Y.current.focus()}}),r.createElement(f.P,{isClickableOutsideFocusTrap:!0,disableFirstFocus:o.disableAutoFocus},r.createElement(q,(0,n.pi)({},z,{onSelectDate:function(e){o.calendarProps&&o.calendarProps.onSelectDate&&o.calendarProps.onSelectDate(e),fe(e)},onDismiss:fe,isMonthPickerVisible:o.isMonthPickerVisible,showMonthPickerAsOverlay:o.showMonthPickerAsOverlay,today:o.today,value:ae||D,firstDayOfWeek:i,strings:d,highlightCurrentMonth:o.highlightCurrentMonth,highlightSelectedMonth:o.highlightSelectedMonth,showWeekNumbers:o.showWeekNumbers,firstWeekOfYear:o.firstWeekOfYear,showGoToToday:o.showGoToToday,dateTimeFormatter:o.dateTimeFormatter,minDate:F,maxDate:L,componentRef:Y,showCloseButton:A,allFocusable:V})))))}));function k(e,t,o){return!!t&&(0,p.NJ)(t,e)>0||!!o&&(0,p.NJ)(o,e)<0}x.displayName="DatePickerBase"},127:(e,t,o)=>{"use strict";o.d(t,{M:()=>s});var n=o(2002),r=o(6381),i=o(9729),a={root:"ms-DatePicker",callout:"ms-DatePicker-callout",withLabel:"ms-DatePicker-event--with-label",withoutLabel:"ms-DatePicker-event--without-label",disabled:"msDatePickerDisabled "},s=(0,n.z)(r.R,(function(e){var t=e.className,o=e.theme,n=e.disabled,r=e.label,s=e.isDatePickerShown,l=o.palette,c=o.semanticColors,u=(0,i.Cn)(a,o),d={color:l.neutralSecondary,fontSize:i.TS.icon,lineHeight:"18px",pointerEvents:"none",position:"absolute",right:"4px",padding:"5px"};return{root:[u.root,o.fonts.large,s&&"is-open",i.Fv,t],textField:[{position:"relative",selectors:{"& input[readonly]":{cursor:"pointer"},input:{selectors:{"::-ms-clear":{display:"none"}}}}},n&&{selectors:{"& input[readonly]":{cursor:"default"}}}],callout:[u.callout],icon:[d,r?u.withLabel:u.withoutLabel,{paddingTop:"7px"},!n&&[u.disabled,{pointerEvents:"initial",cursor:"pointer"}],n&&{color:c.disabledText,cursor:"default"}]}}),void 0,{scope:"DatePicker"})},1194:(e,t,o)=>{"use strict";o.d(t,{f:()=>i});var n=o(7622),r=o(6883),i=(0,n.pi)((0,n.pi)({},r.V3),{prevMonthAriaLabel:"Go to previous month",nextMonthAriaLabel:"Go to next month",prevYearAriaLabel:"Go to previous year",nextYearAriaLabel:"Go to next year",closeButtonAriaLabel:"Close date picker",isRequiredErrorMessage:"Field is required",invalidInputErrorMessage:"Invalid date format"})},8386:(e,t,o)=>{"use strict";o.d(t,{p:()=>a});var n=o(7002),r=(0,o(7300).y)(),i=n.forwardRef((function(e,t){var o=e.styles,i=e.theme,a=e.getClassNames,s=e.className,l=r(o,{theme:i,getClassNames:a,className:s});return n.createElement("span",{className:l.wrapper,ref:t},n.createElement("span",{className:l.divider}))}));i.displayName="VerticalDividerBase";var a=(0,o(2002).z)(i,(function(e){var t=e.theme,o=e.getClassNames,n=e.className;if(!t)throw new Error("Theme is undefined or null.");if(o){var r=o(t);return{wrapper:[r.wrapper],divider:[r.divider]}}return{wrapper:[{display:"inline-flex",height:"100%",alignItems:"center"},n],divider:[{width:1,height:"100%",backgroundColor:t.palette.neutralTertiaryAlt}]}}),void 0,{scope:"VerticalDivider"})},8982:(e,t,o)=>{"use strict";o.d(t,{P:()=>L});var n=o(7622),r=o(7002),i=o(7300),a=o(2470),s=o(2990),l=o(5446),c=o(8145),u=o(4553),d=o(688),p=o(2782),m=o(8127),h=o(9577),g=o(6479),f=o(8936),v=o(5953),b=o(6628),y=o(990),_=o(2703),C=function(){function e(){this._size=0}return e.prototype.updateOptions=function(e){for(var t=[],o=0,r=0;rthis._displayOnlyOptionsCache[t];)t++;if(this._displayOnlyOptionsCache[t]===e)throw new Error("Unexpected: Option at index "+e+" is not a selectable element.");return e-t+1}},e}(),S=o(2998),x=o(7023),k=o(9947),w=o(2052),I=o(9755),D=o(4126),T=o(9761),E=o(5515),P=o(2777),M=o(63),R=o(6876),N=o(9241),B=(0,i.y)(),F={options:[]},L=r.forwardRef((function(e,t){var o=(0,M.j)(F,e),i=r.useRef(null),s=(0,N.r)(t,i),l=(0,D.q)(i),c=function(e){var t,o=e.defaultSelectedKeys,n=e.selectedKeys,i=e.defaultSelectedKey,s=e.selectedKey,l=e.options,c=e.multiSelect,u=(0,R.D)(l),d=r.useState([]),p=d[0],m=d[1],h=l!==u;t=c?h&&void 0!==o?o:n:h&&void 0!==i?i:s;var g=(0,R.D)(t);return r.useEffect((function(){var e=function(e){return(0,a.cx)(l,(function(t){return null!=e?t.key===e:!!t.selected||!!t.isSelected}))};void 0===t&&u||t===g&&!h||m(function(){if(void 0===t)return c?l.map((function(e,t){return e.selected?t:-1})).filter((function(e){return-1!==e})):-1!==(i=e(null))?[i]:[];if(!Array.isArray(t))return-1!==(i=e(t))?[i]:[];for(var o=[],n=0,r=t;n0&&l();var r=o._id+e.key;a.items.push(i((0,n.pi)((0,n.pi)({id:r},e),{index:t}),o._onRenderItem)),a.id=r;break;case _.F.Divider:t>0&&a.items.push(i((0,n.pi)((0,n.pi)({},e),{index:t}),o._onRenderItem)),a.items.length>0&&l();break;default:a.items.push(i((0,n.pi)((0,n.pi)({},e),{index:t}),o._onRenderItem))}}(e,t)})),a.items.length>0&&l(),r.createElement(r.Fragment,null,s)},o._onRenderItem=function(e){switch(e.itemType){case _.F.Divider:return o._renderSeparator(e);case _.F.Header:return o._renderHeader(e);default:return o._renderOption(e)}},o._renderOption=function(e){var t=o.props,i=t.onRenderOption,a=void 0===i?o._onRenderOption:i,s=t.hoisted.selectedIndices,l=void 0===s?[]:s,c=!(void 0===e.index||!l)&&l.indexOf(e.index)>-1,u=e.hidden?o._classNames.dropdownItemHidden:c&&!0===e.disabled?o._classNames.dropdownItemSelectedAndDisabled:c?o._classNames.dropdownItemSelected:!0===e.disabled?o._classNames.dropdownItemDisabled:o._classNames.dropdownItem,d=e.title,p=void 0===d?e.text:d,m=o._classNames.subComponentStyles?o._classNames.subComponentStyles.multiSelectItem:void 0;return o.props.multiSelect?r.createElement(P.X,{id:o._listId+e.index,key:e.key,disabled:e.disabled,onChange:o._onItemClick(e),inputProps:(0,n.pi)({"aria-selected":c,onMouseEnter:o._onItemMouseEnter.bind(o,e),onMouseLeave:o._onMouseItemLeave.bind(o,e),onMouseMove:o._onItemMouseMove.bind(o,e),role:"option"},{"data-index":e.index,"data-is-focusable":!e.disabled}),label:e.text,title:p,onRenderLabel:o._onRenderItemLabel.bind(o,e),className:u,checked:c,styles:m,ariaPositionInSet:o._sizePosCache.positionInSet(e.index),ariaSetSize:o._sizePosCache.optionSetSize}):r.createElement(y.M,{id:o._listId+e.index,key:e.key,"data-index":e.index,"data-is-focusable":!e.disabled,disabled:e.disabled,className:u,onClick:o._onItemClick(e),onMouseEnter:o._onItemMouseEnter.bind(o,e),onMouseLeave:o._onMouseItemLeave.bind(o,e),onMouseMove:o._onItemMouseMove.bind(o,e),role:"option","aria-selected":c?"true":"false",ariaLabel:e.ariaLabel,title:p,"aria-posinset":o._sizePosCache.positionInSet(e.index),"aria-setsize":o._sizePosCache.optionSetSize},a(e,o._onRenderOption))},o._onRenderOption=function(e){return r.createElement("span",{className:o._classNames.dropdownOptionText},e.text)},o._onRenderItemLabel=function(e){var t=o.props.onRenderOption;return(void 0===t?o._onRenderOption:t)(e,o._onRenderOption)},o._onPositioned=function(e){o._focusZone.current&&o._requestAnimationFrame((function(){var e=o.props.hoisted.selectedIndices;if(o._focusZone.current)if(e&&e[0]&&!o.props.options[e[0]].disabled){var t=(0,l.M)().getElementById(o._id+"-list"+e[0]);t&&o._focusZone.current.focusElement(t)}else o._focusZone.current.focus()})),o.state.calloutRenderEdge&&o.state.calloutRenderEdge===e.targetEdge||o.setState({calloutRenderEdge:e.targetEdge})},o._onItemClick=function(e){return function(t){e.disabled||(o.setSelectedIndex(t,e.index),o.props.multiSelect||o.setState({isOpen:!1}))}},o._onScroll=function(){o._isScrollIdle||void 0===o._scrollIdleTimeoutId?o._isScrollIdle=!1:(clearTimeout(o._scrollIdleTimeoutId),o._scrollIdleTimeoutId=void 0),o._scrollIdleTimeoutId=window.setTimeout((function(){o._isScrollIdle=!0}),o._scrollIdleDelay)},o._onMouseItemLeave=function(e,t){if(!o._shouldIgnoreMouseEvent()&&o._host.current)if(o._host.current.setActive)try{o._host.current.setActive()}catch(e){}else o._host.current.focus()},o._onDismiss=function(){o.setState({isOpen:!1})},o._onDropdownBlur=function(e){o._isDisabled()||(o.setState({hasFocus:!1}),o.state.isOpen||o.props.onBlur&&o.props.onBlur(e))},o._onDropdownKeyDown=function(e){if(!o._isDisabled()&&(o._lastKeyDownWasAltOrMeta=o._isAltOrMeta(e),!o.props.onKeyDown||(o.props.onKeyDown(e),!e.defaultPrevented))){var t,n=o.props.hoisted.selectedIndices.length?o.props.hoisted.selectedIndices[0]:-1,r=e.altKey||e.metaKey,i=o.state.isOpen;switch(e.which){case c.m.enter:o.setState({isOpen:!i});break;case c.m.escape:if(!i)return;o.setState({isOpen:!1});break;case c.m.up:if(r){if(i){o.setState({isOpen:!1});break}return}o.props.multiSelect?o.setState({isOpen:!0}):o._isDisabled()||(t=o._moveIndex(e,-1,n-1,n));break;case c.m.down:r&&(e.stopPropagation(),e.preventDefault()),r&&!i||o.props.multiSelect?o.setState({isOpen:!0}):o._isDisabled()||(t=o._moveIndex(e,1,n+1,n));break;case c.m.home:o.props.multiSelect||(t=o._moveIndex(e,1,0,n));break;case c.m.end:o.props.multiSelect||(t=o._moveIndex(e,-1,o.props.options.length-1,n));break;case c.m.space:break;default:return}t!==n&&(e.stopPropagation(),e.preventDefault())}},o._onDropdownKeyUp=function(e){if(!o._isDisabled()){var t=o._shouldHandleKeyUp(e),n=o.state.isOpen;if(!o.props.onKeyUp||(o.props.onKeyUp(e),!e.defaultPrevented)){switch(e.which){case c.m.space:o.setState({isOpen:!n});break;default:return void(t&&n&&o.setState({isOpen:!1}))}e.stopPropagation(),e.preventDefault()}}},o._onZoneKeyDown=function(e){var t;o._lastKeyDownWasAltOrMeta=o._isAltOrMeta(e);var n=e.altKey||e.metaKey;switch(e.which){case c.m.up:n?o.setState({isOpen:!1}):o._host.current&&(t=(0,u.TE)(o._host.current,o._host.current.lastChild,!0));break;case c.m.home:case c.m.end:case c.m.pageUp:case c.m.pageDown:break;case c.m.down:!n&&o._host.current&&(t=(0,u.ft)(o._host.current,o._host.current.firstChild,!0));break;case c.m.escape:o.setState({isOpen:!1});break;case c.m.tab:return void o.setState({isOpen:!1});default:return}t&&t.focus(),e.stopPropagation(),e.preventDefault()},o._onZoneKeyUp=function(e){o._shouldHandleKeyUp(e)&&o.state.isOpen&&(o.setState({isOpen:!1}),e.preventDefault())},o._onDropdownClick=function(e){if(!o.props.onClick||(o.props.onClick(e),!e.defaultPrevented)){var t=o.state.isOpen;o._isDisabled()||o._shouldOpenOnFocus()||o.setState({isOpen:!t}),o._isFocusedByClick=!1}},o._onDropdownMouseDown=function(){o._isFocusedByClick=!0},o._onFocus=function(e){var t=o.state.isOpen,n=o.props,r=n.multiSelect,i=n.hoisted.selectedIndices;if(!o._isDisabled()){o._isFocusedByClick||t||0!==i.length||r||o._moveIndex(e,1,0,-1),o.props.onFocus&&o.props.onFocus(e);var a={hasFocus:!0};o._shouldOpenOnFocus()&&(a.isOpen=!0),o.setState(a)}},o._isDisabled=function(){var e=o.props.disabled,t=o.props.isDisabled;return void 0===e&&(e=t),e},o._onRenderLabel=function(e){var t=e.label,n=e.required,i=e.disabled,a=o._classNames.subComponentStyles?o._classNames.subComponentStyles.label:void 0;return t?r.createElement(w._,{className:o._classNames.label,id:o._labelId,required:n,styles:a,disabled:i},t):null},(0,d.l)(o),t.multiSelect,t.selectedKey,t.selectedKeys,t.defaultSelectedKey,t.defaultSelectedKeys;var i=t.options;return o._id=t.id||(0,p.z)("Dropdown"),o._labelId=o._id+"-label",o._listId=o._id+"-list",o._optionId=o._id+"-option",o._isScrollIdle=!0,o._sizePosCache.updateOptions(i),o.state={isOpen:!1,hasFocus:!1,calloutRenderEdge:void 0},o}return(0,n.ZT)(t,e),Object.defineProperty(t.prototype,"selectedOptions",{get:function(){var e=this.props,t=e.options,o=e.hoisted.selectedIndices;return(0,E.t)(t,o)},enumerable:!0,configurable:!0}),t.prototype.componentWillUnmount=function(){clearTimeout(this._scrollIdleTimeoutId)},t.prototype.componentDidUpdate=function(e,t){!0===t.isOpen&&!1===this.state.isOpen&&(this._gotMouseMove=!1,this.props.onDismiss&&this.props.onDismiss())},t.prototype.render=function(){var e=this._id,t=this.props,o=t.className,i=t.label,a=t.options,s=t.ariaLabel,l=t.required,c=t.errorMessage,u=t.styles,d=t.theme,p=t.panelProps,g=t.calloutProps,f=t.multiSelect,v=t.onRenderTitle,b=void 0===v?this._getTitle:v,y=t.onRenderContainer,_=void 0===y?this._onRenderContainer:y,C=t.onRenderCaretDown,S=void 0===C?this._onRenderCaretDown:C,x=t.onRenderLabel,k=void 0===x?this._onRenderLabel:x,w=t.hoisted.selectedIndices,I=this.state,D=I.isOpen,T=I.calloutRenderEdge,P=t.onRenderPlaceholder||t.onRenderPlaceHolder||this._getPlaceholder;a!==this._sizePosCache.cachedOptions&&this._sizePosCache.updateOptions(a);var M=(0,E.t)(a,w),R=(0,m.pq)(t,m.n7),N=this._isDisabled(),F=e+"-errorMessage",L=N?void 0:D&&1===w.length&&w[0]>=0?this._listId+w[0]:void 0,A=f?{role:"button"}:{role:"listbox",childRole:"option",ariaRequired:l,ariaSetSize:this._sizePosCache.optionSetSize,ariaPosInSet:this._sizePosCache.positionInSet(w[0]),ariaSelected:void 0!==w[0]||void 0};this._classNames=B(u,{theme:d,className:o,hasError:!!(c&&c.length>0),hasLabel:!!i,isOpen:D,required:l,disabled:N,isRenderingPlaceholder:!M.length,panelClassName:p?p.className:void 0,calloutClassName:g?g.className:void 0,calloutRenderEdge:T});var z=!!c&&c.length>0;return r.createElement("div",{className:this._classNames.root,ref:this.props.hoisted.rootRef},k(this.props,this._onRenderLabel),r.createElement("div",(0,n.pi)({"data-is-focusable":!N,"data-ktp-target":!0,ref:this._dropDown,id:e,tabIndex:N?-1:0,role:A.role,"aria-haspopup":"listbox","aria-expanded":D?"true":"false","aria-label":s,"aria-labelledby":i&&!s?(0,h.I)(this._labelId,this._optionId):void 0,"aria-describedby":z?this._id+"-errorMessage":void 0,"aria-activedescendant":L,"aria-required":A.ariaRequired,"aria-disabled":N,"aria-owns":D?this._listId:void 0},R,{className:this._classNames.dropdown,onBlur:this._onDropdownBlur,onKeyDown:this._onDropdownKeyDown,onKeyUp:this._onDropdownKeyUp,onClick:this._onDropdownClick,onMouseDown:this._onDropdownMouseDown,onFocus:this._onFocus}),r.createElement("span",{id:this._optionId,className:this._classNames.title,"aria-live":"polite","aria-atomic":!0,"aria-invalid":z,role:A.childRole,"aria-setsize":A.ariaSetSize,"aria-posinset":A.ariaPosInSet,"aria-selected":A.ariaSelected},M.length?b(M,this._onRenderTitle):P(t,this._onRenderPlaceholder)),r.createElement("span",{className:this._classNames.caretDownWrapper},S(t,this._onRenderCaretDown))),D&&_((0,n.pi)((0,n.pi)({},t),{onDismiss:this._onDismiss}),this._onRenderContainer),z&&r.createElement("div",{role:"alert",id:F,className:this._classNames.errorMessage},c))},t.prototype.focus=function(e){this._dropDown.current&&(this._dropDown.current.focus(),e&&this.setState({isOpen:!0}))},t.prototype.setSelectedIndex=function(e,t){var o=this.props,n=o.options,r=o.selectedKey,i=o.selectedKeys,a=o.multiSelect,s=o.notifyOnReselect,l=o.hoisted.selectedIndices,c=void 0===l?[]:l,u=!!c&&c.indexOf(t)>-1,d=[];if(t=Math.max(0,Math.min(n.length-1,t)),void 0===r&&void 0===i){if(a||s||t!==c[0]){if(a)if(d=c?this._copyArray(c):[],u){var p=d.indexOf(t);p>-1&&d.splice(p,1)}else d.push(t);else d=[t];e.persist(),this.props.hoisted.setSelectedIndices(d),this._onChange(e,n,t,u,a)}}else this._onChange(e,n,t,u,a)},t.prototype._copyArray=function(e){for(var t=[],o=0,n=e;o=r.length?o=0:o<0&&(o=r.length-1);for(var i=0;r[o].itemType===_.F.Header||r[o].itemType===_.F.Divider||r[o].disabled;){if(i>=r.length)return n;o+t<0?o=r.length:o+t>=r.length&&(o=-1),o+=t,i++}return this.setSelectedIndex(e,o),o},t.prototype._renderFocusableList=function(e){var t=e.onRenderList,o=void 0===t?this._onRenderList:t,n=e.label,i=e.ariaLabel,a=e.multiSelect;return r.createElement("div",{className:this._classNames.dropdownItemsWrapper,onKeyDown:this._onZoneKeyDown,onKeyUp:this._onZoneKeyUp,ref:this._host,tabIndex:0},r.createElement(S.k,{ref:this._focusZone,direction:x.U.vertical,id:this._listId,className:this._classNames.dropdownItems,role:"listbox","aria-label":i,"aria-labelledby":n&&!i?this._labelId:void 0,"aria-multiselectable":a},o(e,this._onRenderList)))},t.prototype._renderSeparator=function(e){var t=e.index,o=e.key;return t>0?r.createElement("div",{role:"separator",key:o,className:this._classNames.dropdownDivider}):null},t.prototype._renderHeader=function(e){var t=this.props.onRenderOption,o=void 0===t?this._onRenderOption:t,n=e.key,i=e.id;return r.createElement("div",{id:i,key:n,className:this._classNames.dropdownItemHeader},o(e,this._onRenderOption))},t.prototype._onItemMouseEnter=function(e,t){this._shouldIgnoreMouseEvent()||t.currentTarget.focus()},t.prototype._onItemMouseMove=function(e,t){var o=t.currentTarget;this._gotMouseMove=!0,this._isScrollIdle&&document.activeElement!==o&&o.focus()},t.prototype._shouldIgnoreMouseEvent=function(){return!this._isScrollIdle||!this._gotMouseMove},t.prototype._isAltOrMeta=function(e){return e.which===c.m.alt||"Meta"===e.key},t.prototype._shouldHandleKeyUp=function(e){var t=this._lastKeyDownWasAltOrMeta&&this._isAltOrMeta(e);return this._lastKeyDownWasAltOrMeta=!1,!!t&&!((0,g.V)()||(0,f.g)())},t.prototype._shouldOpenOnFocus=function(){var e=this.state.hasFocus,t=this.props.openOnKeyboardFocus;return!this._isFocusedByClick&&!0===t&&!e},t.defaultProps={options:[]},t}(r.Component)},4004:(e,t,o)=>{"use strict";o.d(t,{L:()=>v});var n,r,i,a=o(2002),s=o(8982),l=o(7622),c=o(6145),u=o(4568),d=o(9729),p={root:"ms-Dropdown-container",label:"ms-Dropdown-label",dropdown:"ms-Dropdown",title:"ms-Dropdown-title",caretDownWrapper:"ms-Dropdown-caretDownWrapper",caretDown:"ms-Dropdown-caretDown",callout:"ms-Dropdown-callout",panel:"ms-Dropdown-panel",dropdownItems:"ms-Dropdown-items",dropdownItem:"ms-Dropdown-item",dropdownDivider:"ms-Dropdown-divider",dropdownOptionText:"ms-Dropdown-optionText",dropdownItemHeader:"ms-Dropdown-header",titleIsPlaceHolder:"ms-Dropdown-titleIsPlaceHolder",titleHasError:"ms-Dropdown-title--hasError"},m=((n={})[d.qJ+", "+d.bO.replace("@media ","")]=(0,l.pi)({},(0,d.xM)()),n),h={selectors:(0,l.pi)((r={},r[d.qJ]={backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},r),m)},g={selectors:(i={},i[d.qJ]={borderColor:"Highlight"},i)},f=(0,d.sK)(0,d.dd),v=(0,a.z)(s.P,(function(e){var t,o,n,r,i,a,s,m,v,b,y,_,C=e.theme,S=e.hasError,x=e.hasLabel,k=e.className,w=e.isOpen,I=e.disabled,D=e.required,T=e.isRenderingPlaceholder,E=e.panelClassName,P=e.calloutClassName,M=e.calloutRenderEdge;if(!C)throw new Error("theme is undefined or null in base Dropdown getStyles function.");var R=(0,d.Cn)(p,C),N=C.palette,B=C.semanticColors,F=C.effects,L=C.fonts,A={color:B.menuItemTextHovered},z={color:B.menuItemText},H={borderColor:B.errorText},O=[R.dropdownItem,{backgroundColor:"transparent",boxSizing:"border-box",cursor:"pointer",display:"flex",alignItems:"center",padding:"0 8px",width:"100%",minHeight:36,lineHeight:20,height:0,position:"relative",border:"1px solid transparent",borderRadius:0,wordWrap:"break-word",overflowWrap:"break-word",textAlign:"left",".ms-Button-flexContainer":{width:"100%"}}],W=B.menuItemBackgroundPressed,V=function(e){var t;return void 0===e&&(e=!1),{selectors:(t={"&:hover:focus":[{color:B.menuItemTextHovered,backgroundColor:e?W:B.menuItemBackgroundHovered},h],"&:focus":[{backgroundColor:e?W:"transparent"},h],"&:active":[{color:B.menuItemTextHovered,backgroundColor:e?B.menuItemBackgroundHovered:B.menuBackground},h]},t["."+c.G$+" &:focus:after"]={left:0,top:0,bottom:0,right:0},t[d.qJ]={border:"none"},t)}},K=(0,l.pr)(O,[{backgroundColor:W,color:B.menuItemTextHovered},V(!0),h]),q=(0,l.pr)(O,[{color:B.disabledText,cursor:"default",selectors:(t={},t[d.qJ]={color:"GrayText",border:"none"},t)}]),G=M===u.z.bottom?F.roundedCorner2+" "+F.roundedCorner2+" 0 0":"0 0 "+F.roundedCorner2+" "+F.roundedCorner2,U=M===u.z.bottom?"0 0 "+F.roundedCorner2+" "+F.roundedCorner2:F.roundedCorner2+" "+F.roundedCorner2+" 0 0";return{root:[R.root,k],label:R.label,dropdown:[R.dropdown,d.Fv,L.medium,{color:B.menuItemText,borderColor:B.focusBorder,position:"relative",outline:0,userSelect:"none",selectors:(o={},o["&:hover ."+R.title]=[!I&&A,{borderColor:w?N.neutralSecondary:N.neutralPrimary},g],o["&:focus ."+R.title]=[!I&&A,{selectors:(n={},n[d.qJ]={color:"Highlight"},n)}],o["&:focus:after"]=[{pointerEvents:"none",content:"''",position:"absolute",boxSizing:"border-box",top:"0px",left:"0px",width:"100%",height:"100%",border:I?"none":"2px solid "+N.themePrimary,borderRadius:"2px",selectors:(r={},r[d.qJ]={color:"Highlight"},r)}],o["&:active ."+R.title]=[!I&&A,{borderColor:N.themePrimary},g],o["&:hover ."+R.caretDown]=!I&&z,o["&:focus ."+R.caretDown]=[!I&&z,{selectors:(i={},i[d.qJ]={color:"Highlight"},i)}],o["&:active ."+R.caretDown]=!I&&z,o["&:hover ."+R.titleIsPlaceHolder]=!I&&z,o["&:focus ."+R.titleIsPlaceHolder]=!I&&z,o["&:active ."+R.titleIsPlaceHolder]=!I&&z,o["&:hover ."+R.titleHasError]=H,o["&:active ."+R.titleHasError]=H,o)},w&&"is-open",I&&"is-disabled",D&&"is-required",D&&!x&&{selectors:(a={":before":{content:"'*'",color:B.errorText,position:"absolute",top:-5,right:-10}},a[d.qJ]={selectors:{":after":{right:-14}}},a)}],title:[R.title,d.Fv,{backgroundColor:B.inputBackground,borderWidth:1,borderStyle:"solid",borderColor:B.inputBorder,borderRadius:w?G:F.roundedCorner2,cursor:"pointer",display:"block",height:32,lineHeight:30,padding:"0 28px 0 8px",position:"relative",overflow:"hidden",whiteSpace:"nowrap",textOverflow:"ellipsis"},T&&[R.titleIsPlaceHolder,{color:B.inputPlaceholderText}],S&&[R.titleHasError,H],I&&{backgroundColor:B.disabledBackground,border:"none",color:B.disabledText,cursor:"default",selectors:(s={},s[d.qJ]=(0,l.pi)({border:"1px solid GrayText",color:"GrayText",backgroundColor:"Window"},(0,d.xM)()),s)}],caretDownWrapper:[R.caretDownWrapper,{position:"absolute",top:1,right:8,height:32,lineHeight:30},!I&&{cursor:"pointer"}],caretDown:[R.caretDown,{color:N.neutralSecondary,fontSize:L.small.fontSize,pointerEvents:"none"},I&&{color:B.disabledText,selectors:(m={},m[d.qJ]=(0,l.pi)({color:"GrayText"},(0,d.xM)()),m)}],errorMessage:(0,l.pi)((0,l.pi)({color:B.errorText},C.fonts.small),{paddingTop:5}),callout:[R.callout,{boxShadow:F.elevation8,borderRadius:U,selectors:(v={},v[".ms-Callout-main"]={borderRadius:U},v)},P],dropdownItemsWrapper:{selectors:{"&:focus":{outline:0}}},dropdownItems:[R.dropdownItems,{display:"block"}],dropdownItem:(0,l.pr)(O,[V()]),dropdownItemSelected:K,dropdownItemDisabled:q,dropdownItemSelectedAndDisabled:[K,q,{backgroundColor:"transparent"}],dropdownItemHidden:(0,l.pr)(O,[{display:"none"}]),dropdownDivider:[R.dropdownDivider,{height:1,backgroundColor:B.bodyDivider}],dropdownOptionText:[R.dropdownOptionText,{overflow:"hidden",whiteSpace:"nowrap",textOverflow:"ellipsis",minWidth:0,maxWidth:"100%",wordWrap:"break-word",overflowWrap:"break-word",margin:"1px"}],dropdownItemHeader:[R.dropdownItemHeader,(0,l.pi)((0,l.pi)({},L.medium),{fontWeight:d.lq.semibold,color:B.menuHeader,background:"none",backgroundColor:"transparent",border:"none",height:36,lineHeight:36,cursor:"default",padding:"0 8px",userSelect:"none",textAlign:"left",selectors:(b={},b[d.qJ]=(0,l.pi)({color:"GrayText"},(0,d.xM)()),b)})],subComponentStyles:{label:{root:{display:"inline-block"}},multiSelectItem:{root:{padding:0},label:{alignSelf:"stretch",padding:"0 8px",width:"100%"},input:{selectors:(y={},y["."+c.G$+" &:focus + label::before"]={outlineOffset:"0px"},y)}},panel:{root:[E],main:{selectors:(_={},_[f]={width:272},_)},contentInner:{padding:"0 0 20px"}}}}}),void 0,{scope:"Dropdown"});v.displayName="Dropdown"},4008:(e,t,o)=>{"use strict";o.d(t,{d:()=>f});var n=o(7622),r=o(7002),i=o(7300),a=o(5094),s=o(5951),l=o(5480),c=o(8127),u=o(3394),d=o(5446),p=o(9729),m=o(9241),h=(0,i.y)(),g=(0,a.NF)((function(e,t){return(0,p.jG)((0,n.pi)((0,n.pi)({},e),{rtl:t}))})),f=r.forwardRef((function(e,t){var o=e.className,i=e.theme,a=e.applyTheme,p=e.applyThemeToBody,f=e.styles,v=h(f,{theme:i,applyTheme:a,className:o}),b=r.useRef(null);return function(e,t,o){var n=t.bodyThemed;r.useEffect((function(){if(e){var t=(0,d.M)(o.current);if(t)return t.body.classList.add(n),function(){t.body.classList.remove(n)}}}),[n,e,o])}(p,v,b),(0,l.P)(b),r.createElement(r.Fragment,null,function(e,t,o,i){var a=t.root,l=e.as,d=void 0===l?"div":l,p=e.dir,h=e.theme,f=(0,c.pq)(e,c.n7,["dir"]),v=function(e){var t=e.theme,o=e.dir,n=(0,s.zg)(t)?"rtl":"ltr",r=(0,s.zg)()?"rtl":"ltr",i=o||n;return{rootDir:i!==n||i!==r?i:o,needsTheme:i!==n}}(e),b=v.rootDir,y=v.needsTheme,_=r.createElement(d,(0,n.pi)({dir:b},f,{className:a,ref:(0,m.r)(o,i)}));return y&&(_=r.createElement(u.N,{settings:{theme:g(h,"rtl"===p)}},_)),_}(e,v,b,t))}));f.displayName="FabricBase"},3595:(e,t,o)=>{"use strict";o.d(t,{P:()=>l});var n=o(2002),r=o(4008),i=o(9729),a={fontFamily:"inherit"},s={root:"ms-Fabric",bodyThemed:"ms-Fabric-bodyThemed"},l=(0,n.z)(r.d,(function(e){var t=e.theme,o=e.className,n=e.applyTheme;return{root:[(0,i.Cn)(s,t).root,t.fonts.medium,{color:t.palette.neutralPrimary,selectors:{"& button":a,"& input":a,"& textarea":a}},n&&{color:t.semanticColors.bodyText,backgroundColor:t.semanticColors.bodyBackground},o],bodyThemed:[{backgroundColor:t.semanticColors.bodyBackground}]}}),void 0,{scope:"Fabric"})},6007:(e,t,o)=>{"use strict";o.d(t,{P:()=>h});var n=o(7622),r=o(7002),i=o(8127),a=o(3345),s=o(4553),l=o(9251),c=o(6093),u=o(9241),d=o(4085),p=o(7913),m=o(8901),h=r.forwardRef((function(e,t){var o=r.useRef(null),f=r.useRef(null),v=r.useRef(null),b=(0,u.r)(o,t),y=(0,d.M)(void 0,e.id),_=(0,m.ky)(),C=(0,i.pq)(e,i.n7),S=(0,p.B)((function(){return{previouslyFocusedElementOutsideTrapZone:void 0,previouslyFocusedElementInTrapZone:void 0,disposeFocusHandler:void 0,disposeClickHandler:void 0,hasFocus:!1,unmodalize:void 0}})),x=e.ariaLabelledBy,k=e.className,w=e.children,I=e.componentRef,D=e.disabled,T=e.disableFirstFocus,E=void 0!==T&&T,P=e.disabled,M=void 0!==P&&P,R=e.elementToFocusOnDismiss,N=e.forceFocusInsideTrap,B=void 0===N||N,F=e.focusPreviouslyFocusedInnerElement,L=e.firstFocusableSelector,A=e.ignoreExternalFocusing,z=e.isClickableOutsideFocusTrap,H=void 0!==z&&z,O=e.onFocus,W=e.onBlur,V=e.onFocusCapture,K=e.onBlurCapture,q=e.enableAriaHiddenSiblings,G={"aria-hidden":!0,style:{pointerEvents:"none",position:"fixed"},tabIndex:D?-1:0,"data-is-visible":!0},U=r.useCallback((function(){if(F&&S.previouslyFocusedElementInTrapZone&&(0,a.t)(o.current,S.previouslyFocusedElementInTrapZone))(0,s.um)(S.previouslyFocusedElementInTrapZone);else{var e="string"==typeof L?L:L&&L(),t=null;o.current&&(e&&(t=o.current.querySelector("."+e)),t||(t=(0,s.dc)(o.current,o.current.firstChild,!1,!1,!1,!0))),t&&(0,s.um)(t)}}),[L,F,S]),j=r.useCallback((function(e){if(!D){var t=e===S.hasFocus?v.current:f.current;if(o.current){var n=e===S.hasFocus?(0,s.xY)(o.current,t,!0,!1):(0,s.RK)(o.current,t,!0,!1);n&&(n===f.current||n===v.current?U():n.focus())}}}),[D,U,S]),J=r.useCallback((function(e){var t;null===(t=K)||void 0===t||t(e);var n=e.relatedTarget;null===e.relatedTarget&&(n=_.activeElement),(0,a.t)(o.current,n)||(S.hasFocus=!1)}),[_,S,K]),Y=r.useCallback((function(e){var t;null===(t=V)||void 0===t||t(e),e.target===f.current?j(!0):e.target===v.current&&j(!1),S.hasFocus=!0,e.target!==e.currentTarget&&e.target!==f.current&&e.target!==v.current&&(S.previouslyFocusedElementInTrapZone=e.target)}),[V,S,j]),Z=r.useCallback((function(){if(h.focusStack=h.focusStack.filter((function(e){return y!==e})),_){var e=_.activeElement;A||!S.previouslyFocusedElementOutsideTrapZone||"function"!=typeof S.previouslyFocusedElementOutsideTrapZone.focus||!(0,a.t)(o.current,e)&&e!==_.body||S.previouslyFocusedElementOutsideTrapZone!==f.current&&S.previouslyFocusedElementOutsideTrapZone!==v.current&&(0,s.um)(S.previouslyFocusedElementOutsideTrapZone)}}),[_,y,A,S]),X=r.useCallback((function(e){if(!D&&h.focusStack.length&&y===h.focusStack[h.focusStack.length-1]){var t=e.target;(0,a.t)(o.current,t)||(U(),S.hasFocus=!0,e.preventDefault(),e.stopPropagation())}}),[D,y,U,S]),Q=r.useCallback((function(e){if(!D&&h.focusStack.length&&y===h.focusStack[h.focusStack.length-1]){var t=e.target;t&&!(0,a.t)(o.current,t)&&(U(),S.hasFocus=!0,e.preventDefault(),e.stopPropagation())}}),[D,y,U,S]),$=r.useCallback((function(){B&&!S.disposeFocusHandler?S.disposeFocusHandler=(0,l.on)(window,"focus",X,!0):!B&&S.disposeFocusHandler&&(S.disposeFocusHandler(),S.disposeFocusHandler=void 0),H||S.disposeClickHandler?H&&S.disposeClickHandler&&(S.disposeClickHandler(),S.disposeClickHandler=void 0):S.disposeClickHandler=(0,l.on)(window,"click",Q,!0)}),[Q,X,B,H,S]);return r.useEffect((function(){var e=o.current;return $(),function(){var t;D&&!B&&(0,a.t)(e,null===(t=_)||void 0===t?void 0:t.activeElement)||Z()}}),[$]),r.useEffect((function(){var e=void 0===B||B,t=void 0!==D&&D;if(!t||e){if(M)return;h.focusStack.push(y),S.previouslyFocusedElementOutsideTrapZone=R||_.activeElement,E||(0,a.t)(o.current,S.previouslyFocusedElementOutsideTrapZone)||U(),!S.unmodalize&&o.current&&q&&(S.unmodalize=(0,c.O)(o.current))}else e&&!t||(Z(),S.unmodalize&&S.unmodalize());R&&S.previouslyFocusedElementOutsideTrapZone!==R&&(S.previouslyFocusedElementOutsideTrapZone=R)}),[R,B,D]),g((function(){S.disposeClickHandler&&(S.disposeClickHandler(),S.disposeClickHandler=void 0),S.disposeFocusHandler&&(S.disposeFocusHandler(),S.disposeFocusHandler=void 0),S.unmodalize&&S.unmodalize(),delete S.previouslyFocusedElementInTrapZone,delete S.previouslyFocusedElementOutsideTrapZone})),function(e,t,o){r.useImperativeHandle(e,(function(){return{get previouslyFocusedElement(){return t},focus:o}}),[t,o])}(I,S.previouslyFocusedElementInTrapZone,U),r.createElement("div",(0,n.pi)({},C,{className:k,ref:b,"aria-labelledby":x,onFocusCapture:Y,onFocus:O,onBlur:W,onBlurCapture:J}),r.createElement("div",(0,n.pi)({},G,{ref:f})),w,r.createElement("div",(0,n.pi)({},G,{ref:v})))})),g=function(e){var t=r.useRef(e);t.current=e,r.useEffect((function(){return function(){t.current&&t.current()}}),[e])};h.displayName="FocusTrapZone",h.focusStack=[]},4734:(e,t,o)=>{"use strict";o.d(t,{z1:()=>u,xu:()=>d,Pw:()=>p});var n=o(7622),r=o(7002),i=o(3074),a=o(5094),s=o(8127),l=o(8088),c=o(9729),u=(0,a.NF)((function(e){var t=(0,c.q7)(e)||{subset:{},code:void 0},o=t.code,n=t.subset;return o?{children:o,iconClassName:n.className,fontFamily:n.fontFace&&n.fontFace.fontFamily}:null}),void 0,!0),d=function(e){var t=e.iconName,o=e.className,a=e.style,c=void 0===a?{}:a,d=u(t)||{},p=d.iconClassName,m=d.children,h=d.fontFamily,g=(0,s.pq)(e,s.iY),f=e["aria-label"]||e["aria-labelledby"]||e.title?{role:"img"}:{"aria-hidden":!0};return r.createElement("i",(0,n.pi)({"data-icon-name":t},f,g,{className:(0,l.i)(i.Sk,i.AK.root,p,!t&&i.AK.placeholder,o),style:(0,n.pi)({fontFamily:h},c)}),m)},p=(0,a.NF)((function(e,t,o){return d({iconName:e,className:t,"aria-label":o})}))},3874:(e,t,o)=>{"use strict";o.d(t,{A:()=>p});var n=o(7622),r=o(7002),i=o(6569),a=o(4861),s=o(6711),l=o(7300),c=o(8127),u=o(4734),d=(0,l.y)({cacheSize:100}),p=function(e){function t(t){var o=e.call(this,t)||this;return o._onImageLoadingStateChange=function(e){o.props.imageProps&&o.props.imageProps.onLoadingStateChange&&o.props.imageProps.onLoadingStateChange(e),e===s.U9.error&&o.setState({imageLoadError:!0})},o.state={imageLoadError:!1},o}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.children,o=e.className,s=e.styles,l=e.iconName,p=e.imageErrorAs,m=e.theme,h="string"==typeof l&&0===l.length,g=!!this.props.imageProps||this.props.iconType===i.T.image||this.props.iconType===i.T.Image,f=(0,u.z1)(l)||{},v=f.iconClassName,b=f.children,y=d(s,{theme:m,className:o,iconClassName:v,isImage:g,isPlaceholder:h}),_=g?"span":"i",C=(0,c.pq)(this.props,c.iY,["aria-label"]),S=this.state.imageLoadError,x=(0,n.pi)((0,n.pi)({},this.props.imageProps),{onLoadingStateChange:this._onImageLoadingStateChange}),k=S&&p||a.E,w=this.props["aria-label"]||this.props.ariaLabel,I=x.alt||w,D=I||this.props["aria-labelledby"]||x["aria-label"]||x["aria-labelledby"]?{role:g?void 0:"img","aria-label":g?void 0:I}:{"aria-hidden":!0};return r.createElement(_,(0,n.pi)({"data-icon-name":l},D,C,{className:y.root}),g?r.createElement(k,(0,n.pi)({},x)):t||b)},t}(r.Component)},9947:(e,t,o)=>{"use strict";o.d(t,{J:()=>a});var n=o(2002),r=o(3874),i=o(3074),a=(0,n.z)(r.A,i.Wi,void 0,{scope:"Icon"},!0);a.displayName="Icon"},3074:(e,t,o)=>{"use strict";o.d(t,{AK:()=>n,Sk:()=>r,Wi:()=>i});var n=(0,o(9729).ZC)({root:{display:"inline-block"},placeholder:["ms-Icon-placeHolder",{width:"1em"}],image:["ms-Icon-imageContainer",{overflow:"hidden"}]}),r="ms-Icon",i=function(e){var t=e.className,o=e.iconClassName,r=e.isPlaceholder,i=e.isImage,a=e.styles;return{root:[r&&n.placeholder,n.root,i&&n.image,o,t,a&&a.root,a&&a.imageContainer]}}},6569:(e,t,o)=>{"use strict";var n;o.d(t,{T:()=>n}),function(e){e[e.default=0]="default",e[e.image=1]="image",e[e.Default=1e5]="Default",e[e.Image=100001]="Image"}(n||(n={}))},7840:(e,t,o)=>{"use strict";o.d(t,{X:()=>c});var n=o(7622),r=o(7002),i=o(4861),a=o(8127),s=o(8088),l=o(3074),c=function(e){var t=e.className,o=e.imageProps,c=(0,a.pq)(e,a.iY,["aria-label","aria-labelledby","title","aria-describedby"]),u=o.alt||e["aria-label"],d=u||e["aria-labelledby"]||e.title||o["aria-label"]||o["aria-labelledby"]||o.title,p={"aria-labelledby":e["aria-labelledby"],"aria-describedby":e["aria-describedby"],title:e.title},m=d?{}:{"aria-hidden":!0};return r.createElement("div",(0,n.pi)({},m,c,{className:(0,s.i)(l.Sk,l.AK.root,l.AK.image,t)}),r.createElement(i.E,(0,n.pi)({},p,o,{alt:d?u:""})))}},9759:(e,t,o)=>{"use strict";o.d(t,{v:()=>d});var n=o(7622),r=o(7002),i=o(7300),a=o(8127),s=o(6711),l=o(9241),c=(0,i.y)(),u=/\.svg$/i,d=r.forwardRef((function(e,t){var o=r.useRef(),i=r.useRef(),d=function(e,t){var o=e.onLoadingStateChange,n=e.onLoad,i=e.onError,a=e.src,l=r.useState(s.U9.notLoaded),c=l[0],d=l[1];r.useLayoutEffect((function(){d(s.U9.notLoaded)}),[a]),r.useEffect((function(){c===s.U9.notLoaded&&t.current&&(a&&t.current.naturalWidth>0&&t.current.naturalHeight>0||t.current.complete&&u.test(a))&&d(s.U9.loaded)})),r.useEffect((function(){var e;null===(e=o)||void 0===e||e(c)}),[c]);var p=r.useCallback((function(e){var t;null===(t=n)||void 0===t||t(e),a&&d(s.U9.loaded)}),[a,n]),m=r.useCallback((function(e){var t;null===(t=i)||void 0===t||t(e),d(s.U9.error)}),[i]);return[c,p,m]}(e,i),p=d[0],m=d[1],h=d[2],g=(0,a.pq)(e,a.it,["width","height"]),f=e.src,v=e.alt,b=e.width,y=e.height,_=e.shouldFadeIn,C=void 0===_||_,S=e.shouldStartVisible,x=e.className,k=e.imageFit,w=e.role,I=e.maximizeFrame,D=e.styles,T=e.theme,E=e.loading,P=function(e,t,o,n){var i=r.useRef(t),a=r.useRef();return(void 0===a||i.current===s.U9.notLoaded&&t===s.U9.loaded)&&(a.current=function(e,t,o,n){var r=e.imageFit,i=e.width,a=e.height;if(void 0!==e.coverStyle)return e.coverStyle;if(t===s.U9.loaded&&(r===s.kQ.cover||r===s.kQ.contain||r===s.kQ.centerContain||r===s.kQ.centerCover)&&o.current&&n.current){var l;if(l="number"==typeof i&&"number"==typeof a&&r!==s.kQ.centerContain&&r!==s.kQ.centerCover?i/a:n.current.clientWidth/n.current.clientHeight,o.current.naturalWidth/o.current.naturalHeight>l)return s.yZ.landscape}return s.yZ.portrait}(e,t,o,n)),i.current=t,a.current}(e,p,i,o),M=c(D,{theme:T,className:x,width:b,height:y,maximizeFrame:I,shouldFadeIn:C,shouldStartVisible:S,isLoaded:p===s.U9.loaded||p===s.U9.notLoaded&&e.shouldStartVisible,isLandscape:P===s.yZ.landscape,isCenter:k===s.kQ.center,isCenterContain:k===s.kQ.centerContain,isCenterCover:k===s.kQ.centerCover,isContain:k===s.kQ.contain,isCover:k===s.kQ.cover,isNone:k===s.kQ.none,isError:p===s.U9.error,isNotImageFit:void 0===k});return r.createElement("div",{className:M.root,style:{width:b,height:y},ref:o},r.createElement("img",(0,n.pi)({},g,{onLoad:m,onError:h,key:"fabricImage"+e.src||"",className:M.image,ref:(0,l.r)(i,t),src:f,alt:v,role:w,loading:E})))}));d.displayName="ImageBase"},4861:(e,t,o)=>{"use strict";o.d(t,{E:()=>l});var n=o(2002),r=o(9759),i=o(9729),a=o(9757),s={root:"ms-Image",rootMaximizeFrame:"ms-Image--maximizeFrame",image:"ms-Image-image",imageCenter:"ms-Image-image--center",imageContain:"ms-Image-image--contain",imageCover:"ms-Image-image--cover",imageCenterContain:"ms-Image-image--centerContain",imageCenterCover:"ms-Image-image--centerCover",imageNone:"ms-Image-image--none",imageLandscape:"ms-Image-image--landscape",imagePortrait:"ms-Image-image--portrait"},l=(0,n.z)(r.v,(function(e){var t=e.className,o=e.width,n=e.height,r=e.maximizeFrame,l=e.isLoaded,c=e.shouldFadeIn,u=e.shouldStartVisible,d=e.isLandscape,p=e.isCenter,m=e.isContain,h=e.isCover,g=e.isCenterContain,f=e.isCenterCover,v=e.isNone,b=e.isError,y=e.isNotImageFit,_=e.theme,C=(0,i.Cn)(s,_),S={position:"absolute",left:"50% /* @noflip */",top:"50%",transform:"translate(-50%,-50%)"},x=(0,a.J)(),k=void 0!==x&&void 0===x.navigator.msMaxTouchPoints,w=m&&d||h&&!d?{width:"100%",height:"auto"}:{width:"auto",height:"100%"};return{root:[C.root,_.fonts.medium,{overflow:"hidden"},r&&[C.rootMaximizeFrame,{height:"100%",width:"100%"}],l&&c&&!u&&i.k4.fadeIn400,(p||m||h||g||f)&&{position:"relative"},t],image:[C.image,{display:"block",opacity:0},l&&["is-loaded",{opacity:1}],p&&[C.imageCenter,S],m&&[C.imageContain,k&&{width:"100%",height:"100%",objectFit:"contain"},!k&&w,!k&&S],h&&[C.imageCover,k&&{width:"100%",height:"100%",objectFit:"cover"},!k&&w,!k&&S],g&&[C.imageCenterContain,d&&{maxWidth:"100%"},!d&&{maxHeight:"100%"},S],f&&[C.imageCenterCover,d&&{maxHeight:"100%"},!d&&{maxWidth:"100%"},S],v&&[C.imageNone,{width:"auto",height:"auto"}],y&&[!!o&&!n&&{height:"auto",width:"100%"},!o&&!!n&&{height:"100%",width:"auto"},!!o&&!!n&&{height:"100%",width:"100%"}],d&&C.imageLandscape,!d&&C.imagePortrait,!l&&"is-notLoaded",c&&"is-fadeIn",b&&"is-error"]}}),void 0,{scope:"Image"},!0);l.displayName="Image"},6711:(e,t,o)=>{"use strict";var n,r,i;o.d(t,{kQ:()=>n,yZ:()=>r,U9:()=>i}),function(e){e[e.center=0]="center",e[e.contain=1]="contain",e[e.cover=2]="cover",e[e.none=3]="none",e[e.centerCover=4]="centerCover",e[e.centerContain=5]="centerContain"}(n||(n={})),function(e){e[e.landscape=0]="landscape",e[e.portrait=1]="portrait"}(r||(r={})),function(e){e[e.notLoaded=0]="notLoaded",e[e.loaded=1]="loaded",e[e.error=2]="error",e[e.errorLoaded=3]="errorLoaded"}(i||(i={}))},9949:(e,t,o)=>{"use strict";o.d(t,{a:()=>a});var n=o(7622),r=o(8128),i=o(2304),a=function(e){var t,o=e.children,a=(0,n._T)(e,["children"]),s=(0,i.c)(a),l=s.keytipId,c=s.ariaDescribedBy;return o(((t={})[r.fV]=l,t[r.ms]=l,t["aria-describedby"]=c,t))}},2304:(e,t,o)=>{"use strict";o.d(t,{c:()=>u});var n=o(7622),r=o(7002),i=o(7913),a=o(6876),s=o(9577),l=o(344),c=o(5325);function u(e){var t=r.useRef(),o=e.keytipProps?(0,n.pi)({disabled:e.disabled},e.keytipProps):void 0,u=(0,i.B)(l.K.getInstance()),d=(0,a.D)(e);r.useLayoutEffect((function(){var n,r;t.current&&o&&((null===(n=d)||void 0===n?void 0:n.keytipProps)!==e.keytipProps||(null===(r=d)||void 0===r?void 0:r.disabled)!==e.disabled)&&u.update(o,t.current)})),r.useLayoutEffect((function(){return o&&(t.current=u.register(o)),function(){o&&u.unregister(o,t.current)}}),[]);var p={ariaDescribedBy:void 0,keytipId:void 0};return o&&(p=function(e,t,o){var r=e.addParentOverflow(t),i=(0,s.I)(o,(0,c.w7)(r.keySequences)),a=(0,n.pr)(r.keySequences);return r.overflowSetSequence&&(a=(0,c.a1)(a,r.overflowSetSequence)),{ariaDescribedBy:i,keytipId:(0,c.aB)(a)}}(u,o,e.ariaDescribedBy)),p}},5424:(e,t,o)=>{"use strict";o.d(t,{E:()=>s});var n=o(7622),r=o(7002),i=o(8127),a=(0,o(7300).y)({cacheSize:100}),s=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.as,o=void 0===t?"label":t,s=e.children,l=e.className,c=e.disabled,u=e.styles,d=e.required,p=e.theme,m=a(u,{className:l,disabled:c,required:d,theme:p});return r.createElement(o,(0,n.pi)({},(0,i.pq)(this.props,i.n7),{className:m.root}),s)},t}(r.Component)},2052:(e,t,o)=>{"use strict";o.d(t,{_:()=>s});var n=o(2002),r=o(5424),i=o(7622),a=o(9729),s=(0,n.z)(r.E,(function(e){var t,o=e.theme,n=e.className,r=e.disabled,s=e.required,l=o.semanticColors,c=a.lq.semibold,u=l.bodyText,d=l.disabledBodyText,p=l.errorText;return{root:["ms-Label",o.fonts.medium,{fontWeight:c,color:u,boxSizing:"border-box",boxShadow:"none",margin:0,display:"block",padding:"5px 0",wordWrap:"break-word",overflowWrap:"break-word"},r&&{color:d,selectors:(t={},t[a.qJ]=(0,i.pi)({color:"GrayText"},(0,a.xM)()),t)},s&&{selectors:{"::after":{content:"' *'",color:p,paddingRight:12}}},n]}}),void 0,{scope:"Label"})},4555:(e,t,o)=>{"use strict";o.d(t,{s:()=>g});var n=o(7622),r=o(7002);const i=jsmodule["react-dom"];var a,s=o(3595),l=o(7300),c=o(8308),u=o(7829),d=o(6443),p=o(9241),m=o(8901),h=(0,l.y)(),g=r.forwardRef((function(e,t){var o=r.useState(),l=o[0],g=o[1],v=r.useRef(l);v.current=l;var b=r.useRef(null),y=(0,p.r)(b,t),_=(0,m.ky)(),C=e.eventBubblingEnabled,S=e.styles,x=e.theme,k=e.className,w=e.children,I=e.hostId,D=e.onLayerDidMount,T=void 0===D?function(){}:D,E=e.onLayerMounted,P=void 0===E?function(){}:E,M=e.onLayerWillUnmount,R=e.insertFirst,N=h(S,{theme:x,className:k,isNotHost:!I}),B=function(){var e;null===(e=M)||void 0===e||e();var t=v.current;if(t&&t.parentNode){var o=t.parentNode;o&&o.removeChild(t)}},F=function(){var e,t,o=function(){if(_){if(I)return _.getElementById(I);var e=(0,d.OJ)();return e?_.querySelector(e):_.body}}();if(_&&o){B();var n=_.createElement("div");n.className=N.root,(0,c.U)(n),(0,u.N)(n,b.current),R?o.insertBefore(n,o.firstChild):o.appendChild(n),g(n),null===(e=P)||void 0===e||e(),null===(t=T)||void 0===t||t()}};return r.useLayoutEffect((function(){return F(),I&&(0,d.Pc)(I,F),function(){B(),I&&(0,d.tq)(I,F)}}),[I]),r.createElement("span",{className:"ms-layer",ref:y},l&&i.createPortal(r.createElement(s.P,(0,n.pi)({},!C&&(a||(a={},["onClick","onContextMenu","onDoubleClick","onDrag","onDragEnd","onDragEnter","onDragExit","onDragLeave","onDragOver","onDragStart","onDrop","onMouseDown","onMouseEnter","onMouseLeave","onMouseMove","onMouseOver","onMouseOut","onMouseUp","onTouchMove","onTouchStart","onTouchCancel","onTouchEnd","onKeyDown","onKeyPress","onKeyUp","onFocus","onBlur","onChange","onInput","onInvalid","onSubmit"].forEach((function(e){return a[e]=f}))),a),{className:N.content}),w),l))}));g.displayName="LayerBase";var f=function(e){e.eventPhase===Event.BUBBLING_PHASE&&"mouseenter"!==e.type&&"mouseleave"!==e.type&&"touchstart"!==e.type&&"touchend"!==e.type&&e.stopPropagation()}},7513:(e,t,o)=>{"use strict";o.d(t,{m:()=>s});var n=o(2002),r=o(4555),i=o(9729),a={root:"ms-Layer",rootNoHost:"ms-Layer--fixed",content:"ms-Layer-content"},s=(0,n.z)(r.s,(function(e){var t=e.className,o=e.isNotHost,n=e.theme,r=(0,i.Cn)(a,n);return{root:[r.root,n.fonts.medium,o&&[r.rootNoHost,{position:"fixed",zIndex:i.bR.Layer,top:0,left:0,bottom:0,right:0,visibility:"hidden"}],t],content:[r.content,{visibility:"visible"}]}}),void 0,{scope:"Layer",fields:["hostId","theme","styles"]})},6443:(e,t,o)=>{"use strict";o.d(t,{Pc:()=>r,tq:()=>i,EQ:()=>a,OJ:()=>s});var n={};function r(e,t){n[e]||(n[e]=[]),n[e].push(t)}function i(e,t){if(n[e]){var o=n[e].indexOf(t);o>=0&&(n[e].splice(o,1),0===n[e].length&&delete n[e])}}function a(e){n[e]&&n[e].forEach((function(e){return e()}))}function s(){}},6178:(e,t,o)=>{"use strict";o.d(t,{R:()=>u});var n=o(7622),r=o(7002),i=o(7300),a=o(688),s=o(4948),l=o(8127),c=(0,i.y)(),u=function(e){function t(t){var o=e.call(this,t)||this;(0,a.l)(o);var n=o.props.allowTouchBodyScroll,r=void 0!==n&&n;return o._allowTouchBodyScroll=r,o}return(0,n.ZT)(t,e),t.prototype.componentDidMount=function(){!this._allowTouchBodyScroll&&(0,s.Qp)()},t.prototype.componentWillUnmount=function(){!this._allowTouchBodyScroll&&(0,s.tG)()},t.prototype.render=function(){var e=this.props,t=e.isDarkThemed,o=e.className,i=e.theme,a=e.styles,s=(0,l.pq)(this.props,l.n7),u=c(a,{theme:i,className:o,isDark:t});return r.createElement("div",(0,n.pi)({},s,{className:u.root}))},t}(r.Component)},4946:(e,t,o)=>{"use strict";o.d(t,{a:()=>s});var n=o(2002),r=o(6178),i=o(9729),a={root:"ms-Overlay",rootDark:"ms-Overlay--dark"},s=(0,n.z)(r.R,(function(e){var t,o=e.className,n=e.theme,r=e.isNone,s=e.isDark,l=n.palette,c=(0,i.Cn)(a,n);return{root:[c.root,n.fonts.medium,{backgroundColor:l.whiteTranslucent40,top:0,right:0,bottom:0,left:0,position:"absolute",selectors:(t={},t[i.qJ]={border:"1px solid WindowText",opacity:0},t)},r&&{visibility:"hidden"},s&&[c.rootDark,{backgroundColor:l.blackTranslucent40}],o]}}),void 0,{scope:"Overlay"})},5357:(e,t,o)=>{"use strict";o.d(t,{P:()=>k});var n,r=o(7622),i=o(7002),a=o(5758),s=o(7513),l=o(4946),c=o(752),u=o(7300),d=o(4948),p=o(8088),m=o(2167),h=o(9919),g=o(688),f=o(3129),v=o(2782),b=o(5951),y=o(8127),_=o(3345),C=o(6007),S=o(2758),x=(0,u.y)();!function(e){e[e.closed=0]="closed",e[e.animatingOpen=1]="animatingOpen",e[e.open=2]="open",e[e.animatingClosed=3]="animatingClosed"}(n||(n={}));var k=function(e){function t(t){var o=e.call(this,t)||this;o._panel=i.createRef(),o._animationCallback=null,o._hasCustomNavigation=!(!o.props.onRenderNavigation&&!o.props.onRenderNavigationContent),o.dismiss=function(e){o.props.onDismiss&&o.props.onDismiss(e),(!e||e&&!e.defaultPrevented)&&o.close()},o._allowScrollOnPanel=function(e){e?o._allowTouchBodyScroll?(0,d.eC)(e,o._events):(0,d.C7)(e,o._events):o._events.off(o._scrollableContent),o._scrollableContent=e},o._onRenderNavigation=function(e){if(!o.props.onRenderNavigationContent&&!o.props.onRenderNavigation&&!o.props.hasCloseButton)return null;var t=o.props.onRenderNavigationContent,n=void 0===t?o._onRenderNavigationContent:t;return i.createElement("div",{className:o._classNames.navigation},n(e,o._onRenderNavigationContent))},o._onRenderNavigationContent=function(e){var t,n=e.closeButtonAriaLabel,r=e.hasCloseButton,s=e.onRenderHeader,l=void 0===s?o._onRenderHeader:s;if(r){var c=null===(t=o._classNames.subComponentStyles)||void 0===t?void 0:t.closeButton();return i.createElement(i.Fragment,null,!o._hasCustomNavigation&&l(o.props,o._onRenderHeader,o._headerTextId),i.createElement(a.h,{styles:c,className:o._classNames.closeButton,onClick:o._onPanelClick,ariaLabel:n,title:n,"data-is-visible":!0,iconProps:{iconName:"Cancel"}}))}return null},o._onRenderHeader=function(e,t,n){var a=e.headerText,s=e.headerTextProps,l=void 0===s?{}:s;return a?i.createElement("div",{className:o._classNames.header},i.createElement("div",(0,r.pi)({id:n,role:"heading","aria-level":1},l,{className:(0,p.i)(o._classNames.headerText,l.className)}),a)):null},o._onRenderBody=function(e){return i.createElement("div",{className:o._classNames.content},e.children)},o._onRenderFooter=function(e){var t=o.props.onRenderFooterContent,n=void 0===t?null:t;return n?i.createElement("div",{className:o._classNames.footer},i.createElement("div",{className:o._classNames.footerInner},n())):null},o._animateTo=function(e){e===n.open&&o.props.onOpen&&o.props.onOpen(),o._animationCallback=o._async.setTimeout((function(){o.setState({visibility:e}),o._onTransitionComplete()}),200)},o._clearExistingAnimationTimer=function(){null!==o._animationCallback&&o._async.clearTimeout(o._animationCallback)},o._onPanelClick=function(e){o.dismiss(e)},o._onTransitionComplete=function(){o._updateFooterPosition(),o.state.visibility===n.open&&o.props.onOpened&&o.props.onOpened(),o.state.visibility===n.closed&&o.props.onDismissed&&o.props.onDismissed()};var s=o.props.allowTouchBodyScroll,l=void 0!==s&&s;return o._allowTouchBodyScroll=l,o._async=new m.e(o),o._events=new h.r(o),(0,g.l)(o),(0,f.b)("Panel",t,{ignoreExternalFocusing:"focusTrapZoneProps",forceFocusInsideTrap:"focusTrapZoneProps",firstFocusableSelector:"focusTrapZoneProps"}),o.state={isFooterSticky:!1,visibility:n.closed,id:(0,v.z)("Panel")},o}return(0,r.ZT)(t,e),t.getDerivedStateFromProps=function(e,t){return void 0===e.isOpen?null:!e.isOpen||t.visibility!==n.closed&&t.visibility!==n.animatingClosed?e.isOpen||t.visibility!==n.open&&t.visibility!==n.animatingOpen?null:{visibility:n.animatingClosed}:{visibility:n.animatingOpen}},t.prototype.componentDidMount=function(){this._events.on(window,"resize",this._updateFooterPosition),this._shouldListenForOuterClick(this.props)&&this._events.on(document.body,"mousedown",this._dismissOnOuterClick,!0),this.props.isOpen&&this.setState({visibility:n.animatingOpen})},t.prototype.componentDidUpdate=function(e,t){var o=this._shouldListenForOuterClick(this.props),r=this._shouldListenForOuterClick(e);this.state.visibility!==t.visibility&&(this._clearExistingAnimationTimer(),this.state.visibility===n.animatingOpen?this._animateTo(n.open):this.state.visibility===n.animatingClosed&&this._animateTo(n.closed)),o&&!r?this._events.on(document.body,"mousedown",this._dismissOnOuterClick,!0):!o&&r&&this._events.off(document.body,"mousedown",this._dismissOnOuterClick,!0)},t.prototype.componentWillUnmount=function(){this._async.dispose(),this._events.dispose()},t.prototype.render=function(){var e=this.props,t=e.className,o=void 0===t?"":t,a=e.elementToFocusOnDismiss,u=e.firstFocusableSelector,d=e.focusTrapZoneProps,p=e.forceFocusInsideTrap,m=e.hasCloseButton,h=e.headerText,g=e.headerClassName,f=void 0===g?"":g,v=e.ignoreExternalFocusing,_=e.isBlocking,k=e.isFooterAtBottom,w=e.isLightDismiss,I=e.isHiddenOnDismiss,D=e.layerProps,T=e.overlayProps,E=e.popupProps,P=e.type,M=e.styles,R=e.theme,N=e.customWidth,B=e.onLightDismissClick,F=void 0===B?this._onPanelClick:B,L=e.onRenderNavigation,A=void 0===L?this._onRenderNavigation:L,z=e.onRenderHeader,H=void 0===z?this._onRenderHeader:z,O=e.onRenderBody,W=void 0===O?this._onRenderBody:O,V=e.onRenderFooter,K=void 0===V?this._onRenderFooter:V,q=this.state,G=q.isFooterSticky,U=q.visibility,j=q.id,J=P===S.w.smallFixedNear||P===S.w.customNear,Y=(0,b.zg)(R)?J:!J,Z=P===S.w.custom||P===S.w.customNear?{width:N}:{},X=(0,y.pq)(this.props,y.n7),Q=this.isActive,$=U===n.animatingClosed||U===n.animatingOpen;if(this._headerTextId=h&&j+"-headerText",!Q&&!$&&!I)return null;this._classNames=x(M,{theme:R,className:o,focusTrapZoneClassName:d?d.className:void 0,hasCloseButton:m,headerClassName:f,isAnimating:$,isFooterSticky:G,isFooterAtBottom:k,isOnRightSide:Y,isOpen:Q,isHiddenOnDismiss:I,type:P,hasCustomNavigation:this._hasCustomNavigation});var ee,te=this._classNames,oe=this._allowTouchBodyScroll;return _&&Q&&(ee=i.createElement(l.a,(0,r.pi)({className:te.overlay,isDarkThemed:!1,onClick:w?F:void 0,allowTouchBodyScroll:oe},T))),i.createElement(s.m,(0,r.pi)({},D),i.createElement(c.G,(0,r.pi)({role:"dialog","aria-modal":"true",ariaLabelledBy:this._headerTextId?this._headerTextId:void 0,onDismiss:this.dismiss,className:te.hiddenPanel},E),i.createElement("div",(0,r.pi)({"aria-hidden":!Q&&$},X,{ref:this._panel,className:te.root}),ee,i.createElement(C.P,(0,r.pi)({ignoreExternalFocusing:v,forceFocusInsideTrap:!(!_||I&&!Q)&&p,firstFocusableSelector:u,isClickableOutsideFocusTrap:!0},d,{className:te.main,style:Z,elementToFocusOnDismiss:a}),i.createElement("div",{className:te.commands,"data-is-visible":!0},A(this.props,this._onRenderNavigation)),i.createElement("div",{className:te.contentInner},(this._hasCustomNavigation||!m)&&H(this.props,this._onRenderHeader,this._headerTextId),i.createElement("div",{ref:this._allowScrollOnPanel,className:te.scrollableContent,"data-is-scrollable":!0},W(this.props,this._onRenderBody)),K(this.props,this._onRenderFooter))))))},t.prototype.open=function(){void 0===this.props.isOpen&&(this.isActive||this.setState({visibility:n.animatingOpen}))},t.prototype.close=function(){void 0===this.props.isOpen&&this.isActive&&this.setState({visibility:n.animatingClosed})},Object.defineProperty(t.prototype,"isActive",{get:function(){return this.state.visibility===n.open||this.state.visibility===n.animatingOpen},enumerable:!0,configurable:!0}),t.prototype._shouldListenForOuterClick=function(e){return!!e.isBlocking&&!!e.isOpen},t.prototype._updateFooterPosition=function(){var e=this._scrollableContent;if(e){var t=e.clientHeight,o=e.scrollHeight;this.setState({isFooterSticky:t{"use strict";o.d(t,{s:()=>S});var n,r,i,a,s,l=o(2002),c=o(5357),u=o(7622),d=o(2758),p=o(9729),m={root:"ms-Panel",main:"ms-Panel-main",commands:"ms-Panel-commands",contentInner:"ms-Panel-contentInner",scrollableContent:"ms-Panel-scrollableContent",navigation:"ms-Panel-navigation",closeButton:"ms-Panel-closeButton ms-PanelAction-close",header:"ms-Panel-header",headerText:"ms-Panel-headerText",content:"ms-Panel-content",footer:"ms-Panel-footer",footerInner:"ms-Panel-footerInner",isOpen:"is-open",hasCloseButton:"ms-Panel--hasCloseButton",smallFluid:"ms-Panel--smFluid",smallFixedNear:"ms-Panel--smLeft",smallFixedFar:"ms-Panel--sm",medium:"ms-Panel--md",large:"ms-Panel--lg",largeFixed:"ms-Panel--fixed",extraLarge:"ms-Panel--xl",custom:"ms-Panel--custom",customNear:"ms-Panel--customLeft"},h="auto",g=((n={})["@media (min-width: "+p.dd+"px)"]={width:340},n),f=((r={})["@media (min-width: "+p.AV+"px)"]={width:592},r["@media (min-width: "+p.qv+"px)"]={width:644},r),v=((i={})["@media (min-width: "+p.bE+"px)"]={left:48,width:"auto"},i["@media (min-width: "+p.B+"px)"]={left:428},i),b=((a={})["@media (min-width: "+p.B+"px)"]={left:h,width:940},a),y=((s={})["@media (min-width: "+p.B+"px)"]={left:176},s),_=function(e){var t;switch(e){case d.w.smallFixedFar:t=(0,u.pi)({},g);break;case d.w.medium:t=(0,u.pi)((0,u.pi)({},g),f);break;case d.w.large:t=(0,u.pi)((0,u.pi)((0,u.pi)({},g),f),v);break;case d.w.largeFixed:t=(0,u.pi)((0,u.pi)((0,u.pi)((0,u.pi)({},g),f),v),b);break;case d.w.extraLarge:t=(0,u.pi)((0,u.pi)((0,u.pi)((0,u.pi)({},g),f),v),y)}return t},C={paddingLeft:"24px",paddingRight:"24px"},S=(0,l.z)(c.P,(function(e){var t,o=e.className,n=e.focusTrapZoneClassName,r=e.hasCloseButton,i=e.headerClassName,a=e.isAnimating,s=e.isFooterSticky,l=e.isFooterAtBottom,c=e.isOnRightSide,g=e.isOpen,f=e.isHiddenOnDismiss,v=e.hasCustomNavigation,b=e.theme,y=e.type,S=void 0===y?d.w.smallFixedFar:y,x=b.effects,k=b.fonts,w=b.semanticColors,I=(0,p.Cn)(m,b),D=S===d.w.custom||S===d.w.customNear;return{root:[I.root,b.fonts.medium,g&&I.isOpen,r&&I.hasCloseButton,{pointerEvents:"none",position:"absolute",top:0,left:0,right:0,bottom:0},D&&c&&I.custom,D&&!c&&I.customNear,o],overlay:[{pointerEvents:"auto",cursor:"pointer"},g&&a&&p.k4.fadeIn100,!g&&a&&p.k4.fadeOut100],hiddenPanel:[!g&&!a&&f&&{visibility:"hidden"}],main:[I.main,{backgroundColor:w.bodyBackground,boxShadow:x.elevation64,pointerEvents:"auto",position:"absolute",display:"flex",flexDirection:"column",overflowX:"hidden",overflowY:"auto",WebkitOverflowScrolling:"touch",bottom:0,top:0,left:h,right:0,width:"100%",selectors:(0,u.pi)((t={},t[p.qJ]={borderLeft:"3px solid "+w.variantBorder,borderRight:"3px solid "+w.variantBorder},t),_(S))},S===d.w.smallFluid&&{left:0},S===d.w.smallFixedNear&&{left:0,right:h,width:272},S===d.w.customNear&&{right:"auto",left:0},D&&{maxWidth:"100vw"},g&&a&&!c&&p.k4.slideRightIn40,g&&a&&c&&p.k4.slideLeftIn40,!g&&a&&!c&&p.k4.slideLeftOut40,!g&&a&&c&&p.k4.slideRightOut40,n],commands:[I.commands,{marginTop:18},v&&{marginTop:"inherit"}],navigation:[I.navigation,{display:"flex",justifyContent:"flex-end"},v&&{height:"44px"}],contentInner:[I.contentInner,{display:"flex",flexDirection:"column",flexGrow:1,overflowY:"hidden"}],header:[I.header,C,{alignSelf:"flex-start"},r&&!v&&{flexGrow:1},v&&{flexShrink:0}],headerText:[I.headerText,k.xLarge,{color:w.bodyText,lineHeight:"27px",overflowWrap:"break-word",wordWrap:"break-word",wordBreak:"break-word",hyphens:"auto"},i],scrollableContent:[I.scrollableContent,{overflowY:"auto"},l&&{flexGrow:1}],content:[I.content,C,{paddingBottom:20}],footer:[I.footer,{flexShrink:0,borderTop:"1px solid transparent",transition:"opacity "+p.D1.durationValue3+" "+p.D1.easeFunction2},s&&{background:w.bodyBackground,borderTopColor:w.variantBorder}],footerInner:[I.footerInner,C,{paddingBottom:16,paddingTop:16}],subComponentStyles:{closeButton:{root:[I.closeButton,{marginRight:14,color:b.palette.neutralSecondary,fontSize:p.ld.large},v&&{marginRight:0,height:"auto",width:"44px"}],rootHovered:{color:b.palette.neutralPrimary}}}}}),void 0,{scope:"Panel"})},2758:(e,t,o)=>{"use strict";var n;o.d(t,{w:()=>n}),function(e){e[e.smallFluid=0]="smallFluid",e[e.smallFixedFar=1]="smallFixedFar",e[e.smallFixedNear=2]="smallFixedNear",e[e.medium=3]="medium",e[e.large=4]="large",e[e.largeFixed=5]="largeFixed",e[e.extraLarge=6]="extraLarge",e[e.custom=7]="custom",e[e.customNear=8]="customNear"}(n||(n={}))},7047:(e,t,o)=>{"use strict";o.d(t,{R:()=>f});var n=o(7622),r=o(7002),i=o(7300),a=o(63),s=o(8127),l=o(5816),c=o(3967),u=o(6543),d=o(7481),p=o(9241),m=o(6628),h=(0,i.y)(),g={size:d.Ir.size48,presence:d.H_.none,imageAlt:""},f=r.forwardRef((function(e,t){var o=(0,a.j)(g,e),i=r.useRef(null),f=(0,p.r)(t,i),v=function(){return o.text||o.primaryText||""},b=function(e,t,n){return r.createElement("div",{dir:"auto",className:e},t&&t(o,n))},y=function(e){return e?function(){return r.createElement(l.G,{content:e,overflowMode:c.y.Parent,directionalHint:m.b.topLeftEdge},e)}:void 0},_=y(v()),C=y(o.secondaryText),S=y(o.tertiaryText),x=y(o.optionalText),k=o.hidePersonaDetails,w=o.onRenderOptionalText,I=void 0===w?x:w,D=o.onRenderPrimaryText,T=void 0===D?_:D,E=o.onRenderSecondaryText,P=void 0===E?C:E,M=o.onRenderTertiaryText,R=void 0===M?S:M,N=o.onRenderPersonaCoin,B=void 0===N?function(e){return r.createElement(u.t,(0,n.pi)({},e))}:N,F=o.size,L=o.allowPhoneInitials,A=o.className,z=o.coinProps,H=o.showUnknownPersonaCoin,O=o.coinSize,W=o.styles,V=o.imageAlt,K=o.imageInitials,q=o.imageShouldFadeIn,G=o.imageShouldStartVisible,U=o.imageUrl,j=o.initialsColor,J=o.initialsTextColor,Y=o.isOutOfOffice,Z=o.onPhotoLoadingStateChange,X=o.onRenderCoin,Q=o.onRenderInitials,$=o.presence,ee=o.presenceTitle,te=o.presenceColors,oe=o.showInitialsUntilImageLoads,ne=o.showSecondaryText,re=o.theme,ie=(0,n.pi)({allowPhoneInitials:L,showUnknownPersonaCoin:H,coinSize:O,imageAlt:V,imageInitials:K,imageShouldFadeIn:q,imageShouldStartVisible:G,imageUrl:U,initialsColor:j,initialsTextColor:J,onPhotoLoadingStateChange:Z,onRenderCoin:X,onRenderInitials:Q,presence:$,presenceTitle:ee,showInitialsUntilImageLoads:oe,size:F,text:v(),isOutOfOffice:Y,presenceColors:te},z),ae=h(W,{theme:re,className:A,showSecondaryText:ne,presence:$,size:F}),se=(0,s.pq)(o,s.n7),le=r.createElement("div",{className:ae.details},b(ae.primaryText,T,_),b(ae.secondaryText,P,C),b(ae.tertiaryText,R,S),b(ae.optionalText,I,x),o.children);return r.createElement("div",(0,n.pi)({},se,{ref:f,className:ae.root,style:O?{height:O,minWidth:O}:void 0}),B(ie,B),(!k||F===d.Ir.size8||F===d.Ir.size10||F===d.Ir.tiny)&&le)}));f.displayName="PersonaBase"},7665:(e,t,o)=>{"use strict";o.d(t,{I:()=>l});var n=o(2002),r=o(7047),i=o(9729),a=o(8337),s={root:"ms-Persona",size8:"ms-Persona--size8",size10:"ms-Persona--size10",size16:"ms-Persona--size16",size24:"ms-Persona--size24",size28:"ms-Persona--size28",size32:"ms-Persona--size32",size40:"ms-Persona--size40",size48:"ms-Persona--size48",size56:"ms-Persona--size56",size72:"ms-Persona--size72",size100:"ms-Persona--size100",size120:"ms-Persona--size120",available:"ms-Persona--online",away:"ms-Persona--away",blocked:"ms-Persona--blocked",busy:"ms-Persona--busy",doNotDisturb:"ms-Persona--donotdisturb",offline:"ms-Persona--offline",details:"ms-Persona-details",primaryText:"ms-Persona-primaryText",secondaryText:"ms-Persona-secondaryText",tertiaryText:"ms-Persona-tertiaryText",optionalText:"ms-Persona-optionalText",textContent:"ms-Persona-textContent"},l=(0,n.z)(r.R,(function(e){var t=e.className,o=e.showSecondaryText,n=e.theme,r=n.semanticColors,l=n.fonts,c=(0,i.Cn)(s,n),u=(0,a.yR)(e.size),d=(0,a.zx)(e.presence),p="16px",m={color:r.bodySubtext,fontWeight:i.lq.regular,fontSize:l.small.fontSize};return{root:[c.root,n.fonts.medium,i.Fv,{color:r.bodyText,position:"relative",height:a.or.size48,minWidth:a.or.size48,display:"flex",alignItems:"center",selectors:{".contextualHost":{display:"none"}}},u.isSize8&&[c.size8,{height:a.or.size8,minWidth:a.or.size8}],u.isSize10&&[c.size10,{height:a.or.size10,minWidth:a.or.size10}],u.isSize16&&[c.size16,{height:a.or.size16,minWidth:a.or.size16}],u.isSize24&&[c.size24,{height:a.or.size24,minWidth:a.or.size24}],u.isSize24&&o&&{height:"36px"},u.isSize28&&[c.size28,{height:a.or.size28,minWidth:a.or.size28}],u.isSize28&&o&&{height:"32px"},u.isSize32&&[c.size32,{height:a.or.size32,minWidth:a.or.size32}],u.isSize40&&[c.size40,{height:a.or.size40,minWidth:a.or.size40}],u.isSize48&&c.size48,u.isSize56&&[c.size56,{height:a.or.size56,minWidth:a.or.size56}],u.isSize72&&[c.size72,{height:a.or.size72,minWidth:a.or.size72}],u.isSize100&&[c.size100,{height:a.or.size100,minWidth:a.or.size100}],u.isSize120&&[c.size120,{height:a.or.size120,minWidth:a.or.size120}],d.isAvailable&&c.available,d.isAway&&c.away,d.isBlocked&&c.blocked,d.isBusy&&c.busy,d.isDoNotDisturb&&c.doNotDisturb,d.isOffline&&c.offline,t],details:[c.details,{padding:"0 24px 0 16px",minWidth:0,width:"100%",textAlign:"left",display:"flex",flexDirection:"column",justifyContent:"space-around"},(u.isSize8||u.isSize10)&&{paddingLeft:17},(u.isSize24||u.isSize28||u.isSize32)&&{padding:"0 8px"},(u.isSize40||u.isSize48)&&{padding:"0 12px"}],primaryText:[c.primaryText,i.jq,{color:r.bodyText,fontWeight:i.lq.regular,fontSize:l.medium.fontSize,selectors:{":hover":{color:r.inputTextHovered}}},o&&{height:p,lineHeight:p,overflowX:"hidden"},(u.isSize8||u.isSize10)&&{fontSize:l.small.fontSize,lineHeight:a.or.size8},u.isSize16&&{lineHeight:a.or.size28},(u.isSize24||u.isSize28||u.isSize32||u.isSize40||u.isSize48)&&o&&{height:18},(u.isSize56||u.isSize72||u.isSize100||u.isSize120)&&{fontSize:l.xLarge.fontSize},(u.isSize56||u.isSize72||u.isSize100||u.isSize120)&&o&&{height:22}],secondaryText:[c.secondaryText,i.jq,m,(u.isSize8||u.isSize10||u.isSize16||u.isSize24||u.isSize28||u.isSize32)&&{display:"none"},o&&{display:"block",height:p,lineHeight:p,overflowX:"hidden"},u.isSize24&&o&&{height:18},(u.isSize56||u.isSize72||u.isSize100||u.isSize120)&&{fontSize:l.medium.fontSize},(u.isSize56||u.isSize72||u.isSize100||u.isSize120)&&o&&{height:18}],tertiaryText:[c.tertiaryText,i.jq,m,{display:"none",fontSize:l.medium.fontSize},(u.isSize72||u.isSize100||u.isSize120)&&{display:"block"}],optionalText:[c.optionalText,i.jq,m,{display:"none",fontSize:l.medium.fontSize},(u.isSize100||u.isSize120)&&{display:"block"}],textContent:[c.textContent,i.jq]}}),void 0,{scope:"Persona"})},7481:(e,t,o)=>{"use strict";var n,r,i;o.d(t,{Ir:()=>n,H_:()=>r,z5:()=>i}),function(e){e[e.tiny=0]="tiny",e[e.extraExtraSmall=1]="extraExtraSmall",e[e.extraSmall=2]="extraSmall",e[e.small=3]="small",e[e.regular=4]="regular",e[e.large=5]="large",e[e.extraLarge=6]="extraLarge",e[e.size8=17]="size8",e[e.size10=9]="size10",e[e.size16=8]="size16",e[e.size24=10]="size24",e[e.size28=7]="size28",e[e.size32=11]="size32",e[e.size40=12]="size40",e[e.size48=13]="size48",e[e.size56=16]="size56",e[e.size72=14]="size72",e[e.size100=15]="size100",e[e.size120=18]="size120"}(n||(n={})),function(e){e[e.none=0]="none",e[e.offline=1]="offline",e[e.online=2]="online",e[e.away=3]="away",e[e.dnd=4]="dnd",e[e.blocked=5]="blocked",e[e.busy=6]="busy"}(r||(r={})),function(e){e[e.lightBlue=0]="lightBlue",e[e.blue=1]="blue",e[e.darkBlue=2]="darkBlue",e[e.teal=3]="teal",e[e.lightGreen=4]="lightGreen",e[e.green=5]="green",e[e.darkGreen=6]="darkGreen",e[e.lightPink=7]="lightPink",e[e.pink=8]="pink",e[e.magenta=9]="magenta",e[e.purple=10]="purple",e[e.black=11]="black",e[e.orange=12]="orange",e[e.red=13]="red",e[e.darkRed=14]="darkRed",e[e.transparent=15]="transparent",e[e.violet=16]="violet",e[e.lightRed=17]="lightRed",e[e.gold=18]="gold",e[e.burgundy=19]="burgundy",e[e.warmGray=20]="warmGray",e[e.coolGray=21]="coolGray",e[e.gray=22]="gray",e[e.cyan=23]="cyan",e[e.rust=24]="rust"}(i||(i={}))},867:(e,t,o)=>{"use strict";o.d(t,{z:()=>R});var n=o(7622),r=o(7002),i=o(7300),a=o(5094),s=o(63),l=o(8127),c=o(5951),u=o(6104),d=o(9729),p=o(2002),m=o(9947),h=o(7481),g=o(8337),f=o(9241),v=(0,i.y)({cacheSize:100}),b=r.forwardRef((function(e,t){var o=e.coinSize,n=e.isOutOfOffice,i=e.styles,a=e.presence,s=e.theme,l=e.presenceTitle,c=e.presenceColors,u=r.useRef(null),d=(0,f.r)(t,u),p=(0,g.yR)(e.size),b=!(p.isSize8||p.isSize10||p.isSize16||p.isSize24||p.isSize28||p.isSize32)&&(!o||o>32),_=o?o/3<40?o/3+"px":"40px":"",C=o?{fontSize:o?o/6<20?o/6+"px":"20px":"",lineHeight:_}:void 0,S=o?{width:_,height:_}:void 0,x=v(i,{theme:s,presence:a,size:e.size,isOutOfOffice:n,presenceColors:c});return a===h.H_.none?null:r.createElement("div",{role:"presentation",className:x.presence,style:S,title:l,ref:d},b&&r.createElement(m.J,{className:x.presenceIcon,iconName:y(e.presence,e.isOutOfOffice),style:C}))}));function y(e,t){if(e){var o="SkypeArrow";switch(h.H_[e]){case"online":return"SkypeCheck";case"away":return t?o:"SkypeClock";case"dnd":return"SkypeMinus";case"offline":return t?o:""}return""}}b.displayName="PersonaPresenceBase";var _={presence:"ms-Persona-presence",presenceIcon:"ms-Persona-presenceIcon"};function C(e){return{color:e,borderColor:e}}function S(e,t){return{selectors:{":before":{border:e+" solid "+t}}}}function x(e){return{height:e,width:e}}function k(e){return{backgroundColor:e}}var w=(0,p.z)(b,(function(e){var t,o,r,i,a,s,l=e.theme,c=e.presenceColors,u=l.semanticColors,p=l.fonts,m=(0,d.Cn)(_,l),h=(0,g.yR)(e.size),f=(0,g.zx)(e.presence),v=c&&c.available||"#6BB700",b=c&&c.away||"#FFAA44",y=c&&c.busy||"#C43148",w=c&&c.dnd||"#C50F1F",I=c&&c.offline||"#8A8886",D=c&&c.oof||"#B4009E",T=c&&c.background||u.bodyBackground,E=f.isOffline||e.isOutOfOffice&&(f.isAvailable||f.isBusy||f.isAway||f.isDoNotDisturb),P=h.isSize72||h.isSize100?"2px":"1px";return{presence:[m.presence,(0,n.pi)((0,n.pi)({position:"absolute",height:g.bw.size12,width:g.bw.size12,borderRadius:"50%",top:"auto",right:"-2px",bottom:"-2px",border:"2px solid "+T,textAlign:"center",boxSizing:"content-box",backgroundClip:"content-box"},(0,d.xM)()),{selectors:(t={},t[d.qJ]={borderColor:"Window",backgroundColor:"WindowText"},t)}),(h.isSize8||h.isSize10)&&{right:"auto",top:"7px",left:0,border:0,selectors:(o={},o[d.qJ]={top:"9px",border:"1px solid WindowText"},o)},(h.isSize8||h.isSize10||h.isSize24||h.isSize28||h.isSize32)&&x(g.bw.size8),(h.isSize40||h.isSize48)&&x(g.bw.size12),h.isSize16&&{height:g.bw.size6,width:g.bw.size6,borderWidth:"1.5px"},h.isSize56&&x(g.bw.size16),h.isSize72&&x(g.bw.size20),h.isSize100&&x(g.bw.size28),h.isSize120&&x(g.bw.size32),f.isAvailable&&{backgroundColor:v,selectors:(r={},r[d.qJ]=k("Highlight"),r)},f.isAway&&k(b),f.isBlocked&&[{selectors:(i={":after":h.isSize40||h.isSize48||h.isSize72||h.isSize100?{content:'""',width:"100%",height:P,backgroundColor:y,transform:"translateY(-50%) rotate(-45deg)",position:"absolute",top:"50%",left:0}:void 0},i[d.qJ]={selectors:{":after":{width:"calc(100% - 4px)",left:"2px",backgroundColor:"Window"}}},i)}],f.isBusy&&k(y),f.isDoNotDisturb&&k(w),f.isOffline&&k(I),(E||f.isBlocked)&&[{backgroundColor:T,selectors:(a={":before":{content:'""',width:"100%",height:"100%",position:"absolute",top:0,left:0,border:P+" solid "+y,borderRadius:"50%",boxSizing:"border-box"}},a[d.qJ]={backgroundColor:"WindowText",selectors:{":before":{width:"calc(100% - 2px)",height:"calc(100% - 2px)",top:"1px",left:"1px",borderColor:"Window"}}},a)}],E&&f.isAvailable&&S(P,v),E&&f.isBusy&&S(P,y),E&&f.isAway&&S(P,D),E&&f.isDoNotDisturb&&S(P,w),E&&f.isOffline&&S(P,I),E&&f.isOffline&&e.isOutOfOffice&&S(P,D)],presenceIcon:[m.presenceIcon,{color:T,fontSize:"6px",lineHeight:g.bw.size12,verticalAlign:"top",selectors:(s={},s[d.qJ]={color:"Window"},s)},h.isSize56&&{fontSize:"8px",lineHeight:g.bw.size16},h.isSize72&&{fontSize:p.small.fontSize,lineHeight:g.bw.size20},h.isSize100&&{fontSize:p.medium.fontSize,lineHeight:g.bw.size28},h.isSize120&&{fontSize:p.medium.fontSize,lineHeight:g.bw.size32},f.isAway&&{position:"relative",left:E?void 0:"1px"},E&&f.isAvailable&&C(v),E&&f.isBusy&&C(y),E&&f.isAway&&C(D),E&&f.isDoNotDisturb&&C(w),E&&f.isOffline&&C(I),E&&f.isOffline&&e.isOutOfOffice&&C(D)]}}),void 0,{scope:"PersonaPresence"}),I=o(6711),D=o(4861),T=o(4192),E=(0,i.y)({cacheSize:100}),P=(0,a.NF)((function(e,t,o,n,r,i){return(0,d.y0)(e,!i&&{backgroundColor:(0,T.g)({text:n,initialsColor:t,primaryText:r}),color:o})})),M={size:h.Ir.size48,presence:h.H_.none,imageAlt:""},R=r.forwardRef((function(e,t){var o=(0,s.j)(M,e),i=function(e){var t=e.onPhotoLoadingStateChange,o=e.imageUrl,n=r.useState(I.U9.notLoaded),i=n[0],a=n[1];return r.useEffect((function(){a(I.U9.notLoaded)}),[o]),[i,function(e){var o;a(e),null===(o=t)||void 0===o||o(e)}]}(o),a=i[0],c=i[1],u=N(c),d=o.className,p=o.coinProps,g=o.showUnknownPersonaCoin,f=o.coinSize,v=o.styles,b=o.imageUrl,y=o.initialsColor,_=o.initialsTextColor,C=o.isOutOfOffice,S=o.onRenderCoin,x=void 0===S?u:S,k=o.onRenderPersonaCoin,D=void 0===k?x:k,T=o.onRenderInitials,R=void 0===T?B:T,F=o.presence,L=o.presenceTitle,A=o.presenceColors,z=o.primaryText,H=o.showInitialsUntilImageLoads,O=o.text,W=o.theme,V=o.size,K=(0,l.pq)(o,l.n7),q=(0,l.pq)(p||{},l.n7),G=f?{width:f,height:f}:void 0,U=g,j={coinSize:f,isOutOfOffice:C,presence:F,presenceTitle:L,presenceColors:A,size:V,theme:W},J=E(v,{theme:W,className:p&&p.className?p.className:d,size:V,coinSize:f,showUnknownPersonaCoin:g}),Y=Boolean(a!==I.U9.loaded&&(H&&b||!b||a===I.U9.error||U));return r.createElement("div",(0,n.pi)({role:"presentation"},K,{className:J.coin,ref:t}),V!==h.Ir.size8&&V!==h.Ir.size10&&V!==h.Ir.tiny?r.createElement("div",(0,n.pi)({role:"presentation"},q,{className:J.imageArea,style:G}),Y&&r.createElement("div",{className:P(J.initials,y,_,O,z,g),style:G,"aria-hidden":"true"},R(o,B)),!U&&D(o,u),r.createElement(w,(0,n.pi)({},j))):o.presence?r.createElement(w,(0,n.pi)({},j)):r.createElement(m.J,{iconName:"Contact",className:J.size10WithoutPresenceIcon}),o.children)}));R.displayName="PersonaCoinBase";var N=function(e){return function(t){var o=t.coinSize,n=t.styles,i=t.imageUrl,a=t.imageAlt,s=t.imageShouldFadeIn,l=t.imageShouldStartVisible,c=t.theme,u=t.showUnknownPersonaCoin,d=t.size,p=void 0===d?M.size:d;if(!i)return null;var m=E(n,{theme:c,size:p,showUnknownPersonaCoin:u}),h=o||g.Y4[p];return r.createElement(D.E,{className:m.image,imageFit:I.kQ.cover,src:i,width:h,height:h,alt:a,shouldFadeIn:s,shouldStartVisible:l,onLoadingStateChange:e})}},B=function(e){var t=e.imageInitials,o=e.allowPhoneInitials,n=e.showUnknownPersonaCoin,i=e.text,a=e.primaryText,s=e.theme;if(n)return r.createElement(m.J,{iconName:"Help"});var l=(0,c.zg)(s);return""!==(t=t||(0,u.Q)(i||a||"",l,o))?r.createElement("span",null,t):r.createElement(m.J,{iconName:"Contact"})}},6543:(e,t,o)=>{"use strict";o.d(t,{t:()=>c});var n=o(2002),r=o(867),i=o(7622),a=o(9729),s=o(8337),l={coin:"ms-Persona-coin",imageArea:"ms-Persona-imageArea",image:"ms-Persona-image",initials:"ms-Persona-initials",size8:"ms-Persona--size8",size10:"ms-Persona--size10",size16:"ms-Persona--size16",size24:"ms-Persona--size24",size28:"ms-Persona--size28",size32:"ms-Persona--size32",size40:"ms-Persona--size40",size48:"ms-Persona--size48",size56:"ms-Persona--size56",size72:"ms-Persona--size72",size100:"ms-Persona--size100",size120:"ms-Persona--size120"},c=(0,n.z)(r.z,(function(e){var t,o=e.className,n=e.theme,r=e.coinSize,c=n.palette,u=n.fonts,d=(0,s.yR)(e.size),p=(0,a.Cn)(l,n),m=r||e.size&&s.Y4[e.size]||48;return{coin:[p.coin,u.medium,d.isSize8&&p.size8,d.isSize10&&p.size10,d.isSize16&&p.size16,d.isSize24&&p.size24,d.isSize28&&p.size28,d.isSize32&&p.size32,d.isSize40&&p.size40,d.isSize48&&p.size48,d.isSize56&&p.size56,d.isSize72&&p.size72,d.isSize100&&p.size100,d.isSize120&&p.size120,o],size10WithoutPresenceIcon:{fontSize:u.xSmall.fontSize,position:"absolute",top:"5px",right:"auto",left:0},imageArea:[p.imageArea,{position:"relative",textAlign:"center",flex:"0 0 auto",height:m,width:m},m<=10&&{overflow:"visible",background:"transparent",height:0,width:0}],image:[p.image,{marginRight:"10px",position:"absolute",top:0,left:0,width:"100%",height:"100%",border:0,borderRadius:"50%",perspective:"1px"},m<=10&&{overflow:"visible",background:"transparent",height:0,width:0},m>10&&{height:m,width:m}],initials:[p.initials,{borderRadius:"50%",color:e.showUnknownPersonaCoin?"rgb(168, 0, 0)":c.white,fontSize:u.large.fontSize,fontWeight:a.lq.semibold,lineHeight:48===m?46:m,height:m,selectors:(t={},t[a.qJ]=(0,i.pi)((0,i.pi)({border:"1px solid WindowText"},(0,a.xM)()),{color:"WindowText",boxSizing:"border-box",backgroundColor:"Window !important"}),t.i={fontWeight:a.lq.semibold},t)},e.showUnknownPersonaCoin&&{backgroundColor:"rgb(234, 234, 234)"},m<32&&{fontSize:u.xSmall.fontSize},m>=32&&m<40&&{fontSize:u.medium.fontSize},m>=40&&m<56&&{fontSize:u.mediumPlus.fontSize},m>=56&&m<72&&{fontSize:u.xLarge.fontSize},m>=72&&m<100&&{fontSize:u.xxLarge.fontSize},m>=100&&{fontSize:u.superLarge.fontSize}]}}),void 0,{scope:"PersonaCoin"})},8337:(e,t,o)=>{"use strict";o.d(t,{or:()=>r,bw:()=>i,yR:()=>s,Y4:()=>l,zx:()=>c});var n,r,i,a=o(7481);!function(e){e.size8="20px",e.size10="20px",e.size16="16px",e.size24="24px",e.size28="28px",e.size32="32px",e.size40="40px",e.size48="48px",e.size56="56px",e.size72="72px",e.size100="100px",e.size120="120px"}(r||(r={})),function(e){e.size6="6px",e.size8="8px",e.size12="12px",e.size16="16px",e.size20="20px",e.size28="28px",e.size32="32px",e.border="2px"}(i||(i={}));var s=function(e){return{isSize8:e===a.Ir.size8,isSize10:e===a.Ir.size10||e===a.Ir.tiny,isSize16:e===a.Ir.size16,isSize24:e===a.Ir.size24||e===a.Ir.extraExtraSmall,isSize28:e===a.Ir.size28||e===a.Ir.extraSmall,isSize32:e===a.Ir.size32,isSize40:e===a.Ir.size40||e===a.Ir.small,isSize48:e===a.Ir.size48||e===a.Ir.regular,isSize56:e===a.Ir.size56,isSize72:e===a.Ir.size72||e===a.Ir.large,isSize100:e===a.Ir.size100||e===a.Ir.extraLarge,isSize120:e===a.Ir.size120}},l=((n={})[a.Ir.tiny]=10,n[a.Ir.extraExtraSmall]=24,n[a.Ir.extraSmall]=28,n[a.Ir.small]=40,n[a.Ir.regular]=48,n[a.Ir.large]=72,n[a.Ir.extraLarge]=100,n[a.Ir.size8]=8,n[a.Ir.size10]=10,n[a.Ir.size16]=16,n[a.Ir.size24]=24,n[a.Ir.size28]=28,n[a.Ir.size32]=32,n[a.Ir.size40]=40,n[a.Ir.size48]=48,n[a.Ir.size56]=56,n[a.Ir.size72]=72,n[a.Ir.size100]=100,n[a.Ir.size120]=120,n),c=function(e){return{isAvailable:e===a.H_.online,isAway:e===a.H_.away,isBlocked:e===a.H_.blocked,isBusy:e===a.H_.busy,isDoNotDisturb:e===a.H_.dnd,isOffline:e===a.H_.offline}}},4192:(e,t,o)=>{"use strict";o.d(t,{g:()=>a});var n=o(7481),r=[n.z5.lightBlue,n.z5.blue,n.z5.darkBlue,n.z5.teal,n.z5.green,n.z5.darkGreen,n.z5.lightPink,n.z5.pink,n.z5.magenta,n.z5.purple,n.z5.orange,n.z5.lightRed,n.z5.darkRed,n.z5.violet,n.z5.gold,n.z5.burgundy,n.z5.warmGray,n.z5.cyan,n.z5.rust,n.z5.coolGray],i=r.length;function a(e){var t=e.primaryText,o=e.text,a=e.initialsColor;return"string"==typeof a?a:function(e){switch(e){case n.z5.lightBlue:return"#4F6BED";case n.z5.blue:return"#0078D4";case n.z5.darkBlue:return"#004E8C";case n.z5.teal:return"#038387";case n.z5.lightGreen:case n.z5.green:return"#498205";case n.z5.darkGreen:return"#0B6A0B";case n.z5.lightPink:return"#C239B3";case n.z5.pink:return"#E3008C";case n.z5.magenta:return"#881798";case n.z5.purple:return"#5C2E91";case n.z5.orange:return"#CA5010";case n.z5.red:return"#EE1111";case n.z5.lightRed:return"#D13438";case n.z5.darkRed:return"#A4262C";case n.z5.transparent:return"transparent";case n.z5.violet:return"#8764B8";case n.z5.gold:return"#986F0B";case n.z5.burgundy:return"#750B1C";case n.z5.warmGray:return"#7A7574";case n.z5.cyan:return"#005B70";case n.z5.rust:return"#8E562E";case n.z5.coolGray:return"#69797E";case n.z5.black:return"#1D1D1D";case n.z5.gray:return"#393939"}}(a=void 0!==a?a:function(e){var t=n.z5.blue;if(!e)return t;for(var o=0,a=e.length-1;a>=0;a--){var s=e.charCodeAt(a),l=a%8;o^=(s<>8-l)}return r[o%i]}(o||t))}},752:(e,t,o)=>{"use strict";o.d(t,{G:()=>g});var n=o(7622),r=o(7002),i=o(9757),a=o(5446),s=o(4553),l=o(8145),c=o(8127),u=o(3528),d=o(757),p=o(9241),m=o(8901);function h(e){var t=e.originalElement,o=e.containsFocus;t&&o&&t!==(0,i.J)()&&setTimeout((function(){var e,o;null===(o=(e=t).focus)||void 0===o||o.call(e)}),0)}var g=r.forwardRef((function(e,t){e=(0,n.pi)({shouldRestoreFocus:!0},e);var o=r.useRef(),i=(0,p.r)(o,t);!function(e,t){var o=e.onRestoreFocus,n=void 0===o?h:o,i=r.useRef(),l=r.useRef(!1);r.useEffect((function(){return i.current=(0,a.M)().activeElement,(0,s.WU)(t.current)&&(l.current=!0),function(){var e,t;null===(e=n)||void 0===e||e({originalElement:i.current,containsFocus:l.current,documentContainsFocus:(null===(t=(0,a.M)())||void 0===t?void 0:t.hasFocus())||!1}),i.current=void 0}}),[]),(0,d.d)(t,"focus",r.useCallback((function(){l.current=!0}),[]),!0),(0,d.d)(t,"blur",r.useCallback((function(e){t.current&&e.relatedTarget&&!t.current.contains(e.relatedTarget)&&(l.current=!1)}),[]),!0)}(e,o);var g=e.role,f=e.className,v=e.ariaLabel,b=e.ariaLabelledBy,y=e.ariaDescribedBy,_=e.style,C=e.children,S=e.onDismiss,x=function(e,t){var o=(0,u.r)(),n=r.useState(!1),i=n[0],a=n[1];return r.useEffect((function(){return o.requestAnimationFrame((function(){var o;if(!e.style||!e.style.overflowY){var n=!1;if(t&&t.current&&(null===(o=t.current)||void 0===o?void 0:o.firstElementChild)){var r=t.current.clientHeight,s=t.current.firstElementChild.clientHeight;r>0&&s>r&&(n=s-r>1)}i!==n&&a(n)}})),function(){return o.dispose()}})),i}(e,o),k=r.useCallback((function(e){switch(e.which){case l.m.escape:S&&(S(e),e.preventDefault(),e.stopPropagation())}}),[S]),w=(0,m.zY)();return(0,d.d)(w,"keydown",k),r.createElement("div",(0,n.pi)({ref:i},(0,c.pq)(e,c.n7),{className:f,role:g,"aria-label":v,"aria-labelledby":b,"aria-describedby":y,onKeyDown:k,style:(0,n.pi)({overflowY:x?"scroll":void 0,outline:"none"},_)}),C)}))},1405:(e,t,o)=>{"use strict";o.d(t,{x:()=>b});var n=o(7622),r=o(7002),i=o(7300),a=o(8127),s=o(8088),l=o(6953),c=o(9947),u=o(2998),d=o(7023),p=o(7813),m=o(4085),h=o(6548),g=(0,i.y)(),f=function(e){return r.createElement("div",{className:e.classNames.ratingStar},r.createElement(c.J,{className:e.classNames.ratingStarBack,iconName:e.icon}),!e.disabled&&r.createElement(c.J,{className:e.classNames.ratingStarFront,iconName:e.icon,style:{width:e.fillPercentage+"%"}}))},v=function(e,t){return e+"-star-"+(t-1)},b=r.forwardRef((function(e,t){var o,i=(0,m.M)("Rating"),c=(0,m.M)("RatingLabel"),b=e.ariaLabel,y=e.ariaLabelFormat,_=e.disabled,C=e.getAriaLabel,S=e.styles,x=e.min,k=void 0===x?e.allowZeroStars?0:1:x,w=e.max,I=void 0===w?5:w,D=e.readOnly,T=e.size,E=e.theme,P=e.icon,M=void 0===P?"FavoriteStarFill":P,R=e.unselectedIcon,N=void 0===R?"FavoriteStar":R,B=e.onRenderStar,F=Math.max(k,0),L=(0,h.G)(e.rating,e.defaultRating,e.onChange),A=L[0],z=L[1],H=function(e,t,o){return Math.min(Math.max(null!=e?e:t,t),o)}(A,F,I);!function(e,t){r.useImperativeHandle(e,(function(){return{rating:t}}),[t])}(e.componentRef,H);for(var O=(0,a.pq)(e,a.n7),W=g(S,{disabled:_,readOnly:D,theme:E}),V=null===(o=C)||void 0===o?void 0:o(H,I),K=b||V,q=[],G=function(e){var t,o,a=function(e,t){var o=Math.ceil(t),n=100;return e===t?n=100:e===o?n=t%1*100:e>o&&(n=0),n}(e,H),u=function(t){void 0!==A&&Math.ceil(A)===e||z(e,t)};q.push(r.createElement("button",(0,n.pi)({className:(0,s.i)(W.ratingButton,T===p.O.Large?W.ratingStarIsLarge:W.ratingStarIsSmall),id:v(i,e),key:e},e===Math.ceil(H)&&{"data-is-current":!0},{onFocus:u,onClick:u,disabled:!(!_&&!D),role:"radio","aria-hidden":D?"true":void 0,type:"button","aria-checked":e===Math.ceil(H)}),r.createElement("span",{id:c+"-"+e,className:W.labelText},(0,l.W)(y||"",e,I)),(t={fillPercentage:a,disabled:_,classNames:W,icon:a>0?M:N,starNum:e},(o=B)?o(t):r.createElement(f,(0,n.pi)({},t)))))},U=1;U<=I;U++)G(U);var j=T===p.O.Large?W.rootIsLarge:W.rootIsSmall;return r.createElement("div",(0,n.pi)({ref:t,className:(0,s.i)("ms-Rating-star",W.root,j),"aria-label":D?void 0:K,id:i,role:D?void 0:"radiogroup"},O),r.createElement(u.k,(0,n.pi)({direction:d.U.bidirectional,className:(0,s.i)(W.ratingFocusZone,j),defaultActiveElement:"#"+v(i,Math.ceil(H))},D&&{allowFocusRoot:!0,disabled:!0,role:"textbox","aria-label":V,"aria-readonly":!0,"data-is-focusable":!0,tabIndex:0}),q))}));b.displayName="RatingBase"},558:(e,t,o)=>{"use strict";o.d(t,{i:()=>l});var n=o(2002),r=o(9729),i={root:"ms-RatingStar-root",rootIsSmall:"ms-RatingStar-root--small",rootIsLarge:"ms-RatingStar-root--large",ratingStar:"ms-RatingStar-container",ratingStarBack:"ms-RatingStar-back",ratingStarFront:"ms-RatingStar-front",ratingButton:"ms-Rating-button",ratingStarIsSmall:"ms-Rating--small",ratingStartIsLarge:"ms-Rating--large",labelText:"ms-Rating-labelText",ratingFocusZone:"ms-Rating-focuszone"};function a(e,t){var o;return{color:e,selectors:(o={},o[r.qJ]={color:t},o)}}var s=o(1405),l=(0,n.z)(s.x,(function(e){var t=e.disabled,o=e.readOnly,n=e.theme,s=n.semanticColors,l=n.palette,c=(0,r.Cn)(i,n),u=l.neutralSecondary,d=l.themePrimary,p=l.themeDark,m=l.neutralPrimary,h=s.disabledBodySubtext;return{root:[c.root,n.fonts.medium,!t&&!o&&{selectors:{"&:hover":{selectors:{".ms-RatingStar-back":a(m,"Highlight")}}}}],rootIsSmall:[c.rootIsSmall,{height:"32px"}],rootIsLarge:[c.rootIsLarge,{height:"36px"}],ratingStar:[c.ratingStar,{display:"inline-block",position:"relative",height:"inherit"}],ratingStarBack:[c.ratingStarBack,{color:u,width:"100%"},t&&a(h,"GrayText")],ratingStarFront:[c.ratingStarFront,{position:"absolute",height:"100 %",left:"0",top:"0",textAlign:"center",verticalAlign:"middle",overflow:"hidden"},a(m,"Highlight")],ratingButton:[(0,r.GL)(n),c.ratingButton,{backgroundColor:"transparent",padding:"8px 2px",boxSizing:"content-box",margin:"0px",border:"none",cursor:"pointer",selectors:{"&:disabled":{cursor:"default"},"&[disabled]":{cursor:"default"}}},!t&&!o&&{selectors:{"&:hover ~ .ms-Rating-button":{selectors:{".ms-RatingStar-back":a(u,"WindowText"),".ms-RatingStar-front":a(u,"WindowText")}},"&:hover":{selectors:{".ms-RatingStar-back":{color:d},".ms-RatingStar-front":{color:p}}}}},t&&{cursor:"default"}],ratingStarIsSmall:[c.ratingStarIsSmall,{fontSize:"16px",lineHeight:"16px",height:"16px"}],ratingStarIsLarge:[c.ratingStartIsLarge,{fontSize:"20px",lineHeight:"20px",height:"20px"}],labelText:[c.labelText,r.ul],ratingFocusZone:[(0,r.GL)(n),c.ratingFocusZone,{display:"inline-block"}]}}),void 0,{scope:"Rating"})},7813:(e,t,o)=>{"use strict";var n;o.d(t,{O:()=>n}),function(e){e[e.Small=0]="Small",e[e.Large=1]="Large"}(n||(n={}))},3863:(e,t,o)=>{"use strict";o.d(t,{i:()=>b});var n=o(7622),r=o(7002),i=o(7300),a=o(8127),s=o(8145),l=o(6548),c=o(9241),u=o(4085),d=o(5758),p=o(9947),m="SearchBox",h={root:{height:"auto"},icon:{fontSize:"12px"}},g={iconName:"Clear"},f={ariaLabel:"Clear text"},v=(0,i.y)(),b=r.forwardRef((function(e,t){var o=e.defaultValue,i=void 0===o?"":o,b=r.useState(!1),y=b[0],_=b[1],C=(0,l.G)(e.value,i,e.onChange),S=C[0],x=C[1],k=String(S),w=r.useRef(null),I=r.useRef(null),D=(0,c.r)(w,t),T=(0,u.M)(m,e.id),E=e.ariaLabel,P=e.className,M=e.disabled,R=e.underlined,N=e.styles,B=e.labelText,F=e.placeholder,L=void 0===F?B:F,A=e.theme,z=e.clearButtonProps,H=void 0===z?f:z,O=e.disableAnimation,W=void 0!==O&&O,V=e.onClear,K=e.onBlur,q=e.onEscape,G=e.onSearch,U=e.onKeyDown,j=e.iconProps,J=e.role,Y=H.onClick,Z=v(N,{theme:A,className:P,underlined:R,hasFocus:y,disabled:M,hasInput:k.length>0,disableAnimation:W}),X=(0,a.pq)(e,a.Gg,["className","placeholder","onFocus","onBlur","value","role"]),Q=r.useCallback((function(e){var t,o;null===(t=V)||void 0===t||t(e),e.defaultPrevented||(x(""),null===(o=I.current)||void 0===o||o.focus(),e.stopPropagation(),e.preventDefault())}),[V,x]),$=r.useCallback((function(e){var t;null===(t=Y)||void 0===t||t(e),e.defaultPrevented||Q(e)}),[Y,Q]),ee=r.useCallback((function(e){var t;_(!1),null===(t=K)||void 0===t||t(e)}),[K]),te=function(e){x(e.target.value)};return function(e,t,o){r.useImperativeHandle(e,(function(){return{focus:function(){var e;return null===(e=t.current)||void 0===e?void 0:e.focus()},hasFocus:function(){return o}}}),[t,o])}(e.componentRef,I,y),r.createElement("div",{role:J,ref:D,className:Z.root,onFocusCapture:function(t){var o,n;_(!0),null===(n=(o=e).onFocus)||void 0===n||n.call(o,t)}},r.createElement("div",{className:Z.iconContainer,onClick:function(){I.current&&(I.current.focus(),I.current.selectionStart=I.current.selectionEnd=0)},"aria-hidden":!0},r.createElement(p.J,(0,n.pi)({iconName:"Search"},j,{className:Z.icon}))),r.createElement("input",(0,n.pi)({},X,{id:T,className:Z.field,placeholder:L,onChange:te,onInput:te,onBlur:ee,onKeyDown:function(e){var t,o;switch(e.which){case s.m.escape:null===(t=q)||void 0===t||t(e),k&&!e.defaultPrevented&&Q(e);break;case s.m.enter:G&&(G(k),e.preventDefault(),e.stopPropagation());break;default:null===(o=U)||void 0===o||o(e),e.defaultPrevented&&e.stopPropagation()}},value:k,disabled:M,role:"searchbox","aria-label":E,ref:I})),k.length>0&&r.createElement("div",{className:Z.clearButton},r.createElement(d.h,(0,n.pi)({onBlur:ee,styles:h,iconProps:g},H,{onClick:$}))))}));b.displayName=m},6419:(e,t,o)=>{"use strict";o.d(t,{R:()=>l});var n=o(2002),r=o(3863),i=o(9729),a=o(5951),s={root:"ms-SearchBox",iconContainer:"ms-SearchBox-iconContainer",icon:"ms-SearchBox-icon",clearButton:"ms-SearchBox-clearButton",field:"ms-SearchBox-field"},l=(0,n.z)(r.i,(function(e){var t,o,n,r,l=e.theme,c=e.underlined,u=e.disabled,d=e.hasFocus,p=e.className,m=e.hasInput,h=e.disableAnimation,g=l.palette,f=l.fonts,v=l.semanticColors,b=l.effects,y=(0,i.Cn)(s,l),_={color:v.inputPlaceholderText,opacity:1},C=g.neutralSecondary,S=g.neutralPrimary,x=g.neutralLighter,k=g.neutralLighter,w=g.neutralLighter;return{root:[y.root,f.medium,i.Fv,{color:v.inputText,backgroundColor:v.inputBackground,display:"flex",flexDirection:"row",flexWrap:"nowrap",alignItems:"stretch",padding:"1px 0 1px 4px",borderRadius:b.roundedCorner2,border:"1px solid "+v.inputBorder,height:32,selectors:(t={},t[i.qJ]={borderColor:"WindowText"},t[":hover"]={borderColor:v.inputBorderHovered,selectors:(o={},o[i.qJ]={borderColor:"Highlight"},o)},t[":hover ."+y.iconContainer]={color:v.inputIconHovered},t)},!d&&m&&{selectors:(n={},n[":hover ."+y.iconContainer]={width:4},n[":hover ."+y.icon]={opacity:0},n)},d&&["is-active",{position:"relative"},(0,i.$Y)(v.inputFocusBorderAlt,c?0:b.roundedCorner2,c?"borderBottom":"border")],u&&["is-disabled",{borderColor:x,backgroundColor:w,pointerEvents:"none",cursor:"default",selectors:(r={},r[i.qJ]={borderColor:"GrayText"},r)}],c&&["is-underlined",{borderWidth:"0 0 1px 0",borderRadius:0,padding:"1px 0 1px 8px"}],c&&u&&{backgroundColor:"transparent"},m&&"can-clear",p],iconContainer:[y.iconContainer,{display:"flex",flexDirection:"column",justifyContent:"center",flexShrink:0,fontSize:16,width:32,textAlign:"center",color:v.inputIcon,cursor:"text"},d&&{width:4},u&&{color:v.inputIconDisabled},!h&&{transition:"width "+i.D1.durationValue1}],icon:[y.icon,{opacity:1},d&&{opacity:0},!h&&{transition:"opacity "+i.D1.durationValue1+" 0s"}],clearButton:[y.clearButton,{display:"flex",flexDirection:"row",alignItems:"stretch",cursor:"pointer",flexBasis:"32px",flexShrink:0,padding:0,margin:"-1px 0px",selectors:{"&:hover .ms-Button":{backgroundColor:k},"&:hover .ms-Button-icon":{color:S},".ms-Button":{borderRadius:(0,a.zg)(l)?"1px 0 0 1px":"0 1px 1px 0"},".ms-Button-icon":{color:C}}}],field:[y.field,i.Fv,(0,i.Sv)(_),{backgroundColor:"transparent",border:"none",outline:"none",fontWeight:"inherit",fontFamily:"inherit",fontSize:"inherit",color:v.inputText,flex:"1 1 0px",minWidth:"0px",overflow:"hidden",textOverflow:"ellipsis",paddingBottom:.5,selectors:{"::-ms-clear":{display:"none"}}},u&&{color:v.disabledText}]}}),void 0,{scope:"SearchBox"})},9379:(e,t,o)=>{"use strict";o.d(t,{V:()=>y});var n=o(7622),r=o(7002),i=o(5480),a=o(2052),s=o(6548),l=o(4085),c=o(2861),u=o(7300),d=o(5951),p=o(8145),m=o(9251),h=o(8127),g=o(8088),f=(0,u.y)(),v=function(e){return function(t){var o;return(o={})[e]=t+"%",o}},b=function(e,t,o){return o===t?0:(e-t)/(o-t)*100},y=r.forwardRef((function(e,t){var o=function(e,t){var o=e.step,i=void 0===o?1:o,a=e.className,u=e.disabled,y=void 0!==u&&u,_=e.label,C=e.max,S=void 0===C?10:C,x=e.min,k=void 0===x?0:x,w=e.showValue,I=void 0===w||w,D=e.buttonProps,T=void 0===D?{}:D,E=e.vertical,P=void 0!==E&&E,M=e.valueFormat,R=e.styles,N=e.theme,B=e.originFromZero,F=e["aria-label"],L=e.ranged,A=r.useRef([]),z=r.useRef(null),H=(0,s.G)(e.value,e.defaultValue,(function(t,o){var n,r;return null===(r=(n=e).onChange)||void 0===r?void 0:r.call(n,o,L?[j,o]:void 0)})),O=H[0],W=H[1],V=(0,s.G)(e.lowerValue,e.defaultLowerValue,(function(t,o){var n,r;return null===(r=(n=e).onChange)||void 0===r?void 0:r.call(n,U,[o,U])})),K=V[0],q=V[1],G=r.useRef(!1),U=Math.max(k,Math.min(S,O||0)),j=Math.max(k,Math.min(U,K||0)),J=(0,l.M)("Slider"),Y=(0,c.k)(!0),Z=Y[0],X=Y[1].toggle,Q=f(R,{className:a,disabled:y,vertical:P,showTransitions:Z,showValue:I,ranged:L,theme:N}),$=r.useState(0),ee=$[0],te=$[1],oe=(S-k)/i,ne=function(){clearTimeout(ee)},re=function(t){ne(),te(setTimeout((function(){e.onChanged&&e.onChanged(t,U)}),1e3))},ie=function(t){var o=e.ariaValueText;if(void 0!==t)return o?o(t):t.toString()},ae=function(t,o){e.snapToStep;var n=0;if(isFinite(i))for(;Math.round(i*Math.pow(10,n))/Math.pow(10,n)!==i;)n++;var r=parseFloat(t.toFixed(n));L?G.current&&(B?r<=0:r<=U)?q(r):!G.current&&(B?r>=0:r>=j)&&W(r):W(r)},se=function(e,t){var o;switch(e.type){case"mousedown":case"mousemove":o=t?e.clientY:e.clientX;break;case"touchstart":case"touchmove":o=t?e.touches[0].clientY:e.touches[0].clientX}return o},le=function(t){if(z.current){var o,n=z.current.getBoundingClientRect(),r=(e.vertical?n.height:n.width)/oe;if(e.vertical){var i=se(t,e.vertical);o=(n.bottom-i)/r}else{var a=se(t,e.vertical);o=((0,d.zg)(e.theme)?n.right-a:a-n.left)/r}return o}},ce=function(e,t){var o,n=le(e);o=n>Math.floor(oe)?S:n<0?k:k+i*Math.round(n),ae(o),t||(e.preventDefault(),e.stopPropagation())},ue=function(e){if(L){var t=le(e),o=k+i*t;G.current=o<=j||o-j<=U-o}"mousedown"===e.type?A.current.push((0,m.on)(window,"mousemove",ce,!0),(0,m.on)(window,"mouseup",de,!0)):"touchstart"===e.type&&A.current.push((0,m.on)(window,"touchmove",ce,!0),(0,m.on)(window,"touchend",de,!0)),X(),ce(e,!0)},de=function(t){e.onChanged&&e.onChanged(t,U),X(),pe()},pe=function(){A.current.forEach((function(e){return e()})),A.current=[]},me=y?{}:{onMouseDown:ue},he=y?{}:{onTouchStart:ue},ge=y?{}:{onKeyDown:function(t){var o=G.current?j:U,n=0;switch(t.which){case(0,d.dP)(p.m.left,e.theme):case p.m.down:n=-i,ne(),re(t);break;case(0,d.dP)(p.m.right,e.theme):case p.m.up:n=i,ne(),re(t);break;case p.m.home:o=k;break;case p.m.end:o=S;break;default:return}var r=Math.min(S,Math.max(k,o+n));ae(r),t.preventDefault(),t.stopPropagation()}},fe=y?{}:{onFocus:function(e){G.current=e.target===ve.current}},ve=r.useRef(null),be=r.useRef(null);!function(e,t,o,n){r.useImperativeHandle(e.componentRef,(function(){return{get value(){return o},get range(){return e.ranged?n:void 0},focus:function(){t.current&&t.current.focus()}}}),[t,o,e.ranged,n])}(e,L&&!P?ve:be,U,[j,U]);var ye=function(e,t){return void 0===e&&(e=!1),void 0===t&&(t=!1),v(e?"bottom":t?"right":"left")}(P,(0,d.zg)(e.theme)),_e=function(e){return void 0===e&&(e=!1),v(e?"height":"width")}(P),Ce=B?0:k,Se=b(U,k,S),xe=b(j,k,S),ke=b(Ce,k,S),we=L?Se-xe:Math.abs(ke-Se),Ie=Math.min(100-Se,100-ke),De=L?xe:Math.min(Se,ke),Te={className:Q.root,ref:t},Ee=T?(0,h.pq)(T,h.n7):void 0,Pe={className:Q.titleLabel,children:_,disabled:y,htmlFor:F?void 0:J},Me=I?{className:Q.valueLabel,children:M?M(U):U,disabled:y}:void 0,Re=L&&I?{className:Q.valueLabel,children:M?M(j):j,disabled:y}:void 0,Ne=B?{className:Q.zeroTick,style:ye(ke)}:void 0,Be={className:(0,g.i)(Q.lineContainer,Q.activeSection),style:_e(we)},Fe={className:(0,g.i)(Q.lineContainer,Q.inactiveSection),style:_e(Ie)},Le={className:(0,g.i)(Q.lineContainer,Q.inactiveSection),style:_e(De)},Ae=(0,n.pi)((0,n.pi)((0,n.pi)((0,n.pi)({},me),he),ge),Ee),ze=(0,n.pi)({"aria-disabled":y,role:"slider",tabIndex:y?void 0:0},{"data-is-focusable":!y}),He=(0,n.pi)((0,n.pi)({id:J,className:(0,g.i)(Q.slideBox,T.className)},Ae),!L&&(0,n.pi)((0,n.pi)({},ze),{"aria-valuemin":k,"aria-valuemax":S,"aria-valuenow":U,"aria-valuetext":ie(U),"aria-label":F||_})),Oe=(0,n.pi)({ref:be,className:Q.thumb,style:ye(Se)},L&&(0,n.pi)((0,n.pi)((0,n.pi)((0,n.pi)({},ze),Ae),fe),{id:"max-"+J,"aria-valuemin":j,"aria-valuemax":S,"aria-valuenow":U,"aria-valuetext":ie(U),"aria-label":"max "+(F||_)})),We=L?(0,n.pi)((0,n.pi)((0,n.pi)((0,n.pi)({ref:ve,className:Q.thumb,style:ye(xe)},ze),Ae),fe),{id:"min-"+J,"aria-valuemin":k,"aria-valuemax":U,"aria-valuenow":j,"aria-valuetext":ie(j),"aria-label":"min "+(F||_)}):void 0;return{root:Te,label:Pe,sliderBox:He,container:{className:Q.container},valueLabel:Me,lowerValueLabel:Re,thumb:Oe,lowerValueThumb:We,zeroTick:Ne,activeTrack:Be,topInactiveTrack:Fe,bottomInactiveTrack:Le,sliderLine:{ref:z,className:Q.line}}}(e,t);return r.createElement("div",(0,n.pi)({},o.root),o&&r.createElement(a._,(0,n.pi)({},o.label)),r.createElement("div",(0,n.pi)({},o.container),e.ranged&&(e.vertical?o.valueLabel&&r.createElement(a._,(0,n.pi)({},o.valueLabel)):o.lowerValueLabel&&r.createElement(a._,(0,n.pi)({},o.lowerValueLabel))),r.createElement("div",(0,n.pi)({},o.sliderBox),r.createElement("div",(0,n.pi)({},o.sliderLine),e.ranged&&r.createElement("span",(0,n.pi)({},o.lowerValueThumb)),r.createElement("span",(0,n.pi)({},o.thumb)),o.zeroTick&&r.createElement("span",(0,n.pi)({},o.zeroTick)),r.createElement("span",(0,n.pi)({},o.bottomInactiveTrack)),r.createElement("span",(0,n.pi)({},o.activeTrack)),r.createElement("span",(0,n.pi)({},o.topInactiveTrack)))),e.ranged&&e.vertical?o.lowerValueLabel&&r.createElement(a._,(0,n.pi)({},o.lowerValueLabel)):o.valueLabel&&r.createElement(a._,(0,n.pi)({},o.valueLabel))),r.createElement(i.u,null))}));y.displayName="SliderBase"},4107:(e,t,o)=>{"use strict";o.d(t,{i:()=>c});var n=o(2002),r=o(9379),i=o(7622),a=o(9729),s=o(5951),l={root:"ms-Slider",enabled:"ms-Slider-enabled",disabled:"ms-Slider-disabled",row:"ms-Slider-row",column:"ms-Slider-column",container:"ms-Slider-container",slideBox:"ms-Slider-slideBox",line:"ms-Slider-line",thumb:"ms-Slider-thumb",activeSection:"ms-Slider-active",inactiveSection:"ms-Slider-inactive",valueLabel:"ms-Slider-value",showValue:"ms-Slider-showValue",showTransitions:"ms-Slider-showTransitions",zeroTick:"ms-Slider-zeroTick"},c=(0,n.z)(r.V,(function(e){var t,o,n,r,c,u,d,p,m,h,g,f,v,b=e.className,y=e.titleLabelClassName,_=e.theme,C=e.vertical,S=e.disabled,x=e.showTransitions,k=e.showValue,w=e.ranged,I=_.semanticColors,D=(0,a.Cn)(l,_),T=I.inputBackgroundCheckedHovered,E=I.inputBackgroundChecked,P=I.inputPlaceholderBackgroundChecked,M=I.smallInputBorder,R=I.disabledBorder,N=I.disabledText,B=I.disabledBackground,F=I.inputBackground,L=I.smallInputBorder,A=I.disabledBorder,z=!S&&{backgroundColor:T,selectors:(t={},t[a.qJ]={backgroundColor:"Highlight"},t)},H=!S&&{backgroundColor:P,selectors:(o={},o[a.qJ]={borderColor:"Highlight"},o)},O=!S&&{backgroundColor:E,selectors:(n={},n[a.qJ]={backgroundColor:"Highlight"},n)},W=!S&&{border:"2px solid "+T,selectors:(r={},r[a.qJ]={borderColor:"Highlight"},r)},V=!e.disabled&&{backgroundColor:I.inputPlaceholderBackgroundChecked,selectors:(c={},c[a.qJ]={backgroundColor:"Highlight"},c)};return{root:(0,i.pr)([D.root,_.fonts.medium,{userSelect:"none"},C&&{marginRight:8}],[S?void 0:D.enabled],[S?D.disabled:void 0],[C?void 0:D.row],[C?D.column:void 0],[b]),titleLabel:[{padding:0},y],container:[D.container,{display:"flex",flexWrap:"nowrap",alignItems:"center"},C&&{flexDirection:"column",height:"100%",textAlign:"center",margin:"8px 0"}],slideBox:(0,i.pr)([D.slideBox,!w&&(0,a.GL)(_),{background:"transparent",border:"none",flexGrow:1,lineHeight:28,display:"flex",alignItems:"center",selectors:(u={},u[":active ."+D.activeSection]=z,u[":hover ."+D.activeSection]=O,u[":active ."+D.inactiveSection]=H,u[":hover ."+D.inactiveSection]=H,u[":active ."+D.thumb]=W,u[":hover ."+D.thumb]=W,u[":active ."+D.zeroTick]=V,u[":hover ."+D.zeroTick]=V,u[a.qJ]={forcedColorAdjust:"none"},u)},C?{height:"100%",width:28,padding:"8px 0"}:{height:28,width:"auto",padding:"0 8px"}],[k?D.showValue:void 0],[x?D.showTransitions:void 0]),thumb:[D.thumb,w&&(0,a.GL)(_,{inset:-4}),{borderWidth:2,borderStyle:"solid",borderColor:L,borderRadius:10,boxSizing:"border-box",background:F,display:"block",width:16,height:16,position:"absolute"},C?{left:-6,margin:"0 auto",transform:"translateY(8px)"}:{top:-6,transform:(0,s.zg)(_)?"translateX(50%)":"translateX(-50%)"},x&&{transition:"left "+a.D1.durationValue3+" "+a.D1.easeFunction1},S&&{borderColor:A,selectors:(d={},d[a.qJ]={borderColor:"GrayText"},d)}],line:[D.line,{display:"flex",position:"relative"},C?{height:"100%",width:4,margin:"0 auto",flexDirection:"column-reverse"}:{width:"100%"}],lineContainer:[{borderRadius:4,boxSizing:"border-box"},C?{width:4,height:"100%"}:{height:4,width:"100%"}],activeSection:[D.activeSection,{background:M,selectors:(p={},p[a.qJ]={backgroundColor:"WindowText"},p)},x&&{transition:"width "+a.D1.durationValue3+" "+a.D1.easeFunction1},S&&{background:N,selectors:(m={},m[a.qJ]={backgroundColor:"GrayText",borderColor:"GrayText"},m)}],inactiveSection:[D.inactiveSection,{background:R,selectors:(h={},h[a.qJ]={border:"1px solid WindowText"},h)},x&&{transition:"width "+a.D1.durationValue3+" "+a.D1.easeFunction1},S&&{background:B,selectors:(g={},g[a.qJ]={borderColor:"GrayText"},g)}],zeroTick:[D.zeroTick,{position:"absolute",background:I.disabledBorder,selectors:(f={},f[a.qJ]={backgroundColor:"WindowText"},f)},e.disabled&&{background:I.disabledBackground,selectors:(v={},v[a.qJ]={backgroundColor:"GrayText"},v)},e.vertical?{width:"16px",height:"1px",transform:(0,s.zg)(_)?"translateX(6px)":"translateX(-6px)"}:{width:"1px",height:"16px",transform:"translateY(-6px)"}],valueLabel:[D.valueLabel,{flexShrink:1,width:30,lineHeight:"1"},C?{margin:"0 auto",whiteSpace:"nowrap",width:40}:{margin:"0 8px",whiteSpace:"nowrap",width:40}]}}),void 0,{scope:"Slider"})},3134:(e,t,o)=>{"use strict";o.d(t,{k:()=>P});var n=o(2002),r=o(7622),i=o(7002),a=o(5758),s=o(2052),l=o(9947),c=o(7300),u=o(63),d=o(8633),p=o(8127),m=o(8145),h=o(9729),g=o(5094),f=o(4568),v=(0,g.NF)((function(e){var t,o=e.semanticColors,n=o.disabledText,r=o.disabledBackground;return{backgroundColor:r,pointerEvents:"none",cursor:"default",color:n,selectors:(t={":after":{borderColor:r}},t[h.qJ]={color:"GrayText"},t)}})),b=(0,g.NF)((function(e,t,o){var n,r,i,a=e.palette,s=e.semanticColors,l=e.effects,c=a.neutralSecondary,u=s.buttonText,d=s.buttonText,p=s.buttonBackgroundHovered,m=s.buttonBackgroundPressed,g={root:{outline:"none",display:"block",height:"50%",width:23,padding:0,backgroundColor:"transparent",textAlign:"center",cursor:"default",color:c,selectors:{"&.ms-DownButton":{borderRadius:"0 0 "+l.roundedCorner2+" 0"},"&.ms-UpButton":{borderRadius:"0 "+l.roundedCorner2+" 0 0"}}},rootHovered:{backgroundColor:p,color:u},rootChecked:{backgroundColor:m,color:d,selectors:(n={},n[h.qJ]={backgroundColor:"Highlight",color:"HighlightText"},n)},rootPressed:{backgroundColor:m,color:d,selectors:(r={},r[h.qJ]={backgroundColor:"Highlight",color:"HighlightText"},r)},rootDisabled:{opacity:.5,selectors:(i={},i[h.qJ]={color:"GrayText",opacity:1},i)},icon:{fontSize:8,marginTop:0,marginRight:0,marginBottom:0,marginLeft:0}};return(0,h.E$)(g,{},o)})),y=o(998),_=o(4085),C=o(3528),S=o(6548),x=o(6876),k=(0,c.y)(),w={disabled:!1,label:"",step:1,labelPosition:f.L.start,incrementButtonIcon:{iconName:"ChevronUpSmall"},decrementButtonIcon:{iconName:"ChevronDownSmall"}},I=function(){},D=function(e,t){var o=t.min,n=t.max;return"number"==typeof n&&(e=Math.min(e,n)),"number"==typeof o&&(e=Math.max(e,o)),e},T=i.forwardRef((function(e,t){var o=(0,u.j)(w,e),n=o.disabled,c=o.label,h=o.min,g=o.max,v=o.step,T=o.defaultValue,P=o.value,M=o.precision,R=o.labelPosition,N=o.iconProps,B=o.incrementButtonIcon,F=o.incrementButtonAriaLabel,L=o.decrementButtonIcon,A=o.decrementButtonAriaLabel,z=o.ariaLabel,H=o.ariaDescribedBy,O=o.upArrowButtonStyles,W=o.downArrowButtonStyles,V=o.theme,K=o.ariaPositionInSet,q=o.ariaSetSize,G=o.ariaValueNow,U=o.ariaValueText,j=o.className,J=o.inputProps,Y=o.onDecrement,Z=o.onIncrement,X=o.iconButtonProps,Q=o.onValidate,$=o.onChange,ee=o.styles,te=i.useRef(null),oe=(0,_.M)("input"),ne=(0,_.M)("Label"),re=i.useState(!1),ie=re[0],ae=re[1],se=i.useState(y.T.notSpinning),le=se[0],ce=se[1],ue=(0,C.r)(),de=i.useMemo((function(){return null!=M?M:Math.max((0,d.oe)(v),0)}),[M,v]),pe=(0,S.G)(P,null!=T?T:String(h||0),$),me=pe[0],he=pe[1],ge=i.useState(),fe=ge[0],ve=ge[1],be=i.useRef({stepTimeoutHandle:-1,latestValue:void 0,latestIntermediateValue:void 0}).current;be.latestValue=me,be.latestIntermediateValue=fe;var ye=(0,x.D)(P);i.useEffect((function(){P!==ye&&void 0!==fe&&ve(void 0)}),[P,ye,fe]);var _e=k(ee,{theme:V,disabled:n,isFocused:ie,keyboardSpinDirection:le,labelPosition:R,className:j}),Ce=(0,p.pq)(o,p.n7,["onBlur","onFocus","className"]),Se=i.useCallback((function(e){var t=be.latestIntermediateValue;if(void 0!==t&&t!==be.latestValue){var o=void 0;Q?o=Q(t,e):t&&t.trim().length&&!isNaN(Number(t))&&(o=String(D(Number(t),{min:h,max:g}))),void 0!==o&&o!==be.latestValue&&he(o)}ve(void 0)}),[be,g,h,Q,he]),xe=i.useCallback((function(){be.stepTimeoutHandle>=0&&(ue.clearTimeout(be.stepTimeoutHandle),be.stepTimeoutHandle=-1),(be.spinningByMouse||le!==y.T.notSpinning)&&(be.spinningByMouse=!1,ce(y.T.notSpinning))}),[be,le,ue]),ke=i.useCallback((function(e,t){if(t.persist(),void 0!==be.latestIntermediateValue)return"keydown"===t.type&&Se(t),void ue.requestAnimationFrame((function(){ke(e,t)}));var o=e(be.latestValue||"",t);void 0!==o&&o!==be.latestValue&&he(o);var n=be.spinningByMouse;be.spinningByMouse="mousedown"===t.type,be.spinningByMouse&&(be.stepTimeoutHandle=ue.setTimeout((function(){ke(e,t)}),n?75:400))}),[be,ue,Se,he]),we=i.useCallback((function(e){if(Z)return Z(e);var t=D(Number(e)+Number(v),{max:g});return t=(0,d.F0)(t,de),String(t)}),[de,g,Z,v]),Ie=i.useCallback((function(e){if(Y)return Y(e);var t=D(Number(e)-Number(v),{min:h});return t=(0,d.F0)(t,de),String(t)}),[de,h,Y,v]),De=i.useCallback((function(e){(n||e.which===m.m.up||e.which===m.m.down)&&xe()}),[n,xe]),Te=i.useCallback((function(e){ke(we,e)}),[we,ke]),Ee=i.useCallback((function(e){ke(Ie,e)}),[Ie,ke]);!function(e,t,o){i.useImperativeHandle(e.componentRef,(function(){return{get value(){return o},focus:function(){t.current&&t.current.focus()}}}),[t,o])}(o,te,me),E(o);var Pe=!!me&&!isNaN(Number(me)),Me=(N||c)&&i.createElement("div",{className:_e.labelWrapper},N&&i.createElement(l.J,(0,r.pi)({},N,{className:_e.icon,"aria-hidden":"true"})),c&&i.createElement(s._,{id:ne,htmlFor:oe,className:_e.label,disabled:n},c));return i.createElement("div",{className:_e.root,ref:t},R!==f.L.bottom&&Me,i.createElement("div",(0,r.pi)({},Ce,{className:_e.spinButtonWrapper,"aria-label":z&&z,"aria-posinset":K,"aria-setsize":q,"data-ktp-target":!0}),i.createElement("input",(0,r.pi)({value:null!=fe?fe:me,id:oe,onChange:I,onInput:function(e){ve(e.target.value)},className:_e.input,type:"text",autoComplete:"off",role:"spinbutton","aria-labelledby":c&&ne,"aria-valuenow":null!=G?G:Pe?Number(me):void 0,"aria-valuetext":null!=U?U:Pe?void 0:me,"aria-valuemin":h,"aria-valuemax":g,"aria-describedby":H,onBlur:function(e){var t,n;Se(e),ae(!1),null===(n=(t=o).onBlur)||void 0===n||n.call(t,e)},ref:te,onFocus:function(e){var t,n;te.current&&((be.spinningByMouse||le!==y.T.notSpinning)&&xe(),te.current.select(),ae(!0),null===(n=(t=o).onFocus)||void 0===n||n.call(t,e))},onKeyDown:function(e){if(e.which!==m.m.up&&e.which!==m.m.down&&e.which!==m.m.enter||(e.preventDefault(),e.stopPropagation()),n)xe();else{var t=y.T.notSpinning;switch(e.which){case m.m.up:t=y.T.up,ke(we,e);break;case m.m.down:t=y.T.down,ke(Ie,e);break;case m.m.enter:Se(e);break;case m.m.escape:ve(void 0)}le!==t&&ce(t)}},onKeyUp:De,disabled:n,"aria-disabled":n,"data-lpignore":!0,"data-ktp-execute-target":!0},J)),i.createElement("span",{className:_e.arrowButtonsContainer},i.createElement(a.h,(0,r.pi)({styles:b(V,!0,O),className:"ms-UpButton",checked:le===y.T.up,disabled:n,iconProps:B,onMouseDown:Te,onMouseLeave:xe,onMouseUp:xe,tabIndex:-1,ariaLabel:F,"data-is-focusable":!1},X)),i.createElement(a.h,(0,r.pi)({styles:b(V,!1,W),className:"ms-DownButton",checked:le===y.T.down,disabled:n,iconProps:L,onMouseDown:Ee,onMouseLeave:xe,onMouseUp:xe,tabIndex:-1,ariaLabel:A,"data-is-focusable":!1},X)))),R===f.L.bottom&&Me)}));T.displayName="SpinButton";var E=function(e){},P=(0,n.z)(T,(function(e){var t,o,n=e.theme,r=e.className,i=e.labelPosition,a=e.disabled,s=e.isFocused,l=n.palette,c=n.semanticColors,u=n.effects,d=n.fonts,p=c.inputBorder,m=c.inputBackground,g=c.inputBorderHovered,b=c.inputFocusBorderAlt,y=c.inputText,_=l.white,C=c.inputBackgroundChecked,S=c.disabledText;return{root:[d.medium,{outline:"none",width:"100%",minWidth:86},r],labelWrapper:[{display:"inline-flex",alignItems:"center"},i===f.L.start&&{height:32,float:"left",marginRight:10},i===f.L.end&&{height:32,float:"right",marginLeft:10},i===f.L.top&&{marginBottom:-1}],icon:[{padding:"0 5px",fontSize:h.ld.large},a&&{color:S}],label:{pointerEvents:"none",lineHeight:h.ld.large},spinButtonWrapper:[{display:"flex",position:"relative",boxSizing:"border-box",height:32,minWidth:86,selectors:{":after":{pointerEvents:"none",content:"''",position:"absolute",left:0,top:0,bottom:0,right:0,borderWidth:"1px",borderStyle:"solid",borderColor:p,borderRadius:u.roundedCorner2}}},(i===f.L.top||i===f.L.bottom)&&{width:"100%"},!a&&[{selectors:{":hover":{selectors:(t={":after":{borderColor:g}},t[h.qJ]={selectors:{":after":{borderColor:"Highlight"}}},t)}}},s&&{selectors:{"&&":(0,h.$Y)(b,u.roundedCorner2)}}],a&&v(n)],input:["ms-spinButton-input",{boxSizing:"border-box",boxShadow:"none",borderStyle:"none",flex:1,margin:0,fontSize:d.medium.fontSize,fontFamily:"inherit",color:y,backgroundColor:m,height:"100%",padding:"0 8px 0 9px",outline:0,display:"block",minWidth:61,whiteSpace:"nowrap",textOverflow:"ellipsis",overflow:"hidden",cursor:"text",userSelect:"text",borderRadius:u.roundedCorner2+" 0 0 "+u.roundedCorner2},!a&&{selectors:{"::selection":{backgroundColor:C,color:_,selectors:(o={},o[h.qJ]={backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},o)}}},a&&v(n)],arrowButtonsContainer:[{display:"block",height:"100%",cursor:"default"},a&&v(n)]}}),void 0,{scope:"SpinButton"})},998:(e,t,o)=>{"use strict";var n;o.d(t,{T:()=>n}),function(e){e[e.down=-1]="down",e[e.notSpinning=0]="notSpinning",e[e.up=1]="up"}(n||(n={}))},6315:(e,t,o)=>{"use strict";o.d(t,{G:()=>u});var n=o(7622),r=o(7002),i=o(6362),a=o(7300),s=o(8127),l=o(6055),c=(0,a.y)(),u=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.type,o=e.size,a=e.ariaLabel,u=e.ariaLive,d=e.styles,p=e.label,m=e.theme,h=e.className,g=e.labelPosition,f=a,v=(0,s.pq)(this.props,s.n7,["size"]),b=o;void 0===b&&void 0!==t&&(b=t===i.d.large?i.E.large:i.E.medium);var y=c(d,{theme:m,size:b,className:h,labelPosition:g});return r.createElement("div",(0,n.pi)({},v,{className:y.root}),r.createElement("div",{className:y.circle}),p&&r.createElement("div",{className:y.label},p),f&&r.createElement("div",{role:"status","aria-live":u},r.createElement(l.U,null,r.createElement("div",{className:y.screenReaderText},f))))},t.defaultProps={size:i.E.medium,ariaLive:"polite",labelPosition:"bottom"},t}(r.Component)},76:(e,t,o)=>{"use strict";o.d(t,{$:()=>d});var n=o(2002),r=o(6315),i=o(7622),a=o(6362),s=o(9729),l=o(5094),c={root:"ms-Spinner",circle:"ms-Spinner-circle",label:"ms-Spinner-label"},u=(0,l.NF)((function(){return(0,s.F4)({"0%":{transform:"rotate(0deg)"},"100%":{transform:"rotate(360deg)"}})})),d=(0,n.z)(r.G,(function(e){var t,o=e.theme,n=e.size,r=e.className,l=e.labelPosition,d=o.palette,p=(0,s.Cn)(c,o);return{root:[p.root,{display:"flex",flexDirection:"column",alignItems:"center",justifyContent:"center"},"top"===l&&{flexDirection:"column-reverse"},"right"===l&&{flexDirection:"row"},"left"===l&&{flexDirection:"row-reverse"},r],circle:[p.circle,{boxSizing:"border-box",borderRadius:"50%",border:"1.5px solid "+d.themeLight,borderTopColor:d.themePrimary,animationName:u(),animationDuration:"1.3s",animationIterationCount:"infinite",animationTimingFunction:"cubic-bezier(.53,.21,.29,.67)",selectors:(t={},t[s.qJ]=(0,i.pi)({borderTopColor:"Highlight"},(0,s.xM)()),t)},n===a.E.xSmall&&["ms-Spinner--xSmall",{width:12,height:12}],n===a.E.small&&["ms-Spinner--small",{width:16,height:16}],n===a.E.medium&&["ms-Spinner--medium",{width:20,height:20}],n===a.E.large&&["ms-Spinner--large",{width:28,height:28}]],label:[p.label,o.fonts.small,{color:d.themePrimary,margin:"8px 0 0",textAlign:"center"},"top"===l&&{margin:"0 0 8px"},"right"===l&&{margin:"0 0 0 8px"},"left"===l&&{margin:"0 8px 0 0"}],screenReaderText:s.ul}}),void 0,{scope:"Spinner"})},6362:(e,t,o)=>{"use strict";var n,r;o.d(t,{E:()=>n,d:()=>r}),function(e){e[e.xSmall=0]="xSmall",e[e.small=1]="small",e[e.medium=2]="medium",e[e.large=3]="large"}(n||(n={})),function(e){e[e.normal=0]="normal",e[e.large=1]="large"}(r||(r={}))},1565:(e,t,o)=>{"use strict";o.d(t,{t:()=>m});var n=o(7002),r=o(9729),i=o(7300),a=o(5094),s=o(7375),l=o(634),c=o(3608),u=(0,i.y)(),d=function(e){var t;return"ffffff"===(null===(t=(0,s.T)(e))||void 0===t?void 0:t.hex)},p=(0,a.NF)((function(e,t,o,n,i,a,s,l,u){var d=(0,c.W)(e);return(0,r.ZC)({root:["ms-Button",d.root,o,t,s&&["is-checked",d.rootChecked],a&&["is-disabled",d.rootDisabled],!a&&!s&&{selectors:{":hover":d.rootHovered,":focus":d.rootFocused,":active":d.rootPressed}},a&&s&&[d.rootCheckedDisabled],!a&&s&&{selectors:{":hover":d.rootCheckedHovered,":active":d.rootCheckedPressed}}],flexContainer:["ms-Button-flexContainer",d.flexContainer]})})),m=function(e){var t=e.item,o=e.idPrefix,r=void 0===o?e.id:o,i=e.selected,a=void 0!==i&&i,c=e.disabled,m=void 0!==c&&c,h=e.styles,g=e.circle,f=void 0===g||g,v=e.color,b=e.onClick,y=e.onHover,_=e.onFocus,C=e.onMouseEnter,S=e.onMouseMove,x=e.onMouseLeave,k=e.onWheel,w=e.onKeyDown,I=e.height,D=e.width,T=e.borderWidth,E=u(h,{theme:e.theme,disabled:m,selected:a,circle:f,isWhite:d(v),height:I,width:D,borderWidth:T});return n.createElement(l.U,{item:t,id:r+"-"+t.id+"-"+t.index,key:t.id,disabled:m,role:"gridcell",onRenderItem:function(e){var t,o=E.svg;return n.createElement("svg",{className:o,viewBox:"0 0 20 20",fill:null===(t=(0,s.T)(e.color))||void 0===t?void 0:t.str},f?n.createElement("circle",{cx:"50%",cy:"50%",r:"50%"}):n.createElement("rect",{width:"100%",height:"100%"}))},selected:a,onClick:b,onHover:y,onFocus:_,label:t.label,className:E.colorCell,getClassNames:p,index:t.index,onMouseEnter:C,onMouseMove:S,onMouseLeave:x,onWheel:k,onKeyDown:w})}},3624:(e,t,o)=>{"use strict";o.d(t,{h:()=>l});var n=o(2002),r=o(1565),i=o(6145),a=o(9729),s={left:-2,top:-2,bottom:-2,right:-2,border:"none",outlineColor:"ButtonText"},l=(0,n.z)(r.t,(function(e){var t,o,n,r,l,c=e.theme,u=e.disabled,d=e.selected,p=e.circle,m=e.isWhite,h=e.height,g=void 0===h?20:h,f=e.width,v=void 0===f?20:f,b=e.borderWidth,y=c.semanticColors,_=c.palette,C=_.neutralLighter,S=_.neutralLight,x=_.neutralSecondary,k=_.neutralTertiary,w=b||(v<24?2:4);return{colorCell:[(0,a.GL)(c,{inset:-1,position:"relative",highContrastStyle:s}),{backgroundColor:y.bodyBackground,padding:0,position:"relative",boxSizing:"border-box",display:"inline-block",cursor:"pointer",userSelect:"none",borderRadius:0,border:"none",height:g,width:v},!p&&{selectors:(t={},t["."+i.G$+" &:focus::after"]={outlineOffset:w-1+"px"},t)},p&&{borderRadius:"50%",selectors:(o={},o["."+i.G$+" &:focus::after"]={outline:"none",borderColor:y.focusBorder,borderRadius:"50%",left:-w,right:-w,top:-w,bottom:-w,selectors:(n={},n[a.qJ]={outline:"1px solid ButtonText"},n)},o)},d&&{padding:2,border:w+"px solid "+S,selectors:(r={},r["&:hover::before"]={content:'""',height:g,width:v,position:"absolute",top:-w,left:-w,borderRadius:p?"50%":"default",boxShadow:"inset 0 0 0 1px "+x},r)},!d&&{selectors:(l={},l["&:hover, &:active, &:focus"]={backgroundColor:y.bodyBackground,padding:2,border:w+"px solid "+C},l["&:focus"]={borderColor:y.bodyBackground,padding:0,selectors:{":hover":{borderColor:c.palette.neutralLight,padding:2}}},l)},u&&{color:y.disabledBodyText,pointerEvents:"none",opacity:.3},m&&!d&&{backgroundColor:k,padding:1}],svg:[{width:"100%",height:"100%"},p&&{borderRadius:"50%"}]}}),void 0,{scope:"ColorPickerGridCell"},!0)},8621:(e,t,o)=>{"use strict";o.d(t,{_:()=>h});var n=o(7622),r=o(7002),i=o(7300),a=o(8145),s=o(2836),l=o(3624),c=o(4085),u=o(7913),d=o(5646),p=o(6548),m=(0,i.y)(),h=r.forwardRef((function(e,t){var o=(0,c.M)("swatchColorPicker"),i=e.id||o,h=(0,u.B)({isNavigationIdle:!0,cellFocused:!1,navigationIdleTimeoutId:void 0,navigationIdleDelay:250}),g=(0,d.L)(),f=g.setTimeout,v=g.clearTimeout,b=e.colorCells,y=e.cellShape,_=void 0===y?"circle":y,C=e.columnCount,S=e.shouldFocusCircularNavigate,x=void 0===S||S,k=e.className,w=e.disabled,I=void 0!==w&&w,D=e.doNotContainWithinFocusZone,T=e.styles,E=e.cellMargin,P=void 0===E?10:E,M=e.defaultSelectedId,R=e.focusOnHover,N=e.mouseLeaveParentSelector,B=e.onChange,F=e.onColorChanged,L=e.onCellHovered,A=e.onCellFocused,z=e.getColorGridCellStyles,H=e.cellHeight,O=e.cellWidth,W=e.cellBorderWidth,V=r.useMemo((function(){return b.map((function(e,t){return(0,n.pi)((0,n.pi)({},e),{index:t})}))}),[b]),K=r.useCallback((function(e,t){var o,n,r,i=null===(o=b.filter((function(e){return e.id===t}))[0])||void 0===o?void 0:o.color;null===(n=B)||void 0===n||n(e,t,i),null===(r=F)||void 0===r||r(t,i)}),[B,F,b]),q=(0,p.G)(e.selectedId,M,K),G=q[0],U=q[1],j=m(T,{theme:e.theme,className:k,cellMargin:P}),J={root:j.root,tableCell:j.tableCell,focusedContainer:j.focusedContainer},Y=r.useCallback((function(){A&&(h.cellFocused=!1,A())}),[h,A]),Z=r.useCallback((function(e){return R?(h.isNavigationIdle&&!I&&e.currentTarget.focus(),!0):!h.isNavigationIdle||!!I}),[R,h,I]),X=r.useCallback((function(e){if(!R)return!h.isNavigationIdle||!!I;var t=e.currentTarget;return!h.isNavigationIdle||document&&t===document.activeElement||t.focus(),!0}),[R,h,I]),Q=r.useCallback((function(e){var t=N;if(R&&t&&h.isNavigationIdle&&!I)for(var o=document.querySelectorAll(t),n=0;n{"use strict";o.d(t,{U:()=>s});var n=o(2002),r=o(8621),i=o(9729),a={focusedContainer:"ms-swatchColorPickerBodyContainer"},s=(0,n.z)(r._,(function(e){var t=e.className,o=e.theme;return{root:{margin:"8px 0",borderCollapse:"collapse"},tableCell:{padding:e.cellMargin/2},focusedContainer:[(0,i.Cn)(a,o).focusedContainer,{clear:"both",display:"block",minWidth:"180px"},t]}}),void 0,{scope:"SwatchColorPicker"})},5229:(e,t,o)=>{"use strict";o.d(t,{P:()=>C});var n,r=o(7622),i=o(7002),a=o(2052),s=o(9947),l=o(7300),c=o(688),u=o(2167),d=o(2782),p=o(6055),m=o(5301),h=o(687),g=o(3128),f=o(8127),v=o(9757),b=o(5036),y=(0,l.y)(),_="TextField",C=function(e){function t(t){var o=e.call(this,t)||this;o._textElement=i.createRef(),o._onFocus=function(e){o.props.onFocus&&o.props.onFocus(e),o.setState({isFocused:!0},(function(){o.props.validateOnFocusIn&&o._validate(o.value)}))},o._onBlur=function(e){o.props.onBlur&&o.props.onBlur(e),o.setState({isFocused:!1},(function(){o.props.validateOnFocusOut&&o._validate(o.value)}))},o._onRenderLabel=function(e){var t=e.label,n=e.required,r=o._classNames.subComponentStyles?o._classNames.subComponentStyles.label:void 0;return t?i.createElement(a._,{required:n,htmlFor:o._id,styles:r,disabled:e.disabled,id:o._labelId},e.label):null},o._onRenderDescription=function(e){return e.description?i.createElement("span",{className:o._classNames.description},e.description):null},o._onRevealButtonClick=function(e){o.setState((function(e){return{isRevealingPassword:!e.isRevealingPassword}}))},o._onInputChange=function(e){var t,n,r=e.target.value,i=S(o.props,o.state)||"";void 0!==r&&r!==o._lastChangeValue&&r!==i?(o._lastChangeValue=r,null===(n=(t=o.props).onChange)||void 0===n||n.call(t,e,r),o._isControlled||o.setState({uncontrolledValue:r})):o._lastChangeValue=void 0},(0,c.l)(o),o._async=new u.e(o),o._fallbackId=(0,d.z)(_),o._descriptionId=(0,d.z)("TextFieldDescription"),o._labelId=(0,d.z)("TextFieldLabel"),o._warnControlledUsage();var n=t.defaultValue,r=void 0===n?"":n;return"number"==typeof r&&(r=String(r)),o.state={uncontrolledValue:o._isControlled?void 0:r,isFocused:!1,errorMessage:""},o._delayedValidate=o._async.debounce(o._validate,o.props.deferredValidationTime),o._lastValidation=0,o}return(0,r.ZT)(t,e),Object.defineProperty(t.prototype,"value",{get:function(){return S(this.props,this.state)},enumerable:!0,configurable:!0}),t.prototype.componentDidMount=function(){this._adjustInputHeight(),this.props.validateOnLoad&&this._validate(this.value)},t.prototype.componentWillUnmount=function(){this._async.dispose()},t.prototype.getSnapshotBeforeUpdate=function(e,t){return{selection:[this.selectionStart,this.selectionEnd]}},t.prototype.componentDidUpdate=function(e,t,o){var n=this.props,r=(o||{}).selection,i=void 0===r?[null,null]:r,a=i[0],s=i[1];!!e.multiline!=!!n.multiline&&t.isFocused&&(this.focus(),null!==a&&null!==s&&a>=0&&s>=0&&this.setSelectionRange(a,s)),e.value!==n.value&&(this._lastChangeValue=void 0);var l=S(e,t),c=this.value;l!==c&&(this._warnControlledUsage(e),this.state.errorMessage&&!n.errorMessage&&this.setState({errorMessage:""}),this._adjustInputHeight(),x(n)&&this._delayedValidate(c))},t.prototype.render=function(){var e=this.props,t=e.borderless,o=e.className,a=e.disabled,l=e.iconProps,c=e.inputClassName,u=e.label,d=e.multiline,m=e.required,h=e.underlined,g=e.prefix,f=e.resizable,_=e.suffix,C=e.theme,S=e.styles,x=e.autoAdjustHeight,k=e.canRevealPassword,w=e.type,I=e.onRenderPrefix,D=void 0===I?this._onRenderPrefix:I,T=e.onRenderSuffix,E=void 0===T?this._onRenderSuffix:T,P=e.onRenderLabel,M=void 0===P?this._onRenderLabel:P,R=e.onRenderDescription,N=void 0===R?this._onRenderDescription:R,B=this.state,F=B.isFocused,L=B.isRevealingPassword,A=this._errorMessage,z=!!k&&"password"===w&&function(){var e;if("boolean"!=typeof n){var t=(0,v.J)();if(null===(e=t)||void 0===e?void 0:e.navigator){var o=/Edg/.test(t.navigator.userAgent||"");n=!((0,b.f)()||o)}else n=!0}return n}(),H=this._classNames=y(S,{theme:C,className:o,disabled:a,focused:F,required:m,multiline:d,hasLabel:!!u,hasErrorMessage:!!A,borderless:t,resizable:f,hasIcon:!!l,underlined:h,inputClassName:c,autoAdjustHeight:x,hasRevealButton:z});return i.createElement("div",{ref:this.props.elementRef,className:H.root},i.createElement("div",{className:H.wrapper},M(this.props,this._onRenderLabel),i.createElement("div",{className:H.fieldGroup},(void 0!==g||this.props.onRenderPrefix)&&i.createElement("div",{className:H.prefix},D(this.props,this._onRenderPrefix)),d?this._renderTextArea():this._renderInput(),l&&i.createElement(s.J,(0,r.pi)({className:H.icon},l)),z&&i.createElement("button",{className:H.revealButton,onClick:this._onRevealButtonClick,type:"button"},i.createElement("span",{className:H.revealSpan},i.createElement(s.J,{className:H.revealIcon,iconName:L?"Hide":"RedEye"}))),(void 0!==_||this.props.onRenderSuffix)&&i.createElement("div",{className:H.suffix},E(this.props,this._onRenderSuffix)))),this._isDescriptionAvailable&&i.createElement("span",{id:this._descriptionId},N(this.props,this._onRenderDescription),A&&i.createElement("div",{role:"alert"},i.createElement(p.U,null,this._renderErrorMessage()))))},t.prototype.focus=function(){this._textElement.current&&this._textElement.current.focus()},t.prototype.blur=function(){this._textElement.current&&this._textElement.current.blur()},t.prototype.select=function(){this._textElement.current&&this._textElement.current.select()},t.prototype.setSelectionStart=function(e){this._textElement.current&&(this._textElement.current.selectionStart=e)},t.prototype.setSelectionEnd=function(e){this._textElement.current&&(this._textElement.current.selectionEnd=e)},Object.defineProperty(t.prototype,"selectionStart",{get:function(){return this._textElement.current?this._textElement.current.selectionStart:-1},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"selectionEnd",{get:function(){return this._textElement.current?this._textElement.current.selectionEnd:-1},enumerable:!0,configurable:!0}),t.prototype.setSelectionRange=function(e,t){this._textElement.current&&this._textElement.current.setSelectionRange(e,t)},t.prototype._warnControlledUsage=function(e){(0,m.Q)({componentId:this._id,componentName:_,props:this.props,oldProps:e,valueProp:"value",defaultValueProp:"defaultValue",onChangeProp:"onChange",readOnlyProp:"readOnly"}),null!==this.props.value||this._hasWarnedNullValue||(this._hasWarnedNullValue=!0,(0,h.Z)("Warning: 'value' prop on 'TextField' should not be null. Consider using an empty string to clear the component or undefined to indicate an uncontrolled component."))},Object.defineProperty(t.prototype,"_id",{get:function(){return this.props.id||this._fallbackId},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"_isControlled",{get:function(){return(0,g.s)(this.props,"value")},enumerable:!0,configurable:!0}),t.prototype._onRenderPrefix=function(e){var t=e.prefix;return i.createElement("span",{style:{paddingBottom:"1px"}},t)},t.prototype._onRenderSuffix=function(e){var t=e.suffix;return i.createElement("span",{style:{paddingBottom:"1px"}},t)},Object.defineProperty(t.prototype,"_errorMessage",{get:function(){var e=this.props.errorMessage;return(void 0===e?this.state.errorMessage:e)||""},enumerable:!0,configurable:!0}),t.prototype._renderErrorMessage=function(){var e=this._errorMessage;return e?"string"==typeof e?i.createElement("p",{className:this._classNames.errorMessage},i.createElement("span",{"data-automation-id":"error-message"},e)):i.createElement("div",{className:this._classNames.errorMessage,"data-automation-id":"error-message"},e):null},Object.defineProperty(t.prototype,"_isDescriptionAvailable",{get:function(){var e=this.props;return!!(e.onRenderDescription||e.description||this._errorMessage)},enumerable:!0,configurable:!0}),t.prototype._renderTextArea=function(){var e=(0,f.pq)(this.props,f.FI,["defaultValue"]),t=this.props["aria-labelledby"]||(this.props.label?this._labelId:void 0);return i.createElement("textarea",(0,r.pi)({id:this._id},e,{ref:this._textElement,value:this.value||"",onInput:this._onInputChange,onChange:this._onInputChange,className:this._classNames.field,"aria-labelledby":t,"aria-describedby":this._isDescriptionAvailable?this._descriptionId:this.props["aria-describedby"],"aria-invalid":!!this._errorMessage,"aria-label":this.props.ariaLabel,readOnly:this.props.readOnly,onFocus:this._onFocus,onBlur:this._onBlur}))},t.prototype._renderInput=function(){var e,t=(0,f.pq)(this.props,f.Gg,["defaultValue","type"]),o=this.props["aria-labelledby"]||(this.props.label?this._labelId:void 0),n=this.state.isRevealingPassword?"text":null!=(e=this.props.type)?e:"text";return i.createElement("input",(0,r.pi)({type:n,id:this._id,"aria-labelledby":o},t,{ref:this._textElement,value:this.value||"",onInput:this._onInputChange,onChange:this._onInputChange,className:this._classNames.field,"aria-label":this.props.ariaLabel,"aria-describedby":this._isDescriptionAvailable?this._descriptionId:this.props["aria-describedby"],"aria-invalid":!!this._errorMessage,readOnly:this.props.readOnly,onFocus:this._onFocus,onBlur:this._onBlur}))},t.prototype._validate=function(e){var t=this;if(this._latestValidateValue!==e||!x(this.props)){this._latestValidateValue=e;var o=this.props.onGetErrorMessage,n=o&&o(e||"");if(void 0!==n)if("string"!=typeof n&&"then"in n){var r=++this._lastValidation;n.then((function(o){r===t._lastValidation&&t.setState({errorMessage:o}),t._notifyAfterValidate(e,o)}))}else this.setState({errorMessage:n}),this._notifyAfterValidate(e,n);else this._notifyAfterValidate(e,"")}},t.prototype._notifyAfterValidate=function(e,t){e===this.value&&this.props.onNotifyValidationResult&&this.props.onNotifyValidationResult(t,e)},t.prototype._adjustInputHeight=function(){if(this._textElement.current&&this.props.autoAdjustHeight&&this.props.multiline){var e=this._textElement.current;e.style.height="",e.style.height=e.scrollHeight+"px"}},t.defaultProps={resizable:!0,deferredValidationTime:200,validateOnLoad:!0},t}(i.Component);function S(e,t){var o=e.value,n=void 0===o?t.uncontrolledValue:o;return"number"==typeof n?String(n):n}function x(e){return!(e.validateOnFocusIn||e.validateOnFocusOut)}},8623:(e,t,o)=>{"use strict";o.d(t,{n:()=>c});var n=o(2002),r=o(5229),i=o(7622),a=o(9729),s={root:"ms-TextField",description:"ms-TextField-description",errorMessage:"ms-TextField-errorMessage",field:"ms-TextField-field",fieldGroup:"ms-TextField-fieldGroup",prefix:"ms-TextField-prefix",suffix:"ms-TextField-suffix",wrapper:"ms-TextField-wrapper",revealButton:"ms-TextField-reveal",multiline:"ms-TextField--multiline",borderless:"ms-TextField--borderless",underlined:"ms-TextField--underlined",unresizable:"ms-TextField--unresizable",required:"is-required",disabled:"is-disabled",active:"is-active"};function l(e){var t=e.underlined,o=e.disabled,n=e.focused,r=e.theme,i=r.palette,s=r.fonts;return function(){var e;return{root:[t&&o&&{color:i.neutralTertiary},t&&{fontSize:s.medium.fontSize,marginRight:8,paddingLeft:12,paddingRight:0,lineHeight:"22px",height:32},t&&n&&{selectors:(e={},e[a.qJ]={height:31},e)}]}}}var c=(0,n.z)(r.P,(function(e){var t,o,n,r,c,u,d,p,m,h,g,f,v=e.theme,b=e.className,y=e.disabled,_=e.focused,C=e.required,S=e.multiline,x=e.hasLabel,k=e.borderless,w=e.underlined,I=e.hasIcon,D=e.resizable,T=e.hasErrorMessage,E=e.inputClassName,P=e.autoAdjustHeight,M=e.hasRevealButton,R=v.semanticColors,N=v.effects,B=v.fonts,F=(0,a.Cn)(s,v),L={background:R.disabledBackground,color:y?R.disabledText:R.inputPlaceholderText,display:"flex",alignItems:"center",padding:"0 10px",lineHeight:1,whiteSpace:"nowrap",flexShrink:0,selectors:(t={},t[a.qJ]={background:"Window",color:y?"GrayText":"WindowText"},t)},A=[B.medium,{color:R.inputPlaceholderText,opacity:1,selectors:(o={},o[a.qJ]={color:"GrayText"},o)}],z={color:R.disabledText,selectors:(n={},n[a.qJ]={color:"GrayText"},n)};return{root:[F.root,B.medium,C&&F.required,y&&F.disabled,_&&F.active,S&&F.multiline,k&&F.borderless,w&&F.underlined,a.Fv,{position:"relative"},b],wrapper:[F.wrapper,w&&[{display:"flex",borderBottom:"1px solid "+(T?R.errorText:R.inputBorder),width:"100%"},y&&{borderBottomColor:R.disabledBackground,selectors:(r={},r[a.qJ]=(0,i.pi)({borderColor:"GrayText"},(0,a.xM)()),r)},!y&&{selectors:{":hover":{borderBottomColor:T?R.errorText:R.inputBorderHovered,selectors:(c={},c[a.qJ]=(0,i.pi)({borderBottomColor:"Highlight"},(0,a.xM)()),c)}}},_&&[{position:"relative"},(0,a.$Y)(T?R.errorText:R.inputFocusBorderAlt,0,"borderBottom")]]],fieldGroup:[F.fieldGroup,a.Fv,{border:"1px solid "+R.inputBorder,borderRadius:N.roundedCorner2,background:R.inputBackground,cursor:"text",height:32,display:"flex",flexDirection:"row",alignItems:"stretch",position:"relative"},S&&{minHeight:"60px",height:"auto",display:"flex"},!_&&!y&&{selectors:{":hover":{borderColor:R.inputBorderHovered,selectors:(u={},u[a.qJ]=(0,i.pi)({borderColor:"Highlight"},(0,a.xM)()),u)}}},_&&!w&&(0,a.$Y)(T?R.errorText:R.inputFocusBorderAlt,N.roundedCorner2),y&&{borderColor:R.disabledBackground,selectors:(d={},d[a.qJ]=(0,i.pi)({borderColor:"GrayText"},(0,a.xM)()),d),cursor:"default"},k&&{border:"none"},k&&_&&{border:"none",selectors:{":after":{border:"none"}}},w&&{flex:"1 1 0px",border:"none",textAlign:"left"},w&&y&&{backgroundColor:"transparent"},T&&!w&&{borderColor:R.errorText,selectors:{"&:hover":{borderColor:R.errorText}}},!x&&C&&{selectors:(p={":before":{content:"'*'",color:R.errorText,position:"absolute",top:-5,right:-10}},p[a.qJ]={selectors:{":before":{color:"WindowText",right:-14}}},p)}],field:[B.medium,F.field,a.Fv,{borderRadius:0,border:"none",background:"none",backgroundColor:"transparent",color:R.inputText,padding:"0 8px",width:"100%",minWidth:0,textOverflow:"ellipsis",outline:0,selectors:(m={"&:active, &:focus, &:hover":{outline:0},"::-ms-clear":{display:"none"}},m[a.qJ]={background:"Window",color:y?"GrayText":"WindowText"},m)},(0,a.Sv)(A),S&&!D&&[F.unresizable,{resize:"none"}],S&&{minHeight:"inherit",lineHeight:17,flexGrow:1,paddingTop:6,paddingBottom:6,overflow:"auto",width:"100%"},S&&P&&{overflow:"hidden"},I&&!M&&{paddingRight:24},S&&I&&{paddingRight:40},y&&[{backgroundColor:R.disabledBackground,color:R.disabledText,borderColor:R.disabledBackground},(0,a.Sv)(z)],w&&{textAlign:"left"},_&&!k&&{selectors:(h={},h[a.qJ]={paddingLeft:11,paddingRight:11},h)},_&&S&&!k&&{selectors:(g={},g[a.qJ]={paddingTop:4},g)},E],icon:[S&&{paddingRight:24,alignItems:"flex-end"},{pointerEvents:"none",position:"absolute",bottom:6,right:8,top:"auto",fontSize:a.ld.medium,lineHeight:18},y&&{color:R.disabledText}],description:[F.description,{color:R.bodySubtext,fontSize:B.xSmall.fontSize}],errorMessage:[F.errorMessage,a.k4.slideDownIn20,B.small,{color:R.errorText,margin:0,paddingTop:5,display:"flex",alignItems:"center"}],prefix:[F.prefix,L],suffix:[F.suffix,L],revealButton:[F.revealButton,"ms-Button","ms-Button--icon",{height:30,width:32,border:"none",padding:"0px 4px",backgroundColor:"transparent",color:R.link,selectors:{":hover":{outline:0,color:R.primaryButtonBackgroundHovered,backgroundColor:R.buttonBackgroundHovered,selectors:(f={},f[a.qJ]={borderColor:"Highlight",color:"Highlight"},f)},":focus":{outline:0}}},I&&{marginRight:28}],revealSpan:{display:"flex",height:"100%",alignItems:"center"},revealIcon:{margin:"0px 4px",pointerEvents:"none",bottom:6,right:8,top:"auto",fontSize:a.ld.medium,lineHeight:18},subComponentStyles:{label:l(e)}}}),void 0,{scope:"TextField"})},5637:(e,t,o)=>{"use strict";o.d(t,{s:()=>p});var n=o(7622),r=o(7002),i=o(6548),a=o(4085),s=o(7300),l=o(8127),c=o(5480),u=o(2052),d=(0,s.y)(),p=r.forwardRef((function(e,t){var o=e.as,s=void 0===o?"div":o,p=e.ariaLabel,h=e.checked,g=e.className,f=e.defaultChecked,v=void 0!==f&&f,b=e.disabled,y=e.inlineLabel,_=e.label,C=e.offAriaLabel,S=e.offText,x=e.onAriaLabel,k=e.onChange,w=e.onChanged,I=e.onClick,D=e.onText,T=e.role,E=e.styles,P=e.theme,M=(0,i.G)(h,v,r.useCallback((function(e,t){var o,n;null===(o=k)||void 0===o||o(e,t),null===(n=w)||void 0===n||n(t)}),[k,w])),R=M[0],N=M[1],B=d(E,{theme:P,className:g,disabled:b,checked:R,inlineLabel:y,onOffMissing:!D&&!S}),F=R?x:C,L=(0,a.M)("Toggle",e.id),A=L+"-label",z=L+"-stateText",H=R?D:S,O=(0,l.pq)(e,l.Gg,["defaultChecked"]),W=void 0;p||F||(_&&(W=A),H&&(W=W?W+" "+z:z));var V=r.useRef(null);(0,c.P)(V),m(e,R,V);var K={root:{className:B.root,hidden:O.hidden},label:{children:_,className:B.label,htmlFor:L,id:A},container:{className:B.container},pill:(0,n.pi)((0,n.pi)({},O),{"aria-disabled":b,"aria-checked":R,"aria-label":p||F,"aria-labelledby":W,className:B.pill,"data-is-focusable":!0,"data-ktp-target":!0,disabled:b,id:L,onClick:function(e){b||(N(!R),I&&I(e))},ref:V,role:T||"switch",type:"button"}),thumb:{className:B.thumb},stateText:{children:H,className:B.text,htmlFor:L,id:z}};return r.createElement(s,(0,n.pi)({ref:t},K.root),_&&r.createElement(u._,(0,n.pi)({},K.label)),r.createElement("div",(0,n.pi)({},K.container),r.createElement("button",(0,n.pi)({},K.pill),r.createElement("span",(0,n.pi)({},K.thumb))),(R&&D||S)&&r.createElement(u._,(0,n.pi)({},K.stateText))))}));p.displayName="ToggleBase";var m=function(e,t,o){r.useImperativeHandle(e.componentRef,(function(){return{get checked(){return!!t},focus:function(){o.current&&o.current.focus()}}}),[t,o])}},1431:(e,t,o)=>{"use strict";o.d(t,{Z:()=>s});var n=o(2002),r=o(5637),i=o(7622),a=o(9729),s=(0,n.z)(r.s,(function(e){var t,o,n,r,s,l,c,u=e.theme,d=e.className,p=e.disabled,m=e.checked,h=e.inlineLabel,g=e.onOffMissing,f=u.semanticColors,v=u.palette,b=f.bodyBackground,y=f.inputBackgroundChecked,_=f.inputBackgroundCheckedHovered,C=v.neutralDark,S=f.disabledBodySubtext,x=f.smallInputBorder,k=f.inputForegroundChecked,w=f.disabledBodySubtext,I=f.disabledBackground,D=f.smallInputBorder,T=f.inputBorderHovered,E=f.disabledBodySubtext,P=f.disabledText;return{root:["ms-Toggle",m&&"is-checked",!p&&"is-enabled",p&&"is-disabled",u.fonts.medium,{marginBottom:"8px"},h&&{display:"flex",alignItems:"center"},d],label:["ms-Toggle-label",{display:"inline-block"},p&&{color:P,selectors:(t={},t[a.qJ]={color:"GrayText"},t)},h&&!g&&{marginRight:16},g&&h&&{order:1,marginLeft:16},h&&{wordBreak:"break-all"}],container:["ms-Toggle-innerContainer",{display:"flex",position:"relative"}],pill:["ms-Toggle-background",(0,a.GL)(u,{inset:-3}),{fontSize:"20px",boxSizing:"border-box",width:40,height:20,borderRadius:10,transition:"all 0.1s ease",border:"1px solid "+D,background:b,cursor:"pointer",display:"flex",alignItems:"center",padding:"0 3px"},!p&&[!m&&{selectors:{":hover":[{borderColor:T}],":hover .ms-Toggle-thumb":[{backgroundColor:C,selectors:(o={},o[a.qJ]={borderColor:"Highlight"},o)}]}},m&&[{background:y,borderColor:"transparent",justifyContent:"flex-end"},{selectors:(n={":hover":[{backgroundColor:_,borderColor:"transparent",selectors:(r={},r[a.qJ]={backgroundColor:"Highlight"},r)}]},n[a.qJ]=(0,i.pi)({backgroundColor:"Highlight"},(0,a.xM)()),n)}]],p&&[{cursor:"default"},!m&&[{borderColor:E}],m&&[{backgroundColor:S,borderColor:"transparent",justifyContent:"flex-end"}]],!p&&{selectors:{"&:hover":{selectors:(s={},s[a.qJ]={borderColor:"Highlight"},s)}}}],thumb:["ms-Toggle-thumb",{display:"block",width:12,height:12,borderRadius:"50%",transition:"all 0.1s ease",backgroundColor:x,borderColor:"transparent",borderWidth:6,borderStyle:"solid",boxSizing:"border-box"},!p&&m&&[{backgroundColor:k,selectors:(l={},l[a.qJ]={backgroundColor:"Window",borderColor:"Window"},l)}],p&&[!m&&[{backgroundColor:w}],m&&[{backgroundColor:I}]]],text:["ms-Toggle-stateText",{selectors:{"&&":{padding:"0",margin:"0 8px",userSelect:"none",fontWeight:a.lq.regular}}},p&&{selectors:{"&&":{color:P,selectors:(c={},c[a.qJ]={color:"GrayText"},c)}}}]}}),void 0,{scope:"Toggle"})},3860:(e,t,o)=>{"use strict";o.d(t,{P:()=>u});var n=o(7622),r=o(7002),i=o(7300),a=o(8127),s=o(5953),l=o(6628),c=(0,i.y)(),u=function(e){function t(){var t=null!==e&&e.apply(this,arguments)||this;return t._onRenderContent=function(e){return r.createElement("p",{className:t._classNames.subText},e.content)},t}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.className,o=e.calloutProps,i=e.directionalHint,l=e.directionalHintForRTL,u=e.styles,d=e.id,p=e.maxWidth,m=e.onRenderContent,h=void 0===m?this._onRenderContent:m,g=e.targetElement,f=e.theme;return this._classNames=c(u,{theme:f,className:t||o&&o.className,beakWidth:o&&o.beakWidth,gapSpace:o&&o.gapSpace,maxWidth:p}),r.createElement(s.U,(0,n.pi)({target:g,directionalHint:i,directionalHintForRTL:l},o,(0,a.pq)(this.props,a.n7,["id"]),{className:this._classNames.root}),r.createElement("div",{className:this._classNames.content,id:d,role:"tooltip",onMouseEnter:this.props.onMouseEnter,onMouseLeave:this.props.onMouseLeave},h(this.props,this._onRenderContent)))},t.defaultProps={directionalHint:l.b.topCenter,maxWidth:"364px",calloutProps:{isBeakVisible:!0,beakWidth:16,gapSpace:0,setInitialFocus:!0,doNotLayer:!1}},t}(r.Component)},1594:(e,t,o)=>{"use strict";o.d(t,{u:()=>a});var n=o(2002),r=o(3860),i=o(9729),a=(0,n.z)(r.P,(function(e){var t=e.className,o=e.beakWidth,n=void 0===o?16:o,r=e.gapSpace,a=void 0===r?0:r,s=e.maxWidth,l=e.theme,c=l.semanticColors,u=l.fonts,d=l.effects,p=-(Math.sqrt(n*n/2)+a)+1/window.devicePixelRatio;return{root:["ms-Tooltip",l.fonts.medium,i.k4.fadeIn200,{background:c.menuBackground,boxShadow:d.elevation8,padding:"8px",maxWidth:s,selectors:{":after":{content:"''",position:"absolute",bottom:p,left:p,right:p,top:p,zIndex:0}}},t],content:["ms-Tooltip-content",u.small,{position:"relative",zIndex:1,color:c.menuItemText,wordWrap:"break-word",overflowWrap:"break-word",overflow:"hidden"}],subText:["ms-Tooltip-subtext",{fontSize:"inherit",fontWeight:"inherit",color:"inherit",margin:0}]}}),void 0,{scope:"Tooltip"})},1180:(e,t,o)=>{"use strict";var n;o.d(t,{j:()=>n}),function(e){e[e.zero=0]="zero",e[e.medium=1]="medium",e[e.long=2]="long"}(n||(n={}))},154:(e,t,o)=>{"use strict";o.d(t,{Z:()=>y});var n=o(7622),r=o(7002),i=o(9729),a=o(7300),s=o(2782),l=o(6670),c=o(7466),u=o(8145),d=o(688),p=o(2167),m=o(2447),h=o(8127),g=o(3967),f=o(1594),v=o(1180),b=(0,a.y)(),y=function(e){function t(o){var n=e.call(this,o)||this;return n._tooltipHost=r.createRef(),n._defaultTooltipId=(0,s.z)("tooltip"),n.show=function(){n._toggleTooltip(!0)},n.dismiss=function(){n._hideTooltip()},n._getTargetElement=function(){if(n._tooltipHost.current){var e=n.props.overflowMode;if(void 0!==e)switch(e){case g.y.Parent:return n._tooltipHost.current.parentElement;case g.y.Self:return n._tooltipHost.current}return n._tooltipHost.current}},n._onTooltipMouseEnter=function(e){var o=n.props,r=o.overflowMode,i=o.delay;if(t._currentVisibleTooltip&&t._currentVisibleTooltip!==n&&t._currentVisibleTooltip.dismiss(),t._currentVisibleTooltip=n,void 0!==r){var a=n._getTargetElement();if(a&&!(0,l.zS)(a))return}if(!e.target||!(0,c.w)(e.target,n._getTargetElement()))if(n._clearDismissTimer(),n._clearOpenTimer(),i!==v.j.zero){n.setState({isAriaPlaceholderRendered:!0});var s=n._getDelayTime(i);n._openTimerId=n._async.setTimeout((function(){n._toggleTooltip(!0)}),s)}else n._toggleTooltip(!0)},n._onTooltipMouseLeave=function(e){var o=n.props.closeDelay;n._clearDismissTimer(),n._clearOpenTimer(),o?n._dismissTimerId=n._async.setTimeout((function(){n._toggleTooltip(!1)}),o):n._toggleTooltip(!1),t._currentVisibleTooltip===n&&(t._currentVisibleTooltip=void 0)},n._onTooltipKeyDown=function(e){(e.which===u.m.escape||e.ctrlKey)&&n.state.isTooltipVisible&&(n._hideTooltip(),e.stopPropagation())},n._clearDismissTimer=function(){n._async.clearTimeout(n._dismissTimerId)},n._clearOpenTimer=function(){n._async.clearTimeout(n._openTimerId)},n._hideTooltip=function(){n._clearOpenTimer(),n._clearDismissTimer(),n._toggleTooltip(!1)},n._toggleTooltip=function(e){n.state.isTooltipVisible!==e&&n.setState({isAriaPlaceholderRendered:!1,isTooltipVisible:e},(function(){return n.props.onTooltipToggle&&n.props.onTooltipToggle(e)}))},n._getDelayTime=function(e){switch(e){case v.j.medium:return 300;case v.j.long:return 500;default:return 0}},(0,d.l)(n),n.state={isAriaPlaceholderRendered:!1,isTooltipVisible:!1},n._async=new p.e(n),n}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.calloutProps,o=e.children,a=e.content,s=e.directionalHint,l=e.directionalHintForRTL,c=e.hostClassName,u=e.id,d=e.setAriaDescribedBy,p=void 0===d||d,g=e.tooltipProps,v=e.styles,y=e.theme;this._classNames=b(v,{theme:y,className:c});var _=this.state,C=_.isAriaPlaceholderRendered,S=_.isTooltipVisible,x=u||this._defaultTooltipId,k=!!(a||g&&g.onRenderContent&&g.onRenderContent()),w=S&&k,I=p&&S&&k?x:void 0;return r.createElement("div",(0,n.pi)({className:this._classNames.root,ref:this._tooltipHost},{onFocusCapture:this._onTooltipMouseEnter},{onBlurCapture:this._hideTooltip},{onMouseEnter:this._onTooltipMouseEnter,onMouseLeave:this._onTooltipMouseLeave,onKeyDown:this._onTooltipKeyDown,"aria-describedby":I}),o,w&&r.createElement(f.u,(0,n.pi)({id:x,content:a,targetElement:this._getTargetElement(),directionalHint:s,directionalHintForRTL:l,calloutProps:(0,m.f0)({},t,{onDismiss:this._hideTooltip,onMouseEnter:this._onTooltipMouseEnter,onMouseLeave:this._onTooltipMouseLeave}),onMouseEnter:this._onTooltipMouseEnter,onMouseLeave:this._onTooltipMouseLeave},(0,h.pq)(this.props,h.n7),g)),C&&r.createElement("div",{id:x,style:i.ul},a))},t.prototype.componentWillUnmount=function(){t._currentVisibleTooltip&&t._currentVisibleTooltip===this&&(t._currentVisibleTooltip=void 0),this._async.dispose()},t.defaultProps={delay:v.j.medium},t}(r.Component)},5816:(e,t,o)=>{"use strict";o.d(t,{G:()=>s});var n=o(2002),r=o(154),i=o(9729),a={root:"ms-TooltipHost",ariaPlaceholder:"ms-TooltipHost-aria-placeholder"},s=(0,n.z)(r.Z,(function(e){var t=e.className,o=e.theme;return{root:[(0,i.Cn)(a,o).root,{display:"inline"},t]}}),void 0,{scope:"TooltipHost"})},3967:(e,t,o)=>{"use strict";var n;o.d(t,{y:()=>n}),function(e){e[e.Parent=0]="Parent",e[e.Self=1]="Self"}(n||(n={}))},8976:(e,t,o)=>{"use strict";o.d(t,{d:()=>L,Y:()=>A});var n={};o.r(n),o.d(n,{inputDisabled:()=>P,inputFocused:()=>E,pickerInput:()=>M,pickerItems:()=>R,pickerText:()=>T,screenReaderOnly:()=>N});var r=o(7622),i=o(7002),a=o(7300),s=o(2002),l=o(8145),c=o(3345),u=o(688),d=o(2167),p=o(2782),m=o(8088),h=o(2998),g=o(7023),f=o(5953),v=o(3297),b=o(4449),y=o(5238),_=o(6628),C=o(4800),S=o(9729),x={root:"ms-Suggestions",suggestionsContainer:"ms-Suggestions-container",title:"ms-Suggestions-title",forceResolveButton:"ms-forceResolve-button",searchForMoreButton:"ms-SearchMore-button",spinner:"ms-Suggestions-spinner",noSuggestions:"ms-Suggestions-none",suggestionsAvailable:"ms-Suggestions-suggestionsAvailable",isSelected:"is-selected"};function k(e){var t,o=e.className,n=e.suggestionsClassName,i=e.theme,a=e.forceResolveButtonSelected,s=e.searchForMoreButtonSelected,l=i.palette,c=i.semanticColors,u=i.fonts,d=(0,S.Cn)(x,i),p={backgroundColor:"transparent",border:0,cursor:"pointer",margin:0,paddingLeft:8,position:"relative",borderTop:"1px solid "+l.neutralLight,height:40,textAlign:"left",width:"100%",fontSize:u.small.fontSize,selectors:{":hover":{backgroundColor:c.menuItemBackgroundPressed,cursor:"pointer"},":focus, :active":{backgroundColor:l.themeLight},".ms-Button-icon":{fontSize:u.mediumPlus.fontSize,width:25},".ms-Button-label":{margin:"0 4px 0 9px"}}},m={backgroundColor:l.themeLight,selectors:(t={},t[S.qJ]=(0,r.pi)({backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},(0,S.xM)()),t)};return{root:[d.root,{minWidth:260},o],suggestionsContainer:[d.suggestionsContainer,{overflowY:"auto",overflowX:"hidden",maxHeight:300,transform:"translate3d(0,0,0)"},n],title:[d.title,{padding:"0 12px",fontSize:u.small.fontSize,color:l.themePrimary,lineHeight:40,borderBottom:"1px solid "+c.menuItemBackgroundPressed}],forceResolveButton:[d.forceResolveButton,p,a&&[d.isSelected,m]],searchForMoreButton:[d.searchForMoreButton,p,s&&[d.isSelected,m]],noSuggestions:[d.noSuggestions,{textAlign:"center",color:l.neutralSecondary,fontSize:u.small.fontSize,lineHeight:30}],suggestionsAvailable:[d.suggestionsAvailable,S.ul],subComponentStyles:{spinner:{root:[d.spinner,{margin:"5px 0",paddingLeft:14,textAlign:"left",whiteSpace:"nowrap",lineHeight:20,fontSize:u.small.fontSize}],circle:{display:"inline-block",verticalAlign:"middle"},label:{display:"inline-block",verticalAlign:"middle",margin:"0 10px 0 16px"}}}}}var w=o(6920),I=o(7115),D=o(5767);(0,o(4976).RM)([{rawString:".pickerText_9da47ae5{display:-webkit-box;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;-webkit-box-align:center;-ms-flex-align:center;align-items:center;-webkit-box-sizing:border-box;box-sizing:border-box;border:1px solid "},{theme:"neutralTertiary",defaultValue:"#a19f9d"},{rawString:";min-width:180px;min-height:30px}.pickerText_9da47ae5:hover{border-color:"},{theme:"inputBorderHovered",defaultValue:"#323130"},{rawString:"}.pickerText_9da47ae5.inputFocused_9da47ae5{position:relative;border-color:"},{theme:"inputFocusBorderAlt",defaultValue:"#0078d4"},{rawString:"}.pickerText_9da47ae5.inputFocused_9da47ae5:after{pointer-events:none;content:'';position:absolute;left:-1px;top:-1px;bottom:-1px;right:-1px;border:2px solid "},{theme:"inputFocusBorderAlt",defaultValue:"#0078d4"},{rawString:"}@media screen and (-ms-high-contrast:active){.pickerText_9da47ae5.inputDisabled_9da47ae5{position:relative;border-color:GrayText}.pickerText_9da47ae5.inputDisabled_9da47ae5:after{pointer-events:none;content:'';position:absolute;left:0;top:0;bottom:0;right:0;background-color:Window}}.pickerInput_9da47ae5{height:34px;border:none;-webkit-box-flex:1;-ms-flex-positive:1;flex-grow:1;outline:0;padding:0 6px 0;-ms-flex-item-align:end;align-self:flex-end}.pickerItems_9da47ae5{display:-webkit-box;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;max-width:100%}.screenReaderOnly_9da47ae5{position:absolute;width:1px;height:1px;padding:0;margin:-1px;overflow:hidden;clip:rect(0,0,0,0);border:0}"}]);var T="pickerText_9da47ae5",E="inputFocused_9da47ae5",P="inputDisabled_9da47ae5",M="pickerInput_9da47ae5",R="pickerItems_9da47ae5",N="screenReaderOnly_9da47ae5",B=n,F=(0,a.y)(),L=function(e){function t(t){var o,n=e.call(this,t)||this;n.root=i.createRef(),n.input=i.createRef(),n.focusZone=i.createRef(),n.suggestionElement=i.createRef(),n.SuggestionOfProperType=C.D,n._styledSuggestions=(o=n.SuggestionOfProperType,(0,s.z)(o,k,void 0,{scope:"Suggestions"})),n.dismissSuggestions=function(e){var t=function(){var t=!0;n.props.onDismiss&&(t=n.props.onDismiss(e,n.suggestionStore.currentSuggestion?n.suggestionStore.currentSuggestion.item:void 0)),(!e||e&&!e.defaultPrevented)&&!1!==t&&n.canAddItems()&&n.suggestionStore.hasSelectedSuggestion()&&n.state.suggestedDisplayValue&&n.addItemByIndex(0)};n.currentPromise?n.currentPromise.then((function(){return t()})):t(),n.setState({suggestionsVisible:!1})},n.refocusSuggestions=function(e){n.resetFocus(),n.suggestionStore.suggestions&&n.suggestionStore.suggestions.length>0&&(e===l.m.up?n.suggestionStore.setSelectedSuggestion(n.suggestionStore.suggestions.length-1):e===l.m.down&&n.suggestionStore.setSelectedSuggestion(0))},n.onInputChange=function(e){n.updateValue(e),n.setState({moreSuggestionsAvailable:!0,isMostRecentlyUsedVisible:!1})},n.onSuggestionClick=function(e,t,o){n.addItemByIndex(o)},n.onSuggestionRemove=function(e,t,o){n.props.onRemoveSuggestion&&n.props.onRemoveSuggestion(t),n.suggestionStore.removeSuggestion(o)},n.onInputFocus=function(e){n.selection.setAllSelected(!1),n.state.isFocused||(n.setState({isFocused:!0}),n._userTriggeredSuggestions(),n.props.inputProps&&n.props.inputProps.onFocus&&n.props.inputProps.onFocus(e))},n.onInputBlur=function(e){n.props.inputProps&&n.props.inputProps.onBlur&&n.props.inputProps.onBlur(e)},n.onBlur=function(e){if(n.state.isFocused){var t=e.relatedTarget;null===e.relatedTarget&&(t=document.activeElement),t&&!(0,c.t)(n.root.current,t)&&(n.setState({isFocused:!1}),n.props.onBlur&&n.props.onBlur(e))}},n.onClick=function(e){void 0!==n.props.inputProps&&void 0!==n.props.inputProps.onClick&&n.props.inputProps.onClick(e),0===e.button&&n._userTriggeredSuggestions()},n.onKeyDown=function(e){var t=e.which;switch(t){case l.m.escape:n.state.suggestionsVisible&&(n.setState({suggestionsVisible:!1}),e.preventDefault(),e.stopPropagation());break;case l.m.tab:case l.m.enter:n.suggestionElement.current&&n.suggestionElement.current.hasSuggestedActionSelected()?n.suggestionElement.current.executeSelectedAction():!e.shiftKey&&n.suggestionStore.hasSelectedSuggestion()&&n.state.suggestionsVisible?(n.completeSuggestion(),e.preventDefault(),e.stopPropagation()):n._completeGenericSuggestion();break;case l.m.backspace:n.props.disabled||n.onBackspace(e),e.stopPropagation();break;case l.m.del:n.props.disabled||(n.input.current&&e.target===n.input.current.inputElement&&n.state.suggestionsVisible&&-1!==n.suggestionStore.currentIndex?(n.props.onRemoveSuggestion&&n.props.onRemoveSuggestion(n.suggestionStore.currentSuggestion.item),n.suggestionStore.removeSuggestion(n.suggestionStore.currentIndex),n.forceUpdate()):n.onBackspace(e)),e.stopPropagation();break;case l.m.up:n.input.current&&e.target===n.input.current.inputElement&&n.state.suggestionsVisible&&(n.suggestionElement.current&&n.suggestionElement.current.tryHandleKeyDown(t,n.suggestionStore.currentIndex)?(e.preventDefault(),e.stopPropagation(),n.forceUpdate()):n.suggestionElement.current&&n.suggestionElement.current.hasSuggestedAction()&&0===n.suggestionStore.currentIndex?(e.preventDefault(),e.stopPropagation(),n.suggestionElement.current.focusAboveSuggestions(),n.suggestionStore.deselectAllSuggestions(),n.forceUpdate()):n.suggestionStore.previousSuggestion()&&(e.preventDefault(),e.stopPropagation(),n.onSuggestionSelect()));break;case l.m.down:n.input.current&&e.target===n.input.current.inputElement&&n.state.suggestionsVisible&&(n.suggestionElement.current&&n.suggestionElement.current.tryHandleKeyDown(t,n.suggestionStore.currentIndex)?(e.preventDefault(),e.stopPropagation(),n.forceUpdate()):n.suggestionElement.current&&n.suggestionElement.current.hasSuggestedAction()&&n.suggestionStore.currentIndex+1===n.suggestionStore.suggestions.length?(e.preventDefault(),e.stopPropagation(),n.suggestionElement.current.focusBelowSuggestions(),n.suggestionStore.deselectAllSuggestions(),n.forceUpdate()):n.suggestionStore.nextSuggestion()&&(e.preventDefault(),e.stopPropagation(),n.onSuggestionSelect()))}},n.onItemChange=function(e,t){var o=n.state.items;if(t>=0){var r=o;r[t]=e,n._updateSelectedItems(r)}},n.onGetMoreResults=function(){n.setState({isSearching:!0},(function(){if(n.props.onGetMoreResults&&n.input.current){var e=n.props.onGetMoreResults(n.input.current.value,n.state.items),t=e,o=e;Array.isArray(t)?(n.updateSuggestions(t),n.setState({isSearching:!1})):o.then&&o.then((function(e){n.updateSuggestions(e),n.setState({isSearching:!1})}))}else n.setState({isSearching:!1});n.input.current&&n.input.current.focus(),n.setState({moreSuggestionsAvailable:!1,isResultsFooterVisible:!0})}))},n.completeSelection=function(e){n.addItem(e),n.updateValue(""),n.input.current&&n.input.current.clear(),n.setState({suggestionsVisible:!1})},n.addItemByIndex=function(e){n.completeSelection(n.suggestionStore.getSuggestionAtIndex(e).item)},n.addItem=function(e){var t=n.props.onItemSelected?n.props.onItemSelected(e):e;if(null!==t){var o=t,r=t;if(r&&r.then)r.then((function(e){var t=n.state.items.concat([e]);n._updateSelectedItems(t)}));else{var i=n.state.items.concat([o]);n._updateSelectedItems(i)}n.setState({suggestedDisplayValue:""})}},n.removeItem=function(e,t){var o=n.state.items,r=o.indexOf(e);if(r>=0){var i=o.slice(0,r).concat(o.slice(r+1));n._updateSelectedItems(i)}},n.removeItems=function(e){var t=n.state.items.filter((function(t){return-1===e.indexOf(t)}));n._updateSelectedItems(t)},n._shouldFocusZoneEnterInnerZone=function(e){if(n.state.suggestionsVisible)switch(e.which){case l.m.up:case l.m.down:return!0}return e.which===l.m.enter},n._onResolveSuggestions=function(e){var t=n.props.onResolveSuggestions(e,n.state.items);null!==t&&n.updateSuggestionsList(t,e)},n._completeGenericSuggestion=function(){if(n.props.onValidateInput&&n.input.current&&n.props.onValidateInput(n.input.current.value)!==I.Y.invalid&&n.props.createGenericItem){var e=n.props.createGenericItem(n.input.current.value,n.props.onValidateInput(n.input.current.value));n.suggestionStore.createGenericSuggestion(e),n.completeSuggestion()}},n._userTriggeredSuggestions=function(){if(!n.state.suggestionsVisible){var e=n.input.current?n.input.current.value:"";e?0===n.suggestionStore.suggestions.length?n._onResolveSuggestions(e):n.setState({isMostRecentlyUsedVisible:!1,suggestionsVisible:!0}):n.onEmptyInputFocus()}},(0,u.l)(n),n._async=new d.e(n);var r=t.selectedItems||t.defaultSelectedItems||[];return n._id=(0,p.z)(),n._ariaMap={selectedItems:"selected-items-"+n._id,selectedSuggestionAlert:"selected-suggestion-alert-"+n._id,suggestionList:"suggestion-list-"+n._id,combobox:"combobox-"+n._id},n.suggestionStore=new w.Z,n.selection=new v.Y({onSelectionChanged:function(){return n.onSelectionChange()}}),n.selection.setItems(r),n.state={items:r,suggestedDisplayValue:"",isMostRecentlyUsedVisible:!1,moreSuggestionsAvailable:!1,isFocused:!1,isSearching:!1,selectedIndices:[]},n}return(0,r.ZT)(t,e),t.getDerivedStateFromProps=function(e){return e.selectedItems?{items:e.selectedItems}:null},Object.defineProperty(t.prototype,"items",{get:function(){return this.state.items},enumerable:!0,configurable:!0}),t.prototype.componentDidMount=function(){this.selection.setItems(this.state.items),this._onResolveSuggestions=this._async.debounce(this._onResolveSuggestions,this.props.resolveDelay)},t.prototype.componentDidUpdate=function(e,t){if(this.state.items&&this.state.items!==t.items){var o=this.selection.getSelectedIndices()[0];this.selection.setItems(this.state.items),this.state.isFocused&&this.state.items.length0?"listbox":"dialog"},this.getSuggestionsAlert(_.screenReaderText),i.createElement(b.i,{selection:this.selection,selectionMode:y.oW.multiple},i.createElement("div",{className:_.text,role:"presentation"},n.length>0&&i.createElement("span",{id:this._ariaMap.selectedItems,className:_.itemsWrapper,role:"list"},this.renderItems()),this.canAddItems()&&i.createElement(D.G,(0,r.pi)({spellCheck:!1},l,{className:_.input,componentRef:this.input,onClick:this.onClick,onFocus:this.onInputFocus,onBlur:this.onInputBlur,onInputValueChange:this.onInputChange,suggestedDisplayValue:t,"aria-describedby":n.length>0?this._ariaMap.selectedItems:void 0,"aria-controls":f+" "+p||void 0,"aria-activedescendant":this.getActiveDescendant(),"aria-labelledby":this.props["aria-label"]?this._ariaMap.combobox:void 0,role:"textbox",disabled:c,onInputChange:this.props.onInputChange}))))),this.renderSuggestions())},t.prototype.canAddItems=function(){var e=this.state.items,t=this.props.itemLimit;return void 0===t||e.length=0){var o=this.root.current&&this.root.current.querySelectorAll("[data-selection-index]")[Math.min(e,t.length-1)];o&&this.focusZone.current&&this.focusZone.current.focusElement(o)}else this.canAddItems()?this.input.current&&this.input.current.focus():this.resetFocus(t.length-1)},t.prototype.onSuggestionSelect=function(){if(this.suggestionStore.currentSuggestion){var e=this.input.current?this.input.current.value:"",t=this._getTextFromItem(this.suggestionStore.currentSuggestion.item,e);this.setState({suggestedDisplayValue:t})}},t.prototype.onSelectionChange=function(){this.setState({selectedIndices:this.selection.getSelectedIndices()})},t.prototype.updateSuggestions=function(e){this.suggestionStore.updateSuggestions(e,0),this.forceUpdate()},t.prototype.onEmptyInputFocus=function(){var e=this.props.onEmptyResolveSuggestions?this.props.onEmptyResolveSuggestions:this.props.onEmptyInputFocus;if(e){var t=e(this.state.items);this.updateSuggestionsList(t),this.setState({isMostRecentlyUsedVisible:!0,suggestionsVisible:!0,moreSuggestionsAvailable:!1})}},t.prototype.updateValue=function(e){this._onResolveSuggestions(e)},t.prototype.updateSuggestionsList=function(e,t){var o=this,n=e,r=e;if(Array.isArray(n))this._updateAndResolveValue(t,n);else if(r&&r.then){this.setState({suggestionsLoading:!0}),this.suggestionStore.updateSuggestions([]),void 0!==t?this.setState({suggestionsVisible:this._getShowSuggestions()}):this.setState({suggestionsVisible:this.input.current&&this.input.current.inputElement===document.activeElement});var i=this.currentPromise=r;i.then((function(e){i===o.currentPromise&&o._updateAndResolveValue(t,e)}))}},t.prototype.resolveNewValue=function(e,t){var o=this;this.updateSuggestions(t);var n=void 0;this.suggestionStore.currentSuggestion&&(n=this._getTextFromItem(this.suggestionStore.currentSuggestion.item,e)),this.setState({suggestedDisplayValue:n,suggestionsVisible:this._getShowSuggestions()},(function(){return o.setState({suggestionsLoading:!1})}))},t.prototype.onChange=function(e){this.props.onChange&&this.props.onChange(e)},t.prototype.onBackspace=function(e){(this.state.items.length&&!this.input.current||this.input.current&&!this.input.current.isValueSelected&&0===this.input.current.cursorLocation)&&(this.selection.getSelectedCount()>0?this.removeItems(this.selection.getSelection()):this.removeItem(this.state.items[this.state.items.length-1]))},t.prototype.getActiveDescendant=function(){if(!this.state.suggestionsLoading){var e=this.suggestionStore.currentIndex;return e<0&&this.suggestionElement.current&&this.suggestionElement.current.hasSuggestedAction()?"sug-selectedAction":e>-1&&!this.state.suggestionsLoading?"sug-"+e:void 0}},t.prototype.getSuggestionsAlert=function(e){void 0===e&&(e=B.screenReaderOnly);var t=this.suggestionStore.currentIndex;if(this.props.enableSelectedSuggestionAlert){var o=t>-1?this.suggestionStore.getSuggestionAtIndex(this.suggestionStore.currentIndex):void 0,n=o?o.ariaLabel:void 0;return i.createElement("div",{className:e,role:"alert",id:this._ariaMap.selectedSuggestionAlert,"aria-live":"assertive"},n," ")}},t.prototype._updateAndResolveValue=function(e,t){void 0!==e?this.resolveNewValue(e,t):(this.suggestionStore.updateSuggestions(t,-1),this.state.suggestionsLoading&&this.setState({suggestionsLoading:!1}))},t.prototype._updateSelectedItems=function(e){var t=this;this.props.selectedItems?this.onChange(e):this.setState({items:e},(function(){t._onSelectedItemsUpdated(e)}))},t.prototype._onSelectedItemsUpdated=function(e){this.onChange(e)},t.prototype._getShowSuggestions=function(){return void 0!==this.input.current&&null!==this.input.current&&this.input.current.inputElement===document.activeElement&&""!==this.input.current.value},t.prototype._getTextFromItem=function(e,t){return this.props.getTextFromItem?this.props.getTextFromItem(e,t):""},t}(i.Component),A=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,r.ZT)(t,e),t.prototype.render=function(){var e=this.state,t=e.suggestedDisplayValue,o=e.isFocused,n=this.props,a=n.className,s=n.inputProps,l=n.disabled,c=n.theme,u=n.styles,d=this.props.enableSelectedSuggestionAlert?this._ariaMap.selectedSuggestionAlert:"",p=this.state.suggestionsVisible?this._ariaMap.suggestionList:"",f=u?F(u,{theme:c,className:a,isFocused:o,inputClassName:s&&s.className}):{root:(0,m.i)("ms-BasePicker",a||""),text:(0,m.i)("ms-BasePicker-text",B.pickerText,this.state.isFocused&&B.inputFocused,l&&B.inputDisabled),itemsWrapper:B.pickerItems,input:(0,m.i)("ms-BasePicker-input",B.pickerInput,s&&s.className),screenReaderText:B.screenReaderOnly};return i.createElement("div",{ref:this.root,onBlur:this.onBlur},i.createElement("div",{className:f.root,onKeyDown:this.onKeyDown},this.getSuggestionsAlert(f.screenReaderText),i.createElement("div",{className:f.text,"aria-owns":p||void 0,"aria-expanded":!!this.state.suggestionsVisible,"aria-haspopup":p&&this.suggestionStore.suggestions.length>0?"listbox":"dialog",role:"combobox"},i.createElement(D.G,(0,r.pi)({},s,{className:f.input,componentRef:this.input,onFocus:this.onInputFocus,onBlur:this.onInputBlur,onClick:this.onClick,onInputValueChange:this.onInputChange,suggestedDisplayValue:t,"aria-activedescendant":this.getActiveDescendant(),role:"textbox",disabled:l,"aria-controls":p+" "+d||void 0,onInputChange:this.props.onInputChange})))),this.renderSuggestions(),i.createElement(b.i,{selection:this.selection,selectionMode:y.oW.single},i.createElement(h.k,{componentRef:this.focusZone,className:"ms-BasePicker-selectedItems",isCircularNavigation:!0,direction:g.U.bidirectional,shouldEnterInnerZone:this._shouldFocusZoneEnterInnerZone,id:this._ariaMap.selectedItems,role:"list"},this.renderItems())))},t.prototype.onBackspace=function(e){},t}(L)},9378:(e,t,o)=>{"use strict";o.d(t,{W:()=>i});var n=o(9729),r={root:"ms-BasePicker",text:"ms-BasePicker-text",itemsWrapper:"ms-BasePicker-itemsWrapper",input:"ms-BasePicker-input"};function i(e){var t,o=e.className,i=e.theme,a=e.isFocused,s=e.inputClassName,l=e.disabled;if(!i)throw new Error("theme is undefined or null in base BasePicker getStyles function.");var c=i.semanticColors,u=i.effects,d=i.fonts,p=c.inputBorder,m=c.inputBorderHovered,h=c.inputFocusBorderAlt,g=(0,n.Cn)(r,i),f="rgba(218, 218, 218, 0.29)";return{root:[g.root,o],text:[g.text,{display:"flex",position:"relative",flexWrap:"wrap",alignItems:"center",boxSizing:"border-box",minWidth:180,minHeight:30,border:"1px solid "+p,borderRadius:u.roundedCorner2},!a&&!l&&{selectors:{":hover":{borderColor:m}}},a&&!l&&(0,n.$Y)(h,u.roundedCorner2),l&&{borderColor:f,selectors:(t={":after":{content:'""',position:"absolute",top:0,right:0,bottom:0,left:0,background:f}},t[n.qJ]={borderColor:"GrayText",selectors:{":after":{background:"none"}}},t)}],itemsWrapper:[g.itemsWrapper,{display:"flex",flexWrap:"wrap",maxWidth:"100%"}],input:[g.input,d.medium,{height:30,border:"none",flexGrow:1,outline:"none",padding:"0 6px 0",alignSelf:"flex-end",borderRadius:u.roundedCorner2,backgroundColor:"transparent",color:c.inputText,selectors:{"::-ms-clear":{display:"none"}}},s],screenReaderText:n.ul}}},7115:(e,t,o)=>{"use strict";var n;o.d(t,{Y:()=>n}),function(e){e[e.valid=0]="valid",e[e.warning=1]="warning",e[e.invalid=2]="invalid"}(n||(n={}))},9318:(e,t,o)=>{"use strict";o.d(t,{UM:()=>m,Aj:()=>h,fK:()=>g,eT:()=>f,XF:()=>v,IV:()=>b,cA:()=>y,V1:()=>_,CV:()=>C});var n=o(7622),r=o(7002),i=o(6104),a=o(5951),s=o(2002),l=o(8976),c=o(7115),u=o(4885),d=o(2535),p=o(9378),m=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t}(l.d),h=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t}(l.Y),g=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.defaultProps={onRenderItem:function(e){return r.createElement(u.A,(0,n.pi)({},e))},onRenderSuggestionsItem:function(e,t){return r.createElement(d.E,{personaProps:e,suggestionsProps:t})},createGenericItem:b},t}(m),f=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.defaultProps={onRenderItem:function(e){return r.createElement(u.A,(0,n.pi)({},e))},onRenderSuggestionsItem:function(e,t){return r.createElement(d.E,{personaProps:e,suggestionsProps:t,compact:!0})},createGenericItem:b},t}(m),v=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.defaultProps={onRenderItem:function(e){return r.createElement(u.A,(0,n.pi)({},e))},onRenderSuggestionsItem:function(e,t){return r.createElement(d.E,{personaProps:e,suggestionsProps:t})},createGenericItem:b},t}(h);function b(e,t){var o={key:e,primaryText:e,imageInitials:"!",ValidationState:t};return t!==c.Y.warning&&(o.imageInitials=(0,i.Q)(e,(0,a.zg)())),o}var y=(0,s.z)(g,p.W,void 0,{scope:"NormalPeoplePicker"}),_=(0,s.z)(f,p.W,void 0,{scope:"CompactPeoplePicker"}),C=(0,s.z)(v,p.W,void 0,{scope:"ListPeoplePickerBase"})},4885:(e,t,o)=>{"use strict";o.d(t,{A:()=>v,u:()=>f});var n=o(7622),r=o(7002),i=o(7300),a=o(2782),s=o(2002),l=o(7665),c=o(7481),u=o(5758),d=o(7115),p=o(9729),m=o(2657),h={root:"ms-PickerPersona-container",itemContent:"ms-PickerItem-content",removeButton:"ms-PickerItem-removeButton",isSelected:"is-selected",isInvalid:"is-invalid"},g=(0,i.y)(),f=function(e){var t=e.item,o=e.onRemoveItem,i=e.index,s=e.selected,p=e.removeButtonAriaLabel,m=e.styles,h=e.theme,f=e.className,v=e.disabled,b=(0,a.z)(),y=g(m,{theme:h,className:f,selected:s,disabled:v,invalid:t.ValidationState===d.Y.warning}),_=y.subComponentStyles?y.subComponentStyles.persona:void 0,C=y.subComponentStyles?y.subComponentStyles.personaCoin:void 0;return r.createElement("div",{className:y.root,"data-is-focusable":!v,"data-is-sub-focuszone":!0,"data-selection-index":i,role:"listitem","aria-labelledby":"selectedItemPersona-"+b},r.createElement("div",{className:y.itemContent,id:"selectedItemPersona-"+b},r.createElement(l.I,(0,n.pi)({size:c.Ir.size24,styles:_,coinProps:{styles:C}},t))),r.createElement(u.h,{onClick:o,disabled:v,iconProps:{iconName:"Cancel",styles:{root:{fontSize:"12px"}}},className:y.removeButton,ariaLabel:p}))},v=(0,s.z)(f,(function(e){var t,o,r,i,a,s,l,c=e.className,u=e.theme,d=e.selected,g=e.invalid,f=e.disabled,v=u.palette,b=u.semanticColors,y=u.fonts,_=(0,p.Cn)(h,u),C=[d&&!g&&!f&&{color:v.white,selectors:(t={":hover":{color:v.white}},t[p.qJ]={color:"HighlightText"},t)},(g&&!d||g&&d&&f)&&{color:v.redDark,borderBottom:"2px dotted "+v.redDark,selectors:(o={},o["."+_.root+":hover &"]={color:v.redDark},o)},g&&d&&!f&&{color:v.white,borderBottom:"2px dotted "+v.white},f&&{selectors:(r={},r[p.qJ]={color:"GrayText"},r)}],S=[g&&{fontSize:y.xLarge.fontSize}];return{root:[_.root,(0,p.GL)(u,{inset:-2}),{borderRadius:15,display:"inline-flex",alignItems:"center",background:v.neutralLighter,margin:"1px 2px",cursor:"default",userSelect:"none",maxWidth:300,verticalAlign:"middle",minWidth:0,selectors:(i={":hover":{background:d||f?"":v.neutralLight}},i[p.qJ]=[{border:"1px solid WindowText"},f&&{borderColor:"GrayText"}],i)},d&&!f&&[_.isSelected,{background:v.themePrimary,selectors:(a={},a[p.qJ]=(0,n.pi)({borderColor:"HighLight",background:"Highlight"},(0,p.xM)()),a)}],g&&[_.isInvalid],g&&d&&!f&&{background:v.redDark},c],itemContent:[_.itemContent,{flex:"0 1 auto",minWidth:0,maxWidth:"100%",overflow:"hidden"}],removeButton:[_.removeButton,{borderRadius:15,color:v.neutralPrimary,flex:"0 0 auto",width:24,height:24,selectors:{":hover":{background:v.neutralTertiaryAlt,color:v.neutralDark}}},d&&[{color:v.white,selectors:(s={":hover":{color:v.white,background:v.themeDark},":active":{color:v.white,background:v.themeDarker}},s[p.qJ]={color:"HighlightText"},s)},g&&{selectors:{":hover":{background:v.red},":active":{background:v.redDark}}}],f&&{selectors:(l={},l["."+m.n.msButtonIcon]={color:b.buttonText},l)}],subComponentStyles:{persona:{primaryText:C},personaCoin:{initials:S}}}}),void 0,{scope:"PeoplePickerItem"})},2535:(e,t,o)=>{"use strict";o.d(t,{E:()=>h,R:()=>m});var n=o(7622),r=o(7002),i=o(7300),a=o(2002),s=o(7665),l=o(7481),c=o(9729),u=o(4010),d={root:"ms-PeoplePicker-personaContent",personaWrapper:"ms-PeoplePicker-Persona"},p=(0,i.y)(),m=function(e){var t=e.personaProps,o=e.suggestionsProps,i=e.compact,a=e.styles,c=e.theme,u=e.className,d=p(a,{theme:c,className:o&&o.suggestionsItemClassName||u}),m=d.subComponentStyles&&d.subComponentStyles.persona?d.subComponentStyles.persona:void 0;return r.createElement("div",{className:d.root},r.createElement(s.I,(0,n.pi)({size:l.Ir.size24,styles:m,className:d.personaWrapper,showSecondaryText:!i},t)))},h=(0,a.z)(m,(function(e){var t,o,n,r=e.className,i=e.theme,a=(0,c.Cn)(d,i),s={selectors:(t={},t["."+u.k.isSuggested+" &"]={selectors:(o={},o[c.qJ]={color:"HighlightText"},o)},t["."+a.root+":hover &"]={selectors:(n={},n[c.qJ]={color:"HighlightText"},n)},t)};return{root:[a.root,{width:"100%",padding:"4px 12px"},r],personaWrapper:[a.personaWrapper,{width:180}],subComponentStyles:{persona:{primaryText:s,secondaryText:s}}}}),void 0,{scope:"PeoplePickerItemSuggestion"})},4800:(e,t,o)=>{"use strict";o.d(t,{D:()=>y});var n=o(7622),r=o(7002),i=o(7300),a=o(2002),s=o(8145),l=o(688),c=o(8088),u=o(990),d=o(76),p=o(3945),m=o(9862),h=o(7420),g=o(4010),f=o(8463),v=(0,i.y)(),b=(0,a.z)(h.S,g.W,void 0,{scope:"SuggestionItem"}),y=function(e){function t(t){var o=e.call(this,t)||this;return o._forceResolveButton=r.createRef(),o._searchForMoreButton=r.createRef(),o._selectedElement=r.createRef(),o.tryHandleKeyDown=function(e,t){var n=!1,r=null,i=o.state.selectedActionType,a=o.props.suggestions.length;if(e===s.m.down)switch(i){case m.L.forceResolve:a>0?(o._refocusOnSuggestions(e),r=m.L.none):r=o._searchForMoreButton.current?m.L.searchMore:m.L.forceResolve;break;case m.L.searchMore:o._forceResolveButton.current?r=m.L.forceResolve:a>0?(o._refocusOnSuggestions(e),r=m.L.none):r=m.L.searchMore;break;case m.L.none:-1===t&&o._forceResolveButton.current&&(r=m.L.forceResolve)}else if(e===s.m.up)switch(i){case m.L.forceResolve:o._searchForMoreButton.current?r=m.L.searchMore:a>0&&(o._refocusOnSuggestions(e),r=m.L.none);break;case m.L.searchMore:a>0?(o._refocusOnSuggestions(e),r=m.L.none):o._forceResolveButton.current&&(r=m.L.forceResolve);break;case m.L.none:-1===t&&o._searchForMoreButton.current&&(r=m.L.searchMore)}return null!==r&&(o.setState({selectedActionType:r}),n=!0),n},o._getAlertText=function(){var e=o.props,t=e.isLoading,n=e.isSearching,r=e.suggestions,i=e.suggestionsAvailableAlertText,a=e.noResultsFoundText;if(!t&&!n){if(r.length>0)return i||"";if(a)return a}return""},o._getMoreResults=function(){o.props.onGetMoreResults&&o.props.onGetMoreResults()},o._forceResolve=function(){o.props.createGenericItem&&o.props.createGenericItem()},o._shouldShowForceResolve=function(){return!!o.props.showForceResolve&&o.props.showForceResolve()},o._onClickTypedSuggestionsItem=function(e,t){return function(n){o.props.onSuggestionClick(n,e,t)}},o._refocusOnSuggestions=function(e){"function"==typeof o.props.refocusSuggestions&&o.props.refocusSuggestions(e)},o._onRemoveTypedSuggestionsItem=function(e,t){return function(n){(0,o.props.onSuggestionRemove)(n,e,t),n.stopPropagation()}},(0,l.l)(o),o.state={selectedActionType:m.L.none},o}return(0,n.ZT)(t,e),t.prototype.componentDidMount=function(){this.scrollSelected(),this.activeSelectedElement=this._selectedElement?this._selectedElement.current:null},t.prototype.componentDidUpdate=function(){this._selectedElement.current&&this.activeSelectedElement!==this._selectedElement.current&&(this.scrollSelected(),this.activeSelectedElement=this._selectedElement.current)},t.prototype.render=function(){var e,t,o=this,i=this.props,a=i.forceResolveText,s=i.mostRecentlyUsedHeaderText,l=i.searchForMoreText,h=i.className,g=i.moreSuggestionsAvailable,b=i.noResultsFoundText,y=i.suggestions,_=i.isLoading,C=i.isSearching,S=i.loadingText,x=i.onRenderNoResultFound,k=i.searchingText,w=i.isMostRecentlyUsedVisible,I=i.resultsMaximumNumber,D=i.resultsFooterFull,T=i.resultsFooter,E=i.isResultsFooterVisible,P=void 0===E||E,M=i.suggestionsHeaderText,R=i.suggestionsClassName,N=i.theme,B=i.styles,F=i.suggestionsListId;this._classNames=B?v(B,{theme:N,className:h,suggestionsClassName:R,forceResolveButtonSelected:this.state.selectedActionType===m.L.forceResolve,searchForMoreButtonSelected:this.state.selectedActionType===m.L.searchMore}):{root:(0,c.i)("ms-Suggestions",h,f.root),title:(0,c.i)("ms-Suggestions-title",f.suggestionsTitle),searchForMoreButton:(0,c.i)("ms-SearchMore-button",f.actionButton,(e={},e["is-selected "+f.buttonSelected]=this.state.selectedActionType===m.L.searchMore,e)),forceResolveButton:(0,c.i)("ms-forceResolve-button",f.actionButton,(t={},t["is-selected "+f.buttonSelected]=this.state.selectedActionType===m.L.forceResolve,t)),suggestionsAvailable:(0,c.i)("ms-Suggestions-suggestionsAvailable",f.suggestionsAvailable),suggestionsContainer:(0,c.i)("ms-Suggestions-container",f.suggestionsContainer,R),noSuggestions:(0,c.i)("ms-Suggestions-none",f.suggestionsNone)};var L=this._classNames.subComponentStyles?this._classNames.subComponentStyles.spinner:void 0,A=B?{styles:L}:{className:(0,c.i)("ms-Suggestions-spinner",f.suggestionsSpinner)},z=function(){return b?r.createElement("div",{className:o._classNames.noSuggestions},b):null},H=M;w&&s&&(H=s);var O=void 0;P&&(O=y.length>=I?D:T);var W=!(y&&y.length||_),V=W||_?{role:"dialog",id:F}:{},K=this.state.selectedActionType===m.L.forceResolve?"sug-selectedAction":void 0,q=this.state.selectedActionType===m.L.searchMore?"sug-selectedAction":void 0;return r.createElement("div",(0,n.pi)({className:this._classNames.root},V),r.createElement(p.O,{message:this._getAlertText(),"aria-live":"polite"}),H?r.createElement("div",{className:this._classNames.title},H):null,a&&this._shouldShowForceResolve()&&r.createElement(u.M,{componentRef:this._forceResolveButton,className:this._classNames.forceResolveButton,id:K,onClick:this._forceResolve,"data-automationid":"sug-forceResolve"},a),_&&r.createElement(d.$,(0,n.pi)({},A,{label:S})),W?x?x(void 0,z):z():this._renderSuggestions(),l&&g&&r.createElement(u.M,{componentRef:this._searchForMoreButton,className:this._classNames.searchForMoreButton,iconProps:{iconName:"Search"},id:q,onClick:this._getMoreResults,"data-automationid":"sug-searchForMore"},l),C?r.createElement(d.$,(0,n.pi)({},A,{label:k})):null,!O||g||w||C?null:r.createElement("div",{className:this._classNames.title},O(this.props)))},t.prototype.hasSuggestedAction=function(){return!!this._searchForMoreButton.current||!!this._forceResolveButton.current},t.prototype.hasSuggestedActionSelected=function(){return this.state.selectedActionType!==m.L.none},t.prototype.executeSelectedAction=function(){switch(this.state.selectedActionType){case m.L.forceResolve:this._forceResolve();break;case m.L.searchMore:this._getMoreResults()}},t.prototype.focusAboveSuggestions=function(){this._forceResolveButton.current?this.setState({selectedActionType:m.L.forceResolve}):this._searchForMoreButton.current&&this.setState({selectedActionType:m.L.searchMore})},t.prototype.focusBelowSuggestions=function(){this._searchForMoreButton.current?this.setState({selectedActionType:m.L.searchMore}):this._forceResolveButton.current&&this.setState({selectedActionType:m.L.forceResolve})},t.prototype.focusSearchForMoreButton=function(){this._searchForMoreButton.current&&this._searchForMoreButton.current.focus()},t.prototype.scrollSelected=function(){this._selectedElement.current&&void 0!==this._selectedElement.current.scrollIntoView&&this._selectedElement.current.scrollIntoView(!1)},t.prototype._renderSuggestions=function(){var e=this,t=this.props,o=t.onRenderSuggestion,n=t.removeSuggestionAriaLabel,i=t.suggestionsItemClassName,a=t.resultsMaximumNumber,s=t.showRemoveButtons,l=t.suggestionsContainerAriaLabel,c=t.suggestionsListId,u=this.props.suggestions,d=b,p=-1;return u.some((function(e,t){return!!e.selected&&(p=t,!0)})),a&&(u=p>=a?u.slice(p-a+1,p+1):u.slice(0,a)),0===u.length?null:r.createElement("div",{className:this._classNames.suggestionsContainer,id:c,role:"listbox","aria-label":l},u.map((function(t,a){return r.createElement("div",{ref:t.selected?e._selectedElement:void 0,key:t.item.key?t.item.key:a},r.createElement(d,{suggestionModel:t,RenderSuggestion:o,onClick:e._onClickTypedSuggestionsItem(t.item,a),className:i,showRemoveButton:s,removeButtonAriaLabel:n,onRemoveItem:e._onRemoveTypedSuggestionsItem(t.item,a),id:"sug-"+a}))})))},t}(r.Component)},8463:(e,t,o)=>{"use strict";o.r(t),o.d(t,{root:()=>n,suggestionsItem:()=>r,closeButton:()=>i,suggestionsItemIsSuggested:()=>a,itemButton:()=>s,actionButton:()=>l,buttonSelected:()=>c,suggestionsTitle:()=>u,suggestionsContainer:()=>d,suggestionsNone:()=>p,suggestionsSpinner:()=>m,suggestionsAvailable:()=>h}),(0,o(4976).RM)([{rawString:".root_744a4167{min-width:260px}.suggestionsItem_744a4167{display:-webkit-box;display:-ms-flexbox;display:flex;-webkit-box-align:stretch;-ms-flex-align:stretch;align-items:stretch;-webkit-box-sizing:border-box;box-sizing:border-box;width:100%;position:relative;overflow:hidden}.suggestionsItem_744a4167:hover{background:"},{theme:"neutralLighter",defaultValue:"#f3f2f1"},{rawString:"}.suggestionsItem_744a4167:hover .closeButton_744a4167{display:block}.suggestionsItem_744a4167.suggestionsItemIsSuggested_744a4167{background:"},{theme:"neutralLight",defaultValue:"#edebe9"},{rawString:"}.suggestionsItem_744a4167.suggestionsItemIsSuggested_744a4167:hover{background:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c6c4"},{rawString:"}@media screen and (-ms-high-contrast:active){.suggestionsItem_744a4167.suggestionsItemIsSuggested_744a4167:hover{background:Highlight;color:HighlightText}}@media screen and (-ms-high-contrast:active){.suggestionsItem_744a4167.suggestionsItemIsSuggested_744a4167{background:Highlight;color:HighlightText;-ms-high-contrast-adjust:none}}.suggestionsItem_744a4167.suggestionsItemIsSuggested_744a4167 .closeButton_744a4167:hover{background:"},{theme:"neutralTertiary",defaultValue:"#a19f9d"},{rawString:";color:"},{theme:"neutralPrimary",defaultValue:"#323130"},{rawString:"}@media screen and (-ms-high-contrast:active){.suggestionsItem_744a4167.suggestionsItemIsSuggested_744a4167 .itemButton_744a4167{color:HighlightText}}.suggestionsItem_744a4167 .closeButton_744a4167{display:none;color:"},{theme:"neutralSecondary",defaultValue:"#605e5c"},{rawString:"}.suggestionsItem_744a4167 .closeButton_744a4167:hover{background:"},{theme:"neutralLight",defaultValue:"#edebe9"},{rawString:"}.actionButton_744a4167{background-color:transparent;border:0;cursor:pointer;margin:0;position:relative;border-top:1px solid "},{theme:"neutralLight",defaultValue:"#edebe9"},{rawString:";height:40px;width:100%;font-size:12px}[dir=ltr] .actionButton_744a4167{padding-left:8px}[dir=rtl] .actionButton_744a4167{padding-right:8px}html[dir=ltr] .actionButton_744a4167{text-align:left}html[dir=rtl] .actionButton_744a4167{text-align:right}.actionButton_744a4167:hover{background-color:"},{theme:"neutralLight",defaultValue:"#edebe9"},{rawString:";cursor:pointer}.actionButton_744a4167:active,.actionButton_744a4167:focus{background-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:"}.actionButton_744a4167 .ms-Button-icon{font-size:16px;width:25px}.actionButton_744a4167 .ms-Button-label{margin:0 4px 0 9px}html[dir=rtl] .actionButton_744a4167 .ms-Button-label{margin:0 9px 0 4px}.buttonSelected_744a4167{background-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:"}.suggestionsTitle_744a4167{padding:0 12px;color:"},{theme:"themePrimary",defaultValue:"#0078d4"},{rawString:";font-size:12px;line-height:40px;border-bottom:1px solid "},{theme:"neutralLight",defaultValue:"#edebe9"},{rawString:"}.suggestionsContainer_744a4167{overflow-y:auto;overflow-x:hidden;max-height:300px;border-bottom:1px solid "},{theme:"neutralLight",defaultValue:"#edebe9"},{rawString:"}.suggestionsNone_744a4167{text-align:center;color:#797775;font-size:12px;line-height:30px}.suggestionsSpinner_744a4167{margin:5px 0;white-space:nowrap;line-height:20px;font-size:12px}html[dir=ltr] .suggestionsSpinner_744a4167{padding-left:14px}html[dir=rtl] .suggestionsSpinner_744a4167{padding-right:14px}html[dir=ltr] .suggestionsSpinner_744a4167{text-align:left}html[dir=rtl] .suggestionsSpinner_744a4167{text-align:right}.suggestionsSpinner_744a4167 .ms-Spinner-circle{display:inline-block;vertical-align:middle}.suggestionsSpinner_744a4167 .ms-Spinner-label{display:inline-block;margin:0 10px 0 16px;vertical-align:middle}html[dir=rtl] .suggestionsSpinner_744a4167 .ms-Spinner-label{margin:0 16px 0 10px}.itemButton_744a4167.itemButton_744a4167{width:100%;padding:0;min-width:0;height:100%}@media screen and (-ms-high-contrast:active){.itemButton_744a4167.itemButton_744a4167{color:WindowText}}.itemButton_744a4167.itemButton_744a4167:hover{color:"},{theme:"neutralDark",defaultValue:"#201f1e"},{rawString:"}.closeButton_744a4167.closeButton_744a4167{padding:0 4px;height:auto;width:32px}@media screen and (-ms-high-contrast:active){.closeButton_744a4167.closeButton_744a4167{color:WindowText}}.closeButton_744a4167.closeButton_744a4167:hover{background:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c6c4"},{rawString:";color:"},{theme:"neutralDark",defaultValue:"#201f1e"},{rawString:"}.suggestionsAvailable_744a4167{position:absolute;width:1px;height:1px;padding:0;margin:-1px;overflow:hidden;clip:rect(0,0,0,0);border:0}"}]);var n="root_744a4167",r="suggestionsItem_744a4167",i="closeButton_744a4167",a="suggestionsItemIsSuggested_744a4167",s="itemButton_744a4167",l="actionButton_744a4167",c="buttonSelected_744a4167",u="suggestionsTitle_744a4167",d="suggestionsContainer_744a4167",p="suggestionsNone_744a4167",m="suggestionsSpinner_744a4167",h="suggestionsAvailable_744a4167"},9862:(e,t,o)=>{"use strict";var n;o.d(t,{L:()=>n}),function(e){e[e.none=0]="none",e[e.forceResolve=1]="forceResolve",e[e.searchMore=2]="searchMore"}(n||(n={}))},6920:(e,t,o)=>{"use strict";o.d(t,{Z:()=>n});var n=function(){function e(){var e=this;this._isSuggestionModel=function(e){return void 0!==e.item},this._ensureSuggestionModel=function(t){return e._isSuggestionModel(t)?t:{item:t,selected:!1,ariaLabel:t.name||t.primaryText}},this.suggestions=[],this.currentIndex=-1}return e.prototype.updateSuggestions=function(e,t){e&&e.length>0?(this.suggestions=this.convertSuggestionsToSuggestionItems(e),this.currentIndex=t||0,-1===t?this.currentSuggestion=void 0:void 0!==t&&(this.suggestions[t].selected=!0,this.currentSuggestion=this.suggestions[t])):(this.suggestions=[],this.currentIndex=-1,this.currentSuggestion=void 0)},e.prototype.nextSuggestion=function(){if(this.suggestions&&this.suggestions.length){if(this.currentIndex0)return this.setSelectedSuggestion(this.currentIndex-1),!0;if(0===this.currentIndex)return this.setSelectedSuggestion(this.suggestions.length-1),!0}return!1},e.prototype.getSuggestions=function(){return this.suggestions},e.prototype.getCurrentItem=function(){return this.currentSuggestion},e.prototype.getSuggestionAtIndex=function(e){return this.suggestions[e]},e.prototype.hasSelectedSuggestion=function(){return!!this.currentSuggestion},e.prototype.removeSuggestion=function(e){this.suggestions.splice(e,1)},e.prototype.createGenericSuggestion=function(e){var t=this.convertSuggestionsToSuggestionItems([e])[0];this.currentSuggestion=t},e.prototype.convertSuggestionsToSuggestionItems=function(e){return Array.isArray(e)?e.map(this._ensureSuggestionModel):[]},e.prototype.deselectAllSuggestions=function(){this.currentIndex>-1&&(this.suggestions[this.currentIndex].selected=!1,this.currentIndex=-1)},e.prototype.setSelectedSuggestion=function(e){e>this.suggestions.length-1||e<0?(this.currentIndex=0,this.currentSuggestion.selected=!1,this.currentSuggestion=this.suggestions[0],this.currentSuggestion.selected=!0):(this.currentIndex>-1&&(this.suggestions[this.currentIndex].selected=!1),this.suggestions[e].selected=!0,this.currentIndex=e,this.currentSuggestion=this.suggestions[e])},e}()},7420:(e,t,o)=>{"use strict";o.d(t,{S:()=>p});var n=o(7622),r=o(7002),i=o(7300),a=o(688),s=o(8088),l=o(990),c=o(5758),u=o(8463),d=(0,i.y)(),p=function(e){function t(t){var o=e.call(this,t)||this;return(0,a.l)(o),o}return(0,n.ZT)(t,e),t.prototype.render=function(){var e,t=this.props,o=t.suggestionModel,n=t.RenderSuggestion,i=t.onClick,a=t.className,p=t.id,m=t.onRemoveItem,h=t.isSelectedOverride,g=t.removeButtonAriaLabel,f=t.styles,v=t.theme,b=f?d(f,{theme:v,className:a,suggested:o.selected||h}):{root:(0,s.i)("ms-Suggestions-item",u.suggestionsItem,(e={},e["is-suggested "+u.suggestionsItemIsSuggested]=o.selected||h,e),a),itemButton:(0,s.i)("ms-Suggestions-itemButton",u.itemButton),closeButton:(0,s.i)("ms-Suggestions-closeButton",u.closeButton)};return r.createElement("div",{className:b.root},r.createElement(l.M,{onClick:i,className:b.itemButton,id:p,"aria-selected":o.selected,role:"option","aria-label":o.ariaLabel},n(o.item,this.props)),this.props.showRemoveButton?r.createElement(c.h,{iconProps:{iconName:"Cancel",styles:{root:{fontSize:"12px"}}},title:g,ariaLabel:g,onClick:m,className:b.closeButton}):null)},t}(r.Component)},4010:(e,t,o)=>{"use strict";o.d(t,{k:()=>a,W:()=>s});var n=o(7622),r=o(9729),i=o(6145),a={root:"ms-Suggestions-item",itemButton:"ms-Suggestions-itemButton",closeButton:"ms-Suggestions-closeButton",isSuggested:"is-suggested"};function s(e){var t,o,s,l,c,u,d=e.className,p=e.theme,m=e.suggested,h=p.palette,g=p.semanticColors,f=(0,r.Cn)(a,p);return{root:[f.root,{display:"flex",alignItems:"stretch",boxSizing:"border-box",width:"100%",position:"relative",selectors:{"&:hover":{background:g.menuItemBackgroundHovered},"&:hover .ms-Suggestions-closeButton":{display:"block"}}},m&&{selectors:(t={},t["."+i.G$+" &"]={selectors:(o={},o["."+f.closeButton]={display:"block",background:g.menuItemBackgroundPressed},o)},t[":after"]={pointerEvents:"none",content:'""',position:"absolute",left:0,top:0,bottom:0,right:0,border:"1px solid "+p.semanticColors.focusBorder},t)},d],itemButton:[f.itemButton,{width:"100%",padding:0,border:"none",height:"100%",minWidth:0,overflow:"hidden",selectors:(s={},s[r.qJ]={color:"WindowText",selectors:{":hover":(0,n.pi)({background:"Highlight",color:"HighlightText"},(0,r.xM)())}},s[":hover"]={color:g.menuItemTextHovered},s)},m&&[f.isSuggested,{background:g.menuItemBackgroundPressed,selectors:(l={":hover":{background:g.menuDivider}},l[r.qJ]=(0,n.pi)({background:"Highlight",color:"HighlightText"},(0,r.xM)()),l)}]],closeButton:[f.closeButton,{display:"none",color:h.neutralSecondary,padding:"0 4px",height:"auto",width:32,selectors:(c={":hover, :active":{background:h.neutralTertiaryAlt,color:h.neutralDark}},c[r.qJ]={color:"WindowText"},c)},m&&(u={},u["."+i.G$+" &"]={selectors:{":hover, :active":{background:h.neutralTertiary}}},u.selectors={":hover, :active":{background:h.neutralTertiary,color:h.neutralPrimary}},u)]}}},6826:(e,t,o)=>{"use strict";o.r(t),o.d(t,{ActionButton:()=>_e.K,ActivityItem:()=>S,AnimationClassNames:()=>u.k4,AnimationDirection:()=>Be.s,AnimationStyles:()=>u.Ic,AnimationVariables:()=>u.D1,Announced:()=>k.O,AnnouncedBase:()=>w.d,Async:()=>bo.e,AutoScroll:()=>Ws,Autofill:()=>x.G,BaseButton:()=>ve.Y,BaseComponent:()=>Ie.H,BaseExtendedPeoplePicker:()=>na,BaseExtendedPicker:()=>ta,BaseFloatingPeoplePicker:()=>Ba,BaseFloatingPicker:()=>Ra,BasePeoplePicker:()=>wl.UM,BasePeopleSelectedItemsList:()=>Bc,BasePicker:()=>xl.d,BasePickerListBelow:()=>xl.Y,BaseSelectedItemsList:()=>fc,BaseSlots:()=>np,Breadcrumb:()=>fe,BreadcrumbBase:()=>ue,Button:()=>xe,ButtonGrid:()=>Me._,ButtonGridCell:()=>Re.U,ButtonType:()=>ne,COACHMARK_ATTRIBUTE_NAME:()=>xt,Calendar:()=>Ne.f,Callout:()=>Ae.U,CalloutContent:()=>ze.N,CalloutContentBase:()=>He.H,Check:()=>je,CheckBase:()=>qe,Checkbox:()=>Je.X,CheckboxBase:()=>Ye.A,CheckboxVisibility:()=>un,ChoiceGroup:()=>Ze.F,ChoiceGroupBase:()=>Xe.q,ChoiceGroupOption:()=>Qe.c,Coachmark:()=>Dt,CoachmarkBase:()=>wt,CollapseAllVisibility:()=>zo,ColorClassNames:()=>u.JJ,ColorPicker:()=>go.z,ColorPickerBase:()=>fo.T,ColorPickerGridCell:()=>qu.h,ColorPickerGridCellBase:()=>Gu.t,ColumnActionsMode:()=>an,ColumnDragEndLocation:()=>ln,ComboBox:()=>vo.C,CommandBar:()=>qo,CommandBarBase:()=>Ko,CommandBarButton:()=>ke.Q,CommandButton:()=>we.M,CommunicationColors:()=>vd,CompactPeoplePicker:()=>wl.V1,CompactPeoplePickerBase:()=>wl.eT,CompoundButton:()=>Ce.W,ConstrainMode:()=>sn,ContextualMenu:()=>Go.r,ContextualMenuBase:()=>Uo.MK,ContextualMenuItem:()=>Jo.W,ContextualMenuItemBase:()=>Yo.b,ContextualMenuItemType:()=>jo.n,Customizations:()=>Du.X,Customizer:()=>wp.N,CustomizerContext:()=>Iu.i,DATAKTP_ARIA_TARGET:()=>hs.A4,DATAKTP_EXECUTE_TARGET:()=>hs.ms,DATAKTP_TARGET:()=>hs.fV,DATA_IS_SCROLLABLE_ATTRIBUTE:()=>yo.c6,DATA_PORTAL_ATTRIBUTE:()=>Fp.Y,DAYS_IN_WEEK:()=>Le.NA,DEFAULT_CELL_STYLE_PROPS:()=>hn,DEFAULT_MASK_CHAR:()=>gd,DEFAULT_ROW_HEIGHTS:()=>gn,DatePicker:()=>Xo.M,DatePickerBase:()=>Qo.R,DateRangeType:()=>Le.NU,DayOfWeek:()=>Le.eO,DefaultButton:()=>ye.a,DefaultEffects:()=>u.rN,DefaultFontStyles:()=>u.ir,DefaultPalette:()=>u.UK,DefaultSpacing:()=>wd.C,DelayedRender:()=>Us.U,Depths:()=>kd.N,DetailsColumnBase:()=>En,DetailsHeader:()=>Hn,DetailsHeaderBase:()=>Bn,DetailsList:()=>xr,DetailsListBase:()=>br,DetailsListLayoutMode:()=>cn,DetailsRow:()=>Gn,DetailsRowBase:()=>Kn,DetailsRowCheck:()=>In,DetailsRowFields:()=>On,DetailsRowGlobalClassNames:()=>mn,Dialog:()=>ni,DialogBase:()=>ti,DialogContent:()=>Xr,DialogContentBase:()=>Yr,DialogFooter:()=>Ur,DialogFooterBase:()=>qr,DialogType:()=>Cr,DirectionalHint:()=>K.b,DocumentCard:()=>mi,DocumentCardActions:()=>vi,DocumentCardActivity:()=>_i,DocumentCardDetails:()=>ki,DocumentCardImage:()=>Li,DocumentCardLocation:()=>Di,DocumentCardLogo:()=>Ki,DocumentCardPreview:()=>Mi,DocumentCardStatus:()=>ji,DocumentCardTitle:()=>Hi,DocumentCardType:()=>ri,DragDropHelper:()=>Dn,Dropdown:()=>Ji.L,DropdownBase:()=>Yi.P,DropdownMenuItemType:()=>Zi.F,EdgeChromiumHighContrastSelector:()=>u.Ox,ElementType:()=>oe,EventGroup:()=>at.r,ExpandingCard:()=>ja,ExpandingCardBase:()=>Ua,ExpandingCardMode:()=>Va,ExtendedPeoplePicker:()=>ra,ExtendedSelectedItem:()=>Ec,Fabric:()=>ia.P,FabricBase:()=>aa.d,FabricPerformance:()=>fp,FabricSlots:()=>rp,Facepile:()=>ha,FacepileBase:()=>pa,FirstWeekOfYear:()=>Le.On,FloatingPeoplePicker:()=>Fa,FluentTheme:()=>Vd,FocusRects:()=>B.u,FocusTrapCallout:()=>We,FocusTrapZone:()=>Oe.P,FocusZone:()=>M.k,FocusZoneDirection:()=>R.U,FocusZoneTabbableElements:()=>R.J,FontClassNames:()=>u.yV,FontIcon:()=>Ve.xu,FontSizes:()=>u.TS,FontWeights:()=>u.lq,GlobalSettings:()=>vp.D,GroupFooter:()=>ir,GroupHeader:()=>$n,GroupShowAll:()=>or,GroupSpacer:()=>pn,GroupedList:()=>dr,GroupedListBase:()=>ur,GroupedListSection:()=>ar,HEX_REGEX:()=>Tt.lX,HighContrastSelector:()=>u.qJ,HighContrastSelectorBlack:()=>u.$v,HighContrastSelectorWhite:()=>u.bO,HoverCard:()=>es,HoverCardBase:()=>$a,HoverCardType:()=>Oa,Icon:()=>W.J,IconBase:()=>ts.A,IconButton:()=>V.h,IconFontSizes:()=>u.ld,IconType:()=>os.T,Image:()=>Ti.E,ImageBase:()=>is.v,ImageCoverStyle:()=>as.yZ,ImageFit:()=>as.kQ,ImageIcon:()=>ns.X,ImageLoadState:()=>as.U9,InjectionMode:()=>u.qS,IsFocusVisibleClassName:()=>de.G$,KTP_ARIA_SEPARATOR:()=>hs.Tc,KTP_FULL_PREFIX:()=>hs.L7,KTP_LAYER_ID:()=>hs.nK,KTP_PREFIX:()=>hs.ww,KTP_SEPARATOR:()=>hs.by,KeyCodes:()=>rt.m,KeyboardSpinDirection:()=>fu.T,Keytip:()=>ps,KeytipData:()=>ms.a,KeytipEvents:()=>hs.Tj,KeytipLayer:()=>Es,KeytipLayerBase:()=>Ts,KeytipManager:()=>Bo.K,Label:()=>Ns._,LabelBase:()=>Rs.E,Layer:()=>dt.m,LayerBase:()=>Ls.s,LayerHost:()=>zs,Link:()=>O,LinkBase:()=>A,List:()=>Eo,ListPeoplePicker:()=>wl.CV,ListPeoplePickerBase:()=>wl.XF,LocalizedFontFamilies:()=>Od.II,LocalizedFontNames:()=>Od.Qm,MAX_COLOR_ALPHA:()=>Tt.c5,MAX_COLOR_HUE:()=>Tt.a_,MAX_COLOR_RGB:()=>Tt.uc,MAX_COLOR_RGBA:()=>Tt.WC,MAX_COLOR_SATURATION:()=>Tt.fr,MAX_COLOR_VALUE:()=>Tt.uw,MAX_HEX_LENGTH:()=>Tt.fG,MAX_RGBA_LENGTH:()=>Tt.jU,MIN_HEX_LENGTH:()=>Tt.yE,MIN_RGBA_LENGTH:()=>Tt.HT,MarqueeSelection:()=>Gs,MaskedTextField:()=>fd,MeasuredContext:()=>Z,MemberListPeoplePicker:()=>wl.Aj,MessageBar:()=>il,MessageBarBase:()=>$s,MessageBarButton:()=>Ee,MessageBarType:()=>Bs,Modal:()=>Wr,ModalBase:()=>Or,MonthOfYear:()=>Le.m2,MotionAnimations:()=>xd,MotionDurations:()=>Cd,MotionTimings:()=>Sd,Nav:()=>dl,NavBase:()=>ul,NeutralColors:()=>bd,NormalPeoplePicker:()=>wl.cA,NormalPeoplePickerBase:()=>wl.fK,OpenCardMode:()=>Ha,OverflowButtonType:()=>oa,OverflowSet:()=>Oo,OverflowSetBase:()=>Ao,Overlay:()=>Ir.a,OverlayBase:()=>pl.R,Panel:()=>ml.s,PanelBase:()=>hl.P,PanelType:()=>gl.w,PeoplePickerItem:()=>Il.A,PeoplePickerItemBase:()=>Il.u,PeoplePickerItemSuggestion:()=>Dl.E,PeoplePickerItemSuggestionBase:()=>Dl.R,Persona:()=>ua.I,PersonaBase:()=>fl.R,PersonaCoin:()=>_.t,PersonaCoinBase:()=>vl.z,PersonaInitialsColor:()=>C.z5,PersonaPresence:()=>C.H_,PersonaSize:()=>C.Ir,Pivot:()=>Xl,PivotBase:()=>Ul,PivotItem:()=>Vl,PivotLinkFormat:()=>jl,PivotLinkSize:()=>Jl,PlainCard:()=>Xa,PlainCardBase:()=>Za,Popup:()=>Dr.G,Position:()=>lt.L,PositioningContainer:()=>bt,PrimaryButton:()=>Se.K,ProgressIndicator:()=>nc,ProgressIndicatorBase:()=>$l,PulsingBeaconAnimationStyles:()=>u.a1,RGBA_REGEX:()=>Tt.Xb,Rating:()=>rc.i,RatingBase:()=>ic.x,RatingSize:()=>ac.O,Rectangle:()=>bp.A,RectangleEdge:()=>lt.z,ResizeGroup:()=>re,ResizeGroupBase:()=>te,ResizeGroupDirection:()=>z,ResponsiveMode:()=>Er.eD,SELECTION_CHANGE:()=>on.F5,ScreenWidthMaxLarge:()=>u.P$,ScreenWidthMaxMedium:()=>u.yp,ScreenWidthMaxSmall:()=>u.mV,ScreenWidthMaxXLarge:()=>u.yO,ScreenWidthMaxXXLarge:()=>u.CQ,ScreenWidthMinLarge:()=>u.AV,ScreenWidthMinMedium:()=>u.dd,ScreenWidthMinSmall:()=>u.QQ,ScreenWidthMinUhfMobile:()=>u.bE,ScreenWidthMinXLarge:()=>u.qv,ScreenWidthMinXXLarge:()=>u.B,ScreenWidthMinXXXLarge:()=>u.F1,ScrollToMode:()=>xo,ScrollablePane:()=>pc,ScrollablePaneBase:()=>dc,ScrollablePaneContext:()=>cc,ScrollbarVisibility:()=>lc,SearchBox:()=>mc.R,SearchBoxBase:()=>hc.i,SelectAllVisibility:()=>wn,SelectableOptionMenuItemType:()=>Zi.F,SelectedPeopleList:()=>Fc,Selection:()=>nn.Y,SelectionDirection:()=>on.a$,SelectionMode:()=>on.oW,SelectionZone:()=>rn.i,SemanticColorSlots:()=>ip,Separator:()=>zc,SeparatorBase:()=>Ac,Shade:()=>Yt,SharedColors:()=>yd,Shimmer:()=>cu,ShimmerBase:()=>lu,ShimmerCircle:()=>tu,ShimmerCircleBase:()=>eu,ShimmerElementType:()=>Hc,ShimmerElementsDefaultHeights:()=>Oc,ShimmerElementsGroup:()=>au,ShimmerElementsGroupBase:()=>nu,ShimmerGap:()=>Xc,ShimmerGapBase:()=>Yc,ShimmerLine:()=>jc,ShimmerLineBase:()=>Gc,ShimmeredDetailsList:()=>pu,ShimmeredDetailsListBase:()=>du,Slider:()=>mu.i,SliderBase:()=>hu.V,SpinButton:()=>gu.k,Spinner:()=>Yn.$,SpinnerBase:()=>vu.G,SpinnerSize:()=>bu.E,SpinnerType:()=>bu.d,Stack:()=>Hu,StackItem:()=>Nu,Sticky:()=>Ou,StickyPositionType:()=>Pu,Stylesheet:()=>u.Ye,SuggestionActionType:()=>Cl.L,SuggestionItemType:()=>_a,Suggestions:()=>_l.D,SuggestionsControl:()=>Pa,SuggestionsController:()=>Sl.Z,SuggestionsCore:()=>ya,SuggestionsHeaderFooterItem:()=>Ea,SuggestionsItem:()=>fa.S,SuggestionsStore:()=>Aa,SwatchColorPicker:()=>Vu.U,SwatchColorPickerBase:()=>Ku._,TagItem:()=>Nl,TagItemBase:()=>Rl,TagItemSuggestion:()=>Al,TagItemSuggestionBase:()=>Ll,TagPicker:()=>Hl,TagPickerBase:()=>zl,TeachingBubble:()=>nd,TeachingBubbleBase:()=>od,TeachingBubbleContent:()=>$u,TeachingBubbleContentBase:()=>ju,Text:()=>ad,TextField:()=>sd.n,TextFieldBase:()=>ld.P,TextStyles:()=>id,TextView:()=>rd,ThemeContext:()=>qd,ThemeGenerator:()=>sp,ThemeProvider:()=>op,ThemeSettingName:()=>u.Jw,TimeConstants:()=>tn.r,Toggle:()=>cp.Z,ToggleBase:()=>up.s,Tooltip:()=>dp.u,TooltipBase:()=>pp.P,TooltipDelay:()=>mp.j,TooltipHost:()=>ie.G,TooltipHostBase:()=>hp.Z,TooltipOverflowMode:()=>ae.y,ValidationState:()=>kl.Y,VerticalDivider:()=>ii.p,VirtualizedComboBox:()=>Mo,WeeklyDayPicker:()=>hm,WindowContext:()=>j.Hn,WindowProvider:()=>j.WU,ZIndexes:()=>u.bR,addDays:()=>en.E4,addDirectionalKeyCode:()=>Op.e,addElementAtIndex:()=>Co.OA,addMonths:()=>en.zI,addWeeks:()=>en.jh,addYears:()=>en.Bc,allowOverscrollOnElement:()=>yo.eC,allowScrollOnElement:()=>yo.C7,anchorProperties:()=>E.h2,appendFunction:()=>yp.Z,arraysEqual:()=>Co.cO,asAsync:()=>Sp,assertNever:()=>xp,assign:()=>Xt.f0,audioProperties:()=>E.vF,baseElementEvents:()=>E.WO,baseElementProperties:()=>E.Nf,buildClassMap:()=>u.$O,buildColumns:()=>yr,buildKeytipConfigMap:()=>Ps,buttonProperties:()=>E.Yq,calculatePrecision:()=>Vs.oe,canAnyMenuItemsCheck:()=>Uo.Hl,clamp:()=>Mt.u,classNamesFunction:()=>D.y,colGroupProperties:()=>E.YG,colProperties:()=>E.qi,compareDatePart:()=>en.NJ,compareDates:()=>en.aN,composeComponentAs:()=>No,composeRenderFunction:()=>ko.k,concatStyleSets:()=>u.E$,concatStyleSetsWithProps:()=>u.l7,constructKeytip:()=>Ms,correctHSV:()=>Jt,correctHex:()=>Zt.L,correctRGB:()=>jt.k,createArray:()=>Co.Ri,createFontStyles:()=>u.FF,createGenericItem:()=>wl.IV,createItem:()=>La,createMemoizer:()=>d.Ct,createMergedRef:()=>am.S,createTheme:()=>u.jG,css:()=>pt.i,cssColor:()=>Et.r,customizable:()=>De.a,defaultCalendarNavigationIcons:()=>Fe.XU,defaultCalendarStrings:()=>Fe.V3,defaultDatePickerStrings:()=>$o.f,defaultDayPickerStrings:()=>Fe.GC,defaultWeeklyDayPickerNavigationIcons:()=>um,defaultWeeklyDayPickerStrings:()=>cm,disableBodyScroll:()=>yo.Qp,divProperties:()=>E.n7,doesElementContainFocus:()=>ot.WU,elementContains:()=>it.t,elementContainsAttribute:()=>Tp.j,enableBodyScroll:()=>yo.tG,extendComponent:()=>Ap.c,filteredAssign:()=>Xt.lW,find:()=>Co.sE,findElementRecursive:()=>Ep.X,findIndex:()=>Co.cx,findScrollableParent:()=>yo.zj,fitContentToBounds:()=>Vs.nK,flatten:()=>Co.xH,focusAsync:()=>ot.um,focusClear:()=>u.e2,focusFirstChild:()=>ot.uo,fontFace:()=>u.jN,formProperties:()=>E.NX,format:()=>ap.W,getAllSelectedOptions:()=>gc.t,getAriaDescribedBy:()=>ss.w7,getBackgroundShade:()=>po,getBoundsFromTargetWindow:()=>ct.qE,getChildren:()=>Mp,getColorFromHSV:()=>Wt,getColorFromRGBA:()=>Ht.N,getColorFromString:()=>zt.T,getContrastRatio:()=>mo,getDatePartHashValue:()=>en.c8,getDateRangeArray:()=>en.e0,getDetailsRowStyles:()=>vn,getDistanceBetweenPoints:()=>Vs.Iw,getDocument:()=>nt.M,getEdgeChromiumNoHighContrastAdjustSelector:()=>u.h4,getElementIndexPath:()=>ot.xu,getEndDateOfWeek:()=>en.Hx,getFadedOverflowStyle:()=>u.$X,getFirstFocusable:()=>ot.ft,getFirstTabbable:()=>ot.RK,getFocusOutlineStyle:()=>u.jx,getFocusStyle:()=>u.GL,getFocusableByIndexPath:()=>ot.bF,getFontIcon:()=>Ve.Pw,getFullColorString:()=>Vt.p,getGlobalClassNames:()=>u.Cn,getHighContrastNoAdjustStyle:()=>u.xM,getIcon:()=>u.q7,getIconClassName:()=>u.Wx,getIconContent:()=>Ve.z1,getId:()=>dn.z,getInitialResponsiveMode:()=>Er.K7,getInitials:()=>Na.Q,getInputFocusStyle:()=>u.$Y,getLanguage:()=>Gp.G,getLastFocusable:()=>ot.TE,getLastTabbable:()=>ot.xY,getMaxHeight:()=>ct.DC,getMeasurementCache:()=>J,getMenuItemStyles:()=>Zo.w,getMonthEnd:()=>en.D7,getMonthStart:()=>en.pU,getNativeElementProps:()=>$d,getNativeProps:()=>E.pq,getNextElement:()=>ot.dc,getNextResizeGroupStateProvider:()=>Y,getOppositeEdge:()=>ct.bv,getParent:()=>_o.G,getPersonaInitialsColor:()=>yl.g,getPlaceholderStyles:()=>u.Sv,getPreviousElement:()=>ot.TD,getPropsWithDefaults:()=>st.j,getRTL:()=>T.zg,getRTLSafeKeyCode:()=>T.dP,getRect:()=>mr,getResourceUrl:()=>Xp,getResponsiveMode:()=>Er.tc,getScreenSelector:()=>u.sK,getScrollbarWidth:()=>yo.np,getShade:()=>uo,getSplitButtonClassNames:()=>Pe.W,getStartDateOfWeek:()=>en.wu,getSubmenuItems:()=>Uo.Nb,getTheme:()=>u.gh,getThemedContext:()=>u.Nf,getVirtualParent:()=>Rp.r,getWeekNumber:()=>en.uW,getWeekNumbersInMonth:()=>en.iU,getWindow:()=>So.J,getYearEnd:()=>en.Q9,getYearStart:()=>en.W8,hasHorizontalOverflow:()=>Yp.b5,hasOverflow:()=>Yp.zS,hasVerticalOverflow:()=>Yp.cs,hiddenContentStyle:()=>u.ul,hoistMethods:()=>zp.W,hoistStatics:()=>Hp.f,hsl2hsv:()=>Nt.E,hsl2rgb:()=>Rt.w,hsv2hex:()=>Ft.d,hsv2hsl:()=>At,hsv2rgb:()=>Bt.X,htmlElementProperties:()=>E.iY,iframeProperties:()=>E.SZ,imageProperties:()=>E.X7,imgProperties:()=>E.it,initializeComponentRef:()=>P.l,initializeFocusRects:()=>Wp,initializeIcons:()=>rs.l,initializeResponsiveMode:()=>Er.LF,inputProperties:()=>E.Gg,isControlled:()=>kp.s,isDark:()=>co,isDirectionalKeyCode:()=>Op.L,isElementFocusSubZone:()=>ot.gc,isElementFocusZone:()=>ot.jz,isElementTabbable:()=>ot.MW,isElementVisible:()=>ot.Jv,isIE11:()=>rm.f,isIOS:()=>jp.g,isInDateRangeArray:()=>en.le,isMac:()=>_s.V,isRelativeUrl:()=>ll,isValidShade:()=>ao,isVirtualElement:()=>Pp.r,keyframes:()=>u.F4,ktpTargetFromId:()=>ss._l,ktpTargetFromSequences:()=>ss.eX,labelProperties:()=>E.mp,liProperties:()=>E.PT,loadTheme:()=>u.jz,makeStyles:()=>Zd,mapEnumByName:()=>Xt.vT,memoize:()=>d.HP,memoizeFunction:()=>d.NF,merge:()=>Up.T,mergeAriaAttributeValues:()=>_p.I,mergeCustomizations:()=>Ip.u,mergeOverflows:()=>ss.a1,mergeScopedSettings:()=>Dp.J,mergeSettings:()=>Dp.O,mergeStyleSets:()=>u.ZC,mergeStyles:()=>u.y0,mergeThemes:()=>_d.I,modalize:()=>Jp.O,noWrap:()=>u.jq,normalize:()=>u.Fv,nullRender:()=>Ie.S,olProperties:()=>E.t$,omit:()=>Xt.CE,on:()=>Mr.on,optionProperties:()=>E.Qy,personaPresenceSize:()=>bl.bw,personaSize:()=>bl.or,portalContainsElement:()=>Np.w,positionCallout:()=>ct.c5,positionCard:()=>ct.Su,positionElement:()=>ct.p$,precisionRound:()=>Vs.F0,presenceBoolean:()=>bl.zx,raiseClick:()=>Bp.x,registerDefaultFontFaces:()=>u.Kq,registerIconAlias:()=>u.M_,registerIcons:()=>u.fm,registerOnThemeChangeCallback:()=>u.tj,removeIndex:()=>Co.$E,removeOnThemeChangeCallback:()=>u.sw,replaceElement:()=>Co.wm,resetControlledWarnings:()=>om.G,resetIds:()=>dn._,resetMemoizations:()=>d.du,rgb2hex:()=>Pt.C,rgb2hsv:()=>Lt.D,safeRequestAnimationFrame:()=>$p.J,safeSetTimeout:()=>em,selectProperties:()=>E.bL,sequencesToID:()=>ss.aB,setBaseUrl:()=>Qp,setFocusVisibility:()=>de.MU,setIconOptions:()=>u.yN,setLanguage:()=>Gp.m,setMemoizeWeakMap:()=>d.rQ,setMonth:()=>en.q0,setPortalAttribute:()=>Fp.U,setRTL:()=>T.ok,setResponsiveMode:()=>Er.kd,setSSR:()=>im.T,setVirtualParent:()=>Lp.N,setWarningCallback:()=>be.U,shallowCompare:()=>Xt.Vv,shouldWrapFocus:()=>ot.mM,sizeBoolean:()=>bl.yR,sizeToPixels:()=>bl.Y4,styled:()=>I.z,tableProperties:()=>E.$B,tdProperties:()=>E.IX,textAreaProperties:()=>E.FI,thProperties:()=>E.fI,themeRulesStandardCreator:()=>lp,toMatrix:()=>Co.QC,trProperties:()=>E.PC,transitionKeysAreEqual:()=>Ss,transitionKeysContain:()=>xs,unhoistMethods:()=>zp.e,unregisterIcons:()=>u.Kf,updateA:()=>Ut.R,updateH:()=>qt.i,updateRGB:()=>Gt,updateSV:()=>Kt.d,updateT:()=>ho.X,useCustomizationSettings:()=>Kd.D,useDocument:()=>j.ky,useFocusRects:()=>B.P,useHeightOffset:()=>vt,useKeytipRef:()=>fs,useResponsiveMode:()=>Tr.q,useTheme:()=>Gd,useWindow:()=>j.zY,values:()=>Xt.VO,videoProperties:()=>E.NI,warn:()=>be.Z,warnConditionallyRequiredProps:()=>tm.w,warnControlledUsage:()=>om.Q,warnDeprecations:()=>Vr.b,warnMutuallyExclusive:()=>nm.L,withResponsiveMode:()=>Er.Ae});var n={};o.r(n),o.d(n,{pickerInput:()=>$i,pickerText:()=>Qi});var r={};o.r(r),o.d(r,{callout:()=>ga});var i={};o.r(i),o.d(i,{suggestionsContainer:()=>va});var a={};o.r(a),o.d(a,{actionButton:()=>Sa,buttonSelected:()=>xa,itemButton:()=>Ia,root:()=>Ca,screenReaderOnly:()=>Da,suggestionsSpinner:()=>wa,suggestionsTitle:()=>ka});var s={};o.r(s),o.d(s,{actionButton:()=>yc,expandButton:()=>kc,hover:()=>bc,itemContainer:()=>Dc,itemContent:()=>Sc,personaContainer:()=>vc,personaContainerIsSelected:()=>_c,personaDetails:()=>Ic,personaWrapper:()=>wc,removeButton:()=>xc,validationError:()=>Cc});var l=o(7622),c=o(7002),u=o(9729),d=o(5094),p=(0,d.NF)((function(e,t,o,n){return{root:(0,u.y0)("ms-ActivityItem",t,e.root,n&&e.isCompactRoot),pulsingBeacon:(0,u.y0)("ms-ActivityItem-pulsingBeacon",e.pulsingBeacon),personaContainer:(0,u.y0)("ms-ActivityItem-personaContainer",e.personaContainer,n&&e.isCompactPersonaContainer),activityPersona:(0,u.y0)("ms-ActivityItem-activityPersona",e.activityPersona,n&&e.isCompactPersona,!n&&o&&2===o.length&&e.doublePersona),activityTypeIcon:(0,u.y0)("ms-ActivityItem-activityTypeIcon",e.activityTypeIcon,n&&e.isCompactIcon),activityContent:(0,u.y0)("ms-ActivityItem-activityContent",e.activityContent,n&&e.isCompactContent),activityText:(0,u.y0)("ms-ActivityItem-activityText",e.activityText),commentText:(0,u.y0)("ms-ActivityItem-commentText",e.commentText),timeStamp:(0,u.y0)("ms-ActivityItem-timeStamp",e.timeStamp,n&&e.isCompactTimeStamp)}})),m="32px",h="16px",g="16px",f="13px",v=(0,d.NF)((function(){return(0,u.F4)({from:{opacity:0},to:{opacity:1}})})),b=(0,d.NF)((function(){return(0,u.F4)({from:{transform:"translateX(-10px)"},to:{transform:"translateX(0)"}})})),y=(0,d.NF)((function(e,t,o,n,r,i){var a;void 0===e&&(e=(0,u.gh)());var s={animationName:u.a1.continuousPulseAnimationSingle(n||e.palette.themePrimary,r||e.palette.themeTertiary,"4px","28px","4px"),animationIterationCount:"1",animationDuration:".8s",zIndex:1},l={animationName:b(),animationIterationCount:"1",animationDuration:".5s"},c={animationName:v(),animationIterationCount:"1",animationDuration:".5s"},d={root:[e.fonts.small,{display:"flex",justifyContent:"flex-start",alignItems:"flex-start",boxSizing:"border-box",color:e.palette.neutralSecondary},i&&o&&c],pulsingBeacon:[{position:"absolute",top:"50%",left:"50%",transform:"translate(-50%, -50%)",width:"0px",height:"0px",borderRadius:"225px",borderStyle:"solid",opacity:0},i&&o&&s],isCompactRoot:{alignItems:"center"},personaContainer:{display:"flex",flexWrap:"wrap",minWidth:m,width:m,height:m},isCompactPersonaContainer:{display:"inline-flex",flexWrap:"nowrap",flexBasis:"auto",height:h,width:"auto",minWidth:"0",paddingRight:"6px"},activityTypeIcon:{height:m,fontSize:g,lineHeight:g,marginTop:"3px"},isCompactIcon:{height:h,minWidth:h,fontSize:f,lineHeight:f,color:e.palette.themePrimary,marginTop:"1px",position:"relative",display:"flex",justifyContent:"center",alignItems:"center",selectors:{".ms-Persona-imageArea":{margin:"-2px 0 0 -2px",border:"2px solid"+e.palette.white,borderRadius:"50%",selectors:(a={},a[u.qJ]={border:"none",margin:"0"},a)}}},activityPersona:{display:"block"},doublePersona:{selectors:{":first-child":{alignSelf:"flex-end"}}},isCompactPersona:{display:"inline-block",width:"8px",minWidth:"8px",overflow:"visible"},activityContent:[{padding:"0 8px"},i&&o&&l],activityText:{display:"inline"},isCompactContent:{flex:"1",padding:"0 4px",whiteSpace:"nowrap",textOverflow:"ellipsis",overflowX:"hidden"},commentText:{color:e.palette.neutralPrimary},timeStamp:[e.fonts.tiny,{fontWeight:400,color:e.palette.neutralSecondary}],isCompactTimeStamp:{display:"inline-block",paddingLeft:"0.3em",fontSize:"1em"}};return(0,u.E$)(d,t)})),_=o(6543),C=o(7481),S=function(e){function t(t){var o=e.call(this,t)||this;return o._onRenderIcon=function(e){return e.activityPersonas?o._onRenderPersonaArray(e):o.props.activityIcon},o._onRenderActivityDescription=function(e){var t=o._getClassNames(e),n=e.activityDescription||e.activityDescriptionText;return n?c.createElement("span",{className:t.activityText},n):null},o._onRenderComments=function(e){var t=o._getClassNames(e),n=e.comments||e.commentText;return!e.isCompact&&n?c.createElement("div",{className:t.commentText},n):null},o._onRenderTimeStamp=function(e){var t=o._getClassNames(e);return!e.isCompact&&e.timeStamp?c.createElement("div",{className:t.timeStamp},e.timeStamp):null},o._onRenderPersonaArray=function(e){var t=o._getClassNames(e),n=null,r=e.activityPersonas;if(r[0].imageUrl||r[0].imageInitials){var i=[],a=r.length>1||e.isCompact,s=e.isCompact?3:4,u=void 0;e.isCompact&&(u={display:"inline-block",width:"10px",minWidth:"10px",overflow:"visible"}),r.filter((function(e,t){return tt;){var l=r(a);if(void 0===l)return{renderedData:a,resizeDirection:void 0,dataToMeasure:void 0};if(void 0===(s=o.getCachedMeasurement(l)))return{dataToMeasure:l,resizeDirection:"shrink"};a=l}return{renderedData:a,resizeDirection:void 0,dataToMeasure:void 0}}return{getNextState:function(e,i,a,s){if(void 0!==s||void 0!==i.dataToMeasure){if(s){if(t&&i.renderedData&&!i.dataToMeasure)return(0,l.pi)((0,l.pi)({},i),function(e,o,n,r){var i;return i=e>t?r?{resizeDirection:"grow",dataToMeasure:r(n)}:{resizeDirection:"shrink",dataToMeasure:o}:{resizeDirection:"shrink",dataToMeasure:n},t=e,(0,l.pi)((0,l.pi)({},i),{measureContainer:!1})}(s,e.data,i.renderedData,e.onGrowData));t=s}var c=(0,l.pi)((0,l.pi)({},i),{measureContainer:!1});return i.dataToMeasure&&(c="grow"===i.resizeDirection&&e.onGrowData?(0,l.pi)((0,l.pi)({},c),function(e,i,a,s){for(var c=e,u=n(e,a);u=i))return(t=(0,l.pr)(t)).splice(r,0,a),(0,l.pi)((0,l.pi)({},e),{renderedItems:t,renderedOverflowItems:o})},o._onRenderBreadcrumb=function(e){var t=e.props,n=t.ariaLabel,r=t.dividerAs,i=void 0===r?W.J:r,a=t.onRenderItem,s=void 0===a?o._onRenderItem:a,u=t.overflowAriaLabel,d=t.overflowIndex,p=t.onRenderOverflowIcon,m=t.overflowButtonAs,h=e.renderedOverflowItems,g=e.renderedItems,f=h.map((function(e){var t=!(!e.onClick&&!e.href);return{text:e.text,name:e.text,key:e.key,onClick:e.onClick?o._onBreadcrumbClicked.bind(o,e):null,href:e.href,disabled:!t,itemProps:t?void 0:ce}})),v=g.length-1,b=h&&0!==h.length,y=g.map((function(e,t){return c.createElement("li",{className:o._classNames.listItem,key:e.key||String(t)},s(e,o._onRenderItem),(t!==v||b&&t===d-1)&&c.createElement(i,{className:o._classNames.chevron,iconName:(0,T.zg)(o.props.theme)?"ChevronLeft":"ChevronRight",item:e}))}));if(b){var _=p?{}:{iconName:"More"},C=p||le,S=m||V.h;y.splice(d,0,c.createElement("li",{className:o._classNames.overflow,key:"overflow"},c.createElement(S,{className:o._classNames.overflowButton,iconProps:_,role:"button","aria-haspopup":"true",ariaLabel:u,onRenderMenuIcon:C,menuProps:{items:f,directionalHint:K.b.bottomLeftEdge}}),d!==v+1&&c.createElement(i,{className:o._classNames.chevron,iconName:(0,T.zg)(o.props.theme)?"ChevronLeft":"ChevronRight",item:h[h.length-1]})))}var x=(0,E.pq)(o.props,E.iY,["className"]);return c.createElement("div",(0,l.pi)({className:o._classNames.root,role:"navigation","aria-label":n},x),c.createElement(M.k,(0,l.pi)({componentRef:o._focusZone,direction:R.U.horizontal},o.props.focusZoneProps),c.createElement("ol",{className:o._classNames.list},y)))},o._onRenderItem=function(e){var t=e.as,n=e.href,r=e.onClick,i=e.isCurrentItem,a=e.text,s=(0,l._T)(e,["as","href","onClick","isCurrentItem","text"]);if(r||n)return c.createElement(O,(0,l.pi)({},s,{as:t,className:o._classNames.itemLink,href:n,"aria-current":i?"page":void 0,onClick:o._onBreadcrumbClicked.bind(o,e)}),c.createElement(ie.G,(0,l.pi)({content:a,overflowMode:ae.y.Parent},o.props.tooltipHostProps),a));var u=t||"span";return c.createElement(u,(0,l.pi)({},s,{className:o._classNames.item}),c.createElement(ie.G,(0,l.pi)({content:a,overflowMode:ae.y.Parent},o.props.tooltipHostProps),a))},o._onBreadcrumbClicked=function(e,t){e.onClick&&e.onClick(t,e)},(0,P.l)(o),o._validateProps(t),o}return(0,l.ZT)(t,e),t.prototype.focus=function(){this._focusZone.current&&this._focusZone.current.focus()},t.prototype.render=function(){this._validateProps(this.props);var e=this.props,t=e.onReduceData,o=void 0===t?this._onReduceData:t,n=e.onGrowData,r=void 0===n?this._onGrowData:n,i=e.overflowIndex,a=e.maxDisplayedItems,s=e.items,u=e.className,d=e.theme,p=e.styles,m=(0,l.pr)(s),h=m.splice(i,m.length-a),g={props:this.props,renderedItems:m,renderedOverflowItems:h};return this._classNames=se(p,{className:u,theme:d}),c.createElement(re,{onRenderData:this._onRenderBreadcrumb,onReduceData:o,onGrowData:r,data:g})},t.prototype._validateProps=function(e){var t=e.maxDisplayedItems,o=e.overflowIndex,n=e.items;if(o<0||t>1&&o>t-1||n.length>0&&o>n.length-1)throw new Error("Breadcrumb: overflowIndex out of range")},t.defaultProps={items:[],maxDisplayedItems:999,overflowIndex:0},t}(c.Component),de=o(6145),pe={root:"ms-Breadcrumb",list:"ms-Breadcrumb-list",listItem:"ms-Breadcrumb-listItem",chevron:"ms-Breadcrumb-chevron",overflow:"ms-Breadcrumb-overflow",overflowButton:"ms-Breadcrumb-overflowButton",itemLink:"ms-Breadcrumb-itemLink",item:"ms-Breadcrumb-item"},me={whiteSpace:"nowrap",textOverflow:"ellipsis",overflow:"hidden"},he=(0,u.sK)(0,u.mV),ge=(0,u.sK)(u.dd,u.yp),fe=(0,I.z)(ue,(function(e){var t,o,n,r,i=e.className,a=e.theme,s=a.palette,c=a.semanticColors,d=a.fonts,p=(0,u.Cn)(pe,a),m=c.menuItemBackgroundHovered,h=c.menuItemBackgroundPressed,g=s.neutralSecondary,f=u.lq.regular,v=s.neutralPrimary,b=s.neutralPrimary,y=u.lq.semibold,_=s.neutralSecondary,C=s.neutralSecondary,S={fontWeight:y,color:b},x={":hover":{color:v,backgroundColor:m,cursor:"pointer",selectors:(t={},t[u.qJ]={color:"Highlight"},t)},":active":{backgroundColor:h,color:v},"&:active:hover":{color:v,backgroundColor:h},"&:active, &:hover, &:active:hover":{textDecoration:"none"}},k={color:g,padding:"0 8px",lineHeight:36,fontSize:18,fontWeight:f};return{root:[p.root,d.medium,{margin:"11px 0 1px"},i],list:[p.list,{whiteSpace:"nowrap",padding:0,margin:0,display:"flex",alignItems:"stretch"}],listItem:[p.listItem,{listStyleType:"none",margin:"0",padding:"0",display:"flex",position:"relative",alignItems:"center",selectors:{"&:last-child .ms-Breadcrumb-itemLink":S,"&:last-child .ms-Breadcrumb-item":S}}],chevron:[p.chevron,{color:_,fontSize:d.small.fontSize,selectors:(o={},o[u.qJ]=(0,l.pi)({color:"WindowText"},(0,u.xM)()),o[ge]={fontSize:8},o[he]={fontSize:8},o)}],overflow:[p.overflow,{position:"relative",display:"flex",alignItems:"center"}],overflowButton:[p.overflowButton,(0,u.GL)(a),me,{fontSize:16,color:C,height:"100%",cursor:"pointer",selectors:(0,l.pi)((0,l.pi)({},x),(n={},n[he]={padding:"4px 6px"},n[ge]={fontSize:d.mediumPlus.fontSize},n))}],itemLink:[p.itemLink,(0,u.GL)(a),me,(0,l.pi)((0,l.pi)({},k),{selectors:(0,l.pi)((r={":focus":{color:s.neutralDark}},r["."+de.G$+" &:focus"]={outline:"none"},r),x)})],item:[p.item,(0,l.pi)((0,l.pi)({},k),{selectors:{":hover":{cursor:"default"}}})]}}),void 0,{scope:"Breadcrumb"}),ve=o(4968);!function(e){e[e.button=0]="button",e[e.anchor=1]="anchor"}(oe||(oe={})),function(e){e[e.normal=0]="normal",e[e.primary=1]="primary",e[e.hero=2]="hero",e[e.compound=3]="compound",e[e.command=4]="command",e[e.icon=5]="icon",e[e.default=6]="default"}(ne||(ne={}));var be=o(687),ye=o(9632),_e=o(2898),Ce=o(8959),Se=o(8924),xe=function(e){function t(t){var o=e.call(this,t)||this;return(0,be.Z)("The Button component has been deprecated. Use specific variants instead. (PrimaryButton, DefaultButton, IconButton, ActionButton, etc.)"),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props;switch(e.buttonType){case ne.command:return c.createElement(_e.K,(0,l.pi)({},e));case ne.compound:return c.createElement(Ce.W,(0,l.pi)({},e));case ne.icon:return c.createElement(V.h,(0,l.pi)({},e));case ne.primary:return c.createElement(Se.K,(0,l.pi)({},e));default:return c.createElement(ye.a,(0,l.pi)({},e))}},t}(c.Component),ke=o(1420),we=o(990),Ie=o(9013),De=o(6053),Te=(0,d.NF)((function(e,t){return(0,u.E$)({root:[(0,u.GL)(e,{inset:1,highContrastStyle:{outlineOffset:"-4px",outline:"1px solid Window"},borderColor:"transparent"}),{height:24}]},t)})),Ee=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.theme;return c.createElement(ye.a,(0,l.pi)({},this.props,{styles:Te(o,t),onRenderDescription:Ie.S}))},(0,l.gn)([(0,De.a)("MessageBarButton",["theme","styles"],!0)],t)}(c.Component),Pe=o(5032),Me=o(2836),Re=o(634),Ne=o(4977),Be=o(716),Fe=o(6883),Le=o(1093),Ae=o(5953),ze=o(4941),He=o(5666),Oe=o(6007),We=function(e){return c.createElement(Ae.U,(0,l.pi)({},e),c.createElement(Oe.P,(0,l.pi)({disabled:e.hidden},e.focusTrapProps),e.children))},Ve=o(4734),Ke=(0,D.y)(),qe=c.forwardRef((function(e,t){var o=e.checked,n=void 0!==o&&o,r=e.className,i=e.theme,a=e.styles,s=e.useFastIcons,l=void 0===s||s,u=Ke(a,{theme:i,className:r,checked:n}),d=l?Ve.xu:W.J;return c.createElement("div",{className:u.root,ref:t},c.createElement(d,{iconName:"CircleRing",className:u.circle}),c.createElement(d,{iconName:"StatusCircleCheckmark",className:u.check}))}));qe.displayName="CheckBase";var Ge,Ue={root:"ms-Check",circle:"ms-Check-circle",check:"ms-Check-check",checkHost:"ms-Check-checkHost"},je=(0,I.z)(qe,(function(e){var t,o,n,r,i,a=e.height,s=void 0===a?e.checkBoxHeight||"18px":a,c=e.checked,d=e.className,p=e.theme,m=p.palette,h=p.semanticColors,g=p.fonts,f=(0,T.zg)(p),v=(0,u.Cn)(Ue,p),b={fontSize:s,position:"absolute",left:0,top:0,width:s,height:s,textAlign:"center",verticalAlign:"middle"};return{root:[v.root,g.medium,{lineHeight:"1",width:s,height:s,verticalAlign:"top",position:"relative",userSelect:"none",selectors:(t={":before":{content:'""',position:"absolute",top:"1px",right:"1px",bottom:"1px",left:"1px",borderRadius:"50%",opacity:1,background:h.bodyBackground}},t["."+v.checkHost+":hover &, ."+v.checkHost+":focus &, &:hover, &:focus"]={opacity:1},t)},c&&["is-checked",{selectors:{":before":{background:m.themePrimary,opacity:1,selectors:(o={},o[u.qJ]={background:"Window"},o)}}}],d],circle:[v.circle,b,{color:m.neutralSecondary,selectors:(n={},n[u.qJ]={color:"WindowText"},n)},c&&{color:m.white}],check:[v.check,b,{opacity:0,color:m.neutralSecondary,fontSize:u.ld.medium,left:f?"-0.5px":".5px",selectors:(r={":hover":{opacity:1}},r[u.qJ]=(0,l.pi)({},(0,u.xM)()),r)},c&&{opacity:1,color:m.white,fontWeight:900,selectors:(i={},i[u.qJ]={border:"none",color:"WindowText"},i)}],checkHost:v.checkHost}}),void 0,{scope:"Check"},!0),Je=o(2777),Ye=o(5790),Ze=o(9240),Xe=o(5554),Qe=o(1351),$e=(0,d.NF)((function(){return(0,u.F4)({"0%":{transform:"translate(0, 0)",animationTimingFunction:"linear"},"78.57%":{transform:"translate(0, 0)",animationTimingFunction:"cubic-bezier(0.62, 0, 0.56, 1)"},"82.14%":{transform:"translate(0, -5px)",animationTimingFunction:"cubic-bezier(0.58, 0, 0, 1)"},"84.88%":{transform:"translate(0, 9px)",animationTimingFunction:"cubic-bezier(1, 0, 0.56, 1)"},"88.1%":{transform:"translate(0, -2px)",animationTimingFunction:"cubic-bezier(0.58, 0, 0.67, 1)"},"90.12%":{transform:"translate(0, 0)",animationTimingFunction:"linear"},"100%":{transform:"translate(0, 0)"}})})),et=(0,d.NF)((function(){return(0,u.F4)({"0%":{transform:" scale(0)",animationTimingFunction:"linear"},"14.29%":{transform:"scale(0)",animationTimingFunction:"cubic-bezier(0.84, 0, 0.52, 0.99)"},"16.67%":{transform:"scale(1.15)",animationTimingFunction:"cubic-bezier(0.48, -0.01, 0.52, 1.01)"},"19.05%":{transform:"scale(0.95)",animationTimingFunction:"cubic-bezier(0.48, 0.02, 0.52, 0.98)"},"21.43%":{transform:"scale(1)",animationTimingFunction:"linear"},"42.86%":{transform:"scale(1)",animationTimingFunction:"cubic-bezier(0.48, -0.02, 0.52, 1.02)"},"45.71%":{transform:"scale(0.8)",animationTimingFunction:"cubic-bezier(0.48, 0.01, 0.52, 0.99)"},"50%":{transform:"scale(1)",animationTimingFunction:"linear"},"90.12%":{transform:"scale(1)",animationTimingFunction:"cubic-bezier(0.48, -0.02, 0.52, 1.02)"},"92.98%":{transform:"scale(0.8)",animationTimingFunction:"cubic-bezier(0.48, 0.01, 0.52, 0.99)"},"97.26%":{transform:"scale(1)",animationTimingFunction:"linear"},"100%":{transform:"scale(1)"}})})),tt=(0,d.NF)((function(){return(0,u.F4)({"0%":{transform:"rotate(0deg)",animationTimingFunction:"linear"},"83.33%":{transform:" rotate(0deg)",animationTimingFunction:"cubic-bezier(0.33, 0, 0.67, 1)"},"83.93%":{transform:"rotate(15deg)",animationTimingFunction:"cubic-bezier(0.33, 0, 0.67, 1)"},"84.52%":{transform:"rotate(-15deg)",animationTimingFunction:"cubic-bezier(0.33, 0, 0.67, 1)"},"85.12%":{transform:"rotate(15deg)",animationTimingFunction:"cubic-bezier(0.33, 0, 0.67, 1)"},"85.71%":{transform:"rotate(-15deg)",animationTimingFunction:"cubic-bezier(0.33, 0, 0.67, 1)"},"86.31%":{transform:"rotate(0deg)",animationTimingFunction:"linear"},"100%":{transform:"rotate(0deg)"}})})),ot=o(4553),nt=o(5446),rt=o(8145),it=o(3345),at=o(9919),st=o(63),lt=o(4568),ct=o(6591),ut=(0,d.NF)((function(){var e;return(0,u.ZC)({root:[{position:"absolute",boxSizing:"border-box",border:"1px solid ${}",selectors:(e={},e[u.qJ]={border:"1px solid WindowText"},e)},(0,u.e2)()],container:{position:"relative"},main:{backgroundColor:"#ffffff",overflowX:"hidden",overflowY:"hidden",position:"relative"},overFlowYHidden:{overflowY:"hidden"}})})),dt=o(7513),pt=o(8088),mt=o(2674),ht={opacity:0},gt=((Ge={})[lt.z.top]="slideUpIn20",Ge[lt.z.bottom]="slideDownIn20",Ge[lt.z.left]="slideLeftIn20",Ge[lt.z.right]="slideRightIn20",Ge),ft={preventDismissOnScroll:!1,offsetFromTarget:0,minPagePadding:8,directionalHint:K.b.bottomAutoEdge};function vt(e,t){var o=e.finalHeight,n=c.useState(0),r=n[0],i=n[1],a=(0,G.r)(),s=c.useRef(0),l=function(){t&&o&&(s.current=a.requestAnimationFrame((function(){if(t.current){var e=t.current.lastChild,n=e.scrollHeight,c=e.offsetHeight;i(r+(n-c)),e.offsetHeightk?k:_,I=c.createElement("div",{ref:i,className:(0,pt.i)("ms-PositioningContainer",S.container)},c.createElement("div",{className:(0,u.y0)("ms-PositioningContainer-layerHost",S.root,b,x,!!y&&{width:y}),style:h?h.elementPosition:ht,tabIndex:-1,ref:n},C,w));return o.doNotLayer?I:c.createElement(dt.m,null,I)}));function yt(e){return{root:[{position:"absolute",boxShadow:"inherit",border:"none",boxSizing:"border-box",transform:e.transform,width:e.width,height:e.height,left:e.left,top:e.top,right:e.right,bottom:e.bottom}],beak:{fill:e.color,display:"block"}}}bt.displayName="PositioningContainer";var _t=c.forwardRef((function(e,t){var o,n,r,i,a,s,l=e.left,u=e.top,d=e.bottom,p=e.right,m=e.color,h=e.direction,g=void 0===h?lt.z.top:h;switch(g===lt.z.top||g===lt.z.bottom?(o=10,n=18):(o=18,n=10),g){case lt.z.top:default:r="9, 0",i="18, 10",a="0, 10",s="translateY(-100%)";break;case lt.z.right:r="0, 0",i="10, 10",a="0, 18",s="translateX(100%)";break;case lt.z.bottom:r="0, 0",i="18, 0",a="9, 10",s="translateY(100%)";break;case lt.z.left:r="10, 0",i="0, 10",a="10, 18",s="translateX(-100%)"}var f=(0,D.y)()(yt,{left:l,top:u,bottom:d,right:p,height:o+"px",width:n+"px",transform:s,color:m});return c.createElement("div",{className:f.root,role:"presentation",ref:t},c.createElement("svg",{height:o,width:n,className:f.beak},c.createElement("polygon",{points:r+" "+i+" "+a})))}));_t.displayName="Beak";var Ct=o(5646),St=(0,D.y)(),xt="data-coachmarkid",kt={isCollapsed:!0,mouseProximityOffset:10,delayBeforeMouseOpen:3600,delayBeforeCoachmarkAnimation:0,isPositionForced:!0,positioningContainerProps:{directionalHint:K.b.bottomAutoEdge}},wt=c.forwardRef((function(e,t){var o=(0,st.j)(kt,e),n=c.useRef(null),r=c.useRef(null),i=function(){var e=(0,G.r)(),t=c.useState(),o=t[0],n=t[1],r=c.useState(),i=r[0],a=r[1];return[o,i,function(t){var o=t.alignmentEdge,r=t.targetEdge;return e.requestAnimationFrame((function(){n(o),a(r)}))}]}(),a=i[0],s=i[1],u=i[2],d=function(e,t){var o=e.isCollapsed,n=e.onAnimationOpenStart,r=e.onAnimationOpenEnd,i=c.useState(!!o),a=i[0],s=i[1],l=(0,Ct.L)().setTimeout,u=c.useRef(!a),d=c.useCallback((function(){var e,o,i,a;u.current||(s(!1),null===(e=n)||void 0===e||e(),null===(a=null===(o=t.current)||void 0===o?void 0:(i=o).addEventListener)||void 0===a||a.call(i,"transitionend",(function(){var e;l((function(){t.current&&(0,ot.uo)(t.current)}),1e3),null===(e=r)||void 0===e||e()})),u.current=!0)}),[t,r,n,l]);return c.useEffect((function(){o||d()}),[o]),[a,d]}(o,n),p=d[0],m=d[1],h=function(e,t,o){var n=(0,T.zg)(e.theme);return c.useMemo((function(){var e,r,i=void 0===o?lt.z.bottom:(0,ct.bv)(o),a={direction:i},s="3px";switch(i){case lt.z.top:case lt.z.bottom:t?t===lt.z.left?(a.left="7px",e="left"):(a.right="7px",e="right"):(a.left="calc(50% - 9px)",e="center"),i===lt.z.top?(a.top=s,r="top"):(a.bottom=s,r="bottom");break;case lt.z.left:case lt.z.right:t?t===lt.z.top?(a.top="7px",r="top"):(a.bottom="7px",r="bottom"):(a.top="calc(50% - 9px)",r="center"),i===lt.z.left?(n?a.right=s:a.left=s,e="left"):(n?a.left=s:a.right=s,e="right")}return[a,e+" "+r]}),[t,o,n])}(o,a,s),g=h[0],f=h[1],v=function(e,t){var o=c.useState(!!e.isCollapsed),n=o[0],r=o[1],i=c.useState(e.isCollapsed?{width:0,height:0}:{}),a=i[0],s=i[1],l=(0,G.r)();return c.useEffect((function(){l.requestAnimationFrame((function(){t.current&&(s({width:t.current.offsetWidth,height:t.current.offsetHeight}),r(!1))}))}),[]),[n,a]}(o,n),b=v[0],y=v[1],_=function(e){var t=e.ariaAlertText,o=(0,G.r)(),n=c.useState(),r=n[0],i=n[1];return c.useEffect((function(){o.requestAnimationFrame((function(){i(t)}))}),[]),r}(o),C=function(e){var t=e.preventFocusOnMount,o=(0,Ct.L)().setTimeout,n=c.useRef(null);return c.useEffect((function(){t||o((function(){var e;return null===(e=n.current)||void 0===e?void 0:e.focus()}),1e3)}),[]),n}(o);!function(e,t,o){var n,r=null===(n=(0,nt.M)())||void 0===n?void 0:n.documentElement;(0,U.d)(r,"keydown",(function(e){var n,r,i;(e.altKey&&e.which===rt.m.c||e.which===rt.m.enter&&(null===(i=null===(n=t.current)||void 0===n?void 0:(r=n).contains)||void 0===i?void 0:i.call(r,e.target)))&&o()}),!0);var i=function(o){var n,r;if(e.preventDismissOnLostFocus){var i=o.target,a=t.current&&!(0,it.t)(t.current,i),s=e.target;a&&i!==s&&!(0,it.t)(s,i)&&(null===(r=(n=e).onDismiss)||void 0===r||r.call(n,o))}};(0,U.d)(r,"click",i,!0),(0,U.d)(r,"focus",i,!0)}(o,r,m),function(e){var t=e.onDismiss;c.useImperativeHandle(e.componentRef,(function(e){return{dismiss:function(){var o;null===(o=t)||void 0===o||o(e)}}}),[t])}(o),function(e,t,o){var n=(0,Ct.L)(),r=n.setTimeout,i=n.clearTimeout,a=c.useRef();c.useEffect((function(){var n=function(){t.current&&(a.current=t.current.getBoundingClientRect())},s=new at.r({});return r((function(){var t=e.mouseProximityOffset,l=void 0===t?0:t,c=[];r((function(){n(),s.on(window,"resize",(function(){c.forEach((function(e){i(e)})),c.splice(0,c.length),c.push(r((function(){n()}),100))}))}),10),s.on(document,"mousemove",(function(t){var r,i,s=t.clientY,c=t.clientX;n(),function(e,t,o,n){return void 0===n&&(n=0),t>e.left-n&&te.top-n&&o=Yt.Unshaded&&e<=Yt.Shade8}function so(e,t){return{h:e.h,s:e.s,v:(0,Mt.u)(e.v-e.v*t,100,0)}}function lo(e,t){return{h:e.h,s:(0,Mt.u)(e.s-e.s*t,100,0),v:(0,Mt.u)(e.v+(100-e.v)*t,100,0)}}function co(e){return At(e.h,e.s,e.v).l<50}function uo(e,t,o){if(void 0===o&&(o=!1),!e)return null;if(t===Yt.Unshaded||!ao(t))return e;var n=At(e.h,e.s,e.v),r={h:e.h,s:e.s,v:e.v},i=t-1,a=lo,s=so;return o&&(a=so,s=lo),r=function(e){return e.r===Tt.uc&&e.g===Tt.uc&&e.b===Tt.uc}(e)?so(r,eo[i]):function(e){return 0===e.r&&0===e.g&&0===e.b}(e)?lo(r,to[i]):n.l/100>.8?s(r,no[i]):n.l/100<.2?a(r,oo[i]):i1?n/r:r/n}!function(e){e[e.Unshaded=0]="Unshaded",e[e.Shade1=1]="Shade1",e[e.Shade2=2]="Shade2",e[e.Shade3=3]="Shade3",e[e.Shade4=4]="Shade4",e[e.Shade5=5]="Shade5",e[e.Shade6=6]="Shade6",e[e.Shade7=7]="Shade7",e[e.Shade8=8]="Shade8"}(Yt||(Yt={}));var ho=o(1332),go=o(6847),fo=o(1958),vo=o(610),bo=o(2167),yo=o(4948),_o=o(6840),Co=o(2470),So=o(9757),xo={auto:0,top:1,bottom:2,center:3},ko=o(8826),wo={top:-1,bottom:-1,left:-1,right:-1,width:0,height:0},Io=function(e){return e.getBoundingClientRect()},Do=Io,To=Io,Eo=function(e){function t(t){var o=e.call(this,t)||this;return o._root=c.createRef(),o._surface=c.createRef(),o._pageRefs={},o._getDerivedStateFromProps=function(e,t){return e.items!==o.props.items||e.renderCount!==o.props.renderCount||e.startIndex!==o.props.startIndex||e.version!==o.props.version?(o._resetRequiredWindows(),o._requiredRect=null,o._measureVersion++,o._invalidatePageCache(),o._updatePages(e,t)):t},o._onRenderRoot=function(e){var t=e.rootRef,o=e.surfaceElement,n=e.divProps;return c.createElement("div",(0,l.pi)({ref:t},n),o)},o._onRenderSurface=function(e){var t=e.surfaceRef,o=e.pageElements,n=e.divProps;return c.createElement("div",(0,l.pi)({ref:t},n),o)},o._onRenderPage=function(e,t){for(var n=o.props,r=n.onRenderCell,i=n.role,a=e.page,s=a.items,u=void 0===s?[]:s,d=a.startIndex,p=(0,l._T)(e,["page"]),m=void 0===i?"listitem":"presentation",h=[],g=0;ge){if(t&&this._scrollElement){for(var d=To(this._scrollElement),p={top:this._scrollElement.scrollTop,bottom:this._scrollElement.scrollTop+d.height},m=e-l,h=0;h=p.top&&g<=p.bottom)return;ap.bottom&&(a=g-d.height)}return void(this._scrollElement.scrollTop=a)}a+=u}},t.prototype.getStartItemIndexInView=function(e){for(var t=0,o=this.state.pages||[];t=n.top&&(this._scrollTop||0)<=n.top+n.height){if(!e){var r=Math.floor(n.height/n.itemCount);return n.startIndex+Math.floor((this._scrollTop-n.top)/r)}for(var i=0,a=n.startIndex;a0?n:void 0})})},t.prototype._shouldVirtualize=function(e){void 0===e&&(e=this.props);var t=e.onShouldVirtualize;return!t||t(e)},t.prototype._invalidatePageCache=function(){this._pageCache={}},t.prototype._renderPage=function(e){var t,o=this,n=this.props.usePageCache;if(n&&(t=this._pageCache[e.key])&&t.pageElement)return t.pageElement;var r=this._getPageStyle(e),i=this.props.onRenderPage,a=(void 0===i?this._onRenderPage:i)({page:e,className:"ms-List-page",key:e.key,ref:function(t){o._pageRefs[e.key]=t},style:r,role:"presentation"},this._onRenderPage);return n&&0===e.startIndex&&(this._pageCache[e.key]={page:e,pageElement:a}),a},t.prototype._getPageStyle=function(e){var t=this.props.getPageStyle;return(0,l.pi)((0,l.pi)({},t?t(e):{}),e.items?{}:{height:e.height})},t.prototype._onFocus=function(e){for(var t=e.target;t!==this._surface.current;){var o=t.getAttribute("data-list-index");if(o){this._focusedIndex=Number(o);break}t=(0,_o.G)(t)}},t.prototype._onScroll=function(){this.state.isScrolling||this.props.ignoreScrollingState||this.setState({isScrolling:!0}),this._resetRequiredWindows(),this._onScrollingDone()},t.prototype._resetRequiredWindows=function(){this._requiredWindowsAhead=0,this._requiredWindowsBehind=0},t.prototype._onAsyncScroll=function(){var e,t;this._updateRenderRects(this.props,this.state),this._materializedRect&&(e=this._requiredRect,t=this._materializedRect,e.top>=t.top&&e.left>=t.left&&e.bottom<=t.bottom&&e.right<=t.right)||this.setState(this._updatePages(this.props,this.state))},t.prototype._onAsyncIdle=function(){var e=this.props,t=e.renderedWindowsAhead,o=e.renderedWindowsBehind,n=this._requiredWindowsAhead,r=this._requiredWindowsBehind,i=Math.min(t,n+1),a=Math.min(o,r+1);i===n&&a===r||(this._requiredWindowsAhead=i,this._requiredWindowsBehind=a,this._updateRenderRects(this.props,this.state),this.setState(this._updatePages(this.props,this.state))),(t>i||o>a)&&this._onAsyncIdle()},t.prototype._onScrollingDone=function(){this.props.ignoreScrollingState||this.setState({isScrolling:!1})},t.prototype._onAsyncResize=function(){this.forceUpdate()},t.prototype._updatePages=function(e,t){this._requiredRect||this._updateRenderRects(e,t);var o=this._buildPages(e,t),n=t.pages;return this._notifyPageChanges(n,o.pages,this.props),(0,l.pi)((0,l.pi)({},t),o)},t.prototype._notifyPageChanges=function(e,t,o){var n=o.onPageAdded,r=o.onPageRemoved;if(n||r){for(var i={},a=0,s=e;a-1,x=!f||C>=f.top&&u<=f.bottom,k=!b._requiredRect||C>=b._requiredRect.top&&u<=b._requiredRect.bottom;if(!g&&(k||x&&S)||!h||p>=e&&p=b._visibleRect.top&&u<=b._visibleRect.bottom),s.push(I),k&&b._allowedRect&&(y=a,_={top:u,bottom:C,height:i,left:f.left,right:f.right,width:f.width},y.top=_.topy.bottom||-1===y.bottom?_.bottom:y.bottom,y.right=_.right>y.right||-1===y.right?_.right:y.right,y.width=y.right-y.left+1,y.height=y.bottom-y.top+1)}else d||(d=b._createPage("spacer-"+e,void 0,e,0,void 0,l,!0)),d.height=(d.height||0)+(C-u)+1,d.itemCount+=c;if(u+=C-u+1,g&&h)return"break"},b=this,y=r;ythis._estimatedPageHeight/3)&&(a=this._surfaceRect=Do(this._surface.current),this._scrollTop=c),!o&&s&&s===this._scrollHeight||this._measureVersion++,this._scrollHeight=s;var u=Math.max(0,-a.top),d=(0,So.J)(this._root.current),p={top:u,left:a.left,bottom:u+d.innerHeight,right:a.right,width:a.width,height:d.innerHeight};this._requiredRect=Po(p,this._requiredWindowsBehind,this._requiredWindowsAhead),this._allowedRect=Po(p,r,n),this._visibleRect=p}},t.defaultProps={startIndex:0,onRenderCell:function(e,t,o){return c.createElement(c.Fragment,null,e&&e.name||"")},renderedWindowsAhead:2,renderedWindowsBehind:2},t}(c.Component);function Po(e,t,o){var n=e.top-t*e.height,r=e.height+(t+o)*e.height;return{top:n,bottom:n+r,height:r,left:e.left,right:e.right,width:e.width}}var Mo=function(e){function t(t){var o=e.call(this,t)||this;return o._comboBox=c.createRef(),o._list=c.createRef(),o._onRenderList=function(e){var t=e.onRenderItem;return c.createElement(Eo,{componentRef:o._list,role:"listbox",items:e.options,onRenderCell:t?function(e){return t(e)}:function(){return null}})},o._onScrollToItem=function(e){o._list.current&&o._list.current.scrollToIndex(e)},(0,P.l)(o),o}return(0,l.ZT)(t,e),Object.defineProperty(t.prototype,"selectedOptions",{get:function(){return this._comboBox.current?this._comboBox.current.selectedOptions:[]},enumerable:!0,configurable:!0}),t.prototype.dismissMenu=function(){if(this._comboBox.current)return this._comboBox.current.dismissMenu()},t.prototype.focus=function(e,t){return!!this._comboBox.current&&(this._comboBox.current.focus(e,t),!0)},t.prototype.render=function(){return c.createElement(vo.C,(0,l.pi)({},this.props,{componentRef:this._comboBox,onRenderList:this._onRenderList,onScrollToItem:this._onScrollToItem}))},t}(c.Component),Ro=(0,d.Ct)((function(e){var t=e;return(0,d.Ct)((function(o){if(e===o)throw new Error("Attempted to compose a component with itself.");var n=o,r=(0,d.Ct)((function(e){return function(t){return c.createElement(n,(0,l.pi)({},t,{defaultRender:e}))}}));return function(e){var o=e.defaultRender;return c.createElement(t,(0,l.pi)({},e,{defaultRender:o?r(o):n}))}}))}));function No(e,t){return Ro(e)(t)}var Bo=o(344),Fo=function(e){var t=Bo.K.getInstance(),o=e.className,n=e.overflowItems,r=e.keytipSequences,i=e.itemSubMenuProvider,a=e.onRenderOverflowButton,s=(0,q.B)({}),u=c.useCallback((function(e){return i?i(e):e.subMenuProps?e.subMenuProps.items:void 0}),[i]),d=c.useMemo((function(){var e,o=[];return r?null===(e=n)||void 0===e||e.forEach((function(e){var n,i,a,c,d=e.keytipProps;if(d){var p={content:d.content,keySequences:d.keySequences,disabled:d.disabled||!(!e.disabled&&!e.isDisabled),hasDynamicChildren:d.hasDynamicChildren,hasMenu:d.hasMenu};d.hasDynamicChildren||u(e)?p.onExecute=t.menuExecute.bind(t,r,null===(i=null===(n=e)||void 0===n?void 0:n.keytipProps)||void 0===i?void 0:i.keySequences):p.onExecute=d.onExecute,s[p.content]=p;var m=(0,l.pi)((0,l.pi)({},e),{keytipProps:(0,l.pi)((0,l.pi)({},d),{overflowSetSequence:r})});null===(a=o)||void 0===a||a.push(m)}else null===(c=o)||void 0===c||c.push(e)})):o=n,o}),[n,u,t,r,s]);return function(e,t){c.useEffect((function(){return Object.keys(e).forEach((function(o){var n=e[o],r=t.register(n,!0);e[r]=n,delete e[o]})),function(){Object.keys(e).forEach((function(o){t.unregister(e[o],o,!0),delete e[o]}))}}),[e,t])}(s,t),c.createElement("div",{className:o},a(d))},Lo=(0,D.y)(),Ao=c.forwardRef((function(e,t){var o=c.useRef(null),n=(0,N.r)(o,t);!function(e,t){c.useImperativeHandle(e.componentRef,(function(){return{focus:function(){var e=!1;return t.current&&(e=(0,ot.uo)(t.current)),e},focusElement:function(e){var o=!1;return!!e&&(t.current&&(0,it.t)(t.current,e)&&(e.focus(),o=document.activeElement===e),o)}}}),[t])}(e,o);var r=e.items,i=e.overflowItems,a=e.className,s=e.styles,u=e.vertical,d=e.role,p=e.overflowSide,m=void 0===p?"end":p,h=e.onRenderItem,g=Lo(s,{className:a,vertical:u}),f=!!i&&i.length>0;return c.createElement("div",(0,l.pi)({},(0,E.pq)(e,E.n7),{role:d||"group","aria-orientation":"menubar"===d?!0===u?"vertical":"horizontal":void 0,className:g.root,ref:n}),"start"===m&&f&&c.createElement(Fo,(0,l.pi)({},e,{className:g.overflowButton})),r&&r.map((function(e,t){return c.createElement("div",{className:g.item,key:e.key},h(e))})),"end"===m&&f&&c.createElement(Fo,(0,l.pi)({},e,{className:g.overflowButton})))}));Ao.displayName="OverflowSet";var zo,Ho={flexShrink:0,display:"inherit"},Oo=(0,I.z)(Ao,(function(e){var t=e.className;return{root:["ms-OverflowSet",{position:"relative",display:"flex",flexWrap:"nowrap"},e.vertical&&{flexDirection:"column"},t],item:["ms-OverflowSet-item",Ho],overflowButton:["ms-OverflowSet-overflowButton",Ho]}}),void 0,{scope:"OverflowSet"}),Wo=(0,d.NF)((function(e){var t={height:"100%"},o={whiteSpace:"nowrap"},n=e||{},r=n.root,i=n.label,a=(0,l._T)(n,["root","label"]);return(0,l.pi)((0,l.pi)({},a),{root:r?[t,r]:t,label:i?[o,i]:o})})),Vo=(0,D.y)(),Ko=function(e){function t(t){var o=e.call(this,t)||this;return o._overflowSet=c.createRef(),o._resizeGroup=c.createRef(),o._onRenderData=function(e){return c.createElement(M.k,{className:(0,pt.i)(o._classNames.root),direction:R.U.horizontal,role:"menubar","aria-label":o.props.ariaLabel},c.createElement(Oo,{role:"none",componentRef:o._overflowSet,className:(0,pt.i)(o._classNames.primarySet),items:e.primaryItems,overflowItems:e.overflowItems.length?e.overflowItems:void 0,onRenderItem:o._onRenderItem,onRenderOverflowButton:o._onRenderOverflowButton}),e.farItems&&e.farItems.length>0&&c.createElement(Oo,{role:"none",className:(0,pt.i)(o._classNames.secondarySet),items:e.farItems,onRenderItem:o._onRenderItem,onRenderOverflowButton:Ie.S}))},o._onRenderItem=function(e){if(e.onRender)return e.onRender(e,(function(){}));var t=e.text||e.name,n=(0,l.pi)((0,l.pi)({allowDisabledFocus:!0,role:"menuitem"},e),{styles:Wo(e.buttonStyles),className:(0,pt.i)("ms-CommandBarItem-link",e.className),text:e.iconOnly?void 0:t,menuProps:e.subMenuProps,onClick:o._onButtonClick(e)});return e.iconOnly&&(void 0!==t||e.tooltipHostProps)?c.createElement(ie.G,(0,l.pi)({content:t},e.tooltipHostProps),o._commandButton(e,n)):o._commandButton(e,n)},o._commandButton=function(e,t){var n=o.props.buttonAs,r=e.commandBarButtonAs,i=ke.Q;return r&&(i=No(r,i)),n&&(i=No(n,i)),c.createElement(i,(0,l.pi)({},t))},o._onRenderOverflowButton=function(e){var t=o.props.overflowButtonProps,n=void 0===t?{}:t,r=(0,l.pr)(n.menuProps?n.menuProps.items:[],e),i=(0,l.pi)((0,l.pi)({role:"menuitem"},n),{styles:(0,l.pi)({menuIcon:{fontSize:"17px"}},n.styles),className:(0,pt.i)("ms-CommandBar-overflowButton",n.className),menuProps:(0,l.pi)((0,l.pi)({},n.menuProps),{items:r}),menuIconProps:(0,l.pi)({iconName:"More"},n.menuIconProps)}),a=o.props.overflowButtonAs?No(o.props.overflowButtonAs,ke.Q):ke.Q;return c.createElement(a,(0,l.pi)({},i))},o._onReduceData=function(e){var t=o.props,n=t.shiftOnReduce,r=t.onDataReduced,i=e.primaryItems,a=e.overflowItems,s=e.cacheKey,c=i[n?0:i.length-1];if(void 0!==c){c.renderedInOverflow=!0,a=(0,l.pr)([c],a),i=n?i.slice(1):i.slice(0,-1);var u=(0,l.pi)((0,l.pi)({},e),{primaryItems:i,overflowItems:a});return s=o._computeCacheKey({primaryItems:i,overflow:a.length>0}),r&&r(c),u.cacheKey=s,u}},o._onGrowData=function(e){var t=o.props,n=t.shiftOnReduce,r=t.onDataGrown,i=e.minimumOverflowItems,a=e.primaryItems,s=e.overflowItems,c=e.cacheKey,u=s[0];if(void 0!==u&&s.length>i){u.renderedInOverflow=!1,s=s.slice(1),a=n?(0,l.pr)([u],a):(0,l.pr)(a,[u]);var d=(0,l.pi)((0,l.pi)({},e),{primaryItems:a,overflowItems:s});return c=o._computeCacheKey({primaryItems:a,overflow:s.length>0}),r&&r(u),d.cacheKey=c,d}},(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.items,o=e.overflowItems,n=e.farItems,r=e.styles,i=e.theme,a=e.dataDidRender,s=e.onReduceData,u=void 0===s?this._onReduceData:s,d=e.onGrowData,p=void 0===d?this._onGrowData:d,m={primaryItems:(0,l.pr)(t),overflowItems:(0,l.pr)(o),minimumOverflowItems:(0,l.pr)(o).length,farItems:n,cacheKey:this._computeCacheKey({primaryItems:(0,l.pr)(t),overflow:o&&o.length>0})};this._classNames=Vo(r,{theme:i});var h=(0,E.pq)(this.props,E.n7);return c.createElement(re,(0,l.pi)({},h,{componentRef:this._resizeGroup,data:m,onReduceData:u,onGrowData:p,onRenderData:this._onRenderData,dataDidRender:a}))},t.prototype.focus=function(){var e=this._overflowSet.current;e&&e.focus()},t.prototype.remeasure=function(){this._resizeGroup.current&&this._resizeGroup.current.remeasure()},t.prototype._onButtonClick=function(e){return function(t){e.inactive||e.onClick&&e.onClick(t,e)}},t.prototype._computeCacheKey=function(e){var t=e.primaryItems,o=e.overflow;return[t&&t.reduce((function(e,t){var o=t.cacheKey;return e+(void 0===o?t.key:o)}),""),o?"overflow":""].join("")},t.defaultProps={items:[],overflowItems:[]},t}(c.Component),qo=(0,I.z)(Ko,(function(e){var t=e.className,o=e.theme,n=o.semanticColors;return{root:[o.fonts.medium,"ms-CommandBar",{display:"flex",backgroundColor:n.bodyBackground,padding:"0 14px 0 24px",height:44},t],primarySet:["ms-CommandBar-primaryCommand",{flexGrow:"1",display:"flex",alignItems:"stretch"}],secondarySet:["ms-CommandBar-secondaryCommand",{flexShrink:"0",display:"flex",alignItems:"stretch"}]}}),void 0,{scope:"CommandBar"}),Go=o(9134),Uo=o(7817),jo=o(5183),Jo=o(6662),Yo=o(1839),Zo=o(668),Xo=o(127),Qo=o(6381),$o=o(1194),en=o(6974),tn=o(7433),on=o(5238),nn=o(3297),rn=o(4449);!function(e){e[e.hidden=0]="hidden",e[e.visible=1]="visible"}(zo||(zo={}));var an,sn,ln,cn,un,dn=o(2782);!function(e){e[e.disabled=0]="disabled",e[e.clickable=1]="clickable",e[e.hasDropdown=2]="hasDropdown"}(an||(an={})),function(e){e[e.unconstrained=0]="unconstrained",e[e.horizontalConstrained=1]="horizontalConstrained"}(sn||(sn={})),function(e){e[e.outside=0]="outside",e[e.surface=1]="surface",e[e.header=2]="header"}(ln||(ln={})),function(e){e[e.fixedColumns=0]="fixedColumns",e[e.justified=1]="justified"}(cn||(cn={})),function(e){e[e.onHover=0]="onHover",e[e.always=1]="always",e[e.hidden=2]="hidden"}(un||(un={}));var pn=function(e){var t=e.count,o=e.indentWidth,n=void 0===o?36:o,r=e.role,i=void 0===r?"presentation":r,a=t*n;return t>0?c.createElement("span",{className:"ms-GroupSpacer",style:{display:"inline-block",width:a},role:i}):null},mn={root:"ms-DetailsRow",compact:"ms-DetailsList--Compact",cell:"ms-DetailsRow-cell",cellAnimation:"ms-DetailsRow-cellAnimation",cellCheck:"ms-DetailsRow-cellCheck",check:"ms-DetailsRow-check",cellMeasurer:"ms-DetailsRow-cellMeasurer",listCellFirstChild:"ms-List-cell:first-child",isContentUnselectable:"is-contentUnselectable",isSelected:"is-selected",isCheckVisible:"is-check-visible",isRowHeader:"is-row-header",fields:"ms-DetailsRow-fields"},hn={cellLeftPadding:12,cellRightPadding:8,cellExtraRightPadding:24},gn={rowHeight:42,compactRowHeight:32},fn=(0,l.pi)((0,l.pi)({},gn),{rowVerticalPadding:11,compactRowVerticalPadding:6}),vn=function(e){var t,o,n,r,i,a,s,c,d,p,m,h,g=e.theme,f=e.isSelected,v=e.canSelect,b=e.droppingClassName,y=e.anySelected,_=e.isCheckVisible,C=e.checkboxCellClassName,S=e.compact,x=e.className,k=e.cellStyleProps,w=void 0===k?hn:k,I=e.enableUpdateAnimations,D=g.palette,T=g.fonts,E=D.neutralPrimary,P=D.white,M=D.neutralSecondary,R=D.neutralLighter,N=D.neutralLight,B=D.neutralDark,F=D.neutralQuaternaryAlt,L=g.semanticColors.focusBorder,A=(0,u.Cn)(mn,g),z={defaultHeaderText:E,defaultMetaText:M,defaultBackground:P,defaultHoverHeaderText:B,defaultHoverMetaText:E,defaultHoverBackground:R,selectedHeaderText:B,selectedMetaText:E,selectedBackground:N,selectedHoverHeaderText:B,selectedHoverMetaText:E,selectedHoverBackground:F,focusHeaderText:B,focusMetaText:E,focusBackground:N,focusHoverBackground:F},H=[(0,u.GL)(g,{inset:-1,borderColor:L,outlineColor:P}),A.isSelected,{color:z.selectedMetaText,background:z.selectedBackground,borderBottom:"1px solid "+P,selectors:(t={"&:before":{position:"absolute",display:"block",top:-1,height:1,bottom:0,left:0,right:0,content:"",borderTop:"1px solid "+P},"&:hover":{background:z.selectedHoverBackground,color:z.selectedHoverMetaText,selectors:(o={},o["."+A.cell+" "+u.qJ]={color:"HighlightText",selectors:{"> a":{color:"HighlightText"}}},o["."+A.isRowHeader]={color:z.selectedHoverHeaderText,selectors:(n={},n[u.qJ]={color:"HighlightText"},n)},o[u.qJ]={background:"Highlight"},o)},"&:focus":{background:z.focusBackground,selectors:(r={},r["."+A.cell]={color:z.focusMetaText,selectors:(i={},i[u.qJ]={color:"HighlightText",selectors:{"> a":{color:"HighlightText"}}},i)},r["."+A.isRowHeader]={color:z.focusHeaderText,selectors:(a={},a[u.qJ]={color:"HighlightText"},a)},r[u.qJ]={background:"Highlight"},r)}},t[u.qJ]=(0,l.pi)((0,l.pi)({background:"Highlight",color:"HighlightText"},(0,u.xM)()),{selectors:{a:{color:"HighlightText"}}}),t["&:focus:hover"]={background:z.focusHoverBackground},t)}],O=[A.isContentUnselectable,{userSelect:"none",cursor:"default"}],W={minHeight:fn.compactRowHeight,border:0},V={minHeight:fn.compactRowHeight,paddingTop:fn.compactRowVerticalPadding,paddingBottom:fn.compactRowVerticalPadding,paddingLeft:w.cellLeftPadding+"px"},K=[(0,u.GL)(g,{inset:-1}),A.cell,{display:"inline-block",position:"relative",boxSizing:"border-box",minHeight:fn.rowHeight,verticalAlign:"top",whiteSpace:"nowrap",overflow:"hidden",textOverflow:"ellipsis",paddingTop:fn.rowVerticalPadding,paddingBottom:fn.rowVerticalPadding,paddingLeft:w.cellLeftPadding+"px",selectors:(s={"& > button":{maxWidth:"100%"}},s["[data-is-focusable='true']"]=(0,u.GL)(g,{inset:-1,borderColor:M,outlineColor:P}),s)},f&&{selectors:(c={},c[u.qJ]=(0,l.pi)((0,l.pi)({background:"Highlight",color:"HighlightText"},(0,u.xM)()),{selectors:{a:{color:"HighlightText"}}}),c)},S&&V];return{root:[A.root,u.k4.fadeIn400,b,g.fonts.small,_&&A.isCheckVisible,(0,u.GL)(g,{borderColor:L,outlineColor:P}),{borderBottom:"1px solid "+R,background:z.defaultBackground,color:z.defaultMetaText,display:"inline-flex",minWidth:"100%",minHeight:fn.rowHeight,whiteSpace:"nowrap",padding:0,boxSizing:"border-box",verticalAlign:"top",textAlign:"left",selectors:(d={},d["."+A.listCellFirstChild+" &:before"]={display:"none"},d["&:hover"]={background:z.defaultHoverBackground,color:z.defaultHoverMetaText,selectors:(p={},p["."+A.isRowHeader]={color:z.defaultHoverHeaderText},p)},d["&:hover ."+A.check]={opacity:1},d["."+de.G$+" &:focus ."+A.check]={opacity:1},d[".ms-GroupSpacer"]={flexShrink:0,flexGrow:0},d)},f&&H,!v&&O,S&&W,x],cellUnpadded:{paddingRight:w.cellRightPadding+"px"},cellPadded:{paddingRight:w.cellExtraRightPadding+w.cellRightPadding+"px",selectors:(m={},m["&."+A.cellCheck]={paddingRight:0},m)},cell:K,cellAnimation:I&&u.Ic.slideLeftIn40,cellMeasurer:[A.cellMeasurer,{overflow:"visible",whiteSpace:"nowrap"}],checkCell:[K,A.cellCheck,C,{padding:0,paddingTop:1,marginTop:-1,flexShrink:0}],checkCover:{position:"absolute",top:-1,left:0,bottom:0,right:0,display:y?"block":"none"},fields:[A.fields,{display:"flex",alignItems:"stretch"}],isRowHeader:[A.isRowHeader,{color:z.defaultHeaderText,fontSize:T.medium.fontSize},f&&{color:z.selectedHeaderText,fontWeight:u.lq.semibold,selectors:(h={},h[u.qJ]={color:"HighlightText"},h)}],isMultiline:[K,{whiteSpace:"normal",wordBreak:"break-word",textOverflow:"clip"}],check:[A.check]}},bn={tooltipHost:"ms-TooltipHost",root:"ms-DetailsHeader",cell:"ms-DetailsHeader-cell",cellIsCheck:"ms-DetailsHeader-cellIsCheck",collapseButton:"ms-DetailsHeader-collapseButton",isCollapsed:"is-collapsed",isAllSelected:"is-allSelected",isSelectAllHidden:"is-selectAllHidden",isResizingColumn:"is-resizingColumn",cellSizer:"ms-DetailsHeader-cellSizer",isResizing:"is-resizing",dropHintCircleStyle:"ms-DetailsHeader-dropHintCircleStyle",dropHintCaretStyle:"ms-DetailsHeader-dropHintCaretStyle",dropHintLineStyle:"ms-DetailsHeader-dropHintLineStyle",cellTitle:"ms-DetailsHeader-cellTitle",cellName:"ms-DetailsHeader-cellName",filterChevron:"ms-DetailsHeader-filterChevron",gripperBarVertical:"ms-DetailsColumn-gripperBarVertical",checkTooltip:"ms-DetailsHeader-checkTooltip",check:"ms-DetailsHeader-check"},yn=function(e){var t=e.theme,o=e.cellStyleProps,n=void 0===o?hn:o,r=t.semanticColors;return[(0,u.Cn)(bn,t).cell,(0,u.GL)(t),{color:r.bodyText,position:"relative",display:"inline-block",boxSizing:"border-box",padding:"0 "+n.cellRightPadding+"px 0 "+n.cellLeftPadding+"px",lineHeight:"inherit",margin:"0",height:42,verticalAlign:"top",whiteSpace:"nowrap",textOverflow:"ellipsis",textAlign:"left"}]},_n={root:"ms-DetailsRow-check",isDisabled:"ms-DetailsRow-check--isDisabled",isHeader:"ms-DetailsRow-check--isHeader"},Cn=(0,D.y)(),Sn=c.memo((function(e){return c.createElement(je,{theme:e.theme,checked:e.checked,className:e.className,useFastIcons:!0})}));function xn(e){return c.createElement(je,{checked:e.checked})}function kn(e){return c.createElement(Sn,{theme:e.theme,checked:e.checked})}var wn,In=(0,I.z)((function(e){var t=e.isVisible,o=void 0!==t&&t,n=e.canSelect,r=void 0!==n&&n,i=e.anySelected,a=void 0!==i&&i,s=e.selected,u=void 0!==s&&s,d=e.isHeader,p=void 0!==d&&d,m=e.className,h=(e.checkClassName,e.styles),g=e.theme,f=e.compact,v=e.onRenderDetailsCheckbox,b=e.useFastIcons,y=void 0===b||b,_=(0,l._T)(e,["isVisible","canSelect","anySelected","selected","isHeader","className","checkClassName","styles","theme","compact","onRenderDetailsCheckbox","useFastIcons"]),C=y?kn:xn,S=v?(0,ko.k)(v,C):C,x=Cn(h,{theme:g,canSelect:r,selected:u,anySelected:a,className:m,isHeader:p,isVisible:o,compact:f}),k={checked:u,theme:g};return r?c.createElement("div",(0,l.pi)({},_,{role:"checkbox",className:(0,pt.i)(x.root,x.check),"aria-checked":u,"data-selection-toggle":!0,"data-automationid":"DetailsRowCheck"}),S(k)):c.createElement("div",(0,l.pi)({},_,{className:(0,pt.i)(x.root,x.check)}))}),(function(e){var t=e.theme,o=e.className,n=e.isHeader,r=e.selected,i=e.anySelected,a=e.canSelect,s=e.compact,l=e.isVisible,c=(0,u.Cn)(_n,t),d=gn.rowHeight,p=gn.compactRowHeight,m=n?42:s?p:d,h=l||r||i;return{root:[c.root,o],check:[!a&&c.isDisabled,n&&c.isHeader,(0,u.GL)(t),t.fonts.small,Ue.checkHost,{display:"flex",alignItems:"center",justifyContent:"center",cursor:"default",boxSizing:"border-box",verticalAlign:"top",background:"none",backgroundColor:"transparent",border:"none",opacity:h?1:0,height:m,width:48,padding:0,margin:0}],isDisabled:[]}}),void 0,{scope:"DetailsRowCheck"},!0),Dn=function(){function e(e){this._selection=e.selection,this._dragEnterCounts={},this._activeTargets={},this._lastId=0,this._initialized=!1}return e.prototype.dispose=function(){this._events&&this._events.dispose()},e.prototype.subscribe=function(e,t,o){var n=this;if(!this._initialized){this._events=new at.r(this);var r=(0,nt.M)();r&&(this._events.on(r.body,"mouseup",this._onMouseUp.bind(this),!0),this._events.on(r,"mouseup",this._onDocumentMouseUp.bind(this),!0)),this._initialized=!0}var i,a,s,l,c,u,d,p,m,h,g=o.key,f=void 0===g?""+ ++this._lastId:g,v=[];if(o&&e){var b=o.eventMap,y=o.context,_=o.updateDropState,C={root:e,options:o,key:f};if(p=this._isDraggable(C),m=this._isDroppable(C),(p||m)&&b)for(var S=0,x=b;S0&&(at.r.raise(this._dragData.dropTarget.root,"dragleave"),at.r.raise(r,"dragenter"),this._dragData.dropTarget=e)}},e.prototype._onMouseLeave=function(e,t){this._isDragging&&this._dragData&&this._dragData.dropTarget&&this._dragData.dropTarget.key===e.key&&(at.r.raise(e.root,"dragleave"),this._dragData.dropTarget=void 0)},e.prototype._onMouseDown=function(e,t){if(0===t.button)if(this._isDraggable(e)){this._dragData={clientX:t.clientX,clientY:t.clientY,eventTarget:t.target,dragTarget:e};for(var o=0,n=Object.keys(this._activeTargets);o=0&&"drop"!==t.type&&!e&&o._resetDropHints()},o._onDragOver=function(e,t){o._draggedColumnIndex>=0&&(t.stopPropagation(),o._computeDropHintToBeShown(t.clientX))},o._onDrop=function(e,t){var n=o._getColumnReorderProps();if(o._draggedColumnIndex>=0&&t){var r=o._draggedColumnIndex>o._currentDropHintIndex?o._currentDropHintIndex:o._currentDropHintIndex-1,i=o._isValidCurrentDropHintIndex();if(t.stopPropagation(),i)if(o._onDropIndexInfo.sourceIndex=o._draggedColumnIndex,o._onDropIndexInfo.targetIndex=r,n.onColumnDrop){var a={draggedIndex:o._draggedColumnIndex,targetIndex:r};n.onColumnDrop(a)}else n.handleColumnReorder&&n.handleColumnReorder(o._draggedColumnIndex,r)}o._resetDropHints(),o._dropHintDetails={},o._draggedColumnIndex=-1},o._updateDragInfo=function(e,t){var n=o._getColumnReorderProps(),r=e.itemIndex;if(r>=0)o._draggedColumnIndex=o._isCheckboxColumnHidden()?r-1:r-2,o._getDropHintPositions(),n.onColumnDragStart&&n.onColumnDragStart(!0);else if(t&&o._draggedColumnIndex>=0&&(o._resetDropHints(),o._draggedColumnIndex=-1,o._dropHintDetails={},n.onColumnDragEnd)){var i=o._isEventOnHeader(t);n.onColumnDragEnd({dropLocation:i},t)}},o._getDropHintPositions=function(){for(var e,t=o.props.columns,n=void 0===t?Nn:t,r=o._getColumnReorderProps(),i=0,a=0,s=r.frozenColumnCountFromStart||0,l=r.frozenColumnCountFromEnd||0,c=s;c=0&&(o._resetDropHints(),o._updateDropHintElement(o._dropHintDetails[p].dropHintElementRef,"inline-block"),o._currentDropHintIndex=p)}},o._renderColumnSizer=function(e){var t,n=e.columnIndex,r=o.props.columns,i=void 0===r?Nn:r,a=i[n],s=o.state.columnResizeDetails,l=o._classNames;return a.isResizable?c.createElement("div",{key:a.key+"_sizer","aria-hidden":!0,role:"button","data-is-focusable":!1,onClick:zn,"data-sizer-index":n,onBlur:o._onSizerBlur,className:(0,pt.i)(l.cellSizer,n=0&&this._onDropIndexInfo.targetIndex>=0){var t=e.columns,o=void 0===t?Nn:t,n=this.props.columns,r=void 0===n?Nn:n;o[this._onDropIndexInfo.sourceIndex].key===r[this._onDropIndexInfo.targetIndex].key&&(this._onDropIndexInfo={sourceIndex:-1,targetIndex:-1})}this.props.isAllCollapsed!==e.isAllCollapsed&&this.setState({isAllCollapsed:this.props.isAllCollapsed})},t.prototype.componentWillUnmount=function(){this._subscriptionObject&&(this._subscriptionObject.dispose(),delete this._subscriptionObject),this._dragDropHelper.dispose(),this._events.dispose()},t.prototype.render=function(){var e=this,t=this.props,o=t.columns,n=void 0===o?Nn:o,r=t.ariaLabel,i=t.ariaLabelForToggleAllGroupsButton,a=t.ariaLabelForSelectAllCheckbox,s=t.selectAllVisibility,l=t.ariaLabelForSelectionColumn,u=t.indentWidth,d=t.onColumnClick,p=t.onColumnContextMenu,m=t.onRenderColumnHeaderTooltip,h=void 0===m?this._onRenderColumnHeaderTooltip:m,g=t.styles,f=t.selectionMode,v=t.theme,b=t.onRenderDetailsCheckbox,y=t.groupNestingDepth,_=t.useFastIcons,C=t.checkboxVisibility,S=t.className,x=this.state,k=x.isAllSelected,w=x.columnResizeDetails,I=x.isSizing,D=x.isAllCollapsed,E=s!==wn.none,P=s===wn.hidden,N=C===un.always,B=this._getColumnReorderProps(),F=B&&B.frozenColumnCountFromStart?B.frozenColumnCountFromStart:0,L=B&&B.frozenColumnCountFromEnd?B.frozenColumnCountFromEnd:0;this._classNames=Rn(g,{theme:v,isAllSelected:k,isSelectAllHidden:s===wn.hidden,isResizingColumn:!!w&&I,isSizing:I,isAllCollapsed:D,isCheckboxHidden:P,className:S});var A=this._classNames,z=_?Ve.xu:W.J,H=(0,T.zg)(v);return c.createElement(M.k,{role:"row","aria-label":r,className:A.root,componentRef:this._rootComponent,elementRef:this._rootElement,onMouseMove:this._onRootMouseMove,"data-automationid":"DetailsHeader",direction:R.U.horizontal},E?[c.createElement("div",{key:"__checkbox",className:A.cellIsCheck,"aria-labelledby":this._id+"-check",onClick:P?void 0:this._onSelectAllClicked,"aria-colindex":1,role:"columnheader"},h({hostClassName:A.checkTooltip,id:this._id+"-checkTooltip",setAriaDescribedBy:!1,content:a,children:c.createElement(In,{id:this._id+"-check","aria-label":f===on.oW.multiple?a:l,"aria-describedby":P?l&&!this.props.onRenderColumnHeaderTooltip?this._id+"-checkTooltip":void 0:a&&!this.props.onRenderColumnHeaderTooltip?this._id+"-checkTooltip":void 0,"data-is-focusable":!P||void 0,isHeader:!0,selected:k,anySelected:!1,canSelect:!P,className:A.check,onRenderDetailsCheckbox:b,useFastIcons:_,isVisible:N})},this._onRenderColumnHeaderTooltip)),this.props.onRenderColumnHeaderTooltip?null:a&&!P?c.createElement("label",{key:"__checkboxLabel",id:this._id+"-checkTooltip",className:A.accessibleLabel,"aria-hidden":!0},a):l&&P?c.createElement("label",{key:"__checkboxLabel",id:this._id+"-checkTooltip",className:A.accessibleLabel,"aria-hidden":!0},l):null]:null,y>0&&this.props.collapseAllVisibility===zo.visible?c.createElement("div",{className:A.cellIsGroupExpander,onClick:this._onToggleCollapseAll,"data-is-focusable":!0,"aria-label":i,"aria-expanded":!D,role:"columnheader"},c.createElement(z,{className:A.collapseButton,iconName:H?"ChevronLeftMed":"ChevronRightMed"})):null,c.createElement(pn,{indentWidth:u,role:"gridcell",count:y-1}),n.map((function(t,o){var r=!!B&&o>=F&&o=0},t.prototype._isCheckboxColumnHidden=function(){var e=this.props,t=e.selectionMode,o=e.checkboxVisibility;return t===on.oW.none||o===un.hidden},t.prototype._resetDropHints=function(){this._currentDropHintIndex>=0&&(this._updateDropHintElement(this._dropHintDetails[this._currentDropHintIndex].dropHintElementRef,"none"),this._currentDropHintIndex=-1)},t.prototype._updateDropHintElement=function(e,t){e.childNodes[1].style.display=t,e.childNodes[0].style.display=t},t.prototype._isEventOnHeader=function(e){if(this._rootElement.current){var t=this._rootElement.current.getBoundingClientRect();if(e.clientX>t.left&&e.clientXt.top&&e.clientY=n:t>=o&&t<=n}function Ln(e,t,o){return e?t>=o:t<=o}function An(e,t,o){return e?t<=o:t>=o}function zn(e){e.stopPropagation()}var Hn=(0,I.z)(Bn,(function(e){var t,o,n,r,i=e.theme,a=e.className,s=e.isAllSelected,c=e.isResizingColumn,d=e.isSizing,p=e.isAllCollapsed,m=e.cellStyleProps,h=void 0===m?hn:m,g=i.semanticColors,f=i.palette,v=i.fonts,b=(0,u.Cn)(bn,i),y={iconForegroundColor:g.bodySubtext,headerForegroundColor:g.bodyText,headerBackgroundColor:g.bodyBackground,resizerColor:f.neutralTertiaryAlt},_={opacity:1,transition:"opacity 0.3s linear"},C=yn(e);return{root:[b.root,v.small,{display:"inline-block",background:y.headerBackgroundColor,position:"relative",minWidth:"100%",verticalAlign:"top",height:42,lineHeight:42,whiteSpace:"nowrap",boxSizing:"content-box",paddingBottom:"1px",paddingTop:"16px",borderBottom:"1px solid "+g.bodyDivider,cursor:"default",userSelect:"none",selectors:(t={},t["&:hover ."+b.check]={opacity:1},t["& ."+b.tooltipHost+" ."+b.checkTooltip]={display:"block"},t)},s&&b.isAllSelected,c&&b.isResizingColumn,a],check:[b.check,{height:42},{selectors:(o={},o["."+de.G$+" &:focus"]={opacity:1},o)}],cellWrapperPadded:{paddingRight:h.cellExtraRightPadding+h.cellRightPadding},cellIsCheck:[C,b.cellIsCheck,{position:"relative",padding:0,margin:0,display:"inline-flex",alignItems:"center",border:"none"},s&&{opacity:1}],cellIsGroupExpander:[C,{display:"inline-flex",alignItems:"center",justifyContent:"center",fontSize:v.small.fontSize,padding:0,border:"none",width:36,color:f.neutralSecondary,selectors:{":hover":{backgroundColor:f.neutralLighter},":active":{backgroundColor:f.neutralLight}}}],cellIsActionable:{selectors:{":hover":{color:g.bodyText,background:g.listHeaderBackgroundHovered},":active":{background:g.listHeaderBackgroundPressed}}},cellIsEmpty:{textOverflow:"clip"},cellSizer:[b.cellSizer,(0,u.e2)(),{display:"inline-block",position:"relative",cursor:"ew-resize",bottom:0,top:0,overflow:"hidden",height:"inherit",background:"transparent",zIndex:1,width:16,selectors:(n={":after":{content:'""',position:"absolute",top:0,bottom:0,width:1,background:y.resizerColor,opacity:0,left:"50%"},":focus:after":_,":hover:after":_},n["&."+b.isResizing+":after"]=[_,{boxShadow:"0 0 5px 0 rgba(0, 0, 0, 0.4)"}],n)}],cellIsResizing:b.isResizing,cellSizerStart:{margin:"0 -8px"},cellSizerEnd:{margin:0,marginLeft:-16},collapseButton:[b.collapseButton,{transformOrigin:"50% 50%",transition:"transform .1s linear"},p?[b.isCollapsed,{transform:"rotate(0deg)"}]:{transform:(0,T.zg)(i)?"rotate(-90deg)":"rotate(90deg)"}],checkTooltip:b.checkTooltip,sizingOverlay:d&&{position:"absolute",left:0,top:0,right:0,bottom:0,cursor:"ew-resize",background:"rgba(255, 255, 255, 0)",selectors:(r={},r[u.qJ]=(0,l.pi)({background:"transparent"},(0,u.xM)()),r)},accessibleLabel:u.ul,dropHintCircleStyle:[b.dropHintCircleStyle,{display:"inline-block",visibility:"hidden",position:"absolute",bottom:0,height:9,width:9,borderRadius:"50%",marginLeft:-5,top:34,overflow:"visible",zIndex:10,border:"1px solid "+f.themePrimary,background:f.white}],dropHintCaretStyle:[b.dropHintCaretStyle,{display:"none",position:"absolute",top:-28,left:-6.5,fontSize:v.medium.fontSize,color:f.themePrimary,overflow:"visible",zIndex:10}],dropHintLineStyle:[b.dropHintLineStyle,{display:"none",position:"absolute",bottom:0,top:0,overflow:"hidden",height:42,width:1,background:f.themePrimary,zIndex:10}],dropHintStyle:{display:"inline-block",position:"absolute"}}}),void 0,{scope:"DetailsHeader"}),On=function(e){var t=e.columns,o=e.columnStartIndex,n=e.rowClassNames,r=e.cellStyleProps,i=void 0===r?hn:r,a=e.item,s=e.itemIndex,l=e.onRenderItemColumn,u=e.getCellValueKey,d=e.cellsByColumn,p=e.enableUpdateAnimations,m=c.useRef(),h=m.current||(m.current={});return c.createElement("div",{className:n.fields,"data-automationid":"DetailsRowFields",role:"presentation"},t.map((function(e,t){var r=void 0===e.calculatedWidth?"auto":e.calculatedWidth+i.cellLeftPadding+i.cellRightPadding+(e.isPadded?i.cellExtraRightPadding:0),m=e.onRender,g=void 0===m?l:m,f=e.getValueKey,v=void 0===f?u:f,b=d&&e.key in d?d[e.key]:g?g(a,s,e):function(e,t){var o=e&&t&&t.fieldName?e[t.fieldName]:"";return null==o&&(o=""),"boolean"==typeof o?o.toString():o}(a,e),y=h[e.key],_=p&&v?v(a,s,e):void 0,C=!1;void 0!==_&&void 0!==y&&_!==y&&(C=!0),h[e.key]=_;var S=e.key+(void 0!==_?"-"+_:"");return c.createElement("div",{key:S,role:e.isRowHeader?"rowheader":"gridcell","aria-readonly":!0,"aria-colindex":t+o+1,className:(0,pt.i)(e.className,e.isMultiline&&n.isMultiline,e.isRowHeader&&n.isRowHeader,n.cell,e.isPadded?n.cellPadded:n.cellUnpadded,C&&n.cellAnimation),style:{width:r},"data-automationid":"DetailsRowCell","data-automation-key":e.key},b)})))},Wn=(0,D.y)(),Vn=[],Kn=function(e){function t(t){var o=e.call(this,t)||this;return o._root=c.createRef(),o._cellMeasurer=c.createRef(),o._focusZone=c.createRef(),o._onSelectionChanged=function(){var e=qn(o.props);(0,Xt.Vv)(e,o.state.selectionState)||o.setState({selectionState:e})},o._updateDroppingState=function(e,t){var n=o.state.isDropping,r=o.props,i=r.dragDropEvents,a=r.item;e?i.onDragEnter&&(o._droppingClassNames=i.onDragEnter(a,t)):i.onDragLeave&&i.onDragLeave(a,t),n!==e&&o.setState({isDropping:e})},(0,P.l)(o),o._events=new at.r(o),o.state={selectionState:qn(t),columnMeasureInfo:void 0,isDropping:!1},o._droppingClassNames="",o}return(0,l.ZT)(t,e),t.getDerivedStateFromProps=function(e,t){return(0,l.pi)((0,l.pi)({},t),{selectionState:qn(e)})},t.prototype.componentDidMount=function(){var e=this.props,t=e.dragDropHelper,o=e.selection,n=e.item,r=e.onDidMount;t&&this._root.current&&(this._dragDropSubscription=t.subscribe(this._root.current,this._events,this._getRowDragDropOptions())),o&&this._events.on(o,on.F5,this._onSelectionChanged),r&&n&&(this._onDidMountCalled=!0,r(this))},t.prototype.componentDidUpdate=function(e){var t=this.state,o=this.props,n=o.item,r=o.onDidMount,i=t.columnMeasureInfo;if(this.props.itemIndex===e.itemIndex&&this.props.item===e.item&&this.props.dragDropHelper===e.dragDropHelper||(this._dragDropSubscription&&(this._dragDropSubscription.dispose(),delete this._dragDropSubscription),this.props.dragDropHelper&&this._root.current&&(this._dragDropSubscription=this.props.dragDropHelper.subscribe(this._root.current,this._events,this._getRowDragDropOptions()))),i&&i.index>=0&&this._cellMeasurer.current){var a=this._cellMeasurer.current.getBoundingClientRect().width;i.onMeasureDone(a),this.setState({columnMeasureInfo:void 0})}n&&r&&!this._onDidMountCalled&&(this._onDidMountCalled=!0,r(this))},t.prototype.componentWillUnmount=function(){var e=this.props,t=e.item,o=e.onWillUnmount;o&&t&&o(this),this._dragDropSubscription&&(this._dragDropSubscription.dispose(),delete this._dragDropSubscription),this._events.dispose()},t.prototype.shouldComponentUpdate=function(e,t){if(this.props.useReducedRowRenderer){var o=qn(e);return this.state.selectionState.isSelected!==o.isSelected||!(0,Xt.Vv)(this.props,e)}return!0},t.prototype.render=function(){var e=this.props,t=e.className,o=e.columns,n=void 0===o?Vn:o,r=e.dragDropEvents,i=e.item,a=e.itemIndex,s=e.flatIndexOffset,u=void 0===s?2:s,d=e.onRenderCheck,p=void 0===d?this._onRenderCheck:d,m=e.onRenderDetailsCheckbox,h=e.onRenderItemColumn,g=e.getCellValueKey,f=e.selectionMode,v=e.rowWidth,b=void 0===v?0:v,y=e.checkboxVisibility,_=e.getRowAriaLabel,C=e.getRowAriaDescribedBy,S=e.checkButtonAriaLabel,x=e.checkboxCellClassName,k=e.rowFieldsAs,w=void 0===k?On:k,I=e.selection,D=e.indentWidth,T=e.enableUpdateAnimations,P=e.compact,N=e.theme,B=e.styles,F=e.cellsByColumn,L=e.groupNestingDepth,A=e.useFastIcons,z=void 0===A||A,H=e.cellStyleProps,O=this.state,W=O.columnMeasureInfo,V=O.isDropping,K=this.state.selectionState,q=K.isSelected,G=void 0!==q&&q,U=K.isSelectionModal,j=void 0!==U&&U,J=r?!(!r.canDrag||!r.canDrag(i)):void 0,Y=V?this._droppingClassNames||"is-dropping":"",Z=_?_(i):void 0,X=C?C(i):void 0,Q=!!I&&I.canSelectItem(i,a),$=f===on.oW.multiple,ee=f!==on.oW.none&&y!==un.hidden,te=f===on.oW.none?void 0:G;this._classNames=(0,l.pi)((0,l.pi)({},this._classNames),Wn(B,{theme:N,isSelected:G,canSelect:!$,anySelected:j,checkboxCellClassName:x,droppingClassName:Y,className:t,compact:P,enableUpdateAnimations:T,cellStyleProps:H}));var oe={isMultiline:this._classNames.isMultiline,isRowHeader:this._classNames.isRowHeader,cell:this._classNames.cell,cellAnimation:this._classNames.cellAnimation,cellPadded:this._classNames.cellPadded,cellUnpadded:this._classNames.cellUnpadded,fields:this._classNames.fields};(0,Xt.Vv)(this._rowClassNames||{},oe)||(this._rowClassNames=oe);var ne=c.createElement(w,{rowClassNames:this._rowClassNames,cellsByColumn:F,columns:n,item:i,itemIndex:a,columnStartIndex:(ee?1:0)+(L?1:0),onRenderItemColumn:h,getCellValueKey:g,enableUpdateAnimations:T,cellStyleProps:H});return c.createElement(M.k,(0,l.pi)({"data-is-focusable":!0},(0,E.pq)(this.props,E.n7),"boolean"==typeof J?{"data-is-draggable":J,draggable:J}:{},{direction:R.U.horizontal,elementRef:this._root,componentRef:this._focusZone,role:"row","aria-label":Z,"aria-describedby":X,className:this._classNames.root,"data-selection-index":a,"data-selection-touch-invoke":!0,"data-item-index":a,"aria-rowindex":L?void 0:a+u,"aria-level":L&&L+1||void 0,"data-automationid":"DetailsRow",style:{minWidth:b},"aria-selected":te,allowFocusRoot:!0}),ee&&c.createElement("div",{role:"gridcell","aria-colindex":1,"data-selection-toggle":!0,className:this._classNames.checkCell},p({selected:G,anySelected:j,"aria-label":S,canSelect:Q,compact:P,className:this._classNames.check,theme:N,isVisible:y===un.always,onRenderDetailsCheckbox:m,useFastIcons:z})),c.createElement(pn,{indentWidth:D,role:"gridcell",count:L-(this.props.collapseAllVisibility===zo.hidden?1:0)}),i&&ne,W&&c.createElement("span",{role:"presentation",className:(0,pt.i)(this._classNames.cellMeasurer,this._classNames.cell),ref:this._cellMeasurer},c.createElement(w,{rowClassNames:this._rowClassNames,columns:[W.column],item:i,itemIndex:a,columnStartIndex:(ee?1:0)+(L?1:0)+n.length,onRenderItemColumn:h,getCellValueKey:g})),c.createElement("span",{role:"checkbox",className:this._classNames.checkCover,"aria-checked":G,"data-selection-toggle":!0}))},t.prototype.measureCell=function(e,t){var o=this.props.columns,n=void 0===o?Vn:o,r=(0,l.pi)({},n[e]);r.minWidth=0,r.maxWidth=999999,delete r.calculatedWidth,this.setState({columnMeasureInfo:{index:e,column:r,onMeasureDone:t}})},t.prototype.focus=function(e){var t;return void 0===e&&(e=!1),!!(null===(t=this._focusZone.current)||void 0===t?void 0:t.focus(e))},t.prototype._onRenderCheck=function(e){return c.createElement(In,(0,l.pi)({},e))},t.prototype._getRowDragDropOptions=function(){var e=this.props,t=e.item,o=e.itemIndex,n=e.dragDropEvents;return{eventMap:e.eventsToRegister,selectionIndex:o,context:{data:t,index:o},canDrag:n.canDrag,canDrop:n.canDrop,onDragStart:n.onDragStart,updateDropState:this._updateDroppingState,onDrop:n.onDrop,onDragEnd:n.onDragEnd,onDragOver:n.onDragOver}},t}(c.Component);function qn(e){var t,o,n,r,i=e.itemIndex,a=e.selection;return{isSelected:!!(null===(t=a)||void 0===t?void 0:t.isIndexSelected(i)),isSelectionModal:!!(null===(r=null===(o=a)||void 0===o?void 0:(n=o).isModal)||void 0===r?void 0:r.call(n))}}var Gn=(0,I.z)(Kn,vn,void 0,{scope:"DetailsRow"}),Un={root:"ms-GroupedList",compact:"ms-GroupedList--Compact",group:"ms-GroupedList-group",link:"ms-Link",listCell:"ms-List-cell"},jn={root:"ms-GroupHeader",compact:"ms-GroupHeader--compact",check:"ms-GroupHeader-check",dropIcon:"ms-GroupHeader-dropIcon",expand:"ms-GroupHeader-expand",isCollapsed:"is-collapsed",title:"ms-GroupHeader-title",isSelected:"is-selected",iconTag:"ms-Icon--Tag",group:"ms-GroupedList-group",isDropping:"is-dropping"},Jn="cubic-bezier(0.390, 0.575, 0.565, 1.000)",Yn=o(76),Zn=(0,D.y)(),Xn=function(e){function t(t){var o=e.call(this,t)||this;return o._toggleCollapse=function(){var e=o.props,t=e.group,n=e.onToggleCollapse,r=e.isGroupLoading,i=!o.state.isCollapsed,a=!i&&r&&r(t);o.setState({isCollapsed:i,isLoadingVisible:a}),n&&n(t)},o._onKeyUp=function(e){var t=o.props,n=t.group,r=t.onGroupHeaderKeyUp;if(r&&r(e,n),!e.defaultPrevented){var i=o.state.isCollapsed&&e.which===(0,T.dP)(rt.m.right,o.props.theme);(!o.state.isCollapsed&&e.which===(0,T.dP)(rt.m.left,o.props.theme)||i)&&(o._toggleCollapse(),e.stopPropagation(),e.preventDefault())}},o._onToggleClick=function(e){o._toggleCollapse(),e.stopPropagation(),e.preventDefault()},o._onToggleSelectGroupClick=function(e){var t=o.props,n=t.onToggleSelectGroup,r=t.group;n&&n(r),e.preventDefault(),e.stopPropagation()},o._onHeaderClick=function(){var e=o.props,t=e.group,n=e.onGroupHeaderClick,r=e.onToggleSelectGroup;n?n(t):r&&r(t)},o._onRenderTitle=function(e){var t=e.group,n=e.ariaColSpan;return t?c.createElement("div",{className:o._classNames.title,id:o._id,role:"gridcell","aria-colspan":n},c.createElement("span",null,t.name),c.createElement("span",{className:o._classNames.headerCount},"(",t.count,t.hasMoreData&&"+",")")):null},o._id=(0,dn.z)("GroupHeader"),o.state={isCollapsed:o.props.group&&o.props.group.isCollapsed,isLoadingVisible:!1},o}return(0,l.ZT)(t,e),t.getDerivedStateFromProps=function(e,t){if(e.group){var o=e.group.isCollapsed,n=e.isGroupLoading,r=!o&&n&&n(e.group);return(0,l.pi)((0,l.pi)({},t),{isCollapsed:o||!1,isLoadingVisible:r||!1})}return t},t.prototype.render=function(){var e=this.props,t=e.group,o=e.groupLevel,n=void 0===o?0:o,r=e.viewport,i=e.selectionMode,a=e.loadingText,s=e.isSelected,u=void 0!==s&&s,d=e.selected,p=void 0!==d&&d,m=e.indentWidth,h=e.onRenderTitle,g=void 0===h?this._onRenderTitle:h,f=e.onRenderGroupHeaderCheckbox,v=e.isCollapsedGroupSelectVisible,b=void 0===v||v,y=e.expandButtonProps,_=e.expandButtonIcon,C=e.selectAllButtonProps,S=e.theme,x=e.styles,k=e.className,w=e.compact,I=e.ariaPosInSet,D=e.ariaSetSize,E=e.useFastIcons?this._fastDefaultCheckboxRender:this._defaultCheckboxRender,P=f?(0,ko.k)(f,E):E,M=this.state,R=M.isCollapsed,N=M.isLoadingVisible,B=i===on.oW.multiple,F=B&&(b||!(t&&t.isCollapsed)),L=p||u,A=(0,T.zg)(S);return this._classNames=Zn(x,{theme:S,className:k,selected:L,isCollapsed:R,compact:w}),t?c.createElement("div",{className:this._classNames.root,style:r?{minWidth:r.width}:{},onClick:this._onHeaderClick,role:"row","aria-setsize":D,"aria-posinset":I,"data-is-focusable":!0,onKeyUp:this._onKeyUp,"aria-label":t.ariaLabel,"aria-labelledby":t.ariaLabel?void 0:this._id,"aria-expanded":!this.state.isCollapsed,"aria-selected":B?L:void 0,"aria-level":n+1},c.createElement("div",{className:this._classNames.groupHeaderContainer,role:"presentation"},F?c.createElement("div",{role:"gridcell"},c.createElement("button",(0,l.pi)({"data-is-focusable":!1,type:"button",className:this._classNames.check,role:"checkbox","aria-checked":L,"data-selection-toggle":!0,onClick:this._onToggleSelectGroupClick},C),P({checked:L,theme:S},P))):i!==on.oW.none&&c.createElement(pn,{indentWidth:48,count:1}),c.createElement(pn,{indentWidth:m,count:n}),c.createElement("div",{className:this._classNames.dropIcon,role:"presentation"},c.createElement(W.J,{iconName:"Tag"})),c.createElement("div",{role:"gridcell"},c.createElement("button",(0,l.pi)({"data-is-focusable":!1,type:"button",className:this._classNames.expand,onClick:this._onToggleClick,"aria-expanded":!this.state.isCollapsed},y),c.createElement(W.J,{className:this._classNames.expandIsCollapsed,iconName:_||(A?"ChevronLeftMed":"ChevronRightMed")}))),g(this.props,this._onRenderTitle),N&&c.createElement(Yn.$,{label:a}))):null},t.prototype._defaultCheckboxRender=function(e){return c.createElement(je,{checked:e.checked})},t.prototype._fastDefaultCheckboxRender=function(e){return c.createElement(Qn,{theme:e.theme,checked:e.checked})},t.defaultProps={expandButtonProps:{"aria-label":"expand collapse group"}},t}(c.Component),Qn=c.memo((function(e){return c.createElement(je,{theme:e.theme,checked:e.checked,className:e.className,useFastIcons:!0})})),$n=(0,I.z)(Xn,(function(e){var t,o,n,r,i,a=e.theme,s=e.className,l=e.selected,c=e.isCollapsed,d=e.compact,p=hn.cellLeftPadding,m=d?40:48,h=a.semanticColors,g=a.palette,f=a.fonts,v=(0,u.Cn)(jn,a),b=[(0,u.GL)(a),{cursor:"default",background:"none",backgroundColor:"transparent",border:"none",padding:0}];return{root:[v.root,(0,u.GL)(a),a.fonts.medium,{borderBottom:"1px solid "+h.listBackground,cursor:"default",userSelect:"none",selectors:(t={":hover":{background:h.listItemBackgroundHovered,color:h.actionLinkHovered}},t["&:hover ."+v.check]={opacity:1},t["."+de.G$+" &:focus ."+v.check]={opacity:1},t[":global(."+v.group+"."+v.isDropping+")"]={selectors:(o={},o["& > ."+v.root+" ."+v.dropIcon]={transition:"transform "+u.D1.durationValue4+" cubic-bezier(0.075, 0.820, 0.165, 1.000) opacity "+u.D1.durationValue1+" "+Jn,transitionDelay:u.D1.durationValue3,opacity:1,transform:"rotate(0.2deg) scale(1);"},o["."+v.check]={opacity:0},o)},t)},l&&[v.isSelected,{background:h.listItemBackgroundChecked,selectors:(n={":hover":{background:h.listItemBackgroundCheckedHovered}},n[""+v.check]={opacity:1},n)}],d&&[v.compact,{border:"none"}],s],groupHeaderContainer:[{display:"flex",alignItems:"center",height:m}],headerCount:[{padding:"0px 4px"}],check:[v.check,b,{display:"flex",alignItems:"center",justifyContent:"center",paddingTop:1,marginTop:-1,opacity:0,width:48,height:m,selectors:(r={},r["."+de.G$+" &:focus"]={opacity:1},r)}],expand:[v.expand,b,{display:"flex",alignItems:"center",justifyContent:"center",fontSize:f.small.fontSize,width:36,height:m,color:l?g.neutralPrimary:g.neutralSecondary,selectors:{":hover":{backgroundColor:l?g.neutralQuaternary:g.neutralLight},":active":{backgroundColor:l?g.neutralTertiaryAlt:g.neutralQuaternaryAlt}}}],expandIsCollapsed:[c?[v.isCollapsed,{transform:"rotate(0deg)",transformOrigin:"50% 50%",transition:"transform .1s linear"}]:{transform:(0,T.zg)(a)?"rotate(-90deg)":"rotate(90deg)",transformOrigin:"50% 50%",transition:"transform .1s linear"}],title:[v.title,{paddingLeft:p,fontSize:d?f.medium.fontSize:f.mediumPlus.fontSize,fontWeight:c?u.lq.regular:u.lq.semibold,cursor:"pointer",outline:0,whiteSpace:"nowrap",textOverflow:"ellipsis"}],dropIcon:[v.dropIcon,{position:"absolute",left:-26,fontSize:u.ld.large,color:g.neutralSecondary,transition:"transform "+u.D1.durationValue2+" cubic-bezier(0.600, -0.280, 0.735, 0.045), opacity "+u.D1.durationValue4+" "+Jn,opacity:0,transform:"rotate(0.2deg) scale(0.65)",transformOrigin:"10px 10px",selectors:(i={},i[":global(."+v.iconTag+")"]={position:"absolute"},i)}]}}),void 0,{scope:"GroupHeader"}),er={root:"ms-GroupShowAll",link:"ms-Link"},tr=(0,D.y)(),or=(0,I.z)((function(e){var t=e.group,o=e.groupLevel,n=e.showAllLinkText,r=void 0===n?"Show All":n,i=e.styles,a=e.theme,s=e.onToggleSummarize,l=tr(i,{theme:a}),u=(0,c.useCallback)((function(e){s(t),e.stopPropagation(),e.preventDefault()}),[s,t]);return t?c.createElement("div",{className:l.root},c.createElement(pn,{count:o}),c.createElement(O,{onClick:u},r)):null}),(function(e){var t,o=e.theme,n=o.fonts,r=(0,u.Cn)(er,o);return{root:[r.root,{position:"relative",padding:"10px 84px",cursor:"pointer",selectors:(t={},t["."+r.link]={fontSize:n.small.fontSize},t)}]}}),void 0,{scope:"GroupShowAll"}),nr={root:"ms-groupFooter"},rr=(0,D.y)(),ir=(0,I.z)((function(e){var t=e.group,o=e.groupLevel,n=e.footerText,r=e.indentWidth,i=e.styles,a=e.theme,s=rr(i,{theme:a});return t&&n?c.createElement("div",{className:s.root},c.createElement(pn,{indentWidth:r,count:o}),n):null}),(function(e){var t=e.theme,o=e.className,n=(0,u.Cn)(nr,t);return{root:[t.fonts.medium,n.root,{position:"relative",padding:"5px 38px"},o]}}),void 0,{scope:"GroupFooter"}),ar=function(e){function t(o){var n=e.call(this,o)||this;n._root=c.createRef(),n._list=c.createRef(),n._subGroupRefs={},n._droppingClassName="",n._onRenderGroupHeader=function(e){return c.createElement($n,(0,l.pi)({},e))},n._onRenderGroupShowAll=function(e){return c.createElement(or,(0,l.pi)({},e))},n._onRenderGroupFooter=function(e){return c.createElement(ir,(0,l.pi)({},e))},n._renderSubGroup=function(e,o){var r=n.props,i=r.dragDropEvents,a=r.dragDropHelper,s=r.eventsToRegister,l=r.getGroupItemLimit,u=r.groupNestingDepth,d=r.groupProps,p=r.items,m=r.headerProps,h=r.showAllProps,g=r.footerProps,f=r.listProps,v=r.onRenderCell,b=r.selection,y=r.selectionMode,_=r.viewport,C=r.onRenderGroupHeader,S=r.onRenderGroupShowAll,x=r.onRenderGroupFooter,k=r.onShouldVirtualize,w=r.group,I=r.compact,D=e.level?e.level+1:u;return!e||e.count>0||d&&d.showEmptyGroups?c.createElement(t,{ref:function(e){return n._subGroupRefs["subGroup_"+o]=e},key:n._getGroupKey(e,o),dragDropEvents:i,dragDropHelper:a,eventsToRegister:s,footerProps:g,getGroupItemLimit:l,group:e,groupIndex:o,groupNestingDepth:D,groupProps:d,headerProps:m,items:p,listProps:f,onRenderCell:v,selection:b,selectionMode:y,showAllProps:h,viewport:_,onRenderGroupHeader:C,onRenderGroupShowAll:S,onRenderGroupFooter:x,onShouldVirtualize:k,groups:w?w.children:[],compact:I}):null},n._getGroupDragDropOptions=function(){var e=n.props,t=e.group,o=e.groupIndex,r=e.dragDropEvents;return{eventMap:e.eventsToRegister,selectionIndex:-1,context:{data:t,index:o,isGroup:!0},updateDropState:n._updateDroppingState,canDrag:r.canDrag,canDrop:r.canDrop,onDrop:r.onDrop,onDragStart:r.onDragStart,onDragEnter:r.onDragEnter,onDragLeave:r.onDragLeave,onDragEnd:r.onDragEnd,onDragOver:r.onDragOver}},n._updateDroppingState=function(e,t){var o=n.state.isDropping,r=n.props,i=r.dragDropEvents,a=r.group;o!==e&&(o?i&&i.onDragLeave&&i.onDragLeave(a,t):i&&i.onDragEnter&&(n._droppingClassName=i.onDragEnter(a,t)),n.setState({isDropping:e}))};var r=o.selection,i=o.group;return(0,P.l)(n),n._id=(0,dn.z)("GroupedListSection"),n.state={isDropping:!1,isSelected:!(!r||!i)&&r.isRangeSelected(i.startIndex,i.count)},n._events=new at.r(n),n}return(0,l.ZT)(t,e),t.prototype.componentDidMount=function(){var e=this.props,t=e.dragDropHelper,o=e.selection;t&&this._root.current&&(this._dragDropSubscription=t.subscribe(this._root.current,this._events,this._getGroupDragDropOptions())),o&&this._events.on(o,on.F5,this._onSelectionChange)},t.prototype.componentWillUnmount=function(){this._events.dispose(),this._dragDropSubscription&&this._dragDropSubscription.dispose()},t.prototype.componentDidUpdate=function(e){this.props.group===e.group&&this.props.groupIndex===e.groupIndex&&this.props.dragDropHelper===e.dragDropHelper||(this._dragDropSubscription&&(this._dragDropSubscription.dispose(),delete this._dragDropSubscription),this.props.dragDropHelper&&this._root.current&&(this._dragDropSubscription=this.props.dragDropHelper.subscribe(this._root.current,this._events,this._getGroupDragDropOptions())))},t.prototype.render=function(){var e=this.props,t=e.getGroupItemLimit,o=e.group,n=e.groupIndex,r=e.headerProps,i=e.showAllProps,a=e.footerProps,s=e.viewport,u=e.selectionMode,d=e.onRenderGroupHeader,p=void 0===d?this._onRenderGroupHeader:d,m=e.onRenderGroupShowAll,h=void 0===m?this._onRenderGroupShowAll:m,g=e.onRenderGroupFooter,f=void 0===g?this._onRenderGroupFooter:g,v=e.onShouldVirtualize,b=e.groupedListClassNames,y=e.groups,_=e.compact,C=e.listProps,S=void 0===C?{}:C,x=this.state.isSelected,k=o&&t?t(o):1/0,w=o&&!o.children&&!o.isCollapsed&&!o.isShowingAll&&(o.count>k||o.hasMoreData),I=o&&o.children&&o.children.length>0,D=S.version,T={group:o,groupIndex:n,groupLevel:o?o.level:0,isSelected:x,selected:x,viewport:s,selectionMode:u,groups:y,compact:_},E={groupedListId:this._id,ariaSetSize:y?y.length:void 0,ariaPosInSet:void 0!==n?n+1:void 0},P=(0,l.pi)((0,l.pi)((0,l.pi)({},r),T),E),M=(0,l.pi)((0,l.pi)({},i),T),R=(0,l.pi)((0,l.pi)({},a),T),N=!!this.props.dragDropHelper&&this._getGroupDragDropOptions().canDrag(o)&&!!this.props.dragDropEvents.canDragGroups;return c.createElement("div",(0,l.pi)({ref:this._root},N&&{draggable:!0},{className:(0,pt.i)(b&&b.group,this._getDroppingClassName()),role:"presentation"}),p(P,this._onRenderGroupHeader),o&&o.isCollapsed?null:I?c.createElement(Eo,{role:"presentation",ref:this._list,items:o?o.children:[],onRenderCell:this._renderSubGroup,getItemCountForPage:this._returnOne,onShouldVirtualize:v,version:D,id:this._id}):this._onRenderGroup(k),o&&o.isCollapsed?null:w&&h(M,this._onRenderGroupShowAll),f(R,this._onRenderGroupFooter))},t.prototype.forceUpdate=function(){e.prototype.forceUpdate.call(this),this.forceListUpdate()},t.prototype.forceListUpdate=function(){var e=this.props.group;if(this._list.current){if(this._list.current.forceUpdate(),e&&e.children&&e.children.length>0)for(var t=e.children.length,o=0;o0&&(r&&r(e),this._setGroupsCollapsedState(o,e),this._updateIsSomeGroupExpanded(),this.forceUpdate())},t.prototype._setGroupsCollapsedState=function(e,t){for(var o=0;o0;)e++,t=t[0].children;return e},t.prototype._forceListUpdates=function(e){this.setState({version:{}})},t.prototype._computeIsSomeGroupExpanded=function(e){var t=this;return!(!e||!e.some((function(e){return e.children?t._computeIsSomeGroupExpanded(e.children):!e.isCollapsed})))},t.prototype._updateIsSomeGroupExpanded=function(){var e=this.state.groups,t=this.props.onGroupExpandStateChanged,o=this._computeIsSomeGroupExpanded(e);this._isSomeGroupExpanded!==o&&(t&&t(o),this._isSomeGroupExpanded=o)},t.defaultProps={selectionMode:on.oW.multiple,isHeaderVisible:!0,groupProps:{},compact:!1},t}(c.Component),dr=(0,I.z)(ur,(function(e){var t,o,n=e.theme,r=e.className,i=e.compact,a=n.palette,s=(0,u.Cn)(Un,n);return{root:[s.root,n.fonts.small,{position:"relative",selectors:(t={},t["."+s.listCell]={minHeight:38},t)},i&&[s.compact,{selectors:(o={},o["."+s.listCell]={minHeight:32},o)}],r],group:[s.group,{transition:"background-color "+u.D1.durationValue2+" cubic-bezier(0.445, 0.050, 0.550, 0.950)"}],groupIsDropping:{backgroundColor:a.neutralLight}}}),void 0,{scope:"GroupedList"}),pr=o(1071);function mr(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 hr(e){return function(t){function o(e){var o=t.call(this,e)||this;return o._root=c.createRef(),o._registerResizeObserver=function(){var e=(0,So.J)(o._root.current);o._viewportResizeObserver=new e.ResizeObserver(o._onAsyncResize),o._viewportResizeObserver.observe(o._root.current)},o._unregisterResizeObserver=function(){o._viewportResizeObserver&&(o._viewportResizeObserver.disconnect(),delete o._viewportResizeObserver)},o._updateViewport=function(e){var t=o.state.viewport,n=o._root.current,r=mr((0,yo.zj)(n)),i=mr(n);((i&&i.width)!==t.width||(r&&r.height)!==t.height)&&o._resizeAttempts<3&&i&&r?(o._resizeAttempts++,o.setState({viewport:{width:i.width,height:r.height}},(function(){o._updateViewport(e)}))):(o._resizeAttempts=0,e&&o._composedComponentInstance&&o._composedComponentInstance.forceUpdate())},o._async=new bo.e(o),o._events=new at.r(o),o._resizeAttempts=0,o.state={viewport:{width:0,height:0}},o}return(0,l.ZT)(o,t),o.prototype.componentDidMount=function(){var e=this.props,t=e.skipViewportMeasures,o=e.disableResizeObserver,n=(0,So.J)(this._root.current);this._onAsyncResize=this._async.debounce(this._onAsyncResize,500,{leading:!1}),t||(!o&&this._isResizeObserverAvailable()?this._registerResizeObserver():this._events.on(n,"resize",this._onAsyncResize),this._updateViewport())},o.prototype.componentDidUpdate=function(e){var t=e.skipViewportMeasures,o=this.props,n=o.skipViewportMeasures,r=o.disableResizeObserver,i=(0,So.J)(this._root.current);n!==t&&(n?(this._unregisterResizeObserver(),this._events.off(i,"resize",this._onAsyncResize)):(!r&&this._isResizeObserverAvailable()?this._viewportResizeObserver||this._registerResizeObserver():this._events.on(i,"resize",this._onAsyncResize),this._updateViewport()))},o.prototype.componentWillUnmount=function(){this._events.dispose(),this._async.dispose(),this._unregisterResizeObserver()},o.prototype.render=function(){var t=this.state.viewport,o=t.width>0&&t.height>0?t:void 0;return c.createElement("div",{className:"ms-Viewport",ref:this._root,style:{minWidth:1,minHeight:1}},c.createElement(e,(0,l.pi)({ref:this._updateComposedComponentRef,viewport:o},this.props)))},o.prototype.forceUpdate=function(){this._updateViewport(!0)},o.prototype._onAsyncResize=function(){this._updateViewport()},o.prototype._isResizeObserverAvailable=function(){var e=(0,So.J)(this._root.current);return e&&e.ResizeObserver},o}(pr.P)}var gr=(0,D.y)(),fr=100,vr=function(e){var t=e.selection,o=e.ariaLabelForListHeader,n=e.ariaLabelForSelectAllCheckbox,r=e.ariaLabelForSelectionColumn,i=e.className,a=e.checkboxVisibility,s=e.compact,u=e.constrainMode,p=e.dragDropEvents,m=e.groups,h=e.groupProps,g=e.indentWidth,f=e.items,v=e.isPlaceholderData,b=e.isHeaderVisible,y=e.layoutMode,_=e.onItemInvoked,C=e.onItemContextMenu,S=e.onColumnHeaderClick,x=e.onColumnHeaderContextMenu,k=e.selectionMode,w=void 0===k?t.mode:k,I=e.selectionPreservedOnEmptyClick,D=e.selectionZoneProps,E=e.ariaLabel,P=e.ariaLabelForGrid,N=e.rowElementEventMap,F=e.shouldApplyApplicationRole,L=void 0!==F&&F,A=e.getKey,z=e.listProps,H=e.usePageCache,O=e.onShouldVirtualize,W=e.viewport,V=e.minimumPixelsForDrag,K=e.getGroupHeight,G=e.styles,U=e.theme,j=e.cellStyleProps,J=void 0===j?hn:j,Y=e.onRenderCheckbox,Z=e.useFastIcons,X=e.dragDropHelper,Q=e.adjustedColumns,$=e.isCollapsed,ee=e.isSizing,te=e.isSomeGroupExpanded,oe=e.version,ne=e.rootRef,re=e.listRef,ie=e.focusZoneRef,ae=e.columnReorderOptions,se=e.groupedListRef,le=e.headerRef,ce=e.onGroupExpandStateChanged,ue=e.onColumnIsSizingChanged,de=e.onRowDidMount,pe=e.onRowWillUnmount,me=e.disableSelectionZone,he=e.onColumnResized,ge=e.onColumnAutoResized,fe=e.onToggleCollapse,ve=e.onActiveRowChanged,be=e.onBlur,ye=e.rowElementEventMap,_e=e.onRenderMissingItem,Ce=e.onRenderItemColumn,Se=e.getCellValueKey,xe=e.getRowAriaLabel,ke=e.getRowAriaDescribedBy,we=e.checkButtonAriaLabel,Ie=e.checkboxCellClassName,De=e.useReducedRowRenderer,Te=e.enableUpdateAnimations,Ee=e.enterModalSelectionOnTouch,Pe=e.onRenderDefaultRow,Me=e.selectionZoneRef,Re=function(e){for(var t=0,o=e;o&&o.length>0;)t++,o=o[0].children;return t}(m),Ne=c.useMemo((function(){return(0,l.pi)({renderedWindowsAhead:ee?0:2,renderedWindowsBehind:ee?0:2,getKey:A,version:oe},z)}),[ee,A,oe,z]),Be=wn.none;if(w===on.oW.single&&(Be=wn.hidden),w===on.oW.multiple){var Fe=h&&h.headerProps&&h.headerProps.isCollapsedGroupSelectVisible;void 0===Fe&&(Fe=!0),Be=Fe||!m||te?wn.visible:wn.hidden}a===un.hidden&&(Be=wn.none);var Le=c.useCallback((function(e){return c.createElement(Hn,(0,l.pi)({},e))}),[]),Ae=c.useCallback((function(){return null}),[]),ze=e.onRenderDetailsHeader,He=c.useMemo((function(){return ze?(0,ko.k)(ze,Le):Le}),[ze,Le]),Oe=e.onRenderDetailsFooter,We=c.useMemo((function(){return Oe?(0,ko.k)(Oe,Ae):Ae}),[Oe,Ae]),Ve=c.useMemo((function(){return{columns:Q,groupNestingDepth:Re,selection:t,selectionMode:w,viewport:W,checkboxVisibility:a,indentWidth:g,cellStyleProps:J}}),[Q,Re,t,w,W,a,g,J]),Ke=ae&&ae.onDragEnd,qe=c.useCallback((function(e,t){var o=e.dropLocation,n=ln.outside;if(Ke){if(o&&o!==ln.header)n=o;else if(ne.current){var r=ne.current.getBoundingClientRect();t.clientX>r.left&&t.clientXr.top&&t.clientY0;)++t,(n=o.pop())&&n.children&&o.push.apply(o,n.children);return t}(m)+(f?f.length:0),je=(Be!==wn.none?1:0)+(Q?Q.length:0)+(m?1:0),Je=c.useMemo((function(){return gr(G,{theme:U,compact:s,isFixed:y===cn.fixedColumns,isHorizontalConstrained:u===sn.horizontalConstrained,className:i})}),[G,U,s,y,u,i]),Ye=h&&h.onRenderFooter,Ze=c.useMemo((function(){return Ye?function(e,o){return Ye((0,l.pi)((0,l.pi)({},e),{columns:Q,groupNestingDepth:Re,indentWidth:g,selection:t,selectionMode:w,viewport:W,checkboxVisibility:a,cellStyleProps:J}),o)}:void 0}),[Ye,Q,Re,g,t,w,W,a,J]),Xe=h&&h.onRenderHeader,Qe=c.useMemo((function(){return Xe?function(e,o){var n=e.ariaPosInSet,r=e.ariaSetSize;return Xe((0,l.pi)((0,l.pi)({},e),{columns:Q,groupNestingDepth:Re,indentWidth:g,selection:t,selectionMode:w,viewport:W,checkboxVisibility:a,cellStyleProps:J,ariaColSpan:Q.length,ariaPosInSet:void 0,ariaSetSize:void 0,ariaRowCount:r?r+(b?1:0):void 0,ariaRowIndex:n?n+(b?1:0):void 0}),o)}:function(e,t){var o=e.ariaPosInSet,n=e.ariaSetSize;return t((0,l.pi)((0,l.pi)({},e),{ariaColSpan:Q.length,ariaPosInSet:void 0,ariaSetSize:void 0,ariaRowCount:n?n+(b?1:0):void 0,ariaRowIndex:o?o+(b?1:0):void 0}))}}),[Xe,Q,Re,g,b,t,w,W,a,J]),$e=c.useMemo((function(){return(0,l.pi)((0,l.pi)({},h),{role:"rowgroup",onRenderFooter:Ze,onRenderHeader:Qe})}),[h,Ze,Qe]),et=(0,q.B)((function(){return(0,d.NF)((function(e){var t=0;return e.forEach((function(e){return t+=e.calculatedWidth||e.minWidth})),t}))})),tt=h&&h.collapseAllVisibility,ot=c.useMemo((function(){return et(Q)}),[Q,et]),nt=c.useCallback((function(o,n,r){var i=e.onRenderRow?(0,ko.k)(e.onRenderRow,Pe):Pe,l={item:n,itemIndex:r,flatIndexOffset:b?2:1,compact:s,columns:Q,groupNestingDepth:o,selectionMode:w,selection:t,onDidMount:de,onWillUnmount:pe,onRenderItemColumn:Ce,getCellValueKey:Se,eventsToRegister:ye,dragDropEvents:p,dragDropHelper:X,viewport:W,checkboxVisibility:a,collapseAllVisibility:tt,getRowAriaLabel:xe,getRowAriaDescribedBy:ke,checkButtonAriaLabel:we,checkboxCellClassName:Ie,useReducedRowRenderer:De,indentWidth:g,cellStyleProps:J,onRenderDetailsCheckbox:Y,enableUpdateAnimations:Te,rowWidth:ot,useFastIcons:Z};return n?i(l):_e?_e(r,l):null}),[s,Q,w,t,de,pe,Ce,Se,ye,p,X,W,a,tt,xe,ke,b,we,Ie,De,g,J,Y,Te,Z,Pe,_e,e.onRenderRow,ot]),it=c.useCallback((function(e){return function(t,o){return nt(e,t,o)}}),[nt]),at=c.useCallback((function(e){return e.which===(0,T.dP)(rt.m.right,U)}),[U]),st={componentRef:ie,className:Je.focusZone,direction:R.U.vertical,shouldEnterInnerZone:at,onActiveElementChanged:ve,shouldRaiseClicks:!1,onBlur:be},lt=m?c.createElement(dr,{focusZoneProps:st,componentRef:se,groups:m,groupProps:$e,items:f,onRenderCell:nt,role:"presentation",selection:t,selectionMode:a!==un.hidden?w:on.oW.none,dragDropEvents:p,dragDropHelper:X,eventsToRegister:N,listProps:Ne,onGroupExpandStateChanged:ce,usePageCache:H,onShouldVirtualize:O,getGroupHeight:K,compact:s}):c.createElement(M.k,(0,l.pi)({},st),c.createElement(Eo,(0,l.pi)({ref:re,role:"presentation",items:f,onRenderCell:it(0),usePageCache:H,onShouldVirtualize:O},Ne))),ct=c.useCallback((function(e){e.which===rt.m.down&&ie.current&&ie.current.focus()&&(0===t.getSelectedIndices().length&&t.setIndexSelected(0,!0,!1),e.preventDefault(),e.stopPropagation())}),[t,ie]),ut=c.useCallback((function(e){e.which!==rt.m.up||e.altKey||le.current&&le.current.focus()&&(e.preventDefault(),e.stopPropagation())}),[le]);return c.createElement("div",(0,l.pi)({ref:ne,className:Je.root,"data-automationid":"DetailsList","data-is-scrollable":"false","aria-label":E},L?{role:"application"}:{}),c.createElement(B.u,null),c.createElement("div",{role:"grid","aria-label":P,"aria-rowcount":v?-1:Ue,"aria-colcount":je,"aria-readonly":"true","aria-busy":v},c.createElement("div",{onKeyDown:ct,role:"presentation",className:Je.headerWrapper},b&&He({componentRef:le,selectionMode:w,layoutMode:y,selection:t,columns:Q,onColumnClick:S,onColumnContextMenu:x,onColumnResized:he,onColumnIsSizingChanged:ue,onColumnAutoResized:ge,groupNestingDepth:Re,isAllCollapsed:$,onToggleCollapseAll:fe,ariaLabel:o,ariaLabelForSelectAllCheckbox:n,ariaLabelForSelectionColumn:r,selectAllVisibility:Be,collapseAllVisibility:h&&h.collapseAllVisibility,viewport:W,columnReorderProps:Ge,minimumPixelsForDrag:V,cellStyleProps:J,checkboxVisibility:a,indentWidth:g,onRenderDetailsCheckbox:Y,rowWidth:et(Q),useFastIcons:Z},He)),c.createElement("div",{onKeyDown:ut,role:"presentation",className:Je.contentWrapper},me?lt:c.createElement(rn.i,(0,l.pi)({ref:Me,selection:t,selectionPreservedOnEmptyClick:I,selectionMode:w,onItemInvoked:_,onItemContextMenu:C,enterModalOnTouch:Ee},D||{}),lt)),We((0,l.pi)({},Ve))))},br=function(e){function t(t){var o=e.call(this,t)||this;return o._root=c.createRef(),o._header=c.createRef(),o._groupedList=c.createRef(),o._list=c.createRef(),o._focusZone=c.createRef(),o._selectionZone=c.createRef(),o._onRenderRow=function(e,t){return c.createElement(Gn,(0,l.pi)({},e))},o._getDerivedStateFromProps=function(e,t){var n=o.props,r=n.checkboxVisibility,i=n.items,a=n.setKey,s=n.selectionMode,c=void 0===s?o._selection.mode:s,u=n.columns,d=n.viewport,p=n.compact,m=n.dragDropEvents,h=(o.props.groupProps||{}).isAllGroupsCollapsed,g=void 0===h?void 0:h,f=e.viewport&&e.viewport.width||0,v=d&&d.width||0,b=e.setKey!==a||void 0===e.setKey,y=!1;e.layoutMode!==o.props.layoutMode&&(y=!0);var _=t;return b&&(o._initialFocusedIndex=e.initialFocusedIndex,_=(0,l.pi)((0,l.pi)({},_),{focusedItemIndex:void 0!==o._initialFocusedIndex?o._initialFocusedIndex:-1})),o.props.disableSelectionZone||e.items===i||o._selection.setItems(e.items,b),e.checkboxVisibility===r&&e.columns===u&&f===v&&e.compact===p||(y=!0),_=(0,l.pi)((0,l.pi)({},_),o._adjustColumns(e,_,!0)),e.selectionMode!==c&&(y=!0),void 0===g&&e.groupProps&&void 0!==e.groupProps.isAllGroupsCollapsed&&(_=(0,l.pi)((0,l.pi)({},_),{isCollapsed:e.groupProps.isAllGroupsCollapsed,isSomeGroupExpanded:!e.groupProps.isAllGroupsCollapsed})),e.dragDropEvents!==m&&(o._dragDropHelper&&o._dragDropHelper.dispose(),o._dragDropHelper=e.dragDropEvents?new Dn({selection:o._selection,minimumPixelsForDrag:e.minimumPixelsForDrag}):void 0,y=!0),y&&(_=(0,l.pi)((0,l.pi)({},_),{version:{}})),_},o._onGroupExpandStateChanged=function(e){o.setState({isSomeGroupExpanded:e})},o._onColumnIsSizingChanged=function(e,t){o.setState({isSizing:t})},o._onRowDidMount=function(e){var t=e.props,n=t.item,r=t.itemIndex,i=o._getItemKey(n,r);o._activeRows[i]=e,o._setFocusToRowIfPending(e);var a=o.props.onRowDidMount;a&&a(n,r)},o._onRowWillUnmount=function(e){var t=o.props.onRowWillUnmount,n=e.props,r=n.item,i=n.itemIndex,a=o._getItemKey(r,i);delete o._activeRows[a],t&&t(r,i)},o._onToggleCollapse=function(e){o.setState({isCollapsed:e}),o._groupedList.current&&o._groupedList.current.toggleCollapseAll(e)},o._onColumnResized=function(e,t,n){var r=Math.max(e.minWidth||fr,t);o.props.onColumnResize&&o.props.onColumnResize(e,r,n),o._rememberCalculatedWidth(e,r),o.setState((0,l.pi)((0,l.pi)({},o._adjustColumns(o.props,o.state,!0,n)),{version:{}}))},o._onColumnAutoResized=function(e,t){var n=0,r=0,i=Object.keys(o._activeRows).length;for(var a in o._activeRows)o._activeRows.hasOwnProperty(a)&&o._activeRows[a].measureCell(t,(function(a){n=Math.max(n,a),++r===i&&o._onColumnResized(e,n,t)}))},o._onActiveRowChanged=function(e,t){var n=o.props,r=n.items,i=n.onActiveItemChanged;if(e&&e.getAttribute("data-item-index")){var a=Number(e.getAttribute("data-item-index"));a>=0&&(i&&i(r[a],a,t),o.setState({focusedItemIndex:a}))}},o._onBlur=function(e){o.setState({focusedItemIndex:-1})},(0,P.l)(o),o._async=new bo.e(o),o._activeRows={},o._columnOverrides={},o.state={focusedItemIndex:-1,lastWidth:0,adjustedColumns:o._getAdjustedColumns(t,void 0),isSizing:!1,isCollapsed:t.groupProps&&t.groupProps.isAllGroupsCollapsed,isSomeGroupExpanded:t.groupProps&&!t.groupProps.isAllGroupsCollapsed,version:{},getDerivedStateFromProps:o._getDerivedStateFromProps},o._selection=t.selection||new nn.Y({onSelectionChanged:void 0,getKey:t.getKey,selectionMode:t.selectionMode}),o.props.disableSelectionZone||o._selection.setItems(t.items,!1),o._dragDropHelper=t.dragDropEvents?new Dn({selection:o._selection,minimumPixelsForDrag:t.minimumPixelsForDrag}):void 0,o._initialFocusedIndex=t.initialFocusedIndex,o}return(0,l.ZT)(t,e),t.getDerivedStateFromProps=function(e,t){return t.getDerivedStateFromProps(e,t)},t.prototype.scrollToIndex=function(e,t,o){this._list.current&&this._list.current.scrollToIndex(e,t,o),this._groupedList.current&&this._groupedList.current.scrollToIndex(e,t,o)},t.prototype.focusIndex=function(e,t,o,n){void 0===t&&(t=!1);var r=this.props.items[e];if(r){this.scrollToIndex(e,o,n);var i=this._getItemKey(r,e),a=this._activeRows[i];a&&this._setFocusToRow(a,t)}},t.prototype.getStartItemIndexInView=function(){return this._list&&this._list.current?this._list.current.getStartItemIndexInView():this._groupedList&&this._groupedList.current?this._groupedList.current.getStartItemIndexInView():0},t.prototype.componentWillUnmount=function(){this._dragDropHelper&&this._dragDropHelper.dispose(),this._async.dispose()},t.prototype.componentDidUpdate=function(e,t){if(this._notifyColumnsResized(),void 0!==this._initialFocusedIndex&&(i=this.props.items[this._initialFocusedIndex])){var o=this._getItemKey(i,this._initialFocusedIndex);(n=this._activeRows[o])&&this._setFocusToRowIfPending(n)}if(this.props.items!==e.items&&this.props.items.length>0&&-1!==this.state.focusedItemIndex&&!(0,it.t)(this._root.current,document.activeElement,!1)){var n,r=this.state.focusedItemIndex0;)e++,t=t[0].children;return e},t.prototype._setFocusToRowIfPending=function(e){var t=e.props.itemIndex;void 0!==this._initialFocusedIndex&&t===this._initialFocusedIndex&&(this._setFocusToRow(e),delete this._initialFocusedIndex)},t.prototype._setFocusToRow=function(e,t){void 0===t&&(t=!1),this._selectionZone.current&&this._selectionZone.current.ignoreNextFocus(),this._async.setTimeout((function(){e.focus(t)}),0)},t.prototype._forceListUpdates=function(){this._groupedList.current&&this._groupedList.current.forceUpdate(),this._list.current&&this._list.current.forceUpdate()},t.prototype._notifyColumnsResized=function(){this.state.adjustedColumns.forEach((function(e){e.onColumnResize&&e.onColumnResize(e.currentWidth)}))},t.prototype._adjustColumns=function(e,t,o,n){var r=this._getAdjustedColumns(e,t,o,n),i=this.props.viewport,a=i&&i.width?i.width:0;return(0,l.pi)((0,l.pi)({},t),{adjustedColumns:r,lastWidth:a})},t.prototype._getAdjustedColumns=function(e,t,o,n){var r,i=this,a=e.items,s=e.layoutMode,l=e.selectionMode,c=e.viewport,u=c&&c.width?c.width:0,d=e.columns,p=this.props?this.props.columns:[],m=t?t.lastWidth:-1,h=t?t.lastSelectionMode:void 0;return o||m!==u||h!==l||p&&d!==p?(d=d||yr(a,!0),s===cn.fixedColumns?(r=this._getFixedColumns(d)).forEach((function(e){i._rememberCalculatedWidth(e,e.calculatedWidth)})):(r=void 0!==n?this._getJustifiedColumnsAfterResize(d,u,e,n):this._getJustifiedColumns(d,u,e,0)).forEach((function(e){i._getColumnOverride(e.key).currentWidth=e.calculatedWidth})),r):d||[]},t.prototype._getFixedColumns=function(e){var t=this;return e.map((function(e){var o=(0,l.pi)((0,l.pi)({},e),t._columnOverrides[e.key]);return o.calculatedWidth||(o.calculatedWidth=o.maxWidth||o.minWidth||fr),o}))},t.prototype._getJustifiedColumnsAfterResize=function(e,t,o,n){var r=this,i=e.slice(0,n);i.forEach((function(e){return e.calculatedWidth=r._getColumnOverride(e.key).currentWidth}));var a=i.reduce((function(e,t,n){return e+_r(t,0,o)}),0),s=e.slice(n),c=t-a;return(0,l.pr)(i,this._getJustifiedColumns(s,c,o,n))},t.prototype._getJustifiedColumns=function(e,t,o,n){for(var r=this,i=o.selectionMode,a=void 0===i?this._selection.mode:i,s=o.checkboxVisibility,c=a!==on.oW.none&&s!==un.hidden?48:0,u=36*this._getGroupNestingDepth(),d=0,p=t-(c+u),m=e.map((function(e,t){var n=(0,l.pi)((0,l.pi)((0,l.pi)({},e),{calculatedWidth:e.minWidth||fr}),r._columnOverrides[e.key]);return d+=_r(n,0,o),n})),h=m.length-1;h>0&&d>p;){var g=(y=m[h]).minWidth||fr,f=d-p;if(y.calculatedWidth-g>=f||!y.isCollapsible&&!y.isCollapsable){var v=y.calculatedWidth;y.calculatedWidth=Math.max(y.calculatedWidth-f,g),d-=v-y.calculatedWidth}else d-=_r(y,0,o),m.splice(h,1);h--}for(var b=0;b=(E||Er.eD.small)&&c.createElement(dt.m,(0,l.pi)({ref:H},ve),c.createElement(Dr.G,{role:M||!v?"dialog":"alertdialog","aria-modal":!M,ariaLabelledBy:k,ariaDescribedBy:I,onDismiss:_,shouldRestoreFocus:!f},c.createElement("div",{className:fe.root,role:M?void 0:"document"},!M&&c.createElement(Ir.a,(0,l.pi)({isDarkThemed:y,onClick:v?void 0:_,allowTouchBodyScroll:a},S)),R?c.createElement(Br,{handleSelector:R.dragHandleSelector||"#"+V,preventDragSelector:"button",onStart:Se,onDragChange:xe,onStop:ke,position:ne},we):we)))||null}));Or.displayName="Modal";var Wr=(0,I.z)(Or,(function(e){var t,o=e.className,n=e.containerClassName,r=e.scrollableContentClassName,i=e.isOpen,a=e.isVisible,s=e.hasBeenOpened,l=e.modalRectangleTop,c=e.theme,d=e.topOffsetFixed,p=e.isModeless,m=e.layerClassName,h=e.isDefaultDragHandle,g=e.windowInnerHeight,f=c.palette,v=c.effects,b=c.fonts,y=(0,u.Cn)(wr,c);return{root:[y.root,b.medium,{backgroundColor:"transparent",position:p?"absolute":"fixed",height:"100%",width:"100%",display:"flex",alignItems:"center",justifyContent:"center",opacity:0,pointerEvents:"none",transition:"opacity "+kr},d&&s&&{alignItems:"flex-start"},i&&y.isOpen,a&&{opacity:1,pointerEvents:"auto"},o],main:[y.main,{boxShadow:v.elevation64,borderRadius:v.roundedCorner2,backgroundColor:f.white,boxSizing:"border-box",position:"relative",textAlign:"left",outline:"3px solid transparent",maxHeight:"calc(100% - 32px)",maxWidth:"calc(100% - 32px)",minHeight:"176px",minWidth:"288px",overflowY:"auto",zIndex:p?u.bR.Layer:void 0},d&&s&&{top:l},h&&{cursor:"move"},n],scrollableContent:[y.scrollableContent,{overflowY:"auto",flexGrow:1,maxHeight:"100vh",selectors:(t={},t["@supports (-webkit-overflow-scrolling: touch)"]={maxHeight:g},t)},r],layer:p&&[m,y.layer,{position:"static",width:"unset",height:"unset"}],keyboardMoveIconContainer:{position:"absolute",display:"flex",justifyContent:"center",width:"100%",padding:"3px 0px"},keyboardMoveIcon:{fontSize:b.xLargePlus.fontSize,width:"24px"}}}),void 0,{scope:"Modal",fields:["theme","styles","enableAriaHiddenSiblings"]});Wr.displayName="Modal";var Vr=o(3129),Kr=(0,D.y)(),qr=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.className,o=e.styles,n=e.theme;return this._classNames=Kr(o,{theme:n,className:t}),c.createElement("div",{className:this._classNames.actions},c.createElement("div",{className:this._classNames.actionsRight},this._renderChildrenAsActions()))},t.prototype._renderChildrenAsActions=function(){var e=this;return c.Children.map(this.props.children,(function(t){return t?c.createElement("span",{className:e._classNames.action},t):null}))},t}(c.Component),Gr={actions:"ms-Dialog-actions",action:"ms-Dialog-action",actionsRight:"ms-Dialog-actionsRight"},Ur=(0,I.z)(qr,(function(e){var t=e.className,o=e.theme,n=(0,u.Cn)(Gr,o);return{actions:[n.actions,{position:"relative",width:"100%",minHeight:"24px",lineHeight:"24px",margin:"16px 0 0",fontSize:"0",selectors:{".ms-Button":{lineHeight:"normal"}}},t],action:[n.action,{margin:"0 4px"}],actionsRight:[n.actionsRight,{textAlign:"right",marginRight:"-4px",fontSize:"0"}]}}),void 0,{scope:"DialogFooter"}),jr=(0,D.y)(),Jr=c.createElement(Ur,null).type,Yr=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),(0,Vr.b)("DialogContent",t,{titleId:"titleProps.id"}),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e,t=this.props,o=t.showCloseButton,n=t.className,r=t.closeButtonAriaLabel,i=t.onDismiss,a=t.subTextId,s=t.subText,u=t.titleProps,d=void 0===u?{}:u,p=t.titleId,m=t.title,h=t.type,g=t.styles,f=t.theme,v=t.draggableHeaderClassName,b=jr(g,{theme:f,className:n,isLargeHeader:h===Cr.largeHeader,isClose:h===Cr.close,draggableHeaderClassName:v}),y=this._groupChildren();return s&&(e=c.createElement("p",{className:b.subText,id:a},s)),c.createElement("div",{className:b.content},c.createElement("div",{className:b.header},c.createElement("div",(0,l.pi)({id:p,role:"heading","aria-level":1},d,{className:(0,pt.i)(b.title,d.className)}),m),c.createElement("div",{className:b.topButton},this.props.topButtonsProps.map((function(e,t){return c.createElement(V.h,(0,l.pi)({key:e.uniqueId||t},e))})),(h===Cr.close||o&&h!==Cr.largeHeader)&&c.createElement(V.h,{className:b.button,iconProps:{iconName:"Cancel"},ariaLabel:r,onClick:i,title:r}))),c.createElement("div",{className:b.inner},c.createElement("div",{className:b.innerContent},e,y.contents),y.footers))},t.prototype._groupChildren=function(){var e={footers:[],contents:[]};return c.Children.map(this.props.children,(function(t){"object"==typeof t&&null!==t&&t.type===Jr?e.footers.push(t):e.contents.push(t)})),e},t.defaultProps={showCloseButton:!1,className:"",topButtonsProps:[],closeButtonAriaLabel:"Close"},(0,l.gn)([Er.Ae],t)}(c.Component),Zr={contentLgHeader:"ms-Dialog-lgHeader",close:"ms-Dialog--close",subText:"ms-Dialog-subText",header:"ms-Dialog-header",headerLg:"ms-Dialog--lgHeader",button:"ms-Dialog-button ms-Dialog-button--close",inner:"ms-Dialog-inner",content:"ms-Dialog-content",title:"ms-Dialog-title"},Xr=(0,I.z)(Yr,(function(e){var t,o,n,r=e.className,i=e.theme,a=e.isLargeHeader,s=e.isClose,l=e.hidden,c=e.isMultiline,d=e.draggableHeaderClassName,p=i.palette,m=i.fonts,h=i.effects,g=i.semanticColors,f=(0,u.Cn)(Zr,i);return{content:[a&&[f.contentLgHeader,{borderTop:"4px solid "+p.themePrimary}],s&&f.close,{flexGrow:1,overflowY:"hidden"},r],subText:[f.subText,m.medium,{margin:"0 0 24px 0",color:g.bodySubtext,lineHeight:"1.5",wordWrap:"break-word",fontWeight:u.lq.regular}],header:[f.header,{position:"relative",width:"100%",boxSizing:"border-box"},s&&f.close,d&&[d,{cursor:"move"}]],button:[f.button,l&&{selectors:{".ms-Icon.ms-Icon--Cancel":{color:g.buttonText,fontSize:u.ld.medium}}}],inner:[f.inner,{padding:"0 24px 24px",selectors:(t={},t["@media (min-width: "+u.QQ+"px) and (max-width: "+u.mV+"px)"]={padding:"0 16px 16px"},t)}],innerContent:[f.content,{position:"relative",width:"100%"}],title:[f.title,m.xLarge,{color:g.bodyText,margin:"0",minHeight:m.xLarge.fontSize,padding:"16px 46px 20px 24px",lineHeight:"normal",selectors:(o={},o["@media (min-width: "+u.QQ+"px) and (max-width: "+u.mV+"px)"]={padding:"16px 46px 16px 16px"},o)},a&&{color:g.menuHeader},c&&{fontSize:m.xxLarge.fontSize}],topButton:[{display:"flex",flexDirection:"row",flexWrap:"nowrap",position:"absolute",top:"0",right:"0",padding:"15px 15px 0 0",selectors:(n={"> *":{flex:"0 0 auto"},".ms-Dialog-button":{color:g.buttonText},".ms-Dialog-button:hover":{color:g.buttonTextHovered,borderRadius:h.roundedCorner2}},n["@media (min-width: "+u.QQ+"px) and (max-width: "+u.mV+"px)"]={padding:"15px 8px 0 0"},n)}]}}),void 0,{scope:"DialogContent"}),Qr=(0,D.y)(),$r={isDarkOverlay:!1,isBlocking:!1,className:"",containerClassName:"",topOffsetFixed:!1},ei={type:Cr.normal,className:"",topButtonsProps:[]},ti=function(e){function t(t){var o=e.call(this,t)||this;return o._getSubTextId=function(){var e=o.props,t=e.ariaDescribedById,n=e.modalProps,r=e.dialogContentProps,i=e.subText,a=n&&n.subtitleAriaId||t;return a||(a=(r&&r.subText||i)&&o._defaultSubTextId),a},o._getTitleTextId=function(){var e=o.props,t=e.ariaLabelledById,n=e.modalProps,r=e.dialogContentProps,i=e.title,a=n&&n.titleAriaId||t;return a||(a=(r&&r.title||i)&&o._defaultTitleTextId),a},o._id=(0,dn.z)("Dialog"),o._defaultTitleTextId=o._id+"-title",o._defaultSubTextId=o._id+"-subText",o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e,t,o,n,r=this.props,i=r.className,a=r.containerClassName,s=r.contentClassName,u=r.elementToFocusOnDismiss,d=r.firstFocusableSelector,p=r.forceFocusInsideTrap,m=r.styles,h=r.hidden,g=r.ignoreExternalFocusing,f=r.isBlocking,v=r.isClickableOutsideFocusTrap,b=r.isDarkOverlay,y=r.isOpen,_=r.onDismiss,C=r.onDismissed,S=r.onLayerDidMount,x=r.responsiveMode,k=r.subText,w=r.theme,I=r.title,D=r.topButtonsProps,T=r.type,E=r.minWidth,P=r.maxWidth,M=r.modalProps,R=(0,l.pi)({},M?M.layerProps:{onLayerDidMount:S});S&&!R.onLayerDidMount&&(R.onLayerDidMount=S),M&&M.dragOptions&&!M.dragOptions.dragHandleSelector?(o="ms-Dialog-draggable-header",n=(0,l.pi)((0,l.pi)({},M.dragOptions),{dragHandleSelector:"."+o})):n=M&&M.dragOptions;var N=(0,l.pi)((0,l.pi)((0,l.pi)((0,l.pi)({},$r),{className:i,containerClassName:a,isBlocking:f,isDarkOverlay:b,onDismissed:C}),M),{layerProps:R,dragOptions:n}),B=(0,l.pi)((0,l.pi)((0,l.pi)({className:s,subText:k,title:I,topButtonsProps:D,type:T},ei),this.props.dialogContentProps),{draggableHeaderClassName:o,titleProps:(0,l.pi)({id:(null===(e=this.props.dialogContentProps)||void 0===e?void 0:e.titleId)||this._defaultTitleTextId},null===(t=this.props.dialogContentProps)||void 0===t?void 0:t.titleProps)}),F=Qr(m,{theme:w,className:N.className,containerClassName:N.containerClassName,hidden:h,dialogDefaultMinWidth:E,dialogDefaultMaxWidth:P});return c.createElement(Wr,(0,l.pi)({elementToFocusOnDismiss:u,firstFocusableSelector:d,forceFocusInsideTrap:p,ignoreExternalFocusing:g,isClickableOutsideFocusTrap:v,onDismissed:N.onDismissed,responsiveMode:x},N,{isDarkOverlay:N.isDarkOverlay,isBlocking:N.isBlocking,isOpen:void 0!==y?y:!h,className:F.root,containerClassName:F.main,onDismiss:_||N.onDismiss,subtitleAriaId:this._getSubTextId(),titleAriaId:this._getTitleTextId()}),c.createElement(Xr,(0,l.pi)({subTextId:this._defaultSubTextId,title:B.title,subText:B.subText,showCloseButton:N.isBlocking,topButtonsProps:B.topButtonsProps,type:B.type,onDismiss:_||B.onDismiss,className:B.className},B),this.props.children))},t.defaultProps={hidden:!0},(0,l.gn)([Er.Ae],t)}(c.Component),oi={root:"ms-Dialog"},ni=(0,I.z)(ti,(function(e){var t,o=e.className,n=e.containerClassName,r=e.dialogDefaultMinWidth,i=void 0===r?"288px":r,a=e.dialogDefaultMaxWidth,s=void 0===a?"340px":a,l=e.hidden,c=e.theme;return{root:[(0,u.Cn)(oi,c).root,c.fonts.medium,o],main:[{width:i,outline:"3px solid transparent",selectors:(t={},t["@media (min-width: "+u.dd+"px)"]={width:"auto",maxWidth:s,minWidth:i},t)},!l&&{display:"flex"},n]}}),void 0,{scope:"Dialog"});ni.displayName="Dialog";var ri,ii=o(8386);!function(e){e[e.normal=0]="normal",e[e.compact=1]="compact"}(ri||(ri={}));var ai=(0,D.y)(),si=function(e){function t(t){var o=e.call(this,t)||this;return o._rootElement=c.createRef(),o._onClick=function(e){o._onAction(e)},o._onKeyDown=function(e){e.which!==rt.m.enter&&e.which!==rt.m.space||o._onAction(e)},o._onAction=function(e){var t=o.props,n=t.onClick,r=t.onClickHref,i=t.onClickTarget;n?n(e):!n&&r&&(i?window.open(r,i,"noreferrer noopener nofollow"):window.location.href=r,e.preventDefault(),e.stopPropagation())},(0,P.l)(o),(0,Vr.b)("DocumentCard",t,{accentColor:void 0}),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e,t=this.props,o=t.onClick,n=t.onClickHref,r=t.children,i=t.type,a=t.accentColor,s=t.styles,u=t.theme,d=t.className,p=(0,E.pq)(this.props,E.n7,["className","onClick","type","role"]),m=!(!o&&!n);this._classNames=ai(s,{theme:u,className:d,actionable:m,compact:i===ri.compact}),i===ri.compact&&a&&(e={borderBottomColor:a});var h=this.props.role||(m?o?"button":"link":void 0),g=m?0:void 0;return c.createElement("div",(0,l.pi)({ref:this._rootElement,tabIndex:g,"data-is-focusable":m,role:h,className:this._classNames.root,onKeyDown:m?this._onKeyDown:void 0,onClick:m?this._onClick:void 0,style:e},p),r)},t.prototype.focus=function(){this._rootElement.current&&this._rootElement.current.focus()},t.defaultProps={type:ri.normal},t}(c.Component),li={root:"ms-DocumentCardPreview",icon:"ms-DocumentCardPreview-icon",iconContainer:"ms-DocumentCardPreview-iconContainer"},ci={root:"ms-DocumentCardActivity",multiplePeople:"ms-DocumentCardActivity--multiplePeople",details:"ms-DocumentCardActivity-details",name:"ms-DocumentCardActivity-name",activity:"ms-DocumentCardActivity-activity",avatars:"ms-DocumentCardActivity-avatars",avatar:"ms-DocumentCardActivity-avatar"},ui={root:"ms-DocumentCardTitle"},di={root:"ms-DocumentCardLocation"},pi={root:"ms-DocumentCard",rootActionable:"ms-DocumentCard--actionable",rootCompact:"ms-DocumentCard--compact"},mi=(0,I.z)(si,(function(e){var t,o,n=e.className,r=e.theme,i=e.actionable,a=e.compact,s=r.palette,l=r.fonts,c=r.effects,d=(0,u.Cn)(pi,r);return{root:[d.root,{WebkitFontSmoothing:"antialiased",backgroundColor:s.white,border:"1px solid "+s.neutralLight,maxWidth:"320px",minWidth:"206px",userSelect:"none",position:"relative",selectors:(t={":focus":{outline:"0px solid"}},t["."+de.G$+" &:focus"]=(0,u.$Y)(s.neutralSecondary,c.roundedCorner2),t["."+di.root+" + ."+ui.root]={paddingTop:"4px"},t)},i&&[d.rootActionable,{selectors:{":hover":{cursor:"pointer",borderColor:s.neutralTertiaryAlt},":hover:after":{content:'" "',position:"absolute",top:0,right:0,bottom:0,left:0,border:"1px solid "+s.neutralTertiaryAlt,pointerEvents:"none"}}}],a&&[d.rootCompact,{display:"flex",maxWidth:"480px",height:"108px",selectors:(o={},o["."+li.root]={borderRight:"1px solid "+s.neutralLight,borderBottom:0,maxHeight:"106px",maxWidth:"144px"},o["."+li.icon]={maxHeight:"32px",maxWidth:"32px"},o["."+ci.root]={paddingBottom:"12px"},o["."+ui.root]={paddingBottom:"12px 16px 8px 16px",fontSize:l.mediumPlus.fontSize,lineHeight:"16px"},o)}],n]}}),void 0,{scope:"DocumentCard"}),hi=(0,D.y)(),gi=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this,t=this.props,o=t.actions,n=t.views,r=t.styles,i=t.theme,a=t.className;return this._classNames=hi(r,{theme:i,className:a}),c.createElement("div",{className:this._classNames.root},o&&o.map((function(t,o){return c.createElement("div",{className:e._classNames.action,key:o},c.createElement(V.h,(0,l.pi)({},t)))})),n>0&&c.createElement("div",{className:this._classNames.views},c.createElement(W.J,{iconName:"View",className:this._classNames.viewsIcon}),n))},t}(c.Component),fi={root:"ms-DocumentCardActions",action:"ms-DocumentCardActions-action",views:"ms-DocumentCardActions-views"},vi=(0,I.z)(gi,(function(e){var t=e.className,o=e.theme,n=o.palette,r=o.fonts,i=(0,u.Cn)(fi,o);return{root:[i.root,{height:"34px",padding:"4px 12px",position:"relative"},t],action:[i.action,{float:"left",marginRight:"4px",color:n.neutralSecondary,cursor:"pointer",selectors:{".ms-Button":{fontSize:r.mediumPlus.fontSize,height:34,width:34},".ms-Button:hover .ms-Button-icon":{color:o.semanticColors.buttonText,cursor:"pointer"}}}],views:[i.views,{textAlign:"right",lineHeight:34}],viewsIcon:{marginRight:"8px",fontSize:r.medium.fontSize,verticalAlign:"top"}}}),void 0,{scope:"DocumentCardActions"}),bi=(0,D.y)(),yi=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.activity,o=e.people,n=e.styles,r=e.theme,i=e.className;return this._classNames=bi(n,{theme:r,className:i,multiplePeople:o.length>1}),o&&0!==o.length?c.createElement("div",{className:this._classNames.root},this._renderAvatars(o),c.createElement("div",{className:this._classNames.details},c.createElement("span",{className:this._classNames.name},this._getNameString(o)),c.createElement("span",{className:this._classNames.activity},t))):null},t.prototype._renderAvatars=function(e){return c.createElement("div",{className:this._classNames.avatars},e.length>1?this._renderAvatar(e[1]):null,this._renderAvatar(e[0]))},t.prototype._renderAvatar=function(e){return c.createElement("div",{className:this._classNames.avatar},c.createElement(_.t,{imageInitials:e.initials,text:e.name,imageUrl:e.profileImageSrc,initialsColor:e.initialsColor,allowPhoneInitials:e.allowPhoneInitials,role:"presentation",size:C.Ir.size32}))},t.prototype._getNameString=function(e){var t=e[0].name;return e.length>=2&&(t+=" +"+(e.length-1)),t},t}(c.Component),_i=(0,I.z)(yi,(function(e){var t=e.theme,o=e.className,n=e.multiplePeople,r=t.palette,i=t.fonts,a=(0,u.Cn)(ci,t);return{root:[a.root,n&&a.multiplePeople,{padding:"8px 16px",position:"relative"},o],avatars:[a.avatars,{marginLeft:"-2px",height:"32px"}],avatar:[a.avatar,{display:"inline-block",verticalAlign:"top",position:"relative",textAlign:"center",width:32,height:32,selectors:{"&:after":{content:'" "',position:"absolute",left:"-1px",top:"-1px",right:"-1px",bottom:"-1px",border:"2px solid "+r.white,borderRadius:"50%"},":nth-of-type(2)":n&&{marginLeft:"-16px"}}}],details:[a.details,{left:n?"72px":"56px",height:32,position:"absolute",top:8,width:"calc(100% - 72px)"}],name:[a.name,{display:"block",fontSize:i.small.fontSize,lineHeight:"15px",height:"15px",overflow:"hidden",textOverflow:"ellipsis",whiteSpace:"nowrap",color:r.neutralPrimary,fontWeight:u.lq.semibold}],activity:[a.activity,{display:"block",fontSize:i.small.fontSize,lineHeight:"15px",height:"15px",overflow:"hidden",textOverflow:"ellipsis",whiteSpace:"nowrap",color:r.neutralSecondary}]}}),void 0,{scope:"DocumentCardActivity"}),Ci=(0,D.y)(),Si=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.children,o=e.styles,n=e.theme,r=e.className;return this._classNames=Ci(o,{theme:n,className:r}),c.createElement("div",{className:this._classNames.root},t)},t}(c.Component),xi={root:"ms-DocumentCardDetails"},ki=(0,I.z)(Si,(function(e){var t=e.className,o=e.theme;return{root:[(0,u.Cn)(xi,o).root,{display:"flex",flexDirection:"column",flex:1,justifyContent:"space-between",overflow:"hidden"},t]}}),void 0,{scope:"DocumentCardDetails"}),wi=(0,D.y)(),Ii=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.location,o=e.locationHref,n=e.ariaLabel,r=e.onClick,i=e.styles,a=e.theme,s=e.className;return this._classNames=wi(i,{theme:a,className:s}),c.createElement("a",{className:this._classNames.root,href:o,onClick:r,"aria-label":n},t)},t}(c.Component),Di=(0,I.z)(Ii,(function(e){var t=e.theme,o=e.className,n=t.palette,r=t.fonts;return{root:[(0,u.Cn)(di,t).root,r.small,{color:n.themePrimary,display:"block",fontWeight:u.lq.semibold,overflow:"hidden",padding:"8px 16px",position:"relative",textDecoration:"none",textOverflow:"ellipsis",whiteSpace:"nowrap",selectors:{":hover":{color:n.themePrimary,cursor:"pointer"}}},o]}}),void 0,{scope:"DocumentCardLocation"}),Ti=o(4861),Ei=(0,D.y)(),Pi=function(e){function t(t){var o=e.call(this,t)||this;return o._renderPreviewList=function(e){var t=o.props,n=t.getOverflowDocumentCountText,r=t.maxDisplayCount,i=void 0===r?3:r,a=e.length-i,s=a?n?n(a):"+"+a:null,u=e.slice(0,i).map((function(e,t){return c.createElement("li",{key:t},c.createElement(Ti.E,{className:o._classNames.fileListIcon,src:e.iconSrc,role:"presentation",alt:"",width:"16px",height:"16px"}),c.createElement(O,(0,l.pi)({className:o._classNames.fileListLink},(e.linkProps,{href:e.linkProps&&e.linkProps.href||e.url})),e.name))}));return c.createElement("div",null,c.createElement("ul",{className:o._classNames.fileList},u),s&&c.createElement("span",{className:o._classNames.fileListOverflowText},s))},(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e,t,o=this.props,n=o.previewImages,r=o.styles,i=o.theme,a=o.className,s=n.length>1;return this._classNames=Ei(r,{theme:i,className:a,isFileList:s}),n.length>1?t=this._renderPreviewList(n):1===n.length&&(t=this._renderPreviewImage(n[0]),n[0].accentColor&&(e={borderBottomColor:n[0].accentColor})),c.createElement("div",{className:this._classNames.root,style:e},t)},t.prototype._renderPreviewImage=function(e){var t=e.width,o=e.height,n=e.imageFit,r=e.previewIconProps,i=e.previewIconContainerClass;if(r)return c.createElement("div",{className:(0,pt.i)(this._classNames.previewIcon,i),style:{width:t,height:o}},c.createElement(W.J,(0,l.pi)({},r)));var a,s=c.createElement(Ti.E,{width:t,height:o,imageFit:n,src:e.previewImageSrc,role:"presentation",alt:""});return e.iconSrc&&(a=c.createElement(Ti.E,{className:this._classNames.icon,src:e.iconSrc,role:"presentation",alt:""})),c.createElement("div",null,s,a)},t}(c.Component),Mi=(0,I.z)(Pi,(function(e){var t,o,n=e.theme,r=e.className,i=e.isFileList,a=n.palette,s=n.fonts,l=(0,u.Cn)(li,n);return{root:[l.root,s.small,{backgroundColor:i?a.white:a.neutralLighterAlt,borderBottom:"1px solid "+a.neutralLight,overflow:"hidden",position:"relative"},r],previewIcon:[l.iconContainer,{display:"flex",alignItems:"center",justifyContent:"center",height:"100%"}],icon:[l.icon,{left:"10px",bottom:"10px",position:"absolute"}],fileList:{padding:"16px 16px 0 16px",listStyleType:"none",margin:0,selectors:{li:{height:"16px",lineHeight:"16px",marginBottom:"8px",overflow:"hidden"}}},fileListIcon:{display:"inline-block",marginRight:"8px"},fileListLink:[(0,u.GL)(n,{highContrastStyle:{border:"1px solid WindowText",outline:"none"}}),{boxSizing:"border-box",color:a.neutralDark,overflow:"hidden",display:"inline-block",textDecoration:"none",textOverflow:"ellipsis",whiteSpace:"nowrap",width:"calc(100% - 24px)",selectors:(t={":hover":{color:a.themePrimary}},t["."+de.G$+" &:focus"]={selectors:(o={},o[u.qJ]={outline:"none"},o)},t)}],fileListOverflowText:{padding:"0px 16px 8px 16px",display:"block"}}}),void 0,{scope:"DocumentCardPreview"}),Ri=(0,D.y)(),Ni=function(e){function t(t){var o=e.call(this,t)||this;return o._onImageLoad=function(){o.setState({imageHasLoaded:!0})},(0,P.l)(o),o.state={imageHasLoaded:!1},o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.width,n=e.height,r=e.imageFit,i=e.imageSrc;return this._classNames=Ri(t,this.props),c.createElement("div",{className:this._classNames.root},i&&c.createElement(Ti.E,{width:o,height:n,imageFit:r,src:i,role:"presentation",alt:"",onLoad:this._onImageLoad}),this.state.imageHasLoaded?this._renderCornerIcon():this._renderCenterIcon())},t.prototype._renderCenterIcon=function(){var e=this.props.iconProps;return c.createElement("div",{className:this._classNames.centeredIconWrapper},c.createElement(W.J,(0,l.pi)({className:this._classNames.centeredIcon},e)))},t.prototype._renderCornerIcon=function(){var e=this.props.iconProps;return c.createElement(W.J,(0,l.pi)({className:this._classNames.cornerIcon},e))},t}(c.Component),Bi="42px",Fi="32px",Li=(0,I.z)(Ni,(function(e){var t=e.theme,o=e.className,n=e.height,r=e.width,i=t.palette;return{root:[{borderBottom:"1px solid "+i.neutralLight,position:"relative",backgroundColor:i.neutralLighterAlt,overflow:"hidden",height:n&&n+"px",width:r&&r+"px"},o],centeredIcon:[{height:Bi,width:Bi,fontSize:Bi}],centeredIconWrapper:[{display:"flex",alignItems:"center",justifyContent:"center",height:"100%",width:"100%",position:"absolute",top:0,left:0}],cornerIcon:[{left:"10px",bottom:"10px",height:Fi,width:Fi,fontSize:Fi,position:"absolute",overflow:"visible"}]}}),void 0,{scope:"DocumentCardImage"}),Ai=(0,D.y)(),zi=function(e){function t(t){var o=e.call(this,t)||this;return o._titleElement=c.createRef(),o._measureTitleElement=c.createRef(),o._truncateTitle=function(){o.state.needMeasurement&&o._async.requestAnimationFrame(o._truncateWhenInAnimation)},o._truncateWhenInAnimation=function(){var e=o.props.title,t=o._measureTitleElement.current;if(t){var n=getComputedStyle(t);if(n.width&&n.lineHeight&&n.height){var r=t.clientWidth,i=t.scrollWidth,a=Math.floor((parseInt(n.height,10)+5)/parseInt(n.lineHeight,10)),s=i/(parseInt(n.width,10)*a);if(s>1){var l=e.length/s-3;return o.setState({truncatedTitleFirstPiece:e.slice(0,l/2),truncatedTitleSecondPiece:e.slice(e.length-l/2),clientWidth:r,needMeasurement:!1})}}}return o.setState({needMeasurement:!1})},o._shrinkTitle=function(){var e=o.state,t=e.truncatedTitleFirstPiece,n=e.truncatedTitleSecondPiece;if(t&&n){var r=o._titleElement.current;if(!r)return;(r.scrollHeight>r.clientHeight+5||r.scrollWidth>r.clientWidth)&&o.setState({truncatedTitleFirstPiece:t.slice(0,t.length-1),truncatedTitleSecondPiece:n.slice(1)})}},(0,P.l)(o),o._async=new bo.e(o),o._events=new at.r(o),o.state={truncatedTitleFirstPiece:"",truncatedTitleSecondPiece:"",previousTitle:t.title,needMeasurement:!!t.shouldTruncate},o}return(0,l.ZT)(t,e),t.prototype.componentDidUpdate=function(){this.props.title!==this.state.previousTitle&&this.setState({truncatedTitleFirstPiece:void 0,truncatedTitleSecondPiece:void 0,clientWidth:void 0,previousTitle:this.props.title,needMeasurement:!!this.props.shouldTruncate}),this._events.off(window,"resize",this._updateTruncation),this.props.shouldTruncate&&(this._truncateTitle(),requestAnimationFrame(this._shrinkTitle),this._events.on(window,"resize",this._updateTruncation))},t.prototype.componentDidMount=function(){this.props.shouldTruncate&&(this._truncateTitle(),this._events.on(window,"resize",this._updateTruncation))},t.prototype.componentWillUnmount=function(){this._events.dispose(),this._async.dispose()},t.prototype.render=function(){var e=this.props,t=e.title,o=e.shouldTruncate,n=e.showAsSecondaryTitle,r=e.styles,i=e.theme,a=e.className,s=this.state,l=s.truncatedTitleFirstPiece,u=s.truncatedTitleSecondPiece,d=s.needMeasurement;return this._classNames=Ai(r,{theme:i,className:a,showAsSecondaryTitle:n}),d?c.createElement("div",{className:this._classNames.root,ref:this._measureTitleElement,title:t,style:{whiteSpace:"nowrap"}},t):o&&l&&u?c.createElement("div",{className:this._classNames.root,ref:this._titleElement,title:t},l,"…",u):c.createElement("div",{className:this._classNames.root,ref:this._titleElement,title:t},t)},t.prototype._updateTruncation=function(){var e=this;this._async.requestAnimationFrame((function(){if(e._titleElement.current){var t=e._titleElement.current.clientWidth;clearTimeout(e._titleTruncationTimer),e.state.clientWidth!==t&&(e._titleTruncationTimer=e._async.setTimeout((function(){return e.setState({truncatedTitleFirstPiece:void 0,truncatedTitleSecondPiece:void 0,needMeasurement:!0})}),250))}}))},t}(c.Component),Hi=(0,I.z)(zi,(function(e){var t=e.theme,o=e.className,n=e.showAsSecondaryTitle,r=t.palette,i=t.fonts;return{root:[(0,u.Cn)(ui,t).root,n?i.medium:i.large,{padding:"8px 16px",display:"block",overflow:"hidden",wordWrap:"break-word",height:n?"45px":"38px",lineHeight:n?"18px":"21px",color:n?r.neutralSecondary:r.neutralPrimary},o]}}),void 0,{scope:"DocumentCardTitle"}),Oi=(0,D.y)(),Wi=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.logoIcon,o=e.styles,n=e.theme,r=e.className;return this._classNames=Oi(o,{theme:n,className:r}),c.createElement("div",{className:this._classNames.root},c.createElement(W.J,{iconName:t}))},t}(c.Component),Vi={root:"ms-DocumentCardLogo"},Ki=(0,I.z)(Wi,(function(e){var t=e.theme,o=e.className,n=t.palette,r=t.fonts;return{root:[(0,u.Cn)(Vi,t).root,{fontSize:r.xxLargePlus.fontSize,color:n.themePrimary,display:"block",padding:"16px 16px 0 16px"},o]}}),void 0,{scope:"DocumentCardLogo"}),qi=(0,D.y)(),Gi=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.statusIcon,o=e.status,n=e.styles,r=e.theme,i=e.className,a={iconName:t,styles:{root:{padding:"8px"}}};return this._classNames=qi(n,{theme:r,className:i}),c.createElement("div",{className:this._classNames.root},t&&c.createElement(W.J,(0,l.pi)({},a)),o)},t}(c.Component),Ui={root:"ms-DocumentCardStatus"},ji=(0,I.z)(Gi,(function(e){var t=e.className,o=e.theme,n=o.palette,r=o.fonts;return{root:[(0,u.Cn)(Ui,o).root,r.medium,{margin:"8px 16px",color:n.neutralPrimary,backgroundColor:n.neutralLighter,height:"32px"},t]}}),void 0,{scope:"DocumentCardStatus"}),Ji=o(4004),Yi=o(8982),Zi=o(2703),Xi=o(4976);(0,Xi.RM)([{rawString:".pickerText_43ffcad1{display:-webkit-box;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;-webkit-box-align:center;-ms-flex-align:center;align-items:center;-webkit-box-sizing:border-box;box-sizing:border-box;border:1px solid "},{theme:"neutralTertiary",defaultValue:"#a19f9d"},{rawString:";min-width:180px;padding:1px;min-height:32px}.pickerText_43ffcad1:hover{border-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:"}.pickerInput_43ffcad1{height:34px;border:none;-webkit-box-flex:1;-ms-flex-positive:1;flex-grow:1;outline:0;padding:0 6px 0;margin:1px}.pickerInput_43ffcad1::-ms-clear{display:none}"}]);var Qi="pickerText_43ffcad1",$i="pickerInput_43ffcad1",ea=n,ta=function(e){function t(t){var o=e.call(this,t)||this;return o.floatingPicker=c.createRef(),o.selectedItemsList=c.createRef(),o.root=c.createRef(),o.input=c.createRef(),o.onSelectionChange=function(){o.forceUpdate()},o.onInputChange=function(e,t){t||(o.setState({queryString:e}),o.floatingPicker.current&&o.floatingPicker.current.onQueryStringChanged(e))},o.onInputFocus=function(e){o.selectedItemsList.current&&o.selectedItemsList.current.unselectAll(),o.props.inputProps&&o.props.inputProps.onFocus&&o.props.inputProps.onFocus(e)},o.onInputClick=function(e){if(o.selectedItemsList.current&&o.selectedItemsList.current.unselectAll(),o.floatingPicker.current&&o.inputElement){var t=""===o.inputElement.value||o.inputElement.value!==o.floatingPicker.current.inputText;o.floatingPicker.current.showPicker(t)}},o.onBackspace=function(e){e.which===rt.m.backspace&&o.selectedItemsList.current&&o.items.length&&(o.input.current&&!o.input.current.isValueSelected&&o.input.current.inputElement===document.activeElement&&0===o.input.current.cursorLocation?(o.floatingPicker.current&&o.floatingPicker.current.hidePicker(),e.preventDefault(),o.selectedItemsList.current.removeItemAt(o.items.length-1),o._onSelectedItemsChanged()):o.selectedItemsList.current.hasSelectedItems()&&(o.floatingPicker.current&&o.floatingPicker.current.hidePicker(),e.preventDefault(),o.selectedItemsList.current.removeSelectedItems(),o._onSelectedItemsChanged()))},o.onCopy=function(e){o.selectedItemsList.current&&o.selectedItemsList.current.onCopy(e)},o.onPaste=function(e){if(o.props.onPaste){var t=e.clipboardData.getData("Text");e.preventDefault(),o.props.onPaste(t)}},o._onSuggestionSelected=function(e){var t=o.props.currentRenderedQueryString,n=o.state.queryString;if(void 0===t||t===n){var r=o.props.onItemSelected?o.props.onItemSelected(e):e;if(null===r)return;var i,a=r,s=r;s&&s.then?s.then((function(e){i=e,o._addProcessedItem(i)})):(i=a,o._addProcessedItem(i))}},o._onSelectedItemsChanged=function(){o.focus()},o._onSuggestionsShownOrHidden=function(){o.forceUpdate()},(0,P.l)(o),o.selection=new nn.Y({onSelectionChanged:function(){return o.onSelectionChange()}}),o.state={queryString:""},o}return(0,l.ZT)(t,e),Object.defineProperty(t.prototype,"items",{get:function(){var e,t,o,n;return null!=(n=null!=(o=null!=(e=this.props.selectedItems)?e:null===(t=this.selectedItemsList.current)||void 0===t?void 0:t.items)?o:this.props.defaultSelectedItems)?n:null},enumerable:!0,configurable:!0}),t.prototype.componentDidMount=function(){this.forceUpdate()},t.prototype.focus=function(){this.input.current&&this.input.current.focus()},t.prototype.clearInput=function(){this.input.current&&this.input.current.clear()},Object.defineProperty(t.prototype,"inputElement",{get:function(){return this.input.current&&this.input.current.inputElement},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"highlightedItems",{get:function(){return this.selectedItemsList.current?this.selectedItemsList.current.highlightedItems():[]},enumerable:!0,configurable:!0}),t.prototype.render=function(){var e=this.props,t=e.className,o=e.inputProps,n=e.disabled,r=e.focusZoneProps,i=this.floatingPicker.current&&-1!==this.floatingPicker.current.currentSelectedSuggestionIndex?"sug-"+this.floatingPicker.current.currentSelectedSuggestionIndex:void 0,a=!!this.floatingPicker.current&&this.floatingPicker.current.isSuggestionsShown;return c.createElement("div",{ref:this.root,className:(0,pt.i)("ms-BasePicker ms-BaseExtendedPicker",t||""),onKeyDown:this.onBackspace,onCopy:this.onCopy},c.createElement(M.k,(0,l.pi)({direction:R.U.bidirectional},r),c.createElement(rn.i,{selection:this.selection,selectionMode:on.oW.multiple},c.createElement("div",{className:(0,pt.i)("ms-BasePicker-text",ea.pickerText),role:"list"},this.props.headerComponent,this.renderSelectedItemsList(),this.canAddItems()&&c.createElement(x.G,(0,l.pi)({},o,{className:(0,pt.i)("ms-BasePicker-input",ea.pickerInput),ref:this.input,onFocus:this.onInputFocus,onClick:this.onInputClick,onInputValueChange:this.onInputChange,"aria-activedescendant":i,"aria-owns":a?"suggestion-list":void 0,"aria-expanded":a,"aria-haspopup":"true",role:"combobox",disabled:n,onPaste:this.onPaste}))))),this.renderFloatingPicker())},Object.defineProperty(t.prototype,"floatingPickerProps",{get:function(){return this.props.floatingPickerProps},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"selectedItemsListProps",{get:function(){return this.props.selectedItemsListProps},enumerable:!0,configurable:!0}),t.prototype.canAddItems=function(){var e=this.props.itemLimit;return void 0===e||this.items.length0,p=d?r:r.slice(0,u),m=(d?i:r.slice(u))||[];return c.createElement("div",{className:l.root},this.onRenderAriaDescription(),c.createElement("div",{className:l.itemContainer},a?this._getAddNewElement():null,c.createElement("ul",{className:l.members,"aria-label":s},this._onRenderVisiblePersonas(p,0===m.length&&1===r.length)),e?this._getOverflowElement(m):null))},t.prototype.onRenderAriaDescription=function(){var e=this.props.ariaDescription,t=this._classNames;return e&&c.createElement("span",{className:t.screenReaderOnly,id:this._ariaDescriptionId},e)},t.prototype._onRenderVisiblePersonas=function(e,t){var o=this,n=this.props,r=n.onRenderPersona,i=void 0===r?this._getPersonaControl:r,a=n.onRenderPersonaCoin,s=void 0===a?this._getPersonaCoinControl:a;return e.map((function(e,n){var r=t?i(e,o._getPersonaControl):s(e,o._getPersonaCoinControl);return c.createElement("li",{key:(t?"persona":"personaCoin")+"-"+n,className:o._classNames.member},e.onClick?o._getElementWithOnClickEvent(r,e,n):o._getElementWithoutOnClickEvent(r,e,n))}))},t.prototype._getElementWithOnClickEvent=function(e,t,o){var n=t.keytipProps;return c.createElement(ca,(0,l.pi)({},(0,E.pq)(t,E.Yq),this._getElementProps(t,o),{keytipProps:n,onClick:this._onPersonaClick.bind(this,t)}),e)},t.prototype._getElementWithoutOnClickEvent=function(e,t,o){return c.createElement("div",(0,l.pi)({},(0,E.pq)(t,E.Yq),this._getElementProps(t,o)),e)},t.prototype._getElementProps=function(e,t){var o=this._classNames;return{key:(e.imageUrl?"i":"")+t,"data-is-focusable":!0,className:o.itemButton,title:e.personaName,onMouseMove:this._onPersonaMouseMove.bind(this,e),onMouseOut:this._onPersonaMouseOut.bind(this,e)}},t.prototype._getOverflowElement=function(e){switch(this.props.overflowButtonType){case oa.descriptive:return this._getDescriptiveOverflowElement(e);case oa.downArrow:return this._getIconElement("ChevronDown");case oa.more:return this._getIconElement("More");default:return null}},t.prototype._getDescriptiveOverflowElement=function(e){var t=this.props.personaSize;if(!e||e.length<1)return null;var o=e.map((function(e){return e.personaName})).join(", "),n=(0,l.pi)({title:o},this.props.overflowButtonProps),r=Math.max(e.length,0),i=this._classNames;return c.createElement(ca,(0,l.pi)({},n,{ariaDescription:n.title,className:i.descriptiveOverflowButton}),c.createElement(_.t,{size:t,onRenderInitials:this._renderInitialsNotPictured(r),initialsColor:C.z5.transparent}))},t.prototype._getIconElement=function(e){var t=this.props,o=t.overflowButtonProps,n=t.personaSize,r=this._classNames;return c.createElement(ca,(0,l.pi)({},o,{className:r.overflowButton}),c.createElement(_.t,{size:n,onRenderInitials:this._renderInitials(e,!0),initialsColor:C.z5.transparent}))},t.prototype._getAddNewElement=function(){var e=this.props,t=e.addButtonProps,o=e.personaSize,n=this._classNames;return c.createElement(ca,(0,l.pi)({},t,{className:n.addButton}),c.createElement(_.t,{size:o,onRenderInitials:this._renderInitials("AddFriend")}))},t.prototype._onPersonaClick=function(e,t){e.onClick(t,e),t.preventDefault(),t.stopPropagation()},t.prototype._onPersonaMouseMove=function(e,t){e.onMouseMove&&e.onMouseMove(t,e)},t.prototype._onPersonaMouseOut=function(e,t){e.onMouseOut&&e.onMouseOut(t,e)},t.prototype._renderInitials=function(e,t){var o=this._classNames;return function(){return c.createElement(W.J,{iconName:e,className:t?o.overflowInitialsIcon:""})}},t.prototype._renderInitialsNotPictured=function(e){var t=this._classNames;return function(){return c.createElement("span",{className:t.overflowInitialsIcon},e<100?"+"+e:"99+")}},t.defaultProps={maxDisplayablePersonas:5,personas:[],overflowPersonas:[],personaSize:C.Ir.size32},t}(c.Component),ma={root:"ms-Facepile",addButton:"ms-Facepile-addButton ms-Facepile-itemButton",descriptiveOverflowButton:"ms-Facepile-descriptiveOverflowButton ms-Facepile-itemButton",itemButton:"ms-Facepile-itemButton ms-Facepile-person",itemContainer:"ms-Facepile-itemContainer",members:"ms-Facepile-members",member:"ms-Facepile-member",overflowButton:"ms-Facepile-overflowButton ms-Facepile-itemButton"},ha=(0,I.z)(pa,(function(e){var t,o=e.className,n=e.theme,r=e.spacingAroundItemButton,i=void 0===r?2:r,a=n.palette,s=n.fonts,l=(0,u.Cn)(ma,n),c={textAlign:"center",padding:0,borderRadius:"50%",verticalAlign:"top",display:"inline",backgroundColor:"transparent",border:"none",selectors:{"&::-moz-focus-inner":{padding:0,border:0}}};return{root:[l.root,n.fonts.medium,{width:"auto"},o],addButton:[l.addButton,(0,u.GL)(n,{inset:-1}),c,{fontSize:s.medium.fontSize,color:a.white,backgroundColor:a.themePrimary,marginRight:2*i+"px",selectors:{"&:hover":{backgroundColor:a.themeDark},"&:focus":{backgroundColor:a.themeDark},"&:active":{backgroundColor:a.themeDarker},"&:disabled":{backgroundColor:a.neutralTertiaryAlt}}}],descriptiveOverflowButton:[l.descriptiveOverflowButton,(0,u.GL)(n,{inset:-1}),c,{fontSize:s.small.fontSize,color:a.neutralSecondary,backgroundColor:a.neutralLighter,marginLeft:2*i+"px"}],itemButton:[l.itemButton,c],itemContainer:[l.itemContainer,{display:"flex"}],members:[l.members,{display:"flex",overflow:"hidden",listStyleType:"none",padding:0,margin:"-"+i+"px"}],member:[l.member,{display:"inline-flex",flex:"0 0 auto",margin:i+"px"}],overflowButton:[l.overflowButton,(0,u.GL)(n,{inset:-1}),c,{fontSize:s.medium.fontSize,color:a.neutralSecondary,backgroundColor:a.neutralLighter,marginLeft:2*i+"px"}],overflowInitialsIcon:[{color:a.neutralPrimary,selectors:(t={},t[u.qJ]={color:"WindowText"},t)}],screenReaderOnly:u.ul}}),void 0,{scope:"Facepile"});(0,Xi.RM)([{rawString:".callout_467cd672 .ms-Suggestions-itemButton{padding:0;border:none}.callout_467cd672 .ms-Suggestions{min-width:300px}"}]);var ga="callout_467cd672",fa=o(7420);(0,Xi.RM)([{rawString:".suggestionsContainer_98495a3a{overflow-y:auto;overflow-x:hidden;max-height:300px}.suggestionsContainer_98495a3a .ms-Suggestion-item:hover{background-color:"},{theme:"neutralLighter",defaultValue:"#f3f2f1"},{rawString:";cursor:pointer}.suggestionsContainer_98495a3a .is-suggested{background-color:"},{theme:"themeLighter",defaultValue:"#deecf9"},{rawString:"}.suggestionsContainer_98495a3a .is-suggested:hover{background-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:";cursor:pointer}"}]);var va="suggestionsContainer_98495a3a",ba=i,ya=function(e){function t(t){var o=e.call(this,t)||this;return o._selectedElement=c.createRef(),o.SuggestionsItemOfProperType=fa.S,o._onClickTypedSuggestionsItem=function(e,t){return function(n){o.props.onSuggestionClick(n,e,t)}},o._onRemoveTypedSuggestionsItem=function(e,t){return function(n){(0,o.props.onSuggestionRemove)(n,e,t),n.stopPropagation()}},(0,P.l)(o),o.currentIndex=-1,o}return(0,l.ZT)(t,e),t.prototype.nextSuggestion=function(){var e=this.props.suggestions;if(e&&e.length>0){if(-1===this.currentIndex)return this.setSelectedSuggestion(0),!0;if(this.currentIndex0){if(-1===this.currentIndex)return this.setSelectedSuggestion(e.length-1),!0;if(this.currentIndex>0)return this.setSelectedSuggestion(this.currentIndex-1),!0;if(this.props.shouldLoopSelection&&0===this.currentIndex)return this.setSelectedSuggestion(e.length-1),!0}return!1},Object.defineProperty(t.prototype,"selectedElement",{get:function(){return this._selectedElement.current||void 0},enumerable:!0,configurable:!0}),t.prototype.getCurrentItem=function(){return this.props.suggestions[this.currentIndex]},t.prototype.getSuggestionAtIndex=function(e){return this.props.suggestions[e]},t.prototype.hasSuggestionSelected=function(){return-1!==this.currentIndex&&this.currentIndex-1&&this.props.suggestions[this.currentIndex]&&(this.props.suggestions[this.currentIndex].selected=!1,this.currentIndex=-1,this.forceUpdate())},t.prototype.setSelectedSuggestion=function(e){var t=this.props.suggestions;e>t.length-1||e<0?(this.currentIndex=0,this.currentSuggestion.selected=!1,this.currentSuggestion=t[0],this.currentSuggestion.selected=!0):(this.currentIndex>-1&&t[this.currentIndex]&&(t[this.currentIndex].selected=!1),t[e].selected=!0,this.currentIndex=e,this.currentSuggestion=t[e]),this.forceUpdate()},t.prototype.componentDidUpdate=function(){this.scrollSelected()},t.prototype.render=function(){var e=this,t=this.props,o=t.onRenderSuggestion,n=t.suggestionsItemClassName,r=t.resultsMaximumNumber,i=t.showRemoveButtons,a=t.suggestionsContainerAriaLabel,s=this.SuggestionsItemOfProperType,l=this.props.suggestions;return r&&(l=l.slice(0,r)),c.createElement("div",{className:(0,pt.i)("ms-Suggestions-container",ba.suggestionsContainer),id:"suggestion-list",role:"list","aria-label":a},l.map((function(t,r){return c.createElement("div",{ref:t.selected||r===e.currentIndex?e._selectedElement:void 0,key:t.item.key?t.item.key:r,id:"sug-"+r,role:"listitem","aria-label":t.ariaLabel},c.createElement(s,{id:"sug-item"+r,suggestionModel:t,RenderSuggestion:o,onClick:e._onClickTypedSuggestionsItem(t.item,r),className:n,showRemoveButton:i,onRemoveItem:e._onRemoveTypedSuggestionsItem(t.item,r),isSelectedOverride:r===e.currentIndex}))})))},t.prototype.scrollSelected=function(){var e;void 0!==(null===(e=this._selectedElement.current)||void 0===e?void 0:e.scrollIntoView)&&this._selectedElement.current.scrollIntoView(!1)},t}(c.Component);(0,Xi.RM)([{rawString:".root_6d187696{min-width:260px}.actionButton_6d187696{background:0 0;background-color:transparent;border:0;cursor:pointer;margin:0;padding:0;position:relative;width:100%;font-size:12px}html[dir=ltr] .actionButton_6d187696{text-align:left}html[dir=rtl] .actionButton_6d187696{text-align:right}.actionButton_6d187696:hover{background-color:"},{theme:"neutralLighter",defaultValue:"#f3f2f1"},{rawString:";cursor:pointer}.actionButton_6d187696:active,.actionButton_6d187696:focus{background-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:"}.actionButton_6d187696 .ms-Button-icon{font-size:16px;width:25px}.actionButton_6d187696 .ms-Button-label{margin:0 4px 0 9px}html[dir=rtl] .actionButton_6d187696 .ms-Button-label{margin:0 9px 0 4px}.buttonSelected_6d187696{background-color:"},{theme:"themeLighter",defaultValue:"#deecf9"},{rawString:"}.buttonSelected_6d187696:hover{background-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:";cursor:pointer}@media screen and (-ms-high-contrast:active){.buttonSelected_6d187696:hover{background-color:Highlight;color:HighlightText}}@media screen and (-ms-high-contrast:active){.buttonSelected_6d187696{background-color:Highlight;color:HighlightText;-ms-high-contrast-adjust:none}}.suggestionsTitle_6d187696{font-size:12px}.suggestionsSpinner_6d187696{margin:5px 0;white-space:nowrap;line-height:20px;font-size:12px}html[dir=ltr] .suggestionsSpinner_6d187696{padding-left:14px}html[dir=rtl] .suggestionsSpinner_6d187696{padding-right:14px}html[dir=ltr] .suggestionsSpinner_6d187696{text-align:left}html[dir=rtl] .suggestionsSpinner_6d187696{text-align:right}.suggestionsSpinner_6d187696 .ms-Spinner-circle{display:inline-block;vertical-align:middle}.suggestionsSpinner_6d187696 .ms-Spinner-label{display:inline-block;margin:0 10px 0 16px;vertical-align:middle}html[dir=rtl] .suggestionsSpinner_6d187696 .ms-Spinner-label{margin:0 16px 0 10px}.itemButton_6d187696{height:100%;width:100%;padding:7px 12px}@media screen and (-ms-high-contrast:active){.itemButton_6d187696{color:WindowText}}.screenReaderOnly_6d187696{position:absolute;width:1px;height:1px;padding:0;margin:-1px;overflow:hidden;clip:rect(0,0,0,0);border:0}"}]);var _a,Ca="root_6d187696",Sa="actionButton_6d187696",xa="buttonSelected_6d187696",ka="suggestionsTitle_6d187696",wa="suggestionsSpinner_6d187696",Ia="itemButton_6d187696",Da="screenReaderOnly_6d187696",Ta=a;!function(e){e[e.header=0]="header",e[e.suggestion=1]="suggestion",e[e.footer=2]="footer"}(_a||(_a={}));var Ea=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e,t=this.props,o=t.renderItem,n=t.onExecute,r=t.isSelected,i=t.id,a=t.className;return n?c.createElement("div",{id:i,onClick:n,className:(0,pt.i)("ms-Suggestions-sectionButton",a,Ta.actionButton,(e={},e["is-selected "+Ta.buttonSelected]=r,e))},o()):c.createElement("div",{id:i,className:(0,pt.i)("ms-Suggestions-section",a,Ta.suggestionsTitle)},o())},t}(c.Component),Pa=function(e){function t(t){var o=e.call(this,t)||this;return o._selectedElement=c.createRef(),o._suggestions=c.createRef(),o.SuggestionsOfProperType=ya,(0,P.l)(o),o.state={selectedHeaderIndex:-1,selectedFooterIndex:-1,suggestions:t.suggestions},o}return(0,l.ZT)(t,e),t.prototype.componentDidMount=function(){this.resetSelectedItem()},t.prototype.componentDidUpdate=function(e){var t=this;this.scrollSelected(),e.suggestions&&e.suggestions!==this.props.suggestions&&this.setState({suggestions:this.props.suggestions},(function(){t.resetSelectedItem()}))},t.prototype.componentWillUnmount=function(){var e;null===(e=this._suggestions.current)||void 0===e||e.deselectAllSuggestions()},t.prototype.render=function(){var e=this.props,t=e.className,o=e.headerItemsProps,n=e.footerItemsProps,r=e.suggestionsAvailableAlertText,i=(0,u.y0)(u.ul),a=this.state.suggestions&&this.state.suggestions.length>0&&r;return c.createElement("div",{className:(0,pt.i)("ms-Suggestions",t||"",Ta.root)},o&&this.renderHeaderItems(),this._renderSuggestions(),n&&this.renderFooterItems(),a?c.createElement("span",{role:"alert","aria-live":"polite",className:i},r):null)},Object.defineProperty(t.prototype,"currentSuggestion",{get:function(){var e;return(null===(e=this._suggestions.current)||void 0===e?void 0:e.getCurrentItem())||void 0},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"currentSuggestionIndex",{get:function(){return this._suggestions.current?this._suggestions.current.currentIndex:-1},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"selectedElement",{get:function(){var e;return this._selectedElement.current?this._selectedElement.current:null===(e=this._suggestions.current)||void 0===e?void 0:e.selectedElement},enumerable:!0,configurable:!0}),t.prototype.hasSuggestionSelected=function(){var e;return(null===(e=this._suggestions.current)||void 0===e?void 0:e.hasSuggestionSelected())||!1},t.prototype.hasSelection=function(){var e=this.state,t=e.selectedHeaderIndex,o=e.selectedFooterIndex;return-1!==t||this.hasSuggestionSelected()||-1!==o},t.prototype.executeSelectedAction=function(){var e,t=this.props,o=t.headerItemsProps,n=t.footerItemsProps,r=this.state,i=r.selectedHeaderIndex,a=r.selectedFooterIndex;if(o&&-1!==i&&it+1)return null===(o=this._suggestions.current)||void 0===o||o.setSelectedSuggestion(t+1),this.setState({selectedHeaderIndex:-1,selectedFooterIndex:-1}),!0}else{var r=e===_a.header,i=r?this.props.headerItemsProps:this.props.footerItemsProps;if(i&&i.length>t+1)for(var a=t+1;a0)return null===(o=this._suggestions.current)||void 0===o||o.setSelectedSuggestion(r-1),this.setState({selectedHeaderIndex:-1,selectedFooterIndex:-1}),!0}else{var r,i=e===_a.header,a=i?this.props.headerItemsProps:this.props.footerItemsProps;if(a&&(r=void 0!==t?t:a.length)>0)for(var s=r-1;s>=0;s--){var l=a[s];if(l.onExecute&&l.shouldShow())return this.setState({selectedHeaderIndex:i?s:-1}),this.setState({selectedFooterIndex:i?-1:s}),null===(n=this._suggestions.current)||void 0===n||n.deselectAllSuggestions(),!0}}return!1},t.prototype._getCurrentIndexForType=function(e){switch(e){case _a.header:return this.state.selectedHeaderIndex;case _a.suggestion:return this._suggestions.current.currentIndex;case _a.footer:return this.state.selectedFooterIndex}},t.prototype._getNextItemSectionType=function(e){switch(e){case _a.header:return _a.suggestion;case _a.suggestion:return _a.footer;case _a.footer:return _a.header}},t.prototype._getPreviousItemSectionType=function(e){switch(e){case _a.header:return _a.footer;case _a.suggestion:return _a.header;case _a.footer:return _a.suggestion}},t}(c.Component),Ma=r,Ra=function(e){function t(t){var o=e.call(this,t)||this;return o.root=c.createRef(),o.suggestionsControl=c.createRef(),o.SuggestionsControlOfProperType=Pa,o.isComponentMounted=!1,o.onQueryStringChanged=function(e){e!==o.state.queryString&&(o.setState({queryString:e}),o.props.onInputChanged&&o.props.onInputChanged(e),o.updateValue(e))},o.hidePicker=function(){var e=o.isSuggestionsShown;o.setState({suggestionsVisible:!1}),o.props.onSuggestionsHidden&&e&&o.props.onSuggestionsHidden()},o.showPicker=function(e){void 0===e&&(e=!1);var t=o.isSuggestionsShown;o.setState({suggestionsVisible:!0});var n=o.props.inputElement?o.props.inputElement.value:"";e&&o.updateValue(n),o.props.onSuggestionsShown&&!t&&o.props.onSuggestionsShown()},o.completeSuggestion=function(){o.suggestionsControl.current&&o.suggestionsControl.current.hasSuggestionSelected()&&o.onChange(o.suggestionsControl.current.currentSuggestion.item)},o.onSuggestionClick=function(e,t,n){o.onChange(t),o._updateSuggestionsVisible(!1)},o.onSuggestionRemove=function(e,t,n){o.props.onRemoveSuggestion&&o.props.onRemoveSuggestion(t),o.suggestionsControl.current&&o.suggestionsControl.current.removeSuggestion(n)},o.onKeyDown=function(e){if(o.state.suggestionsVisible&&(!o.props.inputElement||o.props.inputElement.contains(e.target))){var t=e.which;switch(t){case rt.m.escape:o.hidePicker(),e.preventDefault(),e.stopPropagation();break;case rt.m.tab:case rt.m.enter:!e.shiftKey&&!e.ctrlKey&&o.suggestionsControl.current&&o.suggestionsControl.current.handleKeyDown(t)?(e.preventDefault(),e.stopPropagation()):o._onValidateInput();break;case rt.m.del:o.props.onRemoveSuggestion&&o.suggestionsControl.current&&o.suggestionsControl.current.hasSuggestionSelected&&o.suggestionsControl.current.currentSuggestion&&e.shiftKey&&(o.props.onRemoveSuggestion(o.suggestionsControl.current.currentSuggestion.item),o.suggestionsControl.current.removeSuggestion(),o.forceUpdate(),e.stopPropagation());break;case rt.m.up:case rt.m.down:o.suggestionsControl.current&&o.suggestionsControl.current.handleKeyDown(t)&&(e.preventDefault(),e.stopPropagation(),o._updateActiveDescendant())}}},o._onValidateInput=function(){if(o.state.queryString&&o.props.onValidateInput&&o.props.createGenericItem){var e=o.props.createGenericItem(o.state.queryString,o.props.onValidateInput(o.state.queryString)),t=o.suggestionStore.convertSuggestionsToSuggestionItems([e]);o.onChange(t[0].item)}},o._async=new bo.e(o),(0,P.l)(o),o.suggestionStore=t.suggestionsStore,o.state={queryString:"",didBind:!1},o}return(0,l.ZT)(t,e),Object.defineProperty(t.prototype,"inputText",{get:function(){return this.state.queryString},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"suggestions",{get:function(){return this.suggestionStore.suggestions},enumerable:!0,configurable:!0}),t.prototype.forceResolveSuggestion=function(){this.suggestionsControl.current&&this.suggestionsControl.current.hasSuggestionSelected()?this.completeSuggestion():this._onValidateInput()},Object.defineProperty(t.prototype,"currentSelectedSuggestionIndex",{get:function(){return this.suggestionsControl.current?this.suggestionsControl.current.currentSuggestionIndex:-1},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"isSuggestionsShown",{get:function(){return void 0!==this.state.suggestionsVisible&&this.state.suggestionsVisible},enumerable:!0,configurable:!0}),t.prototype.componentDidMount=function(){this._bindToInputElement(),this.isComponentMounted=!0,this._onResolveSuggestions=this._async.debounce(this._onResolveSuggestions,this.props.resolveDelay)},t.prototype.componentDidUpdate=function(){this._bindToInputElement()},t.prototype.componentWillUnmount=function(){this._unbindFromInputElement(),this.isComponentMounted=!1},t.prototype.updateSuggestions=function(e,t){void 0===t&&(t=!1),this.suggestionStore.updateSuggestions(e),t&&this.forceUpdate()},t.prototype.render=function(){var e=this.props.className;return c.createElement("div",{ref:this.root,className:(0,pt.i)("ms-BasePicker ms-BaseFloatingPicker",e||"")},this.renderSuggestions())},t.prototype.renderSuggestions=function(){var e=this.SuggestionsControlOfProperType;return this.props.suggestionItems&&this.suggestionStore.updateSuggestions(this.props.suggestionItems),this.state.suggestionsVisible?c.createElement(Ae.U,(0,l.pi)({className:Ma.callout,isBeakVisible:!1,gapSpace:5,target:this.props.inputElement,onDismiss:this.hidePicker,directionalHint:K.b.bottomLeftEdge,directionalHintForRTL:K.b.bottomRightEdge,calloutWidth:this.props.calloutWidth?this.props.calloutWidth:0},this.props.pickerCalloutProps),c.createElement(e,(0,l.pi)({onRenderSuggestion:this.props.onRenderSuggestionsItem,onSuggestionClick:this.onSuggestionClick,onSuggestionRemove:this.onSuggestionRemove,suggestions:this.suggestionStore.getSuggestions(),componentRef:this.suggestionsControl,completeSuggestion:this.completeSuggestion,shouldLoopSelection:!1},this.props.pickerSuggestionsProps))):null},t.prototype.onSelectionChange=function(){this.forceUpdate()},t.prototype.updateValue=function(e){""===e?this.updateSuggestionWithZeroState():this._onResolveSuggestions(e)},t.prototype.updateSuggestionWithZeroState=function(){if(this.props.onZeroQuerySuggestion){var e=(0,this.props.onZeroQuerySuggestion)(this.props.selectedItems);this.updateSuggestionsList(e)}else this.hidePicker()},t.prototype.updateSuggestionsList=function(e){var t=this,o=e,n=e;if(Array.isArray(o))this.updateSuggestions(o,!0);else if(n&&n.then){var r=this.currentPromise=n;r.then((function(e){r===t.currentPromise&&t.isComponentMounted&&t.updateSuggestions(e,!0)}))}},t.prototype.onChange=function(e){this.props.onChange&&this.props.onChange(e)},t.prototype._updateActiveDescendant=function(){if(this.props.inputElement&&this.suggestionsControl.current&&this.suggestionsControl.current.selectedElement){var e=this.suggestionsControl.current.selectedElement.getAttribute("id");e&&this.props.inputElement.setAttribute("aria-activedescendant",e)}},t.prototype._onResolveSuggestions=function(e){var t=this.props.onResolveSuggestions(e,this.props.selectedItems);this._updateSuggestionsVisible(!0),null!==t&&this.updateSuggestionsList(t)},t.prototype._updateSuggestionsVisible=function(e){e?this.showPicker():this.hidePicker()},t.prototype._bindToInputElement=function(){this.props.inputElement&&!this.state.didBind&&(this.props.inputElement.addEventListener("keydown",this.onKeyDown),this.setState({didBind:!0}))},t.prototype._unbindFromInputElement=function(){this.props.inputElement&&this.state.didBind&&(this.props.inputElement.removeEventListener("keydown",this.onKeyDown),this.setState({didBind:!1}))},t}(c.Component),Na=o(6104);(0,Xi.RM)([{rawString:".resultContent_9816a275{display:table-row}.resultContent_9816a275 .resultItem_9816a275{display:table-cell;vertical-align:bottom}.peoplePickerPersona_9816a275{width:180px}.peoplePickerPersona_9816a275 .ms-Persona-details{width:100%}.peoplePicker_9816a275 .ms-BasePicker-text{min-height:40px}.peoplePickerPersonaContent_9816a275{display:-webkit-box;display:-ms-flexbox;display:flex;width:100%;-webkit-box-pack:justify;-ms-flex-pack:justify;justify-content:space-between;-webkit-box-align:center;-ms-flex-align:center;align-items:center;padding:7px 12px}"}]);var Ba=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,l.ZT)(t,e),t}(Ra),Fa=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,l.ZT)(t,e),t.defaultProps={onRenderSuggestionsItem:function(e,t){return o=(0,l.pi)({},e),(0,l.pi)({},t),c.createElement("div",{className:(0,pt.i)("ms-PeoplePicker-personaContent","peoplePickerPersonaContent_9816a275")},c.createElement(ua.I,(0,l.pi)({presence:void 0!==o.presence?o.presence:C.H_.none,size:C.Ir.size40,className:(0,pt.i)("ms-PeoplePicker-Persona","peoplePickerPersona_9816a275"),showSecondaryText:!0},o)));var o},createGenericItem:La},t}(Ba);function La(e,t){var o={key:e,primaryText:e,imageInitials:"!",isValid:t};return t||(o.imageInitials=(0,Na.Q)(e,(0,T.zg)())),o}var Aa=function(){function e(e){var t=this;this._isSuggestionModel=function(e){return void 0!==e.item},this._ensureSuggestionModel=function(e){return t._isSuggestionModel(e)?e:{item:e,selected:!1,ariaLabel:void 0!==t.getAriaLabel?t.getAriaLabel(e):e.name||e.text||e.primaryText}},this.suggestions=[],this.getAriaLabel=e&&e.getAriaLabel}return e.prototype.updateSuggestions=function(e){e&&e.length>0?this.suggestions=this.convertSuggestionsToSuggestionItems(e):this.suggestions=[]},e.prototype.getSuggestions=function(){return this.suggestions},e.prototype.getSuggestionAtIndex=function(e){return this.suggestions[e]},e.prototype.removeSuggestion=function(e){this.suggestions.splice(e,1)},e.prototype.convertSuggestionsToSuggestionItems=function(e){return Array.isArray(e)?e.map(this._ensureSuggestionModel):[]},e}(),za=o(6316);(0,za.x)("@fluentui/react-focus","8.0.4");var Ha,Oa,Wa={host:"ms-HoverCard-host"};!function(e){e[e.hover=0]="hover",e[e.hotKey=1]="hotKey"}(Ha||(Ha={})),function(e){e.plain="PlainCard",e.expanding="ExpandingCard"}(Oa||(Oa={}));var Va,Ka={root:"ms-ExpandingCard-root",compactCard:"ms-ExpandingCard-compactCard",expandedCard:"ms-ExpandingCard-expandedCard",expandedCardScroll:"ms-ExpandingCard-expandedCardScrollRegion"};!function(e){e[e.compact=0]="compact",e[e.expanded=1]="expanded"}(Va||(Va={}));var qa=function(e){var t=e.gapSpace,o=void 0===t?0:t,n=e.directionalHint,r=void 0===n?K.b.bottomLeftEdge:n,i=e.directionalHintFixed,a=e.targetElement,s=e.firstFocus,u=e.trapFocus,d=e.onLeave,p=e.className,m=e.finalHeight,h=e.content,g=e.calloutProps,f=(0,l.pi)((0,l.pi)((0,l.pi)({},(0,E.pq)(e,E.n7)),{className:p,target:a,isBeakVisible:!1,directionalHint:r,directionalHintFixed:i,finalHeight:m,minPagePadding:24,onDismiss:d,gapSpace:o}),g);return c.createElement(c.Fragment,null,u?c.createElement(We,(0,l.pi)({},f,{focusTrapProps:{forceFocusInsideTrap:!1,isClickableOutsideFocusTrap:!0,disableFirstFocus:!s}}),h):c.createElement(Ae.U,(0,l.pi)({},f),h))},Ga=(0,D.y)(),Ua=function(e){function t(t){var o=e.call(this,t)||this;return o._expandedElem=c.createRef(),o._onKeyDown=function(e){e.which===rt.m.escape&&o.props.onLeave&&o.props.onLeave(e)},o._onRenderCompactCard=function(){return c.createElement("div",{className:o._classNames.compactCard},o.props.onRenderCompactCard(o.props.renderData))},o._onRenderExpandedCard=function(){return!o.state.firstFrameRendered&&o._async.requestAnimationFrame((function(){o.setState({firstFrameRendered:!0})})),c.createElement("div",{className:o._classNames.expandedCard,ref:o._expandedElem},c.createElement("div",{className:o._classNames.expandedCardScroll},o.props.onRenderExpandedCard&&o.props.onRenderExpandedCard(o.props.renderData)))},o._checkNeedsScroll=function(){var e=o.props.expandedCardHeight;o._async.requestAnimationFrame((function(){o._expandedElem.current&&o._expandedElem.current.scrollHeight>=e&&o.setState({needsScroll:!0})}))},o._async=new bo.e(o),(0,P.l)(o),o.state={firstFrameRendered:!1,needsScroll:!1},o}return(0,l.ZT)(t,e),t.prototype.componentDidMount=function(){this._checkNeedsScroll()},t.prototype.componentWillUnmount=function(){this._async.dispose()},t.prototype.render=function(){var e=this.props,t=e.styles,o=e.compactCardHeight,n=e.expandedCardHeight,r=e.theme,i=e.mode,a=e.className,s=this.state,u=s.needsScroll,d=s.firstFrameRendered,p=o+n;this._classNames=Ga(t,{theme:r,compactCardHeight:o,className:a,expandedCardHeight:n,needsScroll:u,expandedCardFirstFrameRendered:i===Va.expanded&&d});var m=c.createElement("div",{onMouseEnter:this.props.onEnter,onMouseLeave:this.props.onLeave,onKeyDown:this._onKeyDown},this._onRenderCompactCard(),this._onRenderExpandedCard());return c.createElement(qa,(0,l.pi)({},this.props,{content:m,finalHeight:p,className:this._classNames.root}))},t.defaultProps={compactCardHeight:156,expandedCardHeight:384,directionalHintFixed:!0},t}(c.Component),ja=(0,I.z)(Ua,(function(e){var t,o=e.theme,n=e.needsScroll,r=e.expandedCardFirstFrameRendered,i=e.compactCardHeight,a=e.expandedCardHeight,s=e.className,l=o.palette,c=(0,u.Cn)(Ka,o);return{root:[c.root,{width:320,pointerEvents:"none",selectors:(t={},t[u.qJ]={border:"1px solid WindowText"},t)},s],compactCard:[c.compactCard,{pointerEvents:"auto",position:"relative",height:i}],expandedCard:[c.expandedCard,{height:1,overflowY:"hidden",pointerEvents:"auto",transition:"height 0.467s cubic-bezier(0.5, 0, 0, 1)",selectors:{":before":{content:'""',position:"relative",display:"block",top:0,left:24,width:272,height:1,backgroundColor:l.neutralLighter}}},r&&{height:a}],expandedCardScroll:[c.expandedCardScroll,n&&{height:"100%",boxSizing:"border-box",overflowY:"auto"}]}}),void 0,{scope:"ExpandingCard"}),Ja={root:"ms-PlainCard-root"},Ya=(0,D.y)(),Za=function(e){function t(t){var o=e.call(this,t)||this;return o._onKeyDown=function(e){e.which===rt.m.escape&&o.props.onLeave&&o.props.onLeave(e)},(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.theme,n=e.className;this._classNames=Ya(t,{theme:o,className:n});var r=c.createElement("div",{onMouseEnter:this.props.onEnter,onMouseLeave:this.props.onLeave,onKeyDown:this._onKeyDown},this.props.onRenderPlainCard(this.props.renderData));return c.createElement(qa,(0,l.pi)({},this.props,{content:r,className:this._classNames.root}))},t}(c.Component),Xa=(0,I.z)(Za,(function(e){var t,o=e.theme,n=e.className;return{root:[(0,u.Cn)(Ja,o).root,{pointerEvents:"auto",selectors:(t={},t[u.qJ]={border:"1px solid WindowText"},t)},n]}}),void 0,{scope:"PlainCard"}),Qa=(0,D.y)(),$a=function(e){function t(t){var o=e.call(this,t)||this;return o._hoverCard=c.createRef(),o.dismiss=function(e){o._async.clearTimeout(o._openTimerId),o._async.clearTimeout(o._dismissTimerId),e?o._dismissTimerId=o._async.setTimeout((function(){o._setDismissedState()}),o.props.cardDismissDelay):o._setDismissedState()},o._cardOpen=function(e){o._shouldBlockHoverCard()||"keydown"===e.type&&e.which!==o.props.openHotKey||(o._async.clearTimeout(o._dismissTimerId),"mouseenter"===e.type&&(o._currentMouseTarget=e.currentTarget),o._executeCardOpen(e))},o._executeCardOpen=function(e){o._async.clearTimeout(o._openTimerId),o._openTimerId=o._async.setTimeout((function(){o.setState((function(t){return t.isHoverCardVisible?t:{isHoverCardVisible:!0,mode:Va.compact,openMode:"keydown"===e.type?Ha.hotKey:Ha.hover}}))}),o.props.cardOpenDelay)},o._cardDismiss=function(e,t){if(e){if(!(t instanceof MouseEvent))return;if("keydown"===t.type&&t.which!==rt.m.escape)return;o.props.sticky||o._currentMouseTarget!==t.currentTarget&&t.which!==rt.m.escape||o.dismiss(!0)}else{if(o.props.sticky&&!(t instanceof MouseEvent)&&t.nativeEvent instanceof MouseEvent&&"mouseleave"===t.type)return;o.dismiss(!0)}},o._setDismissedState=function(){o.setState({isHoverCardVisible:!1,mode:Va.compact,openMode:Ha.hover})},o._instantOpenAsExpanded=function(e){o._async.clearTimeout(o._dismissTimerId),o.setState((function(e){return e.isHoverCardVisible?e:{isHoverCardVisible:!0,mode:Va.expanded}}))},o._setEventListeners=function(){var e=o.props,t=e.trapFocus,n=e.instantOpenOnClick,r=e.eventListenerTarget,i=r?o._getTargetElement(r):o._getTargetElement(o.props.target),a=o._nativeDismissEvent;i&&(o._events.on(i,"mouseenter",o._cardOpen),o._events.on(i,"mouseleave",a),t?o._events.on(i,"keydown",o._cardOpen):(o._events.on(i,"focus",o._cardOpen),o._events.on(i,"blur",a)),n?o._events.on(i,"click",o._instantOpenAsExpanded):(o._events.on(i,"mousedown",a),o._events.on(i,"keydown",a)))},(0,P.l)(o),o._async=new bo.e(o),o._events=new at.r(o),o._nativeDismissEvent=o._cardDismiss.bind(o,!0),o._childDismissEvent=o._cardDismiss.bind(o,!1),o.state={isHoverCardVisible:!1,mode:Va.compact,openMode:Ha.hover},o}return(0,l.ZT)(t,e),t.prototype.componentDidMount=function(){this._setEventListeners()},t.prototype.componentWillUnmount=function(){this._async.dispose(),this._events.dispose()},t.prototype.componentDidUpdate=function(e,t){var o=this;e.target!==this.props.target&&(this._events.off(),this._setEventListeners()),t.isHoverCardVisible!==this.state.isHoverCardVisible&&(this.state.isHoverCardVisible?(this._async.setTimeout((function(){o.setState({mode:Va.expanded},(function(){o.props.onCardExpand&&o.props.onCardExpand()}))}),this.props.expandedCardOpenDelay),this.props.onCardVisible&&this.props.onCardVisible()):(this.setState({mode:Va.compact}),this.props.onCardHide&&this.props.onCardHide()))},t.prototype.render=function(){var e=this.props,t=e.expandingCardProps,o=e.children,n=e.id,r=e.setAriaDescribedBy,i=void 0===r||r,a=e.styles,s=e.theme,u=e.className,d=e.type,p=e.plainCardProps,m=e.trapFocus,h=e.setInitialFocus,g=this.state,f=g.isHoverCardVisible,v=g.mode,b=g.openMode,y=n||(0,dn.z)("hoverCard");this._classNames=Qa(a,{theme:s,className:u});var _=(0,l.pi)((0,l.pi)({},(0,E.pq)(this.props,E.n7)),{id:y,trapFocus:!!m,firstFocus:h||b===Ha.hotKey,targetElement:this._getTargetElement(this.props.target),onEnter:this._cardOpen,onLeave:this._childDismissEvent}),C=(0,l.pi)((0,l.pi)((0,l.pi)({},t),_),{mode:v}),S=(0,l.pi)((0,l.pi)({},p),_);return c.createElement("div",{className:this._classNames.host,ref:this._hoverCard,"aria-describedby":i&&f?y:void 0,"data-is-focusable":!this.props.target},o,f&&(d===Oa.expanding?c.createElement(ja,(0,l.pi)({},C)):c.createElement(Xa,(0,l.pi)({},S))))},t.prototype._getTargetElement=function(e){switch(typeof e){case"string":return(0,nt.M)().querySelector(e);case"object":return e;default:return this._hoverCard.current||void 0}},t.prototype._shouldBlockHoverCard=function(){return!(!this.props.shouldBlockHoverCard||!this.props.shouldBlockHoverCard())},t.defaultProps={cardOpenDelay:500,cardDismissDelay:100,expandedCardOpenDelay:1500,instantOpenOnClick:!1,setInitialFocus:!1,openHotKey:rt.m.c,type:Oa.expanding},t}(c.Component),es=(0,I.z)($a,(function(e){var t=e.className,o=e.theme;return{host:[(0,u.Cn)(Wa,o).host,t]}}),void 0,{scope:"HoverCard"}),ts=o(3874),os=o(6569),ns=o(7840),rs=o(2481),is=o(9759),as=o(6711),ss=o(5325),ls=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.content,o=e.styles,n=e.theme,r=e.disabled,i=e.visible,a=(0,D.y)()(o,{theme:n,disabled:r,visible:i});return c.createElement("div",{className:a.container},c.createElement("span",{className:a.root},t))},t}(c.Component),cs=function(e){return{container:[],root:[{border:"none",boxShadow:"none"}],beak:[],beakCurtain:[],calloutMain:[{backgroundColor:"transparent"}]}},us=function(e){return function(t){return(0,u.ZC)({container:[],root:[{border:"none",boxShadow:"none"}],beak:[],beakCurtain:[],calloutMain:[{backgroundColor:"transparent"}]},{root:[{marginLeft:e.left||e.x,marginTop:e.top||e.y}]})}},ds=(0,I.z)(ls,(function(e){var t,o=e.theme,n=e.disabled,r=e.visible;return{container:[{backgroundColor:o.palette.neutralDark},n&&{opacity:.5,selectors:(t={},t[u.qJ]={color:"GrayText",opacity:1},t)},!r&&{visibility:"hidden"}],root:[o.fonts.medium,{textAlign:"center",paddingLeft:"3px",paddingRight:"3px",backgroundColor:o.palette.neutralDark,color:o.palette.neutralLight,minWidth:"11px",lineHeight:"17px",height:"17px",display:"inline-block"},n&&{color:o.palette.neutralTertiaryAlt}]}}),void 0,{scope:"KeytipContent"}),ps=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,l.ZT)(t,e),t.prototype.render=function(){var e,t=this.props,o=t.keySequences,n=t.offset,r=t.overflowSetSequence,i=this.props.calloutProps;return e=r?(0,ss.eX)((0,ss.a1)(o,r)):(0,ss.eX)(o),n&&(i=(0,l.pi)((0,l.pi)({},i),{coverTarget:!0,directionalHint:K.b.topLeftEdge})),i&&void 0!==i.directionalHint||(i=(0,l.pi)((0,l.pi)({},i),{directionalHint:K.b.bottomCenter})),c.createElement(Ae.U,(0,l.pi)({},i,{isBeakVisible:!1,doNotLayer:!0,minPagePadding:0,styles:n?us(n):cs,preventDismissOnScroll:!0,target:e}),c.createElement(ds,(0,l.pi)({},this.props)))},t}(c.Component),ms=o(9949),hs=o(8128),gs=o(2304);function fs(e){var t=(0,gs.c)(e),o=t.keytipId,n=t.ariaDescribedBy;return function(e){if(e){var t=bs(e,hs.fV)||e,r=bs(e,hs.ms)||t,i=bs(e,hs.A4)||r;vs(t,hs.fV,o),vs(r,hs.ms,o),vs(i,"aria-describedby",n,!0)}}}function vs(e,t,o,n){if(void 0===n&&(n=!1),e&&o){var r=o;if(n){var i=e.getAttribute(t);i&&-1===i.indexOf(o)&&(r=i+" "+o)}e.setAttribute(t,r)}}function bs(e,t){return e.querySelector("["+t+"]")}var ys=function(e){return{root:[{zIndex:u.bR.KeytipLayer}]}},_s=o(6479),Cs=function(){function e(){this.nodeMap={},this.root={id:hs.nK,children:[],parent:"",keySequences:[]},this.nodeMap[this.root.id]=this.root}return e.prototype.addNode=function(e,t,o){var n=this._getFullSequence(e),r=(0,ss.aB)(n);n.pop();var i=this._getParentID(n),a=this._createNode(r,i,[],e,o);this.nodeMap[t]=a;var s=this.getNode(i);s&&s.children.push(r)},e.prototype.updateNode=function(e,t){var o=this._getFullSequence(e),n=(0,ss.aB)(o);o.pop();var r=this._getParentID(o),i=this.nodeMap[t],a=i.parent,s=this.getNode(a),l=this.getNode(r);if(i){if(s&&a!==r){var c=s.children.indexOf(i.id);c>=0&&s.children.splice(c,1)}if(l&&i.id!==n){var u=l.children.indexOf(i.id);u>=0?l.children[u]=n:l.children.push(n)}i.id=n,i.keySequences=e.keySequences,i.overflowSetSequence=e.overflowSetSequence,i.onExecute=e.onExecute,i.onReturn=e.onReturn,i.hasDynamicChildren=e.hasDynamicChildren,i.hasMenu=e.hasMenu,i.parent=r,i.disabled=e.disabled}},e.prototype.removeNode=function(e,t){var o=this._getFullSequence(e),n=(0,ss.aB)(o);o.pop();var r=this._getParentID(o),i=this.getNode(r);i&&i.children.splice(i.children.indexOf(n),1),this.nodeMap[t]&&delete this.nodeMap[t]},e.prototype.getExactMatchedNode=function(e,t){var o=this,n=this.getNodes(t.children);return(0,Co.sE)(n,(function(t){return o._getNodeSequence(t)===e&&!t.disabled}))},e.prototype.getPartiallyMatchedNodes=function(e,t){var o=this;return this.getNodes(t.children).filter((function(t){return 0===o._getNodeSequence(t).indexOf(e)&&!t.disabled}))},e.prototype.getChildren=function(e){var t=this;if(!e&&!(e=this.currentKeytip))return[];var o=e.children;return Object.keys(this.nodeMap).reduce((function(e,n){return o.indexOf(t.nodeMap[n].id)>=0&&!t.nodeMap[n].persisted&&e.push(t.nodeMap[n].id),e}),[])},e.prototype.getNodes=function(e){var t=this;return Object.keys(this.nodeMap).reduce((function(o,n){return e.indexOf(t.nodeMap[n].id)>=0&&o.push(t.nodeMap[n]),o}),[])},e.prototype.getNode=function(e){var t=(0,Xt.VO)(this.nodeMap);return(0,Co.sE)(t,(function(t){return t.id===e}))},e.prototype.isCurrentKeytipParent=function(e){if(this.currentKeytip){var t=(0,l.pr)(e.keySequences);e.overflowSetSequence&&(t=(0,ss.a1)(t,e.overflowSetSequence)),t.pop();var o=0===t.length?this.root.id:(0,ss.aB)(t),n=!1;return this.currentKeytip.overflowSetSequence&&(n=(0,ss.aB)(this.currentKeytip.keySequences)===o),n||this.currentKeytip.id===o}return!1},e.prototype._getParentID=function(e){return 0===e.length?this.root.id:(0,ss.aB)(e)},e.prototype._getFullSequence=function(e){var t=(0,l.pr)(e.keySequences);return e.overflowSetSequence&&(t=(0,ss.a1)(t,e.overflowSetSequence)),t},e.prototype._getNodeSequence=function(e){var t=(0,l.pr)(e.keySequences);return e.overflowSetSequence&&(t=(0,ss.a1)(t,e.overflowSetSequence)),t[t.length-1]},e.prototype._createNode=function(e,t,o,n,r){var i=this,a=n.keySequences,s=n.hasDynamicChildren,l=n.overflowSetSequence,c=n.hasMenu,u=n.onExecute,d=n.onReturn,p=n.disabled,m={id:e,keySequences:a,overflowSetSequence:l,parent:t,children:o,onExecute:u,onReturn:d,hasDynamicChildren:s,hasMenu:c,disabled:p,persisted:r};return m.children=Object.keys(this.nodeMap).reduce((function(t,o){return i.nodeMap[o].parent===e&&t.push(i.nodeMap[o].id),t}),[]),m},e}();function Ss(e,t){if(e.key!==t.key)return!1;var o=e.modifierKeys,n=t.modifierKeys;if(!o&&n||o&&!n)return!1;if(o&&n){if(o.length!==n.length)return!1;o=o.sort(),n=n.sort();for(var r=0;r0){var s=a.filter((function(e){return!e.persisted})).map((function(e){return e.id}));this.showKeytips(s),this._currentSequence=o}}},t.prototype.showKeytips=function(e){for(var t=0,o=this._keytipManager.getKeytips();t=0?n.visible=!0:n.visible=!1}this._setKeytips()},t.prototype._enterKeytipMode=function(){this._keytipManager.shouldEnterKeytipMode&&(this._keytipManager.delayUpdatingKeytipChange&&(this._buildTree(),this._setKeytips()),this._keytipTree.currentKeytip=this._keytipTree.root,this.showKeytips(this._keytipTree.getChildren()),this._setInKeytipMode(!0),this.props.onEnterKeytipMode&&this.props.onEnterKeytipMode())},t.prototype._buildTree=function(){this._keytipTree=new Cs;for(var e=0,t=Object.keys(this._keytipManager.keytips);e=0&&(this._delayedKeytipQueue.splice(o,1),this._delayedQueueTimeout&&this._async.clearTimeout(this._delayedQueueTimeout),this._delayedQueueTimeout=this._async.setTimeout((function(){t._delayedKeytipQueue.length&&(t.showKeytips(t._delayedKeytipQueue),t._delayedKeytipQueue=[])}),300))},t.prototype._getKtpExecuteTarget=function(e){return(0,nt.M)().querySelector((0,ss._l)(e.id))},t.prototype._getKtpTarget=function(e){return(0,nt.M)().querySelector((0,ss.eX)(e.keySequences))},t.prototype._isCurrentKeytipAnAlias=function(e){var t=this._keytipTree.currentKeytip;return!(!t||!t.overflowSetSequence&&!t.persisted||!(0,Co.cO)(e.keySequences,t.keySequences))},t.defaultProps={keytipStartSequences:[ks],keytipExitSequences:[ws],keytipReturnSequences:[Is],content:""},t}(c.Component),Es=(0,I.z)(Ts,(function(e){return{innerContent:[{position:"absolute",width:0,height:0,margin:0,padding:0,border:0,overflow:"hidden",visibility:"hidden"}]}}),void 0,{scope:"KeytipLayer"});function Ps(e){for(var t={},o=0,n=e.keytips;o0&&this._computeScrollVelocity(e)},e.prototype._computeScrollVelocity=function(e){if(this._scrollRect){var t,o;"clientX"in e?(t=e.clientX,o=e.clientY):(t=e.touches[0].clientX,o=e.touches[0].clientY);var n,r,i,a=this._scrollRect.top,s=this._scrollRect.left,l=a+this._scrollRect.height-Os,c=s+this._scrollRect.width-Os;ol?(r=o,n=a,i=l,this._isVerticalScroll=!0):(r=t,n=s,i=c,this._isVerticalScroll=!1),this._scrollVelocity=ri?Math.min(15,(r-i)/Os*15):0,this._scrollVelocity?this._startScroll():this._stopScroll()}},e.prototype._startScroll=function(){this._timeoutId||this._incrementScroll()},e.prototype._incrementScroll=function(){this._scrollableParent&&(this._isVerticalScroll?this._scrollableParent.scrollTop+=Math.round(this._scrollVelocity):this._scrollableParent.scrollLeft+=Math.round(this._scrollVelocity)),this._timeoutId=setTimeout(this._incrementScroll,16)},e.prototype._stopScroll=function(){this._timeoutId&&(clearTimeout(this._timeoutId),delete this._timeoutId)},e}(),Vs=o(8633),Ks=(0,D.y)(),qs=function(e){function t(t){var o=e.call(this,t)||this;return o._root=c.createRef(),o._onMouseDown=function(e){var t=o.props,n=t.isEnabled,r=t.onShouldStartSelection;o._isMouseEventOnScrollbar(e)||o._isInSelectionToggle(e)||o._isTouch||!n||o._isDragStartInSelection(e)||r&&!r(e)||o._scrollableSurface&&0===e.button&&o._root.current&&(o._selectedIndicies={},o._preservedIndicies=void 0,o._events.on(window,"mousemove",o._onAsyncMouseMove,!0),o._events.on(o._scrollableParent,"scroll",o._onAsyncMouseMove),o._events.on(window,"click",o._onMouseUp,!0),o._autoScroll=new Ws(o._root.current),o._scrollTop=o._scrollableSurface.scrollTop,o._scrollLeft=o._scrollableSurface.scrollLeft,o._rootRect=o._root.current.getBoundingClientRect(),o._onMouseMove(e))},o._onTouchStart=function(e){o._isTouch=!0,o._async.setTimeout((function(){o._isTouch=!1}),0)},o._onPointerDown=function(e){"touch"===e.pointerType&&(o._isTouch=!0,o._async.setTimeout((function(){o._isTouch=!1}),0))},(0,P.l)(o),o._async=new bo.e(o),o._events=new at.r(o),o.state={dragRect:void 0},o}return(0,l.ZT)(t,e),t.prototype.componentDidMount=function(){this._scrollableParent=(0,yo.zj)(this._root.current),this._scrollableSurface=this._scrollableParent===window?document.body:this._scrollableParent;var e=this.props.isDraggingConstrainedToRoot?this._root.current:this._scrollableSurface;this._events.on(e,"mousedown",this._onMouseDown),this._events.on(e,"touchstart",this._onTouchStart,!0),this._events.on(e,"pointerdown",this._onPointerDown,!0)},t.prototype.componentWillUnmount=function(){this._autoScroll&&this._autoScroll.dispose(),delete this._scrollableParent,delete this._scrollableSurface,this._events.dispose(),this._async.dispose()},t.prototype.render=function(){var e=this.props,t=e.rootProps,o=e.children,n=e.theme,r=e.className,i=e.styles,a=this.state.dragRect,s=Ks(i,{theme:n,className:r});return c.createElement("div",(0,l.pi)({},t,{className:s.root,ref:this._root}),o,a&&c.createElement("div",{className:s.dragMask}),a&&c.createElement("div",{className:s.box,style:a},c.createElement("div",{className:s.boxFill})))},t.prototype._isMouseEventOnScrollbar=function(e){var t=e.target,o=t.offsetWidth-t.clientWidth;if(o){var n=t.getBoundingClientRect();if((0,T.zg)(this.props.theme)){if(e.clientXn.left+t.clientWidth)return!0;if(e.clientY>n.top+t.clientHeight)return!0}return!1},t.prototype._getRootRect=function(){return{left:this._rootRect.left+(this._scrollLeft-this._scrollableSurface.scrollLeft),top:this._rootRect.top+(this._scrollTop-this._scrollableSurface.scrollTop),width:this._rootRect.width,height:this._rootRect.height}},t.prototype._onAsyncMouseMove=function(e){var t=this;this._async.requestAnimationFrame((function(){t._onMouseMove(e)})),e.stopPropagation(),e.preventDefault()},t.prototype._onMouseMove=function(e){if(this._autoScroll){void 0!==e.clientX&&(this._lastMouseEvent=e);var t=this._getRootRect(),o={left:e.clientX-t.left,top:e.clientY-t.top};if(this._dragOrigin||(this._dragOrigin=o),void 0!==e.buttons&&0===e.buttons)this._onMouseUp(e);else if(this.state.dragRect||(0,Vs.Iw)(this._dragOrigin,o)>5){if(!this.state.dragRect){var n=this.props.selection;e.shiftKey||n.setAllSelected(!1),this._preservedIndicies=n&&n.getSelectedIndices&&n.getSelectedIndices()}var r=this.props.isDraggingConstrainedToRoot?{left:Math.max(0,Math.min(t.width,this._lastMouseEvent.clientX-t.left)),top:Math.max(0,Math.min(t.height,this._lastMouseEvent.clientY-t.top))}:{left:this._lastMouseEvent.clientX-t.left,top:this._lastMouseEvent.clientY-t.top},i={left:Math.min(this._dragOrigin.left||0,r.left),top:Math.min(this._dragOrigin.top||0,r.top),width:Math.abs(r.left-(this._dragOrigin.left||0)),height:Math.abs(r.top-(this._dragOrigin.top||0))};this._evaluateSelection(i,t),this.setState({dragRect:i})}return!1}},t.prototype._onMouseUp=function(e){this._events.off(window),this._events.off(this._scrollableParent,"scroll"),this._autoScroll&&this._autoScroll.dispose(),this._autoScroll=this._dragOrigin=this._lastMouseEvent=void 0,this._selectedIndicies=this._itemRectCache=void 0,this.state.dragRect&&(this.setState({dragRect:void 0}),e.preventDefault(),e.stopPropagation())},t.prototype._isPointInRectangle=function(e,t){return!!t.top&&e.topt.top&&!!t.left&&e.leftt.left},t.prototype._isDragStartInSelection=function(e){var t=this.props.selection;if(!this._root.current||t&&0===t.getSelectedCount())return!1;for(var o=this._root.current.querySelectorAll("[data-selection-index]"),n=0;n0&&s.height>0&&(this._itemRectCache[a]=s),s.tope.top&&s.lefte.left?this._selectedIndicies[a]=!0:delete this._selectedIndicies[a]}var l=this._allSelectedIndices||{};for(var a in this._allSelectedIndices={},this._selectedIndicies)this._selectedIndicies.hasOwnProperty(a)&&(this._allSelectedIndices[a]=!0);if(this._preservedIndicies)for(var c=0,u=this._preservedIndicies;c0&&(p=e.collapseAriaLabel||e.expandAriaLabel?e.isExpanded?e.collapseAriaLabel:e.expandAriaLabel:i?e.name+" "+i:e.name),c.createElement("div",(0,l.pi)({},n,{key:e.key||t,className:d.compositeLink}),e.links&&e.links.length>0?c.createElement("button",{className:d.chevronButton,onClick:this._onLinkExpandClicked.bind(this,e),"aria-label":p,"aria-expanded":e.isExpanded?"true":"false"},c.createElement(W.J,{className:d.chevronIcon,iconName:"ChevronDown"})):null,this._renderNavLink(e,t,o))},t.prototype._renderLink=function(e,t,o){var n=this.props,r=n.styles,i=n.groups,a=n.theme,s=cl(r,{theme:a,groups:i});return c.createElement("li",{key:e.key||t,role:"listitem",className:s.navItem},this._renderCompositeLink(e,t,o),e.isExpanded?this._renderLinks(e.links,++o):null)},t.prototype._renderLinks=function(e,t){var o=this;if(!e||!e.length)return null;var n=e.map((function(e,n){return o._renderLink(e,n,t)})),r=this.props,i=r.styles,a=r.groups,s=r.theme,l=cl(i,{theme:s,groups:a});return c.createElement("ul",{role:"list",className:l.navItems},n)},t.prototype._onGroupHeaderClicked=function(e,t){e.onHeaderClick&&e.onHeaderClick(t,this._isGroupExpanded(e)),this._toggleCollapsed(e),t&&(t.preventDefault(),t.stopPropagation())},t.prototype._onLinkExpandClicked=function(e,t){var o=this.props.onLinkExpandClick;o&&o(t,e),t.defaultPrevented||(e.isExpanded=!e.isExpanded,this.setState({isLinkExpandStateChanged:!0})),t.preventDefault(),t.stopPropagation()},t.prototype._preventBounce=function(e,t){!e.url&&e.forceAnchor&&t.preventDefault()},t.prototype._onNavAnchorLinkClicked=function(e,t){this._preventBounce(e,t),this.props.onLinkClick&&this.props.onLinkClick(t,e),!e.url&&e.links&&e.links.length>0&&this._onLinkExpandClicked(e,t),this.setState({selectedKey:e.key})},t.prototype._onNavButtonLinkClicked=function(e,t){this._preventBounce(e,t),e.onClick&&e.onClick(t,e),!e.url&&e.links&&e.links.length>0&&this._onLinkExpandClicked(e,t),this.setState({selectedKey:e.key})},t.prototype._isLinkSelected=function(e){if(void 0!==this.props.selectedKey)return e.key===this.props.selectedKey;if(void 0!==this.state.selectedKey)return e.key===this.state.selectedKey;if(void 0===(0,So.J)()||!e.url)return!1;(el=el||document.createElement("a")).href=e.url||"";var t=el.href;return location.href===t||location.protocol+"//"+location.host+location.pathname===t||!!location.hash&&(location.hash===e.url||(el.href=location.hash.substring(1),el.href===t))},t.prototype._isGroupExpanded=function(e){return e.name&&this.state.isGroupCollapsed.hasOwnProperty(e.name)?!this.state.isGroupCollapsed[e.name]:void 0===e.collapseByDefault||!e.collapseByDefault},t.prototype._toggleCollapsed=function(e){var t;if(e.name){var o=(0,l.pi)((0,l.pi)({},this.state.isGroupCollapsed),((t={})[e.name]=this._isGroupExpanded(e),t));this.setState({isGroupCollapsed:o})}},t.defaultProps={groups:null},t}(c.Component),dl=(0,I.z)(ul,(function(e){var t,o=e.className,n=e.theme,r=e.isOnTop,i=e.isExpanded,a=e.isGroup,s=e.isLink,l=e.isSelected,c=e.isDisabled,d=e.isButtonEntry,p=e.navHeight,m=void 0===p?44:p,h=e.position,g=e.leftPadding,f=void 0===g?20:g,v=e.leftPaddingExpanded,b=void 0===v?28:v,y=e.rightPadding,_=void 0===y?20:y,C=n.palette,S=n.semanticColors,x=n.fonts,k=(0,u.Cn)(al,n);return{root:[k.root,o,x.medium,{overflowY:"auto",userSelect:"none",WebkitOverflowScrolling:"touch"},r&&[{position:"absolute"},u.k4.slideRightIn40]],linkText:[k.linkText,{margin:"0 4px",overflow:"hidden",verticalAlign:"middle",textAlign:"left",textOverflow:"ellipsis"}],compositeLink:[k.compositeLink,{display:"block",position:"relative",color:S.bodyText},i&&"is-expanded",l&&"is-selected",c&&"is-disabled",c&&{color:S.disabledText}],link:[k.link,(0,u.GL)(n),{display:"block",position:"relative",height:m,width:"100%",lineHeight:m+"px",textDecoration:"none",cursor:"pointer",textOverflow:"ellipsis",whiteSpace:"nowrap",overflow:"hidden",paddingLeft:f,paddingRight:_,color:S.bodyText,selectors:(t={},t[u.qJ]={border:0,selectors:{":focus":{border:"1px solid WindowText"}}},t)},!c&&{selectors:{".ms-Nav-compositeLink:hover &":{backgroundColor:S.bodyBackgroundHovered}}},l&&{color:S.bodyTextChecked,fontWeight:u.lq.semibold,backgroundColor:S.bodyBackgroundChecked,selectors:{"&:after":{borderLeft:"2px solid "+C.themePrimary,content:'""',position:"absolute",top:0,right:0,bottom:0,left:0,pointerEvents:"none"}}},c&&{color:S.disabledText},d&&{color:C.themePrimary}],chevronButton:[k.chevronButton,(0,u.GL)(n),x.small,{display:"block",textAlign:"left",lineHeight:m+"px",margin:"5px 0",padding:"0px, "+_+"px, 0px, "+b+"px",border:"none",textOverflow:"ellipsis",whiteSpace:"nowrap",overflow:"hidden",cursor:"pointer",color:S.bodyText,backgroundColor:"transparent",selectors:{"&:visited":{color:S.bodyText}}},a&&{fontSize:x.large.fontSize,width:"100%",height:m,borderBottom:"1px solid "+S.bodyDivider},s&&{display:"block",width:b-2,height:m-2,position:"absolute",top:"1px",left:h+"px",zIndex:u.bR.Nav,padding:0,margin:0},l&&{color:C.themePrimary,backgroundColor:C.neutralLighterAlt,selectors:{"&:after":{borderLeft:"2px solid "+C.themePrimary,content:'""',position:"absolute",top:0,right:0,bottom:0,left:0,pointerEvents:"none"}}}],chevronIcon:[k.chevronIcon,{position:"absolute",left:"8px",height:m,lineHeight:m+"px",fontSize:x.small.fontSize,transition:"transform .1s linear"},i&&{transform:"rotate(-180deg)"},s&&{top:0}],navItem:[k.navItem,{padding:0}],navItems:[k.navItems,{listStyleType:"none",padding:0,margin:0}],group:[k.group,i&&"is-expanded"],groupContent:[k.groupContent,{display:"none",marginBottom:"40px"},u.k4.slideDownIn20,i&&{display:"block"}]}}),void 0,{scope:"Nav"}),pl=o(6178),ml=o(9755),hl=o(5357),gl=o(2758),fl=o(7047),vl=o(867),bl=o(8337),yl=o(4192),_l=o(4800),Cl=o(9862),Sl=o(6920),xl=o(8976),kl=o(7115),wl=o(9318),Il=o(4885),Dl=o(2535),Tl=o(9378),El=o(2657),Pl={root:"ms-TagItem",text:"ms-TagItem-text",close:"ms-TagItem-close",isSelected:"is-selected"},Ml=(0,D.y)(),Rl=function(e){var t=e.theme,o=e.styles,n=e.selected,r=e.disabled,i=e.enableTagFocusInDisabledPicker,a=e.children,s=e.className,l=e.index,u=e.onRemoveItem,d=e.removeButtonAriaLabel,p=e.title,m=void 0===p?"string"==typeof e.children?e.children:e.item.name:p,h=Ml(o,{theme:t,className:s,selected:n,disabled:r});return c.createElement("div",{className:h.root,role:"listitem",key:l,"data-selection-index":l,"data-is-focusable":(i||!r)&&!0},c.createElement("span",{className:h.text,"aria-label":m,title:m},a),c.createElement(V.h,{onClick:u,disabled:r,iconProps:{iconName:"Cancel",styles:{root:{fontSize:"12px"}}},className:h.close,ariaLabel:d}))},Nl=(0,I.z)(Rl,(function(e){var t,o,n,r,i=e.className,a=e.theme,s=e.selected,l=e.disabled,c=a.palette,d=a.effects,p=a.fonts,m=a.semanticColors,h=(0,u.Cn)(Pl,a);return{root:[h.root,p.medium,(0,u.GL)(a),{boxSizing:"content-box",flexShrink:"1",margin:2,height:26,lineHeight:26,cursor:"default",userSelect:"none",display:"flex",flexWrap:"nowrap",maxWidth:300,minWidth:0,borderRadius:d.roundedCorner2,color:m.inputText,background:!s||l?c.neutralLighter:c.themePrimary,selectors:(t={":hover":[!l&&!s&&{color:c.neutralDark,background:c.neutralLight,selectors:{".ms-TagItem-close":{color:c.neutralPrimary}}},l&&{background:c.neutralLighter},s&&!l&&{background:c.themePrimary}]},t[u.qJ]={border:"1px solid "+(s?"WindowFrame":"WindowText")},t)},l&&{selectors:(o={},o[u.qJ]={borderColor:"GrayText"},o)},s&&!l&&[h.isSelected,{color:c.white}],i],text:[h.text,{overflow:"hidden",textOverflow:"ellipsis",whiteSpace:"nowrap",minWidth:30,margin:"0 8px"},l&&{selectors:(n={},n[u.qJ]={color:"GrayText"},n)}],close:[h.close,{color:c.neutralSecondary,width:30,height:"100%",flex:"0 0 auto",borderRadius:(0,T.zg)(a)?d.roundedCorner2+" 0 0 "+d.roundedCorner2:"0 "+d.roundedCorner2+" "+d.roundedCorner2+" 0",selectors:{":hover":{background:c.neutralQuaternaryAlt,color:c.neutralPrimary},":active":{color:c.white,backgroundColor:c.themeDark}}},s&&{color:c.white,selectors:{":hover":{color:c.white,background:c.themeDark}}},l&&{selectors:(r={},r["."+El.n.msButtonIcon]={color:c.neutralSecondary},r)}]}}),void 0,{scope:"TagItem"}),Bl={suggestionTextOverflow:"ms-TagItem-TextOverflow"},Fl=(0,D.y)(),Ll=function(e){var t=e.styles,o=e.theme,n=e.children,r=Fl(t,{theme:o});return c.createElement("div",{className:r.suggestionTextOverflow}," ",n," ")},Al=(0,I.z)(Ll,(function(e){var t=e.className,o=e.theme;return{suggestionTextOverflow:[(0,u.Cn)(Bl,o).suggestionTextOverflow,{overflow:"hidden",textOverflow:"ellipsis",maxWidth:"60vw",padding:"6px 12px 7px",whiteSpace:"nowrap"},t]}}),void 0,{scope:"TagItemSuggestion"}),zl=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.defaultProps={onRenderItem:function(e){return c.createElement(Nl,(0,l.pi)({},e),e.item.name)},onRenderSuggestionsItem:function(e){return c.createElement(Al,null,e.name)}},t}(xl.d),Hl=(0,I.z)(zl,Tl.W,void 0,{scope:"TagPicker"}),Ol=o(6548);function Wl(e,t){void 0===t&&(t=null);var o=c.useRef({ref:Object.assign((function(e){o.ref.current!==e&&(o.cleanup&&(o.cleanup(),o.cleanup=void 0),o.ref.current=e,null!==e&&(o.cleanup=o.callback(e)))}),{current:t}),callback:e}).current;return o.callback=e,o.ref}var Vl=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),(0,Vr.b)("PivotItem",t,{linkText:"headerText"}),o}return(0,l.ZT)(t,e),t.prototype.render=function(){return c.createElement("div",(0,l.pi)({},(0,E.pq)(this.props,E.n7)),this.props.children)},t}(c.Component),Kl=(0,D.y)(),ql=function(e,t){var o={links:[],keyToIndexMapping:{},keyToTabIdMapping:{}};return c.Children.forEach(c.Children.toArray(e.children),(function(n,r){if(Gl(n)){var i=n.props,a=i.linkText,s=(0,l._T)(i,["linkText"]),c=n.props.itemKey||r.toString();o.links.push((0,l.pi)((0,l.pi)({headerText:a},s),{itemKey:c})),o.keyToIndexMapping[c]=r,o.keyToTabIdMapping[c]=function(e,t,o,n){return e.getTabId?e.getTabId(o,n):t+"-Tab"+n}(e,t,c,r)}else n&&(0,be.Z)("The children of a Pivot component must be of type PivotItem to be rendered.")})),o},Gl=function(e){var t,o;return(null===(o=null===(t=e)||void 0===t?void 0:t.type)||void 0===o?void 0:o.name)===Vl.name},Ul=c.forwardRef((function(e,t){var o,n=c.useRef(null),r=c.useRef(null),i=(0,Fr.M)("Pivot"),a=(0,Ol.G)(e.selectedKey,e.defaultSelectedKey),s=a[0],u=a[1],d=e.componentRef,p=e.theme,m=e.linkSize,h=e.linkFormat,g=e.overflowBehavior,f=(0,E.pq)(e,E.n7),v=ql(e,i);c.useImperativeHandle(d,(function(){return{focus:function(){var e;null===(e=n.current)||void 0===e||e.focus()}}}));var b=function(e){if(!e)return null;var t=e.itemCount,n=e.itemIcon,r=e.headerText;return c.createElement("span",{className:o.linkContent},void 0!==n&&c.createElement("span",{className:o.icon},c.createElement(W.J,{iconName:n})),void 0!==r&&c.createElement("span",{className:o.text}," ",e.headerText),void 0!==t&&c.createElement("span",{className:o.count}," (",t,")"))},y=function(e,t,n,r){var i,a=t.itemKey,s=t.headerButtonProps,u=t.onRenderItemLink,d=e.keyToTabIdMapping[a],p=n===a;i=u?u(t,b):b(t);var m=t.headerText||"";return m+=t.itemCount?" ("+t.itemCount+")":"",m+=t.itemIcon?" xx":"",c.createElement(we.M,(0,l.pi)({},s,{id:d,key:a,className:(0,pt.i)(r,p&&o.linkIsSelected),onClick:function(e){return _(a,e)},onKeyDown:function(e){return C(a,e)},"aria-label":t.ariaLabel,role:"tab","aria-selected":p,name:t.headerText,keytipProps:t.keytipProps,"data-content":m}),i)},_=function(e,t){t.preventDefault(),S(e,t)},C=function(e,t){t.which===rt.m.enter&&(t.preventDefault(),S(e))},S=function(t,o){var n;if(u(t),v=ql(e,i),e.onLinkClick&&v.keyToIndexMapping[t]>=0){var a=v.keyToIndexMapping[t],s=c.Children.toArray(e.children)[a];Gl(s)&&e.onLinkClick(s,o)}null===(n=r.current)||void 0===n||n.dismissMenu()};o=Kl(e.styles,{theme:p,linkSize:m,linkFormat:h});var x,k=null===(x=s)||void 0!==x&&void 0!==v.keyToIndexMapping[x]?s:v.links.length?v.links[0].itemKey:void 0,w=k?v.keyToIndexMapping[k]:0,I=v.links.map((function(e){return y(v,e,k,o.link)})),D=c.useMemo((function(){return{items:[],alignTargetEdge:!0,directionalHint:K.b.bottomRightEdge}}),[]),P=function(e){var t=e.onOverflowItemsChanged,o=e.rtl,n=e.pinnedIndex,r=c.useRef(),i=c.useRef(),a=Wl((function(e){var t=function(e,t){if("undefined"!=typeof ResizeObserver){var o=new ResizeObserver(t);return Array.isArray(e)?e.forEach((function(e){return o.observe(e)})):o.observe(e),function(){return o.disconnect()}}var n=function(){return t(void 0)},r=(0,So.J)(Array.isArray(e)?e[0]:e);if(!r)return function(){};var i=r.requestAnimationFrame(n);return r.addEventListener("resize",n,!1),function(){r.cancelAnimationFrame(i),r.removeEventListener("resize",n,!1)}}(e,(function(t){i.current=t?t[0].contentRect.width:e.clientWidth,r.current&&r.current()}));return function(){t(),i.current=void 0}})),s=Wl((function(e){return a(e.parentElement),function(){return a(null)}}));return c.useLayoutEffect((function(){var e=a.current,l=s.current;if(e&&l){for(var c=[],u=0;u=0;t--){if(void 0===p[t]){var r=o?e-c[t].offsetLeft:c[t].offsetLeft+c[t].offsetWidth;t+1p[t])return void g(t+1)}g(0)}};var h=c.length,g=function(e){h!==e&&(h=e,t(e,c.map((function(t,o){return{ele:t,isOverflowing:o>=e&&o!==n}}))))},f=void 0;if(void 0!==i.current){var v=(0,So.J)(e);if(v){var b=v.requestAnimationFrame(r.current);f=function(){return v.cancelAnimationFrame(b)}}}return function(){f&&f(),g(c.length),r.current=void 0}}})),{menuButtonRef:s}}({onOverflowItemsChanged:function(e,t){t.forEach((function(e){var t=e.ele,o=e.isOverflowing;return t.dataset.isOverflowing=""+o})),D.items=v.links.slice(e).map((function(t,n){return{key:t.itemKey||""+(e+n),onRender:function(){return y(v,t,k,o.linkInMenu)}}}))},rtl:(0,T.zg)(p),pinnedIndex:w}).menuButtonRef;return c.createElement("div",(0,l.pi)({role:"toolbar"},f,{ref:t}),c.createElement(M.k,{componentRef:n,direction:R.U.horizontal,className:o.root,role:"tablist"},I,"menu"===g&&c.createElement(we.M,{className:(0,pt.i)(o.link,o.overflowMenuButton),elementRef:P,componentRef:r,menuProps:D,menuIconProps:{iconName:"More",style:{color:"inherit"}}})),k&&v.links.map((function(t){return(!0===t.alwaysRender||k===t.itemKey)&&function(t,n){if(e.headersOnly||!t)return null;var r=v.keyToIndexMapping[t],i=v.keyToTabIdMapping[t];return c.createElement("div",{role:"tabpanel",hidden:!n,key:t,"aria-hidden":!n,"aria-labelledby":i,className:o.itemContainer},c.Children.toArray(e.children)[r])}(t.itemKey,k===t.itemKey)})))}));Ul.displayName="Pivot";var jl,Jl,Yl={count:"ms-Pivot-count",icon:"ms-Pivot-icon",linkIsSelected:"is-selected",link:"ms-Pivot-link",linkContent:"ms-Pivot-linkContent",root:"ms-Pivot",rootIsLarge:"ms-Pivot--large",rootIsTabs:"ms-Pivot--tabs",text:"ms-Pivot-text",linkInMenu:"ms-Pivot-linkInMenu",overflowMenuButton:"ms-Pivot-overflowMenuButton"},Zl=function(e,t,o){var n,r,i;void 0===o&&(o=!1);var a=e.linkSize,s=e.linkFormat,c=e.theme,d=c.semanticColors,p=c.fonts,m="large"===a,h="tabs"===s;return[p.medium,{color:d.actionLink,padding:"0 8px",position:"relative",backgroundColor:"transparent",border:0,borderRadius:0,selectors:(n={":hover":{backgroundColor:d.buttonBackgroundHovered,color:d.buttonTextHovered,cursor:"pointer"},":active":{backgroundColor:d.buttonBackgroundPressed,color:d.buttonTextHovered},":focus":{outline:"none"}},n["."+de.G$+" &:focus"]={outline:"1px solid "+d.focusBorder},n["."+de.G$+" &:focus:after"]={content:"attr(data-content)",position:"relative",border:0},n)},!o&&[{display:"inline-block",lineHeight:44,height:44,marginRight:8,textAlign:"center",selectors:{":before":{backgroundColor:"transparent",bottom:0,content:'""',height:2,left:8,position:"absolute",right:8,transition:"left "+u.D1.durationValue2+" "+u.D1.easeFunction2+",\n right "+u.D1.durationValue2+" "+u.D1.easeFunction2},":after":{color:"transparent",content:"attr(data-content)",display:"block",fontWeight:u.lq.bold,height:1,overflow:"hidden",visibility:"hidden"}}},m&&{fontSize:p.large.fontSize},h&&[{marginRight:0,height:44,lineHeight:44,backgroundColor:d.buttonBackground,padding:"0 10px",verticalAlign:"top",selectors:(r={":focus":{outlineOffset:"-1px"}},r["."+de.G$+" &:focus::before"]={height:"auto",background:"transparent",transition:"none"},r["&:hover, &:focus"]={color:d.buttonTextCheckedHovered},r["&:active, &:hover"]={color:d.primaryButtonText,backgroundColor:d.primaryButtonBackground},r["&."+t.linkIsSelected]={backgroundColor:d.primaryButtonBackground,color:d.primaryButtonText,fontWeight:u.lq.regular,selectors:(i={":before":{backgroundColor:"transparent",transition:"none",position:"absolute",top:0,left:0,right:0,bottom:0,content:'""',height:0},":hover":{backgroundColor:d.primaryButtonBackgroundHovered,color:d.primaryButtonText},"&:active":{backgroundColor:d.primaryButtonBackgroundPressed,color:d.primaryButtonText}},i[u.qJ]=(0,l.pi)({fontWeight:u.lq.semibold,color:"HighlightText",background:"Highlight"},(0,u.xM)()),i)},r)}]]]},Xl=(0,I.z)(Ul,(function(e){var t,o,n,r,i=e.className,a=e.linkSize,s=e.linkFormat,c=e.theme,d=c.semanticColors,p=c.fonts,m=(0,u.Cn)(Yl,c),h="large"===a,g="tabs"===s;return{root:[m.root,p.medium,u.Fv,{position:"relative",color:d.link,whiteSpace:"nowrap"},h&&m.rootIsLarge,g&&m.rootIsTabs,i],itemContainer:{selectors:{"&[hidden]":{display:"none"}}},link:(0,l.pr)([m.link],Zl(e,m),[(t={},t["&[data-is-overflowing='true']"]={display:"none"},t)]),overflowMenuButton:[m.overflowMenuButton,(o={visibility:"hidden",position:"absolute",right:0},o["."+m.link+"[data-is-overflowing='true'] ~ &"]={visibility:"visible",position:"relative"},o)],linkInMenu:(0,l.pr)([m.linkInMenu],Zl(e,m,!0),[{textAlign:"left",width:"100%",height:36,lineHeight:36}]),linkIsSelected:[m.link,m.linkIsSelected,{fontWeight:u.lq.semibold,selectors:(n={":before":{backgroundColor:d.inputBackgroundChecked,selectors:(r={},r[u.qJ]={backgroundColor:"Highlight"},r)},":hover::before":{left:0,right:0}},n[u.qJ]={color:"Highlight"},n)}],linkContent:[m.linkContent,{flex:"0 1 100%",selectors:{"& > * ":{marginLeft:4},"& > *:first-child":{marginLeft:0}}}],text:[m.text,{display:"inline-block",verticalAlign:"top"}],count:[m.count,{display:"inline-block",verticalAlign:"top"}],icon:m.icon}}),void 0,{scope:"Pivot"});!function(e){e.links="links",e.tabs="tabs"}(jl||(jl={})),function(e){e.normal="normal",e.large="large"}(Jl||(Jl={}));var Ql=(0,D.y)(),$l=function(e){function t(t){var o=e.call(this,t)||this;o._onRenderProgress=function(e){var t=o.props,n=t.ariaValueText,r=t.barHeight,i=t.className,a=t.description,s=t.label,l=void 0===s?o.props.title:s,u=t.styles,d=t.theme,p="number"==typeof o.props.percentComplete?Math.min(100,Math.max(0,100*o.props.percentComplete)):void 0,m=Ql(u,{theme:d,className:i,barHeight:r,indeterminate:void 0===p}),h={width:void 0!==p?p+"%":void 0,transition:void 0!==p&&p<.01?"none":void 0},g=void 0!==p?0:void 0,f=void 0!==p?100:void 0,v=void 0!==p?Math.floor(p):void 0;return c.createElement("div",{className:m.itemProgress},c.createElement("div",{className:m.progressTrack}),c.createElement("div",{className:m.progressBar,style:h,role:"progressbar","aria-describedby":a?o._descriptionId:void 0,"aria-labelledby":l?o._labelId:void 0,"aria-valuemin":g,"aria-valuemax":f,"aria-valuenow":v,"aria-valuetext":n}))};var n=(0,dn.z)("progress-indicator");return o._labelId=n+"-label",o._descriptionId=n+"-description",o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.barHeight,o=e.className,n=e.label,r=void 0===n?this.props.title:n,i=e.description,a=e.styles,s=e.theme,u=e.progressHidden,d=e.onRenderProgress,p=void 0===d?this._onRenderProgress:d,m="number"==typeof this.props.percentComplete?Math.min(100,Math.max(0,100*this.props.percentComplete)):void 0,h=Ql(a,{theme:s,className:o,barHeight:t,indeterminate:void 0===m});return c.createElement("div",{className:h.root},r?c.createElement("div",{id:this._labelId,className:h.itemName},r):null,u?null:p((0,l.pi)((0,l.pi)({},this.props),{percentComplete:m}),this._onRenderProgress),i?c.createElement("div",{id:this._descriptionId,className:h.itemDescription},i):null)},t.defaultProps={label:"",description:"",width:180},t}(c.Component),ec={root:"ms-ProgressIndicator",itemName:"ms-ProgressIndicator-itemName",itemDescription:"ms-ProgressIndicator-itemDescription",itemProgress:"ms-ProgressIndicator-itemProgress",progressTrack:"ms-ProgressIndicator-progressTrack",progressBar:"ms-ProgressIndicator-progressBar"},tc=(0,d.NF)((function(){return(0,u.F4)({"0%":{left:"-30%"},"100%":{left:"100%"}})})),oc=(0,d.NF)((function(){return(0,u.F4)({"100%":{right:"-30%"},"0%":{right:"100%"}})})),nc=(0,I.z)($l,(function(e){var t,o,n,r=(0,T.zg)(e.theme),i=e.className,a=e.indeterminate,s=e.theme,c=e.barHeight,d=void 0===c?2:c,p=s.palette,m=s.semanticColors,h=s.fonts,g=(0,u.Cn)(ec,s),f=p.neutralLight;return{root:[g.root,h.medium,i],itemName:[g.itemName,u.jq,{color:m.bodyText,paddingTop:4,lineHeight:20}],itemDescription:[g.itemDescription,{color:m.bodySubtext,fontSize:h.small.fontSize,lineHeight:18}],itemProgress:[g.itemProgress,{position:"relative",overflow:"hidden",height:d,padding:"8px 0"}],progressTrack:[g.progressTrack,{position:"absolute",width:"100%",height:d,backgroundColor:f,selectors:(t={},t[u.qJ]={borderBottom:"1px solid WindowText"},t)}],progressBar:[{backgroundColor:p.themePrimary,height:d,position:"absolute",transition:"width .3s ease",width:0,selectors:(o={},o[u.qJ]=(0,l.pi)({backgroundColor:"highlight"},(0,u.xM)()),o)},a?{position:"absolute",minWidth:"33%",background:"linear-gradient(to right, "+f+" 0%, "+p.themePrimary+" 50%, "+f+" 100%)",animation:(r?oc():tc())+" 3s infinite",selectors:(n={},n[u.qJ]={background:"highlight"},n)}:{transition:"width .15s linear"},g.progressBar]}}),void 0,{scope:"ProgressIndicator"}),rc=o(558),ic=o(1405),ac=o(7813),sc={root:"ms-ScrollablePane",contentContainer:"ms-ScrollablePane--contentContainer"},lc={auto:"auto",always:"always"},cc=c.createContext({scrollablePane:void 0}),uc=(0,D.y)(),dc=function(e){function t(t){var o=e.call(this,t)||this;return o._root=c.createRef(),o._stickyAboveRef=c.createRef(),o._stickyBelowRef=c.createRef(),o._contentContainer=c.createRef(),o.subscribe=function(e){o._subscribers.add(e)},o.unsubscribe=function(e){o._subscribers.delete(e)},o.addSticky=function(e){o._stickies.add(e),o.contentContainer&&(e.setDistanceFromTop(o.contentContainer),o.sortSticky(e))},o.removeSticky=function(e){o._stickies.delete(e),o._removeStickyFromContainers(e),o.notifySubscribers()},o.sortSticky=function(e,t){o.stickyAbove&&o.stickyBelow&&(t&&o._removeStickyFromContainers(e),e.canStickyTop&&e.stickyContentTop&&o._addToStickyContainer(e,o.stickyAbove,e.stickyContentTop),e.canStickyBottom&&e.stickyContentBottom&&o._addToStickyContainer(e,o.stickyBelow,e.stickyContentBottom))},o.updateStickyRefHeights=function(){var e=o._stickies,t=0,n=0;e.forEach((function(e){var r=e.state,i=r.isStickyTop,a=r.isStickyBottom;e.nonStickyContent&&(i&&(t+=e.nonStickyContent.offsetHeight),a&&(n+=e.nonStickyContent.offsetHeight),o._checkStickyStatus(e))})),o.setState({stickyTopHeight:t,stickyBottomHeight:n})},o.notifySubscribers=function(){o.contentContainer&&o._subscribers.forEach((function(e){e(o.contentContainer,o.stickyBelow)}))},o.getScrollPosition=function(){return o.contentContainer?o.contentContainer.scrollTop:0},o.syncScrollSticky=function(e){e&&o.contentContainer&&e.syncScroll(o.contentContainer)},o._getScrollablePaneContext=function(){return{scrollablePane:{subscribe:o.subscribe,unsubscribe:o.unsubscribe,addSticky:o.addSticky,removeSticky:o.removeSticky,updateStickyRefHeights:o.updateStickyRefHeights,sortSticky:o.sortSticky,notifySubscribers:o.notifySubscribers,syncScrollSticky:o.syncScrollSticky}}},o._addToStickyContainer=function(e,t,n){if(t.children.length){if(!t.contains(n)){var r=[].slice.call(t.children),i=[];o._stickies.forEach((function(n){(t===o.stickyAbove&&e.canStickyTop||e.canStickyBottom)&&i.push(n)}));for(var a=void 0,s=0,l=i.sort((function(e,t){return(e.state.distanceFromTop||0)-(t.state.distanceFromTop||0)})).filter((function(e){var n=t===o.stickyAbove?e.stickyContentTop:e.stickyContentBottom;return!!n&&r.indexOf(n)>-1}));s=(e.state.distanceFromTop||0)){a=c;break}}var u=null;a&&(u=t===o.stickyAbove?a.stickyContentTop:a.stickyContentBottom),t.insertBefore(n,u)}}else t.appendChild(n)},o._removeStickyFromContainers=function(e){o.stickyAbove&&e.stickyContentTop&&o.stickyAbove.contains(e.stickyContentTop)&&o.stickyAbove.removeChild(e.stickyContentTop),o.stickyBelow&&e.stickyContentBottom&&o.stickyBelow.contains(e.stickyContentBottom)&&o.stickyBelow.removeChild(e.stickyContentBottom)},o._onWindowResize=function(){var e=o._getScrollbarWidth(),t=o._getScrollbarHeight();o.setState({scrollbarWidth:e,scrollbarHeight:t}),o.notifySubscribers()},o._getStickyContainerStyle=function(e,t){return(0,l.pi)((0,l.pi)({height:e},(0,T.zg)(o.props.theme)?{right:"0",left:(o.state.scrollbarWidth||o._getScrollbarWidth()||0)+"px"}:{left:"0",right:(o.state.scrollbarWidth||o._getScrollbarWidth()||0)+"px"}),t?{top:"0"}:{bottom:(o.state.scrollbarHeight||o._getScrollbarHeight()||0)+"px"})},o._onScroll=function(){var e=o.contentContainer;e&&o._stickies.forEach((function(t){t.syncScroll(e)})),o._notifyThrottled()},o._subscribers=new Set,o._stickies=new Set,(0,P.l)(o),o._async=new bo.e(o),o._events=new at.r(o),o.state={stickyTopHeight:0,stickyBottomHeight:0,scrollbarWidth:0,scrollbarHeight:0},o._notifyThrottled=o._async.throttle(o.notifySubscribers,50),o}return(0,l.ZT)(t,e),Object.defineProperty(t.prototype,"root",{get:function(){return this._root.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"stickyAbove",{get:function(){return this._stickyAboveRef.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"stickyBelow",{get:function(){return this._stickyBelowRef.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"contentContainer",{get:function(){return this._contentContainer.current},enumerable:!0,configurable:!0}),t.prototype.componentDidMount=function(){var e=this,t=this.props.initialScrollPosition;this._events.on(this.contentContainer,"scroll",this._onScroll),this._events.on(window,"resize",this._onWindowResize),this.contentContainer&&t&&(this.contentContainer.scrollTop=t),this.setStickiesDistanceFromTop(),this._stickies.forEach((function(t){e.sortSticky(t)})),this.notifySubscribers(),"MutationObserver"in window&&(this._mutationObserver=new MutationObserver((function(t){var o=e._getScrollbarHeight();if(o!==e.state.scrollbarHeight&&e.setState({scrollbarHeight:o}),e.notifySubscribers(),t.some(function(e){return null!==this.stickyAbove&&null!==this.stickyBelow&&(this.stickyAbove.contains(e.target)||this.stickyBelow.contains(e.target))}.bind(e)))e.updateStickyRefHeights();else{var n=[];e._stickies.forEach((function(e){e.root&&e.root.contains(t[0].target)&&n.push(e)})),n.length&&n.forEach((function(e){e.forceUpdate()}))}})),this.root&&this._mutationObserver.observe(this.root,{childList:!0,attributes:!0,subtree:!0,characterData:!0}))},t.prototype.componentWillUnmount=function(){this._events.dispose(),this._async.dispose(),this._mutationObserver&&this._mutationObserver.disconnect()},t.prototype.shouldComponentUpdate=function(e,t){return this.props.children!==e.children||this.props.initialScrollPosition!==e.initialScrollPosition||this.props.className!==e.className||this.state.stickyTopHeight!==t.stickyTopHeight||this.state.stickyBottomHeight!==t.stickyBottomHeight||this.state.scrollbarWidth!==t.scrollbarWidth||this.state.scrollbarHeight!==t.scrollbarHeight},t.prototype.componentDidUpdate=function(e,t){var o=this.props.initialScrollPosition;this.contentContainer&&"number"==typeof o&&e.initialScrollPosition!==o&&(this.contentContainer.scrollTop=o),t.stickyTopHeight===this.state.stickyTopHeight&&t.stickyBottomHeight===this.state.stickyBottomHeight||this.notifySubscribers(),this._async.setTimeout(this._onWindowResize,0)},t.prototype.render=function(){var e=this.props,t=e.className,o=e.theme,n=e.styles,r=this.state,i=r.stickyTopHeight,a=r.stickyBottomHeight,s=uc(n,{theme:o,className:t,scrollbarVisibility:this.props.scrollbarVisibility});return c.createElement("div",(0,l.pi)({},(0,E.pq)(this.props,E.n7),{ref:this._root,className:s.root}),c.createElement("div",{ref:this._stickyAboveRef,className:s.stickyAbove,style:this._getStickyContainerStyle(i,!0)}),c.createElement("div",{ref:this._contentContainer,className:s.contentContainer,"data-is-scrollable":!0},c.createElement(cc.Provider,{value:this._getScrollablePaneContext()},this.props.children)),c.createElement("div",{className:s.stickyBelow,style:this._getStickyContainerStyle(a,!1)},c.createElement("div",{ref:this._stickyBelowRef,className:s.stickyBelowItems})))},t.prototype.setStickiesDistanceFromTop=function(){var e=this;this.contentContainer&&this._stickies.forEach((function(t){t.setDistanceFromTop(e.contentContainer)}))},t.prototype.forceLayoutUpdate=function(){this._onWindowResize()},t.prototype._checkStickyStatus=function(e){this.stickyAbove&&this.stickyBelow&&this.contentContainer&&e.nonStickyContent&&(e.state.isStickyTop||e.state.isStickyBottom?(e.state.isStickyTop&&!this.stickyAbove.contains(e.nonStickyContent)&&e.stickyContentTop&&e.addSticky(e.stickyContentTop),e.state.isStickyBottom&&!this.stickyBelow.contains(e.nonStickyContent)&&e.stickyContentBottom&&e.addSticky(e.stickyContentBottom)):this.contentContainer.contains(e.nonStickyContent)||e.resetSticky())},t.prototype._getScrollbarWidth=function(){var e=this.contentContainer;return e?e.offsetWidth-e.clientWidth:0},t.prototype._getScrollbarHeight=function(){var e=this.contentContainer;return e?e.offsetHeight-e.clientHeight:0},t}(c.Component),pc=(0,I.z)(dc,(function(e){var t,o,n=e.className,r=e.theme,i=(0,u.Cn)(sc,r),a={position:"absolute",pointerEvents:"none"},s={position:"absolute",top:0,right:0,bottom:0,left:0,WebkitOverflowScrolling:"touch"};return{root:[i.root,r.fonts.medium,s,n],contentContainer:[i.contentContainer,{overflowY:"always"===e.scrollbarVisibility?"scroll":"auto"},s],stickyAbove:[{top:0,zIndex:1,selectors:(t={},t[u.qJ]={borderBottom:"1px solid WindowText"},t)},a],stickyBelow:[{bottom:0,selectors:(o={},o[u.qJ]={borderTop:"1px solid WindowText"},o)},a],stickyBelowItems:[{bottom:0},a,{width:"100%"}]}}),void 0,{scope:"ScrollablePane"}),mc=o(6419),hc=o(3863),gc=o(5515),fc=function(e){function t(t){var o=e.call(this,t)||this;o.addItems=function(e){var t=o.props.onItemSelected?o.props.onItemSelected(e):e,n=t,r=t;if(r&&r.then)r.then((function(e){var t=o.state.items.concat(e);o.updateItems(t)}));else{var i=o.state.items.concat(n);o.updateItems(i)}},o.removeItemAt=function(e){var t=o.state.items;if(o._canRemoveItem(t[e])&&e>-1){o.props.onItemsDeleted&&o.props.onItemsDeleted([t[e]]);var n=t.slice(0,e).concat(t.slice(e+1));o.updateItems(n)}},o.removeItem=function(e){var t=o.state.items.indexOf(e);o.removeItemAt(t)},o.replaceItem=function(e,t){var n=o.state.items,r=n.indexOf(e);if(r>-1){var i=n.slice(0,r).concat(t).concat(n.slice(r+1));o.updateItems(i)}},o.removeItems=function(e){var t=o.state.items,n=e.filter((function(e){return o._canRemoveItem(e)})),r=t.filter((function(e){return-1===n.indexOf(e)})),i=n[0],a=t.indexOf(i);o.props.onItemsDeleted&&o.props.onItemsDeleted(n),o.updateItems(r,a)},o.onCopy=function(e){if(o.props.onCopyItems&&o.selection.getSelectedCount()>0){var t=o.selection.getSelection();o.copyItems(t)}},o.renderItems=function(){var e=o.props.removeButtonAriaLabel,t=o.props.onRenderItem;return o.state.items.map((function(n,r){return t({item:n,index:r,key:n.key?n.key:r,selected:o.selection.isIndexSelected(r),onRemoveItem:function(){return o.removeItem(n)},onItemChange:o.onItemChange,removeButtonAriaLabel:e,onCopyItem:function(e){return o.copyItems([e])}})}))},o.onSelectionChanged=function(){o.forceUpdate()},o.onItemChange=function(e,t){var n=o.state.items;if(t>=0){var r=n;r[t]=e,o.updateItems(r)}},(0,P.l)(o);var n=t.selectedItems||t.defaultSelectedItems||[];return o.state={items:n},o._defaultSelection=new nn.Y({onSelectionChanged:o.onSelectionChanged}),o}return(0,l.ZT)(t,e),t.getDerivedStateFromProps=function(e){return e.selectedItems?{items:e.selectedItems}:null},Object.defineProperty(t.prototype,"items",{get:function(){return this.state.items},enumerable:!0,configurable:!0}),t.prototype.removeSelectedItems=function(){this.state.items.length&&this.selection.getSelectedCount()>0&&this.removeItems(this.selection.getSelection())},t.prototype.updateItems=function(e,t){var o=this;this.props.selectedItems?this.onChange(e):this.setState({items:e},(function(){o._onSelectedItemsUpdated(e,t)}))},t.prototype.hasSelectedItems=function(){return this.selection.getSelectedCount()>0},t.prototype.componentDidUpdate=function(e,t){this.state.items&&this.state.items!==t.items&&this.selection.setItems(this.state.items)},t.prototype.unselectAll=function(){this.selection.setAllSelected(!1)},t.prototype.highlightedItems=function(){return this.selection.getSelection()},t.prototype.componentDidMount=function(){this.selection.setItems(this.state.items)},Object.defineProperty(t.prototype,"selection",{get:function(){var e;return null!=(e=this.props.selection)?e:this._defaultSelection},enumerable:!0,configurable:!0}),t.prototype.render=function(){return this.renderItems()},t.prototype.onChange=function(e){this.props.onChange&&this.props.onChange(e)},t.prototype.copyItems=function(e){if(this.props.onCopyItems){var t=this.props.onCopyItems(e),o=document.createElement("input");document.body.appendChild(o);try{if(o.value=t,o.select(),!document.execCommand("copy"))throw new Error}catch(e){}finally{document.body.removeChild(o)}}},t.prototype._onSelectedItemsUpdated=function(e,t){this.onChange(e)},t.prototype._canRemoveItem=function(e){return!this.props.canRemoveItem||this.props.canRemoveItem(e)},t}(c.Component);(0,Xi.RM)([{rawString:".personaContainer_e3941fa3{border-radius:15px;display:-webkit-inline-box;display:-ms-inline-flexbox;display:inline-flex;-webkit-box-align:center;-ms-flex-align:center;align-items:center;background:"},{theme:"themeLighterAlt",defaultValue:"#eff6fc"},{rawString:";margin:4px;cursor:default;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;vertical-align:middle;position:relative}.personaContainer_e3941fa3::-moz-focus-inner{border:0}.personaContainer_e3941fa3{outline:transparent}.personaContainer_e3941fa3{position:relative}.ms-Fabric--isFocusVisible .personaContainer_e3941fa3:focus:after{-webkit-box-sizing:border-box;box-sizing:border-box;content:'';position:absolute;top:-2px;right:-2px;bottom:-2px;left:-2px;pointer-events:none;border:1px solid "},{theme:"focusBorder",defaultValue:"#605e5c"},{rawString:";border-radius:0}.personaContainer_e3941fa3 .ms-Persona-primaryText{color:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:";font-size:14px;font-weight:400}.personaContainer_e3941fa3 .ms-Persona-primaryText.hover_e3941fa3{color:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:"}@media screen and (-ms-high-contrast:active){.personaContainer_e3941fa3 .ms-Persona-primaryText{color:HighlightText}}.personaContainer_e3941fa3 .actionButton_e3941fa3:hover{background:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:"}.personaContainer_e3941fa3 .actionButton_e3941fa3 .ms-Button-icon{color:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:"}@media screen and (-ms-high-contrast:active){.personaContainer_e3941fa3 .actionButton_e3941fa3 .ms-Button-icon{color:HighlightText}}.personaContainer_e3941fa3:hover{background:"},{theme:"themeLighter",defaultValue:"#deecf9"},{rawString:"}.personaContainer_e3941fa3:hover .ms-Persona-primaryText{color:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:";font-size:14px;font-weight:400}@media screen and (-ms-high-contrast:active){.personaContainer_e3941fa3:hover .ms-Persona-primaryText{color:HighlightText}}.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3{background:"},{theme:"themePrimary",defaultValue:"#0078d4"},{rawString:"}.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3 .ms-Persona-primaryText{color:"},{theme:"white",defaultValue:"#ffffff"},{rawString:"}@media screen and (-ms-high-contrast:active){.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3 .ms-Persona-primaryText{color:HighlightText}}.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3 .actionButton_e3941fa3{color:"},{theme:"white",defaultValue:"#ffffff"},{rawString:"}.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3 .actionButton_e3941fa3 .ms-Button-icon{color:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:"}.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3 .actionButton_e3941fa3 .ms-Button-icon:hover{background:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:"}@media screen and (-ms-high-contrast:active){.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3 .actionButton_e3941fa3 .ms-Button-icon{color:HighlightText}}@media screen and (-ms-high-contrast:active){.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3{border-color:Highlight;background:Highlight;-ms-high-contrast-adjust:none}}.personaContainer_e3941fa3.validationError_e3941fa3 .ms-Persona-primaryText{color:"},{theme:"red",defaultValue:"#e81123"},{rawString:"}.personaContainer_e3941fa3.validationError_e3941fa3 .ms-Persona-initials{font-size:20px}@media screen and (-ms-high-contrast:active){.personaContainer_e3941fa3{border:1px solid WindowText}}.personaContainer_e3941fa3 .itemContent_e3941fa3{-webkit-box-flex:0;-ms-flex:0 1 auto;flex:0 1 auto;min-width:0;max-width:100%}.personaContainer_e3941fa3 .removeButton_e3941fa3{border-radius:15px;-webkit-box-flex:0;-ms-flex:0 0 auto;flex:0 0 auto;width:33px;height:33px;-ms-flex-preferred-size:32px;flex-basis:32px}.personaContainer_e3941fa3 .expandButton_e3941fa3{border-radius:15px 0 0 15px;height:33px;width:44px;padding-right:16px;position:inherit;display:-webkit-box;display:-ms-flexbox;display:flex;margin-right:-17px}.personaContainer_e3941fa3 .personaWrapper_e3941fa3{position:relative;display:inherit}.personaContainer_e3941fa3 .personaWrapper_e3941fa3 .ms-Persona-details{padding:0 8px}.personaContainer_e3941fa3 .personaDetails_e3941fa3{-webkit-box-flex:0;-ms-flex:0 1 auto;flex:0 1 auto}.itemContainer_e3941fa3{display:inline-block;vertical-align:top}"}]);var vc="personaContainer_e3941fa3",bc="hover_e3941fa3",yc="actionButton_e3941fa3",_c="personaContainerIsSelected_e3941fa3",Cc="validationError_e3941fa3",Sc="itemContent_e3941fa3",xc="removeButton_e3941fa3",kc="expandButton_e3941fa3",wc="personaWrapper_e3941fa3",Ic="personaDetails_e3941fa3",Dc="itemContainer_e3941fa3",Tc=s,Ec=function(e){function t(t){var o=e.call(this,t)||this;return o.persona=c.createRef(),(0,P.l)(o),o.state={contextualMenuVisible:!1},o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e,t,o=this.props,n=o.item,r=o.onExpandItem,i=o.onRemoveItem,a=o.removeButtonAriaLabel,s=o.index,u=o.selected,d=(0,dn.z)();return c.createElement("div",{ref:this.persona,className:(0,pt.i)("ms-PickerPersona-container",Tc.personaContainer,(e={},e["is-selected "+Tc.personaContainerIsSelected]=u,e),(t={},t["is-invalid "+Tc.validationError]=!n.isValid,t)),"data-is-focusable":!0,"data-is-sub-focuszone":!0,"data-selection-index":s,role:"listitem","aria-labelledby":"selectedItemPersona-"+d},c.createElement("div",{hidden:!n.canExpand||void 0===r},c.createElement(V.h,{onClick:this._onClickIconButton(r),iconProps:{iconName:"Add",style:{fontSize:"14px"}},className:(0,pt.i)("ms-PickerItem-removeButton",Tc.expandButton,Tc.actionButton),ariaLabel:a})),c.createElement("div",{className:(0,pt.i)(Tc.personaWrapper)},c.createElement("div",{className:(0,pt.i)("ms-PickerItem-content",Tc.itemContent),id:"selectedItemPersona-"+d},c.createElement(ua.I,(0,l.pi)({},n,{onRenderCoin:this.props.renderPersonaCoin,onRenderPrimaryText:this.props.renderPrimaryText,size:C.Ir.size32}))),c.createElement(V.h,{onClick:this._onClickIconButton(i),iconProps:{iconName:"Cancel",style:{fontSize:"14px"}},className:(0,pt.i)("ms-PickerItem-removeButton",Tc.removeButton,Tc.actionButton),ariaLabel:a})))},t.prototype._onClickIconButton=function(e){return function(t){t.stopPropagation(),t.preventDefault(),e&&e()}},t}(c.Component),Pc=function(e){function t(t){var o=e.call(this,t)||this;return o.itemElement=c.createRef(),o._onClick=function(e){e.preventDefault(),o.props.beginEditing&&!o.props.item.isValid?o.props.beginEditing(o.props.item):o.setState({contextualMenuVisible:!0})},o._onCloseContextualMenu=function(e){o.setState({contextualMenuVisible:!1})},(0,P.l)(o),o.state={contextualMenuVisible:!1},o}return(0,l.ZT)(t,e),t.prototype.render=function(){return c.createElement("div",{ref:this.itemElement,onContextMenu:this._onClick},this.props.renderedItem,this.state.contextualMenuVisible?c.createElement(Go.r,{items:this.props.menuItems,shouldFocusOnMount:!0,target:this.itemElement.current,onDismiss:this._onCloseContextualMenu,directionalHint:K.b.bottomLeftEdge}):null)},t}(c.Component),Mc={root:"ms-EditingItem",input:"ms-EditingItem-input"},Rc=function(e){var t=(0,u.gh)();if(!t)throw new Error("theme is undefined or null in Editing item getStyles function.");var o=t.semanticColors,n=(0,u.Cn)(Mc,t);return{root:[n.root,{margin:"4px"}],input:[n.input,{border:"0px",outline:"none",width:"100%",backgroundColor:o.inputBackground,color:o.inputText,selectors:{"::-ms-clear":{display:"none"}}}]}},Nc=function(e){function t(t){var o=e.call(this,t)||this;return o._editingFloatingPicker=c.createRef(),o._renderEditingSuggestions=function(){var e=o.props.onRenderFloatingPicker,t=o.props.floatingPickerProps;return e&&t?c.createElement(e,(0,l.pi)({componentRef:o._editingFloatingPicker,onChange:o._onSuggestionSelected,inputElement:o._editingInput,selectedItems:[]},t)):c.createElement(c.Fragment,null)},o._resolveInputRef=function(e){o._editingInput=e,o.forceUpdate((function(){o._editingInput.focus()}))},o._onInputClick=function(){o._editingFloatingPicker.current&&o._editingFloatingPicker.current.showPicker(!0)},o._onInputBlur=function(e){if(o._editingFloatingPicker.current&&null!==e.relatedTarget){var t=e.relatedTarget;-1===t.className.indexOf("ms-Suggestions-itemButton")&&-1===t.className.indexOf("ms-Suggestions-sectionButton")&&o._editingFloatingPicker.current.forceResolveSuggestion()}},o._onInputChange=function(e){var t=e.target.value;""===t?o.props.onRemoveItem&&o.props.onRemoveItem():o._editingFloatingPicker.current&&o._editingFloatingPicker.current.onQueryStringChanged(t)},o._onSuggestionSelected=function(e){o.props.onEditingComplete(o.props.item,e)},(0,P.l)(o),o.state={contextualMenuVisible:!1},o}return(0,l.ZT)(t,e),t.prototype.componentDidMount=function(){var e=(0,this.props.getEditingItemText)(this.props.item);this._editingFloatingPicker.current&&this._editingFloatingPicker.current.onQueryStringChanged(e),this._editingInput.value=e,this._editingInput.focus()},t.prototype.render=function(){var e=(0,dn.z)(),t=(0,E.pq)(this.props,E.Gg),o=(0,D.y)()(Rc);return c.createElement("div",{"aria-labelledby":"editingItemPersona-"+e,className:o.root},c.createElement("input",(0,l.pi)({autoCapitalize:"off",autoComplete:"off"},t,{ref:this._resolveInputRef,onChange:this._onInputChange,onKeyDown:this._onInputKeyDown,onBlur:this._onInputBlur,onClick:this._onInputClick,"data-lpignore":!0,className:o.input,id:e})),this._renderEditingSuggestions())},t.prototype._onInputKeyDown=function(e){e.which!==rt.m.backspace&&e.which!==rt.m.del||e.stopPropagation()},t}(c.Component),Bc=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,l.ZT)(t,e),t}(fc),Fc=function(e){function t(){var t=null!==e&&e.apply(this,arguments)||this;return t.renderItems=function(){return t.state.items.map((function(e,o){return t._renderItem(e,o)}))},t._beginEditing=function(e){e.isEditing=!0,t.forceUpdate()},t._completeEditing=function(e,o){e.isEditing=!1,t.replaceItem(e,o)},t}return(0,l.ZT)(t,e),t.prototype._renderItem=function(e,t){var o=this,n=this.props.removeButtonAriaLabel,r=this.props.onExpandGroup,i={item:e,index:t,key:e.key?e.key:t,selected:this.selection.isIndexSelected(t),onRemoveItem:function(){return o.removeItem(e)},onItemChange:this.onItemChange,removeButtonAriaLabel:n,onCopyItem:function(e){return o.copyItems([e])},onExpandItem:r?function(){return r(e)}:void 0,menuItems:this._createMenuItems(e)},a=i.menuItems.length>0;if(e.isEditing&&a)return c.createElement(Nc,(0,l.pi)({},i,{onRenderFloatingPicker:this.props.onRenderFloatingPicker,floatingPickerProps:this.props.floatingPickerProps,onEditingComplete:this._completeEditing,getEditingItemText:this.props.getEditingItemText}));var s=(0,this.props.onRenderItem)(i);return a?c.createElement(Pc,{key:i.key,renderedItem:s,beginEditing:this._beginEditing,menuItems:this._createMenuItems(i.item),item:i.item}):s},t.prototype._createMenuItems=function(e){var t=this,o=[];return this.props.editMenuItemText&&this.props.getEditingItemText&&o.push({key:"Edit",text:this.props.editMenuItemText,onClick:function(e,o){t._beginEditing(o.data)},data:e}),this.props.removeMenuItemText&&o.push({key:"Remove",text:this.props.removeMenuItemText,onClick:function(e,o){t.removeItem(o.data)},data:e}),this.props.copyMenuItemText&&o.push({key:"Copy",text:this.props.copyMenuItemText,onClick:function(e,o){t.props.onCopyItems&&t.copyItems([o.data])},data:e}),o},t.defaultProps={onRenderItem:function(e){return c.createElement(Ec,(0,l.pi)({},e))}},t}(Bc),Lc=(0,D.y)(),Ac=c.forwardRef((function(e,t){var o=e.styles,n=e.theme,r=e.className,i=e.vertical,a=e.alignContent,s=e.children,l=Lc(o,{theme:n,className:r,alignContent:a,vertical:i});return c.createElement("div",{className:l.root,ref:t},c.createElement("div",{className:l.content,role:"separator","aria-orientation":i?"vertical":"horizontal"},s))})),zc=(0,I.z)(Ac,(function(e){var t,o,n=e.theme,r=e.alignContent,i=e.vertical,a=e.className,s="start"===r,l="center"===r,c="end"===r;return{root:[n.fonts.medium,{position:"relative"},r&&{textAlign:r},!r&&{textAlign:"center"},i&&(l||!r)&&{verticalAlign:"middle"},i&&s&&{verticalAlign:"top"},i&&c&&{verticalAlign:"bottom"},i&&{padding:"0 4px",height:"inherit",display:"table-cell",zIndex:1,selectors:{":after":(t={backgroundColor:n.palette.neutralLighter,width:"1px",content:'""',position:"absolute",top:"0",bottom:"0",left:"50%",right:"0",zIndex:-1},t[u.qJ]={backgroundColor:"WindowText"},t)}},!i&&{padding:"4px 0",selectors:{":before":(o={backgroundColor:n.palette.neutralLighter,height:"1px",content:'""',display:"block",position:"absolute",top:"50%",bottom:"0",left:"0",right:"0"},o[u.qJ]={backgroundColor:"WindowText"},o)}},a],content:[{position:"relative",display:"inline-block",padding:"0 12px",color:n.semanticColors.bodyText,background:n.semanticColors.bodyBackground},i&&{padding:"12px 0"}]}}),void 0,{scope:"Separator"});zc.displayName="Separator";var Hc,Oc,Wc={root:"ms-Shimmer-container",shimmerWrapper:"ms-Shimmer-shimmerWrapper",shimmerGradient:"ms-Shimmer-shimmerGradient",dataWrapper:"ms-Shimmer-dataWrapper"},Vc=(0,d.NF)((function(){return(0,u.F4)({"0%":{transform:"translateX(-100%)"},"100%":{transform:"translateX(100%)"}})})),Kc=(0,d.NF)((function(){return(0,u.F4)({"100%":{transform:"translateX(-100%)"},"0%":{transform:"translateX(100%)"}})}));!function(e){e[e.line=1]="line",e[e.circle=2]="circle",e[e.gap=3]="gap"}(Hc||(Hc={})),function(e){e[e.line=16]="line",e[e.gap=16]="gap",e[e.circle=24]="circle"}(Oc||(Oc={}));var qc=(0,D.y)(),Gc=function(e){var t=e.height,o=e.styles,n=e.width,r=void 0===n?"100%":n,i=e.borderStyle,a=e.theme,s=qc(o,{theme:a,height:t,borderStyle:i});return c.createElement("div",{style:{width:r,minWidth:"number"==typeof r?r+"px":"auto"},className:s.root},c.createElement("svg",{width:"2",height:"2",className:s.topLeftCorner},c.createElement("path",{d:"M0 2 A 2 2, 0, 0, 1, 2 0 L 0 0 Z"})),c.createElement("svg",{width:"2",height:"2",className:s.topRightCorner},c.createElement("path",{d:"M0 0 A 2 2, 0, 0, 1, 2 2 L 2 0 Z"})),c.createElement("svg",{width:"2",height:"2",className:s.bottomRightCorner},c.createElement("path",{d:"M2 0 A 2 2, 0, 0, 1, 0 2 L 2 2 Z"})),c.createElement("svg",{width:"2",height:"2",className:s.bottomLeftCorner},c.createElement("path",{d:"M2 2 A 2 2, 0, 0, 1, 0 0 L 0 2 Z"})))},Uc={root:"ms-ShimmerLine-root",topLeftCorner:"ms-ShimmerLine-topLeftCorner",topRightCorner:"ms-ShimmerLine-topRightCorner",bottomLeftCorner:"ms-ShimmerLine-bottomLeftCorner",bottomRightCorner:"ms-ShimmerLine-bottomRightCorner"},jc=(0,I.z)(Gc,(function(e){var t,o=e.height,n=e.borderStyle,r=e.theme,i=r.semanticColors,a=(0,u.Cn)(Uc,r),s=n||{},l={position:"absolute",fill:i.bodyBackground};return{root:[a.root,r.fonts.medium,{height:o+"px",boxSizing:"content-box",position:"relative",borderTopStyle:"solid",borderBottomStyle:"solid",borderColor:i.bodyBackground,borderWidth:0,selectors:(t={},t[u.qJ]={borderColor:"Window",selectors:{"> *":{fill:"Window"}}},t)},s],topLeftCorner:[a.topLeftCorner,{top:"0",left:"0"},l],topRightCorner:[a.topRightCorner,{top:"0",right:"0"},l],bottomRightCorner:[a.bottomRightCorner,{bottom:"0",right:"0"},l],bottomLeftCorner:[a.bottomLeftCorner,{bottom:"0",left:"0"},l]}}),void 0,{scope:"ShimmerLine"}),Jc=(0,D.y)(),Yc=function(e){var t=e.height,o=e.styles,n=e.width,r=void 0===n?"10px":n,i=e.borderStyle,a=e.theme,s=Jc(o,{theme:a,height:t,borderStyle:i});return c.createElement("div",{style:{width:r,minWidth:"number"==typeof r?r+"px":"auto"},className:s.root})},Zc={root:"ms-ShimmerGap-root"},Xc=(0,I.z)(Yc,(function(e){var t,o=e.height,n=e.borderStyle,r=e.theme,i=r.semanticColors,a=n||{};return{root:[(0,u.Cn)(Zc,r).root,r.fonts.medium,{backgroundColor:i.bodyBackground,height:o+"px",boxSizing:"content-box",borderTopStyle:"solid",borderBottomStyle:"solid",borderColor:i.bodyBackground,selectors:(t={},t[u.qJ]={backgroundColor:"Window",borderColor:"Window"},t)},a]}}),void 0,{scope:"ShimmerGap"}),Qc={root:"ms-ShimmerCircle-root",svg:"ms-ShimmerCircle-svg"},$c=(0,D.y)(),eu=function(e){var t=e.height,o=e.styles,n=e.borderStyle,r=e.theme,i=$c(o,{theme:r,height:t,borderStyle:n});return c.createElement("div",{className:i.root},c.createElement("svg",{viewBox:"0 0 10 10",width:t,height:t,className:i.svg},c.createElement("path",{d:"M0,0 L10,0 L10,10 L0,10 L0,0 Z M0,5 C0,7.76142375 2.23857625,10 5,10 C7.76142375,10 10,7.76142375 10,5 C10,2.23857625 7.76142375,2.22044605e-16 5,0 C2.23857625,-2.22044605e-16 0,2.23857625 0,5 L0,5 Z"})))},tu=(0,I.z)(eu,(function(e){var t,o,n=e.height,r=e.borderStyle,i=e.theme,a=i.semanticColors,s=(0,u.Cn)(Qc,i),l=r||{};return{root:[s.root,i.fonts.medium,{width:n+"px",height:n+"px",minWidth:n+"px",boxSizing:"content-box",borderTopStyle:"solid",borderBottomStyle:"solid",borderColor:a.bodyBackground,selectors:(t={},t[u.qJ]={borderColor:"Window"},t)},l],svg:[s.svg,{display:"block",fill:a.bodyBackground,selectors:(o={},o[u.qJ]={fill:"Window"},o)}]}}),void 0,{scope:"ShimmerCircle"}),ou=(0,D.y)(),nu=function(e){var t=e.styles,o=e.width,n=void 0===o?"auto":o,r=e.shimmerElements,i=e.rowHeight,a=void 0===i?function(e){return e.map((function(e){switch(e.type){case Hc.circle:e.height||(e.height=Oc.circle);break;case Hc.line:e.height||(e.height=Oc.line);break;case Hc.gap:e.height||(e.height=Oc.gap)}return e})).reduce((function(e,t){return t.height&&t.height>e?t.height:e}),0)}(r||[]):i,s=e.flexWrap,u=void 0!==s&&s,d=e.theme,p=e.backgroundColor,m=ou(t,{theme:d,flexWrap:u});return c.createElement("div",{style:{width:n},className:m.root},function(e,t,o){return e?e.map((function(e,n){var r=e.type,i=(0,l._T)(e,["type"]),a=i.verticalAlign,s=i.height,u=ru(a,r,s,t,o);switch(e.type){case Hc.circle:return c.createElement(tu,(0,l.pi)({key:n},i,{styles:u}));case Hc.gap:return c.createElement(Xc,(0,l.pi)({key:n},i,{styles:u}));case Hc.line:return c.createElement(jc,(0,l.pi)({key:n},i,{styles:u}))}})):c.createElement(jc,{height:Oc.line})}(r,p,a))},ru=(0,d.NF)((function(e,t,o,n,r){var i,a=r&&o?r-o:0;if(e&&"center"!==e?e&&"top"===e?i={borderBottomWidth:a+"px",borderTopWidth:"0px"}:e&&"bottom"===e&&(i={borderBottomWidth:"0px",borderTopWidth:a+"px"}):i={borderBottomWidth:(a?Math.floor(a/2):0)+"px",borderTopWidth:(a?Math.ceil(a/2):0)+"px"},n)switch(t){case Hc.circle:return{root:(0,l.pi)((0,l.pi)({},i),{borderColor:n}),svg:{fill:n}};case Hc.gap:return{root:(0,l.pi)((0,l.pi)({},i),{borderColor:n,backgroundColor:n})};case Hc.line:return{root:(0,l.pi)((0,l.pi)({},i),{borderColor:n}),topLeftCorner:{fill:n},topRightCorner:{fill:n},bottomLeftCorner:{fill:n},bottomRightCorner:{fill:n}}}return{root:i}})),iu={root:"ms-ShimmerElementsGroup-root"},au=(0,I.z)(nu,(function(e){var t=e.flexWrap,o=e.theme;return{root:[(0,u.Cn)(iu,o).root,o.fonts.medium,{display:"flex",alignItems:"center",flexWrap:t?"wrap":"nowrap",position:"relative"}]}}),void 0,{scope:"ShimmerElementsGroup"}),su=(0,D.y)(),lu=c.forwardRef((function(e,t){var o=e.styles,n=e.shimmerElements,r=e.children,i=e.width,a=e.className,s=e.customElementsGroup,u=e.theme,d=e.ariaLabel,p=e.shimmerColors,m=e.isDataLoaded,h=void 0!==m&&m,g=(0,E.pq)(e,E.n7),f=su(o,{theme:u,isDataLoaded:h,className:a,transitionAnimationInterval:200,shimmerColor:p&&p.shimmer,shimmerWaveColor:p&&p.shimmerWave}),v=(0,q.B)({lastTimeoutId:0}),b=(0,Ct.L)(),y=b.setTimeout,_=b.clearTimeout,C=c.useState(h),S=C[0],x=C[1],k={width:i||"100%"};return c.useEffect((function(){if(h!==S){if(h)return v.lastTimeoutId=y((function(){x(!0)}),200),function(){return _(v.lastTimeoutId)};x(!1)}}),[h]),c.createElement("div",(0,l.pi)({},g,{className:f.root,ref:t}),!S&&c.createElement("div",{style:k,className:f.shimmerWrapper},c.createElement("div",{className:f.shimmerGradient}),s||c.createElement(au,{shimmerElements:n,backgroundColor:p&&p.background})),r&&c.createElement("div",{className:f.dataWrapper},r),d&&!h&&c.createElement("div",{role:"status","aria-live":"polite"},c.createElement(Us.U,null,c.createElement("div",{className:f.screenReaderText},d))))}));lu.displayName="Shimmer";var cu=(0,I.z)(lu,(function(e){var t,o=e.isDataLoaded,n=e.className,r=e.theme,i=e.transitionAnimationInterval,a=e.shimmerColor,s=e.shimmerWaveColor,c=r.semanticColors,d=(0,u.Cn)(Wc,r),p=(0,T.zg)(r);return{root:[d.root,r.fonts.medium,{position:"relative",height:"auto"},n],shimmerWrapper:[d.shimmerWrapper,{position:"relative",overflow:"hidden",transform:"translateZ(0)",backgroundColor:a||c.disabledBackground,transition:"opacity "+i+"ms",selectors:(t={"> *":{transform:"translateZ(0)"}},t[u.qJ]=(0,l.pi)({background:"WindowText\n linear-gradient(\n to right,\n transparent 0%,\n Window 50%,\n transparent 100%)\n 0 0 / 90% 100%\n no-repeat"},(0,u.xM)()),t)},o&&{opacity:"0",position:"absolute",top:"0",bottom:"0",left:"0",right:"0"}],shimmerGradient:[d.shimmerGradient,{position:"absolute",top:0,left:0,width:"100%",height:"100%",background:(a||c.disabledBackground)+"\n linear-gradient(\n to right,\n "+(a||c.disabledBackground)+" 0%,\n "+(s||c.bodyDivider)+" 50%,\n "+(a||c.disabledBackground)+" 100%)\n 0 0 / 90% 100%\n no-repeat",transform:"translateX(-100%)",animationDuration:"2s",animationTimingFunction:"ease-in-out",animationDirection:"normal",animationIterationCount:"infinite",animationName:p?Kc():Vc()}],dataWrapper:[d.dataWrapper,{position:"absolute",top:"0",bottom:"0",left:"0",right:"0",opacity:"0",background:"none",backgroundColor:"transparent",border:"none",transition:"opacity "+i+"ms"},o&&{opacity:"1",position:"static"}],screenReaderText:u.ul}}),void 0,{scope:"Shimmer"}),uu=(0,D.y)(),du=function(e){function t(t){var o=e.call(this,t)||this;return o._onRenderShimmerPlaceholder=function(e,t){var n=o.props.onRenderCustomPlaceholder,r=n?n(t,e,o._renderDefaultShimmerPlaceholder):o._renderDefaultShimmerPlaceholder(t);return c.createElement(cu,{customElementsGroup:r})},o._renderDefaultShimmerPlaceholder=function(e){var t=e.columns,o=e.compact,n=e.selectionMode,r=e.checkboxVisibility,i=e.cellStyleProps,a=void 0===i?hn:i,s=gn.rowHeight,l=gn.compactRowHeight,u=o?l:s+1,d=[];return n!==on.oW.none&&r!==un.hidden&&d.push(c.createElement(au,{key:"checkboxGap",shimmerElements:[{type:Hc.gap,width:"40px",height:u}]})),t.forEach((function(e,t){var o=[],n=a.cellLeftPadding+a.cellRightPadding+e.calculatedWidth+(e.isPadded?a.cellExtraRightPadding:0);o.push({type:Hc.gap,width:a.cellLeftPadding,height:u}),e.isIconOnly?(o.push({type:Hc.line,width:e.calculatedWidth,height:e.calculatedWidth}),o.push({type:Hc.gap,width:a.cellRightPadding,height:u})):(o.push({type:Hc.line,width:.95*e.calculatedWidth,height:7}),o.push({type:Hc.gap,width:a.cellRightPadding+(e.calculatedWidth-.95*e.calculatedWidth)+(e.isPadded?a.cellExtraRightPadding:0),height:u})),d.push(c.createElement(au,{key:t,width:n+"px",shimmerElements:o}))})),d.push(c.createElement(au,{key:"endGap",width:"100%",shimmerElements:[{type:Hc.gap,width:"100%",height:u}]})),c.createElement("div",{style:{display:"flex"}},d)},o._shimmerItems=t.shimmerLines?new Array(t.shimmerLines):new Array(10),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.detailsListStyles,o=e.enableShimmer,n=e.items,r=e.listProps,i=(e.onRenderCustomPlaceholder,e.removeFadingOverlay),a=(e.shimmerLines,e.styles),s=e.theme,u=e.ariaLabelForGrid,d=e.ariaLabelForShimmer,p=(0,l._T)(e,["detailsListStyles","enableShimmer","items","listProps","onRenderCustomPlaceholder","removeFadingOverlay","shimmerLines","styles","theme","ariaLabelForGrid","ariaLabelForShimmer"]),m=r&&r.className;this._classNames=uu(a,{theme:s});var h=(0,l.pi)((0,l.pi)({},r),{className:o&&!i?(0,pt.i)(this._classNames.root,m):m});return c.createElement(xr,(0,l.pi)({},p,{styles:t,items:o?this._shimmerItems:n,isPlaceholderData:o,ariaLabelForGrid:o&&d||u,onRenderMissingItem:this._onRenderShimmerPlaceholder,listProps:h}))},t}(c.Component),pu=(0,I.z)(du,(function(e){var t=e.theme.palette;return{root:{position:"relative",selectors:{":after":{content:'""',position:"absolute",top:0,right:0,bottom:0,left:0,backgroundImage:"linear-gradient(to bottom, transparent 30%, "+t.whiteTranslucent40+" 65%,"+t.white+" 100%)"}}}}}),void 0,{scope:"ShimmeredDetailsList"}),mu=o(4107),hu=o(9379),gu=o(3134),fu=o(998),vu=o(6315),bu=o(6362),yu=o(9444),_u=l.pi;function Cu(e,t){for(var o=[],n=2;n0)throw new Error("Any module using getSlots must use withSlots. Please see withSlots javadoc for more info.");return wu(t[e],o,n[e],n.slots&&n.slots[e],n._defaultStyles&&n._defaultStyles[e],n.theme)};r.isSlot=!0,o[e]=r}};for(var i in t)r(i);return o}function wu(e,t,o,n,r,i){return void 0!==e.create?e.create(t,o,n,r):xu(e)(t,o,n,r,i)}var Iu=o(7576),Du=o(1767);function Tu(e,t){void 0===t&&(t={});var o=t.factoryOptions,n=(void 0===o?{}:o).defaultProp,r=function(o){var n,r,i,a,s=(n=t.displayName,r=c.useContext(Iu.i),i=t.fields,a=["theme","styles","tokens"],Du.X.getSettings(i||a,n,r.customizations)),d=t.state;d&&(o=(0,l.pi)((0,l.pi)({},o),d(o)));var p=o.theme||s.theme,m=Eu(o,p,t.tokens,s.tokens,o.tokens),h=function(e,t,o){for(var n=[],r=3;r2)return{rowGap:{value:0,unit:"px"},columnGap:{value:0,unit:"px"}};if(2===o.length)return{rowGap:Fu(Bu(o[0],t)),columnGap:Fu(Bu(o[1],t))};var n=Fu(Bu(e,t));return{rowGap:n,columnGap:n}}(S,t),D=I.rowGap,T=I.columnGap,E=""+-.5*T.value+T.unit,P=""+-.5*D.value+D.unit,M={textOverflow:"ellipsis"},R={"> *:not(.ms-StackItem)":{flexShrink:y?0:1}};return f?{root:[C.root,{flexWrap:"wrap",maxWidth:k,maxHeight:x,width:"auto",overflow:"visible",height:"100%"},v&&(n={},n[m?"justifyContent":"alignItems"]=Au[v]||v,n),b&&(r={},r[m?"alignItems":"justifyContent"]=Au[b]||b,r),_,{display:"flex"},m&&{height:p?"100%":"auto"}],inner:[C.inner,{display:"flex",flexWrap:"wrap",marginLeft:E,marginRight:E,marginTop:P,marginBottom:P,overflow:"visible",boxSizing:"border-box",padding:Lu(w,t),width:0===T.value?"100%":"calc(100% + "+T.value+T.unit+")",maxWidth:"100vw",selectors:(0,l.pi)({"> *":(0,l.pi)({margin:""+.5*D.value+D.unit+" "+.5*T.value+T.unit},M)},R)},v&&(i={},i[m?"justifyContent":"alignItems"]=Au[v]||v,i),b&&(a={},a[m?"alignItems":"justifyContent"]=Au[b]||b,a),m&&{flexDirection:h?"row-reverse":"row",height:0===D.value?"100%":"calc(100% + "+D.value+D.unit+")",selectors:{"> *":{maxWidth:0===T.value?"100%":"calc(100% - "+T.value+T.unit+")"}}},!m&&{flexDirection:h?"column-reverse":"column",height:"calc(100% + "+D.value+D.unit+")",selectors:{"> *":{maxHeight:0===D.value?"100%":"calc(100% - "+D.value+D.unit+")"}}}]}:{root:[C.root,{display:"flex",flexDirection:m?h?"row-reverse":"row":h?"column-reverse":"column",flexWrap:"nowrap",width:"auto",height:p?"100%":"auto",maxWidth:k,maxHeight:x,padding:Lu(w,t),boxSizing:"border-box",selectors:(0,l.pi)((s={"> *":M},s[h?"> *:not(:last-child)":"> *:not(:first-child)"]=[m&&{marginLeft:""+T.value+T.unit},!m&&{marginTop:""+D.value+D.unit}],s),R)},g&&{flexGrow:!0===g?1:g},v&&(c={},c[m?"justifyContent":"alignItems"]=Au[v]||v,c),b&&(d={},d[m?"alignItems":"justifyContent"]=Au[b]||b,d),_]}},statics:{Item:Nu}});!function(e){e[e.Both=0]="Both",e[e.Header=1]="Header",e[e.Footer=2]="Footer"}(Pu||(Pu={}));var Ou=function(e){function t(t){var o=e.call(this,t)||this;return o._root=c.createRef(),o._stickyContentTop=c.createRef(),o._stickyContentBottom=c.createRef(),o._nonStickyContent=c.createRef(),o._placeHolder=c.createRef(),o.syncScroll=function(e){var t=o.nonStickyContent;t&&o.props.isScrollSynced&&(t.scrollLeft=e.scrollLeft)},o._getContext=function(){return o.context},o._onScrollEvent=function(e,t){if(o.root&&o.nonStickyContent){var n=o._getNonStickyDistanceFromTop(e),r=!1,i=!1;o.canStickyTop&&(r=n-o._getStickyDistanceFromTop()=o._getStickyDistanceFromTopForFooter(e,t)),document.activeElement&&o.nonStickyContent.contains(document.activeElement)&&(o.state.isStickyTop!==r||o.state.isStickyBottom!==i)?o._activeElement=document.activeElement:o._activeElement=void 0,o.setState({isStickyTop:o.canStickyTop&&r,isStickyBottom:i,distanceFromTop:n})}},o._getStickyDistanceFromTop=function(){var e=0;return o.stickyContentTop&&(e=o.stickyContentTop.offsetTop),e},o._getStickyDistanceFromTopForFooter=function(e,t){var n=0;return o.stickyContentBottom&&(n=e.clientHeight-t.offsetHeight+o.stickyContentBottom.offsetTop),n},o._getNonStickyDistanceFromTop=function(e){var t=0,n=o.root;if(n){for(;n&&n.offsetParent!==e;)t+=n.offsetTop,n=n.offsetParent;n&&n.offsetParent===e&&(t+=n.offsetTop)}return t},(0,P.l)(o),o.state={isStickyTop:!1,isStickyBottom:!1,distanceFromTop:void 0},o._activeElement=void 0,o}return(0,l.ZT)(t,e),Object.defineProperty(t.prototype,"root",{get:function(){return this._root.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"placeholder",{get:function(){return this._placeHolder.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"stickyContentTop",{get:function(){return this._stickyContentTop.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"stickyContentBottom",{get:function(){return this._stickyContentBottom.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"nonStickyContent",{get:function(){return this._nonStickyContent.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"canStickyTop",{get:function(){return this.props.stickyPosition===Pu.Both||this.props.stickyPosition===Pu.Header},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"canStickyBottom",{get:function(){return this.props.stickyPosition===Pu.Both||this.props.stickyPosition===Pu.Footer},enumerable:!0,configurable:!0}),t.prototype.componentDidMount=function(){var e=this._getContext().scrollablePane;e&&(e.subscribe(this._onScrollEvent),e.addSticky(this))},t.prototype.componentWillUnmount=function(){var e=this._getContext().scrollablePane;e&&(e.unsubscribe(this._onScrollEvent),e.removeSticky(this))},t.prototype.componentDidUpdate=function(e,t){var o=this._getContext().scrollablePane;if(o){var n=this.state,r=n.isStickyBottom,i=n.isStickyTop,a=n.distanceFromTop,s=!1;t.distanceFromTop!==a&&(o.sortSticky(this,!0),s=!0),t.isStickyTop===i&&t.isStickyBottom===r||(this._activeElement&&this._activeElement.focus(),o.updateStickyRefHeights(),s=!0),s&&o.syncScrollSticky(this)}},t.prototype.shouldComponentUpdate=function(e,t){if(!this.context.scrollablePane)return!0;var o=this.state,n=o.isStickyTop,r=o.isStickyBottom,i=o.distanceFromTop;return n!==t.isStickyTop||r!==t.isStickyBottom||this.props.stickyPosition!==e.stickyPosition||this.props.children!==e.children||i!==t.distanceFromTop||Wu(this._nonStickyContent,this._stickyContentTop)||Wu(this._nonStickyContent,this._stickyContentBottom)||Wu(this._nonStickyContent,this._placeHolder)},t.prototype.render=function(){var e=this.state,t=e.isStickyTop,o=e.isStickyBottom,n=this.props,r=n.stickyClassName,i=n.children;return this.context.scrollablePane?c.createElement("div",{ref:this._root},this.canStickyTop&&c.createElement("div",{ref:this._stickyContentTop,style:{pointerEvents:t?"auto":"none"}},c.createElement("div",{style:this._getStickyPlaceholderHeight(t)})),this.canStickyBottom&&c.createElement("div",{ref:this._stickyContentBottom,style:{pointerEvents:o?"auto":"none"}},c.createElement("div",{style:this._getStickyPlaceholderHeight(o)})),c.createElement("div",{style:this._getNonStickyPlaceholderHeightAndWidth(),ref:this._placeHolder},(t||o)&&c.createElement("span",{style:u.ul},i),c.createElement("div",{ref:this._nonStickyContent,className:t||o?r:void 0,style:this._getContentStyles(t||o)},i))):c.createElement("div",null,this.props.children)},t.prototype.addSticky=function(e){this.nonStickyContent&&e.appendChild(this.nonStickyContent)},t.prototype.resetSticky=function(){this.nonStickyContent&&this.placeholder&&this.placeholder.appendChild(this.nonStickyContent)},t.prototype.setDistanceFromTop=function(e){var t=this._getNonStickyDistanceFromTop(e);this.setState({distanceFromTop:t})},t.prototype._getContentStyles=function(e){return{backgroundColor:this.props.stickyBackgroundColor||this._getBackground(),overflow:e?"hidden":""}},t.prototype._getStickyPlaceholderHeight=function(e){var t=this.nonStickyContent?this.nonStickyContent.offsetHeight:0;return{visibility:e?"hidden":"visible",height:e?0:t}},t.prototype._getNonStickyPlaceholderHeightAndWidth=function(){var e=this.state,t=e.isStickyTop,o=e.isStickyBottom;if(t||o){var n=0,r=0;return this.nonStickyContent&&this.nonStickyContent.firstElementChild&&(n=this.nonStickyContent.offsetHeight,r=this.nonStickyContent.firstElementChild.scrollWidth+(this.nonStickyContent.firstElementChild.offsetWidth-this.nonStickyContent.firstElementChild.clientWidth)),{height:n,width:r}}return{}},t.prototype._getBackground=function(){if(this.root){for(var e=this.root;"rgba(0, 0, 0, 0)"===window.getComputedStyle(e).getPropertyValue("background-color")||"transparent"===window.getComputedStyle(e).getPropertyValue("background-color");){if("HTML"===e.tagName)return;e.parentElement&&(e=e.parentElement)}return window.getComputedStyle(e).getPropertyValue("background-color")}},t.defaultProps={stickyPosition:Pu.Both,isScrollSynced:!0},t.contextType=cc,t}(c.Component);function Wu(e,t){return e&&t&&e.current&&t.current&&e.current.offsetHeight!==t.current.offsetHeight}var Vu=o(9502),Ku=o(8621),qu=o(3624),Gu=o(1565),Uu=(0,D.y)(),ju=c.forwardRef((function(e,t){var o,n,r,i,a,s=c.useRef(null),u=(0,j.ky)(),d=(0,N.r)(s,t),p=e.illustrationImage,m=e.primaryButtonProps,h=e.secondaryButtonProps,g=e.headline,f=e.hasCondensedHeadline,v=e.hasCloseButton,b=void 0===v?e.hasCloseIcon:v,y=e.onDismiss,_=e.closeButtonAriaLabel,C=e.hasSmallHeadline,S=e.isWide,x=e.styles,k=e.theme,w=e.ariaDescribedBy,I=e.ariaLabelledBy,D=e.footerContent,T=e.focusTrapZoneProps,E=Uu(x,{theme:k,hasCondensedHeadline:f,hasSmallHeadline:C,hasCloseButton:b,hasHeadline:!!g,isWide:S,primaryButtonClassName:m?m.className:void 0,secondaryButtonClassName:h?h.className:void 0}),P=c.useCallback((function(e){y&&e.which===rt.m.escape&&y(e)}),[y]);if((0,U.d)(u,"keydown",P),p&&p.src&&(o=c.createElement("div",{className:E.imageContent},c.createElement(Ti.E,(0,l.pi)({},p)))),g){var M="string"==typeof g?"p":"div";n=c.createElement("div",{className:E.header},c.createElement(M,{role:"heading",className:E.headline,id:I},g))}if(e.children){var R="string"==typeof e.children?"p":"div";r=c.createElement("div",{className:E.body},c.createElement(R,{className:E.subText,id:w},e.children))}return(m||h||D)&&(i=c.createElement(Hu,{className:E.footer,horizontal:!0,horizontalAlign:D?"space-between":"end"},c.createElement(Hu.Item,{align:"center"},c.createElement("span",null,D)),c.createElement(Hu.Item,null,h&&c.createElement(ye.a,(0,l.pi)({},h,{className:E.secondaryButton})),m&&c.createElement(Se.K,(0,l.pi)({},m,{className:E.primaryButton}))))),b&&(a=c.createElement(V.h,{className:E.closeButton,iconProps:{iconName:"Cancel"},title:_,ariaLabel:_,onClick:y})),function(e,t){c.useImperativeHandle(e,(function(){return{focus:function(){var e;return null===(e=t.current)||void 0===e?void 0:e.focus()}}}),[t])}(e.componentRef,s),c.createElement("div",{className:E.content,ref:d,role:"dialog",tabIndex:-1,"aria-labelledby":I,"aria-describedby":w,"data-is-focusable":!0},o,c.createElement(Oe.P,(0,l.pi)({isClickableOutsideFocusTrap:!0},T),c.createElement("div",{className:E.bodyContent},n,r,i,a)))})),Ju={root:"ms-TeachingBubble",body:"ms-TeachingBubble-body",bodyContent:"ms-TeachingBubble-bodycontent",closeButton:"ms-TeachingBubble-closebutton",content:"ms-TeachingBubble-content",footer:"ms-TeachingBubble-footer",header:"ms-TeachingBubble-header",headerIsCondensed:"ms-TeachingBubble-header--condensed",headerIsSmall:"ms-TeachingBubble-header--small",headerIsLarge:"ms-TeachingBubble-header--large",headline:"ms-TeachingBubble-headline",image:"ms-TeachingBubble-image",primaryButton:"ms-TeachingBubble-primaryButton",secondaryButton:"ms-TeachingBubble-secondaryButton",subText:"ms-TeachingBubble-subText",button:"ms-Button",buttonLabel:"ms-Button-label"},Yu=(0,d.NF)((function(){return(0,u.F4)({"0%":{opacity:0,animationTimingFunction:u.D1.easeFunction1,transform:"scale3d(.90,.90,.90)"},"100%":{opacity:1,transform:"scale3d(1,1,1)"}})})),Zu=function(e,t){var o=t||{},n=o.calloutWidth,r=o.calloutMaxWidth;return[{display:"block",maxWidth:364,border:0,outline:"transparent",width:n||"calc(100% + 1px)",animationName:""+Yu(),animationDuration:"300ms",animationTimingFunction:"linear",animationFillMode:"both"},e&&{maxWidth:r||456}]},Xu=function(e,t,o){return t?[e.headerIsCondensed,{marginBottom:14}]:[o&&e.headerIsSmall,!o&&e.headerIsLarge,{selectors:{":not(:last-child)":{marginBottom:14}}}]},Qu=function(e){var t,o,n,r=e.hasCondensedHeadline,i=e.hasSmallHeadline,a=e.hasCloseButton,s=e.hasHeadline,c=e.isWide,d=e.primaryButtonClassName,p=e.secondaryButtonClassName,m=e.theme,h=e.calloutProps,g=void 0===h?{className:void 0,theme:m}:h,f=!r&&!i,v=m.palette,b=m.semanticColors,y=m.fonts,_=(0,u.Cn)(Ju,m);return{root:[_.root,y.medium,g.className],body:[_.body,a&&!s&&{marginRight:24},{selectors:{":not(:last-child)":{marginBottom:20}}}],bodyContent:[_.bodyContent,{padding:"20px 24px 20px 24px"}],closeButton:[_.closeButton,{position:"absolute",right:0,top:0,margin:"15px 15px 0 0",borderRadius:0,color:v.white,fontSize:y.small.fontSize,selectors:{":hover":{background:v.themeDarkAlt,color:v.white},":active":{background:v.themeDark,color:v.white},":focus":{border:"1px solid "+b.variantBorder}}}],content:(0,l.pr)([_.content],Zu(c),[c&&{display:"flex"}]),footer:[_.footer,{display:"flex",flex:"auto",alignItems:"center",color:v.white,selectors:(t={},t["."+_.button+":not(:first-child)"]={marginLeft:10},t)}],header:(0,l.pr)([_.header],Xu(_,r,i),[a&&{marginRight:24},(r||i)&&[y.medium,{fontWeight:u.lq.semibold}]]),headline:[_.headline,{margin:0,color:v.white,fontWeight:u.lq.semibold},f&&[{fontSize:y.xLarge.fontSize}]],imageContent:[_.header,_.image,c&&{display:"flex",alignItems:"center",maxWidth:154}],primaryButton:[_.primaryButton,d,{backgroundColor:v.white,borderColor:v.white,color:v.themePrimary,whiteSpace:"nowrap",selectors:(o={},o["."+_.buttonLabel]=y.medium,o[":hover"]={backgroundColor:v.themeLighter,borderColor:v.themeLighter,color:v.themePrimary},o[":focus"]={backgroundColor:v.themeLighter,borderColor:v.white},o[":active"]={backgroundColor:v.white,borderColor:v.white,color:v.themePrimary},o)}],secondaryButton:[_.secondaryButton,p,{backgroundColor:v.themePrimary,borderColor:v.white,whiteSpace:"nowrap",selectors:(n={},n["."+_.buttonLabel]=[y.medium,{color:v.white}],n["&:hover, &:focus"]={backgroundColor:v.themeDarkAlt,borderColor:v.white},n[":active"]={backgroundColor:v.themePrimary,borderColor:v.white},n)}],subText:[_.subText,{margin:0,fontSize:y.medium.fontSize,color:v.white,fontWeight:u.lq.regular}],subComponentStyles:{callout:{root:(0,l.pr)(Zu(c,g),[y.medium]),beak:[{background:v.themePrimary}],calloutMain:[{background:v.themePrimary}]}}}},$u=(0,I.z)(ju,Qu,void 0,{scope:"TeachingBubbleContent"}),ed={beakWidth:16,gapSpace:0,setInitialFocus:!0,doNotLayer:!1,directionalHint:K.b.rightCenter},td=(0,D.y)(),od=c.forwardRef((function(e,t){var o=c.useRef(null),n=(0,N.r)(o,t),r=e.calloutProps,i=e.targetElement,a=e.onDismiss,s=e.hasCloseButton,u=void 0===s?e.hasCloseIcon:s,d=e.isWide,p=e.styles,m=e.theme,h=e.target,g=c.useMemo((function(){return(0,l.pi)((0,l.pi)((0,l.pi)({},ed),r),{theme:m})}),[r,m]),f=td(p,{theme:m,isWide:d,calloutProps:g,hasCloseButton:u}),v=f.subComponentStyles?f.subComponentStyles.callout:void 0;return function(e,t){c.useImperativeHandle(e,(function(){return{focus:function(){var e;return null===(e=t.current)||void 0===e?void 0:e.focus()}}}),[t])}(e.componentRef,o),c.createElement(Ae.U,(0,l.pi)({target:h||i,onDismiss:a},g,{className:f.root,styles:v,hideOverflow:!0}),c.createElement("div",{ref:n},c.createElement($u,(0,l.pi)({},e))))}));od.displayName="TeachingBubble";var nd=(0,I.z)(od,Qu,void 0,{scope:"TeachingBubble"}),rd=function(e){if(null==e.children)return null;e.block,e.className;var t=e.as,o=void 0===t?"span":t,n=(e.variant,e.nowrap,(0,l._T)(e,["block","className","as","variant","nowrap"]));return Cu(ku(e,{root:o}).root,(0,l.pi)({},(0,E.pq)(n,E.iY)))},id=function(e,t){var o=e.as,n=e.className,r=e.block,i=e.nowrap,a=e.variant,s=t.fonts,l=t.semanticColors,c=s[a||"medium"];return{root:[c,{color:c.color||l.bodyText,display:r?"td"===o?"table-cell":"block":"inline",mozOsxFontSmoothing:c.MozOsxFontSmoothing,webkitFontSmoothing:c.WebkitFontSmoothing},i&&{whiteSpace:"nowrap",overflow:"hidden",textOverflow:"ellipsis"},n]}},ad=Tu(rd,{displayName:"Text",styles:id}),sd=o(8623),ld=o(5229),cd={9:/[0-9]/,a:/[a-zA-Z]/,"*":/[a-zA-Z0-9]/};function ud(e,t){if(void 0===t&&(t=cd),!e)return[];for(var o=[],n=0,r=0;r+n0&&(r=t[0].displayIndex-1);for(var i=0,a=t;ir&&(r=s.displayIndex)):o&&(l=o),n=n.slice(0,s.displayIndex)+l+n.slice(s.displayIndex+1)}return o||(n=n.slice(0,r+1)),n}function pd(e,t){for(var o=0;o=t)return e[o].displayIndex;return e[e.length-1].displayIndex}function md(e,t,o){for(var n=0;n=t){if(e[n].displayIndex>=t+o)break;e[n].value=void 0}return e}function hd(e,t,o){for(var n=0,r=0,i=!1,a=0;a=t)for(i=!0,r=e[a].displayIndex;n=t){e[o].value=void 0;break}return e}(y.maskCharData,s),r=pd(y.maskCharData,s)):(y.maskCharData=function(e,t){for(var o=e.length-1;o>=0;o--)if(e[o].displayIndex=0;o--)if(e[o].displayIndexk.length){p=l-(d=t.length-k.length);var v=t.substr(p,d);r=hd(y.maskCharData,p,v)}else if(t.length<=k.length){d=1;var b=k.length+d-t.length;p=l-d,v=t.substr(p,d),y.maskCharData=md(y.maskCharData,p,b),r=hd(y.maskCharData,p,v)}y.changeSelectionData=null;var _=dd(m,y.maskCharData,g);w(_),S(r),null===(n=u)||void 0===n||n(e,_)}}),[k.length,y,m,g,u]),R=c.useCallback((function(e){var t;if(null===(t=p)||void 0===t||t(e),y.changeSelectionData=null,o.current&&o.current.value){var n=e.keyCode,r=e.ctrlKey,i=e.metaKey;if(r||i)return;if(n===rt.m.backspace||n===rt.m.del){var a=e.target.selectionStart,s=e.target.selectionEnd;if(!(n===rt.m.backspace&&s&&s>0||n===rt.m.del&&null!==a&&a{"use strict";o.d(t,{_:()=>m});var n=o(2002),r=o(7622),i=o(7002),a=o(7300),s=o(8127),l=o(2470),c=o(2998),u=o(4085),d=(0,a.y)(),p=i.forwardRef((function(e,t){var o=(0,u.M)(void 0,e.id),n=e.items,a=e.columnCount,p=e.onRenderItem,m=e.ariaPosInSet,h=void 0===m?e.positionInSet:m,g=e.ariaSetSize,f=void 0===g?e.setSize:g,v=e.styles,b=e.doNotContainWithinFocusZone,y=(0,s.pq)(e,s.iY,b?[]:["onBlur"]),_=d(v,{theme:e.theme}),C=(0,l.QC)(n,a),S=i.createElement("table",(0,r.pi)({"aria-posinset":h,"aria-setsize":f,id:o,role:"grid"},y,{className:_.root}),i.createElement("tbody",null,C.map((function(e,t){return i.createElement("tr",{role:"row",key:t},e.map((function(e,t){return i.createElement("td",{role:"presentation",key:t+"-cell",className:_.tableCell},p(e,t))})))}))));return b?S:i.createElement(c.k,{elementRef:t,isCircularNavigation:e.shouldFocusCircularNavigate,className:_.focusedContainer,onBlur:e.onBlur},S)})),m=(0,n.z)(p,(function(e){return{root:{padding:2,outline:"none"},tableCell:{padding:0}}}));m.displayName="ButtonGrid"},634:(e,t,o)=>{"use strict";o.d(t,{U:()=>s});var n=o(7002),r=o(8088),i=o(990),a=o(4085),s=function(e){var t,o=(0,a.M)("gridCell"),s=e.item,l=e.id,c=void 0===l?o:l,u=e.className,d=e.role,p=e.selected,m=e.disabled,h=void 0!==m&&m,g=e.onRenderItem,f=e.cellDisabledStyle,v=e.cellIsSelectedStyle,b=e.index,y=e.label,_=e.getClassNames,C=e.onClick,S=e.onHover,x=e.onMouseMove,k=e.onMouseLeave,w=e.onMouseEnter,I=e.onFocus,D=n.useCallback((function(){C&&!h&&C(s)}),[h,s,C]),T=n.useCallback((function(e){w&&w(e)||!S||h||S(s)}),[h,s,S,w]),E=n.useCallback((function(e){x&&x(e)||!S||h||S(s)}),[h,s,S,x]),P=n.useCallback((function(e){k&&k(e)||!S||h||S()}),[h,S,k]),M=n.useCallback((function(){I&&!h&&I(s)}),[h,s,I]);return n.createElement(i.M,{id:c,"data-index":b,"data-is-focusable":!0,disabled:h,className:(0,r.i)(u,(t={},t[""+v]=p,t[""+f]=h,t)),onClick:D,onMouseEnter:T,onMouseMove:E,onMouseLeave:P,onFocus:M,role:d,"aria-selected":p,ariaLabel:y,title:y,getClassNames:_},g(s))}},7970:(e,t,o)=>{"use strict";o.d(t,{a:()=>r});var n=o(21);function r(e,t,o,r,i){return r===n.c5||"number"!=typeof r?"#"+i:"rgba("+e+", "+t+", "+o+", "+r/n.c5+")"}},1342:(e,t,o)=>{"use strict";function n(e,t,o){return void 0===o&&(o=0),et?t:e}o.d(t,{u:()=>n})},21:(e,t,o)=>{"use strict";o.d(t,{fr:()=>n,a_:()=>r,uw:()=>i,uc:()=>a,WC:()=>s,c5:()=>l,yE:()=>c,fG:()=>u,HT:()=>d,jU:()=>p,lX:()=>m,Xb:()=>h});var n=100,r=359,i=100,a=255,s=a,l=100,c=3,u=6,d=1,p=3,m=/^[\da-f]{0,6}$/i,h=/^\d{0,3}$/},5298:(e,t,o)=>{"use strict";o.d(t,{L:()=>r});var n=o(21);function r(e){return!e||e.length=n.fG?e.substring(0,n.fG):e.substring(0,n.yE)}},2775:(e,t,o)=>{"use strict";o.d(t,{k:()=>i});var n=o(21),r=o(1342);function i(e){return{r:(0,r.u)(e.r,n.uc),g:(0,r.u)(e.g,n.uc),b:(0,r.u)(e.b,n.uc),a:"number"==typeof e.a?(0,r.u)(e.a,n.c5):e.a}}},8584:(e,t,o)=>{"use strict";o.d(t,{r:()=>i});var n=o(21),r=o(5194);function i(e){if(e)return a(e)||function(e){if("#"===e[0]&&7===e.length&&/^#[\da-fA-F]{6}$/.test(e))return{r:parseInt(e.slice(1,3),16),g:parseInt(e.slice(3,5),16),b:parseInt(e.slice(5,7),16),a:n.c5}}(e)||function(e){if("#"===e[0]&&4===e.length&&/^#[\da-fA-F]{3}$/.test(e))return{r:parseInt(e[1]+e[1],16),g:parseInt(e[2]+e[2],16),b:parseInt(e[3]+e[3],16),a:n.c5}}(e)||function(e){var t=e.match(/^hsl(a?)\(([\d., ]+)\)$/);if(t){var o=!!t[1],i=o?4:3,a=t[2].split(/ *, */).map(Number);if(a.length===i){var s=(0,r.w)(a[0],a[1],a[2]);return s.a=o?100*a[3]:n.c5,s}}}(e)||function(e){if("undefined"!=typeof document){var t=document.createElement("div");t.style.backgroundColor=e,t.style.position="absolute",t.style.top="-9999px",t.style.left="-9999px",t.style.height="1px",t.style.width="1px",document.body.appendChild(t);var o=getComputedStyle(t),n=o&&o.backgroundColor;if(document.body.removeChild(t),"rgba(0, 0, 0, 0)"!==n&&"transparent"!==n)return a(n);switch(e.trim()){case"transparent":case"#0000":case"#00000000":return{r:0,g:0,b:0,a:0}}}}(e)}function a(e){if(e){var t=e.match(/^rgb(a?)\(([\d., ]+)\)$/);if(t){var o=!!t[1],r=o?4:3,i=t[2].split(/ *, */).map(Number);if(i.length===r)return{r:i[0],g:i[1],b:i[2],a:o?100*i[3]:n.c5}}}}},8208:(e,t,o)=>{"use strict";o.d(t,{N:()=>s});var n=o(21),r=o(5772),i=o(5705),a=o(7970);function s(e){var t=e.a,o=void 0===t?n.c5:t,s=e.b,l=e.g,c=e.r,u=(0,r.D)(c,l,s),d=u.h,p=u.s,m=u.v,h=(0,i.C)(c,l,s);return{a:o,b:s,g:l,h:d,hex:h,r:c,s:p,str:(0,a.a)(c,l,s,o,h),v:m,t:n.c5-o}}},7375:(e,t,o)=>{"use strict";o.d(t,{T:()=>a});var n=o(7622),r=o(8584),i=o(8208);function a(e){var t=(0,r.r)(e);if(t)return(0,n.pi)((0,n.pi)({},(0,i.N)(t)),{str:e})}},2417:(e,t,o)=>{"use strict";o.d(t,{p:()=>i});var n=o(21),r=o(3770);function i(e){return"#"+(0,r.d)(e.h,n.fr,n.uw)}},5040:(e,t,o)=>{"use strict";function n(e,t,o){var n=o+(t*=(o<50?o:100-o)/100);return{h:e,s:0===n?0:2*t/n*100,v:n}}o.d(t,{E:()=>n})},5194:(e,t,o)=>{"use strict";o.d(t,{w:()=>i});var n=o(5040),r=o(9865);function i(e,t,o){var i=(0,n.E)(e,t,o);return(0,r.X)(i.h,i.s,i.v)}},3770:(e,t,o)=>{"use strict";o.d(t,{d:()=>i});var n=o(9865),r=o(5705);function i(e,t,o){var i=(0,n.X)(e,t,o),a=i.r,s=i.g,l=i.b;return(0,r.C)(a,s,l)}},9865:(e,t,o)=>{"use strict";o.d(t,{X:()=>r});var n=o(21);function r(e,t,o){var r=[],i=(o/=100)*(t/=100),a=e/60,s=i*(1-Math.abs(a%2-1)),l=o-i;switch(Math.floor(a)){case 0:r=[i,s,0];break;case 1:r=[s,i,0];break;case 2:r=[0,i,s];break;case 3:r=[0,s,i];break;case 4:r=[s,0,i];break;case 5:r=[i,0,s]}return{r:Math.round(n.uc*(r[0]+l)),g:Math.round(n.uc*(r[1]+l)),b:Math.round(n.uc*(r[2]+l))}}},5705:(e,t,o)=>{"use strict";o.d(t,{C:()=>i});var n=o(21),r=o(1342);function i(e,t,o){return[a(e),a(t),a(o)].join("")}function a(e){var t=(e=(0,r.u)(e,n.uc)).toString(16);return 1===t.length?"0"+t:t}},5772:(e,t,o)=>{"use strict";o.d(t,{D:()=>r});var n=o(21);function r(e,t,o){var r=NaN,i=Math.max(e,t,o),a=i-Math.min(e,t,o);return 0===a?r=0:e===i?r=(t-o)/a%6:t===i?r=(o-e)/a+2:o===i&&(r=(e-t)/a+4),(r=Math.round(60*r))<0&&(r+=360),{h:r,s:Math.round(100*(0===i?0:a/i)),v:Math.round(i/n.uc*100)}}},8490:(e,t,o)=>{"use strict";o.d(t,{R:()=>a});var n=o(7622),r=o(7970),i=o(21);function a(e,t){return(0,n.pi)((0,n.pi)({},e),{a:t,t:i.c5-t,str:(0,r.a)(e.r,e.g,e.b,t,e.hex)})}},1990:(e,t,o)=>{"use strict";o.d(t,{i:()=>s});var n=o(7622),r=o(9865),i=o(5705),a=o(7970);function s(e,t){var o=(0,r.X)(t,e.s,e.v),s=o.r,l=o.g,c=o.b,u=(0,i.C)(s,l,c);return(0,n.pi)((0,n.pi)({},e),{h:t,r:s,g:l,b:c,hex:u,str:(0,a.a)(s,l,c,e.a,u)})}},6119:(e,t,o)=>{"use strict";o.d(t,{d:()=>s});var n=o(7622),r=o(9865),i=o(5705),a=o(7970);function s(e,t,o){var s=(0,r.X)(e.h,t,o),l=s.r,c=s.g,u=s.b,d=(0,i.C)(l,c,u);return(0,n.pi)((0,n.pi)({},e),{s:t,v:o,r:l,g:c,b:u,hex:d,str:(0,a.a)(l,c,u,e.a,d)})}},1332:(e,t,o)=>{"use strict";o.d(t,{X:()=>a});var n=o(7622),r=o(7970),i=o(21);function a(e,t){var o=i.c5-t;return(0,n.pi)((0,n.pi)({},e),{t,a:o,str:(0,r.a)(e.r,e.g,e.b,o,e.hex)})}},2240:(e,t,o)=>{"use strict";function n(e){return e.canCheck?!(!e.isChecked&&!e.checked):"boolean"==typeof e.isChecked?e.isChecked:"boolean"==typeof e.checked?e.checked:null}function r(e){return!(!e.subMenuProps&&!e.items)}function i(e){return!(!e.isDisabled&&!e.disabled)}function a(e){return null!==n(e)?"menuitemcheckbox":"menuitem"}o.d(t,{E3:()=>n,Df:()=>r,P_:()=>i,JF:()=>a})},1071:(e,t,o)=>{"use strict";o.d(t,{P:()=>a});var n=o(7622),r=o(7002),i=o(4542),a=function(e){function t(t){var o=e.call(this,t)||this;return o._updateComposedComponentRef=o._updateComposedComponentRef.bind(o),o}return(0,n.ZT)(t,e),t.prototype._updateComposedComponentRef=function(e){this._composedComponentInstance=e,e?this._hoisted=(0,i.W)(this,e):this._hoisted&&(0,i.e)(this,this._hoisted)},t}(r.Component)},9761:(e,t,o)=>{"use strict";o.d(t,{eD:()=>n,kd:()=>h,LF:()=>g,K7:()=>f,Ae:()=>v,tc:()=>b});var n,r=o(7622),i=o(7002),a=o(1071),s=o(9757),l=o(9919),c=o(1529),u=o(8901);!function(e){e[e.small=0]="small",e[e.medium=1]="medium",e[e.large=2]="large",e[e.xLarge=3]="xLarge",e[e.xxLarge=4]="xxLarge",e[e.xxxLarge=5]="xxxLarge",e[e.unknown=999]="unknown"}(n||(n={}));var d,p,m=[479,639,1023,1365,1919,99999999];function h(e){d=e}function g(e){var t=(0,s.J)(e);t&&b(t)}function f(){return d||p||n.large}function v(e){var t,o=((t=function(t){function o(e){var o=t.call(this,e)||this;return o._onResize=function(){var e=b(o.context.window);e!==o.state.responsiveMode&&o.setState({responsiveMode:e})},o._events=new l.r(o),o._updateComposedComponentRef=o._updateComposedComponentRef.bind(o),o.state={responsiveMode:f()},o}return(0,r.ZT)(o,t),o.prototype.componentDidMount=function(){this._events.on(this.context.window,"resize",this._onResize),this._onResize()},o.prototype.componentWillUnmount=function(){this._events.dispose()},o.prototype.render=function(){var t=this.state.responsiveMode;return t===n.unknown?null:i.createElement(e,(0,r.pi)({ref:this._updateComposedComponentRef,responsiveMode:t},this.props))},o}(a.P)).contextType=u.Hn,t);return(0,c.f)(e,o)}function b(e){var t=n.small;if(e){try{for(;e.innerWidth>m[t];)t++}catch(e){t=f()}p=t}else{if(void 0===d)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.");t=d}return t}},4126:(e,t,o)=>{"use strict";o.d(t,{q:()=>l});var n=o(7002),r=o(9757),i=o(757),a=o(9761),s=o(8901),l=function(e){var t=n.useState(a.K7),o=t[0],l=t[1],c=n.useCallback((function(){var t=(0,a.tc)((0,r.J)(e.current));o!==t&&l(t)}),[e,o]),u=(0,s.zY)();return(0,i.d)(u,"resize",c),n.useEffect((function(){c()}),[]),o}},8128:(e,t,o)=>{"use strict";o.d(t,{ww:()=>r,by:()=>i,L7:()=>a,fV:()=>s,ms:()=>l,A4:()=>c,nK:()=>u,Tc:()=>d,Tj:()=>n});var n,r="ktp",i="-",a=r+i,s="data-ktp-target",l="data-ktp-execute-target",c="data-ktp-aria-target",u="ktp-layer-id",d=", ";!function(e){e.KEYTIP_ADDED="keytipAdded",e.KEYTIP_REMOVED="keytipRemoved",e.KEYTIP_UPDATED="keytipUpdated",e.PERSISTED_KEYTIP_ADDED="persistedKeytipAdded",e.PERSISTED_KEYTIP_REMOVED="persistedKeytipRemoved",e.PERSISTED_KEYTIP_EXECUTE="persistedKeytipExecute",e.ENTER_KEYTIP_MODE="enterKeytipMode",e.EXIT_KEYTIP_MODE="exitKeytipMode"}(n||(n={}))},344:(e,t,o)=>{"use strict";o.d(t,{K:()=>s});var n=o(7622),r=o(9919),i=o(2782),a=o(8128),s=function(){function e(){this.keytips={},this.persistedKeytips={},this.sequenceMapping={},this.inKeytipMode=!1,this.shouldEnterKeytipMode=!0,this.delayUpdatingKeytipChange=!1}return e.getInstance=function(){return this._instance},e.prototype.init=function(e){this.delayUpdatingKeytipChange=e},e.prototype.register=function(e,t){void 0===t&&(t=!1);var o=e;t||(o=this.addParentOverflow(e),this.sequenceMapping[o.keySequences.toString()]=o);var n=this._getUniqueKtp(o);if(t?this.persistedKeytips[n.uniqueID]=n:this.keytips[n.uniqueID]=n,this.inKeytipMode||!this.delayUpdatingKeytipChange){var i=t?a.Tj.PERSISTED_KEYTIP_ADDED:a.Tj.KEYTIP_ADDED;r.r.raise(this,i,{keytip:o,uniqueID:n.uniqueID})}return n.uniqueID},e.prototype.update=function(e,t){var o=this.addParentOverflow(e),n=this._getUniqueKtp(o,t),i=this.keytips[t];i&&(n.keytip.visible=i.keytip.visible,this.keytips[t]=n,delete this.sequenceMapping[i.keytip.keySequences.toString()],this.sequenceMapping[n.keytip.keySequences.toString()]=n.keytip,!this.inKeytipMode&&this.delayUpdatingKeytipChange||r.r.raise(this,a.Tj.KEYTIP_UPDATED,{keytip:n.keytip,uniqueID:n.uniqueID}))},e.prototype.unregister=function(e,t,o){void 0===o&&(o=!1),o?delete this.persistedKeytips[t]:delete this.keytips[t],!o&&delete this.sequenceMapping[e.keySequences.toString()];var n=o?a.Tj.PERSISTED_KEYTIP_REMOVED:a.Tj.KEYTIP_REMOVED;!this.inKeytipMode&&this.delayUpdatingKeytipChange||r.r.raise(this,n,{keytip:e,uniqueID:t})},e.prototype.enterKeytipMode=function(){r.r.raise(this,a.Tj.ENTER_KEYTIP_MODE)},e.prototype.exitKeytipMode=function(){r.r.raise(this,a.Tj.EXIT_KEYTIP_MODE)},e.prototype.getKeytips=function(){var e=this;return Object.keys(this.keytips).map((function(t){return e.keytips[t].keytip}))},e.prototype.addParentOverflow=function(e){var t=(0,n.pr)(e.keySequences);if(t.pop(),0!==t.length){var o=this.sequenceMapping[t.toString()];if(o&&o.overflowSetSequence)return(0,n.pi)((0,n.pi)({},e),{overflowSetSequence:o.overflowSetSequence})}return e},e.prototype.menuExecute=function(e,t){r.r.raise(this,a.Tj.PERSISTED_KEYTIP_EXECUTE,{overflowButtonSequences:e,keytipSequences:t})},e.prototype._getUniqueKtp=function(e,t){return void 0===t&&(t=(0,i.z)()),{keytip:(0,n.pi)({},e),uniqueID:t}},e._instance=new e,e}()},5325:(e,t,o)=>{"use strict";o.d(t,{aB:()=>a,a1:()=>s,eX:()=>l,_l:()=>c,w7:()=>u});var n=o(7622),r=o(8128),i=o(2470);function a(e){return e.reduce((function(e,t){return e+r.by+t.split("").join(r.by)}),r.ww)}function s(e,t){var o=t.length,r=(0,n.pr)(t).pop(),a=(0,n.pr)(e);return(0,i.OA)(a,o-1,r)}function l(e){return"["+r.fV+'="'+a(e)+'"]'}function c(e){return"["+r.ms+'="'+e+'"]'}function u(e){var t=" "+r.nK;return e.length?t+" "+a(e):t}},6591:(e,t,o)=>{"use strict";o.d(t,{p$:()=>F,c5:()=>L,Su:()=>A,DC:()=>z,bv:()=>H,qE:()=>O});var n,r=o(7622),i=o(6628),a=o(5951),s=o(4948),l=o(4568),c=o(4884);function u(e,t,o){return{targetEdge:e,alignmentEdge:t,isAuto:o}}var d=((n={})[i.b.topLeftEdge]=u(l.z.top,l.z.left),n[i.b.topCenter]=u(l.z.top),n[i.b.topRightEdge]=u(l.z.top,l.z.right),n[i.b.topAutoEdge]=u(l.z.top,void 0,!0),n[i.b.bottomLeftEdge]=u(l.z.bottom,l.z.left),n[i.b.bottomCenter]=u(l.z.bottom),n[i.b.bottomRightEdge]=u(l.z.bottom,l.z.right),n[i.b.bottomAutoEdge]=u(l.z.bottom,void 0,!0),n[i.b.leftTopEdge]=u(l.z.left,l.z.top),n[i.b.leftCenter]=u(l.z.left),n[i.b.leftBottomEdge]=u(l.z.left,l.z.bottom),n[i.b.rightTopEdge]=u(l.z.right,l.z.top),n[i.b.rightCenter]=u(l.z.right),n[i.b.rightBottomEdge]=u(l.z.right,l.z.bottom),n);function p(e,t){return!(e.topt.bottom||e.leftt.right)}function m(e,t){var o=[];return e.topt.bottom&&o.push(l.z.bottom),e.leftt.right&&o.push(l.z.right),o}function h(e,t){return e[l.z[t]]}function g(e,t,o){return e[l.z[t]]=o,e}function f(e,t){var o=I(t);return(h(e,o.positiveEdge)+h(e,o.negativeEdge))/2}function v(e,t){return e>0?t:-1*t}function b(e,t){return v(e,h(t,e))}function y(e,t,o){return v(o,h(e,o)-h(t,o))}function _(e,t,o){var n=h(e,t)-o;return e=g(e,t,o),g(e,-1*t,h(e,-1*t)-n)}function C(e,t,o,n){return void 0===n&&(n=0),_(e,o,h(t,o)+v(o,n))}function S(e,t,o){return b(o,e)>b(o,t)}function x(e,t,o){for(var n=0,r=e;nMath.abs(y(e,o,-1*t))?-1*t:t}function T(e,t,o){var n=f(t,e),r=f(o,e),i=I(e),a=i.positiveEdge,s=i.negativeEdge;return n<=r?a:s}function E(e,t,o,n,r,i,s){var c=w(e,t,n,r,s);return p(c,o)?{elementRectangle:c,targetEdge:n.targetEdge,alignmentEdge:n.alignmentEdge}:function(e,t,o,n,r,i,s){void 0===r&&(r=0);var c=n.alignmentEdge,u=n.alignTargetEdge,d={elementRectangle:e,targetEdge:n.targetEdge,alignmentEdge:c};i||s||(d=function(e,t,o,n,r){void 0===r&&(r=0);var i=[l.z.left,l.z.right,l.z.bottom,l.z.top];(0,a.zg)()&&(i[0]*=-1,i[1]*=-1);for(var s=e,c=n.targetEdge,u=n.alignmentEdge,d=0;d<4;d++){if(S(s,o,c))return{elementRectangle:s,targetEdge:c,alignmentEdge:u};i.splice(i.indexOf(c),1),i.length>0&&(i.indexOf(-1*c)>-1?c*=-1:(u=c,c=i.slice(-1)[0]),s=w(e,t,{targetEdge:c,alignmentEdge:u},r))}return{elementRectangle:e,targetEdge:n.targetEdge,alignmentEdge:n.alignmentEdge}}(e,t,o,n,r));var h=m(e,o);if(u){if(d.alignmentEdge&&h.indexOf(-1*d.alignmentEdge)>-1){var g=function(e,t,o,n){var r=e.alignmentEdge,i=e.targetEdge,a=-1*r;return{elementRectangle:w(e.elementRectangle,t,{targetEdge:i,alignmentEdge:a},o,n),targetEdge:i,alignmentEdge:a}}(d,t,r,s);if(p(g.elementRectangle,o))return g;d=x(m(g.elementRectangle,o),d,o)}}else d=x(h,d,o);return d}(e,t,o,n,r,i,s)}function P(e){var t=e.getBoundingClientRect();return new c.A(t.left,t.right,t.top,t.bottom)}function M(e){return new c.A(e.left,e.right,e.top,e.bottom)}function R(e,t,o,n){var s=e.gapSpace?e.gapSpace:0,u=function(e,t){var o;if(t){if(t.preventDefault){var n=t;o=new c.A(n.clientX,n.clientX,n.clientY,n.clientY)}else if(t.getBoundingClientRect)o=P(t);else{var r=t,i=r.left||r.x,a=r.top||r.y,s=r.right||i,u=r.bottom||a;o=new c.A(i,s,a,u)}if(!p(o,e))for(var d=0,h=m(o,e);d0?i:n.height}(i.stopPropagation?new c.A(i.clientX,i.clientX,i.clientY,i.clientY):void 0!==m&&void 0!==g?new c.A(m,f,g,v):P(a),t,o,p,r)}function H(e){return-1*e}function O(e,t){return function(e,t){var o=void 0;if(t.getWindowSegments&&(o=t.getWindowSegments()),void 0===o||o.length<=1)return{top:0,left:0,right:t.innerWidth,bottom:t.innerHeight,width:t.innerWidth,height:t.innerHeight};var n=0,r=0;if(null!==e&&e.getBoundingClientRect){var i=e.getBoundingClientRect();n=(i.left+i.right)/2,r=(i.top+i.bottom)/2}else null!==e&&(n=e.left||e.x,r=e.top||e.y);for(var a={top:0,left:0,right:0,bottom:0,width:0,height:0},s=0,l=o;s=n&&r&&c.top<=r&&c.bottom>=r&&(a={top:c.top,left:c.left,right:c.right,bottom:c.bottom,width:c.width,height:c.height})}return a}(e,t)}},4568:(e,t,o)=>{"use strict";var n,r;o.d(t,{z:()=>n,L:()=>r}),function(e){e[e.top=1]="top",e[e.bottom=-1]="bottom",e[e.left=2]="left",e[e.right=-2]="right"}(n||(n={})),function(e){e[e.top=0]="top",e[e.bottom=1]="bottom",e[e.start=2]="start",e[e.end=3]="end"}(r||(r={}))},5515:(e,t,o)=>{"use strict";function n(e,t){for(var o=[],n=0,r=t;nn})},2703:(e,t,o)=>{"use strict";var n;o.d(t,{F:()=>n}),function(e){e[e.Normal=0]="Normal",e[e.Divider=1]="Divider",e[e.Header=2]="Header"}(n||(n={}))},4449:(e,t,o)=>{"use strict";o.d(t,{i:()=>S});var n=o(7622),r=o(7002),i=o(3345),a=o(6840),s=o(8145),l=o(9919),c=o(2167),u=o(688),d=o(9757),p=o(8088),m=o(5480),h=o(4948),g=o(5446),f=o(4553),v=o(5238),b="data-selection-index",y="data-selection-toggle",_="data-selection-invoke",C="data-selection-all-toggle",S=function(e){function t(t){var o=e.call(this,t)||this;o._root=r.createRef(),o.ignoreNextFocus=function(){o._handleNextFocus(!1)},o._onSelectionChange=function(){var e=o.props.selection,t=e.isModal&&e.isModal();o.setState({isModal:t})},o._onMouseDownCapture=function(e){var t=e.target;if(document.activeElement===t||(0,i.t)(document.activeElement,t)){if((0,i.t)(t,o._root.current))for(;t!==o._root.current;){if(o._hasAttribute(t,_)){o.ignoreNextFocus();break}t=(0,a.G)(t)}}else o.ignoreNextFocus()},o._onFocus=function(e){var t=e.target,n=o.props.selection,r=o._isCtrlPressed||o._isMetaPressed,i=o._getSelectionMode();if(o._shouldHandleFocus&&i!==v.oW.none){var a=o._hasAttribute(t,y),s=o._findItemRoot(t);if(!a&&s){var l=o._getItemIndex(s);r?(n.setIndexSelected(l,n.isIndexSelected(l),!0),o.props.enterModalOnTouch&&o._isTouch&&n.setModal&&(n.setModal(!0),o._setIsTouch(!1))):o.props.isSelectedOnFocus&&o._onItemSurfaceClick(e,l)}}o._handleNextFocus(!1)},o._onMouseDown=function(e){o._updateModifiers(e);var t=e.target,n=o._findItemRoot(t);if(!o._isSelectionDisabled(t))for(;t!==o._root.current&&!o._hasAttribute(t,C);){if(n){if(o._hasAttribute(t,y))break;if(o._hasAttribute(t,_))break;if(!(t!==n&&!o._shouldAutoSelect(t)||o._isShiftPressed||o._isCtrlPressed||o._isMetaPressed)){o._onInvokeMouseDown(e,o._getItemIndex(n));break}if(o.props.disableAutoSelectOnInputElements&&("A"===t.tagName||"BUTTON"===t.tagName||"INPUT"===t.tagName))return}t=(0,a.G)(t)}},o._onTouchStartCapture=function(e){o._setIsTouch(!0)},o._onClick=function(e){var t=o.props.enableTouchInvocationTarget,n=void 0!==t&&t;o._updateModifiers(e);for(var r=e.target,i=o._findItemRoot(r),s=o._isSelectionDisabled(r);r!==o._root.current;){if(o._hasAttribute(r,C)){s||o._onToggleAllClick(e);break}if(i){var l=o._getItemIndex(i);if(o._hasAttribute(r,y)){s||(o._isShiftPressed?o._onItemSurfaceClick(e,l):o._onToggleClick(e,l));break}if(o._isTouch&&n&&o._hasAttribute(r,"data-selection-touch-invoke")||o._hasAttribute(r,_)){o._onInvokeClick(e,l);break}if(r===i){s||o._onItemSurfaceClick(e,l);break}if("A"===r.tagName||"BUTTON"===r.tagName||"INPUT"===r.tagName)return}r=(0,a.G)(r)}},o._onContextMenu=function(e){var t=e.target,n=o.props,r=n.onItemContextMenu,i=n.selection;if(r){var a=o._findItemRoot(t);if(a){var s=o._getItemIndex(a);o._onInvokeMouseDown(e,s),r(i.getItems()[s],s,e.nativeEvent)||e.preventDefault()}}},o._onDoubleClick=function(e){var t=e.target,n=o.props.onItemInvoked,r=o._findItemRoot(t);if(r&&n&&!o._isInputElement(t)){for(var i=o._getItemIndex(r);t!==o._root.current&&!o._hasAttribute(t,y)&&!o._hasAttribute(t,_);){if(t===r){o._onInvokeClick(e,i);break}t=(0,a.G)(t)}t=(0,a.G)(t)}},o._onKeyDownCapture=function(e){o._updateModifiers(e),o._handleNextFocus(!0)},o._onKeyDown=function(e){o._updateModifiers(e);var t=e.target,n=o._isSelectionDisabled(t),r=o.props.selection,i=e.which===s.m.a&&(o._isCtrlPressed||o._isMetaPressed),l=e.which===s.m.escape;if(!o._isInputElement(t)){var c=o._getSelectionMode();if(i&&c===v.oW.multiple&&!r.isAllSelected())return n||r.setAllSelected(!0),e.stopPropagation(),void e.preventDefault();if(l&&r.getSelectedCount()>0)return n||r.setAllSelected(!1),e.stopPropagation(),void e.preventDefault();var u=o._findItemRoot(t);if(u)for(var d=o._getItemIndex(u);t!==o._root.current&&!o._hasAttribute(t,y);){if(o._shouldAutoSelect(t)){n||o._onInvokeMouseDown(e,d);break}if(!(e.which!==s.m.enter&&e.which!==s.m.space||"BUTTON"!==t.tagName&&"A"!==t.tagName&&"INPUT"!==t.tagName))return!1;if(t===u){if(e.which===s.m.enter)return o._onInvokeClick(e,d),void e.preventDefault();if(e.which===s.m.space)return n||o._onToggleClick(e,d),void e.preventDefault();break}t=(0,a.G)(t)}}},o._events=new l.r(o),o._async=new c.e(o),(0,u.l)(o);var n=o.props.selection,d=n.isModal&&n.isModal();return o.state={isModal:d},o}return(0,n.ZT)(t,e),t.getDerivedStateFromProps=function(e,t){var o=e.selection.isModal&&e.selection.isModal();return(0,n.pi)((0,n.pi)({},t),{isModal:o})},t.prototype.componentDidMount=function(){var e=(0,d.J)(this._root.current);this._events.on(e,"keydown, keyup",this._updateModifiers,!0),this._events.on(document,"click",this._findScrollParentAndTryClearOnEmptyClick),this._events.on(document.body,"touchstart",this._onTouchStartCapture,!0),this._events.on(document.body,"touchend",this._onTouchStartCapture,!0),this._events.on(this.props.selection,"change",this._onSelectionChange)},t.prototype.render=function(){var e=this.state.isModal;return r.createElement("div",{className:(0,p.i)("ms-SelectionZone",this.props.className,{"ms-SelectionZone--modal":!!e}),ref:this._root,onKeyDown:this._onKeyDown,onMouseDown:this._onMouseDown,onKeyDownCapture:this._onKeyDownCapture,onClick:this._onClick,role:"presentation",onDoubleClick:this._onDoubleClick,onContextMenu:this._onContextMenu,onMouseDownCapture:this._onMouseDownCapture,onFocusCapture:this._onFocus,"data-selection-is-modal":!!e||void 0},this.props.children,r.createElement(m.u,null))},t.prototype.componentDidUpdate=function(e){var t=this.props.selection;t!==e.selection&&(this._events.off(e.selection),this._events.on(t,"change",this._onSelectionChange))},t.prototype.componentWillUnmount=function(){this._events.dispose(),this._async.dispose()},t.prototype._isSelectionDisabled=function(e){if(this._getSelectionMode()===v.oW.none)return!0;for(;e!==this._root.current;){if(this._hasAttribute(e,"data-selection-disabled"))return!0;e=(0,a.G)(e)}return!1},t.prototype._onToggleAllClick=function(e){var t=this.props.selection;this._getSelectionMode()===v.oW.multiple&&(t.toggleAllSelected(),e.stopPropagation(),e.preventDefault())},t.prototype._onToggleClick=function(e,t){var o=this.props.selection,n=this._getSelectionMode();if(o.setChangeEvents(!1),this.props.enterModalOnTouch&&this._isTouch&&!o.isIndexSelected(t)&&o.setModal&&(o.setModal(!0),this._setIsTouch(!1)),n===v.oW.multiple)o.toggleIndexSelected(t);else{if(n!==v.oW.single)return void o.setChangeEvents(!0);var r=o.isIndexSelected(t),i=o.isModal&&o.isModal();o.setAllSelected(!1),o.setIndexSelected(t,!r,!0),i&&o.setModal&&o.setModal(!0)}o.setChangeEvents(!0),e.stopPropagation()},t.prototype._onInvokeClick=function(e,t){var o=this.props,n=o.selection,r=o.onItemInvoked;r&&(r(n.getItems()[t],t,e.nativeEvent),e.preventDefault(),e.stopPropagation())},t.prototype._onItemSurfaceClick=function(e,t){var o=this.props.selection,n=this._isCtrlPressed||this._isMetaPressed,r=this._getSelectionMode();r===v.oW.multiple?this._isShiftPressed&&!this._isTabPressed?o.selectToIndex(t,!n):n?o.toggleIndexSelected(t):this._clearAndSelectIndex(t):r===v.oW.single&&this._clearAndSelectIndex(t)},t.prototype._onInvokeMouseDown=function(e,t){this.props.selection.isIndexSelected(t)||this._clearAndSelectIndex(t)},t.prototype._findScrollParentAndTryClearOnEmptyClick=function(e){var t=(0,h.zj)(this._root.current);this._events.off(document,"click",this._findScrollParentAndTryClearOnEmptyClick),this._events.on(t,"click",this._tryClearOnEmptyClick),(t&&e.target instanceof Node&&t.contains(e.target)||t===e.target)&&this._tryClearOnEmptyClick(e)},t.prototype._tryClearOnEmptyClick=function(e){!this.props.selectionPreservedOnEmptyClick&&this._isNonHandledClick(e.target)&&this.props.selection.setAllSelected(!1)},t.prototype._clearAndSelectIndex=function(e){var t=this.props.selection;if(1!==t.getSelectedCount()||!t.isIndexSelected(e)){var o=t.isModal&&t.isModal();t.setChangeEvents(!1),t.setAllSelected(!1),t.setIndexSelected(e,!0,!0),(o||this.props.enterModalOnTouch&&this._isTouch)&&(t.setModal&&t.setModal(!0),this._isTouch&&this._setIsTouch(!1)),t.setChangeEvents(!0)}},t.prototype._updateModifiers=function(e){this._isShiftPressed=e.shiftKey,this._isCtrlPressed=e.ctrlKey,this._isMetaPressed=e.metaKey;var t=e.keyCode;this._isTabPressed=!!t&&t===s.m.tab},t.prototype._findItemRoot=function(e){for(var t=this.props.selection;e!==this._root.current;){var o=e.getAttribute(b),n=Number(o);if(null!==o&&n>=0&&n{"use strict";o.d(t,{x:()=>i});var n={},r=void 0;try{r=window}catch(e){}function i(e,t){if(void 0!==r){var o=r.__packages__=r.__packages__||{};o[e]&&n[e]||(n[e]=t,(o[e]=o[e]||[]).push(t))}}i("@fluentui/set-version","6.0.0")},9729:(e,t,o)=>{"use strict";o.d(t,{k4:()=>X,Ic:()=>G,D1:()=>q,JJ:()=>he,rN:()=>ve.r,ir:()=>Q.i,UK:()=>ee.U,Ox:()=>xe,yV:()=>$,TS:()=>be.TS,lq:()=>be.lq,qJ:()=>_e,$v:()=>Se,bO:()=>Ce,ld:()=>be.ld,qS:()=>Xe.q,a1:()=>Ze,P$:()=>Re,yp:()=>Me,mV:()=>Pe,yO:()=>Ne,CQ:()=>Be,AV:()=>Ie,dd:()=>we,QQ:()=>ke,bE:()=>Fe,qv:()=>De,B:()=>Te,F1:()=>Ee,Ye:()=>Xe.Y,Jw:()=>le,bR:()=>He,$O:()=>r,E$:()=>xt.m,l7:()=>kt.l,FF:()=>ye.F,jG:()=>ie.j,e2:()=>Ve,jN:()=>ct.j,h4:()=>ze,$X:()=>rt,jx:()=>Ke,GL:()=>We,Cn:()=>$e,xM:()=>Ae,q7:()=>ft,Wx:()=>St,$Y:()=>qe,Sv:()=>at,sK:()=>Le,gh:()=>ue,Nf:()=>tt,ul:()=>Ge,F4:()=>i.F,jz:()=>me,ZC:()=>wt.Z,y0:()=>n.y,jq:()=>nt,Fv:()=>ot,Kq:()=>Q.K,M_:()=>gt,fm:()=>mt,tj:()=>de,sw:()=>pe,yN:()=>vt,Kf:()=>ht});var n=o(9444);function r(e){var t={},o=function(o){var r;e.hasOwnProperty(o)&&Object.defineProperty(t,o,{get:function(){return void 0===r&&(r=(0,n.y)(e[o]).toString()),r},enumerable:!0,configurable:!0})};for(var r in e)o(r);return t}var i=o(2762),a="cubic-bezier(.1,.9,.2,1)",s="cubic-bezier(.1,.25,.75,.9)",l="0.167s",c="0.267s",u="0.367s",d="0.467s",p=(0,i.F)({from:{opacity:0},to:{opacity:1}}),m=(0,i.F)({from:{opacity:1},to:{opacity:0,visibility:"hidden"}}),h=j(-10),g=j(-20),f=j(-40),v=j(-400),b=j(10),y=j(20),_=j(40),C=j(400),S=J(10),x=J(20),k=J(-10),w=J(-20),I=Y(10),D=Y(20),T=Y(40),E=Y(400),P=Y(-10),M=Y(-20),R=Y(-40),N=Y(-400),B=Z(-10),F=Z(-20),L=Z(10),A=Z(20),z=(0,i.F)({from:{transform:"scale3d(.98,.98,1)"},to:{transform:"scale3d(1,1,1)"}}),H=(0,i.F)({from:{transform:"scale3d(1,1,1)"},to:{transform:"scale3d(.98,.98,1)"}}),O=(0,i.F)({from:{transform:"scale3d(1.03,1.03,1)"},to:{transform:"scale3d(1,1,1)"}}),W=(0,i.F)({from:{transform:"scale3d(1,1,1)"},to:{transform:"scale3d(1.03,1.03,1)"}}),V=(0,i.F)({from:{transform:"rotateZ(0deg)"},to:{transform:"rotateZ(90deg)"}}),K=(0,i.F)({from:{transform:"rotateZ(0deg)"},to:{transform:"rotateZ(-90deg)"}}),q={easeFunction1:a,easeFunction2:s,durationValue1:l,durationValue2:c,durationValue3:u,durationValue4:d},G={slideRightIn10:U(p+","+h,u,a),slideRightIn20:U(p+","+g,u,a),slideRightIn40:U(p+","+f,u,a),slideRightIn400:U(p+","+v,u,a),slideLeftIn10:U(p+","+b,u,a),slideLeftIn20:U(p+","+y,u,a),slideLeftIn40:U(p+","+_,u,a),slideLeftIn400:U(p+","+C,u,a),slideUpIn10:U(p+","+S,u,a),slideUpIn20:U(p+","+x,u,a),slideDownIn10:U(p+","+k,u,a),slideDownIn20:U(p+","+w,u,a),slideRightOut10:U(m+","+I,u,a),slideRightOut20:U(m+","+D,u,a),slideRightOut40:U(m+","+T,u,a),slideRightOut400:U(m+","+E,u,a),slideLeftOut10:U(m+","+P,u,a),slideLeftOut20:U(m+","+M,u,a),slideLeftOut40:U(m+","+R,u,a),slideLeftOut400:U(m+","+N,u,a),slideUpOut10:U(m+","+B,u,a),slideUpOut20:U(m+","+F,u,a),slideDownOut10:U(m+","+L,u,a),slideDownOut20:U(m+","+A,u,a),scaleUpIn100:U(p+","+z,u,a),scaleDownIn100:U(p+","+O,u,a),scaleUpOut103:U(m+","+W,l,s),scaleDownOut98:U(m+","+H,l,s),fadeIn100:U(p,l,s),fadeIn200:U(p,c,s),fadeIn400:U(p,u,s),fadeIn500:U(p,d,s),fadeOut100:U(m,l,s),fadeOut200:U(m,c,s),fadeOut400:U(m,u,s),fadeOut500:U(m,d,s),rotate90deg:U(V,"0.1s",s),rotateN90deg:U(K,"0.1s",s)};function U(e,t,o){return{animationName:e,animationDuration:t,animationTimingFunction:o,animationFillMode:"both"}}function j(e){return(0,i.F)({from:{transform:"translate3d("+e+"px,0,0)",pointerEvents:"none"},to:{transform:"translate3d(0,0,0)",pointerEvents:"auto"}})}function J(e){return(0,i.F)({from:{transform:"translate3d(0,"+e+"px,0)",pointerEvents:"none"},to:{transform:"translate3d(0,0,0)",pointerEvents:"auto"}})}function Y(e){return(0,i.F)({from:{transform:"translate3d(0,0,0)"},to:{transform:"translate3d("+e+"px,0,0)"}})}function Z(e){return(0,i.F)({from:{transform:"translate3d(0,0,0)"},to:{transform:"translate3d(0,"+e+"px,0)"}})}var X=r(G),Q=o(1209),$=r(Q.i),ee=o(5314),te=o(7622),oe=o(1767),ne=o(9757),re=o(4976),ie=o(8932),ae=(0,ie.j)({}),se=[],le="theme";function ce(){var e,t,o;if(!oe.X.getSettings([le]).theme){var n=(0,ne.J)();(null===(o=null===(t=n)||void 0===t?void 0:t.FabricConfig)||void 0===o?void 0:o.theme)&&(ae=(0,ie.j)(n.FabricConfig.theme)),oe.X.applySettings(((e={})[le]=ae,e))}}function ue(e){return void 0===e&&(e=!1),!0===e&&(ae=(0,ie.j)({},e)),ae}function de(e){-1===se.indexOf(e)&&se.push(e)}function pe(e){var t=se.indexOf(e);-1!==t&&se.splice(t,1)}function me(e,t){var o;return void 0===t&&(t=!1),ae=(0,ie.j)(e,t),(0,re.jz)((0,te.pi)((0,te.pi)((0,te.pi)((0,te.pi)({},ae.palette),ae.semanticColors),ae.effects),function(e){for(var t={},o=0,n=Object.keys(e.fonts);o10?" (+ "+(bt.length-10)+" more)":"")),yt=void 0,bt=[]}),2e3)))}var Ct={display:"inline-block"};function St(e){var t="",o=ft(e);return o&&(t=(0,n.y)(o.subset.className,Ct,{selectors:{"::before":{content:'"'+o.code+'"'}}})),t}var xt=o(3570),kt=o(965),wt=o(2005);(0,o(6316).x)("@fluentui/style-utilities","8.0.2"),ce()},5314:(e,t,o)=>{"use strict";o.d(t,{U:()=>n});var n={themeDarker:"#004578",themeDark:"#005a9e",themeDarkAlt:"#106ebe",themePrimary:"#0078d4",themeSecondary:"#2b88d8",themeTertiary:"#71afe5",themeLight:"#c7e0f4",themeLighter:"#deecf9",themeLighterAlt:"#eff6fc",black:"#000000",blackTranslucent40:"rgba(0,0,0,.4)",neutralDark:"#201f1e",neutralPrimary:"#323130",neutralPrimaryAlt:"#3b3a39",neutralSecondary:"#605e5c",neutralSecondaryAlt:"#8a8886",neutralTertiary:"#a19f9d",neutralTertiaryAlt:"#c8c6c4",neutralQuaternary:"#d2d0ce",neutralQuaternaryAlt:"#e1dfdd",neutralLight:"#edebe9",neutralLighter:"#f3f2f1",neutralLighterAlt:"#faf9f8",accent:"#0078d4",white:"#ffffff",whiteTranslucent40:"rgba(255,255,255,.4)",yellowDark:"#d29200",yellow:"#ffb900",yellowLight:"#fff100",orange:"#d83b01",orangeLight:"#ea4300",orangeLighter:"#ff8c00",redDark:"#a4262c",red:"#e81123",magentaDark:"#5c005c",magenta:"#b4009e",magentaLight:"#e3008c",purpleDark:"#32145a",purple:"#5c2d91",purpleLight:"#b4a0ff",blueDark:"#002050",blueMid:"#00188f",blue:"#0078d4",blueLight:"#00bcf2",tealDark:"#004b50",teal:"#008272",tealLight:"#00b294",greenDark:"#004b1c",green:"#107c10",greenLight:"#bad80a"}},8932:(e,t,o)=>{"use strict";o.d(t,{j:()=>c});var n=o(5314),r=o(8708),i=o(1209),a=o(8188),s=o(3968),l=o(6267);function c(e,t){void 0===e&&(e={}),void 0===t&&(t=!1);var o=!!e.isInverted,c={palette:n.U,effects:r.r,fonts:i.i,spacing:s.C,isInverted:o,disableGlobalClassNames:!1,semanticColors:(0,l.b)(n.U,r.r,void 0,o,t),rtl:void 0};return(0,a.I)(c,e)}},8708:(e,t,o)=>{"use strict";o.d(t,{r:()=>r});var n=o(4733),r={elevation4:n.N.depth4,elevation8:n.N.depth8,elevation16:n.N.depth16,elevation64:n.N.depth64,roundedCorner2:"2px",roundedCorner4:"4px",roundedCorner6:"6px"}},4733:(e,t,o)=>{"use strict";var n;o.d(t,{N:()=>n}),function(e){e.depth0="0 0 0 0 transparent",e.depth4="0 1.6px 3.6px 0 rgba(0, 0, 0, 0.132), 0 0.3px 0.9px 0 rgba(0, 0, 0, 0.108)",e.depth8="0 3.2px 7.2px 0 rgba(0, 0, 0, 0.132), 0 0.6px 1.8px 0 rgba(0, 0, 0, 0.108)",e.depth16="0 6.4px 14.4px 0 rgba(0, 0, 0, 0.132), 0 1.2px 3.6px 0 rgba(0, 0, 0, 0.108)",e.depth64="0 25.6px 57.6px 0 rgba(0, 0, 0, 0.22), 0 4.8px 14.4px 0 rgba(0, 0, 0, 0.18)"}(n||(n={}))},1209:(e,t,o)=>{"use strict";o.d(t,{i:()=>d,K:()=>h});var n,r,i,a=o(3310),s=o(3182),l=o(7134),c=o(3856),u=o(9757),d=(0,l.F)((0,c.G)());function p(e,t,o,n){e="'"+e+"'";var r=void 0!==n?"local('"+n+"'),":"";(0,a.j)({fontFamily:e,src:r+"url('"+t+".woff2') format('woff2'),url('"+t+".woff') format('woff')",fontWeight:o,fontStyle:"normal",fontDisplay:"swap"})}function m(e,t,o,n,r){void 0===n&&(n="segoeui");var i=e+"/"+o+"/"+n;p(t,i+"-light",s.lq.light,r&&r+" Light"),p(t,i+"-semilight",s.lq.semilight,r&&r+" SemiLight"),p(t,i+"-regular",s.lq.regular,r),p(t,i+"-semibold",s.lq.semibold,r&&r+" SemiBold"),p(t,i+"-bold",s.lq.bold,r&&r+" Bold")}function h(e){if(e){var t=e+"/fonts";m(t,s.Qm.Thai,"leelawadeeui-thai","leelawadeeui"),m(t,s.Qm.Arabic,"segoeui-arabic"),m(t,s.Qm.Cyrillic,"segoeui-cyrillic"),m(t,s.Qm.EastEuropean,"segoeui-easteuropean"),m(t,s.Qm.Greek,"segoeui-greek"),m(t,s.Qm.Hebrew,"segoeui-hebrew"),m(t,s.Qm.Vietnamese,"segoeui-vietnamese"),m(t,s.Qm.WestEuropean,"segoeui-westeuropean","segoeui","Segoe UI"),m(t,s.II.Selawik,"selawik","selawik"),m(t,s.Qm.Armenian,"segoeui-armenian"),m(t,s.Qm.Georgian,"segoeui-georgian"),p("Leelawadee UI Web",t+"/leelawadeeui-thai/leelawadeeui-semilight",s.lq.light),p("Leelawadee UI Web",t+"/leelawadeeui-thai/leelawadeeui-bold",s.lq.semibold)}}h(null!=(i=null===(r=null===(n=(0,u.J)())||void 0===n?void 0:n.FabricConfig)||void 0===r?void 0:r.fontBaseUrl)?i:"https://static2.sharepointonline.com/files/fabric/assets")},3182:(e,t,o)=>{"use strict";var n,r,i,a,s;o.d(t,{Qm:()=>n,II:()=>r,TS:()=>i,lq:()=>a,ld:()=>s}),function(e){e.Arabic="Segoe UI Web (Arabic)",e.Cyrillic="Segoe UI Web (Cyrillic)",e.EastEuropean="Segoe UI Web (East European)",e.Greek="Segoe UI Web (Greek)",e.Hebrew="Segoe UI Web (Hebrew)",e.Thai="Leelawadee UI Web",e.Vietnamese="Segoe UI Web (Vietnamese)",e.WestEuropean="Segoe UI Web (West European)",e.Selawik="Selawik Web",e.Armenian="Segoe UI Web (Armenian)",e.Georgian="Segoe UI Web (Georgian)"}(n||(n={})),function(e){e.Arabic="'"+n.Arabic+"'",e.ChineseSimplified="'Microsoft Yahei UI', Verdana, Simsun",e.ChineseTraditional="'Microsoft Jhenghei UI', Pmingliu",e.Cyrillic="'"+n.Cyrillic+"'",e.EastEuropean="'"+n.EastEuropean+"'",e.Greek="'"+n.Greek+"'",e.Hebrew="'"+n.Hebrew+"'",e.Hindi="'Nirmala UI'",e.Japanese="'Yu Gothic UI', 'Meiryo UI', Meiryo, 'MS Pgothic', Osaka",e.Korean="'Malgun Gothic', Gulim",e.Selawik="'"+n.Selawik+"'",e.Thai="'Leelawadee UI Web', 'Kmer UI'",e.Vietnamese="'"+n.Vietnamese+"'",e.WestEuropean="'"+n.WestEuropean+"'",e.Armenian="'"+n.Armenian+"'",e.Georgian="'"+n.Georgian+"'"}(r||(r={})),function(e){e.size10="10px",e.size12="12px",e.size14="14px",e.size16="16px",e.size18="18px",e.size20="20px",e.size24="24px",e.size28="28px",e.size32="32px",e.size42="42px",e.size68="68px",e.mini="10px",e.xSmall="10px",e.small="12px",e.smallPlus="12px",e.medium="14px",e.mediumPlus="16px",e.icon="16px",e.large="18px",e.xLarge="20px",e.xLargePlus="24px",e.xxLarge="28px",e.xxLargePlus="32px",e.superLarge="42px",e.mega="68px"}(i||(i={})),function(e){e.light=100,e.semilight=300,e.regular=400,e.semibold=600,e.bold=700}(a||(a={})),function(e){e.xSmall="10px",e.small="12px",e.medium="16px",e.large="20px"}(s||(s={}))},7134:(e,t,o)=>{"use strict";o.d(t,{F:()=>s});var n=o(3182),r="'Segoe UI', '"+n.Qm.WestEuropean+"'",i={ar:n.II.Arabic,bg:n.II.Cyrillic,cs:n.II.EastEuropean,el:n.II.Greek,et:n.II.EastEuropean,he:n.II.Hebrew,hi:n.II.Hindi,hr:n.II.EastEuropean,hu:n.II.EastEuropean,ja:n.II.Japanese,kk:n.II.EastEuropean,ko:n.II.Korean,lt:n.II.EastEuropean,lv:n.II.EastEuropean,pl:n.II.EastEuropean,ru:n.II.Cyrillic,sk:n.II.EastEuropean,"sr-latn":n.II.EastEuropean,th:n.II.Thai,tr:n.II.EastEuropean,uk:n.II.Cyrillic,vi:n.II.Vietnamese,"zh-hans":n.II.ChineseSimplified,"zh-hant":n.II.ChineseTraditional,hy:n.II.Armenian,ka:n.II.Georgian};function a(e,t,o){return{fontFamily:o,MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontSize:e,fontWeight:t}}function s(e){var t=function(e){for(var t in i)if(i.hasOwnProperty(t)&&e&&0===t.indexOf(e))return i[t];return r}(e)+", 'Segoe UI', -apple-system, BlinkMacSystemFont, 'Roboto', 'Helvetica Neue', sans-serif";return{tiny:a(n.TS.mini,n.lq.regular,t),xSmall:a(n.TS.xSmall,n.lq.regular,t),small:a(n.TS.small,n.lq.regular,t),smallPlus:a(n.TS.smallPlus,n.lq.regular,t),medium:a(n.TS.medium,n.lq.regular,t),mediumPlus:a(n.TS.mediumPlus,n.lq.regular,t),large:a(n.TS.large,n.lq.regular,t),xLarge:a(n.TS.xLarge,n.lq.semibold,t),xLargePlus:a(n.TS.xLargePlus,n.lq.semibold,t),xxLarge:a(n.TS.xxLarge,n.lq.semibold,t),xxLargePlus:a(n.TS.xxLargePlus,n.lq.semibold,t),superLarge:a(n.TS.superLarge,n.lq.semibold,t),mega:a(n.TS.mega,n.lq.semibold,t)}}},8188:(e,t,o)=>{"use strict";o.d(t,{I:()=>i});var n=o(9478),r=o(6267);function i(e,t){var o,i,a,s;void 0===t&&(t={});var l=(0,n.T)({},e,t,{semanticColors:(0,r.Q)(t.palette,t.effects,t.semanticColors,void 0===t.isInverted?e.isInverted:t.isInverted)});if((null===(o=t.palette)||void 0===o?void 0:o.themePrimary)&&!(null===(i=t.palette)||void 0===i?void 0:i.accent)&&(l.palette.accent=t.palette.themePrimary),t.defaultFontStyle)for(var c=0,u=Object.keys(l.fonts);c{"use strict";o.d(t,{C:()=>n});var n={s2:"4px",s1:"8px",m:"16px",l1:"20px",l2:"32px"}},6267:(e,t,o)=>{"use strict";o.d(t,{b:()=>r,Q:()=>i});var n=o(7622);function r(e,t,o,r,a){return void 0===a&&(a=!1),function(e,t){var o="";return!0===t&&(o=" /* @deprecated */"),e.listTextColor=e.listText+o,e.menuItemBackgroundChecked+=o,e.warningHighlight+=o,e.warningText=e.messageText+o,e.successText+=o,e}(i(e,t,(0,n.pi)({primaryButtonBorder:"transparent",errorText:r?"#F1707B":"#a4262c",messageText:r?"#F3F2F1":"#323130",messageLink:r?"#6CB8F6":"#005A9E",messageLinkHovered:r?"#82C7FF":"#004578",infoIcon:r?"#C8C6C4":"#605e5c",errorIcon:r?"#F1707B":"#A80000",blockingIcon:r?"#442726":"#FDE7E9",warningIcon:r?"#C8C6C4":"#797775",severeWarningIcon:r?"#FCE100":"#D83B01",successIcon:r?"#92C353":"#107C10",infoBackground:r?"#323130":"#f3f2f1",errorBackground:r?"#442726":"#FDE7E9",blockingBackground:r?"#442726":"#FDE7E9",warningBackground:r?"#433519":"#FFF4CE",severeWarningBackground:r?"#4F2A0F":"#FED9CC",successBackground:r?"#393D1B":"#DFF6DD",warningHighlight:r?"#fff100":"#ffb900",successText:r?"#92c353":"#107C10"},o),r),a)}function i(e,t,o,r,i){var a,s,l;void 0===i&&(i=!1);var c={},u=e||{},d=u.white,p=u.black,m=u.themePrimary,h=u.themeDark,g=u.themeDarker,f=u.themeDarkAlt,v=u.themeLighter,b=u.neutralLight,y=u.neutralLighter,_=u.neutralDark,C=u.neutralQuaternary,S=u.neutralQuaternaryAlt,x=u.neutralPrimary,k=u.neutralSecondary,w=u.neutralSecondaryAlt,I=u.neutralTertiary,D=u.neutralTertiaryAlt,T=u.neutralLighterAlt,E=u.accent;return d&&(c.bodyBackground=d,c.bodyFrameBackground=d,c.accentButtonText=d,c.buttonBackground=d,c.primaryButtonText=d,c.primaryButtonTextHovered=d,c.primaryButtonTextPressed=d,c.inputBackground=d,c.inputForegroundChecked=d,c.listBackground=d,c.menuBackground=d,c.cardStandoutBackground=d),p&&(c.bodyTextChecked=p,c.buttonTextCheckedHovered=p),m&&(c.link=m,c.primaryButtonBackground=m,c.inputBackgroundChecked=m,c.inputIcon=m,c.inputFocusBorderAlt=m,c.menuIcon=m,c.menuHeader=m,c.accentButtonBackground=m),h&&(c.primaryButtonBackgroundPressed=h,c.inputBackgroundCheckedHovered=h,c.inputIconHovered=h),g&&(c.linkHovered=g),f&&(c.primaryButtonBackgroundHovered=f),v&&(c.inputPlaceholderBackgroundChecked=v),b&&(c.bodyBackgroundChecked=b,c.bodyFrameDivider=b,c.bodyDivider=b,c.variantBorder=b,c.buttonBackgroundCheckedHovered=b,c.buttonBackgroundPressed=b,c.listItemBackgroundChecked=b,c.listHeaderBackgroundPressed=b,c.menuItemBackgroundPressed=b,c.menuItemBackgroundChecked=b),y&&(c.bodyBackgroundHovered=y,c.buttonBackgroundHovered=y,c.buttonBackgroundDisabled=y,c.buttonBorderDisabled=y,c.primaryButtonBackgroundDisabled=y,c.disabledBackground=y,c.listItemBackgroundHovered=y,c.listHeaderBackgroundHovered=y,c.menuItemBackgroundHovered=y),C&&(c.primaryButtonTextDisabled=C,c.disabledSubtext=C),S&&(c.listItemBackgroundCheckedHovered=S),I&&(c.disabledBodyText=I,c.variantBorderHovered=(null===(a=o)||void 0===a?void 0:a.variantBorderHovered)||I,c.buttonTextDisabled=I,c.inputIconDisabled=I,c.disabledText=I),x&&(c.bodyText=x,c.actionLink=x,c.buttonText=x,c.inputBorderHovered=x,c.inputText=x,c.listText=x,c.menuItemText=x),T&&(c.bodyStandoutBackground=T,c.defaultStateBackground=T),_&&(c.actionLinkHovered=_,c.buttonTextHovered=_,c.buttonTextChecked=_,c.buttonTextPressed=_,c.inputTextHovered=_,c.menuItemTextHovered=_),k&&(c.bodySubtext=k,c.focusBorder=k,c.inputBorder=k,c.smallInputBorder=k,c.inputPlaceholderText=k),w&&(c.buttonBorder=w),D&&(c.disabledBodySubtext=D,c.disabledBorder=D,c.buttonBackgroundChecked=D,c.menuDivider=D),E&&(c.accentButtonBackground=E),(null===(s=t)||void 0===s?void 0:s.elevation4)&&(c.cardShadow=t.elevation4),!r&&(null===(l=t)||void 0===l?void 0:l.elevation8)?c.cardShadowHovered=t.elevation8:c.variantBorderHovered&&(c.cardShadowHovered="0 0 1px "+c.variantBorderHovered),(0,n.pi)((0,n.pi)({},c),o)}},2167:(e,t,o)=>{"use strict";o.d(t,{e:()=>r});var n=o(9757),r=function(){function e(e,t){this._timeoutIds=null,this._immediateIds=null,this._intervalIds=null,this._animationFrameIds=null,this._isDisposed=!1,this._parent=e||null,this._onErrorHandler=t,this._noop=function(){}}return e.prototype.dispose=function(){var e;if(this._isDisposed=!0,this._parent=null,this._timeoutIds){for(e in this._timeoutIds)this._timeoutIds.hasOwnProperty(e)&&this.clearTimeout(parseInt(e,10));this._timeoutIds=null}if(this._immediateIds){for(e in this._immediateIds)this._immediateIds.hasOwnProperty(e)&&this.clearImmediate(parseInt(e,10));this._immediateIds=null}if(this._intervalIds){for(e in this._intervalIds)this._intervalIds.hasOwnProperty(e)&&this.clearInterval(parseInt(e,10));this._intervalIds=null}if(this._animationFrameIds){for(e in this._animationFrameIds)this._animationFrameIds.hasOwnProperty(e)&&this.cancelAnimationFrame(parseInt(e,10));this._animationFrameIds=null}},e.prototype.setTimeout=function(e,t){var o=this,n=0;return this._isDisposed||(this._timeoutIds||(this._timeoutIds={}),n=setTimeout((function(){try{o._timeoutIds&&delete o._timeoutIds[n],e.apply(o._parent)}catch(e){o._logError(e)}}),t),this._timeoutIds[n]=!0),n},e.prototype.clearTimeout=function(e){this._timeoutIds&&this._timeoutIds[e]&&(clearTimeout(e),delete this._timeoutIds[e])},e.prototype.setImmediate=function(e,t){var o=this,r=0,i=(0,n.J)(t);return this._isDisposed||(this._immediateIds||(this._immediateIds={}),r=i.setTimeout((function(){try{o._immediateIds&&delete o._immediateIds[r],e.apply(o._parent)}catch(e){o._logError(e)}}),0),this._immediateIds[r]=!0),r},e.prototype.clearImmediate=function(e,t){var o=(0,n.J)(t);this._immediateIds&&this._immediateIds[e]&&(o.clearTimeout(e),delete this._immediateIds[e])},e.prototype.setInterval=function(e,t){var o=this,n=0;return this._isDisposed||(this._intervalIds||(this._intervalIds={}),n=setInterval((function(){try{e.apply(o._parent)}catch(e){o._logError(e)}}),t),this._intervalIds[n]=!0),n},e.prototype.clearInterval=function(e){this._intervalIds&&this._intervalIds[e]&&(clearInterval(e),delete this._intervalIds[e])},e.prototype.throttle=function(e,t,o){var n=this;if(this._isDisposed)return this._noop;var r,i,a=t||0,s=!0,l=!0,c=0,u=null;o&&"boolean"==typeof o.leading&&(s=o.leading),o&&"boolean"==typeof o.trailing&&(l=o.trailing);var d=function(t){var o=Date.now(),p=o-c,m=s?a-p:a;return p>=a&&(!t||s)?(c=o,u&&(n.clearTimeout(u),u=null),r=e.apply(n._parent,i)):null===u&&l&&(u=n.setTimeout(d,m)),r};return function(){for(var e=[],t=0;t=s&&(o=!0),d=t);var r=t-d,a=s-r,h=t-p,v=!1;return null!==u&&(h>=u&&m?v=!0:a=Math.min(a,u-h)),r>=s||v||o?g(t):null!==m&&e||!c||(m=n.setTimeout(f,a)),i},v=function(){return!!m},b=function(){for(var e=[],t=0;t{"use strict";o.d(t,{H:()=>u,S:()=>p});var n=o(7622),r=o(7002),i=o(2167),a=o(9919),s=o(5415),l=o(209),c=o(3129),u=function(e){function t(o,n){var r=e.call(this,o,n)||this;return function(e,t,o){for(var n=0,r=o.length;n1?e[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 i.e(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 a.r(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(o){return t[e]=o}),this.__resolves[e]},t.prototype._updateComponentRef=function(e,t){void 0===t&&(t={}),e&&t&&e.componentRef!==t.componentRef&&(this._setComponentRef(e.componentRef,null),this._setComponentRef(t.componentRef,this))},t.prototype._warnDeprecations=function(e){(0,c.b)(this.className,this.props,e)},t.prototype._warnMutuallyExclusive=function(e){(0,l.L)(this.className,this.props,e)},t.prototype._warnConditionallyRequiredProps=function(e,t,o){(0,s.w)(this.className,this.props,e,t,o)},t.prototype._setComponentRef=function(e,t){!this._skipComponentRefResolution&&e&&("function"==typeof e&&e(t),"object"==typeof e&&(e.current=t))},t}(r.Component);function d(e,t,o){var n=e[o],r=t[o];(n||r)&&(e[o]=function(){for(var e,t=[],o=0;o{"use strict";o.d(t,{U:()=>i});var n=o(7622),r=o(7002),i=function(e){function t(t){var o=e.call(this,t)||this;return o.state={isRendered:!1},o}return(0,n.ZT)(t,e),t.prototype.componentDidMount=function(){var e=this,t=this.props.delay;this._timeoutId=window.setTimeout((function(){e.setState({isRendered:!0})}),t)},t.prototype.componentWillUnmount=function(){this._timeoutId&&clearTimeout(this._timeoutId)},t.prototype.render=function(){return this.state.isRendered?r.Children.only(this.props.children):null},t.defaultProps={delay:0},t}(r.Component)},9919:(e,t,o)=>{"use strict";o.d(t,{r:()=>r});var n=o(2447),r=function(){function e(t){this._id=e._uniqueId++,this._parent=t,this._eventRecords=[]}return e.raise=function(t,o,r,i){var a;if(e._isElement(t)){if("undefined"!=typeof document&&document.createEvent){var s=document.createEvent("HTMLEvents");s.initEvent(o,i||!1,!0),(0,n.f0)(s,r),a=t.dispatchEvent(s)}else if("undefined"!=typeof document&&document.createEventObject){var l=document.createEventObject(r);t.fireEvent("on"+o,l)}}else for(;t&&!1!==a;){var c=t.__events__,u=c?c[o]:null;if(u)for(var d in u)if(u.hasOwnProperty(d))for(var p=u[d],m=0;!1!==a&&m-1)for(var a=o.split(/[ ,]+/),s=0;s{"use strict";o.d(t,{D:()=>i});var n=o(9757),r=0,i=function(){function e(){}return e.getValue=function(e,t){var o=a();return void 0===o[e]&&(o[e]="function"==typeof t?t():t),o[e]},e.setValue=function(e,t){var o=a(),n=o.__callbacks__,r=o[e];if(t!==r){o[e]=t;var i={oldValue:r,value:t,key:e};for(var s in n)n.hasOwnProperty(s)&&n[s](i)}return t},e.addChangeListener=function(e){var t=e.__id__,o=s();t||(t=e.__id__=String(r++)),o[t]=e},e.removeChangeListener=function(e){delete s()[e.__id__]},e}();function a(){var e,t=(0,n.J)()||{};return t.__globalSettings__||(t.__globalSettings__=((e={}).__callbacks__={},e)),t.__globalSettings__}function s(){return a().__callbacks__}},8145:(e,t,o)=>{"use strict";o.d(t,{m:()=>n});var n={backspace:8,tab:9,enter:13,shift:16,ctrl:17,alt:18,pauseBreak:19,capslock:20,escape:27,space:32,pageUp:33,pageDown:34,end:35,home:36,left:37,up:38,right:39,down:40,insert:45,del:46,zero:48,one:49,two:50,three:51,four:52,five:53,six:54,seven:55,eight:56,nine:57,a:65,b:66,c:67,d:68,e:69,f:70,g:71,h:72,i:73,j:74,k:75,l:76,m:77,n:78,o:79,p:80,q:81,r:82,s:83,t:84,u:85,v:86,w:87,x:88,y:89,z:90,leftWindow:91,rightWindow:92,select:93,zero_numpad:96,one_numpad:97,two_numpad:98,three_numpad:99,four_numpad:100,five_numpad:101,six_numpad:102,seven_numpad:103,eight_numpad:104,nine_numpad:105,multiply:106,add:107,subtract:109,decimalPoint:110,divide:111,f1:112,f2:113,f3:114,f4:115,f5:116,f6:117,f7:118,f8:119,f9:120,f10:121,f11:122,f12:123,numlock:144,scrollLock:145,semicolon:186,equalSign:187,comma:188,dash:189,period:190,forwardSlash:191,graveAccent:192,openBracket:219,backSlash:220,closeBracket:221,singleQuote:222}},4884:(e,t,o)=>{"use strict";o.d(t,{A:()=>n});var n=function(){function e(e,t,o,n){void 0===e&&(e=0),void 0===t&&(t=0),void 0===o&&(o=0),void 0===n&&(n=0),this.top=o,this.bottom=n,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}()},9151:(e,t,o)=>{"use strict";function n(e){for(var t=[],o=1;on})},9577:(e,t,o)=>{"use strict";function n(){for(var e=[],t=0;tn})},2470:(e,t,o)=>{"use strict";function n(e,t,o){void 0===o&&(o=0);for(var n=-1,r=o;e&&rn,sE:()=>r,Ri:()=>i,QC:()=>a,$E:()=>s,wm:()=>l,OA:()=>c,xH:()=>u,cO:()=>d})},7300:(e,t,o)=>{"use strict";o.d(t,{y:()=>u});var n=o(729),r=o(2005),i=o(5951),a=o(9757),s=0,l=n.Y.getInstance();l&&l.onReset&&l.onReset((function(){return s++}));var c="__retval__";function u(e){void 0===e&&(e={});var t=new Map,o=0,n=0,l=s;return function(u,d){var m,h;if(void 0===d&&(d={}),e.useStaticStyles&&"function"==typeof u&&u.__noStyleOverride__)return u(d);n++;var g=t,f=d.theme,v=f&&void 0!==f.rtl?f.rtl:(0,i.zg)(),b=e.disableCaching;return l!==s&&(l=s,t=new Map,o=0),e.disableCaching||(g=p(t,u),g=p(g,d)),!b&&g[c]||(g[c]=void 0===u?{}:(0,r.I)(["function"==typeof u?u(d):u],{rtl:!!v,specificityMultiplier:e.useStaticStyles?5:void 0}),b||o++),o>(e.cacheSize||50)&&((null===(h=null===(m=(0,a.J)())||void 0===m?void 0:m.FabricConfig)||void 0===h?void 0:h.enableClassNameCacheFullWarning)&&(console.warn("Styles are being recalculated too frequently. Cache miss rate is "+o+"/"+n+"."),console.trace()),t.clear(),o=0,e.disableCaching=!0),g[c]}}function d(e,t){return t=function(e){switch(e){case void 0:return"__undefined__";case null:return"__null__";default:return e}}(t),e.has(t)||e.set(t,new Map),e.get(t)}function p(e,t){if("function"==typeof t)if(t.__cachedInputs__)for(var o=0,n=t.__cachedInputs__;o{"use strict";function n(e,t){return void 0!==e[t]&&null!==e[t]}o.d(t,{s:()=>n})},4932:(e,t,o)=>{"use strict";o.d(t,{S:()=>i});var n=o(2470),r=function(e){return function(t){for(var o=0,n=e.refs;o{"use strict";function n(){for(var e=[],t=0;tn})},1767:(e,t,o)=>{"use strict";o.d(t,{X:()=>l});var n=o(7622),r=o(5822),i={settings:{},scopedSettings:{},inCustomizerContext:!1},a=r.D.getValue("customizations",{settings:{},scopedSettings:{},inCustomizerContext:!1}),s=[],l=function(){function e(){}return e.reset=function(){a.settings={},a.scopedSettings={}},e.applySettings=function(t){a.settings=(0,n.pi)((0,n.pi)({},a.settings),t),e._raiseChange()},e.applyScopedSettings=function(t,o){a.scopedSettings[t]=(0,n.pi)((0,n.pi)({},a.scopedSettings[t]),o),e._raiseChange()},e.getSettings=function(e,t,o){void 0===o&&(o=i);for(var n={},r=t&&o.scopedSettings[t]||{},s=t&&a.scopedSettings[t]||{},l=0,c=e;l{"use strict";o.d(t,{N:()=>l});var n=o(7622),r=o(7002),i=o(1767),a=o(7576),s=o(8889),l=function(e){function t(){var t=null!==e&&e.apply(this,arguments)||this;return t._onCustomizationChange=function(){return t.forceUpdate()},t}return(0,n.ZT)(t,e),t.prototype.componentDidMount=function(){i.X.observe(this._onCustomizationChange)},t.prototype.componentWillUnmount=function(){i.X.unobserve(this._onCustomizationChange)},t.prototype.render=function(){var e=this,t=this.props.contextTransform;return r.createElement(a.i.Consumer,null,(function(o){var n=(0,s.u)(e.props,o);return t&&(n=t(n)),r.createElement(a.i.Provider,{value:n},e.props.children)}))},t}(r.Component)},7576:(e,t,o)=>{"use strict";o.d(t,{i:()=>n});var n=o(7002).createContext({customizations:{inCustomizerContext:!1,settings:{},scopedSettings:{}}})},6053:(e,t,o)=>{"use strict";o.d(t,{a:()=>c});var n=o(7622),r=o(7002),i=o(1767),a=o(1529),s=o(7576),l=o(3570);function c(e,t,o){return function(c){var u,d=((u=function(a){function u(e){var t=a.call(this,e)||this;return t._styleCache={},t._onSettingChanged=t._onSettingChanged.bind(t),t}return(0,n.ZT)(u,a),u.prototype.componentDidMount=function(){i.X.observe(this._onSettingChanged)},u.prototype.componentWillUnmount=function(){i.X.unobserve(this._onSettingChanged)},u.prototype.render=function(){var a=this;return r.createElement(s.i.Consumer,null,(function(s){var u=i.X.getSettings(t,e,s.customizations),d=a.props;if(u.styles&&"function"==typeof u.styles&&(u.styles=u.styles((0,n.pi)((0,n.pi)({},u),d))),o&&u.styles){if(a._styleCache.default!==u.styles||a._styleCache.component!==d.styles){var p=(0,l.m)(u.styles,d.styles);a._styleCache.default=u.styles,a._styleCache.component=d.styles,a._styleCache.merged=p}return r.createElement(c,(0,n.pi)({},u,d,{styles:a._styleCache.merged}))}return r.createElement(c,(0,n.pi)({},u,d))}))},u.prototype._onSettingChanged=function(){this.forceUpdate()},u}(r.Component)).displayName="Customized"+e,u);return(0,a.f)(c,d)}}},8889:(e,t,o)=>{"use strict";o.d(t,{u:()=>r});var n=o(3579);function r(e,t){var o=(t||{}).customizations,r=void 0===o?{settings:{},scopedSettings:{}}:o;return{customizations:{settings:(0,n.O)(r.settings,e.settings),scopedSettings:(0,n.J)(r.scopedSettings,e.scopedSettings),inCustomizerContext:!0}}}},3579:(e,t,o)=>{"use strict";o.d(t,{O:()=>r,J:()=>i});var n=o(7622);function r(e,t){return void 0===e&&(e={}),(a(t)?t:function(e){return function(t){return e?(0,n.pi)((0,n.pi)({},t),e):t}}(t))(e)}function i(e,t){return void 0===e&&(e={}),(a(t)?t:(void 0===(o=t)&&(o={}),function(e){var t=(0,n.pi)({},e);for(var r in o)o.hasOwnProperty(r)&&(t[r]=(0,n.pi)((0,n.pi)({},e[r]),o[r]));return t}))(e);var o}function a(e){return"function"==typeof e}},9296:(e,t,o)=>{"use strict";o.d(t,{D:()=>a});var n=o(7002),r=o(1767),i=o(7576);function a(e,t){var o,a=(o=n.useState(0)[1],function(){return o((function(e){return++e}))}),s=n.useContext(i.i).customizations,l=s.inCustomizerContext;return n.useEffect((function(){return l||r.X.observe(a),function(){l||r.X.unobserve(a)}}),[l]),r.X.getSettings(e,t,s)}},5446:(e,t,o)=>{"use strict";o.d(t,{M:()=>r});var n=o(6169);function r(e){if(!n.N&&"undefined"!=typeof document){var t=e;return t&&t.ownerDocument?t.ownerDocument:document}}},9757:(e,t,o)=>{"use strict";o.d(t,{J:()=>i});var n=o(6169),r=void 0;try{r=window}catch(e){}function i(e){if(!n.N&&void 0!==r){var t=e;return t&&t.ownerDocument&&t.ownerDocument.defaultView?t.ownerDocument.defaultView:r}}},9251:(e,t,o)=>{"use strict";function n(e,t,o,n){return e.addEventListener(t,o,n),function(){return e.removeEventListener(t,o,n)}}o.d(t,{on:()=>n})},3978:(e,t,o)=>{"use strict";function n(e){var t=function(e){var t;return"function"==typeof Event?t=new Event(e):(t=document.createEvent("Event")).initEvent(e,!0,!0),t}("MouseEvents");t.initEvent("click",!0,!0),e.dispatchEvent(t)}o.d(t,{x:()=>n})},6169:(e,t,o)=>{"use strict";o.d(t,{N:()=>n,T:()=>r});var n=!1;function r(e){n=e}},3774:(e,t,o)=>{"use strict";o.d(t,{c:()=>r});var n=o(9151);function r(e,t){for(var o in t)t.hasOwnProperty(o)&&(e[o]=(0,n.Z)(e,e[o],t[o]))}},4553:(e,t,o)=>{"use strict";o.d(t,{ft:()=>l,TE:()=>c,RK:()=>u,xY:()=>d,uo:()=>p,TD:()=>m,dc:()=>h,Jv:()=>g,MW:()=>f,jz:()=>v,gc:()=>b,WU:()=>y,mM:()=>_,um:()=>S,bF:()=>x,xu:()=>k});var n=o(5081),r=o(3345),i=o(6840),a=o(9757),s=o(5446);function l(e,t,o){return h(e,t,!0,!1,!1,o)}function c(e,t,o){return m(e,t,!0,!1,!0,o)}function u(e,t,o,n){return void 0===n&&(n=!0),h(e,t,n,!1,!1,o,!1,!0)}function d(e,t,o,n){return void 0===n&&(n=!0),m(e,t,n,!1,!0,o,!1,!0)}function p(e){var t=h(e,e,!0,!1,!1,!0);return!!t&&(S(t),!0)}function m(e,t,o,n,r,i,a,s){if(!t||!a&&t===e)return null;var l=g(t);if(r&&l&&(i||!v(t)&&!b(t))){var c=m(e,t.lastElementChild,!0,!0,!0,i,a,s);if(c){if(s&&f(c,!0)||!s)return c;var u=m(e,c.previousElementSibling,!0,!0,!0,i,a,s);if(u)return u;for(var d=c.parentElement;d&&d!==t;){var p=m(e,d.previousElementSibling,!0,!0,!0,i,a,s);if(p)return p;d=d.parentElement}}}return o&&l&&f(t,s)?t:m(e,t.previousElementSibling,!0,!0,!0,i,a,s)||(n?null:m(e,t.parentElement,!0,!1,!1,i,a,s))}function h(e,t,o,n,r,i,a,s){if(!t||t===e&&r&&!a)return null;var l=g(t);if(o&&l&&f(t,s))return t;if(!r&&l&&(i||!v(t)&&!b(t))){var c=h(e,t.firstElementChild,!0,!0,!1,i,a,s);if(c)return c}return t===e?null:h(e,t.nextElementSibling,!0,!0,!1,i,a,s)||(n?null:h(e,t.parentElement,!1,!1,!0,i,a,s))}function g(e){if(!e||!e.getAttribute)return!1;var t=e.getAttribute("data-is-visible");return null!=t?"true"===t:0!==e.offsetHeight||null!==e.offsetParent||!0===e.isVisible}function f(e,t){if(!e||e.disabled)return!1;var o=0,n=null;e&&e.getAttribute&&(n=e.getAttribute("tabIndex"))&&(o=parseInt(n,10));var r=e.getAttribute?e.getAttribute("data-is-focusable"):null,i=null!==n&&o>=0,a=!!e&&"false"!==r&&("A"===e.tagName||"BUTTON"===e.tagName||"INPUT"===e.tagName||"TEXTAREA"===e.tagName||"SELECT"===e.tagName||"true"===r||i);return t?-1!==o&&a:a}function v(e){return!!(e&&e.getAttribute&&e.getAttribute("data-focuszone-id"))}function b(e){return!(!e||!e.getAttribute||"true"!==e.getAttribute("data-is-sub-focuszone"))}function y(e){var t=(0,s.M)(e),o=t&&t.activeElement;return!(!o||!(0,r.t)(e,o))}function _(e,t){return"true"!==(0,n.j)(e,t)}var C=void 0;function S(e){if(e){if(C)return void(C=e);C=e;var t=(0,a.J)(e);t&&t.requestAnimationFrame((function(){C&&C.focus(),C=void 0}))}}function x(e,t){for(var o=e,n=0,r=t;n{"use strict";o.d(t,{z:()=>s,_:()=>l});var n=o(9757),r=o(729),i=(0,n.J)()||{};void 0===i.__currentId__&&(i.__currentId__=0);var a=!1;function s(e){if(!a){var t=r.Y.getInstance();t&&t.onReset&&t.onReset(l),a=!0}return(void 0===e?"id__":e)+i.__currentId__++}function l(e){void 0===e&&(e=0),i.__currentId__=e}},63:(e,t,o)=>{"use strict";o.d(t,{j:()=>r});var n=o(7622);function r(e,t){for(var o=(0,n.pi)({},t),r=0,i=Object.keys(e);r{"use strict";o.d(t,{W:()=>r,e:()=>i});var n=["setState","render","componentWillMount","UNSAFE_componentWillMount","componentDidMount","componentWillReceiveProps","UNSAFE_componentWillReceiveProps","shouldComponentUpdate","componentWillUpdate","getSnapshotBeforeUpdate","UNSAFE_componentWillUpdate","componentDidUpdate","componentWillUnmount"];function r(e,t,o){void 0===o&&(o=n);var r=[],i=function(n){"function"!=typeof t[n]||void 0!==e[n]||o&&-1!==o.indexOf(n)||(r.push(n),e[n]=function(){for(var e=[],o=0;o{"use strict";function n(e,t){for(var o in e)e.hasOwnProperty(o)&&(t[o]=e[o]);return t}o.d(t,{f:()=>n})},5036:(e,t,o)=>{"use strict";o.d(t,{f:()=>r});var n=o(9757),r=function(){var e,t,o=(0,n.J)();return!!(null===(t=null===(e=o)||void 0===e?void 0:e.navigator)||void 0===t?void 0:t.userAgent)&&o.navigator.userAgent.indexOf("rv:11.0")>-1}},688:(e,t,o)=>{"use strict";o.d(t,{l:()=>r});var n=o(3774);function r(e){(0,n.c)(e,{componentDidMount:i,componentDidUpdate:a,componentWillUnmount:s})}function i(){l(this.props.componentRef,this)}function a(e){e.componentRef!==this.props.componentRef&&(l(e.componentRef,null),l(this.props.componentRef,this))}function s(){l(this.props.componentRef,null)}function l(e,t){e&&("object"==typeof e?e.current=t:"function"==typeof e&&e(t))}},6104:(e,t,o)=>{"use strict";o.d(t,{Q:()=>l});var n=/[\(\[\{][^\)\]\}]*[\)\]\}]/g,r=/[\0-\u001F\!-/:-@\[-`\{-\u00BF\u0250-\u036F\uD800-\uFFFF]/g,i=/^\d+[\d\s]*(:?ext|x|)\s*\d+$/i,a=/\s+/g,s=/[\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]/;function l(e,t,o){return e?(e=function(e){return(e=(e=(e=e.replace(n,"")).replace(r,"")).replace(a," ")).trim()}(e),s.test(e)||!o&&i.test(e)?"":function(e,t){var o="",n=e.split(" ");return 2===n.length?(o+=n[0].charAt(0).toUpperCase(),o+=n[1].charAt(0).toUpperCase()):3===n.length?(o+=n[0].charAt(0).toUpperCase(),o+=n[2].charAt(0).toUpperCase()):0!==n.length&&(o+=n[0].charAt(0).toUpperCase()),t&&o.length>1?o.charAt(1)+o.charAt(0):o}(e,t)):""}},7414:(e,t,o)=>{"use strict";o.d(t,{L:()=>a,e:()=>s});var n,r=o(8145),i=((n={})[r.m.up]=1,n[r.m.down]=1,n[r.m.left]=1,n[r.m.right]=1,n[r.m.home]=1,n[r.m.end]=1,n[r.m.tab]=1,n[r.m.pageUp]=1,n[r.m.pageDown]=1,n);function a(e){return!!i[e]}function s(e){i[e]=1}},3856:(e,t,o)=>{"use strict";o.d(t,{G:()=>l,m:()=>c});var n,r=o(5446),i=o(9757),a=o(6982),s="language";function l(e){if(void 0===e&&(e="sessionStorage"),void 0===n){var t=(0,r.M)(),o="localStorage"===e?function(e){var t=null;try{var o=(0,i.J)();t=o?o.localStorage.getItem("language"):null}catch(e){}return t}():"sessionStorage"===e?a.r(s):void 0;o&&(n=o),void 0===n&&t&&(n=t.documentElement.getAttribute("lang")),void 0===n&&(n="en")}return n}function c(e,t){var o=(0,r.M)();o&&o.documentElement.setAttribute("lang",e);var l=!0===t?"none":t||"sessionStorage";"localStorage"===l?function(e,t){try{var o=(0,i.J)();o&&o.localStorage.setItem("language",t)}catch(e){}}(0,e):"sessionStorage"===l&&a.L(s,e),n=e}},8633:(e,t,o)=>{"use strict";function n(e,t){var o=e.left||e.x||0,n=e.top||e.y||0,r=t.left||t.x||0,i=t.top||t.y||0;return Math.sqrt(Math.pow(o-r,2)+Math.pow(n-i,2))}function r(e){var t,o=e.contentSize,n=e.boundsSize,r=e.mode,i=void 0===r?"contain":r,a=e.maxScale,s=void 0===a?1:a,l=o.width/o.height,c=n.width/n.height;t=("contain"===i?l>c:ln,nK:()=>r,oe:()=>i,F0:()=>a})},5094:(e,t,o)=>{"use strict";o.d(t,{rQ:()=>c,du:()=>u,HP:()=>d,NF:()=>p,Ct:()=>m});var n=o(729),r=!1,i=0,a={empty:!0},s={},l="undefined"==typeof WeakMap?null:WeakMap;function c(e){l=e}function u(){i++}function d(e,t,o){var n=p(o.value&&o.value.bind(null));return{configurable:!0,get:function(){return n}}}function p(e,t,o){if(void 0===t&&(t=100),void 0===o&&(o=!1),!l)return e;if(!r){var a=n.Y.getInstance();a&&a.onReset&&n.Y.getInstance().onReset(u),r=!0}var s,c=0,d=i;return function(){for(var n=[],r=0;r0&&c>t)&&(s=g(),c=0,d=i),a=s;for(var l=0;l{"use strict";function n(e){for(var t=[],o=1;o-1;e[n]=a?i:r(e[n]||{},i,o)}}return o.pop(),e}o.d(t,{T:()=>n})},8936:(e,t,o)=>{"use strict";o.d(t,{g:()=>n});var n=function(){return!!(window&&window.navigator&&window.navigator.userAgent)&&/iPad|iPhone|iPod/i.test(window.navigator.userAgent)}},6093:(e,t,o)=>{"use strict";o.d(t,{O:()=>r});var n=o(5446);function r(e){for(var t,o=[],r=(0,n.M)(e)||document;e!==r.body;){for(var i=0,a=e.parentElement.children;i{"use strict";function n(e,t){for(var o in e)if(e.hasOwnProperty(o)&&(!t.hasOwnProperty(o)||t[o]!==e[o]))return!1;for(var o in t)if(t.hasOwnProperty(o)&&!e.hasOwnProperty(o))return!1;return!0}function r(e){for(var t=[],o=1;on,f0:()=>r,lW:()=>i,vT:()=>a,VO:()=>s,CE:()=>l})},6479:(e,t,o)=>{"use strict";o.d(t,{V:()=>i});var n,r=o(9757);function i(e){if(void 0===n||e){var t=(0,r.J)(),o=t&&t.navigator.userAgent;n=!!o&&-1!==o.indexOf("Macintosh")}return!!n}},6670:(e,t,o)=>{"use strict";function n(e){return e.clientWidthn,cs:()=>r,zS:()=>i})},8127:(e,t,o)=>{"use strict";o.d(t,{WO:()=>r,Nf:()=>i,iY:()=>a,mp:()=>s,vF:()=>l,NI:()=>c,t$:()=>u,PT:()=>d,h2:()=>p,Yq:()=>m,Gg:()=>h,FI:()=>g,bL:()=>f,Qy:()=>v,$B:()=>b,PC:()=>y,fI:()=>_,IX:()=>C,YG:()=>S,qi:()=>x,NX:()=>k,SZ:()=>w,it:()=>I,X7:()=>D,n7:()=>T,pq:()=>E});var n=function(){for(var e=[],t=0;t=0||0===l.indexOf("data-")||0===l.indexOf("aria-"))||o&&-1!==(null===(n=o)||void 0===n?void 0:n.indexOf(l))||(i[l]=e[l])}return i}},8826:(e,t,o)=>{"use strict";o.d(t,{k:()=>i});var n=o(5094),r=(0,n.Ct)((function(e){return(0,n.Ct)((function(t){var o=(0,n.Ct)((function(e){return function(o){return t(o,e)}}));return function(n,r){return e(n,r?o(r):t)}}))}));function i(e,t){return r(e)(t)}},5951:(e,t,o)=>{"use strict";o.d(t,{zg:()=>c,ok:()=>u,dP:()=>d});var n,r=o(8145),i=o(5446),a=o(6982),s=o(6825),l="isRTL";function c(e){if(void 0===e&&(e={}),void 0!==e.rtl)return e.rtl;if(void 0===n){var t=(0,a.r)(l);null!==t&&u(n="1"===t);var o=(0,i.M)();void 0===n&&o&&(n="rtl"===(o.body&&o.body.getAttribute("dir")||o.documentElement.getAttribute("dir")),(0,s.ok)(n))}return!!n}function u(e,t){void 0===t&&(t=!1);var o=(0,i.M)();o&&o.documentElement.setAttribute("dir",e?"rtl":"ltr"),t&&(0,a.L)(l,e?"1":"0"),n=e,(0,s.ok)(n)}function d(e,t){return void 0===t&&(t={}),c(t)&&(e===r.m.left?e=r.m.right:e===r.m.right&&(e=r.m.left)),e}},2990:(e,t,o)=>{"use strict";o.d(t,{J:()=>r});var n=o(3774),r=function(e){var t;return function(o){t||(t=new Set,(0,n.c)(e,{componentWillUnmount:function(){t.forEach((function(e){return cancelAnimationFrame(e)}))}}));var r=requestAnimationFrame((function(){t.delete(r),o()}));t.add(r)}}},4948:(e,t,o)=>{"use strict";o.d(t,{c6:()=>c,C7:()=>u,eC:()=>d,Qp:()=>m,tG:()=>h,np:()=>g,zj:()=>f});var n,r=o(5446),i=o(9444),a=o(9757),s=0,l=(0,i.y)({overflow:"hidden !important"}),c="data-is-scrollable",u=function(e,t){if(e){var o=0,n=null;t.on(e,"touchstart",(function(e){1===e.targetTouches.length&&(o=e.targetTouches[0].clientY)}),{passive:!1}),t.on(e,"touchmove",(function(e){if(1===e.targetTouches.length&&(e.stopPropagation(),n)){var t=e.targetTouches[0].clientY-o,r=f(e.target);r&&(n=r),0===n.scrollTop&&t>0&&e.preventDefault(),n.scrollHeight-Math.ceil(n.scrollTop)<=n.clientHeight&&t<0&&e.preventDefault()}}),{passive:!1}),n=e}},d=function(e,t){e&&t.on(e,"touchmove",(function(e){e.stopPropagation()}),{passive:!1})},p=function(e){e.preventDefault()};function m(){var e=(0,r.M)();e&&e.body&&!s&&(e.body.classList.add(l),e.body.addEventListener("touchmove",p,{passive:!1,capture:!1})),s++}function h(){if(s>0){var e=(0,r.M)();e&&e.body&&1===s&&(e.body.classList.remove(l),e.body.removeEventListener("touchmove",p)),s--}}function g(){if(void 0===n){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),n=e.offsetWidth-e.clientWidth,document.body.removeChild(e)}return n}function f(e){for(var t=e,o=(0,r.M)(e);t&&t!==o.body;){if("true"===t.getAttribute(c))return t;t=t.parentElement}for(t=e;t&&t!==o.body;){if("false"!==t.getAttribute(c)){var n=getComputedStyle(t),i=n?n.getPropertyValue("overflow-y"):"";if(i&&("scroll"===i||"auto"===i))return t}t=t.parentElement}return t&&t!==o.body||(t=(0,a.J)(e)),t}},3297:(e,t,o)=>{"use strict";o.d(t,{Y:()=>i});var n=o(5238),r=o(9919),i=function(){function e(){for(var e=[],t=0;t0&&this._isAllSelected&&0===this._exemptedCount||!this._isAllSelected&&this._exemptedCount===e&&e>0},e.prototype.isKeySelected=function(e){var t=this._keyToIndexMap[e];return this.isIndexSelected(t)},e.prototype.isIndexSelected=function(e){return!!(this.count>0&&this._isAllSelected&&!this._exemptedIndices[e]&&!this._unselectableIndices[e]||!this._isAllSelected&&this._exemptedIndices[e])},e.prototype.setAllSelected=function(e){if(!e||this.mode===n.oW.multiple){var t=this._items?this._items.length-this._unselectableCount:0;this.setChangeEvents(!1),t>0&&(this._exemptedCount>0||e!==this._isAllSelected)&&(this._exemptedIndices={},(e!==this._isAllSelected||this._exemptedCount>0)&&(this._exemptedCount=0,this._isAllSelected=e,this._change()),this._updateCount()),this.setChangeEvents(!0)}},e.prototype.setKeySelected=function(e,t,o){var n=this._keyToIndexMap[e];n>=0&&this.setIndexSelected(n,t,o)},e.prototype.setIndexSelected=function(e,t,o){if(this.mode!==n.oW.none&&!((e=Math.min(Math.max(0,e),this._items.length-1))<0||e>=this._items.length)){this.setChangeEvents(!1);var r=this._exemptedIndices[e];!this._unselectableIndices[e]&&(t&&this.mode===n.oW.single&&this._setAllSelected(!1,!0),r&&(t&&this._isAllSelected||!t&&!this._isAllSelected)&&(delete this._exemptedIndices[e],this._exemptedCount--),!r&&(t&&!this._isAllSelected||!t&&this._isAllSelected)&&(this._exemptedIndices[e]=!0,this._exemptedCount++),o&&(this._anchoredIndex=e)),this._updateCount(),this.setChangeEvents(!0)}},e.prototype.selectToKey=function(e,t){this.selectToIndex(this._keyToIndexMap[e],t)},e.prototype.selectToIndex=function(e,t){if(this.mode!==n.oW.none)if(this.mode!==n.oW.single){var o=this._anchoredIndex||0,r=Math.min(e,o),i=Math.max(e,o);for(this.setChangeEvents(!1),t&&this._setAllSelected(!1,!0);r<=i;r++)this.setIndexSelected(r,!0,!1);this.setChangeEvents(!0)}else this.setIndexSelected(e,!0,!0)},e.prototype.toggleAllSelected=function(){this.setAllSelected(!this.isAllSelected())},e.prototype.toggleKeySelected=function(e){this.setKeySelected(e,!this.isKeySelected(e),!0)},e.prototype.toggleIndexSelected=function(e){this.setIndexSelected(e,!this.isIndexSelected(e),!0)},e.prototype.toggleRangeSelected=function(e,t){if(this.mode!==n.oW.none){var o=this.isRangeSelected(e,t),r=e+t;if(!(this.mode===n.oW.single&&t>1)){this.setChangeEvents(!1);for(var i=e;i0&&(this._exemptedCount>0||e!==this._isAllSelected)&&(this._exemptedIndices={},(e!==this._isAllSelected||this._exemptedCount>0)&&(this._exemptedCount=0,this._isAllSelected=e,this._change()),this._updateCount(t)),this.setChangeEvents(!0)}},e.prototype._change=function(){0===this._changeEventSuppressionCount?(this._selectedItems=null,this._selectedIndices=void 0,r.r.raise(this,n.F5),this._onSelectionChanged&&this._onSelectionChanged()):this._hasChanged=!0},e}();function a(e,t){var o=(e||{}).key;return void 0===o?""+t:o}},5238:(e,t,o)=>{"use strict";o.d(t,{F5:()=>i,oW:()=>n,a$:()=>r});var n,r,i="change";!function(e){e[e.none=0]="none",e[e.single=1]="single",e[e.multiple=2]="multiple"}(n||(n={})),function(e){e[e.horizontal=0]="horizontal",e[e.vertical=1]="vertical"}(r||(r={}))},6982:(e,t,o)=>{"use strict";o.d(t,{r:()=>r,L:()=>i});var n=o(9757);function r(e){var t=null;try{var o=(0,n.J)();t=o?o.sessionStorage.getItem(e):null}catch(e){}return t}function i(e,t){var o;try{null===(o=(0,n.J)())||void 0===o||o.sessionStorage.setItem(e,t)}catch(e){}}},6145:(e,t,o)=>{"use strict";o.d(t,{G$:()=>r,MU:()=>a});var n=o(9757),r="ms-Fabric--isFocusVisible",i="ms-Fabric--isFocusHidden";function a(e,t){var o=t?(0,n.J)(t):(0,n.J)();if(o){var a=o.document.body.classList;a.add(e?r:i),a.remove(e?i:r)}}},6953:(e,t,o)=>{"use strict";o.d(t,{W:()=>i});var n=/[\{\}]/g,r=/\{\d+\}/g;function i(e){for(var t=[],o=1;o{"use strict";o.d(t,{z:()=>l});var n=o(7622),r=o(7002),i=o(965),a=o(9296),s=["theme","styles"];function l(e,t,o,l,c){var u=(l=l||{scope:"",fields:void 0}).scope,d=l.fields,p=void 0===d?s:d,m=r.forwardRef((function(s,l){var c=r.useRef(),d=(0,a.D)(p,u),m=d.styles,h=(d.dir,(0,n._T)(d,["styles","dir"])),g=o?o(s):void 0,f=c.current&&c.current.__cachedInputs__||[];if(!c.current||m!==f[1]||s.styles!==f[2]){var v=function(e){return(0,i.l)(e,t,m,s.styles)};v.__cachedInputs__=[t,m,s.styles],v.__noStyleOverride__=!m&&!s.styles,c.current=v}return r.createElement(e,(0,n.pi)({ref:l},h,g,s,{styles:c.current}))}));m.displayName="Styled"+(e.displayName||e.name);var h=c?r.memo(m):m;return m.displayName&&(h.displayName=m.displayName),h}},5480:(e,t,o)=>{"use strict";o.d(t,{P:()=>c,u:()=>u});var n=o(7002),r=o(9757),i=o(7414),a=o(6145),s=new WeakMap;function l(e,t){var o,n=s.get(e);return o=n?n+t:1,s.set(e,o),o}function c(e){n.useEffect((function(){var t,o,n=(0,r.J)(null===(t=e)||void 0===t?void 0:t.current);if(n&&!0!==(null===(o=n.FabricConfig)||void 0===o?void 0:o.disableFocusRects)){var i=l(n,1);return i<=1&&(n.addEventListener("mousedown",d,!0),n.addEventListener("pointerdown",p,!0),n.addEventListener("keydown",m,!0)),function(){var e;n&&!0!==(null===(e=n.FabricConfig)||void 0===e?void 0:e.disableFocusRects)&&0===(i=l(n,-1))&&(n.removeEventListener("mousedown",d,!0),n.removeEventListener("pointerdown",p,!0),n.removeEventListener("keydown",m,!0))}}}),[e])}var u=function(e){return c(e.rootRef),null};function d(e){(0,a.MU)(!1,e.target)}function p(e){"mouse"!==e.pointerType&&(0,a.MU)(!1,e.target)}function m(e){(0,i.L)(e.which)&&(0,a.MU)(!0,e.target)}},687:(e,t,o)=>{"use strict";function n(e){console&&console.warn&&console.warn(e)}function r(e){}o.d(t,{Z:()=>n,U:()=>r})},5415:(e,t,o)=>{"use strict";function n(e,t,o,n,r){}o.d(t,{w:()=>n}),o(687)},5301:(e,t,o)=>{"use strict";function n(){}function r(e){}o.d(t,{G:()=>n,Q:()=>r})},3129:(e,t,o)=>{"use strict";function n(e,t,o){}o.d(t,{b:()=>n})},209:(e,t,o)=>{"use strict";function n(e,t,o){}o.d(t,{L:()=>n})},4976:(e,t,o)=>{"use strict";o.d(t,{RM:()=>d,jz:()=>m});var n,r=function(){return(r=Object.assign||function(e){for(var t,o=1,n=arguments.length;oo&&t.push({rawString:e.substring(o,r)}),t.push({theme:n[1],defaultValue:n[2]}),o=l.lastIndex}t.push({rawString:e.substring(o)})}return t}(e),n=s.runState,r=n.mode,i=n.buffer,a=n.flushTimer;t||1===r?(i.push(o),a||(s.runState.flushTimer=setTimeout((function(){s.runState.flushTimer=0,u((function(){var e=s.runState.buffer.slice();s.runState.buffer=[];var t=[].concat.apply([],e);t.length>0&&p(t)}))}),0))):p(o)}))}function p(e,t){s.loadStyles?s.loadStyles(g(e).styleString,e):function(e){if("undefined"!=typeof document){var t=document.getElementsByTagName("head")[0],o=document.createElement("style"),n=g(e),r=n.styleString,i=n.themable;o.setAttribute("data-load-themed-styles","true"),a&&o.setAttribute("nonce",a),o.appendChild(document.createTextNode(r)),s.perf.count++,t.appendChild(o);var l=document.createEvent("HTMLEvents");l.initEvent("styleinsert",!0,!1),l.args={newStyle:o},document.dispatchEvent(l);var c={styleElement:o,themableStyle:e};i?s.registeredThemableStyles.push(c):s.registeredStyles.push(c)}}(e)}function m(e){s.theme=e,function(){if(s.theme){for(var e=[],t=0,o=s.registeredThemableStyles;t0&&(void 0===(r=1)&&(r=3),3!==r&&2!==r||(h(s.registeredStyles),s.registeredStyles=[]),3!==r&&1!==r||(h(s.registeredThemableStyles),s.registeredThemableStyles=[]),p([].concat.apply([],e)))}var r}()}function h(e){e.forEach((function(e){var t=e&&e.styleElement;t&&t.parentElement&&t.parentElement.removeChild(t)}))}function g(e){var t=s.theme,o=!1;return{styleString:(e||[]).map((function(e){var n=e.theme;if(n){o=!0;var r=t?t[n]:void 0,i=e.defaultValue||"inherit";return t&&!r&&console&&!(n in t)&&"undefined"!=typeof DEBUG&&DEBUG&&console.warn('Theming value not provided for "'+n+'". Falling back to "'+i+'".'),r||i}return e.rawString})).join(""),themable:o}}},7622:(e,t,o)=>{"use strict";o.d(t,{ZT:()=>r,pi:()=>i,_T:()=>a,gn:()=>s,pr:()=>l});var n=function(e,t){return(n=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var o in t)t.hasOwnProperty(o)&&(e[o]=t[o])})(e,t)};function r(e,t){function o(){this.constructor=e}n(e,t),e.prototype=null===t?Object.create(t):(o.prototype=t.prototype,new o)}var i=function(){return(i=Object.assign||function(e){for(var t,o=1,n=arguments.length;o=0;s--)(r=e[s])&&(a=(i<3?r(a):i>3?r(t,o,a):r(t,o))||a);return i>3&&a&&Object.defineProperty(t,o,a),a}function l(){for(var e=0,t=0,o=arguments.length;t{"use strict";o.r(t),o.d(t,{ActionButton:()=>T,Calendar:()=>F,Checkbox:()=>L,ChoiceGroup:()=>A,ColorPicker:()=>z,ComboBox:()=>H,CommandBarButton:()=>E,CommandButton:()=>P,CompoundButton:()=>M,DatePicker:()=>O,DefaultButton:()=>R,Dropdown:()=>W,IconButton:()=>N,NormalPeoplePicker:()=>V,PrimaryButton:()=>B,Rating:()=>K,SearchBox:()=>q,Slider:()=>G,SpinButton:()=>U,SwatchColorPicker:()=>j,TextField:()=>J,Toggle:()=>Y});var n=o(2898),r=o(1420),i=o(990),a=o(8959),s=o(9632),l=o(5758),c=o(8924),u=o(4977),d=o(2777),p=o(9240),m=o(6847),h=o(610),g=o(127),f=o(4004),v=o(9318),b=o(558),y=o(6419),_=o(4107),C=o(3134),S=o(9502),x=o(8623),k=o(1431);const w=jsmodule["@/shiny.react"];function I(e,t){(null==t||t>e.length)&&(t=e.length);for(var o=0,n=new Array(t);o{function n(e,t){var o=Object.keys(e);if(Object.getOwnPropertySymbols){var n=Object.getOwnPropertySymbols(e);t&&(n=n.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),o.push.apply(o,n)}return o}function r(e){for(var t=1;t{"use strict";e.exports=jsmodule.react}},t={};function o(n){if(t[n])return t[n].exports;var r=t[n]={exports:{}};return e[n](r,r.exports,o),r.exports}o.n=e=>{var t=e&&e.__esModule?()=>e.default:()=>e;return o.d(t,{a:t}),t},o.d=(e,t)=>{for(var n in t)o.o(t,n)&&!o.o(e,n)&&Object.defineProperty(e,n,{enumerable:!0,get:t[n]})},o.g=function(){if("object"==typeof globalThis)return globalThis;try{return this||new Function("return this")()}catch(e){if("object"==typeof window)return window}}(),o.o=(e,t)=>Object.prototype.hasOwnProperty.call(e,t),o.r=e=>{"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(e,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(e,"__esModule",{value:!0})},(()=>{"use strict";o(4686),(0,o(2481).l)()})()})(); \ No newline at end of file From d4412b124248991bdf720c95779883abe66eb398 Mon Sep 17 00:00:00 2001 From: Jakub Sobolewski Date: Wed, 13 Sep 2023 10:14:11 +0200 Subject: [PATCH 05/19] fix: default value in ComboBox --- inst/www/shiny.fluent/shiny-fluent.js | 2 +- js/src/inputs.jsx | 2 ++ 2 files changed, 3 insertions(+), 1 deletion(-) diff --git a/inst/www/shiny.fluent/shiny-fluent.js b/inst/www/shiny.fluent/shiny-fluent.js index 100dc508..f4bbf2f9 100644 --- a/inst/www/shiny.fluent/shiny-fluent.js +++ b/inst/www/shiny.fluent/shiny-fluent.js @@ -1,2 +1,2 @@ /*! For license information please see shiny-fluent.js.LICENSE.txt */ -(()=>{var e={6786:(e,t,o)=>{"use strict";o.d(t,{mR:()=>r,tf:()=>i});var n=o(7622),r={formatDay:function(e){return e.getDate().toString()},formatMonth:function(e,t){return t.months[e.getMonth()]},formatYear:function(e){return e.getFullYear().toString()},formatMonthDayYear:function(e,t){return t.months[e.getMonth()]+" "+e.getDate()+", "+e.getFullYear()},formatMonthYear:function(e,t){return t.months[e.getMonth()]+" "+e.getFullYear()}},i=(0,n.pi)((0,n.pi)({},{months:["January","February","March","April","May","June","July","August","September","October","November","December"],shortMonths:["Jan","Feb","Mar","Apr","May","Jun","Jul","Aug","Sep","Oct","Nov","Dec"],days:["Sunday","Monday","Tuesday","Wednesday","Thursday","Friday","Saturday"],shortDays:["S","M","T","W","T","F","S"]}),{goToToday:"Go to today",weekNumberFormatString:"Week number {0}",prevMonthAriaLabel:"Previous month",nextMonthAriaLabel:"Next month",prevYearAriaLabel:"Previous year",nextYearAriaLabel:"Next year",prevYearRangeAriaLabel:"Previous year range",nextYearRangeAriaLabel:"Next year range",closeButtonAriaLabel:"Close",selectedDateFormatString:"Selected date {0}",todayDateFormatString:"Today's date {0}",monthPickerHeaderAriaLabel:"{0}, change year",yearPickerHeaderAriaLabel:"{0}, change month",dayMarkedAriaLabel:"marked"})},6974:(e,t,o)=>{"use strict";o.d(t,{E4:()=>i,jh:()=>a,zI:()=>s,Bc:()=>l,pU:()=>c,D7:()=>u,W8:()=>d,Q9:()=>p,q0:()=>m,aN:()=>h,NJ:()=>g,e0:()=>f,le:()=>v,iU:()=>b,uW:()=>y,wu:()=>_,Hx:()=>C,c8:()=>x});var n=o(1093),r=o(7433);function i(e,t){var o=new Date(e.getTime());return o.setDate(o.getDate()+t),o}function a(e,t){return i(e,t*r.r.DaysInOneWeek)}function s(e,t){var o=new Date(e.getTime()),n=o.getMonth()+t;return o.setMonth(n),o.getMonth()!==(n%r.r.MonthInOneYear+r.r.MonthInOneYear)%r.r.MonthInOneYear&&(o=i(o,-o.getDate())),o}function l(e,t){var o=new Date(e.getTime());return o.setFullYear(e.getFullYear()+t),o.getMonth()!==(e.getMonth()%r.r.MonthInOneYear+r.r.MonthInOneYear)%r.r.MonthInOneYear&&(o=i(o,-o.getDate())),o}function c(e){return new Date(e.getFullYear(),e.getMonth(),1,0,0,0,0)}function u(e){return new Date(e.getFullYear(),e.getMonth()+1,0,0,0,0,0)}function d(e){return new Date(e.getFullYear(),0,1,0,0,0,0)}function p(e){return new Date(e.getFullYear()+1,0,0,0,0,0,0)}function m(e,t){return s(e,t-e.getMonth())}function h(e,t){return!e&&!t||!(!e||!t)&&e.getFullYear()===t.getFullYear()&&e.getMonth()===t.getMonth()&&e.getDate()===t.getDate()}function g(e,t){return x(e)-x(t)}function f(e,t,o,a,l){void 0===l&&(l=1);var c,u=[],d=null;switch(a||(a=[n.eO.Monday,n.eO.Tuesday,n.eO.Wednesday,n.eO.Thursday,n.eO.Friday]),l=Math.max(l,1),t){case n.NU.Day:d=i(c=S(e),l);break;case n.NU.Week:case n.NU.WorkWeek:d=i(c=_(S(e),o),r.r.DaysInOneWeek);break;case n.NU.Month:d=s(c=new Date(e.getFullYear(),e.getMonth(),1),1);break;default:throw new Error("Unexpected object: "+t)}var p=c;do{(t!==n.NU.WorkWeek||-1!==a.indexOf(p.getDay()))&&u.push(p),p=i(p,1)}while(!h(p,d));return u}function v(e,t){for(var o=0,n=t;o0&&(o-=r.r.DaysInOneWeek),i(e,o)}function C(e,t){var o=(t-1>=0?t-1:r.r.DaysInOneWeek-1)-e.getDay();return o<0&&(o+=r.r.DaysInOneWeek),i(e,o)}function S(e){return new Date(e.getFullYear(),e.getMonth(),e.getDate())}function x(e){return e.getDate()+(e.getMonth()<<5)+(e.getFullYear()<<9)}function k(e,t,o){var i=w(e)-1,a=e.getDay()-i%r.r.DaysInOneWeek,s=w(new Date(e.getFullYear()-1,n.m2.December,31))-1,l=(t-a+2*r.r.DaysInOneWeek)%r.r.DaysInOneWeek;0!==l&&l>=o&&(l-=r.r.DaysInOneWeek);var c=i-l;return c<0&&(0!=(l=(t-(a-=s%r.r.DaysInOneWeek)+2*r.r.DaysInOneWeek)%r.r.DaysInOneWeek)&&l+1>=o&&(l-=r.r.DaysInOneWeek),c=s-l),Math.floor(c/r.r.DaysInOneWeek+1)}function w(e){for(var t=e.getMonth(),o=e.getFullYear(),n=0,r=0;r{"use strict";var n,r,i,a;o.d(t,{eO:()=>n,m2:()=>r,On:()=>i,NU:()=>a,NA:()=>s}),function(e){e[e.Sunday=0]="Sunday",e[e.Monday=1]="Monday",e[e.Tuesday=2]="Tuesday",e[e.Wednesday=3]="Wednesday",e[e.Thursday=4]="Thursday",e[e.Friday=5]="Friday",e[e.Saturday=6]="Saturday"}(n||(n={})),function(e){e[e.January=0]="January",e[e.February=1]="February",e[e.March=2]="March",e[e.April=3]="April",e[e.May=4]="May",e[e.June=5]="June",e[e.July=6]="July",e[e.August=7]="August",e[e.September=8]="September",e[e.October=9]="October",e[e.November=10]="November",e[e.December=11]="December"}(r||(r={})),function(e){e[e.FirstDay=0]="FirstDay",e[e.FirstFullWeek=1]="FirstFullWeek",e[e.FirstFourDayWeek=2]="FirstFourDayWeek"}(i||(i={})),function(e){e[e.Day=0]="Day",e[e.Week=1]="Week",e[e.Month=2]="Month",e[e.WorkWeek=3]="WorkWeek"}(a||(a={}));var s=7},7433:(e,t,o)=>{"use strict";o.d(t,{r:()=>n});var n={MillisecondsInOneDay:864e5,MillisecondsIn1Sec:1e3,MillisecondsIn1Min:6e4,MillisecondsIn30Mins:18e5,MillisecondsIn1Hour:36e5,MinutesInOneDay:1440,MinutesInOneHour:60,DaysInOneWeek:7,MonthInOneYear:12}},3345:(e,t,o)=>{"use strict";o.d(t,{t:()=>r});var n=o(6840);function r(e,t,o){void 0===o&&(o=!0);var r=!1;if(e&&t)if(o)if(e===t)r=!0;else for(r=!1;t;){var i=(0,n.G)(t);if(i===e){r=!0;break}t=i}else e.contains&&(r=e.contains(t));return r}},5081:(e,t,o)=>{"use strict";o.d(t,{j:()=>r});var n=o(8023);function r(e,t){var o=(0,n.X)(e,(function(e){return e.hasAttribute(t)}));return o&&o.getAttribute(t)}},8023:(e,t,o)=>{"use strict";o.d(t,{X:()=>r});var n=o(6840);function r(e,t){return e&&e!==document.body?t(e)?e:r((0,n.G)(e),t):null}},6840:(e,t,o)=>{"use strict";o.d(t,{G:()=>r});var n=o(9157);function r(e,t){return void 0===t&&(t=!0),e&&(t&&(0,n.r)(e)||e.parentNode&&e.parentNode)}},9157:(e,t,o)=>{"use strict";o.d(t,{r:()=>r});var n=o(7876);function r(e){var t;return e&&(0,n.r)(e)&&(t=e._virtual.parent),t}},7876:(e,t,o)=>{"use strict";function n(e){return e&&!!e._virtual}o.d(t,{r:()=>n})},7466:(e,t,o)=>{"use strict";o.d(t,{w:()=>i});var n=o(8023),r=o(8308);function i(e,t){var o=(0,n.X)(e,(function(e){return t===e||e.hasAttribute(r.Y)}));return null!==o&&o.hasAttribute(r.Y)}},8308:(e,t,o)=>{"use strict";o.d(t,{Y:()=>n,U:()=>r});var n="data-portal-element";function r(e){e.setAttribute(n,"true")}},7829:(e,t,o)=>{"use strict";function n(e,t){var o=e,n=t;o._virtual||(o._virtual={children:[]});var r=o._virtual.parent;if(r&&r!==t){var i=r._virtual.children.indexOf(o);i>-1&&r._virtual.children.splice(i,1)}o._virtual.parent=n||void 0,n&&(n._virtual||(n._virtual={children:[]}),n._virtual.children.push(o))}o.d(t,{N:()=>n})},2481:(e,t,o)=>{"use strict";o.d(t,{l:()=>x});var n=o(9729);function r(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons"',src:"url('"+e+"fabric-icons-a13498cf.woff') format('woff')"},icons:{GlobalNavButton:"",ChevronDown:"",ChevronUp:"",Edit:"",Add:"",Cancel:"",More:"",Settings:"",Mail:"",Filter:"",Search:"",Share:"",BlockedSite:"",FavoriteStar:"",FavoriteStarFill:"",CheckMark:"",Delete:"",ChevronLeft:"",ChevronRight:"",Calendar:"",Megaphone:"",Undo:"",Flag:"",Page:"",Pinned:"",View:"",Clear:"",Download:"",Upload:"",Folder:"",Sort:"",AlignRight:"",AlignLeft:"",Tag:"",AddFriend:"",Info:"",SortLines:"",List:"",CircleRing:"",Heart:"",HeartFill:"",Tiles:"",Embed:"",Glimmer:"",Ascending:"",Descending:"",SortUp:"",SortDown:"",SyncToPC:"",LargeGrid:"",SkypeCheck:"",SkypeClock:"",SkypeMinus:"",ClearFilter:"",Flow:"",StatusCircleCheckmark:"",MoreVertical:""}};(0,n.fm)(o,t)}function i(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-0"',src:"url('"+e+"fabric-icons-0-467ee27f.woff') format('woff')"},icons:{PageLink:"",CommentSolid:"",ChangeEntitlements:"",Installation:"",WebAppBuilderModule:"",WebAppBuilderFragment:"",WebAppBuilderSlot:"",BullseyeTargetEdit:"",WebAppBuilderFragmentCreate:"",PageData:"",PageHeaderEdit:"",ProductList:"",UnpublishContent:"",DependencyAdd:"",DependencyRemove:"",EntitlementPolicy:"",EntitlementRedemption:"",SchoolDataSyncLogo:"",PinSolid12:"",PinSolidOff12:"",AddLink:"",SharepointAppIcon16:"",DataflowsLink:"",TimePicker:"",UserWarning:"",ComplianceAudit:"",InternetSharing:"",Brightness:"",MapPin:"",Airplane:"",Tablet:"",QuickNote:"",Video:"",People:"",Phone:"",Pin:"",Shop:"",Stop:"",Link:"",AllApps:"",Zoom:"",ZoomOut:"",Microphone:"",Camera:"",Attach:"",Send:"",FavoriteList:"",PageSolid:"",Forward:"",Back:"",Refresh:"",Lock:"",ReportHacked:"",EMI:"",MiniLink:"",Blocked:"",ReadingMode:"",Favicon:"",Remove:"",Checkbox:"",CheckboxComposite:"",CheckboxFill:"",CheckboxIndeterminate:"",CheckboxCompositeReversed:"",BackToWindow:"",FullScreen:"",Print:"",Up:"",Down:"",OEM:"",Save:"",ReturnKey:"",Cloud:"",Flashlight:"",CommandPrompt:"",Sad:"",RealEstate:"",SIPMove:"",EraseTool:"",GripperTool:"",Dialpad:"",PageLeft:"",PageRight:"",MultiSelect:"",KeyboardClassic:"",Play:"",Pause:"",InkingTool:"",Emoji2:"",GripperBarHorizontal:"",System:"",Personalize:"",SearchAndApps:"",Globe:"",EaseOfAccess:"",ContactInfo:"",Unpin:"",Contact:"",Memo:"",IncomingCall:""}};(0,n.fm)(o,t)}function a(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-1"',src:"url('"+e+"fabric-icons-1-4d521695.woff') format('woff')"},icons:{Paste:"",WindowsLogo:"",Error:"",GripperBarVertical:"",Unlock:"",Slideshow:"",Trim:"",AutoEnhanceOn:"",AutoEnhanceOff:"",Color:"",SaveAs:"",Light:"",Filters:"",AspectRatio:"",Contrast:"",Redo:"",Crop:"",PhotoCollection:"",Album:"",Rotate:"",PanoIndicator:"",Translate:"",RedEye:"",ViewOriginal:"",ThumbnailView:"",Package:"",Telemarketer:"",Warning:"",Financial:"",Education:"",ShoppingCart:"",Train:"",Move:"",TouchPointer:"",Merge:"",TurnRight:"",Ferry:"",Highlight:"",PowerButton:"",Tab:"",Admin:"",TVMonitor:"",Speakers:"",Game:"",HorizontalTabKey:"",UnstackSelected:"",StackIndicator:"",Nav2DMapView:"",StreetsideSplitMinimize:"",Car:"",Bus:"",EatDrink:"",SeeDo:"",LocationCircle:"",Home:"",SwitcherStartEnd:"",ParkingLocation:"",IncidentTriangle:"",Touch:"",MapDirections:"",CaretHollow:"",CaretSolid:"",History:"",Location:"",MapLayers:"",SearchNearby:"",Work:"",Recent:"",Hotel:"",Bank:"",LocationDot:"",Dictionary:"",ChromeBack:"",FolderOpen:"",PinnedFill:"",RevToggleKey:"",USB:"",Previous:"",Next:"",Sync:"",Help:"",Emoji:"",MailForward:"",ClosePane:"",OpenPane:"",PreviewLink:"",ZoomIn:"",Bookmarks:"",Document:"",ProtectedDocument:"",OpenInNewWindow:"",MailFill:"",ViewAll:"",Switch:"",Rename:"",Go:"",Remote:"",SelectAll:"",Orientation:"",Import:""}};(0,n.fm)(o,t)}function s(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-2"',src:"url('"+e+"fabric-icons-2-63c99abf.woff') format('woff')"},icons:{Picture:"",ChromeClose:"",ShowResults:"",Message:"",CalendarDay:"",CalendarWeek:"",MailReplyAll:"",Read:"",Cut:"",PaymentCard:"",Copy:"",Important:"",MailReply:"",GotoToday:"",Font:"",FontColor:"",FolderFill:"",Permissions:"",DisableUpdates:"",Unfavorite:"",Italic:"",Underline:"",Bold:"",MoveToFolder:"",Dislike:"",Like:"",AlignCenter:"",OpenFile:"",ClearSelection:"",FontDecrease:"",FontIncrease:"",FontSize:"",CellPhone:"",RepeatOne:"",RepeatAll:"",Calculator:"",Library:"",PostUpdate:"",NewFolder:"",CalendarReply:"",UnsyncFolder:"",SyncFolder:"",BlockContact:"",Accept:"",BulletedList:"",Preview:"",News:"",Chat:"",Group:"",World:"",Comment:"",DockLeft:"",DockRight:"",Repair:"",Accounts:"",Street:"",RadioBullet:"",Stopwatch:"",Clock:"",WorldClock:"",AlarmClock:"",Photo:"",ActionCenter:"",Hospital:"",Timer:"",FullCircleMask:"",LocationFill:"",ChromeMinimize:"",ChromeRestore:"",Annotation:"",Fingerprint:"",Handwriting:"",ChromeFullScreen:"",Completed:"",Label:"",FlickDown:"",FlickUp:"",FlickLeft:"",FlickRight:"",MiniExpand:"",MiniContract:"",Streaming:"",MusicInCollection:"",OneDriveLogo:"",CompassNW:"",Code:"",LightningBolt:"",CalculatorMultiply:"",CalculatorAddition:"",CalculatorSubtract:"",CalculatorPercentage:"",CalculatorEqualTo:"",PrintfaxPrinterFile:"",StorageOptical:"",Communications:"",Headset:"",Health:"",Webcam2:"",FrontCamera:"",ChevronUpSmall:""}};(0,n.fm)(o,t)}function l(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-3"',src:"url('"+e+"fabric-icons-3-089e217a.woff') format('woff')"},icons:{ChevronDownSmall:"",ChevronLeftSmall:"",ChevronRightSmall:"",ChevronUpMed:"",ChevronDownMed:"",ChevronLeftMed:"",ChevronRightMed:"",Devices2:"",PC1:"",PresenceChickletVideo:"",Reply:"",HalfAlpha:"",ConstructionCone:"",DoubleChevronLeftMed:"",Volume0:"",Volume1:"",Volume2:"",Volume3:"",Chart:"",Robot:"",Manufacturing:"",LockSolid:"",FitPage:"",FitWidth:"",BidiLtr:"",BidiRtl:"",RightDoubleQuote:"",Sunny:"",CloudWeather:"",Cloudy:"",PartlyCloudyDay:"",PartlyCloudyNight:"",ClearNight:"",RainShowersDay:"",Rain:"",Thunderstorms:"",RainSnow:"",Snow:"",BlowingSnow:"",Frigid:"",Fog:"",Squalls:"",Duststorm:"",Unknown:"",Precipitation:"",Ribbon:"",AreaChart:"",Assign:"",FlowChart:"",CheckList:"",Diagnostic:"",Generate:"",LineChart:"",Equalizer:"",BarChartHorizontal:"",BarChartVertical:"",Freezing:"",FunnelChart:"",Processing:"",Quantity:"",ReportDocument:"",StackColumnChart:"",SnowShowerDay:"",HailDay:"",WorkFlow:"",HourGlass:"",StoreLogoMed20:"",TimeSheet:"",TriangleSolid:"",UpgradeAnalysis:"",VideoSolid:"",RainShowersNight:"",SnowShowerNight:"",Teamwork:"",HailNight:"",PeopleAdd:"",Glasses:"",DateTime2:"",Shield:"",Header1:"",PageAdd:"",NumberedList:"",PowerBILogo:"",Info2:"",MusicInCollectionFill:"",Asterisk:"",ErrorBadge:"",CircleFill:"",Record2:"",AllAppsMirrored:"",BookmarksMirrored:"",BulletedListMirrored:"",CaretHollowMirrored:"",CaretSolidMirrored:"",ChromeBackMirrored:"",ClearSelectionMirrored:"",ClosePaneMirrored:"",DockLeftMirrored:"",DoubleChevronLeftMedMirrored:"",GoMirrored:""}};(0,n.fm)(o,t)}function c(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-4"',src:"url('"+e+"fabric-icons-4-a656cc0a.woff') format('woff')"},icons:{HelpMirrored:"",ImportMirrored:"",ImportAllMirrored:"",ListMirrored:"",MailForwardMirrored:"",MailReplyMirrored:"",MailReplyAllMirrored:"",MiniContractMirrored:"",MiniExpandMirrored:"",OpenPaneMirrored:"",ParkingLocationMirrored:"",SendMirrored:"",ShowResultsMirrored:"",ThumbnailViewMirrored:"",Media:"",Devices3:"",Focus:"",VideoLightOff:"",Lightbulb:"",StatusTriangle:"",VolumeDisabled:"",Puzzle:"",EmojiNeutral:"",EmojiDisappointed:"",HomeSolid:"",Ringer:"",PDF:"",HeartBroken:"",StoreLogo16:"",MultiSelectMirrored:"",Broom:"",AddToShoppingList:"",Cocktails:"",Wines:"",Articles:"",Cycling:"",DietPlanNotebook:"",Pill:"",ExerciseTracker:"",HandsFree:"",Medical:"",Running:"",Weights:"",Trackers:"",AddNotes:"",AllCurrency:"",BarChart4:"",CirclePlus:"",Coffee:"",Cotton:"",Market:"",Money:"",PieDouble:"",PieSingle:"",RemoveFilter:"",Savings:"",Sell:"",StockDown:"",StockUp:"",Lamp:"",Source:"",MSNVideos:"",Cricket:"",Golf:"",Baseball:"",Soccer:"",MoreSports:"",AutoRacing:"",CollegeHoops:"",CollegeFootball:"",ProFootball:"",ProHockey:"",Rugby:"",SubstitutionsIn:"",Tennis:"",Arrivals:"",Design:"",Website:"",Drop:"",HistoricalWeather:"",SkiResorts:"",Snowflake:"",BusSolid:"",FerrySolid:"",AirplaneSolid:"",TrainSolid:"",Ticket:"",WifiWarning4:"",Devices4:"",AzureLogo:"",BingLogo:"",MSNLogo:"",OutlookLogoInverse:"",OfficeLogo:"",SkypeLogo:"",Door:"",EditMirrored:"",GiftCard:"",DoubleBookmark:"",StatusErrorFull:""}};(0,n.fm)(o,t)}function u(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-5"',src:"url('"+e+"fabric-icons-5-f95ba260.woff') format('woff')"},icons:{Certificate:"",FastForward:"",Rewind:"",Photo2:"",OpenSource:"",Movers:"",CloudDownload:"",Family:"",WindDirection:"",Bug:"",SiteScan:"",BrowserScreenShot:"",F12DevTools:"",CSS:"",JS:"",DeliveryTruck:"",ReminderPerson:"",ReminderGroup:"",ReminderTime:"",TabletMode:"",Umbrella:"",NetworkTower:"",CityNext:"",CityNext2:"",Section:"",OneNoteLogoInverse:"",ToggleFilled:"",ToggleBorder:"",SliderThumb:"",ToggleThumb:"",Documentation:"",Badge:"",Giftbox:"",VisualStudioLogo:"",HomeGroup:"",ExcelLogoInverse:"",WordLogoInverse:"",PowerPointLogoInverse:"",Cafe:"",SpeedHigh:"",Commitments:"",ThisPC:"",MusicNote:"",MicOff:"",PlaybackRate1x:"",EdgeLogo:"",CompletedSolid:"",AlbumRemove:"",MessageFill:"",TabletSelected:"",MobileSelected:"",LaptopSelected:"",TVMonitorSelected:"",DeveloperTools:"",Shapes:"",InsertTextBox:"",LowerBrightness:"",WebComponents:"",OfflineStorage:"",DOM:"",CloudUpload:"",ScrollUpDown:"",DateTime:"",Event:"",Cake:"",Org:"",PartyLeader:"",DRM:"",CloudAdd:"",AppIconDefault:"",Photo2Add:"",Photo2Remove:"",Calories:"",POI:"",AddTo:"",RadioBtnOff:"",RadioBtnOn:"",ExploreContent:"",Product:"",ProgressLoopInner:"",ProgressLoopOuter:"",Blocked2:"",FangBody:"",Toolbox:"",PageHeader:"",ChatInviteFriend:"",Brush:"",Shirt:"",Crown:"",Diamond:"",ScaleUp:"",QRCode:"",Feedback:"",SharepointLogoInverse:"",YammerLogo:"",Hide:"",Uneditable:"",ReturnToSession:"",OpenFolderHorizontal:"",CalendarMirrored:""}};(0,n.fm)(o,t)}function d(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-6"',src:"url('"+e+"fabric-icons-6-ef6fd590.woff') format('woff')"},icons:{SwayLogoInverse:"",OutOfOffice:"",Trophy:"",ReopenPages:"",EmojiTabSymbols:"",AADLogo:"",AccessLogo:"",AdminALogoInverse32:"",AdminCLogoInverse32:"",AdminDLogoInverse32:"",AdminELogoInverse32:"",AdminLLogoInverse32:"",AdminMLogoInverse32:"",AdminOLogoInverse32:"",AdminPLogoInverse32:"",AdminSLogoInverse32:"",AdminYLogoInverse32:"",DelveLogoInverse:"",ExchangeLogoInverse:"",LyncLogo:"",OfficeVideoLogoInverse:"",SocialListeningLogo:"",VisioLogoInverse:"",Balloons:"",Cat:"",MailAlert:"",MailCheck:"",MailLowImportance:"",MailPause:"",MailRepeat:"",SecurityGroup:"",Table:"",VoicemailForward:"",VoicemailReply:"",Waffle:"",RemoveEvent:"",EventInfo:"",ForwardEvent:"",WipePhone:"",AddOnlineMeeting:"",JoinOnlineMeeting:"",RemoveLink:"",PeopleBlock:"",PeopleRepeat:"",PeopleAlert:"",PeoplePause:"",TransferCall:"",AddPhone:"",UnknownCall:"",NoteReply:"",NoteForward:"",NotePinned:"",RemoveOccurrence:"",Timeline:"",EditNote:"",CircleHalfFull:"",Room:"",Unsubscribe:"",Subscribe:"",HardDrive:"",RecurringTask:"",TaskManager:"",TaskManagerMirrored:"",Combine:"",Split:"",DoubleChevronUp:"",DoubleChevronLeft:"",DoubleChevronRight:"",TextBox:"",TextField:"",NumberField:"",Dropdown:"",PenWorkspace:"",BookingsLogo:"",ClassNotebookLogoInverse:"",DelveAnalyticsLogo:"",DocsLogoInverse:"",Dynamics365Logo:"",DynamicSMBLogo:"",OfficeAssistantLogo:"",OfficeStoreLogo:"",OneNoteEduLogoInverse:"",PlannerLogo:"",PowerApps:"",Suitcase:"",ProjectLogoInverse:"",CaretLeft8:"",CaretRight8:"",CaretUp8:"",CaretDown8:"",CaretLeftSolid8:"",CaretRightSolid8:"",CaretUpSolid8:"",CaretDownSolid8:"",ClearFormatting:"",Superscript:"",Subscript:"",Strikethrough:"",Export:"",ExportMirrored:""}};(0,n.fm)(o,t)}function p(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-7"',src:"url('"+e+"fabric-icons-7-2b97bb99.woff') format('woff')"},icons:{SingleBookmark:"",SingleBookmarkSolid:"",DoubleChevronDown:"",FollowUser:"",ReplyAll:"",WorkforceManagement:"",RecruitmentManagement:"",Questionnaire:"",ManagerSelfService:"",ProductionFloorManagement:"",ProductRelease:"",ProductVariant:"",ReplyMirrored:"",ReplyAllMirrored:"",Medal:"",AddGroup:"",QuestionnaireMirrored:"",CloudImportExport:"",TemporaryUser:"",CaretSolid16:"",GroupedDescending:"",GroupedAscending:"",AwayStatus:"",MyMoviesTV:"",GenericScan:"",AustralianRules:"",WifiEthernet:"",TrackersMirrored:"",DateTimeMirrored:"",StopSolid:"",DoubleChevronUp12:"",DoubleChevronDown12:"",DoubleChevronLeft12:"",DoubleChevronRight12:"",CalendarAgenda:"",ConnectVirtualMachine:"",AddEvent:"",AssetLibrary:"",DataConnectionLibrary:"",DocLibrary:"",FormLibrary:"",FormLibraryMirrored:"",ReportLibrary:"",ReportLibraryMirrored:"",ContactCard:"",CustomList:"",CustomListMirrored:"",IssueTracking:"",IssueTrackingMirrored:"",PictureLibrary:"",OfficeAddinsLogo:"",OfflineOneDriveParachute:"",OfflineOneDriveParachuteDisabled:"",TriangleSolidUp12:"",TriangleSolidDown12:"",TriangleSolidLeft12:"",TriangleSolidRight12:"",TriangleUp12:"",TriangleDown12:"",TriangleLeft12:"",TriangleRight12:"",ArrowUpRight8:"",ArrowDownRight8:"",DocumentSet:"",GoToDashboard:"",DelveAnalytics:"",ArrowUpRightMirrored8:"",ArrowDownRightMirrored8:"",CompanyDirectory:"",OpenEnrollment:"",CompanyDirectoryMirrored:"",OneDriveAdd:"",ProfileSearch:"",Header2:"",Header3:"",Header4:"",RingerSolid:"",Eyedropper:"",MarketDown:"",CalendarWorkWeek:"",SidePanel:"",GlobeFavorite:"",CaretTopLeftSolid8:"",CaretTopRightSolid8:"",ViewAll2:"",DocumentReply:"",PlayerSettings:"",ReceiptForward:"",ReceiptReply:"",ReceiptCheck:"",Fax:"",RecurringEvent:"",ReplyAlt:"",ReplyAllAlt:"",EditStyle:"",EditMail:"",Lifesaver:"",LifesaverLock:"",InboxCheck:"",FolderSearch:""}};(0,n.fm)(o,t)}function m(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-8"',src:"url('"+e+"fabric-icons-8-6fdf1528.woff') format('woff')"},icons:{CollapseMenu:"",ExpandMenu:"",Boards:"",SunAdd:"",SunQuestionMark:"",LandscapeOrientation:"",DocumentSearch:"",PublicCalendar:"",PublicContactCard:"",PublicEmail:"",PublicFolder:"",WordDocument:"",PowerPointDocument:"",ExcelDocument:"",GroupedList:"",ClassroomLogo:"",Sections:"",EditPhoto:"",Starburst:"",ShareiOS:"",AirTickets:"",PencilReply:"",Tiles2:"",SkypeCircleCheck:"",SkypeCircleClock:"",SkypeCircleMinus:"",SkypeMessage:"",ClosedCaption:"",ATPLogo:"",OfficeFormsLogoInverse:"",RecycleBin:"",EmptyRecycleBin:"",Hide2:"",Breadcrumb:"",BirthdayCake:"",TimeEntry:"",CRMProcesses:"",PageEdit:"",PageArrowRight:"",PageRemove:"",Database:"",DataManagementSettings:"",CRMServices:"",EditContact:"",ConnectContacts:"",AppIconDefaultAdd:"",AppIconDefaultList:"",ActivateOrders:"",DeactivateOrders:"",ProductCatalog:"",ScatterChart:"",AccountActivity:"",DocumentManagement:"",CRMReport:"",KnowledgeArticle:"",Relationship:"",HomeVerify:"",ZipFolder:"",SurveyQuestions:"",TextDocument:"",TextDocumentShared:"",PageCheckedOut:"",PageShared:"",SaveAndClose:"",Script:"",Archive:"",ActivityFeed:"",Compare:"",EventDate:"",ArrowUpRight:"",CaretRight:"",SetAction:"",ChatBot:"",CaretSolidLeft:"",CaretSolidDown:"",CaretSolidRight:"",CaretSolidUp:"",PowerAppsLogo:"",PowerApps2Logo:"",SearchIssue:"",SearchIssueMirrored:"",FabricAssetLibrary:"",FabricDataConnectionLibrary:"",FabricDocLibrary:"",FabricFormLibrary:"",FabricFormLibraryMirrored:"",FabricReportLibrary:"",FabricReportLibraryMirrored:"",FabricPublicFolder:"",FabricFolderSearch:"",FabricMovetoFolder:"",FabricUnsyncFolder:"",FabricSyncFolder:"",FabricOpenFolderHorizontal:"",FabricFolder:"",FabricFolderFill:"",FabricNewFolder:"",FabricPictureLibrary:"",PhotoVideoMedia:"",AddFavorite:""}};(0,n.fm)(o,t)}function h(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-9"',src:"url('"+e+"fabric-icons-9-c6162b42.woff') format('woff')"},icons:{AddFavoriteFill:"",BufferTimeBefore:"",BufferTimeAfter:"",BufferTimeBoth:"",PublishContent:"",ClipboardList:"",ClipboardListMirrored:"",CannedChat:"",SkypeForBusinessLogo:"",TabCenter:"",PageCheckedin:"",PageList:"",ReadOutLoud:"",CaretBottomLeftSolid8:"",CaretBottomRightSolid8:"",FolderHorizontal:"",MicrosoftStaffhubLogo:"",GiftboxOpen:"",StatusCircleOuter:"",StatusCircleInner:"",StatusCircleRing:"",StatusTriangleOuter:"",StatusTriangleInner:"",StatusTriangleExclamation:"",StatusCircleExclamation:"",StatusCircleErrorX:"",StatusCircleInfo:"",StatusCircleBlock:"",StatusCircleBlock2:"",StatusCircleQuestionMark:"",StatusCircleSync:"",Toll:"",ExploreContentSingle:"",CollapseContent:"",CollapseContentSingle:"",InfoSolid:"",GroupList:"",ProgressRingDots:"",CaloriesAdd:"",BranchFork:"",MuteChat:"",AddHome:"",AddWork:"",MobileReport:"",ScaleVolume:"",HardDriveGroup:"",FastMode:"",ToggleLeft:"",ToggleRight:"",TriangleShape:"",RectangleShape:"",CubeShape:"",Trophy2:"",BucketColor:"",BucketColorFill:"",Taskboard:"",SingleColumn:"",DoubleColumn:"",TripleColumn:"",ColumnLeftTwoThirds:"",ColumnRightTwoThirds:"",AccessLogoFill:"",AnalyticsLogo:"",AnalyticsQuery:"",NewAnalyticsQuery:"",AnalyticsReport:"",WordLogo:"",WordLogoFill:"",ExcelLogo:"",ExcelLogoFill:"",OneNoteLogo:"",OneNoteLogoFill:"",OutlookLogo:"",OutlookLogoFill:"",PowerPointLogo:"",PowerPointLogoFill:"",PublisherLogo:"",PublisherLogoFill:"",ScheduleEventAction:"",FlameSolid:"",ServerProcesses:"",Server:"",SaveAll:"",LinkedInLogo:"",Decimals:"",SidePanelMirrored:"",ProtectRestrict:"",Blog:"",UnknownMirrored:"",PublicContactCardMirrored:"",GridViewSmall:"",GridViewMedium:"",GridViewLarge:"",Step:"",StepInsert:"",StepShared:"",StepSharedAdd:"",StepSharedInsert:"",ViewDashboard:"",ViewList:""}};(0,n.fm)(o,t)}function g(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-10"',src:"url('"+e+"fabric-icons-10-c4ded8e4.woff') format('woff')"},icons:{ViewListGroup:"",ViewListTree:"",TriggerAuto:"",TriggerUser:"",PivotChart:"",StackedBarChart:"",StackedLineChart:"",BuildQueue:"",BuildQueueNew:"",UserFollowed:"",ContactLink:"",Stack:"",Bullseye:"",VennDiagram:"",FiveTileGrid:"",FocalPoint:"",Insert:"",RingerRemove:"",TeamsLogoInverse:"",TeamsLogo:"",TeamsLogoFill:"",SkypeForBusinessLogoFill:"",SharepointLogo:"",SharepointLogoFill:"",DelveLogo:"",DelveLogoFill:"",OfficeVideoLogo:"",OfficeVideoLogoFill:"",ExchangeLogo:"",ExchangeLogoFill:"",Signin:"",DocumentApproval:"",CloneToDesktop:"",InstallToDrive:"",Blur:"",Build:"",ProcessMetaTask:"",BranchFork2:"",BranchLocked:"",BranchCommit:"",BranchCompare:"",BranchMerge:"",BranchPullRequest:"",BranchSearch:"",BranchShelveset:"",RawSource:"",MergeDuplicate:"",RowsGroup:"",RowsChild:"",Deploy:"",Redeploy:"",ServerEnviroment:"",VisioDiagram:"",HighlightMappedShapes:"",TextCallout:"",IconSetsFlag:"",VisioLogo:"",VisioLogoFill:"",VisioDocument:"",TimelineProgress:"",TimelineDelivery:"",Backlog:"",TeamFavorite:"",TaskGroup:"",TaskGroupMirrored:"",ScopeTemplate:"",AssessmentGroupTemplate:"",NewTeamProject:"",CommentAdd:"",CommentNext:"",CommentPrevious:"",ShopServer:"",LocaleLanguage:"",QueryList:"",UserSync:"",UserPause:"",StreamingOff:"",ArrowTallUpLeft:"",ArrowTallUpRight:"",ArrowTallDownLeft:"",ArrowTallDownRight:"",FieldEmpty:"",FieldFilled:"",FieldChanged:"",FieldNotChanged:"",RingerOff:"",PlayResume:"",BulletedList2:"",BulletedList2Mirrored:"",ImageCrosshair:"",GitGraph:"",Repo:"",RepoSolid:"",FolderQuery:"",FolderList:"",FolderListMirrored:"",LocationOutline:"",POISolid:"",CalculatorNotEqualTo:"",BoxSubtractSolid:""}};(0,n.fm)(o,t)}function f(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-11"',src:"url('"+e+"fabric-icons-11-2a8393d6.woff') format('woff')"},icons:{BoxAdditionSolid:"",BoxMultiplySolid:"",BoxPlaySolid:"",BoxCheckmarkSolid:"",CirclePauseSolid:"",CirclePause:"",MSNVideosSolid:"",CircleStopSolid:"",CircleStop:"",NavigateBack:"",NavigateBackMirrored:"",NavigateForward:"",NavigateForwardMirrored:"",UnknownSolid:"",UnknownMirroredSolid:"",CircleAddition:"",CircleAdditionSolid:"",FilePDB:"",FileTemplate:"",FileSQL:"",FileJAVA:"",FileASPX:"",FileCSS:"",FileSass:"",FileLess:"",FileHTML:"",JavaScriptLanguage:"",CSharpLanguage:"",CSharp:"",VisualBasicLanguage:"",VB:"",CPlusPlusLanguage:"",CPlusPlus:"",FSharpLanguage:"",FSharp:"",TypeScriptLanguage:"",PythonLanguage:"",PY:"",CoffeeScript:"",MarkDownLanguage:"",FullWidth:"",FullWidthEdit:"",Plug:"",PlugSolid:"",PlugConnected:"",PlugDisconnected:"",UnlockSolid:"",Variable:"",Parameter:"",CommentUrgent:"",Storyboard:"",DiffInline:"",DiffSideBySide:"",ImageDiff:"",ImagePixel:"",FileBug:"",FileCode:"",FileComment:"",BusinessHoursSign:"",FileImage:"",FileSymlink:"",AutoFillTemplate:"",WorkItem:"",WorkItemBug:"",LogRemove:"",ColumnOptions:"",Packages:"",BuildIssue:"",AssessmentGroup:"",VariableGroup:"",FullHistory:"",Wheelchair:"",SingleColumnEdit:"",DoubleColumnEdit:"",TripleColumnEdit:"",ColumnLeftTwoThirdsEdit:"",ColumnRightTwoThirdsEdit:"",StreamLogo:"",PassiveAuthentication:"",AlertSolid:"",MegaphoneSolid:"",TaskSolid:"",ConfigurationSolid:"",BugSolid:"",CrownSolid:"",Trophy2Solid:"",QuickNoteSolid:"",ConstructionConeSolid:"",PageListSolid:"",PageListMirroredSolid:"",StarburstSolid:"",ReadingModeSolid:"",SadSolid:"",HealthSolid:"",ShieldSolid:"",GiftBoxSolid:"",ShoppingCartSolid:"",MailSolid:"",ChatSolid:"",RibbonSolid:""}};(0,n.fm)(o,t)}function v(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-12"',src:"url('"+e+"fabric-icons-12-7e945a1e.woff') format('woff')"},icons:{FinancialSolid:"",FinancialMirroredSolid:"",HeadsetSolid:"",PermissionsSolid:"",ParkingSolid:"",ParkingMirroredSolid:"",DiamondSolid:"",AsteriskSolid:"",OfflineStorageSolid:"",BankSolid:"",DecisionSolid:"",Parachute:"",ParachuteSolid:"",FiltersSolid:"",ColorSolid:"",ReviewSolid:"",ReviewRequestSolid:"",ReviewRequestMirroredSolid:"",ReviewResponseSolid:"",FeedbackRequestSolid:"",FeedbackRequestMirroredSolid:"",FeedbackResponseSolid:"",WorkItemBar:"",WorkItemBarSolid:"",Separator:"",NavigateExternalInline:"",PlanView:"",TimelineMatrixView:"",EngineeringGroup:"",ProjectCollection:"",CaretBottomRightCenter8:"",CaretBottomLeftCenter8:"",CaretTopRightCenter8:"",CaretTopLeftCenter8:"",DonutChart:"",ChevronUnfold10:"",ChevronFold10:"",DoubleChevronDown8:"",DoubleChevronUp8:"",DoubleChevronLeft8:"",DoubleChevronRight8:"",ChevronDownEnd6:"",ChevronUpEnd6:"",ChevronLeftEnd6:"",ChevronRightEnd6:"",ContextMenu:"",AzureAPIManagement:"",AzureServiceEndpoint:"",VSTSLogo:"",VSTSAltLogo1:"",VSTSAltLogo2:"",FileTypeSolution:"",WordLogoInverse16:"",WordLogo16:"",WordLogoFill16:"",PowerPointLogoInverse16:"",PowerPointLogo16:"",PowerPointLogoFill16:"",ExcelLogoInverse16:"",ExcelLogo16:"",ExcelLogoFill16:"",OneNoteLogoInverse16:"",OneNoteLogo16:"",OneNoteLogoFill16:"",OutlookLogoInverse16:"",OutlookLogo16:"",OutlookLogoFill16:"",PublisherLogoInverse16:"",PublisherLogo16:"",PublisherLogoFill16:"",VisioLogoInverse16:"",VisioLogo16:"",VisioLogoFill16:"",TestBeaker:"",TestBeakerSolid:"",TestExploreSolid:"",TestAutoSolid:"",TestUserSolid:"",TestImpactSolid:"",TestPlan:"",TestStep:"",TestParameter:"",TestSuite:"",TestCase:"",Sprint:"",SignOut:"",TriggerApproval:"",Rocket:"",AzureKeyVault:"",Onboarding:"",Transition:"",LikeSolid:"",DislikeSolid:"",CRMCustomerInsightsApp:"",EditCreate:"",PlayReverseResume:"",PlayReverse:"",SearchData:"",UnSetColor:"",DeclineCall:""}};(0,n.fm)(o,t)}function b(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-13"',src:"url('"+e+"fabric-icons-13-c3989a02.woff') format('woff')"},icons:{RectangularClipping:"",TeamsLogo16:"",TeamsLogoFill16:"",Spacer:"",SkypeLogo16:"",SkypeForBusinessLogo16:"",SkypeForBusinessLogoFill16:"",FilterSolid:"",MailUndelivered:"",MailTentative:"",MailTentativeMirrored:"",MailReminder:"",ReceiptUndelivered:"",ReceiptTentative:"",ReceiptTentativeMirrored:"",Inbox:"",IRMReply:"",IRMReplyMirrored:"",IRMForward:"",IRMForwardMirrored:"",VoicemailIRM:"",EventAccepted:"",EventTentative:"",EventTentativeMirrored:"",EventDeclined:"",IDBadge:"",BackgroundColor:"",OfficeFormsLogoInverse16:"",OfficeFormsLogo:"",OfficeFormsLogoFill:"",OfficeFormsLogo16:"",OfficeFormsLogoFill16:"",OfficeFormsLogoInverse24:"",OfficeFormsLogo24:"",OfficeFormsLogoFill24:"",PageLock:"",NotExecuted:"",NotImpactedSolid:"",FieldReadOnly:"",FieldRequired:"",BacklogBoard:"",ExternalBuild:"",ExternalTFVC:"",ExternalXAML:"",IssueSolid:"",DefectSolid:"",LadybugSolid:"",NugetLogo:"",TFVCLogo:"",ProjectLogo32:"",ProjectLogoFill32:"",ProjectLogo16:"",ProjectLogoFill16:"",SwayLogo32:"",SwayLogoFill32:"",SwayLogo16:"",SwayLogoFill16:"",ClassNotebookLogo32:"",ClassNotebookLogoFill32:"",ClassNotebookLogo16:"",ClassNotebookLogoFill16:"",ClassNotebookLogoInverse32:"",ClassNotebookLogoInverse16:"",StaffNotebookLogo32:"",StaffNotebookLogoFill32:"",StaffNotebookLogo16:"",StaffNotebookLogoFill16:"",StaffNotebookLogoInverted32:"",StaffNotebookLogoInverted16:"",KaizalaLogo:"",TaskLogo:"",ProtectionCenterLogo32:"",GallatinLogo:"",Globe2:"",Guitar:"",Breakfast:"",Brunch:"",BeerMug:"",Vacation:"",Teeth:"",Taxi:"",Chopsticks:"",SyncOccurence:"",UnsyncOccurence:"",GIF:"",PrimaryCalendar:"",SearchCalendar:"",VideoOff:"",MicrosoftFlowLogo:"",BusinessCenterLogo:"",ToDoLogoBottom:"",ToDoLogoTop:"",EditSolid12:"",EditSolidMirrored12:"",UneditableSolid12:"",UneditableSolidMirrored12:"",UneditableMirrored:"",AdminALogo32:"",AdminALogoFill32:"",ToDoLogoInverse:""}};(0,n.fm)(o,t)}function y(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-14"',src:"url('"+e+"fabric-icons-14-5cf58db8.woff') format('woff')"},icons:{Snooze:"",WaffleOffice365:"",ImageSearch:"",NewsSearch:"",VideoSearch:"",R:"",FontColorA:"",FontColorSwatch:"",LightWeight:"",NormalWeight:"",SemiboldWeight:"",GroupObject:"",UngroupObject:"",AlignHorizontalLeft:"",AlignHorizontalCenter:"",AlignHorizontalRight:"",AlignVerticalTop:"",AlignVerticalCenter:"",AlignVerticalBottom:"",HorizontalDistributeCenter:"",VerticalDistributeCenter:"",Ellipse:"",Line:"",Octagon:"",Hexagon:"",Pentagon:"",RightTriangle:"",HalfCircle:"",QuarterCircle:"",ThreeQuarterCircle:"","6PointStar":"","12PointStar":"",ArrangeBringToFront:"",ArrangeSendToBack:"",ArrangeSendBackward:"",ArrangeBringForward:"",BorderDash:"",BorderDot:"",LineStyle:"",LineThickness:"",WindowEdit:"",HintText:"",MediaAdd:"",AnchorLock:"",AutoHeight:"",ChartSeries:"",ChartXAngle:"",ChartYAngle:"",Combobox:"",LineSpacing:"",Padding:"",PaddingTop:"",PaddingBottom:"",PaddingLeft:"",PaddingRight:"",NavigationFlipper:"",AlignJustify:"",TextOverflow:"",VisualsFolder:"",VisualsStore:"",PictureCenter:"",PictureFill:"",PicturePosition:"",PictureStretch:"",PictureTile:"",Slider:"",SliderHandleSize:"",DefaultRatio:"",NumberSequence:"",GUID:"",ReportAdd:"",DashboardAdd:"",MapPinSolid:"",WebPublish:"",PieSingleSolid:"",BlockedSolid:"",DrillDown:"",DrillDownSolid:"",DrillExpand:"",DrillShow:"",SpecialEvent:"",OneDriveFolder16:"",FunctionalManagerDashboard:"",BIDashboard:"",CodeEdit:"",RenewalCurrent:"",RenewalFuture:"",SplitObject:"",BulkUpload:"",DownloadDocument:"",GreetingCard:"",Flower:"",WaitlistConfirm:"",WaitlistConfirmMirrored:"",LaptopSecure:"",DragObject:"",EntryView:"",EntryDecline:"",ContactCardSettings:"",ContactCardSettingsMirrored:""}};(0,n.fm)(o,t)}function _(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-15"',src:"url('"+e+"fabric-icons-15-3807251b.woff') format('woff')"},icons:{CalendarSettings:"",CalendarSettingsMirrored:"",HardDriveLock:"",HardDriveUnlock:"",AccountManagement:"",ReportWarning:"",TransitionPop:"",TransitionPush:"",TransitionEffect:"",LookupEntities:"",ExploreData:"",AddBookmark:"",SearchBookmark:"",DrillThrough:"",MasterDatabase:"",CertifiedDatabase:"",MaximumValue:"",MinimumValue:"",VisualStudioIDELogo32:"",PasteAsText:"",PasteAsCode:"",BrowserTab:"",BrowserTabScreenshot:"",DesktopScreenshot:"",FileYML:"",ClipboardSolid:"",FabricUserFolder:"",FabricNetworkFolder:"",BullseyeTarget:"",AnalyticsView:"",Video360Generic:"",Untag:"",Leave:"",Trending12:"",Blocked12:"",Warning12:"",CheckedOutByOther12:"",CheckedOutByYou12:"",CircleShapeSolid:"",SquareShapeSolid:"",TriangleShapeSolid:"",DropShapeSolid:"",RectangleShapeSolid:"",ZoomToFit:"",InsertColumnsLeft:"",InsertColumnsRight:"",InsertRowsAbove:"",InsertRowsBelow:"",DeleteColumns:"",DeleteRows:"",DeleteRowsMirrored:"",DeleteTable:"",AccountBrowser:"",VersionControlPush:"",StackedColumnChart2:"",TripleColumnWide:"",QuadColumn:"",WhiteBoardApp16:"",WhiteBoardApp32:"",PinnedSolid:"",InsertSignatureLine:"",ArrangeByFrom:"",Phishing:"",CreateMailRule:"",PublishCourse:"",DictionaryRemove:"",UserRemove:"",UserEvent:"",Encryption:"",PasswordField:"",OpenInNewTab:"",Hide3:"",VerifiedBrandSolid:"",MarkAsProtected:"",AuthenticatorApp:"",WebTemplate:"",DefenderTVM:"",MedalSolid:"",D365TalentLearn:"",D365TalentInsight:"",D365TalentHRCore:"",BacklogList:"",ButtonControl:"",TableGroup:"",MountainClimbing:"",TagUnknown:"",TagUnknownMirror:"",TagUnknown12:"",TagUnknown12Mirror:"",Link12:"",Presentation:"",Presentation12:"",Lock12:"",BuildDefinition:"",ReleaseDefinition:"",SaveTemplate:"",UserGauge:"",BlockedSiteSolid12:"",TagSolid:"",OfficeChat:""}};(0,n.fm)(o,t)}function C(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-16"',src:"url('"+e+"fabric-icons-16-9cf93f3b.woff') format('woff')"},icons:{OfficeChatSolid:"",MailSchedule:"",WarningSolid:"",Blocked2Solid:"",SkypeCircleArrow:"",SkypeArrow:"",SyncStatus:"",SyncStatusSolid:"",ProjectDocument:"",ToDoLogoOutline:"",VisioOnlineLogoFill32:"",VisioOnlineLogo32:"",VisioOnlineLogoCloud32:"",VisioDiagramSync:"",Event12:"",EventDateMissed12:"",UserOptional:"",ResponsesMenu:"",DoubleDownArrow:"",DistributeDown:"",BookmarkReport:"",FilterSettings:"",GripperDotsVertical:"",MailAttached:"",AddIn:"",LinkedDatabase:"",TableLink:"",PromotedDatabase:"",BarChartVerticalFilter:"",BarChartVerticalFilterSolid:"",MicOff2:"",MicrosoftTranslatorLogo:"",ShowTimeAs:"",FileRequest:"",WorkItemAlert:"",PowerBILogo16:"",PowerBILogoBackplate16:"",BulletedListText:"",BulletedListBullet:"",BulletedListTextMirrored:"",BulletedListBulletMirrored:"",NumberedListText:"",NumberedListNumber:"",NumberedListTextMirrored:"",NumberedListNumberMirrored:"",RemoveLinkChain:"",RemoveLinkX:"",FabricTextHighlight:"",ClearFormattingA:"",ClearFormattingEraser:"",Photo2Fill:"",IncreaseIndentText:"",IncreaseIndentArrow:"",DecreaseIndentText:"",DecreaseIndentArrow:"",IncreaseIndentTextMirrored:"",IncreaseIndentArrowMirrored:"",DecreaseIndentTextMirrored:"",DecreaseIndentArrowMirrored:"",CheckListText:"",CheckListCheck:"",CheckListTextMirrored:"",CheckListCheckMirrored:"",NumberSymbol:"",Coupon:"",VerifiedBrand:"",ReleaseGate:"",ReleaseGateCheck:"",ReleaseGateError:"",M365InvoicingLogo:"",RemoveFromShoppingList:"",ShieldAlert:"",FabricTextHighlightComposite:"",Dataflows:"",GenericScanFilled:"",DiagnosticDataBarTooltip:"",SaveToMobile:"",Orientation2:"",ScreenCast:"",ShowGrid:"",SnapToGrid:"",ContactList:"",NewMail:"",EyeShadow:"",FabricFolderConfirm:"",InformationBarriers:"",CommentActive:"",ColumnVerticalSectionEdit:"",WavingHand:"",ShakeDevice:"",SmartGlassRemote:"",Rotate90Clockwise:"",Rotate90CounterClockwise:"",CampaignTemplate:"",ChartTemplate:"",PageListFilter:"",SecondaryNav:"",ColumnVerticalSection:"",SkypeCircleSlash:"",SkypeSlash:""}};(0,n.fm)(o,t)}function S(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-17"',src:"url('"+e+"fabric-icons-17-0c4ed701.woff') format('woff')"},icons:{CustomizeToolbar:"",DuplicateRow:"",RemoveFromTrash:"",MailOptions:"",Childof:"",Footer:"",Header:"",BarChartVerticalFill:"",StackedColumnChart2Fill:"",PlainText:"",AccessibiltyChecker:"",DatabaseSync:"",ReservationOrders:"",TabOneColumn:"",TabTwoColumn:"",TabThreeColumn:"",BulletedTreeList:"",MicrosoftTranslatorLogoGreen:"",MicrosoftTranslatorLogoBlue:"",InternalInvestigation:"",AddReaction:"",ContactHeart:"",VisuallyImpaired:"",EventToDoLogo:"",Variable2:"",ModelingView:"",DisconnectVirtualMachine:"",ReportLock:"",Uneditable2:"",Uneditable2Mirrored:"",BarChartVerticalEdit:"",GlobalNavButtonActive:"",PollResults:"",Rerun:"",QandA:"",QandAMirror:"",BookAnswers:"",AlertSettings:"",TrimStart:"",TrimEnd:"",TableComputed:"",DecreaseIndentLegacy:"",IncreaseIndentLegacy:"",SizeLegacy:""}};(0,n.fm)(o,t)}function x(e,t){void 0===e&&(e="https://spoprod-a.akamaihd.net/files/fabric/assets/icons/"),[r,i,a,s,l,c,u,d,p,m,h,g,f,v,b,y,_,C,S].forEach((function(o){return o(e,t)})),(0,n.M_)("trash","delete"),(0,n.M_)("onedrive","onedrivelogo"),(0,n.M_)("alertsolid12","eventdatemissed12"),(0,n.M_)("sixpointstar","6pointstar"),(0,n.M_)("twelvepointstar","12pointstar"),(0,n.M_)("toggleon","toggleleft"),(0,n.M_)("toggleoff","toggleright")}(0,o(6316).x)("@fluentui/font-icons-mdl2","8.0.2")},6825:(e,t,o)=>{"use strict";function n(e){i!==e&&(i=e)}function r(){return void 0===i&&(i="undefined"!=typeof document&&!!document.documentElement&&"rtl"===document.documentElement.getAttribute("dir")),i}var i;function a(){return{rtl:r()}}o.d(t,{ok:()=>n,Eo:()=>a}),i=r()},729:(e,t,o)=>{"use strict";o.d(t,{q:()=>i,Y:()=>l});var n,r=o(7622),i={none:0,insertNode:1,appendChild:2},a="undefined"!=typeof navigator&&/rv:11.0/.test(navigator.userAgent),s={};try{s=window}catch(e){}var l=function(){function e(e){this._rules=[],this._preservedRules=[],this._rulesToInsert=[],this._counter=0,this._keyToClassName={},this._onResetCallbacks=[],this._classNameToArgs={},this._config=(0,r.pi)({injectionMode:i.insertNode,defaultPrefix:"css",namespace:void 0,cspSettings:void 0},e),this._keyToClassName=this._config.classNameCache||{}}return e.getInstance=function(){var t;if(!(n=s.__stylesheet__)||n._lastStyleElement&&n._lastStyleElement.ownerDocument!==document){var o=(null===(t=s)||void 0===t?void 0:t.FabricConfig)||{};n=s.__stylesheet__=new e(o.mergeStyles)}return n},e.prototype.setConfig=function(e){this._config=(0,r.pi)((0,r.pi)({},this._config),e)},e.prototype.onReset=function(e){this._onResetCallbacks.push(e)},e.prototype.getClassName=function(e){var t=this._config.namespace;return(t?t+"-":"")+(e||this._config.defaultPrefix)+"-"+this._counter++},e.prototype.cacheClassName=function(e,t,o,n){this._keyToClassName[t]=e,this._classNameToArgs[e]={args:o,rules:n}},e.prototype.classNameFromKey=function(e){return this._keyToClassName[e]},e.prototype.getClassNameCache=function(){return this._keyToClassName},e.prototype.argsFromClassName=function(e){var t=this._classNameToArgs[e];return t&&t.args},e.prototype.insertedRulesFromClassName=function(e){var t=this._classNameToArgs[e];return t&&t.rules},e.prototype.insertRule=function(e,t){var o=this._config.injectionMode!==i.none?this._getStyleElement():void 0;if(t&&this._preservedRules.push(e),o)switch(this._config.injectionMode){case i.insertNode:var n=o.sheet;try{n.insertRule(e,n.cssRules.length)}catch(e){}break;case i.appendChild:o.appendChild(document.createTextNode(e))}else this._rules.push(e);this._config.onInsertRule&&this._config.onInsertRule(e)},e.prototype.getRules=function(e){return(e?this._preservedRules.join(""):"")+this._rules.join("")+this._rulesToInsert.join("")},e.prototype.reset=function(){this._rules=[],this._rulesToInsert=[],this._counter=0,this._classNameToArgs={},this._keyToClassName={},this._onResetCallbacks.forEach((function(e){return e()}))},e.prototype.resetKeys=function(){this._keyToClassName={}},e.prototype._getStyleElement=function(){var e=this;return this._styleElement||"undefined"==typeof document||(this._styleElement=this._createStyleElement(),a||window.requestAnimationFrame((function(){e._styleElement=void 0}))),this._styleElement},e.prototype._createStyleElement=function(){var e=document.head,t=document.createElement("style");t.setAttribute("data-merge-styles","true");var o=this._config.cspSettings;if(o&&o.nonce&&t.setAttribute("nonce",o.nonce),this._lastStyleElement)e.insertBefore(t,this._lastStyleElement.nextElementSibling);else{var n=this._findPlaceholderStyleTag();n?e.insertBefore(t,n.nextElementSibling):e.insertBefore(t,e.childNodes[0])}return this._lastStyleElement=t,t},e.prototype._findPlaceholderStyleTag=function(){var e=document.head;return e?e.querySelector("style[data-merge-styles]"):null},e}()},3570:(e,t,o)=>{"use strict";o.d(t,{m:()=>r});var n=o(7622);function r(){for(var e=[],t=0;t0){o.subComponentStyles={};var h=o.subComponentStyles,g=function(e){if(i.hasOwnProperty(e)){var t=i[e];h[e]=function(e){return r.apply(void 0,t.map((function(t){return"function"==typeof t?t(e):t})))}}};for(var d in i)g(d)}return o}},965:(e,t,o)=>{"use strict";o.d(t,{l:()=>r});var n=o(3570);function r(e){for(var t=[],o=1;o{"use strict";o.d(t,{U:()=>r});var n=o(729);function r(){for(var e=[],t=0;t=0)a(s.split(" "));else{var l=i.argsFromClassName(s);l?a(l):-1===o.indexOf(s)&&o.push(s)}else Array.isArray(s)?a(s):"object"==typeof s&&r.push(s)}}return a(e),{classes:o,objects:r}}},3310:(e,t,o)=>{"use strict";o.d(t,{j:()=>a});var n=o(6825),r=o(729),i=o(8186);function a(e){r.Y.getInstance().insertRule("@font-face{"+(0,i.dH)((0,n.Eo)(),e)+"}",!0)}},2762:(e,t,o)=>{"use strict";o.d(t,{F:()=>a});var n=o(6825),r=o(729),i=o(8186);function a(e){var t=r.Y.getInstance(),o=t.getClassName(),a=[];for(var s in e)e.hasOwnProperty(s)&&a.push(s,"{",(0,i.dH)((0,n.Eo)(),e[s]),"}");var l=a.join("");return t.insertRule("@keyframes "+o+"{"+l+"}",!0),t.cacheClassName(o,l,[],["keyframes",l]),o}},2005:(e,t,o)=>{"use strict";o.d(t,{Z:()=>s,I:()=>l});var n=o(3570),r=o(1836),i=o(6825),a=o(8186);function s(){for(var e=[],t=0;t{"use strict";o.d(t,{y:()=>a,R:()=>s});var n=o(1836),r=o(6825),i=o(8186);function a(){for(var e=[],t=0;t{"use strict";o.d(t,{Jh:()=>D,dH:()=>w,AE:()=>T,aj:()=>I});var n,r=o(7622),i=o(729),a={},s={"user-select":1};function l(e,t){var o=function(){if(!n){var e="undefined"!=typeof document?document:void 0,t="undefined"!=typeof navigator?navigator:void 0,o=t?t.userAgent.toLowerCase():void 0;n=e?{isWebkit:!(!e||!("WebkitAppearance"in e.documentElement.style)),isMoz:!!(o&&o.indexOf("firefox")>-1),isOpera:!!(o&&o.indexOf("opera")>-1),isMs:!(!t||!/rv:11.0/i.test(t.userAgent)&&!/Edge\/\d./i.test(navigator.userAgent))}:{isWebkit:!0,isMoz:!0,isOpera:!0,isMs:!0}}return n}(),r=e[t];if(s[r]){var i=e[t+1];s[r]&&(o.isWebkit&&e.push("-webkit-"+r,i),o.isMoz&&e.push("-moz-"+r,i),o.isMs&&e.push("-ms-"+r,i),o.isOpera&&e.push("-o-"+r,i))}}var c,u=["column-count","font-weight","flex","flex-grow","flex-shrink","fill-opacity","opacity","order","z-index","zoom"];function d(e,t){var o=e[t],n=e[t+1];if("number"==typeof n){var r=u.indexOf(o)>-1,i=o.indexOf("--")>-1,a=r||i?"":"px";e[t+1]=""+n+a}}var p="left",m="right",h=((c={}).left=m,c.right=p,c),g={"w-resize":"e-resize","sw-resize":"se-resize","nw-resize":"ne-resize"};function f(e,t,o){if(e.rtl){var n=t[o];if(!n)return;var r=t[o+1];if("string"==typeof r&&r.indexOf("@noflip")>=0)t[o+1]=r.replace(/\s*(?:\/\*\s*)?\@noflip\b(?:\s*\*\/)?\s*?/g,"");else if(n.indexOf(p)>=0)t[o]=n.replace(p,m);else if(n.indexOf(m)>=0)t[o]=n.replace(m,p);else if(String(r).indexOf(p)>=0)t[o+1]=r.replace(p,m);else if(String(r).indexOf(m)>=0)t[o+1]=r.replace(m,p);else if(h[n])t[o]=h[n];else if(g[r])t[o+1]=g[r];else switch(n){case"margin":case"padding":t[o+1]=function(e){if("string"==typeof e){var t=e.split(" ");if(4===t.length)return t[0]+" "+t[3]+" "+t[2]+" "+t[1]}return e}(r);break;case"box-shadow":t[o+1]=function(e,t){var o=e.split(" "),n=parseInt(o[0],10);return o[0]=o[0].replace(String(n),String(-1*n)),o.join(" ")}(r)}}}function v(e){var t=e&&e["&"];return t?t.displayName:void 0}var b=/\:global\((.+?)\)/g;function y(e,t){return e.indexOf(":global(")>=0?e.replace(b,"$1"):0===e.indexOf(":")?t+e:e.indexOf("&")<0?t+" "+e:e}function _(e,t,o,n){void 0===t&&(t={__order:[]}),0===o.indexOf("@")?C([n],t,o=o+"{"+e):o.indexOf(",")>-1?function(e){if(!b.test(e))return e;for(var t=[],o=/\:global\((.+?)\)/g,n=null;n=o.exec(e);)n[1].indexOf(",")>-1&&t.push([n.index,n.index+n[0].length,n[1].split(",").map((function(e){return":global("+e.trim()+")"})).join(", ")]);return t.reverse().reduce((function(e,t){var o=t[0],n=t[1],r=t[2];return e.slice(0,o)+r+e.slice(n)}),e)}(o).split(",").map((function(e){return e.trim()})).forEach((function(o){return C([n],t,y(o,e))})):C([n],t,y(o,e))}function C(e,t,o){void 0===t&&(t={__order:[]}),void 0===o&&(o="&");var n=i.Y.getInstance(),r=t[o];r||(r={},t[o]=r,t.__order.push(o));for(var a=0,s=e;ao&&t.push(e.substring(o,r)),o=r+1)}return o{"use strict";o.d(t,{k:()=>F});var n,r=o(7622),i=o(7002),a=o(7023),s=o(4932),l=o(4553),c=o(6840),u=o(8145),d=o(5951),p=o(688),m=o(2782),h=o(9757),g=o(8127),f=o(8088),v=o(3345),b=o(3978),y=o(4948),_=o(7466),C=o(5446),S=o(9444),x=o(9729),k="data-is-focusable",w="data-focuszone-id",I="tabindex",D="data-no-vertical-wrap",T="data-no-horizontal-wrap",E=999999999,P=-999999999,M={},R=new Set,N=["text","number","password","email","tel","url","search"],B=!1,F=function(e){function t(t){var o=e.call(this,t)||this;return o._root=i.createRef(),o._mergedRef=(0,s.S)(),o._onFocus=function(e){if(!o._portalContainsElement(e.target)){var t,n=o.props,r=n.onActiveElementChanged,i=n.doNotAllowFocusEventToPropagate,a=n.stopFocusPropagation,s=n.onFocusNotification,u=n.onFocus,d=n.shouldFocusInnerElementWhenReceivedFocus,p=n.defaultTabbableElement,m=o._isImmediateDescendantOfZone(e.target);if(m)t=e.target;else for(var h=e.target;h&&h!==o._root.current;){if((0,l.MW)(h)&&o._isImmediateDescendantOfZone(h)){t=h;break}h=(0,c.G)(h,B)}if(d&&e.target===o._root.current){var g=p&&"function"==typeof p&&p(o._root.current);g&&(0,l.MW)(g)?(t=g,g.focus()):(o.focus(!0),o._activeElement&&(t=null))}var f=!o._activeElement;t&&t!==o._activeElement&&((m||f)&&o._setFocusAlignment(t,!0,!0),o._activeElement=t,f&&o._updateTabIndexes()),r&&r(o._activeElement,e),(a||i)&&e.stopPropagation(),u?u(e):s&&s()}},o._onBlur=function(){o._setParkedFocus(!1)},o._onMouseDown=function(e){if(!o._portalContainsElement(e.target)&&!o.props.disabled){for(var t=e.target,n=[];t&&t!==o._root.current;)n.push(t),t=(0,c.G)(t,B);for(;n.length&&((t=n.pop())&&(0,l.MW)(t)&&o._setActiveElement(t,!0),!(0,l.jz)(t)););}},o._onKeyDown=function(e,t){if(!o._portalContainsElement(e.target)){var n=o.props,r=n.direction,i=n.disabled,s=n.isInnerZoneKeystroke,c=n.pagingSupportDisabled,p=n.shouldEnterInnerZone;if(!(i||(o.props.onKeyDown&&o.props.onKeyDown(e),e.isDefaultPrevented()||o._getDocument().activeElement===o._root.current&&o._isInnerZone))){if((p&&p(e)||s&&s(e))&&o._isImmediateDescendantOfZone(e.target)){var m=o._getFirstInnerZone();if(m){if(!m.focus(!0))return}else{if(!(0,l.gc)(e.target))return;if(!o.focusElement((0,l.dc)(e.target,e.target.firstChild,!0)))return}}else{if(e.altKey)return;switch(e.which){case u.m.space:if(o._tryInvokeClickForFocusable(e.target))break;return;case u.m.left:if(r!==a.U.vertical&&(o._preventDefaultWhenHandled(e),o._moveFocusLeft(t)))break;return;case u.m.right:if(r!==a.U.vertical&&(o._preventDefaultWhenHandled(e),o._moveFocusRight(t)))break;return;case u.m.up:if(r!==a.U.horizontal&&(o._preventDefaultWhenHandled(e),o._moveFocusUp()))break;return;case u.m.down:if(r!==a.U.horizontal&&(o._preventDefaultWhenHandled(e),o._moveFocusDown()))break;return;case u.m.pageDown:if(!c&&o._moveFocusPaging(!0))break;return;case u.m.pageUp:if(!c&&o._moveFocusPaging(!1))break;return;case u.m.tab:if(o.props.allowTabKey||o.props.handleTabKey===a.J.all||o.props.handleTabKey===a.J.inputOnly&&o._isElementInput(e.target)){var h=!1;if(o._processingTabKey=!0,h=r!==a.U.vertical&&o._shouldWrapFocus(o._activeElement,T)?((0,d.zg)(t)?!e.shiftKey:e.shiftKey)?o._moveFocusLeft(t):o._moveFocusRight(t):e.shiftKey?o._moveFocusUp():o._moveFocusDown(),o._processingTabKey=!1,h)break;o.props.shouldResetActiveElementWhenTabFromZone&&(o._activeElement=null)}return;case u.m.home:if(o._isContentEditableElement(e.target)||o._isElementInput(e.target)&&!o._shouldInputLoseFocus(e.target,!1))return!1;var g=o._root.current&&o._root.current.firstChild;if(o._root.current&&g&&o.focusElement((0,l.dc)(o._root.current,g,!0)))break;return;case u.m.end:if(o._isContentEditableElement(e.target)||o._isElementInput(e.target)&&!o._shouldInputLoseFocus(e.target,!0))return!1;var f=o._root.current&&o._root.current.lastChild;if(o._root.current&&o.focusElement((0,l.TD)(o._root.current,f,!0,!0,!0)))break;return;case u.m.enter:if(o._tryInvokeClickForFocusable(e.target))break;return;default:return}}e.preventDefault(),e.stopPropagation()}}},o._getHorizontalDistanceFromCenter=function(e,t,n){var r=o._focusAlignment.left||o._focusAlignment.x||0,i=Math.floor(n.top),a=Math.floor(t.bottom),s=Math.floor(n.bottom),l=Math.floor(t.top);return e&&i>a||!e&&s=n.left&&r<=n.left+n.width?0:Math.abs(n.left+n.width/2-r):o._shouldWrapFocus(o._activeElement,D)?E:P},(0,p.l)(o),o._id=(0,m.z)("FocusZone"),o._focusAlignment={left:0,top:0},o._processingTabKey=!1,o}return(0,r.ZT)(t,e),t.getOuterZones=function(){return R.size},t._onKeyDownCapture=function(e){e.which===u.m.tab&&R.forEach((function(e){return e._updateTabIndexes()}))},t.prototype.componentDidMount=function(){var e=this._root.current;if(M[this._id]=this,e){this._windowElement=(0,h.J)(e);for(var o=(0,c.G)(e,B);o&&o!==this._getDocument().body&&1===o.nodeType;){if((0,l.jz)(o)){this._isInnerZone=!0;break}o=(0,c.G)(o,B)}this._isInnerZone||(R.add(this),this._windowElement&&1===R.size&&this._windowElement.addEventListener("keydown",t._onKeyDownCapture,!0)),this._root.current&&this._root.current.addEventListener("blur",this._onBlur,!0),this._updateTabIndexes(),this.props.defaultTabbableElement&&"string"==typeof this.props.defaultTabbableElement?this._activeElement=this._getDocument().querySelector(this.props.defaultTabbableElement):this.props.defaultActiveElement&&(this._activeElement=this._getDocument().querySelector(this.props.defaultActiveElement)),this.props.shouldFocusOnMount&&this.focus()}},t.prototype.componentDidUpdate=function(){var e=this._root.current,t=this._getDocument();if(t&&this._lastIndexPath&&(t.activeElement===t.body||null===t.activeElement||!this.props.preventFocusRestoration&&t.activeElement===e)){var o=(0,l.bF)(e,this._lastIndexPath);o?(this._setActiveElement(o,!0),o.focus(),this._setParkedFocus(!1)):this._setParkedFocus(!0)}},t.prototype.componentWillUnmount=function(){delete M[this._id],this._isInnerZone||(R.delete(this),this._windowElement&&0===R.size&&this._windowElement.removeEventListener("keydown",t._onKeyDownCapture,!0)),this._root.current&&this._root.current.removeEventListener("blur",this._onBlur,!0),this._activeElement=null,this._defaultFocusElement=null},t.prototype.render=function(){var e=this,t=this.props,o=t.as,a=t.elementType,s=t.rootProps,l=t.ariaDescribedBy,c=t.ariaLabelledBy,u=t.className,d=(0,g.pq)(this.props,g.iY),p=o||a||"div";this._evaluateFocusBeforeRender();var m=(0,x.gh)();return i.createElement(p,(0,r.pi)({"aria-labelledby":c,"aria-describedby":l},d,s,{className:(0,f.i)((n||(n=(0,S.y)({selectors:{":focus":{outline:"none"}}},"ms-FocusZone")),n),u),ref:this._mergedRef(this.props.elementRef,this._root),"data-focuszone-id":this._id,onKeyDown:function(t){return e._onKeyDown(t,m)},onFocus:this._onFocus,onMouseDownCapture:this._onMouseDown}),this.props.children)},t.prototype.focus=function(e){if(void 0===e&&(e=!1),this._root.current){if(!e&&"true"===this._root.current.getAttribute(k)&&this._isInnerZone){var t=this._getOwnerZone(this._root.current);if(t!==this._root.current){var o=M[t.getAttribute(w)];return!!o&&o.focusElement(this._root.current)}return!1}if(!e&&this._activeElement&&(0,v.t)(this._root.current,this._activeElement)&&(0,l.MW)(this._activeElement))return this._activeElement.focus(),!0;var n=this._root.current.firstChild;return this.focusElement((0,l.dc)(this._root.current,n,!0))}return!1},t.prototype.focusLast=function(){if(this._root.current){var e=this._root.current&&this._root.current.lastChild;return this.focusElement((0,l.TD)(this._root.current,e,!0,!0,!0))}return!1},t.prototype.focusElement=function(e,t){var o=this.props,n=o.onBeforeFocus,r=o.shouldReceiveFocus;return!(r&&!r(e)||n&&!n(e)||!e||(this._setActiveElement(e,t),this._activeElement&&this._activeElement.focus(),0))},t.prototype.setFocusAlignment=function(e){this._focusAlignment=e},t.prototype._evaluateFocusBeforeRender=function(){var e=this._root.current,t=this._getDocument();if(t){var o=t.activeElement;if(o!==e){var n=(0,v.t)(e,o,!1);this._lastIndexPath=n?(0,l.xu)(e,o):void 0}}},t.prototype._setParkedFocus=function(e){var t=this._root.current;t&&this._isParked!==e&&(this._isParked=e,e?(this.props.allowFocusRoot||(this._parkedTabIndex=t.getAttribute("tabindex"),t.setAttribute("tabindex","-1")),t.focus()):this.props.allowFocusRoot||(this._parkedTabIndex?(t.setAttribute("tabindex",this._parkedTabIndex),this._parkedTabIndex=void 0):t.removeAttribute("tabindex")))},t.prototype._setActiveElement=function(e,t){var o=this._activeElement;this._activeElement=e,o&&((0,l.jz)(o)&&this._updateTabIndexes(o),o.tabIndex=-1),this._activeElement&&(this._focusAlignment&&!t||this._setFocusAlignment(e,!0,!0),this._activeElement.tabIndex=0)},t.prototype._preventDefaultWhenHandled=function(e){this.props.preventDefaultWhenHandled&&e.preventDefault()},t.prototype._tryInvokeClickForFocusable=function(e){if(e===this._root.current||!this.props.shouldRaiseClicks)return!1;do{if("BUTTON"===e.tagName||"A"===e.tagName||"INPUT"===e.tagName||"TEXTAREA"===e.tagName)return!1;if(this._isImmediateDescendantOfZone(e)&&"true"===e.getAttribute(k)&&"true"!==e.getAttribute("data-disable-click-on-enter"))return(0,b.x)(e),!0;e=(0,c.G)(e,B)}while(e!==this._root.current);return!1},t.prototype._getFirstInnerZone=function(e){if(!(e=e||this._activeElement||this._root.current))return null;if((0,l.jz)(e))return M[e.getAttribute(w)];for(var t=e.firstElementChild;t;){if((0,l.jz)(t))return M[t.getAttribute(w)];var o=this._getFirstInnerZone(t);if(o)return o;t=t.nextElementSibling}return null},t.prototype._moveFocus=function(e,t,o,n){void 0===n&&(n=!0);var r=this._activeElement,i=-1,s=void 0,c=!1,u=this.props.direction===a.U.bidirectional;if(!r||!this._root.current)return!1;if(this._isElementInput(r)&&!this._shouldInputLoseFocus(r,e))return!1;var d=u?r.getBoundingClientRect():null;do{if(r=e?(0,l.dc)(this._root.current,r):(0,l.TD)(this._root.current,r),!u){s=r;break}if(r){var p=t(d,r.getBoundingClientRect());if(-1===p&&-1===i){s=r;break}if(p>-1&&(-1===i||p=0&&p<0)break}}while(r);if(s&&s!==this._activeElement)c=!0,this.focusElement(s);else if(this.props.isCircularNavigation&&n)return e?this.focusElement((0,l.dc)(this._root.current,this._root.current.firstElementChild,!0)):this.focusElement((0,l.TD)(this._root.current,this._root.current.lastElementChild,!0,!0,!0));return c},t.prototype._moveFocusDown=function(){var e=this,t=-1,o=this._focusAlignment.left||this._focusAlignment.x||0;return!!this._moveFocus(!0,(function(n,r){var i=-1,a=Math.floor(r.top),s=Math.floor(n.bottom);return a=s||a===t)&&(t=a,i=o>=r.left&&o<=r.left+r.width?0:Math.abs(r.left+r.width/2-o)),i)}))&&(this._setFocusAlignment(this._activeElement,!1,!0),!0)},t.prototype._moveFocusUp=function(){var e=this,t=-1,o=this._focusAlignment.left||this._focusAlignment.x||0;return!!this._moveFocus(!1,(function(n,r){var i=-1,a=Math.floor(r.bottom),s=Math.floor(r.top),l=Math.floor(n.top);return a>l?e._shouldWrapFocus(e._activeElement,D)?E:P:((-1===t&&a<=l||s===t)&&(t=s,i=o>=r.left&&o<=r.left+r.width?0:Math.abs(r.left+r.width/2-o)),i)}))&&(this._setFocusAlignment(this._activeElement,!1,!0),!0)},t.prototype._moveFocusLeft=function(e){var t=this,o=this._shouldWrapFocus(this._activeElement,T);return!!this._moveFocus((0,d.zg)(e),(function(n,r){var i=-1;return((0,d.zg)(e)?parseFloat(r.top.toFixed(3))parseFloat(n.top.toFixed(3)))&&r.right<=n.right&&t.props.direction!==a.U.vertical?i=n.right-r.right:o||(i=P),i}),void 0,o)&&(this._setFocusAlignment(this._activeElement,!0,!1),!0)},t.prototype._moveFocusRight=function(e){var t=this,o=this._shouldWrapFocus(this._activeElement,T);return!!this._moveFocus(!(0,d.zg)(e),(function(n,r){var i=-1;return((0,d.zg)(e)?parseFloat(r.bottom.toFixed(3))>parseFloat(n.top.toFixed(3)):parseFloat(r.top.toFixed(3))=n.left&&t.props.direction!==a.U.vertical?i=r.left-n.left:o||(i=P),i}),void 0,o)&&(this._setFocusAlignment(this._activeElement,!0,!1),!0)},t.prototype._moveFocusPaging=function(e,t){void 0===t&&(t=!0);var o=this._activeElement;if(!o||!this._root.current)return!1;if(this._isElementInput(o)&&!this._shouldInputLoseFocus(o,e))return!1;var n=(0,y.zj)(o);if(!n)return!1;var r=-1,i=void 0,a=-1,s=-1,c=n.clientHeight,u=o.getBoundingClientRect();do{if(o=e?(0,l.dc)(this._root.current,o):(0,l.TD)(this._root.current,o)){var d=o.getBoundingClientRect(),p=Math.floor(d.top),m=Math.floor(u.bottom),h=Math.floor(d.bottom),g=Math.floor(u.top),f=this._getHorizontalDistanceFromCenter(e,u,d);if(e&&p>m+c||!e&&h-1&&(e&&p>a?(a=p,r=f,i=o):!e&&h-1){var o=e.selectionStart,n=o!==e.selectionEnd,r=e.value,i=e.readOnly;if(n||o>0&&!t&&!i||o!==r.length&&t&&!i||this.props.handleTabKey&&(!this.props.shouldInputLoseFocusOnArrowKey||!this.props.shouldInputLoseFocusOnArrowKey(e)))return!1}return!0},t.prototype._shouldWrapFocus=function(e,t){return!this.props.checkForNoWrap||(0,l.mM)(e,t)},t.prototype._portalContainsElement=function(e){return e&&!!this._root.current&&(0,_.w)(e,this._root.current)},t.prototype._getDocument=function(){return(0,C.M)(this._root.current)},t.defaultProps={isCircularNavigation:!1,direction:a.U.bidirectional,shouldRaiseClicks:!0},t}(i.Component)},7023:(e,t,o)=>{"use strict";o.d(t,{J:()=>r,U:()=>n});var n,r={none:0,all:1,inputOnly:2};!function(e){e[e.vertical=0]="vertical",e[e.horizontal=1]="horizontal",e[e.bidirectional=2]="bidirectional",e[e.domOrder=3]="domOrder"}(n||(n={}))},3528:(e,t,o)=>{"use strict";o.d(t,{r:()=>a});var n=o(2167),r=o(7002),i=o(7913);function a(){var e=(0,i.B)((function(){return new n.e}));return r.useEffect((function(){return function(){return e.dispose()}}),[e]),e}},2861:(e,t,o)=>{"use strict";o.d(t,{k:()=>i});var n=o(7002),r=o(7913);function i(e){var t=n.useState(e),o=t[0],i=t[1];return[o,{setTrue:(0,r.B)((function(){return function(){i(!0)}})),setFalse:(0,r.B)((function(){return function(){i(!1)}})),toggle:(0,r.B)((function(){return function(){i((function(e){return!e}))}}))}]}},7913:(e,t,o)=>{"use strict";o.d(t,{B:()=>r});var n=o(7002);function r(e){var t=n.useRef();return void 0===t.current&&(t.current={value:"function"==typeof e?e():e}),t.current.value}},6548:(e,t,o)=>{"use strict";o.d(t,{G:()=>i});var n=o(7002),r=o(7913);function i(e,t,o){var i=n.useState(t),a=i[0],s=i[1],l=(0,r.B)(void 0!==e),c=l?e:a,u=n.useRef(c),d=n.useRef(o);n.useEffect((function(){u.current=c,d.current=o}));var p=(0,r.B)((function(){return function(e,t){var o="function"==typeof e?e(u.current):e;d.current&&d.current(t,o),l||s(o)}}));return[c,p]}},4085:(e,t,o)=>{"use strict";o.d(t,{M:()=>i});var n=o(7002),r=o(2782);function i(e,t){var o=n.useRef(t);return o.current||(o.current=(0,r.z)(e)),o.current}},9241:(e,t,o)=>{"use strict";o.d(t,{r:()=>i});var n=o(7622),r=o(7002);function i(){for(var e=[],t=0;t{"use strict";o.d(t,{d:()=>i});var n=o(9251),r=o(7002);function i(e,t,o,i){var a=r.useRef(o);a.current=o,r.useEffect((function(){var o=e&&"current"in e?e.current:e;if(o)return(0,n.on)(o,t,(function(e){return a.current(e)}),i)}),[e,t,i])}},6876:(e,t,o)=>{"use strict";o.d(t,{D:()=>r});var n=o(7002);function r(e){var t=(0,n.useRef)();return(0,n.useEffect)((function(){t.current=e})),t.current}},5646:(e,t,o)=>{"use strict";o.d(t,{L:()=>i});var n=o(7002),r=o(7913),i=function(){var e=(0,r.B)({});return n.useEffect((function(){return function(){for(var t=0,o=Object.keys(e);t{"use strict";o.d(t,{e:()=>a});var n=o(5446),r=o(7002),i=o(8901);function a(e,t){var o,a=r.useRef(),s=r.useRef(null),l=(0,i.zY)();if(!e||e!==a.current||"string"==typeof e){var c=null===(o=t)||void 0===o?void 0:o.current;if(e)if("string"==typeof e){var u=(0,n.M)(c);s.current=u?u.querySelector(e):null}else s.current="stopPropagation"in e||"getBoundingClientRect"in e?e:"current"in e?e.current:e;a.current=e}return[s,l]}},8901:(e,t,o)=>{"use strict";o.d(t,{Hn:()=>r,zY:()=>i,ky:()=>a,WU:()=>s});var n=o(7002),r=n.createContext({window:"object"==typeof window?window:void 0}),i=function(){return n.useContext(r).window},a=function(){var e;return null===(e=n.useContext(r).window)||void 0===e?void 0:e.document},s=function(e){return n.createElement(r.Provider,{value:e},e.children)}},6628:(e,t,o)=>{"use strict";o.d(t,{b:()=>n});var n={topLeftEdge:0,topCenter:1,topRightEdge:2,topAutoEdge:3,bottomLeftEdge:4,bottomCenter:5,bottomRightEdge:6,bottomAutoEdge:7,leftTopEdge:8,leftCenter:9,leftBottomEdge:10,rightTopEdge:11,rightCenter:12,rightBottomEdge:13}},9942:(e,t,o)=>{"use strict";o.d(t,{d:()=>c});var n=o(7622),r=o(7002),i=o(7300),a=o(8127),s=o(6055),l=(0,i.y)(),c=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.message,o=e.styles,i=e.as,c=void 0===i?"div":i,u=e.className,d=l(o,{className:u});return r.createElement(c,(0,n.pi)({role:"status",className:d.root},(0,a.pq)(this.props,a.n7,["className"])),r.createElement(s.U,null,r.createElement("div",{className:d.screenReaderText},t)))},t.defaultProps={"aria-live":"polite"},t}(r.Component)},3945:(e,t,o)=>{"use strict";o.d(t,{O:()=>a});var n=o(2002),r=o(9942),i=o(9729),a=(0,n.z)(r.d,(function(e){return{root:e.className,screenReaderText:i.ul}}))},5767:(e,t,o)=>{"use strict";o.d(t,{G:()=>d});var n=o(7622),r=o(7002),i=o(5036),a=o(8145),s=o(688),l=o(2167),c=o(8127),u="backward",d=function(e){function t(t){var o=e.call(this,t)||this;return o._inputElement=r.createRef(),o._autoFillEnabled=!0,o._isComposing=!1,o._onCompositionStart=function(e){o._isComposing=!0,o._autoFillEnabled=!1},o._onCompositionUpdate=function(){(0,i.f)()&&o._updateValue(o._getCurrentInputValue(),!0)},o._onCompositionEnd=function(e){var t=o._getCurrentInputValue();o._tryEnableAutofill(t,o.value,!1,!0),o._isComposing=!1,o._async.setTimeout((function(){o._updateValue(o._getCurrentInputValue(),!1)}),0)},o._onClick=function(){o.value&&""!==o.value&&o._autoFillEnabled&&(o._autoFillEnabled=!1)},o._onKeyDown=function(e){if(o.props.onKeyDown&&o.props.onKeyDown(e),!e.nativeEvent.isComposing)switch(e.which){case a.m.backspace:o._autoFillEnabled=!1;break;case a.m.left:case a.m.right:o._autoFillEnabled&&(o.setState({inputValue:o.props.suggestedDisplayValue||""}),o._autoFillEnabled=!1);break;default:o._autoFillEnabled||-1!==o.props.enableAutofillOnKeyPress.indexOf(e.which)&&(o._autoFillEnabled=!0)}},o._onInputChanged=function(e){var t=o._getCurrentInputValue(e);if(o._isComposing||o._tryEnableAutofill(t,o.value,e.nativeEvent.isComposing),!(0,i.f)()||!o._isComposing){var n=e.nativeEvent.isComposing,r=void 0===n?o._isComposing:n;o._updateValue(t,r)}},o._onChanged=function(){},o._updateValue=function(e,t){var n;if(e||e!==o.value){var r=o.props,i=r.onInputChange,a=r.onInputValueChange;i&&(e=(null===(n=i)||void 0===n?void 0:n(e,t))||""),o.setState({inputValue:e},(function(){var o;return null===(o=a)||void 0===o?void 0:o(e,t)}))}},(0,s.l)(o),o._async=new l.e(o),o.state={inputValue:t.defaultVisibleValue||""},o}return(0,n.ZT)(t,e),t.getDerivedStateFromProps=function(e,t){if(e.updateValueInWillReceiveProps){var o=e.updateValueInWillReceiveProps();if(null!==o&&o!==t.inputValue)return{inputValue:o}}return null},Object.defineProperty(t.prototype,"cursorLocation",{get:function(){if(this._inputElement.current){var e=this._inputElement.current;return"forward"!==e.selectionDirection?e.selectionEnd:e.selectionStart}return-1},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"isValueSelected",{get:function(){return Boolean(this.inputElement&&this.inputElement.selectionStart!==this.inputElement.selectionEnd)},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"value",{get:function(){return this._getControlledValue()||this.state.inputValue||""},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"selectionStart",{get:function(){return this._inputElement.current?this._inputElement.current.selectionStart:-1},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"selectionEnd",{get:function(){return this._inputElement.current?this._inputElement.current.selectionEnd:-1},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"inputElement",{get:function(){return this._inputElement.current},enumerable:!0,configurable:!0}),t.prototype.componentDidUpdate=function(){var e=this.props,t=e.suggestedDisplayValue,o=e.shouldSelectFullInputValueInComponentDidUpdate,n=0;if(!e.preventValueSelection&&this._autoFillEnabled&&this.value&&t&&p(t,this.value)){var r=!1;if(o&&(r=o()),r&&this._inputElement.current)this._inputElement.current.setSelectionRange(0,t.length,u);else{for(;n0&&this._inputElement.current&&this._inputElement.current.setSelectionRange(n,t.length,u)}}},t.prototype.componentWillUnmount=function(){this._async.dispose()},t.prototype.render=function(){var e=(0,c.pq)(this.props,c.Gg),t=(0,n.pi)((0,n.pi)({},this.props.style),{fontFamily:"inherit"});return r.createElement("input",(0,n.pi)({autoCapitalize:"off",autoComplete:"off","aria-autocomplete":"both"},e,{style:t,ref:this._inputElement,value:this._getDisplayValue(),onCompositionStart:this._onCompositionStart,onCompositionUpdate:this._onCompositionUpdate,onCompositionEnd:this._onCompositionEnd,onChange:this._onChanged,onInput:this._onInputChanged,onKeyDown:this._onKeyDown,onClick:this.props.onClick?this.props.onClick:this._onClick,"data-lpignore":!0}))},t.prototype.focus=function(){this._inputElement.current&&this._inputElement.current.focus()},t.prototype.clear=function(){this._autoFillEnabled=!0,this._updateValue("",!1),this._inputElement.current&&this._inputElement.current.setSelectionRange(0,0)},t.prototype._getCurrentInputValue=function(e){return e&&e.target&&e.target.value?e.target.value:this.inputElement&&this.inputElement.value?this.inputElement.value:""},t.prototype._tryEnableAutofill=function(e,t,o,n){!o&&e&&this._inputElement.current&&this._inputElement.current.selectionStart===e.length&&!this._autoFillEnabled&&(e.length>t.length||n)&&(this._autoFillEnabled=!0)},t.prototype._getDisplayValue=function(){return this._autoFillEnabled?(e=this.value,t=this.props.suggestedDisplayValue,o=e,t&&e&&p(t,o)&&(o=t),o):this.value;var e,t,o},t.prototype._getControlledValue=function(){var e=this.props.value;return void 0===e||"string"==typeof e?e:(console.warn("props.value of Autofill should be a string, but it is "+e+" with type of "+typeof e),e.toString())},t.defaultProps={enableAutofillOnKeyPress:[a.m.down,a.m.up]},t}(r.Component);function p(e,t){return!(!e||!t)&&0===e.toLocaleLowerCase().indexOf(t.toLocaleLowerCase())}},2898:(e,t,o)=>{"use strict";o.d(t,{K:()=>c});var n=o(7622),r=o(7002),i=o(4968),a=o(9013),s=o(6053),l=o(3608),c=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.theme;return r.createElement(i.Y,(0,n.pi)({},this.props,{variantClassName:"ms-Button--action ms-Button--command",styles:(0,l.W)(o,t),onRenderDescription:a.S}))},(0,n.gn)([(0,s.a)("ActionButton",["theme","styles"],!0)],t)}(r.Component)},3608:(e,t,o)=>{"use strict";o.d(t,{W:()=>a});var n=o(9729),r=o(5094),i=o(1860),a=(0,r.NF)((function(e,t){var o,r,a,s=(0,i.W)(e),l={root:{padding:"0 4px",height:"40px",color:e.palette.neutralPrimary,backgroundColor:"transparent",border:"1px solid transparent",selectors:(o={},o[n.qJ]={borderColor:"Window"},o)},rootHovered:{color:e.palette.themePrimary,selectors:(r={},r[n.qJ]={color:"Highlight"},r)},iconHovered:{color:e.palette.themePrimary},rootPressed:{color:e.palette.black},rootExpanded:{color:e.palette.themePrimary},iconPressed:{color:e.palette.themeDarker},rootDisabled:{color:e.palette.neutralTertiary,backgroundColor:"transparent",borderColor:"transparent",selectors:(a={},a[n.qJ]={color:"GrayText"},a)},rootChecked:{color:e.palette.black},iconChecked:{color:e.palette.themeDarker},flexContainer:{justifyContent:"flex-start"},icon:{color:e.palette.themeDarkAlt},iconDisabled:{color:"inherit"},menuIcon:{color:e.palette.neutralSecondary},textContainer:{flexGrow:0}};return(0,n.E$)(s,l,t)}))},2657:(e,t,o)=>{"use strict";o.d(t,{n:()=>i,f:()=>a});var n=o(5094),r=o(9729),i={msButton:"ms-Button",msButtonHasMenu:"ms-Button--hasMenu",msButtonIcon:"ms-Button-icon",msButtonMenuIcon:"ms-Button-menuIcon",msButtonLabel:"ms-Button-label",msButtonDescription:"ms-Button-description",msButtonScreenReaderText:"ms-Button-screenReaderText",msButtonFlexContainer:"ms-Button-flexContainer",msButtonTextContainer:"ms-Button-textContainer"},a=(0,n.NF)((function(e,t,o,n,a,s,l,c,u,d,p){var m,h,g=(0,r.Cn)(i,e||{}),f=d&&!p;return(0,r.ZC)({root:[g.msButton,t.root,n,u&&["is-checked",t.rootChecked],f&&["is-expanded",t.rootExpanded,{selectors:(m={},m[":hover ."+g.msButtonIcon]=t.iconExpandedHovered,m[":hover ."+g.msButtonMenuIcon]=t.menuIconExpandedHovered||t.rootExpandedHovered,m[":hover"]=t.rootExpandedHovered,m)}],c&&[i.msButtonHasMenu,t.rootHasMenu],l&&["is-disabled",t.rootDisabled],!l&&!f&&!u&&{selectors:(h={":hover":t.rootHovered},h[":hover ."+g.msButtonLabel]=t.labelHovered,h[":hover ."+g.msButtonIcon]=t.iconHovered,h[":hover ."+g.msButtonDescription]=t.descriptionHovered,h[":hover ."+g.msButtonMenuIcon]=t.menuIconHovered,h[":focus"]=t.rootFocused,h[":active"]=t.rootPressed,h[":active ."+g.msButtonIcon]=t.iconPressed,h[":active ."+g.msButtonDescription]=t.descriptionPressed,h[":active ."+g.msButtonMenuIcon]=t.menuIconPressed,h)},l&&u&&[t.rootCheckedDisabled],!l&&u&&{selectors:{":hover":t.rootCheckedHovered,":active":t.rootCheckedPressed}},o],flexContainer:[g.msButtonFlexContainer,t.flexContainer],textContainer:[g.msButtonTextContainer,t.textContainer],icon:[g.msButtonIcon,a,t.icon,f&&t.iconExpanded,u&&t.iconChecked,l&&t.iconDisabled],label:[g.msButtonLabel,t.label,u&&t.labelChecked,l&&t.labelDisabled],menuIcon:[g.msButtonMenuIcon,s,t.menuIcon,u&&t.menuIconChecked,l&&!p&&t.menuIconDisabled,!l&&!f&&!u&&{selectors:{":hover":t.menuIconHovered,":active":t.menuIconPressed}},f&&["is-expanded",t.menuIconExpanded]],description:[g.msButtonDescription,t.description,u&&t.descriptionChecked,l&&t.descriptionDisabled],screenReaderText:[g.msButtonScreenReaderText,t.screenReaderText]})}))},4968:(e,t,o)=>{"use strict";o.d(t,{Y:()=>P});var n=o(7622),r=o(7002),i=o(5094),a=o(8088),s=o(7466),l=o(8145),c=o(688),u=o(2167),d=o(9919),p=o(5415),m=o(3129),h=o(2782),g=o(8127),f=o(2447),v=o(9013),b=o(5480),y=o(9577),_=o(4932),C=o(9947),S=o(4734),x=o(7840),k=o(6628),w=o(9134),I=o(2657),D=o(5032),T=o(9949),E="BaseButton",P=function(e){function t(t){var o=e.call(this,t)||this;return o._buttonElement=r.createRef(),o._splitButtonContainer=r.createRef(),o._mergedRef=(0,_.S)(),o._renderedVisibleMenu=!1,o._getMemoizedMenuButtonKeytipProps=(0,i.NF)((function(e){return(0,n.pi)((0,n.pi)({},e),{hasMenu:!0})})),o._onRenderIcon=function(e,t){var i=o.props.iconProps;if(i&&(void 0!==i.iconName||i.imageProps)){var s=i.className,l=i.imageProps,c=(0,n._T)(i,["className","imageProps"]);if(i.styles)return r.createElement(C.J,(0,n.pi)({className:(0,a.i)(o._classNames.icon,s),imageProps:l},c));if(i.iconName)return r.createElement(S.xu,(0,n.pi)({className:(0,a.i)(o._classNames.icon,s)},c));if(l)return r.createElement(x.X,(0,n.pi)({className:(0,a.i)(o._classNames.icon,s),imageProps:l},c))}return null},o._onRenderTextContents=function(){var e=o.props,t=e.text,n=e.children,i=e.secondaryText,a=void 0===i?o.props.description:i,s=e.onRenderText,l=void 0===s?o._onRenderText:s,c=e.onRenderDescription,u=void 0===c?o._onRenderDescription:c;return t||"string"==typeof n||a?r.createElement("span",{className:o._classNames.textContainer},l(o.props,o._onRenderText),u(o.props,o._onRenderDescription)):[l(o.props,o._onRenderText),u(o.props,o._onRenderDescription)]},o._onRenderText=function(){var e=o.props.text,t=o.props.children;return void 0===e&&"string"==typeof t&&(e=t),o._hasText()?r.createElement("span",{key:o._labelId,className:o._classNames.label,id:o._labelId},e):null},o._onRenderChildren=function(){var e=o.props.children;return"string"==typeof e?null:e},o._onRenderDescription=function(e){var t=e.secondaryText,n=void 0===t?o.props.description:t;return n?r.createElement("span",{key:o._descriptionId,className:o._classNames.description,id:o._descriptionId},n):null},o._onRenderAriaDescription=function(){var e=o.props.ariaDescription;return e?r.createElement("span",{className:o._classNames.screenReaderText,id:o._ariaDescriptionId},e):null},o._onRenderMenuIcon=function(e){var t=o.props.menuIconProps;return r.createElement(S.xu,(0,n.pi)({iconName:"ChevronDown"},t,{className:o._classNames.menuIcon}))},o._onRenderMenu=function(e){var t=o.props.persistMenu,i=o.state.menuHidden,s=o.props.menuAs||w.r;return e.ariaLabel||e.labelElementId||!o._hasText()||(e=(0,n.pi)((0,n.pi)({},e),{labelElementId:o._labelId})),r.createElement(s,(0,n.pi)({id:o._labelId+"-menu",directionalHint:k.b.bottomLeftEdge},e,{shouldFocusOnContainer:o._menuShouldFocusOnContainer,shouldFocusOnMount:o._menuShouldFocusOnMount,hidden:t?i:void 0,className:(0,a.i)("ms-BaseButton-menuhost",e.className),target:o._isSplitButton?o._splitButtonContainer.current:o._buttonElement.current,onDismiss:o._onDismissMenu}))},o._onDismissMenu=function(e){var t=o.props.menuProps;t&&t.onDismiss&&t.onDismiss(e),e&&e.defaultPrevented||o._dismissMenu()},o._dismissMenu=function(){o._menuShouldFocusOnMount=void 0,o._menuShouldFocusOnContainer=void 0,o.setState({menuHidden:!0})},o._openMenu=function(e,t){void 0===t&&(t=!0),o.props.menuProps&&(o._menuShouldFocusOnContainer=e,o._menuShouldFocusOnMount=t,o._renderedVisibleMenu=!0,o.setState({menuHidden:!1}))},o._onToggleMenu=function(e){var t=!0;o.props.menuProps&&!1===o.props.menuProps.shouldFocusOnMount&&(t=!1),o.state.menuHidden?o._openMenu(e,t):o._dismissMenu()},o._onSplitContainerFocusCapture=function(e){var t=o._splitButtonContainer.current;!t||e.target&&(0,s.w)(e.target,t)||t.focus()},o._onSplitButtonPrimaryClick=function(e){o.state.menuHidden||o._dismissMenu(),!o._processingTouch&&o.props.onClick?o.props.onClick(e):o._processingTouch&&o._onMenuClick(e)},o._onKeyDown=function(e){!o.props.disabled||e.which!==l.m.enter&&e.which!==l.m.space?o.props.disabled||(o.props.menuProps?o._onMenuKeyDown(e):void 0!==o.props.onKeyDown&&o.props.onKeyDown(e)):(e.preventDefault(),e.stopPropagation())},o._onKeyUp=function(e){o.props.disabled||void 0===o.props.onKeyUp||o.props.onKeyUp(e)},o._onKeyPress=function(e){o.props.disabled||void 0===o.props.onKeyPress||o.props.onKeyPress(e)},o._onMouseUp=function(e){o.props.disabled||void 0===o.props.onMouseUp||o.props.onMouseUp(e)},o._onMouseDown=function(e){o.props.disabled||void 0===o.props.onMouseDown||o.props.onMouseDown(e)},o._onClick=function(e){o.props.disabled||(o.props.menuProps?o._onMenuClick(e):void 0!==o.props.onClick&&o.props.onClick(e))},o._onSplitButtonContainerKeyDown=function(e){e.which===l.m.enter||e.which===l.m.space?o._buttonElement.current&&(o._buttonElement.current.click(),e.preventDefault(),e.stopPropagation()):o._onMenuKeyDown(e)},o._onMenuKeyDown=function(e){if(!o.props.disabled){o.props.onKeyDown&&o.props.onKeyDown(e);var t=e.which===l.m.up,n=e.which===l.m.down;if(!e.defaultPrevented&&o._isValidMenuOpenKey(e)){var r=o.props.onMenuClick;r&&r(e,o.props),o._onToggleMenu(!1),e.preventDefault(),e.stopPropagation()}e.altKey||e.metaKey||!t&&!n||!o.state.menuHidden&&o.props.menuProps&&((void 0!==o._menuShouldFocusOnMount?o._menuShouldFocusOnMount:o.props.menuProps.shouldFocusOnMount)||(e.preventDefault(),e.stopPropagation(),o._menuShouldFocusOnMount=!0,o.forceUpdate()))}},o._onTouchStart=function(){o._isSplitButton&&o._splitButtonContainer.current&&!("onpointerdown"in o._splitButtonContainer.current)&&o._handleTouchAndPointerEvent()},o._onMenuClick=function(e){var t=o.props.onMenuClick;if(t&&t(e,o.props),!e.defaultPrevented){var n=0!==e.nativeEvent.detail||"mouse"===e.nativeEvent.pointerType;o._onToggleMenu(n),e.preventDefault(),e.stopPropagation()}},(0,c.l)(o),o._async=new u.e(o),o._events=new d.r(o),(0,p.w)(E,t,["menuProps","onClick"],"split",o.props.split),(0,m.b)(E,t,{rootProps:void 0,description:"secondaryText",toggled:"checked"}),o._labelId=(0,h.z)(),o._descriptionId=(0,h.z)(),o._ariaDescriptionId=(0,h.z)(),o.state={menuHidden:!0},o}return(0,n.ZT)(t,e),Object.defineProperty(t.prototype,"_isSplitButton",{get:function(){return!!this.props.menuProps&&!!this.props.onClick&&!0===this.props.split},enumerable:!0,configurable:!0}),t.prototype.render=function(){var e,t=this.props,o=t.ariaDescription,n=t.ariaLabel,r=t.ariaHidden,i=t.className,a=t.disabled,s=t.allowDisabledFocus,l=t.primaryDisabled,c=t.secondaryText,u=void 0===c?this.props.description:c,d=t.href,p=t.iconProps,m=t.menuIconProps,h=t.styles,b=t.checked,y=t.variantClassName,_=t.theme,C=t.toggle,S=t.getClassNames,x=t.role,k=this.state.menuHidden,w=a||l;this._classNames=S?S(_,i,y,p&&p.className,m&&m.className,w,b,!k,!!this.props.menuProps,this.props.split,!!s):(0,I.f)(_,h,i,y,p&&p.className,m&&m.className,w,!!this.props.menuProps,b,!k,this.props.split);var D=this,T=D._ariaDescriptionId,E=D._labelId,P=D._descriptionId,M=!w&&!!d,R=M?"a":"button",N=(0,g.pq)((0,f.f0)(M?{}:{type:"button"},this.props.rootProps,this.props),M?g.h2:g.Yq,["disabled"]),B=n||N["aria-label"],F=void 0;o?F=T:u&&this.props.onRenderDescription!==v.S?F=P:N["aria-describedby"]&&(F=N["aria-describedby"]);var L=void 0;B||(N["aria-labelledby"]?L=N["aria-labelledby"]:F&&(L=this._hasText()?E:void 0));var A=!(!1===this.props["data-is-focusable"]||a&&!s||this._isSplitButton),z="menuitemcheckbox"===x||"checkbox"===x,H=z||!0===C?!!b:void 0,O=(0,f.f0)(N,((e={className:this._classNames.root,ref:this._mergedRef(this.props.elementRef,this._buttonElement),disabled:w&&!s,onKeyDown:this._onKeyDown,onKeyPress:this._onKeyPress,onKeyUp:this._onKeyUp,onMouseDown:this._onMouseDown,onMouseUp:this._onMouseUp,onClick:this._onClick,"aria-label":B,"aria-labelledby":L,"aria-describedby":F,"aria-disabled":w,"data-is-focusable":A})[z?"aria-checked":"aria-pressed"]=H,e));return r&&(O["aria-hidden"]=!0),this._isSplitButton?this._onRenderSplitButtonContent(R,O):(this.props.menuProps&&(0,f.f0)(O,{"aria-expanded":!k,"aria-controls":k?null:this._labelId+"-menu","aria-haspopup":!0}),this._onRenderContent(R,O))},t.prototype.componentDidMount=function(){this._isSplitButton&&this._splitButtonContainer.current&&("onpointerdown"in this._splitButtonContainer.current&&this._events.on(this._splitButtonContainer.current,"pointerdown",this._onPointerDown,!0),"onpointerup"in this._splitButtonContainer.current&&this.props.onPointerUp&&this._events.on(this._splitButtonContainer.current,"pointerup",this.props.onPointerUp,!0))},t.prototype.componentDidUpdate=function(e,t){this.props.onAfterMenuDismiss&&!t.menuHidden&&this.state.menuHidden&&this.props.onAfterMenuDismiss()},t.prototype.componentWillUnmount=function(){this._async.dispose(),this._events.dispose()},t.prototype.focus=function(){this._isSplitButton&&this._splitButtonContainer.current?this._splitButtonContainer.current.focus():this._buttonElement.current&&this._buttonElement.current.focus()},t.prototype.dismissMenu=function(){this._dismissMenu()},t.prototype.openMenu=function(e,t){this._openMenu(e,t)},t.prototype._onRenderContent=function(e,t){var o=this,i=this.props,a=e,s=i.menuIconProps,l=i.menuProps,c=i.onRenderIcon,u=void 0===c?this._onRenderIcon:c,d=i.onRenderAriaDescription,p=void 0===d?this._onRenderAriaDescription:d,m=i.onRenderChildren,h=void 0===m?this._onRenderChildren:m,g=i.onRenderMenu,f=void 0===g?this._onRenderMenu:g,v=i.onRenderMenuIcon,y=void 0===v?this._onRenderMenuIcon:v,_=i.disabled,C=i.keytipProps;C&&l&&(C=this._getMemoizedMenuButtonKeytipProps(C));var S=function(e){return r.createElement(a,(0,n.pi)({},t,e),r.createElement("span",{className:o._classNames.flexContainer,"data-automationid":"splitbuttonprimary"},u(i,o._onRenderIcon),o._onRenderTextContents(),p(i,o._onRenderAriaDescription),h(i,o._onRenderChildren),!o._isSplitButton&&(l||s||o.props.onRenderMenuIcon)&&y(o.props,o._onRenderMenuIcon),l&&!l.doNotLayer&&o._shouldRenderMenu()&&f(l,o._onRenderMenu)))},x=C?r.createElement(T.a,{keytipProps:this._isSplitButton?void 0:C,ariaDescribedBy:t["aria-describedby"],disabled:_},(function(e){return S(e)})):S();return l&&l.doNotLayer?r.createElement(r.Fragment,null,x,this._shouldRenderMenu()&&f(l,this._onRenderMenu)):r.createElement(r.Fragment,null,x,r.createElement(b.u,null))},t.prototype._shouldRenderMenu=function(){var e=this.state.menuHidden,t=this.props,o=t.persistMenu,n=t.renderPersistedMenuHiddenOnMount;return!e||!(!o||!this._renderedVisibleMenu&&!n)},t.prototype._hasText=function(){return null!==this.props.text&&(void 0!==this.props.text||"string"==typeof this.props.children)},t.prototype._onRenderSplitButtonContent=function(e,t){var o=this,i=this.props,a=i.styles,s=void 0===a?{}:a,l=i.disabled,c=i.allowDisabledFocus,u=i.checked,d=i.getSplitButtonClassNames,p=i.primaryDisabled,m=i.menuProps,h=i.toggle,v=i.role,b=i.primaryActionButtonProps,_=this.props.keytipProps,C=this.state.menuHidden,S=d?d(!!l,!C,!!u,!!c):s&&(0,D.W)(s,!!l,!C,!!u,!!p);(0,f.f0)(t,{onClick:void 0,onPointerDown:void 0,onPointerUp:void 0,tabIndex:-1,"data-is-focusable":!1}),_&&m&&(_=this._getMemoizedMenuButtonKeytipProps(_));var x=(0,g.pq)(t,[],["disabled"]);b&&(0,f.f0)(t,b);var k=function(i){return r.createElement("div",(0,n.pi)({},x,{"data-ktp-target":i?i["data-ktp-target"]:void 0,role:v||"button","aria-disabled":l,"aria-haspopup":!0,"aria-expanded":!C,"aria-pressed":h?!!u:void 0,"aria-describedby":(0,y.I)(t["aria-describedby"],i?i["aria-describedby"]:void 0),className:S&&S.splitButtonContainer,onKeyDown:o._onSplitButtonContainerKeyDown,onTouchStart:o._onTouchStart,ref:o._splitButtonContainer,"data-is-focusable":!0,onClick:l||p?void 0:o._onSplitButtonPrimaryClick,tabIndex:!l||c?0:void 0,"aria-roledescription":t["aria-roledescription"],onFocusCapture:o._onSplitContainerFocusCapture}),r.createElement("span",{style:{display:"flex"}},o._onRenderContent(e,t),o._onRenderSplitButtonMenuButton(S,i),o._onRenderSplitButtonDivider(S)))};return _?r.createElement(T.a,{keytipProps:_,disabled:l},(function(e){return k(e)})):k()},t.prototype._onRenderSplitButtonDivider=function(e){return e&&e.divider?r.createElement("span",{className:e.divider,"aria-hidden":!0,onClick:function(e){e.stopPropagation()}}):null},t.prototype._onRenderSplitButtonMenuButton=function(e,o){var i=this.props,a=i.allowDisabledFocus,s=i.checked,l=i.disabled,c=i.splitButtonMenuProps,u=i.splitButtonAriaLabel,d=this.state.menuHidden,p=this.props.menuIconProps;void 0===p&&(p={iconName:"ChevronDown"});var m=(0,n.pi)((0,n.pi)({},c),{styles:e,checked:s,disabled:l,allowDisabledFocus:a,onClick:this._onMenuClick,menuProps:void 0,iconProps:(0,n.pi)((0,n.pi)({},p),{className:this._classNames.menuIcon}),ariaLabel:u,"aria-haspopup":!0,"aria-expanded":!d,"data-is-focusable":!1});return r.createElement(t,(0,n.pi)({},m,{"data-ktp-execute-target":o?o["data-ktp-execute-target"]:o,onMouseDown:this._onMouseDown,tabIndex:-1}))},t.prototype._onPointerDown=function(e){var t=this.props.onPointerDown;t&&t(e),"touch"===e.pointerType&&(this._handleTouchAndPointerEvent(),e.preventDefault(),e.stopImmediatePropagation())},t.prototype._handleTouchAndPointerEvent=function(){var e=this;void 0!==this._lastTouchTimeoutId&&(this._async.clearTimeout(this._lastTouchTimeoutId),this._lastTouchTimeoutId=void 0),this._processingTouch=!0,this._lastTouchTimeoutId=this._async.setTimeout((function(){e._processingTouch=!1,e._lastTouchTimeoutId=void 0,e.focus()}),500)},t.prototype._isValidMenuOpenKey=function(e){return this.props.menuTriggerKeyCode?e.which===this.props.menuTriggerKeyCode:!!this.props.menuProps&&e.which===l.m.down&&(e.altKey||e.metaKey)},t.defaultProps={baseClassName:"ms-Button",styles:{},split:!1},t}(r.Component)},1860:(e,t,o)=>{"use strict";o.d(t,{W:()=>s});var n=o(5094),r=o(9729),i={outline:0},a=function(e){return{fontSize:e,margin:"0 4px",height:"16px",lineHeight:"16px",textAlign:"center",flexShrink:0}},s=(0,n.NF)((function(e){var t,o,n=e.semanticColors,s=e.effects,l=e.fonts,c=n.buttonBorder,u=n.disabledBackground,d=n.disabledText,p={left:-2,top:-2,bottom:-2,right:-2,outlineColor:"ButtonText"};return{root:[(0,r.GL)(e,{inset:1,highContrastStyle:p,borderColor:"transparent"}),e.fonts.medium,{boxSizing:"border-box",border:"1px solid "+c,userSelect:"none",display:"inline-block",textDecoration:"none",textAlign:"center",cursor:"pointer",padding:"0 16px",borderRadius:s.roundedCorner2,selectors:{":active > *":{position:"relative",left:0,top:0}}}],rootDisabled:[(0,r.GL)(e,{inset:1,highContrastStyle:p,borderColor:"transparent"}),{backgroundColor:u,borderColor:u,color:d,cursor:"default",pointerEvents:"none",selectors:{":hover":i,":focus":i}}],iconDisabled:{color:d,selectors:(t={},t[r.qJ]={color:"GrayText"},t)},menuIconDisabled:{color:d,selectors:(o={},o[r.qJ]={color:"GrayText"},o)},flexContainer:{display:"flex",height:"100%",flexWrap:"nowrap",justifyContent:"center",alignItems:"center"},description:{display:"block"},textContainer:{flexGrow:1,display:"block"},icon:a(l.mediumPlus.fontSize),menuIcon:a(l.small.fontSize),label:{margin:"0 4px",lineHeight:"100%",display:"block"},screenReaderText:r.ul}}))},7664:(e,t,o)=>{"use strict";o.d(t,{D:()=>a,f:()=>s});var n=o(7622),r=o(9729),i=o(6145);function a(e){var t,o,i,a,s,l=e.semanticColors,c=e.palette,u=l.buttonBackground,d=l.buttonBackgroundPressed,p=l.buttonBackgroundHovered,m=l.buttonBackgroundDisabled,h=l.buttonText,g=l.buttonTextHovered,f=l.buttonTextDisabled,v=l.buttonTextChecked,b=l.buttonTextCheckedHovered;return{root:{backgroundColor:u,color:h},rootHovered:{backgroundColor:p,color:g,selectors:(t={},t[r.qJ]={borderColor:"Highlight",color:"Highlight"},t)},rootPressed:{backgroundColor:d,color:v},rootExpanded:{backgroundColor:d,color:v},rootChecked:{backgroundColor:d,color:v},rootCheckedHovered:{backgroundColor:d,color:b},rootDisabled:{color:f,backgroundColor:m,selectors:(o={},o[r.qJ]={color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},o)},splitButtonContainer:{selectors:(i={},i[r.qJ]={border:"none"},i)},splitButtonMenuButton:{color:c.white,backgroundColor:"transparent",selectors:{":hover":{backgroundColor:c.neutralLight,selectors:(a={},a[r.qJ]={color:"Highlight"},a)}}},splitButtonMenuButtonDisabled:{backgroundColor:l.buttonBackgroundDisabled,selectors:{":hover":{backgroundColor:l.buttonBackgroundDisabled}}},splitButtonDivider:(0,n.pi)((0,n.pi)({},{position:"absolute",width:1,right:31,top:8,bottom:8}),{backgroundColor:c.neutralTertiaryAlt,selectors:(s={},s[r.qJ]={backgroundColor:"WindowText"},s)}),splitButtonDividerDisabled:{backgroundColor:e.palette.neutralTertiaryAlt},splitButtonMenuButtonChecked:{backgroundColor:c.neutralQuaternaryAlt,selectors:{":hover":{backgroundColor:c.neutralQuaternaryAlt}}},splitButtonMenuButtonExpanded:{backgroundColor:c.neutralQuaternaryAlt,selectors:{":hover":{backgroundColor:c.neutralQuaternaryAlt}}},splitButtonMenuIcon:{color:l.buttonText},splitButtonMenuIconDisabled:{color:l.buttonTextDisabled}}}function s(e){var t,o,a,s,l,c,u,d,p,m=e.palette,h=e.semanticColors;return{root:{backgroundColor:h.primaryButtonBackground,border:"1px solid "+h.primaryButtonBackground,color:h.primaryButtonText,selectors:(t={},t[r.qJ]=(0,n.pi)({color:"Window",backgroundColor:"WindowText",borderColor:"WindowText"},(0,r.xM)()),t["."+i.G$+" &:focus"]={selectors:{":after":{border:"none",outlineColor:m.white}}},t)},rootHovered:{backgroundColor:h.primaryButtonBackgroundHovered,border:"1px solid "+h.primaryButtonBackgroundHovered,color:h.primaryButtonTextHovered,selectors:(o={},o[r.qJ]={color:"Window",backgroundColor:"Highlight",borderColor:"Highlight"},o)},rootPressed:{backgroundColor:h.primaryButtonBackgroundPressed,border:"1px solid "+h.primaryButtonBackgroundPressed,color:h.primaryButtonTextPressed,selectors:(a={},a[r.qJ]=(0,n.pi)({color:"Window",backgroundColor:"WindowText",borderColor:"WindowText"},(0,r.xM)()),a)},rootExpanded:{backgroundColor:h.primaryButtonBackgroundPressed,color:h.primaryButtonTextPressed},rootChecked:{backgroundColor:h.primaryButtonBackgroundPressed,color:h.primaryButtonTextPressed},rootCheckedHovered:{backgroundColor:h.primaryButtonBackgroundPressed,color:h.primaryButtonTextPressed},rootDisabled:{color:h.primaryButtonTextDisabled,backgroundColor:h.primaryButtonBackgroundDisabled,selectors:(s={},s[r.qJ]={color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},s)},splitButtonContainer:{selectors:(l={},l[r.qJ]={border:"none"},l)},splitButtonDivider:(0,n.pi)((0,n.pi)({},{position:"absolute",width:1,right:31,top:8,bottom:8}),{backgroundColor:m.white,selectors:(c={},c[r.qJ]={backgroundColor:"Window"},c)}),splitButtonMenuButton:{backgroundColor:h.primaryButtonBackground,color:h.primaryButtonText,selectors:(u={},u[r.qJ]={backgroundColor:"WindowText"},u[":hover"]={backgroundColor:h.primaryButtonBackgroundHovered,selectors:(d={},d[r.qJ]={color:"Highlight"},d)},u)},splitButtonMenuButtonDisabled:{backgroundColor:h.primaryButtonBackgroundDisabled,selectors:{":hover":{backgroundColor:h.primaryButtonBackgroundDisabled}}},splitButtonMenuButtonChecked:{backgroundColor:h.primaryButtonBackgroundPressed,selectors:{":hover":{backgroundColor:h.primaryButtonBackgroundPressed}}},splitButtonMenuButtonExpanded:{backgroundColor:h.primaryButtonBackgroundPressed,selectors:{":hover":{backgroundColor:h.primaryButtonBackgroundPressed}}},splitButtonMenuIcon:{color:h.primaryButtonText},splitButtonMenuIconDisabled:{color:m.neutralTertiary,selectors:(p={},p[r.qJ]={color:"GrayText"},p)}}}},1420:(e,t,o)=>{"use strict";o.d(t,{Q:()=>h});var n=o(7622),r=o(7002),i=o(4968),a=o(9013),s=o(6053),l=o(9729),c=o(5094),u=o(1860),d=o(8198),p=o(2657),m=(0,c.NF)((function(e,t,o,r){var i,a,s,c,m,h,g,f,v,b,y,_,C,S,x=(0,u.W)(e),k=(0,d.W)(e),w=e.palette,I=e.semanticColors,D={root:[(0,l.GL)(e,{inset:2,highContrastStyle:{left:4,top:4,bottom:4,right:4,border:"none"},borderColor:"transparent"}),e.fonts.medium,{minWidth:"40px",backgroundColor:w.white,color:w.neutralPrimary,padding:"0 4px",border:"none",borderRadius:0,selectors:(i={},i[l.qJ]={border:"none"},i)}],rootHovered:{backgroundColor:w.neutralLighter,color:w.neutralDark,selectors:(a={},a[l.qJ]={color:"Highlight"},a["."+p.n.msButtonIcon]={color:w.themeDarkAlt},a["."+p.n.msButtonMenuIcon]={color:w.neutralPrimary},a)},rootPressed:{backgroundColor:w.neutralLight,color:w.neutralDark,selectors:(s={},s["."+p.n.msButtonIcon]={color:w.themeDark},s["."+p.n.msButtonMenuIcon]={color:w.neutralPrimary},s)},rootChecked:{backgroundColor:w.neutralLight,color:w.neutralDark,selectors:(c={},c["."+p.n.msButtonIcon]={color:w.themeDark},c["."+p.n.msButtonMenuIcon]={color:w.neutralPrimary},c)},rootCheckedHovered:{backgroundColor:w.neutralQuaternaryAlt,selectors:(m={},m["."+p.n.msButtonIcon]={color:w.themeDark},m["."+p.n.msButtonMenuIcon]={color:w.neutralPrimary},m)},rootExpanded:{backgroundColor:w.neutralLight,color:w.neutralDark,selectors:(h={},h["."+p.n.msButtonIcon]={color:w.themeDark},h["."+p.n.msButtonMenuIcon]={color:w.neutralPrimary},h)},rootExpandedHovered:{backgroundColor:w.neutralQuaternaryAlt},rootDisabled:{backgroundColor:w.white,selectors:(g={},g["."+p.n.msButtonIcon]={color:I.disabledBodySubtext,selectors:(f={},f[l.qJ]=(0,n.pi)({color:"GrayText"},(0,l.xM)()),f)},g[l.qJ]=(0,n.pi)({color:"GrayText",backgroundColor:"Window"},(0,l.xM)()),g)},splitButtonContainer:{height:"100%",selectors:(v={},v[l.qJ]={border:"none"},v)},splitButtonDividerDisabled:{selectors:(b={},b[l.qJ]={backgroundColor:"Window"},b)},splitButtonDivider:{backgroundColor:w.neutralTertiaryAlt},splitButtonMenuButton:{backgroundColor:w.white,border:"none",borderTopRightRadius:"0",borderBottomRightRadius:"0",color:w.neutralSecondary,selectors:{":hover":{backgroundColor:w.neutralLighter,color:w.neutralDark,selectors:(y={},y[l.qJ]={color:"Highlight"},y["."+p.n.msButtonIcon]={color:w.neutralPrimary},y)},":active":{backgroundColor:w.neutralLight,selectors:(_={},_["."+p.n.msButtonIcon]={color:w.neutralPrimary},_)}}},splitButtonMenuButtonDisabled:{backgroundColor:w.white,selectors:(C={},C[l.qJ]=(0,n.pi)({color:"GrayText",border:"none",backgroundColor:"Window"},(0,l.xM)()),C)},splitButtonMenuButtonChecked:{backgroundColor:w.neutralLight,color:w.neutralDark,selectors:{":hover":{backgroundColor:w.neutralQuaternaryAlt}}},splitButtonMenuButtonExpanded:{backgroundColor:w.neutralLight,color:w.black,selectors:{":hover":{backgroundColor:w.neutralQuaternaryAlt}}},splitButtonMenuIcon:{color:w.neutralPrimary},splitButtonMenuIconDisabled:{color:w.neutralTertiary},label:{fontWeight:"normal"},icon:{color:w.themePrimary},menuIcon:(S={color:w.neutralSecondary},S[l.qJ]={color:"GrayText"},S)};return(0,l.E$)(x,k,D,t)})),h=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.theme;return r.createElement(i.Y,(0,n.pi)({},this.props,{variantClassName:"ms-Button--commandBar",styles:m(o,t),onRenderDescription:a.S}))},(0,n.gn)([(0,s.a)("CommandBarButton",["theme","styles"],!0)],t)}(r.Component)},990:(e,t,o)=>{"use strict";o.d(t,{M:()=>n});var n=o(2898).K},8959:(e,t,o)=>{"use strict";o.d(t,{W:()=>m});var n=o(7622),r=o(7002),i=o(4968),a=o(6053),s=o(9729),l=o(5094),c=o(1860),u=o(8198),d=o(7664),p=(0,l.NF)((function(e,t,o){var r,i,a,l,p,m=e.fonts,h=e.palette,g=(0,c.W)(e),f=(0,u.W)(e),v={root:{maxWidth:"280px",minHeight:"72px",height:"auto",padding:"16px 12px"},flexContainer:{flexDirection:"row",alignItems:"flex-start",minWidth:"100%",margin:""},textContainer:{textAlign:"left"},icon:{fontSize:"2em",lineHeight:"1em",height:"1em",margin:"0px 8px 0px 0px",flexBasis:"1em",flexShrink:"0"},label:{margin:"0 0 5px",lineHeight:"100%",fontWeight:s.lq.semibold},description:[m.small,{lineHeight:"100%"}]},b={description:{color:h.neutralSecondary},descriptionHovered:{color:h.neutralDark},descriptionPressed:{color:"inherit"},descriptionChecked:{color:"inherit"},descriptionDisabled:{color:"inherit"}},y={description:{color:h.white,selectors:(r={},r[s.qJ]=(0,n.pi)({backgroundColor:"WindowText",color:"Window"},(0,s.xM)()),r)},descriptionHovered:{color:h.white,selectors:(i={},i[s.qJ]={backgroundColor:"Highlight",color:"Window"},i)},descriptionPressed:{color:"inherit",selectors:(a={},a[s.qJ]=(0,n.pi)({color:"Window",backgroundColor:"WindowText"},(0,s.xM)()),a)},descriptionChecked:{color:"inherit",selectors:(l={},l[s.qJ]=(0,n.pi)({color:"Window",backgroundColor:"WindowText"},(0,s.xM)()),l)},descriptionDisabled:{color:"inherit",selectors:(p={},p[s.qJ]={color:"inherit"},p)}};return(0,s.E$)(g,v,o?(0,d.f)(e):(0,d.D)(e),o?y:b,f,t)})),m=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.primary,o=void 0!==t&&t,a=e.styles,s=e.theme;return r.createElement(i.Y,(0,n.pi)({},this.props,{variantClassName:o?"ms-Button--compoundPrimary":"ms-Button--compound",styles:p(s,a,o)}))},(0,n.gn)([(0,a.a)("CompoundButton",["theme","styles"],!0)],t)}(r.Component)},9632:(e,t,o)=>{"use strict";o.d(t,{a:()=>h});var n=o(7622),r=o(7002),i=o(4968),a=o(9013),s=o(6053),l=o(9729),c=o(5094),u=o(1860),d=o(8198),p=o(7664),m=(0,c.NF)((function(e,t,o){var n=(0,u.W)(e),r=(0,d.W)(e),i={root:{minWidth:"80px",height:"32px"},label:{fontWeight:l.lq.semibold}};return(0,l.E$)(n,i,o?(0,p.f)(e):(0,p.D)(e),r,t)})),h=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.primary,o=void 0!==t&&t,s=e.styles,l=e.theme;return r.createElement(i.Y,(0,n.pi)({},this.props,{variantClassName:o?"ms-Button--primary":"ms-Button--default",styles:m(l,s,o),onRenderDescription:a.S}))},(0,n.gn)([(0,s.a)("DefaultButton",["theme","styles"],!0)],t)}(r.Component)},5758:(e,t,o)=>{"use strict";o.d(t,{h:()=>m});var n=o(7622),r=o(7002),i=o(4968),a=o(9013),s=o(6053),l=o(9729),c=o(5094),u=o(1860),d=o(8198),p=(0,c.NF)((function(e,t){var o,n=(0,u.W)(e),r=(0,d.W)(e),i=e.palette,a={root:{padding:"0 4px",width:"32px",height:"32px",backgroundColor:"transparent",border:"none",color:e.semanticColors.link},rootHovered:{color:i.themeDarkAlt,backgroundColor:i.neutralLighter,selectors:(o={},o[l.qJ]={borderColor:"Highlight",color:"Highlight"},o)},rootHasMenu:{width:"auto"},rootPressed:{color:i.themeDark,backgroundColor:i.neutralLight},rootExpanded:{color:i.themeDark,backgroundColor:i.neutralLight},rootChecked:{color:i.themeDark,backgroundColor:i.neutralLight},rootCheckedHovered:{color:i.themeDark,backgroundColor:i.neutralQuaternaryAlt},rootDisabled:{color:i.neutralTertiaryAlt}};return(0,l.E$)(n,a,r,t)})),m=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.theme;return r.createElement(i.Y,(0,n.pi)({},this.props,{variantClassName:"ms-Button--icon",styles:p(o,t),onRenderText:a.S,onRenderDescription:a.S}))},(0,n.gn)([(0,s.a)("IconButton",["theme","styles"],!0)],t)}(r.Component)},8924:(e,t,o)=>{"use strict";o.d(t,{K:()=>l});var n=o(7622),r=o(7002),i=o(9013),a=o(6053),s=o(9632),l=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){return r.createElement(s.a,(0,n.pi)({},this.props,{primary:!0,onRenderDescription:i.S}))},(0,n.gn)([(0,a.a)("PrimaryButton",["theme","styles"],!0)],t)}(r.Component)},5032:(e,t,o)=>{"use strict";o.d(t,{W:()=>i});var n=o(5094),r=o(9729),i=(0,n.NF)((function(e,t,o,n,i){return{root:(0,r.y0)(e.splitButtonMenuButton,o&&[e.splitButtonMenuButtonExpanded],t&&[e.splitButtonMenuButtonDisabled],n&&!t&&[e.splitButtonMenuButtonChecked]),splitButtonContainer:(0,r.y0)(e.splitButtonContainer,!t&&n&&[e.splitButtonContainerChecked,{selectors:{":hover":e.splitButtonContainerCheckedHovered}}],!t&&!n&&[{selectors:{":hover":e.splitButtonContainerHovered,":focus":e.splitButtonContainerFocused}}],t&&e.splitButtonContainerDisabled),icon:(0,r.y0)(e.splitButtonMenuIcon,t&&e.splitButtonMenuIconDisabled,!t&&i&&e.splitButtonMenuIcon),flexContainer:(0,r.y0)(e.splitButtonFlexContainer),divider:(0,r.y0)(e.splitButtonDivider,(i||t)&&e.splitButtonDividerDisabled)}}))},8198:(e,t,o)=>{"use strict";o.d(t,{W:()=>i});var n=o(7622),r=o(9729),i=(0,o(5094).NF)((function(e,t){var o,i,a,s,l,c,u,d,p,m,h,g,f,v=e.effects,b=e.palette,y=e.semanticColors,_={position:"absolute",width:1,right:31,top:8,bottom:8},C={splitButtonContainer:[(0,r.GL)(e,{highContrastStyle:{left:-2,top:-2,bottom:-2,right:-2,border:"none"},inset:2}),{display:"inline-flex",selectors:{".ms-Button--default":{borderTopRightRadius:"0",borderBottomRightRadius:"0",borderRight:"none"},".ms-Button--primary":{borderTopRightRadius:"0",borderBottomRightRadius:"0",border:"none",selectors:(o={},o[r.qJ]=(0,n.pi)({color:"WindowText",backgroundColor:"Window",border:"1px solid WindowText",borderRightWidth:"0"},(0,r.xM)()),o)},".ms-Button--primary + .ms-Button":{border:"none",selectors:(i={},i[r.qJ]={border:"1px solid WindowText",borderLeftWidth:"0"},i)}}}],splitButtonContainerHovered:{selectors:{".ms-Button--primary":{selectors:(a={},a[r.qJ]={color:"Window",backgroundColor:"Highlight"},a)},".ms-Button.is-disabled":{color:y.buttonTextDisabled,selectors:(s={},s[r.qJ]={color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},s)}}},splitButtonContainerChecked:{selectors:{".ms-Button--primary":{selectors:(l={},l[r.qJ]=(0,n.pi)({color:"Window",backgroundColor:"WindowText"},(0,r.xM)()),l)}}},splitButtonContainerCheckedHovered:{selectors:{".ms-Button--primary":{selectors:(c={},c[r.qJ]=(0,n.pi)({color:"Window",backgroundColor:"WindowText"},(0,r.xM)()),c)}}},splitButtonContainerFocused:{outline:"none!important"},splitButtonMenuButton:(u={padding:6,height:"auto",boxSizing:"border-box",borderRadius:0,borderTopRightRadius:v.roundedCorner2,borderBottomRightRadius:v.roundedCorner2,border:"1px solid "+b.neutralSecondaryAlt,borderLeft:"none",outline:"transparent",userSelect:"none",display:"inline-block",textDecoration:"none",textAlign:"center",cursor:"pointer",verticalAlign:"top",width:32,marginLeft:-1,marginTop:0,marginRight:0,marginBottom:0},u[r.qJ]={".ms-Button-menuIcon":{color:"WindowText"}},u),splitButtonDivider:(0,n.pi)((0,n.pi)({},_),{selectors:(d={},d[r.qJ]={backgroundColor:"WindowText"},d)}),splitButtonDividerDisabled:(0,n.pi)((0,n.pi)({},_),{selectors:(p={},p[r.qJ]={backgroundColor:"GrayText"},p)}),splitButtonMenuButtonDisabled:{pointerEvents:"none",border:"none",selectors:(m={":hover":{cursor:"default"},".ms-Button--primary":{selectors:(h={},h[r.qJ]={color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},h)},".ms-Button-menuIcon":{selectors:(g={},g[r.qJ]={color:"GrayText"},g)}},m[r.qJ]={color:"GrayText",border:"1px solid GrayText",backgroundColor:"Window"},m)},splitButtonFlexContainer:{display:"flex",height:"100%",flexWrap:"nowrap",justifyContent:"center",alignItems:"center"},splitButtonContainerDisabled:{outline:"none",border:"none",selectors:(f={},f[r.qJ]=(0,n.pi)({color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},(0,r.xM)()),f)}};return(0,r.E$)(C,t)}))},4977:(e,t,o)=>{"use strict";o.d(t,{f:()=>te});var n=o(2002),r=o(7622),i=o(7002),a=o(1093),s=o(6786),l=o(6974),c=o(7300),u=o(6953),d=o(8088),p=o(8145),m=o(9947),h=o(4316),g=o(4085),f=(0,c.y)(),v=function(e){var t=i.useRef(null);i.useImperativeHandle(e.componentRef,(function(){return{focus:function(){var e,o,n;null===(n=null===(e=t.current)||void 0===e?void 0:(o=e).focus)||void 0===n||n.call(o)}}}),[]);var o=e.strings,n=e.navigatedDate,a=e.dateTimeFormatter,s=e.styles,l=e.theme,c=e.className,d=e.onHeaderSelect,p=e.showSixWeeksByDefault,m=e.minDate,v=e.maxDate,_=e.restrictedDates,C=e.onNavigateDate,S=e.showWeekNumbers,x=e.dateRangeType,k=e.animationDirection,w=(0,g.M)(),I=(0,g.M)(),D=f(s,{theme:l,className:c,headerIsClickable:!!d,showWeekNumbers:S,animationDirection:k}),T=a.formatMonthYear(n,o),E=d?"button":"div",P=o.yearPickerHeaderAriaLabel?(0,u.W)(o.yearPickerHeaderAriaLabel,T):T;return i.createElement("div",{className:D.root,id:w},i.createElement("div",{className:D.header},i.createElement(E,{"aria-live":"polite","aria-atomic":"true","aria-label":d?P:void 0,key:T,className:D.monthAndYear,onClick:d,"data-is-focusable":!!d,tabIndex:d?0:-1,onKeyDown:y(d),type:"button"},i.createElement("span",{id:I},T)),i.createElement(b,(0,r.pi)({},e,{classNames:D,dayPickerId:w}))),i.createElement(h.Q,(0,r.pi)({},e,{styles:s,componentRef:t,strings:o,navigatedDate:n,weeksToShow:p?6:void 0,dateTimeFormatter:a,minDate:m,maxDate:v,restrictedDates:_,onNavigateDate:C,labelledBy:I,dateRangeType:x})))};v.displayName="CalendarDayBase";var b=function(e){var t,o,n=e.minDate,r=e.maxDate,a=e.navigatedDate,s=e.allFocusable,c=e.strings,u=e.navigationIcons,p=e.showCloseButton,h=e.classNames,g=e.dayPickerId,f=e.onNavigateDate,v=e.onDismiss,b=function(){f((0,l.zI)(a,1),!1)},_=function(){f((0,l.zI)(a,-1),!1)},C=u.leftNavigation,S=u.rightNavigation,x=u.closeIcon,k=!n||(0,l.NJ)(n,(0,l.pU)(a))<0,w=!r||(0,l.NJ)((0,l.D7)(a),r)<0;return i.createElement("div",{className:h.monthComponents},i.createElement("button",{className:(0,d.i)(h.headerIconButton,(t={},t[h.disabledStyle]=!k,t)),disabled:!s&&!k,"aria-disabled":!k,onClick:k?_:void 0,onKeyDown:k?y(_):void 0,"aria-controls":g,title:c.prevMonthAriaLabel?c.prevMonthAriaLabel+" "+c.months[(0,l.zI)(a,-1).getMonth()]:void 0,type:"button"},i.createElement(m.J,{iconName:C})),i.createElement("button",{className:(0,d.i)(h.headerIconButton,(o={},o[h.disabledStyle]=!w,o)),disabled:!s&&!w,"aria-disabled":!w,onClick:w?b:void 0,onKeyDown:w?y(b):void 0,"aria-controls":g,title:c.nextMonthAriaLabel?c.nextMonthAriaLabel+" "+c.months[(0,l.zI)(a,1).getMonth()]:void 0,type:"button"},i.createElement(m.J,{iconName:S})),p&&i.createElement("button",{className:(0,d.i)(h.headerIconButton),onClick:v,onKeyDown:y(v),title:c.closeButtonAriaLabel,type:"button"},i.createElement(m.J,{iconName:x})))};b.displayName="CalendarDayNavigationButtons";var y=function(e){return function(t){var o;switch(t.which){case p.m.enter:null===(o=e)||void 0===o||o()}}},_=o(9729),C=(0,n.z)(v,(function(e){var t=e.className,o=e.theme,n=e.headerIsClickable,i=e.showWeekNumbers,a=o.palette,s={selectors:{"&, &:disabled, & button":{color:a.neutralTertiaryAlt,pointerEvents:"none"}}};return{root:[_.Fv,{width:196,padding:12,boxSizing:"content-box"},i&&{width:226},t],header:{position:"relative",display:"inline-flex",height:28,lineHeight:44,width:"100%"},monthAndYear:[(0,_.GL)(o,{inset:1}),(0,r.pi)((0,r.pi)({},_.Ic.fadeIn200),{alignItems:"center",fontSize:_.TS.medium,fontFamily:"inherit",color:a.neutralPrimary,display:"inline-block",flexGrow:1,fontWeight:_.lq.semibold,padding:"0 4px 0 10px",border:"none",backgroundColor:"transparent",borderRadius:2,lineHeight:28,overflow:"hidden",whiteSpace:"nowrap",textAlign:"left",textOverflow:"ellipsis"}),n&&{selectors:{"&:hover":{cursor:"pointer",background:a.neutralLight,color:a.black}}}],monthComponents:{display:"inline-flex",alignSelf:"flex-end"},headerIconButton:[(0,_.GL)(o,{inset:-1}),{width:28,height:28,display:"block",textAlign:"center",lineHeight:28,fontSize:_.TS.small,fontFamily:"inherit",color:a.neutralPrimary,borderRadius:2,position:"relative",backgroundColor:"transparent",border:"none",padding:0,overflow:"visible",selectors:{"&:hover":{color:a.neutralDark,backgroundColor:a.neutralLight,cursor:"pointer",outline:"1px solid transparent"}}}],disabledStyle:s}}),void 0,{scope:"CalendarDay"}),S=o(2998),x=o(716),k=function(e){var t,o,n,i,a,s,l=e.className,c=e.theme,u=e.hasHeaderClickCallback,d=e.highlightCurrent,p=e.highlightSelected,m=e.animateBackwards,h=e.animationDirection,g=c.palette,f={};void 0!==m&&(f=h===x.s.Horizontal?m?_.Ic.slideRightIn20:_.Ic.slideLeftIn20:m?_.Ic.slideDownIn20:_.Ic.slideUpIn20);var v=void 0!==m?_.Ic.fadeIn200:{};return{root:[_.Fv,{width:196,padding:12,boxSizing:"content-box",overflow:"hidden"},l],headerContainer:{display:"flex"},currentItemButton:[(0,_.GL)(c,{inset:-1}),(0,r.pi)((0,r.pi)({},v),{fontSize:_.TS.medium,fontWeight:_.lq.semibold,fontFamily:"inherit",textAlign:"left",backgroundColor:"transparent",flexGrow:1,padding:"0 4px 0 10px",border:"none",overflow:"visible"}),u&&{selectors:{"&:hover, &:active":{cursor:u?"pointer":"default",color:g.neutralDark,outline:"1px solid transparent",backgroundColor:g.neutralLight}}}],navigationButtonsContainer:{display:"flex",alignItems:"center"},navigationButton:[(0,_.GL)(c,{inset:-1}),{fontFamily:"inherit",width:28,minWidth:28,height:28,minHeight:28,display:"block",textAlign:"center",lineHeight:28,fontSize:_.TS.small,color:g.neutralPrimary,borderRadius:2,position:"relative",backgroundColor:"transparent",border:"none",padding:0,overflow:"visible",selectors:{"&:hover":{color:g.neutralDark,cursor:"pointer",outline:"1px solid transparent",backgroundColor:g.neutralLight}}}],gridContainer:{marginTop:4},buttonRow:(0,r.pi)((0,r.pi)({},f),{marginBottom:16,selectors:{"&:nth-child(n + 3)":{marginBottom:0}}}),itemButton:[(0,_.GL)(c,{inset:-1}),{width:40,height:40,minWidth:40,minHeight:40,lineHeight:40,fontSize:_.TS.small,fontFamily:"inherit",padding:0,margin:"0 12px 0 0",color:g.neutralPrimary,backgroundColor:"transparent",border:"none",borderRadius:2,overflow:"visible",selectors:{"&:nth-child(4n + 4)":{marginRight:0},"&:nth-child(n + 9)":{marginBottom:0},"& div":{fontWeight:_.lq.regular},"&:hover":{color:g.neutralDark,backgroundColor:g.neutralLight,cursor:"pointer",outline:"1px solid transparent",selectors:(t={},t[_.qJ]=(0,r.pi)({background:"Window",color:"WindowText",outline:"1px solid Highlight"},(0,_.xM)()),t)},"&:active":{backgroundColor:g.themeLight,selectors:(o={},o[_.qJ]=(0,r.pi)({background:"Window",color:"Highlight"},(0,_.xM)()),o)}}}],current:d?{color:g.white,backgroundColor:g.themePrimary,selectors:(n={"& div":{fontWeight:_.lq.semibold},"&:hover":{backgroundColor:g.themePrimary,selectors:(i={},i[_.qJ]=(0,r.pi)({backgroundColor:"WindowText",color:"Window"},(0,_.xM)()),i)}},n[_.qJ]=(0,r.pi)({backgroundColor:"WindowText",color:"Window"},(0,_.xM)()),n)}:{},selected:p?{color:g.neutralPrimary,backgroundColor:g.themeLight,fontWeight:_.lq.semibold,selectors:(a={"& div":{fontWeight:_.lq.semibold},"&:hover, &:active":{backgroundColor:g.themeLight,selectors:(s={},s[_.qJ]=(0,r.pi)({color:"Window",background:"Highlight"},(0,_.xM)()),s)}},a[_.qJ]=(0,r.pi)({background:"Highlight",color:"Window"},(0,_.xM)()),a)}:{},disabled:{selectors:{"&, &:disabled, & button":{color:g.neutralTertiaryAlt,pointerEvents:"none"}}}}},w=function(e){return k(e)},I=o(63),D=o(5951),T=o(6876),E=o(6883),P=(0,c.y)(),M={prevRangeAriaLabel:void 0,nextRangeAriaLabel:void 0},R=function(e){var t,o,n,r=e.styles,a=e.theme,s=e.className,l=e.highlightCurrentYear,c=e.highlightSelectedYear,u=e.year,m=e.selected,h=e.disabled,g=e.componentRef,f=e.onSelectYear,v=e.onRenderYear,b=i.useRef(null);i.useImperativeHandle(g,(function(){return{focus:function(){var e,t,o;null===(o=null===(e=b.current)||void 0===e?void 0:(t=e).focus)||void 0===o||o.call(t)}}}),[]);var y=P(r,{theme:a,className:s,highlightCurrent:l,highlightSelected:c});return i.createElement("button",{className:(0,d.i)(y.itemButton,(t={},t[y.selected]=m,t[y.disabled]=h,t)),type:"button",role:"gridcell",onClick:h?void 0:function(){var e;null===(e=f)||void 0===e||e(u)},onKeyDown:h?void 0:function(e){var t;e.which===p.m.enter&&(null===(t=f)||void 0===t||t(u))},disabled:h,"aria-selected":m,ref:b,"aria-readonly":!0},null!=(n=null===(o=v)||void 0===o?void 0:o(u))?n:u)};R.displayName="CalendarYearGridCell";var N,B=function(e){var t=e.styles,o=e.theme,n=e.className,a=e.fromYear,s=e.toYear,l=e.animationDirection,c=e.animateBackwards,u=e.minYear,d=e.maxYear,p=e.onSelectYear,m=e.selectedYear,h=e.componentRef,g=i.useRef(null),f=i.useRef(null);i.useImperativeHandle(h,(function(){return{focus:function(){var e,t,o;null===(o=null===(e=g.current||f.current)||void 0===e?void 0:(t=e).focus)||void 0===o||o.call(t)}}}),[]);for(var v,b,y,_,C=P(t,{theme:o,className:n,animateBackwards:c,animationDirection:l}),x=function(t){var o,n,r;return null!=(r=null===(n=(o=e).onRenderYear)||void 0===n?void 0:n.call(o,t))?r:t},k=x(a)+" - "+x(s),w=a,I=[],D=0;D<(s-a+1)/4;D++){I.push([]);for(var T=0;T<4;T++)I[D].push((void 0,void 0,void 0,b=(v=w)===m,y=void 0!==u&&vd,_=v===(new Date).getFullYear(),i.createElement(R,(0,r.pi)({},e,{key:v,year:v,selected:b,current:_,disabled:y,onSelectYear:p,componentRef:b?g:_?f:void 0,theme:o})))),w++}return i.createElement(S.k,null,i.createElement("div",{className:C.gridContainer,role:"grid","aria-label":k},I.map((function(e,t){return i.createElement("div",{key:"yearPickerRow_"+t+"_"+a,role:"row",className:C.buttonRow},e)}))))};B.displayName="CalendarYearGrid",function(e){e[e.Previous=0]="Previous",e[e.Next=1]="Next"}(N||(N={}));var F=function(e){var t,o=e.styles,n=e.theme,r=e.className,a=e.navigationIcons,s=void 0===a?E.XU:a,l=e.strings,c=void 0===l?M:l,u=e.direction,h=e.onSelectPrev,g=e.onSelectNext,f=e.fromYear,v=e.toYear,b=e.maxYear,y=e.minYear,_=P(o,{theme:n,className:r}),C=0===u?c.prevRangeAriaLabel:c.nextRangeAriaLabel,S=0===u?-12:12,x=C?"string"==typeof C?C:C({fromYear:f+S,toYear:v+S}):void 0,k=0===u?void 0!==y&&fb,w=function(){var e,t;0===u?null===(e=h)||void 0===e||e():null===(t=g)||void 0===t||t()},I=(0,D.zg)()?1===u:0===u;return i.createElement("button",{className:(0,d.i)(_.navigationButton,(t={},t[_.disabled]=k,t)),onClick:k?void 0:w,onKeyDown:k?void 0:function(e){e.which===p.m.enter&&w()},type:"button",title:x,disabled:k},i.createElement(m.J,{iconName:I?s.leftNavigation:s.rightNavigation}))};F.displayName="CalendarYearNavArrow";var L=function(e){var t=e.styles,o=e.theme,n=e.className,a=P(t,{theme:o,className:n});return i.createElement("div",{className:a.navigationButtonsContainer},i.createElement(F,(0,r.pi)({},e,{direction:0})),i.createElement(F,(0,r.pi)({},e,{direction:1})))};L.displayName="CalendarYearNav";var A=function(e){var t=e.styles,o=e.theme,n=e.className,r=e.fromYear,a=e.toYear,s=e.strings,l=void 0===s?M:s,c=e.animateBackwards,d=e.animationDirection,m=function(){var t,o;null===(o=(t=e).onHeaderSelect)||void 0===o||o.call(t,!0)},h=function(t){var o,n,r;return null!=(r=null===(n=(o=e).onRenderYear)||void 0===n?void 0:n.call(o,t))?r:t},g=P(t,{theme:o,className:n,hasHeaderClickCallback:!!e.onHeaderSelect,animateBackwards:c,animationDirection:d});if(e.onHeaderSelect){var f=l.rangeAriaLabel,v=l.headerAriaLabelFormatString,b=f?"string"==typeof f?f:f(e):void 0,y=v?(0,u.W)(v,b):b;return i.createElement("button",{className:g.currentItemButton,onClick:m,onKeyDown:function(e){e.which!==p.m.enter&&e.which!==p.m.space||m()},"aria-label":y,role:"button",type:"button","aria-atomic":!0,"aria-live":"polite"},h(r)," - ",h(a))}return i.createElement("div",{className:g.current},h(r)," - ",h(a))};A.displayName="CalendarYearTitle";var z,H=function(e){var t,o,n=e.styles,a=e.theme,s=e.className,l=e.animateBackwards,c=e.animationDirection,u=e.onRenderTitle,d=P(n,{theme:a,className:s,hasHeaderClickCallback:!!e.onHeaderSelect,animateBackwards:l,animationDirection:c});return i.createElement("div",{className:d.headerContainer},null!=(o=null===(t=u)||void 0===t?void 0:t(e))?o:i.createElement(A,(0,r.pi)({},e)),i.createElement(L,(0,r.pi)({},e)))};H.displayName="CalendarYearHeader",function(e){e[e.Previous=0]="Previous",e[e.Next=1]="Next"}(z||(z={}));var O=function(e){var t=function(e){var t=e.selectedYear,o=e.navigatedYear,n=t||o||(new Date).getFullYear(),r=10*Math.floor(n/10),i=(0,T.D)(r);return i&&i!==r?i>r:void 0}(e),o=function(e){var t=e.selectedYear,o=e.navigatedYear,n=i.useReducer((function(e,t){return e+(1===t?12:-12)}),void 0,(function(){var e=t||o||(new Date).getFullYear();return 10*Math.floor(e/10)})),r=n[0],a=n[1];return[r,r+12-1,function(){return a(1)},function(){return a(0)}]}(e),n=o[0],a=o[1],s=o[2],l=o[3],c=i.useRef(null);i.useImperativeHandle(e.componentRef,(function(){return{focus:function(){var e,t,o;null===(o=null===(e=c.current)||void 0===e?void 0:(t=e).focus)||void 0===o||o.call(t)}}}));var u=e.styles,d=e.theme,p=e.className,m=P(u,{theme:d,className:p});return i.createElement("div",{className:m.root},i.createElement(H,(0,r.pi)({},e,{fromYear:n,toYear:a,onSelectPrev:l,onSelectNext:s,animateBackwards:t})),i.createElement(B,(0,r.pi)({},e,{fromYear:n,toYear:a,animateBackwards:t,componentRef:c})))};O.displayName="CalendarYearBase";var W=(0,n.z)(O,(function(e){return k(e)}),void 0,{scope:"CalendarYear"}),V=(0,c.y)(),K={styles:w,strings:void 0,navigationIcons:E.XU,dateTimeFormatter:s.mR,yearPickerHidden:!1},q=function(e){var t,o,n=(0,I.j)(K,e),r=function(e){var t=e.componentRef,o=i.useRef(null),n=i.useRef(null),r=i.useRef(!1),a=i.useCallback((function(){n.current?n.current.focus():o.current&&o.current.focus()}),[]);return i.useImperativeHandle(t,(function(){return{focus:a}}),[a]),i.useEffect((function(){r.current&&(a(),r.current=!1)})),[o,n,function(){r.current=!0}]}(n),a=r[0],s=r[1],c=r[2],p=i.useState(!1),h=p[0],g=p[1],f=function(e){var t=e.navigatedDate.getFullYear(),o=(0,T.D)(t);return void 0===o||o===t?void 0:o>t}(n),v=n.navigatedDate,b=n.selectedDate,y=n.strings,_=n.today,C=void 0===_?new Date:_,x=n.navigationIcons,k=n.dateTimeFormatter,w=n.minDate,E=n.maxDate,P=n.theme,M=n.styles,R=n.className,N=n.allFocusable,B=n.highlightCurrentMonth,F=n.highlightSelectedMonth,L=n.animationDirection,A=n.yearPickerHidden,z=n.onNavigateDate,H=function(e){return function(){return j(e)}},O=function(){z((0,l.Bc)(v,1),!1)},q=function(){z((0,l.Bc)(v,-1),!1)},j=function(e){var t,o;null===(o=(t=n).onHeaderSelect)||void 0===o||o.call(t),z((0,l.q0)(v,e),!0)},J=function(){var e,t;A?null===(t=(e=n).onHeaderSelect)||void 0===t||t.call(e):(c(),g(!0))},Y=x.leftNavigation,Z=x.rightNavigation,X=k,Q=!w||(0,l.NJ)(w,(0,l.W8)(v))<0,$=!E||(0,l.NJ)((0,l.Q9)(v),E)<0,ee=V(M,{theme:P,className:R,hasHeaderClickCallback:!!n.onHeaderSelect||!A,highlightCurrent:B,highlightSelected:F,animateBackwards:f,animationDirection:L});if(h){var te=function(e){var t=e.strings,o=e.navigatedDate,n=e.dateTimeFormatter,r=function(e){if(n){var t=new Date(o.getTime());return t.setFullYear(e),n.formatYear(t)}return String(e)},i=function(e){return r(e.fromYear)+" - "+r(e.toYear)};return[r,{rangeAriaLabel:i,prevRangeAriaLabel:function(e){return t.prevYearRangeAriaLabel?t.prevYearRangeAriaLabel+" "+i(e):""},nextRangeAriaLabel:function(e){return t.nextYearRangeAriaLabel?t.nextYearRangeAriaLabel+" "+i(e):""},headerAriaLabelFormatString:t.yearPickerHeaderAriaLabel}]}(n),oe=te[0],ne=te[1];return i.createElement(W,{key:"calendarYear",minYear:w?w.getFullYear():void 0,maxYear:E?E.getFullYear():void 0,onSelectYear:function(e){if(c(),v.getFullYear()!==e){var t=new Date(v.getTime());t.setFullYear(e),E&&t>E?t=(0,l.q0)(t,E.getMonth()):w&&t{"use strict";var n;o.d(t,{s:()=>n}),function(e){e[e.Horizontal=0]="Horizontal",e[e.Vertical=1]="Vertical"}(n||(n={}))},6883:(e,t,o)=>{"use strict";o.d(t,{V3:()=>n,GC:()=>r,XU:()=>i});var n=o(6786).tf,r=n,i={leftNavigation:"Up",rightNavigation:"Down",closeIcon:"CalculatorMultiply"}},4316:(e,t,o)=>{"use strict";o.d(t,{Q:()=>M});var n=o(7622),r=o(7002),i=o(7300),a=o(5951),s=o(2998),l=o(6974),c=o(1093),u=function(e,t,o){var r=(0,n.pr)(e);return t&&(r=r.filter((function(e){return(0,l.NJ)(e,t)>=0}))),o&&(r=r.filter((function(e){return(0,l.NJ)(e,o)<=0}))),r},d=function(e,t){var o=t.minDate;return!!o&&(0,l.NJ)(o,e)>=1},p=function(e,t){var o=t.maxDate;return!!o&&(0,l.NJ)(e,o)>=1},m=function(e,t){var o=t.restrictedDates,n=t.minDate,r=t.maxDate;return!!(o||n||r)&&(o&&o.some((function(t){return(0,l.aN)(t,e)}))||d(e,t)||p(e,t))},h=o(6876),g=o(4085),f=o(2470),v=o(8088),b=function(e){var t=e.showWeekNumbers,o=e.strings,n=e.firstDayOfWeek,i=e.allFocusable,a=e.weeksToShow,s=e.weeks,l=e.classNames,u=o.shortDays.slice(),d=(0,f.cx)(s[1],(function(e){return 1===e.originalDate.getDate()}));if(1===a&&d>=0){var p=(d+n)%c.NA;u[p]=o.shortMonths[s[1][d].originalDate.getMonth()]}return r.createElement("tr",null,t&&r.createElement("th",{className:l.dayCell}),u.map((function(e,t){var a=(t+n)%c.NA,s=t===d?o.days[a]+" "+u[a]:o.days[a];return r.createElement("th",{className:(0,v.i)(l.dayCell,l.weekDayLabelCell),scope:"col",key:u[a]+" "+t,title:s,"aria-label":s,"data-is-focusable":!!i||void 0},u[a])})))},y=o(6953),_=o(8145),C=function(e){var t=e.targetDate,o=e.initialDate,r=e.direction,i=(0,n._T)(e,["targetDate","initialDate","direction"]),a=t;if(!m(t,i))return t;for(;0!==(0,l.NJ)(o,a)&&m(a,i)&&!p(a,i)&&!d(a,i);)a=(0,l.E4)(a,r);return 0===(0,l.NJ)(o,a)||m(a,i)?void 0:a},S=function(e){var t,o,n=e.navigatedDate,i=e.dateTimeFormatter,s=e.allFocusable,u=e.strings,d=e.activeDescendantId,p=e.navigatedDayRef,m=e.calculateRoundedStyles,h=e.weeks,g=e.classNames,f=e.day,b=e.dayIndex,y=e.weekIndex,S=e.weekCorners,x=e.ariaHidden,k=e.customDayCellRef,w=e.dateRangeType,I=e.daysToSelectInDayView,D=e.onSelectDate,T=e.restrictedDates,E=e.minDate,P=e.maxDate,M=e.onNavigateDate,R=e.getDayInfosInRangeOfDay,N=e.getRefsFromDayInfos,B=null!=(o=null===(t=S)||void 0===t?void 0:t[y+"_"+b])?o:"",F=(0,l.aN)(n,f.originalDate),L=i.formatMonthDayYear(f.originalDate,u);return f.isMarked&&(L=L+", "+u.dayMarkedAriaLabel),r.createElement("td",{className:(0,v.i)(g.dayCell,S&&B,f.isSelected&&g.daySelected,f.isSelected&&"ms-CalendarDay-daySelected",!f.isInBounds&&g.dayOutsideBounds,!f.isInMonth&&g.dayOutsideNavigatedMonth),ref:function(e){var t;null===(t=k)||void 0===t||t(e,f.originalDate,g),f.setRef(e)},"aria-hidden":x,onClick:f.isInBounds&&!x?f.onSelected:void 0,onMouseOver:x?void 0:function(e){var t=R(f),o=N(t);o.forEach((function(e,n){var r;if(e&&(e.classList.add("ms-CalendarDay-hoverStyle"),!t[n].isSelected&&w===c.NU.Day&&I&&I>1)){e.classList.remove(g.bottomLeftCornerDate,g.bottomRightCornerDate,g.topLeftCornerDate,g.topRightCornerDate);var i=m(g,!1,!1,n>0,n1)){var i=m(g,!1,!1,n>0,n0)};return[function(e,n){var r={},i=n.slice(1,n.length-1);return i.forEach((function(n,a){n.forEach((function(n,s){var l=i[a-1]&&i[a-1][s]&&o(i[a-1][s].originalDate,n.originalDate,i[a-1][s].isSelected,n.isSelected),c=i[a+1]&&i[a+1][s]&&o(i[a+1][s].originalDate,n.originalDate,i[a+1][s].isSelected,n.isSelected),u=i[a][s-1]&&o(i[a][s-1].originalDate,n.originalDate,i[a][s-1].isSelected,n.isSelected),d=i[a][s+1]&&o(i[a][s+1].originalDate,n.originalDate,i[a][s+1].isSelected,n.isSelected),p=t(e,l,c,u,d);r[a+"_"+s]=p}))})),r},t]}(e),_=y[0],C=y[1];r.useImperativeHandle(e.componentRef,(function(){return{focus:function(){var e,o,n;null===(n=null===(e=t.current)||void 0===e?void 0:(o=e).focus)||void 0===n||n.call(o)}}}),[]);var S=e.styles,I=e.theme,D=e.className,T=e.dateRangeType,E=e.showWeekNumbers,P=e.labelledBy,M=e.lightenDaysOutsideNavigatedMonth,R=e.animationDirection,N=k(S,{theme:I,className:D,dateRangeType:T,showWeekNumbers:E,lightenDaysOutsideNavigatedMonth:void 0===M||M,animationDirection:R,animateBackwards:v}),B=_(N,f),F={weeks:f,navigatedDayRef:t,calculateRoundedStyles:C,activeDescendantId:o,classNames:N,weekCorners:B,getDayInfosInRangeOfDay:function(t){var o=function(e,t){if(t&&e===c.NU.WorkWeek){for(var o=t.slice().sort(),n=!0,r=1;r{"use strict";o.d(t,{U:()=>s});var n=o(7622),r=o(7002),i=o(4941),a=o(7513),s=r.forwardRef((function(e,t){var o=e.layerProps,s=e.doNotLayer,l=(0,n._T)(e,["layerProps","doNotLayer"]),c=r.createElement(i.N,(0,n.pi)({},l,{ref:t}));return s?c:r.createElement(a.m,(0,n.pi)({},o),c)}));s.displayName="Callout"},5666:(e,t,o)=>{"use strict";o.d(t,{H:()=>T});var n,r=o(7622),i=o(7002),a=o(6628),s=o(4553),l=o(3345),c=o(9251),u=o(63),d=o(8127),p=o(8088),m=o(2447),h=o(4568),g=o(6591),f=o(752),v=o(7300),b=o(9729),y=o(3528),_=o(7913),C=o(9241),S=o(2674),x=((n={})[h.z.top]=b.k4.slideUpIn10,n[h.z.bottom]=b.k4.slideDownIn10,n[h.z.left]=b.k4.slideLeftIn10,n[h.z.right]=b.k4.slideRightIn10,n),k=(0,v.y)({disableCaching:!0}),w={opacity:0,filter:"opacity(0)",pointerEvents:"none"},I=["role","aria-roledescription"],D={preventDismissOnLostFocus:!1,preventDismissOnScroll:!1,preventDismissOnResize:!1,isBeakVisible:!0,beakWidth:16,gapSpace:0,minPagePadding:8,directionalHint:a.b.bottomAutoEdge};var T=i.memo(i.forwardRef((function(e,t){var o=(0,u.j)(D,e),n=o.styles,a=o.style,m=o.ariaLabel,h=o.ariaDescribedBy,v=o.ariaLabelledBy,b=o.className,T=o.isBeakVisible,M=o.children,R=o.beakWidth,N=o.calloutWidth,B=o.calloutMaxWidth,F=o.calloutMinWidth,L=o.finalHeight,A=o.hideOverflow,z=void 0===A?!!L:A,H=o.backgroundColor,O=o.calloutMaxHeight,W=o.onScroll,V=o.shouldRestoreFocus,K=void 0===V||V,q=o.target,G=o.hidden,U=o.onLayerMounted,j=i.useRef(null),J=i.useRef(null),Y=(0,C.r)(j,t),Z=(0,S.e)(o.target,J),X=Z[0],Q=Z[1],$=function(e,t,o){var n=e.bounds,r=e.minPagePadding,a=void 0===r?D.minPagePadding:r,s=e.target,l=i.useRef();return i.useCallback((function(){if(!l.current){var e="function"==typeof n?o?n(s,o):void 0:n;!e&&o&&(e={top:(e=(0,g.qE)(t.current,o)).top+a,left:e.left+a,right:e.right-a,bottom:e.bottom-a,width:e.width-2*a,height:e.height-2*a}),l.current=e}return l.current}),[n,a,s,t,o])}(o,X,Q),ee=function(e,t,o){var n=e.beakWidth,r=e.coverTarget,a=e.directionalHint,s=e.directionalHintFixed,l=e.gapSpace,c=e.isBeakVisible,u=e.hidden,d=i.useState(),p=d[0],m=d[1],h=(0,y.r)(),f=t.current;return i.useEffect((function(){var e;if(p||u)u&&m(void 0);else if(s&&f){var i=(null!=l?l:0)+(c&&n?n:0);h.requestAnimationFrame((function(){t.current&&m((0,g.DC)(t.current,a,i,o(),r))}))}else m(null===(e=o())||void 0===e?void 0:e.height)}),[t,f,l,n,o,u,h,r,a,s,c,p]),p}(o,X,$),te=function(e,t){var o=e.finalHeight,n=e.hidden,r=i.useState(0),a=r[0],s=r[1],l=(0,y.r)(),c=i.useRef(),u=i.useCallback((function(){t.current&&o&&(c.current=l.requestAnimationFrame((function(){var e,n=null===(e=t.current)||void 0===e?void 0:e.lastChild;if(n){var r=n.scrollHeight-n.offsetHeight;s((function(e){return e+r})),n.offsetHeight0&&(u.current=0,null===(i=f)||void 0===i||i(l))}}),o.current);return function(){return d.cancelAnimationFrame(i)}}}),[p,v,d,o,t,n,h,a,f,l,e,m]),l}(o,j,J,X,$),ne=function(e,t,o,n,r){var a=e.hidden,s=e.onDismiss,u=e.preventDismissOnScroll,d=e.preventDismissOnResize,p=e.preventDismissOnLostFocus,m=e.shouldDismissOnWindowFocus,h=e.preventDismissOnEvent,g=i.useRef(!1),f=(0,y.r)(),v=(0,_.B)([function(){g.current=!0},function(){g.current=!1}]),b=!!t;return i.useEffect((function(){var e=function(e){b&&!u&&v(e)},t=function(e){var t;d||null===(t=s)||void 0===t||t(e)},i=function(e){p||v(e)},v=function(e){var t,i=e.target,a=o.current&&!(0,l.t)(o.current,i);a&&g.current?g.current=!1:(!n.current&&a||e.target!==r&&a&&(!n.current||"stopPropagation"in n.current||i!==n.current&&!(0,l.t)(n.current,i)))&&(null===(t=s)||void 0===t||t(e))},y=function(e){var t,o;m&&((!h||h(e))&&(h||p)||(null===(t=r)||void 0===t?void 0:t.document.hasFocus())||null!==e.relatedTarget||null===(o=s)||void 0===o||o(e))},_=new Promise((function(o){f.setTimeout((function(){if(!a&&r){var n=[(0,c.on)(r,"scroll",e,!0),(0,c.on)(r,"resize",t,!0),(0,c.on)(r.document.documentElement,"focus",i,!0),(0,c.on)(r.document.documentElement,"click",i,!0),(0,c.on)(r,"blur",y,!0)];o((function(){n.forEach((function(e){return e()}))}))}}),0)}));return function(){_.then((function(e){return e()}))}}),[a,f,o,n,r,s,m,p,d,u,b,h]),v}(o,oe,j,X,Q),re=ne[0],ie=ne[1];if(function(e,t,o){var n=e.hidden,r=e.setInitialFocus,a=(0,y.r)(),l=!!t;i.useEffect((function(){if(!n&&r&&l&&o.current){var e=a.requestAnimationFrame((function(){return(0,s.uo)(o.current)}),o.current);return function(){return a.cancelAnimationFrame(e)}}}),[n,l,a,o,r])}(o,oe,J),i.useEffect((function(){var e;G||null===(e=U)||void 0===e||e()}),[G]),!Q)return null;var ae=ee?ee+te:void 0,se=O&&ae&&O{"use strict";o.d(t,{N:()=>l});var n=o(2002),r=o(5666),i=o(9729);function a(e){return{height:e,width:e}}var s={container:"ms-Callout-container",root:"ms-Callout",beak:"ms-Callout-beak",beakCurtain:"ms-Callout-beakCurtain",calloutMain:"ms-Callout-main"},l=(0,n.z)(r.H,(function(e){var t,o=e.theme,n=e.className,r=e.overflowYHidden,l=e.calloutWidth,c=e.beakWidth,u=e.backgroundColor,d=e.calloutMaxWidth,p=e.calloutMinWidth,m=(0,i.Cn)(s,o),h=o.semanticColors,g=o.effects;return{container:[m.container,{position:"relative"}],root:[m.root,o.fonts.medium,{position:"absolute",boxSizing:"border-box",borderRadius:g.roundedCorner2,boxShadow:g.elevation16,selectors:(t={},t[i.qJ]={borderWidth:1,borderStyle:"solid",borderColor:"WindowText"},t)},(0,i.e2)(),n,!!l&&{width:l},!!d&&{maxWidth:d},!!p&&{minWidth:p}],beak:[m.beak,{position:"absolute",backgroundColor:h.menuBackground,boxShadow:"inherit",border:"inherit",boxSizing:"border-box",transform:"rotate(45deg)"},a(c),u&&{backgroundColor:u}],beakCurtain:[m.beakCurtain,{position:"absolute",top:0,right:0,bottom:0,left:0,backgroundColor:h.menuBackground,borderRadius:g.roundedCorner2}],calloutMain:[m.calloutMain,{backgroundColor:h.menuBackground,overflowX:"hidden",overflowY:"auto",position:"relative",borderRadius:g.roundedCorner2},r&&{overflowY:"hidden"},u&&{backgroundColor:u}]}}),void 0,{scope:"CalloutContent"})},5790:(e,t,o)=>{"use strict";o.d(t,{A:()=>p});var n=o(7622),r=o(7002),i=o(4085),a=o(9241),s=o(6548),l=o(7300),c=o(5480),u=o(9947),d=(0,l.y)(),p=r.forwardRef((function(e,t){var o=e.disabled,l=e.required,p=e.inputProps,m=e.name,h=e.ariaLabel,g=e.ariaLabelledBy,f=e.ariaDescribedBy,v=e.ariaPositionInSet,b=e.ariaSetSize,y=e.title,_=e.label,C=e.checkmarkIconProps,S=e.styles,x=e.theme,k=e.className,w=e.boxSide,I=void 0===w?"start":w,D=(0,i.M)("checkbox-",e.id),T=r.useRef(null),E=(0,a.r)(T,t),P=r.useRef(null),M=(0,s.G)(e.checked,e.defaultChecked,e.onChange),R=M[0],N=M[1],B=(0,s.G)(e.indeterminate,e.defaultIndeterminate),F=B[0],L=B[1];(0,c.P)(T),function(e,t,o,n){r.useImperativeHandle(e.componentRef,(function(){return{get checked(){return!!t},get indeterminate(){return!!o},focus:function(){n.current&&n.current.focus()}}}),[n,t,o])}(e,R,F,P);var A=d(S,{theme:x,className:k,disabled:o,indeterminate:F,checked:R,reversed:"start"!==I,isUsingCustomLabelRender:!!e.onRenderLabel}),z=r.useCallback((function(e){return e&&e.label?r.createElement("span",{"aria-hidden":"true",className:A.text,title:e.title},e.label):null}),[A.text]),H=e.onRenderLabel||z,O=F?"mixed":R?"true":"false",W=(0,n.pi)((0,n.pi)({className:A.input,type:"checkbox"},p),{checked:!!R,disabled:o,required:l,name:m,id:D,title:y,onChange:function(e){F?(N(!!R,e),L(!1)):N(!R,e)},"aria-disabled":o,"aria-label":h||_,"aria-labelledby":g,"aria-describedby":f,"aria-posinset":v,"aria-setsize":b,"aria-checked":O});return r.createElement("div",{className:A.root,title:y,ref:E},r.createElement("input",(0,n.pi)({},W,{ref:P,"data-ktp-execute-target":!0})),r.createElement("label",{className:A.label,htmlFor:D},r.createElement("div",{className:A.checkbox,"data-ktp-target":!0},r.createElement(u.J,(0,n.pi)({iconName:"CheckMark"},C,{className:A.checkmark}))),H(e,z)))}));p.displayName="CheckboxBase"},2777:(e,t,o)=>{"use strict";o.d(t,{X:()=>p});var n=o(2002),r=o(5790),i=o(7622),a=o(9729),s=o(6145),l={root:"ms-Checkbox",label:"ms-Checkbox-label",checkbox:"ms-Checkbox-checkbox",checkmark:"ms-Checkbox-checkmark",text:"ms-Checkbox-text"},c="20px",u="200ms",d="cubic-bezier(.4, 0, .23, 1)",p=(0,n.z)(r.A,(function(e){var t,o,n,r,p,m,h,g,f,v,b,y,_,C,S,x,k,w,I=e.className,D=e.theme,T=e.reversed,E=e.checked,P=e.disabled,M=e.isUsingCustomLabelRender,R=e.indeterminate,N=D.semanticColors,B=D.effects,F=D.palette,L=D.fonts,A=(0,a.Cn)(l,D),z=N.inputForegroundChecked,H=F.neutralSecondary,O=F.neutralPrimary,W=N.inputBackgroundChecked,V=N.inputBackgroundChecked,K=N.disabledBodySubtext,q=N.inputBorderHovered,G=N.inputBackgroundCheckedHovered,U=N.inputBackgroundChecked,j=N.inputBackgroundCheckedHovered,J=N.inputBackgroundCheckedHovered,Y=N.inputTextHovered,Z=N.disabledBodySubtext,X=N.bodyText,Q=N.disabledText,$=[(t={content:'""',borderRadius:B.roundedCorner2,position:"absolute",width:10,height:10,top:4,left:4,boxSizing:"border-box",borderWidth:5,borderStyle:"solid",borderColor:P?K:W,transitionProperty:"border-width, border, border-color",transitionDuration:u,transitionTimingFunction:d},t[a.qJ]={borderColor:"WindowText"},t)];return{root:[A.root,{position:"relative",display:"flex"},T&&"reversed",E&&"is-checked",!P&&"is-enabled",P&&"is-disabled",!P&&[!E&&(o={},o[":hover ."+A.checkbox]=(n={borderColor:q},n[a.qJ]={borderColor:"Highlight"},n),o[":focus ."+A.checkbox]={borderColor:q},o[":hover ."+A.checkmark]=(r={color:H,opacity:"1"},r[a.qJ]={color:"Highlight"},r),o),E&&!R&&(p={},p[":hover ."+A.checkbox]={background:j,borderColor:J},p[":focus ."+A.checkbox]={background:j,borderColor:J},p[a.qJ]=(m={},m[":hover ."+A.checkbox]={background:"Highlight",borderColor:"Highlight"},m[":focus ."+A.checkbox]={background:"Highlight"},m[":focus:hover ."+A.checkbox]={background:"Highlight"},m[":focus:hover ."+A.checkmark]={color:"Window"},m[":hover ."+A.checkmark]={color:"Window"},m),p),R&&(h={},h[":hover ."+A.checkbox+", :hover ."+A.checkbox+":after"]=(g={borderColor:G},g[a.qJ]={borderColor:"WindowText"},g),h[":focus ."+A.checkbox]={borderColor:G},h[":hover ."+A.checkmark]={opacity:"0"},h),(f={},f[":hover ."+A.text+", :focus ."+A.text]=(v={color:Y},v[a.qJ]={color:P?"GrayText":"WindowText"},v),f)],I],input:(b={position:"absolute",background:"none",opacity:0},b["."+s.G$+" &:focus + label::before"]=(y={outline:"1px solid "+D.palette.neutralSecondary,outlineOffset:"2px"},y[a.qJ]={outline:"1px solid WindowText"},y),b),label:[A.label,D.fonts.medium,{display:"flex",alignItems:M?"center":"flex-start",cursor:P?"default":"pointer",position:"relative",userSelect:"none"},T&&{flexDirection:"row-reverse",justifyContent:"flex-end"},{"&::before":{position:"absolute",left:0,right:0,top:0,bottom:0,content:'""',pointerEvents:"none"}}],checkbox:[A.checkbox,(_={position:"relative",display:"flex",flexShrink:0,alignItems:"center",justifyContent:"center",height:c,width:c,border:"1px solid "+O,borderRadius:B.roundedCorner2,boxSizing:"border-box",transitionProperty:"background, border, border-color",transitionDuration:u,transitionTimingFunction:d,overflow:"hidden",":after":R?$:null},_[a.qJ]=(0,i.pi)({borderColor:"WindowText"},(0,a.xM)()),_),R&&{borderColor:W},T?{marginLeft:4}:{marginRight:4},!P&&!R&&E&&(C={background:U,borderColor:V},C[a.qJ]={background:"Highlight",borderColor:"Highlight"},C),P&&(S={borderColor:K},S[a.qJ]={borderColor:"GrayText"},S),E&&P&&(x={background:Z,borderColor:K},x[a.qJ]={background:"Window"},x)],checkmark:[A.checkmark,(k={opacity:E?"1":"0",color:z},k[a.qJ]=(0,i.pi)({color:P?"GrayText":"Window"},(0,a.xM)()),k)],text:[A.text,(w={color:P?Q:X,fontSize:L.medium.fontSize,lineHeight:"20px"},w[a.qJ]=(0,i.pi)({color:P?"GrayText":"WindowText"},(0,a.xM)()),w),T?{marginRight:4}:{marginLeft:4}]}}),void 0,{scope:"Checkbox"})},5554:(e,t,o)=>{"use strict";o.d(t,{q:()=>f});var n=o(7622),r=o(7002),i=o(2052),a=o(7300),s=o(2470),l=o(6145),c=o(8127),u=o(1351),d=o(4085),p=o(6548),m=(0,a.y)(),h=function(e,t){return t+"-"+e.key},g=function(e,t){return void 0===t?void 0:(0,s.sE)(e,(function(e){return e.key===t}))},f=r.forwardRef((function(e,t){var o=e.className,a=e.theme,s=e.styles,f=e.options,v=void 0===f?[]:f,b=e.label,y=e.required,_=e.disabled,C=e.name,S=e.defaultSelectedKey,x=e.componentRef,k=e.onChange,w=(0,d.M)("ChoiceGroup"),I=(0,d.M)("ChoiceGroupLabel"),D=(0,c.pq)(e,c.n7,["onChange","className","required"]),T=m(s,{theme:a,className:o,optionsContainIconOrImage:v.some((function(e){return!(!e.iconProps&&!e.imageSrc)}))}),E=e.ariaLabelledBy||(b?I:e["aria-labelledby"]),P=(0,p.G)(e.selectedKey,S),M=P[0],R=P[1],N=r.useState(),B=N[0],F=N[1];!function(e,t,o,n){r.useImperativeHandle(n,(function(){return{get checkedOption(){return g(e,t)},focus:function(){var n=g(e,t)||e.filter((function(e){return!e.disabled}))[0],r=n&&document.getElementById(h(n,o));r&&(r.focus(),(0,l.MU)(!0,r))}}}),[e,t,o])}(v,M,w,x);var L=r.useCallback((function(e,t){var o,n;t&&(F(t.itemKey),null===(n=(o=t).onFocus)||void 0===n||n.call(o,e))}),[]),A=r.useCallback((function(e,t){var o,n,r;F(void 0),null===(r=null===(o=t)||void 0===o?void 0:(n=o).onBlur)||void 0===r||r.call(n,e)}),[]),z=r.useCallback((function(e,t){var o,n,r;t&&(R(t.itemKey),null===(n=(o=t).onChange)||void 0===n||n.call(o,e),null===(r=k)||void 0===r||r(e,g(v,t.itemKey)))}),[k,v,R]);return r.createElement("div",(0,n.pi)({className:T.root},D,{ref:t}),r.createElement("div",(0,n.pi)({role:"radiogroup"},E&&{"aria-labelledby":E}),b&&r.createElement(i._,{className:T.label,required:y,id:I,disabled:_},b),r.createElement("div",{className:T.flexContainer},v.map((function(e){return r.createElement(u.c,(0,n.pi)({key:e.key,itemKey:e.key},e,{onBlur:A,onFocus:L,onChange:z,focused:e.key===B,checked:e.key===M,disabled:e.disabled||_,id:h(e,w),labelId:e.labelId||I+"-"+e.key,name:C||w,required:y}))})))))}));f.displayName="ChoiceGroup"},9240:(e,t,o)=>{"use strict";o.d(t,{F:()=>s});var n=o(2002),r=o(5554),i=o(9729),a={root:"ms-ChoiceFieldGroup",flexContainer:"ms-ChoiceFieldGroup-flexContainer"},s=(0,n.z)(r.q,(function(e){var t=e.className,o=e.optionsContainIconOrImage,n=e.theme,r=(0,i.Cn)(a,n);return{root:[t,r.root,n.fonts.medium,{display:"block"}],flexContainer:[r.flexContainer,o&&{display:"flex",flexDirection:"row",flexWrap:"wrap"}]}}),void 0,{scope:"ChoiceGroup"})},1351:(e,t,o)=>{"use strict";o.d(t,{c:()=>x});var n=o(2002),r=o(7622),i=o(7002),a=o(4861),s=o(9947),l=o(7300),c=o(63),u=o(8127),d=o(8826),p=o(8088),m=(0,l.y)(),h={imageSize:{width:32,height:32}},g=function(e){var t=(0,c.j)((0,r.pi)((0,r.pi)({},h),{key:e.itemKey}),e),o=t.ariaLabel,n=t.focused,l=t.required,g=t.theme,f=t.iconProps,v=t.imageSrc,b=t.imageSize,y=t.disabled,_=t.checked,C=t.id,S=t.styles,x=t.name,k=(0,r._T)(t,["ariaLabel","focused","required","theme","iconProps","imageSrc","imageSize","disabled","checked","id","styles","name"]),w=m(S,{theme:g,hasIcon:!!f,hasImage:!!v,checked:_,disabled:y,imageIsLarge:!!v&&(b.width>71||b.height>71),imageSize:b,focused:n}),I=(0,u.pq)(k,u.Gg),D=I.className,T=(0,r._T)(I,["className"]),E=function(){return i.createElement("span",{id:t.labelId,className:"ms-ChoiceFieldLabel"},t.text)},P=function(){var e=t.imageAlt,o=void 0===e?"":e,n=t.selectedImageSrc,l=(t.onRenderLabel?(0,d.k)(t.onRenderLabel,E):E)(t);return i.createElement("label",{htmlFor:C,className:w.field},v&&i.createElement("div",{className:w.innerField},i.createElement("div",{className:w.imageWrapper},i.createElement(a.E,(0,r.pi)({src:v,alt:o},b))),i.createElement("div",{className:w.selectedImageWrapper},i.createElement(a.E,(0,r.pi)({src:n,alt:o},b)))),f&&i.createElement("div",{className:w.innerField},i.createElement("div",{className:w.iconWrapper},i.createElement(s.J,(0,r.pi)({},f)))),v||f?i.createElement("div",{className:w.labelWrapper},l):l)},M=t.onRenderField,R=void 0===M?P:M;return i.createElement("div",{className:w.root},i.createElement("div",{className:w.choiceFieldWrapper},i.createElement("input",(0,r.pi)({"aria-label":o,id:C,className:(0,p.i)(w.input,D),type:"radio",name:x,disabled:y,checked:_,required:l},T,{onChange:function(e){var o,n;null===(n=(o=t).onChange)||void 0===n||n.call(o,e,t)},onFocus:function(e){var o,n;null===(n=(o=t).onFocus)||void 0===n||n.call(o,e,t)},onBlur:function(e){var o,n;null===(n=(o=t).onBlur)||void 0===n||n.call(o,e)}})),R(t,P)))};g.displayName="ChoiceGroupOption";var f=o(9729),v=o(6145),b={root:"ms-ChoiceField",choiceFieldWrapper:"ms-ChoiceField-wrapper",input:"ms-ChoiceField-input",field:"ms-ChoiceField-field",innerField:"ms-ChoiceField-innerField",imageWrapper:"ms-ChoiceField-imageWrapper",iconWrapper:"ms-ChoiceField-iconWrapper",labelWrapper:"ms-ChoiceField-labelWrapper",checked:"is-checked"},y="200ms",_="cubic-bezier(.4, 0, .23, 1)";function C(e,t){var o,n;return["is-inFocus",{selectors:(o={},o["."+v.G$+" &"]={position:"relative",outline:"transparent",selectors:{"::-moz-focus-inner":{border:0},":after":{content:'""',top:-2,right:-2,bottom:-2,left:-2,pointerEvents:"none",border:"1px solid "+e,position:"absolute",selectors:(n={},n[f.qJ]={borderColor:"WindowText",borderWidth:t?1:2},n)}}},o)}]}function S(e,t,o){return[t,{paddingBottom:2,transitionProperty:"opacity",transitionDuration:y,transitionTimingFunction:"ease",selectors:{".ms-Image":{display:"inline-block",borderStyle:"none"}}},(o?!e:e)&&["is-hidden",{position:"absolute",left:0,top:0,width:"100%",height:"100%",overflow:"hidden",opacity:0}]]}var x=(0,n.z)(g,(function(e){var t,o,n,i,a,s=e.theme,l=e.hasIcon,c=e.hasImage,u=e.checked,d=e.disabled,p=e.imageIsLarge,m=e.focused,h=e.imageSize,g=s.palette,v=s.semanticColors,x=s.fonts,k=(0,f.Cn)(b,s),w=g.neutralPrimary,I=v.inputBorderHovered,D=v.inputBackgroundChecked,T=g.themeDark,E=v.disabledBodySubtext,P=v.bodyBackground,M=g.neutralSecondary,R=v.inputBackgroundChecked,N=g.themeDark,B=v.disabledBodySubtext,F=g.neutralDark,L=v.focusBorder,A=v.inputBorderHovered,z=v.inputBackgroundChecked,H=g.themeDark,O=g.neutralLighter,W={selectors:{".ms-ChoiceFieldLabel":{color:F},":before":{borderColor:u?T:I},":after":[!l&&!c&&!u&&{content:'""',transitionProperty:"background-color",left:5,top:5,width:10,height:10,backgroundColor:M},u&&{borderColor:N}]}},V={borderColor:u?H:A,selectors:{":before":{opacity:1,borderColor:u?T:I}}},K=[{content:'""',display:"inline-block",backgroundColor:P,borderWidth:1,borderStyle:"solid",borderColor:w,width:20,height:20,fontWeight:"normal",position:"absolute",top:0,left:0,boxSizing:"border-box",transitionProperty:"border-color",transitionDuration:y,transitionTimingFunction:_,borderRadius:"50%"},d&&{borderColor:E,selectors:(t={},t[f.qJ]=(0,r.pi)({borderColor:"GrayText",background:"Window"},(0,f.xM)()),t)},u&&{borderColor:d?E:D,selectors:(o={},o[f.qJ]={borderColor:"Highlight",background:"Window",forcedColorAdjust:"none"},o)},(l||c)&&{top:3,right:3,left:"auto",opacity:u?1:0}],q=[{content:'""',width:0,height:0,borderRadius:"50%",position:"absolute",left:10,right:0,transitionProperty:"border-width",transitionDuration:y,transitionTimingFunction:_,boxSizing:"border-box"},u&&{borderWidth:5,borderStyle:"solid",borderColor:d?B:R,left:5,top:5,width:10,height:10,selectors:(n={},n[f.qJ]={borderColor:"Highlight",forcedColorAdjust:"none"},n)},u&&(l||c)&&{top:8,right:8,left:"auto"}];return{root:[k.root,s.fonts.medium,{display:"flex",alignItems:"center",boxSizing:"border-box",color:v.bodyText,minHeight:26,border:"none",position:"relative",marginTop:8,selectors:{".ms-ChoiceFieldLabel":{display:"inline-block"}}},!l&&!c&&{selectors:{".ms-ChoiceFieldLabel":{paddingLeft:"26px"}}},c&&"ms-ChoiceField--image",l&&"ms-ChoiceField--icon",(l||c)&&{display:"inline-flex",fontSize:0,margin:"0 4px 4px 0",paddingLeft:0,backgroundColor:O,height:"100%"}],choiceFieldWrapper:[k.choiceFieldWrapper,m&&C(L,l||c)],input:[k.input,{position:"absolute",opacity:0,top:0,right:0,width:"100%",height:"100%",margin:0},d&&"is-disabled"],field:[k.field,u&&k.checked,{display:"inline-block",cursor:"pointer",marginTop:0,position:"relative",verticalAlign:"top",userSelect:"none",minHeight:20,selectors:{":hover":!d&&W,":focus":!d&&W,":before":K,":after":q}},l&&"ms-ChoiceField--icon",c&&"ms-ChoiceField-field--image",(l||c)&&{boxSizing:"content-box",cursor:"pointer",paddingTop:22,margin:0,textAlign:"center",transitionProperty:"all",transitionDuration:y,transitionTimingFunction:"ease",border:"1px solid transparent",justifyContent:"center",alignItems:"center",display:"flex",flexDirection:"column"},u&&{borderColor:z},(l||c)&&!d&&{selectors:{":hover":V,":focus":V}},d&&{cursor:"default",selectors:{".ms-ChoiceFieldLabel":{color:v.disabledBodyText,selectors:(i={},i[f.qJ]=(0,r.pi)({color:"GrayText"},(0,f.xM)()),i)}}},u&&d&&{borderColor:O}],innerField:[k.innerField,c&&{height:h.height,width:h.width},(l||c)&&{position:"relative",display:"inline-block",paddingLeft:30,paddingRight:30},(l||c)&&p&&{paddingLeft:24,paddingRight:24},(l||c)&&d&&{opacity:.25,selectors:(a={},a[f.qJ]={color:"GrayText",opacity:1},a)}],imageWrapper:S(!1,k.imageWrapper,u),selectedImageWrapper:S(!0,k.imageWrapper,u),iconWrapper:[k.iconWrapper,{fontSize:32,lineHeight:32,height:32}],labelWrapper:[k.labelWrapper,x.medium,(l||c)&&{display:"block",position:"relative",margin:"4px 8px 2px 8px",height:32,lineHeight:15,maxWidth:2*h.width,overflow:"hidden",whiteSpace:"pre-wrap"}]}}),void 0,{scope:"ChoiceGroupOption"})},1958:(e,t,o)=>{"use strict";o.d(t,{T:()=>z});var n=o(7622),r=o(7002),i=o(7300),a=o(688),s=o(3129),l=o(687),c=o(8623),u=o(2002),d=o(2782),p=o(8145),m=o(9251),h=o(21),g=o(2417),f=o(6119),v=o(1342),b=(0,i.y)(),y=function(e){function t(t){var o=e.call(this,t)||this;return o._disposables=[],o._root=r.createRef(),o._isAdjustingSaturation=!0,o._descriptionId=(0,d.z)("ColorRectangle-description"),o._onKeyDown=function(e){var t=o.state.color,n=t.s,r=t.v,i=e.shiftKey?10:1;switch(e.which){case p.m.up:o._isAdjustingSaturation=!1,r+=i;break;case p.m.down:o._isAdjustingSaturation=!1,r-=i;break;case p.m.left:o._isAdjustingSaturation=!0,n-=i;break;case p.m.right:o._isAdjustingSaturation=!0,n+=i;break;default:return}o._updateColor(e,(0,f.d)(t,(0,v.u)(n,h.fr),(0,v.u)(r,h.uw)))},o._onMouseDown=function(e){o._disposables.push((0,m.on)(window,"mousemove",o._onMouseMove,!0),(0,m.on)(window,"mouseup",o._disposeListeners,!0)),o._onMouseMove(e)},o._onMouseMove=function(e){if(o._root.current){var t=function(e,t,o){var n=o.getBoundingClientRect(),r=(e.clientX-n.left)/n.width,i=(e.clientY-n.top)/n.height;return(0,f.d)(t,(0,v.u)(Math.round(r*h.fr),h.fr),(0,v.u)(Math.round(h.uw-i*h.uw),h.uw))}(e,o.state.color,o._root.current);t&&o._updateColor(e,t)}},o._disposeListeners=function(){o._disposables.forEach((function(e){return e()})),o._disposables=[]},(0,a.l)(o),o.state={color:t.color},o}return(0,n.ZT)(t,e),Object.defineProperty(t.prototype,"color",{get:function(){return this.state.color},enumerable:!0,configurable:!0}),t.prototype.componentDidUpdate=function(e,t){e!==this.props&&this.props.color&&this.setState({color:this.props.color})},t.prototype.componentWillUnmount=function(){this._disposeListeners()},t.prototype.render=function(){var e=this.props,t=e.minSize,o=e.theme,n=e.className,i=e.styles,a=e.ariaValueFormat,s=e.ariaLabel,l=e.ariaDescription,c=this.state.color,u=b(i,{theme:o,className:n,minSize:t}),d=a.replace("{0}",String(c.s)).replace("{1}",String(c.v));return r.createElement("div",{ref:this._root,tabIndex:0,className:u.root,style:{backgroundColor:(0,g.p)(c)},onMouseDown:this._onMouseDown,onKeyDown:this._onKeyDown,role:"slider","aria-valuetext":d,"aria-valuenow":this._isAdjustingSaturation?c.s:c.v,"aria-valuemin":0,"aria-valuemax":h.uw,"aria-label":s,"aria-describedby":this._descriptionId,"data-is-focusable":!0},r.createElement("div",{className:u.description,id:this._descriptionId},l),r.createElement("div",{className:u.light}),r.createElement("div",{className:u.dark}),r.createElement("div",{className:u.thumb,style:{left:c.s+"%",top:h.uw-c.v+"%",backgroundColor:c.str}}))},t.prototype._updateColor=function(e,t){var o=this.props.onChange,n=this.state.color;t.s===n.s&&t.v===n.v||(o&&o(e,t),e.defaultPrevented||(this.setState({color:t}),e.preventDefault()))},t.defaultProps={minSize:220,ariaLabel:"Saturation and brightness",ariaValueFormat:"Saturation {0} brightness {1}",ariaDescription:"Use left and right arrow keys to set saturation. Use up and down arrow keys to set brightness."},t}(r.Component),_=o(9729),C=o(6145),S=(0,u.z)(y,(function(e){var t,o=e.className,r=e.theme,i=e.minSize,a=r.palette,s=r.effects;return{root:["ms-ColorPicker-colorRect",{position:"relative",marginBottom:8,border:"1px solid "+a.neutralLighter,borderRadius:s.roundedCorner2,minWidth:i,minHeight:i,outline:"none",selectors:(t={},t[_.qJ]=(0,n.pi)({},(0,_.xM)()),t["."+C.G$+" &:focus"]={outline:"1px solid "+a.neutralSecondary},t)},o],light:["ms-ColorPicker-light",{position:"absolute",left:0,right:0,top:0,bottom:0,background:"linear-gradient(to right, white 0%, transparent 100%) /*@noflip*/"}],dark:["ms-ColorPicker-dark",{position:"absolute",left:0,right:0,top:0,bottom:0,background:"linear-gradient(to bottom, transparent 0, #000 100%)"}],thumb:["ms-ColorPicker-thumb",{position:"absolute",width:20,height:20,background:"white",border:"1px solid "+a.neutralSecondaryAlt,borderRadius:"50%",boxShadow:s.elevation8,transform:"translate(-50%, -50%)",selectors:{":before":{position:"absolute",left:0,right:0,top:0,bottom:0,border:"2px solid "+a.white,borderRadius:"50%",boxSizing:"border-box",content:'""'}}}],description:_.ul}}),void 0,{scope:"ColorRectangle"}),x=o(9757),k=(0,i.y)(),w=function(e){function t(t){var o=e.call(this,t)||this;return o._disposables=[],o._root=r.createRef(),o._onKeyDown=function(e){var t=o.value,n=o._maxValue,r=e.shiftKey?10:1;switch(e.which){case p.m.left:t-=r;break;case p.m.right:t+=r;break;case p.m.home:t=0;break;case p.m.end:t=n;break;default:return}o._updateValue(e,(0,v.u)(t,n))},o._onMouseDown=function(e){var t=(0,x.J)(o);t&&o._disposables.push((0,m.on)(t,"mousemove",o._onMouseMove,!0),(0,m.on)(t,"mouseup",o._disposeListeners,!0)),o._onMouseMove(e)},o._onMouseMove=function(e){if(o._root.current){var t=o._maxValue,n=o._root.current.getBoundingClientRect(),r=(e.clientX-n.left)/n.width,i=(0,v.u)(Math.round(r*t),t);o._updateValue(e,i)}},o._disposeListeners=function(){o._disposables.forEach((function(e){return e()})),o._disposables=[]},(0,a.l)(o),(0,s.b)("ColorSlider",t,{thumbColor:"styles.sliderThumb",overlayStyle:"overlayColor",isAlpha:"type",maxValue:"type",minValue:"type"}),"hue"===o._type||t.overlayColor||t.overlayStyle||(0,l.Z)("ColorSlider: 'overlayColor' is required when 'type' is \"alpha\" or \"transparency\""),o.state={currentValue:t.value||0},o}return(0,n.ZT)(t,e),Object.defineProperty(t.prototype,"value",{get:function(){return this.state.currentValue},enumerable:!0,configurable:!0}),t.prototype.componentDidUpdate=function(e,t){e!==this.props&&void 0!==this.props.value&&this.setState({currentValue:this.props.value})},t.prototype.componentWillUnmount=function(){this._disposeListeners()},t.prototype.render=function(){var e=this._type,t=this._maxValue,o=this.props,n=o.overlayStyle,i=o.overlayColor,a=o.theme,s=o.className,l=o.styles,c=o.ariaLabel,u=void 0===c?e:c,d=this.value,p=k(l,{theme:a,className:s,type:e}),m=100*d/t;return r.createElement("div",{ref:this._root,className:p.root,tabIndex:0,onKeyDown:this._onKeyDown,onMouseDown:this._onMouseDown,role:"slider","aria-valuenow":d,"aria-valuetext":String(d),"aria-valuemin":0,"aria-valuemax":t,"aria-label":u,"data-is-focusable":!0},!(!i&&!n)&&r.createElement("div",{className:p.sliderOverlay,style:i?{background:"transparency"===e?"linear-gradient(to right, #"+i+", transparent)":"linear-gradient(to right, transparent, #"+i+")"}:n}),r.createElement("div",{className:p.sliderThumb,style:{left:m+"%"}}))},Object.defineProperty(t.prototype,"_type",{get:function(){var e=this.props,t=e.isAlpha,o=e.type;return void 0===o?t?"alpha":"hue":o},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"_maxValue",{get:function(){return"hue"===this._type?h.a_:h.c5},enumerable:!0,configurable:!0}),t.prototype._updateValue=function(e,t){if(t!==this.value){var o=this.props.onChange;o&&o(e,t),e.defaultPrevented||(this.setState({currentValue:t}),e.preventDefault())}},t.defaultProps={value:0},t}(r.Component),I={background:"linear-gradient("+["to left","red 0","#f09 10%","#cd00ff 20%","#3200ff 30%","#06f 40%","#00fffd 50%","#0f6 60%","#35ff00 70%","#cdff00 80%","#f90 90%","red 100%"].join(",")+")"},D={backgroundImage:"url(data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAAoAAAAKCAYAAACNMs+9AAAAJUlEQVQYV2N89erVfwY0ICYmxoguxjgUFKI7GsTH5m4M3w1ChQC1/Ca8i2n1WgAAAABJRU5ErkJggg==)"},T=(0,u.z)(w,(function(e){var t,o=e.theme,n=e.className,r=e.type,i=void 0===r?"hue":r,a=e.isAlpha,s=void 0===a?"hue"!==i:a,l=o.palette,c=o.effects;return{root:["ms-ColorPicker-slider",{position:"relative",height:20,marginBottom:8,border:"1px solid "+l.neutralLight,borderRadius:c.roundedCorner2,boxSizing:"border-box",outline:"none",selectors:(t={},t["."+C.G$+" &:focus"]={outline:"1px solid "+l.neutralSecondary},t)},s?D:I,n],sliderOverlay:["ms-ColorPicker-sliderOverlay",{content:"",position:"absolute",left:0,right:0,top:0,bottom:0}],sliderThumb:["ms-ColorPicker-thumb","is-slider",{position:"absolute",width:20,height:20,background:"white",border:"1px solid "+l.neutralSecondaryAlt,borderRadius:"50%",boxShadow:c.elevation8,transform:"translate(-50%, -50%)",top:"50%"}]}}),void 0,{scope:"ColorSlider"}),E=o(7375),P=o(8208),M=o(8490),R=o(1332),N=o(1990),B=o(2775),F=o(5298),L=(0,i.y)(),A=["hex","r","g","b","a","t"],z=function(e){function t(o){var r=e.call(this,o)||this;r._onSVChanged=function(e,t){r._updateColor(e,t)},r._onHChanged=function(e,t){r._updateColor(e,(0,N.i)(r.state.color,t))},r._onATChanged=function(e,t){var o="transparency"===r.props.alphaType?R.X:M.R;r._updateColor(e,o(r.state.color,Math.round(t)))},r._onBlur=function(e){var t,o=r.state,i=o.color,a=o.editingColor;if(a){var s=a.value,l=a.component,c="hex"===l,u="a"===l,d="t"===l,p=c?h.yE:h.HT;if(s.length>=p&&(c||!isNaN(Number(s)))){var m=void 0;m=c?(0,E.T)("#"+(0,F.L)(s)):u||d?(u?M.R:R.X)(i,(0,v.u)(Number(s),h.c5)):(0,P.N)((0,B.k)((0,n.pi)((0,n.pi)({},i),((t={})[l]=Number(s),t)))),r._updateColor(e,m)}else r.setState({editingColor:void 0})}},(0,a.l)(r);var i=o.strings;(0,s.b)("ColorPicker",o,{hexLabel:"strings.hex",redLabel:"strings.red",greenLabel:"strings.green",blueLabel:"strings.blue",alphaLabel:"strings.alpha",alphaSliderHidden:"alphaType"}),i.hue&&(0,l.Z)("ColorPicker property 'strings.hue' was used but has been deprecated. Use 'strings.hueAriaLabel' instead."),r.state={color:H(o)||(0,E.T)("#ffffff")},r._textChangeHandlers={};for(var c=0,u=A;c{"use strict";o.d(t,{z:()=>i});var n=o(2002),r=o(1958),i=(0,n.z)(r.T,(function(e){var t=e.className,o=e.theme,n=e.alphaType;return{root:["ms-ColorPicker",o.fonts.medium,{position:"relative",maxWidth:300},t],panel:["ms-ColorPicker-panel",{padding:"16px"}],table:["ms-ColorPicker-table",{tableLayout:"fixed",width:"100%",selectors:{"tbody td:last-of-type .ms-ColorPicker-input":{paddingRight:0}}}],tableHeader:[o.fonts.small,{selectors:{td:{paddingBottom:4}}}],tableHexCell:{width:"25%"},tableAlphaCell:"transparency"===n&&{width:"22%"},colorSquare:["ms-ColorPicker-colorSquare",{width:48,height:48,margin:"0 0 0 8px",border:"1px solid #c8c6c4"}],flexContainer:{display:"flex"},flexSlider:{flexGrow:"1"},flexPreviewBox:{flexGrow:"0"},input:["ms-ColorPicker-input",{width:"100%",border:"none",boxSizing:"border-box",height:30,selectors:{"&.ms-TextField":{paddingRight:4},"& .ms-TextField-field":{minWidth:"auto",padding:5,textOverflow:"clip"}}}]}}),void 0,{scope:"ColorPicker"})},610:(e,t,o)=>{"use strict";o.d(t,{C:()=>Y});var n,r,i,a,s=o(7622),l=o(7002),c=o(5767),u=o(2447),d=o(63),p=o(4553),m=o(9577),h=o(8023),g=o(8088),f=o(8145),v=o(6479),b=o(8936),y=o(688),_=o(2167),C=o(9919),S=o(209),x=o(2782),k=o(8127),w=o(6053),I=o(2470),D=o(5953),T=o(6628),E=o(2777),P=o(9729),M=o(5094),R=(0,M.NF)((function(e){var t,o=e.semanticColors;return{backgroundColor:o.disabledBackground,color:o.disabledText,cursor:"default",selectors:(t={":after":{borderColor:o.disabledBackground}},t[P.qJ]={color:"GrayText",selectors:{":after":{borderColor:"GrayText"}}},t)}})),N={selectors:(n={},n[P.qJ]=(0,s.pi)({backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},(0,P.xM)()),n)},B={selectors:(r={},r[P.qJ]=(0,s.pi)({color:"WindowText",backgroundColor:"Window"},(0,P.xM)()),r)},F=(0,M.NF)((function(e,t,o,n,r){var i,a=e.palette,s=e.semanticColors,l={textHoveredColor:s.menuItemTextHovered,textSelectedColor:a.neutralDark,textDisabledColor:s.disabledText,backgroundHoveredColor:s.menuItemBackgroundHovered,backgroundPressedColor:s.menuItemBackgroundPressed},c={root:[e.fonts.medium,{backgroundColor:n?l.backgroundHoveredColor:"transparent",boxSizing:"border-box",cursor:"pointer",display:r?"none":"block",width:"100%",height:"auto",minHeight:36,lineHeight:"20px",padding:"0 8px",position:"relative",borderWidth:"1px",borderStyle:"solid",borderColor:"transparent",borderRadius:0,wordWrap:"break-word",overflowWrap:"break-word",textAlign:"left",selectors:(i={},i[P.qJ]={border:"none",borderColor:"Background"},i["&.ms-Checkbox"]={display:"flex",alignItems:"center"},i["&.ms-Button--command:hover:active"]={backgroundColor:l.backgroundPressedColor},i[".ms-Checkbox-label"]={width:"100%"},i)}],rootHovered:{backgroundColor:l.backgroundHoveredColor,color:l.textHoveredColor},rootFocused:{backgroundColor:l.backgroundHoveredColor},rootChecked:[{backgroundColor:"transparent",color:l.textSelectedColor,selectors:{":hover":[{backgroundColor:l.backgroundHoveredColor},N]}},(0,P.GL)(e,{inset:-1,isFocusedOnly:!1}),N],rootDisabled:{color:l.textDisabledColor,cursor:"default"},optionText:{overflow:"hidden",whiteSpace:"nowrap",textOverflow:"ellipsis",minWidth:"0px",maxWidth:"100%",wordWrap:"break-word",overflowWrap:"break-word",display:"inline-block"},optionTextWrapper:{maxWidth:"100%",display:"flex",alignItems:"center"}};return(0,P.E$)(c,t,o)})),L=(0,M.NF)((function(e,t){var o,n,r=e.semanticColors,i=e.fonts,a={buttonTextColor:r.bodySubtext,buttonTextHoveredCheckedColor:r.buttonTextChecked,buttonBackgroundHoveredColor:r.listItemBackgroundHovered,buttonBackgroundCheckedColor:r.listItemBackgroundChecked,buttonBackgroundCheckedHoveredColor:r.listItemBackgroundCheckedHovered},l={selectors:(o={},o[P.qJ]=(0,s.pi)({backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},(0,P.xM)()),o)},c={root:{color:a.buttonTextColor,fontSize:i.small.fontSize,position:"absolute",top:0,height:"100%",lineHeight:30,width:32,textAlign:"center",cursor:"default",selectors:(n={},n[P.qJ]=(0,s.pi)({backgroundColor:"ButtonFace",borderColor:"ButtonText",color:"ButtonText"},(0,P.xM)()),n)},icon:{fontSize:i.small.fontSize},rootHovered:[{backgroundColor:a.buttonBackgroundHoveredColor,color:a.buttonTextHoveredCheckedColor,cursor:"pointer"},l],rootPressed:[{backgroundColor:a.buttonBackgroundCheckedColor,color:a.buttonTextHoveredCheckedColor},l],rootChecked:[{backgroundColor:a.buttonBackgroundCheckedColor,color:a.buttonTextHoveredCheckedColor},l],rootCheckedHovered:[{backgroundColor:a.buttonBackgroundCheckedHoveredColor,color:a.buttonTextHoveredCheckedColor},l],rootDisabled:[R(e),{position:"absolute"}]};return(0,P.E$)(c,t)})),A=(0,M.NF)((function(e,t,o){var n,r,i,a,l,c,u=e.semanticColors,d=e.fonts,p=e.effects,m={textColor:u.inputText,borderColor:u.inputBorder,borderHoveredColor:u.inputBorderHovered,borderPressedColor:u.inputFocusBorderAlt,borderFocusedColor:u.inputFocusBorderAlt,backgroundColor:u.inputBackground,erroredColor:u.errorText},h={headerTextColor:u.menuHeader,dividerBorderColor:u.bodyDivider},g={selectors:(n={},n[P.qJ]={color:"GrayText"},n)},f=[{color:u.inputPlaceholderText},g],v=[{color:u.inputTextHovered},g],b=[{color:u.disabledText},g],y=(0,s.pi)((0,s.pi)({color:"HighlightText",backgroundColor:"Window"},(0,P.xM)()),{selectors:{":after":{borderColor:"Highlight"}}}),_=(0,P.$Y)(m.borderPressedColor,p.roundedCorner2,"border",0),C={container:{},label:{},labelDisabled:{},root:[e.fonts.medium,{boxShadow:"none",marginLeft:"0",paddingRight:32,paddingLeft:9,color:m.textColor,position:"relative",outline:"0",userSelect:"none",backgroundColor:m.backgroundColor,cursor:"text",display:"block",height:32,whiteSpace:"nowrap",textOverflow:"ellipsis",boxSizing:"border-box",selectors:{".ms-Label":{display:"inline-block",marginBottom:"8px"},"&.is-open":{selectors:(r={},r[P.qJ]=y,r)},":after":{pointerEvents:"none",content:"''",position:"absolute",left:0,top:0,bottom:0,right:0,borderWidth:"1px",borderStyle:"solid",borderColor:m.borderColor,borderRadius:p.roundedCorner2}}}],rootHovered:{selectors:(i={":after":{borderColor:m.borderHoveredColor},".ms-ComboBox-Input":[{color:u.inputTextHovered},(0,P.Sv)(v),B]},i[P.qJ]=(0,s.pi)((0,s.pi)({color:"HighlightText",backgroundColor:"Window"},(0,P.xM)()),{selectors:{":after":{borderColor:"Highlight"}}}),i)},rootPressed:[{position:"relative",selectors:(a={},a[P.qJ]=y,a)}],rootFocused:[{selectors:(l={".ms-ComboBox-Input":[{color:u.inputTextHovered},B]},l[P.qJ]=y,l)},_],rootDisabled:R(e),rootError:{selectors:{":after":{borderColor:m.erroredColor},":hover:after":{borderColor:u.inputBorderHovered}}},rootDisallowFreeForm:{},input:[(0,P.Sv)(f),{backgroundColor:m.backgroundColor,color:m.textColor,boxSizing:"border-box",width:"100%",height:"100%",borderStyle:"none",outline:"none",font:"inherit",textOverflow:"ellipsis",padding:"0",selectors:{"::-ms-clear":{display:"none"}}},B],inputDisabled:[R(e),(0,P.Sv)(b)],errorMessage:[e.fonts.small,{color:m.erroredColor,marginTop:"5px"}],callout:{boxShadow:p.elevation8},optionsContainerWrapper:{width:o},optionsContainer:{display:"block"},screenReaderText:P.ul,header:[d.medium,{fontWeight:P.lq.semibold,color:h.headerTextColor,backgroundColor:"none",borderStyle:"none",height:36,lineHeight:36,cursor:"default",padding:"0 8px",userSelect:"none",textAlign:"left",selectors:(c={},c[P.qJ]=(0,s.pi)({color:"GrayText"},(0,P.xM)()),c)}],divider:{height:1,backgroundColor:h.dividerBorderColor}};return(0,P.E$)(C,t)})),z=(0,M.NF)((function(e,t,o,n,r,i,a,s){return{container:(0,P.y0)("ms-ComboBox-container",t,e.container),label:(0,P.y0)(e.label,n&&e.labelDisabled),root:(0,P.y0)("ms-ComboBox",s?e.rootError:o&&"is-open",r&&"is-required",e.root,!a&&e.rootDisallowFreeForm,s&&!i?e.rootError:!n&&i&&e.rootFocused,!n&&{selectors:{":hover":s?e.rootError:!o&&!i&&e.rootHovered,":active":s?e.rootError:e.rootPressed,":focus":s?e.rootError:e.rootFocused}},n&&["is-disabled",e.rootDisabled]),input:(0,P.y0)("ms-ComboBox-Input",e.input,n&&e.inputDisabled),errorMessage:(0,P.y0)(e.errorMessage),callout:(0,P.y0)("ms-ComboBox-callout",e.callout),optionsContainerWrapper:(0,P.y0)("ms-ComboBox-optionsContainerWrapper",e.optionsContainerWrapper),optionsContainer:(0,P.y0)("ms-ComboBox-optionsContainer",e.optionsContainer),header:(0,P.y0)("ms-ComboBox-header",e.header),divider:(0,P.y0)("ms-ComboBox-divider",e.divider),screenReaderText:(0,P.y0)(e.screenReaderText)}})),H=(0,M.NF)((function(e){return{optionText:(0,P.y0)("ms-ComboBox-optionText",e.optionText),root:(0,P.y0)("ms-ComboBox-option",e.root,{selectors:{":hover":e.rootHovered,":focus":e.rootFocused,":active":e.rootPressed}}),optionTextWrapper:(0,P.y0)(e.optionTextWrapper)}})),O=o(2052),W=o(2703),V=o(5515),K=o(5758),q=o(990),G=o(9241);!function(e){e[e.backward=-1]="backward",e[e.none=0]="none",e[e.forward=1]="forward"}(i||(i={})),function(e){e[e.clearAll=-2]="clearAll",e[e.default=-1]="default"}(a||(a={}));var U=l.memo((function(e){return(0,e.render)()}),(function(e,t){e.render;var o=(0,s._T)(e,["render"]),n=(t.render,(0,s._T)(t,["render"]));return(0,u.Vv)(o,n)})),j="ComboBox",J={options:[],allowFreeform:!1,autoComplete:"on",buttonIconProps:{iconName:"ChevronDown"}};var Y=l.forwardRef((function(e,t){var o=(0,d.j)(J,e),n=(o.ref,(0,s._T)(o,["ref"])),r=l.useRef(null),i=(0,G.r)(r,t),a=function(e){var t=e.options,o=e.defaultSelectedKey,n=e.selectedKey,r=l.useState((function(){return X(t,function(e,t){var o=Q(e);return o.length?o:Q(t)}(o,n))})),i=r[0],a=r[1],s=l.useState(t),c=s[0],u=s[1],d=l.useState(),p=d[0],m=d[1];return l.useEffect((function(){if(void 0!==n){var e=Q(n),o=X(t,e);a(o)}u(t)}),[t,n]),l.useEffect((function(){null===n&&m(void 0)}),[n]),[i,a,c,u,p,m]}(n),c=a[0],u=a[1],p=a[2],m=a[3],h=a[4],g=a[5];return l.createElement(Z,(0,s.pi)({},n,{hoisted:{mergedRootRef:i,rootRef:r,selectedIndices:c,setSelectedIndices:u,currentOptions:p,setCurrentOptions:m,suggestedDisplayValue:h,setSuggestedDisplayValue:g}}))}));Y.displayName=j;var Z=function(e){function t(t){var o=e.call(this,t)||this;return o._autofill=l.createRef(),o._comboBoxWrapper=l.createRef(),o._comboBoxMenu=l.createRef(),o._selectedElement=l.createRef(),o.focus=function(e,t){o._autofill.current&&(t?(0,p.um)(o._autofill.current):o._autofill.current.focus(),e&&o.setState({isOpen:!0})),o._hasFocus()||o.setState({focusState:"focused"})},o.dismissMenu=function(){o.state.isOpen&&o.setState({isOpen:!1})},o._onUpdateValueInAutofillWillReceiveProps=function(){var e=o._autofill.current;if(!e)return null;if(null===e.value||void 0===e.value)return null;var t=$(o._currentVisibleValue);return e.value!==t?t:e.value},o._renderComboBoxWrapper=function(e,t){var n=o.props,r=n.label,i=n.disabled,a=n.ariaLabel,u=n.ariaDescribedBy,d=n.required,p=n.errorMessage,h=n.buttonIconProps,g=n.isButtonAriaHidden,f=void 0===g||g,v=n.title,b=n.placeholder,y=n.tabIndex,_=n.autofill,C=n.iconButtonProps,S=n.hoisted.suggestedDisplayValue,x=o.state.isOpen,k=o._hasFocus()&&o.props.multiSelect&&e?e:b;return l.createElement("div",{"data-ktp-target":!0,ref:o._comboBoxWrapper,id:o._id+"wrapper",className:o._classNames.root},l.createElement(c.G,(0,s.pi)({"data-ktp-execute-target":!0,"data-is-interactable":!i,componentRef:o._autofill,id:o._id+"-input",className:o._classNames.input,type:"text",onFocus:o._onFocus,onBlur:o._onBlur,onKeyDown:o._onInputKeyDown,onKeyUp:o._onInputKeyUp,onClick:o._onAutofillClick,onTouchStart:o._onTouchStart,onInputValueChange:o._onInputChange,"aria-expanded":x,"aria-autocomplete":o._getAriaAutoCompleteValue(),role:"combobox",readOnly:i,"aria-labelledby":r&&o._id+"-label","aria-label":a&&!r?a:void 0,"aria-describedby":void 0!==p?(0,m.I)(u,t):u,"aria-activedescendant":o._getAriaActiveDescendantValue(),"aria-required":d,"aria-disabled":i,"aria-owns":x?o._id+"-list":void 0,spellCheck:!1,defaultVisibleValue:o._currentVisibleValue,suggestedDisplayValue:S,updateValueInWillReceiveProps:o._onUpdateValueInAutofillWillReceiveProps,shouldSelectFullInputValueInComponentDidUpdate:o._onShouldSelectFullInputValueInAutofillComponentDidUpdate,title:v,preventValueSelection:!o._hasFocus(),placeholder:k,tabIndex:y},_)),l.createElement(K.h,(0,s.pi)({className:"ms-ComboBox-CaretDown-button",styles:o._getCaretButtonStyles(),role:"presentation","aria-hidden":f,"data-is-focusable":!1,tabIndex:-1,onClick:o._onComboBoxClick,onBlur:o._onBlur,iconProps:h,disabled:i,checked:x},C)))},o._onShouldSelectFullInputValueInAutofillComponentDidUpdate=function(){return o._currentVisibleValue===o.props.hoisted.suggestedDisplayValue},o._getVisibleValue=function(){var e=o.props,t=e.text,n=e.allowFreeform,r=e.autoComplete,i=e.hoisted,a=i.suggestedDisplayValue,s=i.selectedIndices,l=i.currentOptions,c=o.state,u=c.currentPendingValueValidIndex,d=c.currentPendingValue,p=c.isOpen,m=ee(l,u);if((!p||!m)&&t&&null==d)return t;if(o.props.multiSelect){if(o._hasFocus()){var h=-1;return"on"===r&&m&&(h=u),o._getPendingString(d,l,h)}return o._getMultiselectDisplayString(s,l,a)}return h=o._getFirstSelectedIndex(),n?("on"===r&&m&&(h=u),o._getPendingString(d,l,h)):m&&"on"===r?(h=u,$(d)):!o.state.isOpen&&d?ee(l,h)?d:$(a):ee(l,h)?l[h].text:$(a)},o._onInputChange=function(e){o.props.disabled?o._handleInputWhenDisabled(null):o.props.allowFreeform?o._processInputChangeWithFreeform(e):o._processInputChangeWithoutFreeform(e)},o._onFocus=function(){var e,t;null===(t=null===(e=o._autofill.current)||void 0===e?void 0:e.inputElement)||void 0===t||t.select(),o._hasFocus()||o.setState({focusState:"focusing"})},o._onResolveOptions=function(){if(o.props.onResolveOptions){var e=o.props.onResolveOptions((0,s.pr)(o.props.hoisted.currentOptions));if(Array.isArray(e))o.props.hoisted.setCurrentOptions(e);else if(e&&e.then){var t=o._currentPromise=e;t.then((function(e){t===o._currentPromise&&o.props.hoisted.setCurrentOptions(e)}))}}},o._onBlur=function(e){var t,n,r=e.relatedTarget;if(null===e.relatedTarget&&(r=document.activeElement),r){var i=null===(t=o.props.hoisted.rootRef.current)||void 0===t?void 0:t.contains(r),a=null===(n=o._comboBoxMenu.current)||void 0===n?void 0:n.contains(r),s=o._comboBoxMenu.current&&(0,h.X)(o._comboBoxMenu.current,(function(e){return e===r}));if(i||a||s)return s&&o._hasFocus()&&(!o.props.multiSelect||o.props.allowFreeform)&&o._submitPendingValue(e),e.preventDefault(),void e.stopPropagation()}o._hasFocus()&&(o.setState({focusState:"none"}),o.props.multiSelect&&!o.props.allowFreeform||o._submitPendingValue(e))},o._onRenderContainer=function(e){var t,n,r=e.onRenderList,i=e.calloutProps,a=e.dropdownWidth,c=e.dropdownMaxWidth,u=e.onRenderUpperContent,d=void 0===u?o._onRenderUpperContent:u,p=e.onRenderLowerContent,m=void 0===p?o._onRenderLowerContent:p,h=e.useComboBoxAsMenuWidth,f=e.persistMenu,v=e.shouldRestoreFocus,b=void 0===v||v,y=o.state.isOpen,_=h&&o._comboBoxWrapper.current?o._comboBoxWrapper.current.clientWidth+2:void 0;return l.createElement(D.U,(0,s.pi)({isBeakVisible:!1,gapSpace:0,doNotLayer:!1,directionalHint:T.b.bottomLeftEdge,directionalHintFixed:!1},i,{onLayerMounted:o._onLayerMounted,className:(0,g.i)(o._classNames.callout,null===(t=i)||void 0===t?void 0:t.className),target:o._comboBoxWrapper.current,onDismiss:o._onDismiss,onMouseDown:o._onCalloutMouseDown,onScroll:o._onScroll,setInitialFocus:!1,calloutWidth:h&&o._comboBoxWrapper.current?_&&_:a,calloutMaxWidth:c||_,hidden:f?!y:void 0,shouldRestoreFocus:b}),d(o.props,o._onRenderUpperContent),l.createElement("div",{className:o._classNames.optionsContainerWrapper,ref:o._comboBoxMenu},null===(n=r)||void 0===n?void 0:n((0,s.pi)({},e),o._onRenderList)),m(o.props,o._onRenderLowerContent))},o._onLayerMounted=function(){o._onCalloutLayerMounted(),o.props.calloutProps&&o.props.calloutProps.onLayerMounted&&o.props.calloutProps.onLayerMounted()},o._onRenderLabel=function(e){var t=e.props,n=t.label,r=t.disabled,i=t.required;return n?l.createElement(O._,{id:o._id+"-label",disabled:r,required:i,className:o._classNames.label},n,e.multiselectAccessibleText&&l.createElement("span",{className:o._classNames.screenReaderText},e.multiselectAccessibleText)):null},o._onRenderList=function(e){var t=e.onRenderItem,n=e.options,r=o._id;return l.createElement("div",{id:r+"-list",className:o._classNames.optionsContainer,"aria-labelledby":r+"-label",role:"listbox"},n.map((function(e){var n;return null===(n=t)||void 0===n?void 0:n(e,o._onRenderItem)})))},o._onRenderItem=function(e){switch(e.itemType){case W.F.Divider:return o._renderSeparator(e);case W.F.Header:return o._renderHeader(e);default:return o._renderOption(e)}},o._onRenderLowerContent=function(){return null},o._onRenderUpperContent=function(){return null},o._renderOption=function(e){var t=o.props.onRenderOption,n=void 0===t?o._onRenderOptionContent:t,r=o._id,i=o._isOptionSelected(e.index),a=o._isOptionChecked(e.index),c=o._getCurrentOptionStyles(e),u=H(o._getCurrentOptionStyles(e)),d=oe(e),p=function(){return n(e,o._onRenderOptionContent)};return l.createElement(U,{key:e.key,index:e.index,disabled:e.disabled,isSelected:i,isChecked:a,text:e.text,render:function(){return o.props.multiSelect?l.createElement(E.X,{id:r+"-list"+e.index,ariaLabel:oe(e),key:e.key,styles:c,className:"ms-ComboBox-option",onChange:o._onItemClick(e),label:e.text,checked:a,title:d,disabled:e.disabled,onRenderLabel:p,inputProps:(0,s.pi)({"aria-selected":a?"true":"false",role:"option"},{"data-index":e.index,"data-is-focusable":!0})}):l.createElement(q.M,{id:r+"-list"+e.index,key:e.key,"data-index":e.index,styles:c,checked:i,className:"ms-ComboBox-option",onClick:o._onItemClick(e),onMouseEnter:o._onOptionMouseEnter.bind(o,e.index),onMouseMove:o._onOptionMouseMove.bind(o,e.index),onMouseLeave:o._onOptionMouseLeave,role:"option","aria-selected":a?"true":"false",ariaLabel:oe(e),disabled:e.disabled,title:d},l.createElement("span",{className:u.optionTextWrapper,ref:i?o._selectedElement:void 0},n(e,o._onRenderOptionContent)))},data:e.data})},o._onCalloutMouseDown=function(e){e.preventDefault()},o._onScroll=function(){o._isScrollIdle||void 0===o._scrollIdleTimeoutId?o._isScrollIdle=!1:(o._async.clearTimeout(o._scrollIdleTimeoutId),o._scrollIdleTimeoutId=void 0),o._scrollIdleTimeoutId=o._async.setTimeout((function(){o._isScrollIdle=!0}),250)},o._onRenderOptionContent=function(e){var t=H(o._getCurrentOptionStyles(e));return l.createElement("span",{className:t.optionText},e.text)},o._onDismiss=function(){var e=o.props.onMenuDismiss;e&&e(),o.props.persistMenu&&o._onCalloutLayerMounted(),o._setOpenStateAndFocusOnClose(!1,!1),o._resetSelectedIndex()},o._onAfterClearPendingInfo=function(){o._processingClearPendingInfo=!1},o._onInputKeyDown=function(e){var t=o.props,n=t.disabled,r=t.allowFreeform,s=t.autoComplete,l=t.hoisted.currentOptions,c=o.state,u=c.isOpen,d=c.currentPendingValueValidIndexOnHover;if(o._lastKeyDownWasAltOrMeta=ne(e),n)o._handleInputWhenDisabled(e);else{var p=o._getPendingSelectedIndex(!1);switch(e.which){case f.m.enter:o._autofill.current&&o._autofill.current.inputElement&&o._autofill.current.inputElement.select(),o._submitPendingValue(e),o.props.multiSelect&&u?o.setState({currentPendingValueValidIndex:p}):(u||(!r||void 0===o.state.currentPendingValue||null===o.state.currentPendingValue||o.state.currentPendingValue.length<=0)&&o.state.currentPendingValueValidIndex<0)&&o.setState({isOpen:!u});break;case f.m.tab:return o.props.multiSelect||o._submitPendingValue(e),void(u&&o._setOpenStateAndFocusOnClose(!u,!1));case f.m.escape:if(o._resetSelectedIndex(),!u)return;o.setState({isOpen:!1});break;case f.m.up:if(d===a.clearAll&&(p=o.props.hoisted.currentOptions.length),e.altKey||e.metaKey){if(u){o._setOpenStateAndFocusOnClose(!u,!0);break}return}o._setPendingInfoFromIndexAndDirection(p,i.backward);break;case f.m.down:e.altKey||e.metaKey?o._setOpenStateAndFocusOnClose(!0,!0):(d===a.clearAll&&(p=-1),o._setPendingInfoFromIndexAndDirection(p,i.forward));break;case f.m.home:case f.m.end:if(r)return;p=-1;var m=i.forward;e.which===f.m.end&&(p=l.length,m=i.backward),o._setPendingInfoFromIndexAndDirection(p,m);break;case f.m.space:if(!r&&"off"===s)break;default:if(e.which>=112&&e.which<=123)return;if(e.keyCode===f.m.alt||"Meta"===e.key)return;if(!r&&"on"===s){o._onInputChange(e.key);break}return}e.stopPropagation(),e.preventDefault()}},o._onInputKeyUp=function(e){var t=o.props,n=t.disabled,r=t.allowFreeform,i=t.autoComplete,a=o.state.isOpen,s=o._lastKeyDownWasAltOrMeta&&ne(e);o._lastKeyDownWasAltOrMeta=!1;var l=s&&!((0,v.V)()||(0,b.g)());if(n)o._handleInputWhenDisabled(e);else switch(e.which){case f.m.space:return void(r||"off"!==i||o._setOpenStateAndFocusOnClose(!a,!!a));default:return void(l&&a?o._setOpenStateAndFocusOnClose(!a,!0):("focusing"===o.state.focusState&&o.props.openOnKeyboardFocus&&o.setState({isOpen:!0}),"focused"!==o.state.focusState&&o.setState({focusState:"focused"})))}},o._onOptionMouseLeave=function(){o._shouldIgnoreMouseEvent()||o.props.persistMenu&&!o.state.isOpen||o.setState({currentPendingValueValidIndexOnHover:a.clearAll})},o._onComboBoxClick=function(){var e=o.props.disabled,t=o.state.isOpen;e||(o._setOpenStateAndFocusOnClose(!t,!1),o.setState({focusState:"focused"}))},o._onAutofillClick=function(){var e=o.props,t=e.disabled;e.allowFreeform&&!t?o.focus(o.state.isOpen||o._processingTouch):o._onComboBoxClick()},o._onTouchStart=function(){o._comboBoxWrapper.current&&!("onpointerdown"in o._comboBoxWrapper)&&o._handleTouchAndPointerEvent()},o._onPointerDown=function(e){"touch"===e.pointerType&&(o._handleTouchAndPointerEvent(),e.preventDefault(),e.stopImmediatePropagation())},(0,y.l)(o),o._async=new _.e(o),o._events=new C.r(o),(0,S.L)(j,t,{defaultSelectedKey:"selectedKey",text:"defaultSelectedKey",selectedKey:"value",dropdownWidth:"useComboBoxAsMenuWidth"}),o._id=t.id||(0,x.z)("ComboBox"),o._isScrollIdle=!0,o._processingTouch=!1,o._gotMouseMove=!1,o._processingClearPendingInfo=!1,o.state={isOpen:!1,focusState:"none",currentPendingValueValidIndex:-1,currentPendingValue:void 0,currentPendingValueValidIndexOnHover:a.default},o}return(0,s.ZT)(t,e),Object.defineProperty(t.prototype,"selectedOptions",{get:function(){var e=this.props.hoisted,t=e.currentOptions,o=e.selectedIndices;return(0,V.t)(t,o)},enumerable:!0,configurable:!0}),t.prototype.componentDidMount=function(){this._comboBoxWrapper.current&&!this.props.disabled&&(this._events.on(this._comboBoxWrapper.current,"focus",this._onResolveOptions,!0),"onpointerdown"in this._comboBoxWrapper.current&&this._events.on(this._comboBoxWrapper.current,"pointerdown",this._onPointerDown,!0))},t.prototype.componentDidUpdate=function(e,t){var o=this,n=this.props,r=n.allowFreeform,i=n.text,a=n.onMenuOpen,s=n.onMenuDismissed,l=n.hoisted.selectedIndices,c=this.state,u=c.isOpen,d=c.currentPendingValueValidIndex;!u||t.isOpen&&t.currentPendingValueValidIndex===d||this._async.setTimeout((function(){return o._scrollIntoView()}),0),this._hasFocus()&&(u||t.isOpen&&!u&&this._focusInputAfterClose&&this._autofill.current&&document.activeElement!==this._autofill.current.inputElement)&&this.focus(void 0,!0),this._focusInputAfterClose&&(t.isOpen&&!u||this._hasFocus()&&(!u&&!this.props.multiSelect&&e.hoisted.selectedIndices&&l&&e.hoisted.selectedIndices[0]!==l[0]||!r||i!==e.text))&&this._onFocus(),this._notifyPendingValueChanged(t),u&&!t.isOpen&&a&&a(),!u&&t.isOpen&&s&&s()},t.prototype.componentWillUnmount=function(){this._async.dispose(),this._events.dispose()},t.prototype.render=function(){var e=this._id+"-error",t=this.props,o=t.className,n=t.disabled,r=t.required,i=t.errorMessage,a=t.onRenderContainer,c=void 0===a?this._onRenderContainer:a,u=t.onRenderLabel,d=void 0===u?this._onRenderLabel:u,p=t.onRenderList,m=void 0===p?this._onRenderList:p,h=t.onRenderItem,g=void 0===h?this._onRenderItem:h,f=t.onRenderOption,v=void 0===f?this._onRenderOptionContent:f,b=t.allowFreeform,y=t.styles,_=t.theme,C=t.persistMenu,S=t.multiSelect,x=t.hoisted,w=x.suggestedDisplayValue,I=x.selectedIndices,D=x.currentOptions,T=this.state.isOpen;this._currentVisibleValue=this._getVisibleValue();var E=S?this._getMultiselectDisplayString(I,D,w):void 0,P=(0,k.pq)(this.props,k.n7,["onChange","value"]),M=!!(i&&i.length>0);this._classNames=this.props.getClassNames?this.props.getClassNames(_,!!T,!!n,!!r,!!this._hasFocus(),!!b,!!M,o):z(A(_,y),o,!!T,!!n,!!r,!!this._hasFocus(),!!b,!!M);var R=this._renderComboBoxWrapper(E,e);return l.createElement("div",(0,s.pi)({},P,{ref:this.props.hoisted.mergedRootRef,className:this._classNames.container}),d({props:this.props,multiselectAccessibleText:E},this._onRenderLabel),R,(C||T)&&c((0,s.pi)((0,s.pi)({},this.props),{onRenderList:m,onRenderItem:g,onRenderOption:v,options:D.map((function(e,t){return(0,s.pi)((0,s.pi)({},e),{index:t})})),onDismiss:this._onDismiss}),this._onRenderContainer),l.createElement("div",(0,s.pi)({role:"region","aria-live":"polite","aria-atomic":"true",id:e},M?{className:this._classNames.errorMessage}:{"aria-hidden":!0}),void 0!==i?i:""))},t.prototype._getPendingString=function(e,t,o){return null!=e?e:ee(t,o)?t[o].text:""},t.prototype._getMultiselectDisplayString=function(e,t,o){for(var n=[],r=0;e&&r0){var a=oe(r[0]);i=a.toLocaleLowerCase()!==e?a:"",o=r[0].index}}else 1===(r=t.map((function(e,t){return(0,s.pi)((0,s.pi)({},e),{index:t})})).filter((function(t){return te(t)&&oe(t).toLocaleLowerCase()===e}))).length&&(o=r[0].index);this._setPendingInfo(n,o,i)},t.prototype._processInputChangeWithoutFreeform=function(e){var t=this,o=this.props.hoisted.currentOptions,n=this.state,r=n.currentPendingValue,i=n.currentPendingValueValidIndex;if("on"===this.props.autoComplete&&""!==e){this._autoCompleteTimeout&&(this._async.clearTimeout(this._autoCompleteTimeout),this._autoCompleteTimeout=void 0,e=$(r)+e);var a=e;e=e.toLocaleLowerCase();var l=o.map((function(e,t){return(0,s.pi)((0,s.pi)({},e),{index:t})})).filter((function(t){return te(t)&&0===t.text.toLocaleLowerCase().indexOf(e)}));return l.length>0&&this._setPendingInfo(a,l[0].index,oe(l[0])),void(this._autoCompleteTimeout=this._async.setTimeout((function(){t._autoCompleteTimeout=void 0}),1e3))}var c=i>=0?i:this._getFirstSelectedIndex();this._setPendingInfoFromIndex(c)},t.prototype._getFirstSelectedIndex=function(){var e,t=this.props.hoisted.selectedIndices;return(null===(e=t)||void 0===e?void 0:e.length)?t[0]:-1},t.prototype._getNextSelectableIndex=function(e,t){var o=this.props.hoisted.currentOptions,n=e+t;if(!ee(o,n=Math.max(0,Math.min(o.length-1,n))))return-1;var r=o[n];if(!te(r)||!0===r.hidden){if(t===i.none||!(n>0&&t=0&&ni.none))return e;n=this._getNextSelectableIndex(n,t)}return n},t.prototype._setSelectedIndex=function(e,t,o){void 0===o&&(o=i.none);var n=this.props,r=n.onChange,a=n.onPendingValueChanged,l=n.hoisted,c=l.selectedIndices,u=l.currentOptions,d=c?c.slice():[];if(ee(u,e=this._getNextSelectableIndex(e,o))){if(this.props.multiSelect||d.length<1||1===d.length&&d[0]!==e){var p=(0,s.pi)({},u[e]);if(!p||p.disabled)return;if(this.props.multiSelect?(p.selected=void 0!==p.selected?!p.selected:d.indexOf(e)<0,p.selected&&d.indexOf(e)<0?d.push(e):!p.selected&&d.indexOf(e)>=0&&(d=d.filter((function(t){return t!==e})))):d[0]=e,t.persist(),this.props.selectedKey||null===this.props.selectedKey)this._hasPendingValue&&a&&(a(),this._hasPendingValue=!1),r&&r(t,p,e,void 0);else{var m=u.slice();m[e]=p,this.props.hoisted.setSelectedIndices(d),this.props.hoisted.setCurrentOptions(m),this._hasPendingValue&&a&&(a(),this._hasPendingValue=!1),r&&r(t,p,e,void 0)}}this.props.multiSelect&&this.state.isOpen||this._clearPendingInfo()}},t.prototype._submitPendingValue=function(e){var t,o,n,r=this.props,i=r.onChange,a=r.allowFreeform,s=r.autoComplete,l=r.multiSelect,c=r.hoisted,u=c.currentOptions,d=this.state,p=d.currentPendingValue,m=d.currentPendingValueValidIndex,h=d.currentPendingValueValidIndexOnHover,g=this.props.hoisted.selectedIndices;if(!this._processingClearPendingInfo){if(a){if(null==p)return void(h>=0&&(this._setSelectedIndex(h,e),this._clearPendingInfo()));if(ee(u,m)){var f=oe(u[m]).toLocaleLowerCase(),v=this._autofill.current;if(p.toLocaleLowerCase()===f||s&&0===f.indexOf(p.toLocaleLowerCase())&&(null===(t=v)||void 0===t?void 0:t.isValueSelected)&&p.length+(v.selectionEnd-v.selectionStart)===f.length||(null===(n=null===(o=v)||void 0===o?void 0:o.inputElement)||void 0===n?void 0:n.value.toLocaleLowerCase())===f){if(this._setSelectedIndex(m,e),l&&this.state.isOpen)return;return void this._clearPendingInfo()}}if(i)i&&i(e,void 0,void 0,p);else{var b={key:p||(0,x.z)(),text:$(p)};l&&(b.selected=!0);var y=u.concat([b]);g&&(l||(g=[]),g.push(y.length-1)),c.setCurrentOptions(y),c.setSelectedIndices(g)}}else m>=0?this._setSelectedIndex(m,e):h>=0&&this._setSelectedIndex(h,e);this._clearPendingInfo()}},t.prototype._onCalloutLayerMounted=function(){this._gotMouseMove=!1},t.prototype._renderSeparator=function(e){var t=e.index,o=e.key;return t&&t>0?l.createElement("div",{role:"separator",key:o,className:this._classNames.divider}):null},t.prototype._renderHeader=function(e){var t=this.props.onRenderOption,o=void 0===t?this._onRenderOptionContent:t;return l.createElement("div",{key:e.key,className:this._classNames.header},o(e,this._onRenderOptionContent))},t.prototype._isOptionSelected=function(e){return this.state.currentPendingValueValidIndexOnHover!==a.clearAll&&this._getPendingSelectedIndex(!0)===e},t.prototype._isOptionChecked=function(e){return!(!this.props.multiSelect||void 0===e||!this.props.hoisted.selectedIndices)&&this.props.hoisted.selectedIndices.indexOf(e)>=0},t.prototype._getPendingSelectedIndex=function(e){var t=this.state,o=t.currentPendingValueValidIndexOnHover,n=t.currentPendingValueValidIndex,r=t.currentPendingValue;return o>=0?o:n>=0||e&&null!=r?n:this.props.multiSelect?0:this._getFirstSelectedIndex()},t.prototype._scrollIntoView=function(){var e=this.props,t=e.onScrollToItem,o=e.scrollSelectedToTop,n=this.state,r=n.currentPendingValueValidIndex,i=n.currentPendingValue;if(t)t(r>=0||""!==i?r:this._getFirstSelectedIndex());else if(this._selectedElement.current&&this._selectedElement.current.offsetParent)if(o)this._selectedElement.current.offsetParent.scrollIntoView(!0);else{var a=!0;if(this._comboBoxMenu.current&&this._comboBoxMenu.current.offsetParent){var s=this._comboBoxMenu.current.offsetParent.getBoundingClientRect(),l=this._selectedElement.current.offsetParent.getBoundingClientRect();if(s.top<=l.top&&s.top+s.height>=l.top+l.height)return;s.top+s.height<=l.top+l.height&&(a=!1)}this._selectedElement.current.offsetParent.scrollIntoView(a)}},t.prototype._onItemClick=function(e){var t=this,o=this.props.onItemClick,n=e.index;return function(r){t.props.multiSelect||(t._autofill.current&&t._autofill.current.focus(),t.setState({isOpen:!1})),o&&o(r,e,n),t._setSelectedIndex(n,r)}},t.prototype._resetSelectedIndex=function(){var e=this.props.hoisted.currentOptions;this._clearPendingInfo();var t=this._getFirstSelectedIndex();t>0&&t=0&&e=o.length-1?e=-1:t===i.backward&&e<=0&&(e=o.length);var n=this._getNextSelectableIndex(e,t);e===n?t===i.forward?e=this._getNextSelectableIndex(-1,t):t===i.backward&&(e=this._getNextSelectableIndex(o.length,t)):e=n,ee(o,e)&&this._setPendingInfoFromIndex(e)},t.prototype._notifyPendingValueChanged=function(e){var t=this.props.onPendingValueChanged;if(t){var o=this.props.hoisted.currentOptions,n=this.state,r=n.currentPendingValue,i=n.currentPendingValueValidIndex,a=n.currentPendingValueValidIndexOnHover,s=void 0,l=void 0;a!==e.currentPendingValueValidIndexOnHover&&ee(o,a)?s=a:i!==e.currentPendingValueValidIndex&&ee(o,i)?s=i:r!==e.currentPendingValue&&(l=r),(void 0!==s||void 0!==l||this._hasPendingValue)&&(t(void 0!==s?o[s]:void 0,s,l),this._hasPendingValue=void 0!==s||void 0!==l)}},t.prototype._setOpenStateAndFocusOnClose=function(e,t){this._focusInputAfterClose=t,this.setState({isOpen:e})},t.prototype._onOptionMouseEnter=function(e){this._shouldIgnoreMouseEvent()||this.setState({currentPendingValueValidIndexOnHover:e})},t.prototype._onOptionMouseMove=function(e){this._gotMouseMove=!0,this._isScrollIdle&&this.state.currentPendingValueValidIndexOnHover!==e&&this.setState({currentPendingValueValidIndexOnHover:e})},t.prototype._shouldIgnoreMouseEvent=function(){return!this._isScrollIdle||!this._gotMouseMove},t.prototype._handleInputWhenDisabled=function(e){this.props.disabled&&(this.state.isOpen&&this.setState({isOpen:!1}),null!==e&&e.which!==f.m.tab&&e.which!==f.m.escape&&(e.which<112||e.which>123)&&(e.stopPropagation(),e.preventDefault()))},t.prototype._handleTouchAndPointerEvent=function(){var e=this;void 0!==this._lastTouchTimeoutId&&(this._async.clearTimeout(this._lastTouchTimeoutId),this._lastTouchTimeoutId=void 0),this._processingTouch=!0,this._lastTouchTimeoutId=this._async.setTimeout((function(){e._processingTouch=!1,e._lastTouchTimeoutId=void 0}),500)},t.prototype._getCaretButtonStyles=function(){var e=this.props.caretDownButtonStyles;return L(this.props.theme,e)},t.prototype._getCurrentOptionStyles=function(e){var t=this.props.comboBoxOptionStyles,o=e.styles;return F(this.props.theme,t,o,this._isPendingOption(e),e.hidden)},t.prototype._getAriaActiveDescendantValue=function(){var e,t=this.props.hoisted.selectedIndices,o=this.state,n=o.isOpen,r=o.currentPendingValueValidIndex,i=n&&(null===(e=t)||void 0===e?void 0:e.length)?this._id+"-list"+t[0]:void 0;return n&&this._hasFocus()&&-1!==r&&(i=this._id+"-list"+r),i},t.prototype._getAriaAutoCompleteValue=function(){return this.props.disabled||"on"!==this.props.autoComplete?"none":this.props.allowFreeform?"inline":"both"},t.prototype._isPendingOption=function(e){return e&&e.index===this.state.currentPendingValueValidIndex},t.prototype._hasFocus=function(){return"none"!==this.state.focusState},(0,s.gn)([(0,w.a)("ComboBox",["theme","styles"],!0)],t)}(l.Component);function X(e,t){if(!e||!t)return[];var o={};e.forEach((function(e,t){e.selected&&(o[t]=!0)}));for(var n=function(t){var n=(0,I.cx)(e,(function(e){return e.key===t}));n>-1&&(o[n]=!0)},r=0,i=t;r=0&&t{"use strict";o.d(t,{MK:()=>Y,Hl:()=>j,Nb:()=>U});var n=o(7622),r=o(7002),i=r.createContext({}),a=o(5183),s=o(6628),l=o(7023),c=o(2998),u=o(7300),d=o(5094),p=o(63),m=o(8145),h=o(6479),g=o(8936),f=o(5951),v=o(4553),b=o(2167),y=o(9919),_=o(688),C=o(3129),S=o(2782),x=o(2447),k=o(8088),w=o(8127),I=o(2240),D=o(5953),T=o(6662),E=o(9577),P=function(e){function t(t){var o=e.call(this,t)||this;return o._onItemMouseEnter=function(e){var t=o.props,n=t.item,r=t.onItemMouseEnter;r&&r(n,e,e.currentTarget)},o._onItemClick=function(e){var t=o.props,n=t.item,r=t.onItemClickBase;r&&r(n,e,e.currentTarget)},o._onItemMouseLeave=function(e){var t=o.props,n=t.item,r=t.onItemMouseLeave;r&&r(n,e)},o._onItemKeyDown=function(e){var t=o.props,n=t.item,r=t.onItemKeyDown;r&&r(n,e)},o._onItemMouseMove=function(e){var t=o.props,n=t.item,r=t.onItemMouseMove;r&&r(n,e,e.currentTarget)},o._getSubmenuTarget=function(){},(0,_.l)(o),o}return(0,n.ZT)(t,e),t.prototype.shouldComponentUpdate=function(e){return!(0,x.Vv)(e,this.props)},t}(r.Component),M=o(9949),R=function(e){function t(){var t=null!==e&&e.apply(this,arguments)||this;return t._anchor=r.createRef(),t._getMemoizedMenuButtonKeytipProps=(0,d.NF)((function(e){return(0,n.pi)((0,n.pi)({},e),{hasMenu:!0})})),t._getSubmenuTarget=function(){return t._anchor.current?t._anchor.current:void 0},t._onItemClick=function(e){var o=t.props,n=o.item,r=o.onItemClick;r&&r(n,e)},t._renderAriaDescription=function(e,o){return e?r.createElement("span",{id:t._ariaDescriptionId,className:o},e):null},t}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this,t=this.props,o=t.item,i=t.classNames,a=t.index,s=t.focusableElementIndex,l=t.totalItemCount,c=t.hasCheckmarks,u=t.hasIcons,d=t.contextualMenuItemAs,p=void 0===d?T.W:d,m=t.expandedMenuItemKey,h=t.onItemClick,g=t.openSubMenu,f=t.dismissSubMenu,v=t.dismissMenu,b=o.rel;o.target&&"_blank"===o.target.toLowerCase()&&(b=b||"nofollow noopener noreferrer");var y=(0,I.Df)(o),_=(0,w.pq)(o,w.h2),C=(0,I.P_)(o),x=o.itemProps,k=o.ariaDescription,D=o.keytipProps;D&&y&&(D=this._getMemoizedMenuButtonKeytipProps(D)),k&&(this._ariaDescriptionId=(0,S.z)());var P=(0,E.I)(o.ariaDescribedBy,k?this._ariaDescriptionId:void 0,_["aria-describedby"]),R={"aria-describedby":P};return r.createElement("div",null,r.createElement(M.a,{keytipProps:o.keytipProps,ariaDescribedBy:P,disabled:C},(function(t){return r.createElement("a",(0,n.pi)({},R,_,t,{ref:e._anchor,href:o.href,target:o.target,rel:b,className:i.root,role:"menuitem","aria-haspopup":y||void 0,"aria-expanded":y?o.key===m:void 0,"aria-posinset":s+1,"aria-setsize":l,"aria-disabled":(0,I.P_)(o),style:o.style,onClick:e._onItemClick,onMouseEnter:e._onItemMouseEnter,onMouseLeave:e._onItemMouseLeave,onMouseMove:e._onItemMouseMove,onKeyDown:y?e._onItemKeyDown:void 0}),r.createElement(p,(0,n.pi)({componentRef:o.componentRef,item:o,classNames:i,index:a,onCheckmarkClick:c&&h?h:void 0,hasIcons:u,openSubMenu:g,dismissSubMenu:f,dismissMenu:v,getSubmenuTarget:e._getSubmenuTarget},x)),e._renderAriaDescription(k,i.screenReaderText))})))},t}(P),N=function(e){function t(){var t=null!==e&&e.apply(this,arguments)||this;return t._btn=r.createRef(),t._getMemoizedMenuButtonKeytipProps=(0,d.NF)((function(e){return(0,n.pi)((0,n.pi)({},e),{hasMenu:!0})})),t._renderAriaDescription=function(e,o){return e?r.createElement("span",{id:t._ariaDescriptionId,className:o},e):null},t._getSubmenuTarget=function(){return t._btn.current?t._btn.current:void 0},t}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this,t=this.props,o=t.item,i=t.classNames,a=t.index,s=t.focusableElementIndex,l=t.totalItemCount,c=t.hasCheckmarks,u=t.hasIcons,d=t.contextualMenuItemAs,p=void 0===d?T.W:d,m=t.expandedMenuItemKey,h=t.onItemMouseDown,g=t.onItemClick,f=t.openSubMenu,v=t.dismissSubMenu,b=t.dismissMenu,y=(0,I.E3)(o),_=null!==y,C=(0,I.JF)(o),x=(0,I.Df)(o),k=o.itemProps,D=o.ariaLabel,P=o.ariaDescription,R=(0,w.pq)(o,w.Yq);delete R.disabled;var N=o.role||C;P&&(this._ariaDescriptionId=(0,S.z)());var B=(0,E.I)(o.ariaDescribedBy,P?this._ariaDescriptionId:void 0,R["aria-describedby"]),F={className:i.root,onClick:this._onItemClick,onKeyDown:x?this._onItemKeyDown:void 0,onMouseEnter:this._onItemMouseEnter,onMouseLeave:this._onItemMouseLeave,onMouseDown:function(e){return h?h(o,e):void 0},onMouseMove:this._onItemMouseMove,href:o.href,title:o.title,"aria-label":D,"aria-describedby":B,"aria-haspopup":x||void 0,"aria-expanded":x?o.key===m:void 0,"aria-posinset":s+1,"aria-setsize":l,"aria-disabled":(0,I.P_)(o),"aria-checked":"menuitemcheckbox"!==N&&"menuitemradio"!==N||!_?void 0:!!y,"aria-selected":"menuitem"===N&&_?!!y:void 0,role:N,style:o.style},L=o.keytipProps;return L&&x&&(L=this._getMemoizedMenuButtonKeytipProps(L)),r.createElement(M.a,{keytipProps:L,ariaDescribedBy:B,disabled:(0,I.P_)(o)},(function(t){return r.createElement("button",(0,n.pi)({ref:e._btn},R,F,t),r.createElement(p,(0,n.pi)({componentRef:o.componentRef,item:o,classNames:i,index:a,onCheckmarkClick:c&&g?g:void 0,hasIcons:u,openSubMenu:f,dismissSubMenu:v,dismissMenu:b,getSubmenuTarget:e._getSubmenuTarget},k)),e._renderAriaDescription(P,i.screenReaderText))}))},t}(P),B=o(98),F=o(8386),L=function(e){function t(t){var o=e.call(this,t)||this;return o._getMemoizedMenuButtonKeytipProps=(0,d.NF)((function(e){return(0,n.pi)((0,n.pi)({},e),{hasMenu:!0})})),o._onItemKeyDown=function(e){var t=o.props,n=t.item,r=t.onItemKeyDown;e.which===m.m.enter?(o._executeItemClick(e),e.preventDefault(),e.stopPropagation()):r&&r(n,e)},o._getSubmenuTarget=function(){return o._splitButton},o._renderAriaDescription=function(e,t){return e?r.createElement("span",{id:o._ariaDescriptionId,className:t},e):null},o._onItemMouseEnterPrimary=function(e){var t=o.props,r=t.item,i=t.onItemMouseEnter;i&&i((0,n.pi)((0,n.pi)({},r),{subMenuProps:void 0,items:void 0}),e,o._splitButton)},o._onItemMouseEnterIcon=function(e){var t=o.props,n=t.item,r=t.onItemMouseEnter;r&&r(n,e,o._splitButton)},o._onItemMouseMovePrimary=function(e){var t=o.props,r=t.item,i=t.onItemMouseMove;i&&i((0,n.pi)((0,n.pi)({},r),{subMenuProps:void 0,items:void 0}),e,o._splitButton)},o._onItemMouseMoveIcon=function(e){var t=o.props,n=t.item,r=t.onItemMouseMove;r&&r(n,e,o._splitButton)},o._onIconItemClick=function(e){var t=o.props,n=t.item,r=t.onItemClickBase;r&&r(n,e,o._splitButton?o._splitButton:e.currentTarget)},o._executeItemClick=function(e){var t=o.props,n=t.item,r=t.executeItemClick,i=t.onItemClick;if(!n.disabled&&!n.isDisabled)return o._processingTouch&&i?i(n,e):void(r&&r(n,e))},o._onTouchStart=function(e){o._splitButton&&!("onpointerdown"in o._splitButton)&&o._handleTouchAndPointerEvent(e)},o._onPointerDown=function(e){"touch"===e.pointerType&&(o._handleTouchAndPointerEvent(e),e.preventDefault(),e.stopImmediatePropagation())},o._async=new b.e(o),o._events=new y.r(o),o}return(0,n.ZT)(t,e),t.prototype.componentDidMount=function(){this._splitButton&&"onpointerdown"in this._splitButton&&this._events.on(this._splitButton,"pointerdown",this._onPointerDown,!0)},t.prototype.componentWillUnmount=function(){this._async.dispose(),this._events.dispose()},t.prototype.render=function(){var e=this,t=this.props,o=t.item,i=t.classNames,a=t.index,s=t.focusableElementIndex,l=t.totalItemCount,c=t.hasCheckmarks,u=t.hasIcons,d=t.onItemMouseLeave,p=t.expandedMenuItemKey,m=(0,I.Df)(o),h=o.keytipProps;h&&(h=this._getMemoizedMenuButtonKeytipProps(h));var g=o.ariaDescription;return g&&(this._ariaDescriptionId=(0,S.z)()),r.createElement(M.a,{keytipProps:h,disabled:(0,I.P_)(o)},(function(t){return r.createElement("div",{"data-ktp-target":t["data-ktp-target"],ref:function(t){return e._splitButton=t},role:(0,I.JF)(o),"aria-label":o.ariaLabel,className:i.splitContainer,"aria-disabled":(0,I.P_)(o),"aria-expanded":m?o.key===p:void 0,"aria-haspopup":!0,"aria-describedby":(0,E.I)(o.ariaDescribedBy,g?e._ariaDescriptionId:void 0,t["aria-describedby"]),"aria-checked":o.isChecked||o.checked,"aria-posinset":s+1,"aria-setsize":l,onMouseEnter:e._onItemMouseEnterPrimary,onMouseLeave:d?d.bind(e,(0,n.pi)((0,n.pi)({},o),{subMenuProps:null,items:null})):void 0,onMouseMove:e._onItemMouseMovePrimary,onKeyDown:e._onItemKeyDown,onClick:e._executeItemClick,onTouchStart:e._onTouchStart,tabIndex:0,"data-is-focusable":!0,"aria-roledescription":o["aria-roledescription"]},e._renderSplitPrimaryButton(o,i,a,c,u),e._renderSplitDivider(o),e._renderSplitIconButton(o,i,a,t),e._renderAriaDescription(g,i.screenReaderText))}))},t.prototype._renderSplitPrimaryButton=function(e,t,o,i,a){var s=this.props,l=s.contextualMenuItemAs,c=void 0===l?T.W:l,u=s.onItemClick,d={key:e.key,disabled:(0,I.P_)(e)||e.primaryDisabled,name:e.name,text:e.text||e.name,secondaryText:e.secondaryText,className:t.splitPrimary,canCheck:e.canCheck,isChecked:e.isChecked,checked:e.checked,iconProps:e.iconProps,onRenderIcon:e.onRenderIcon,data:e.data,"data-is-focusable":!1},p=e.itemProps;return r.createElement("button",(0,n.pi)({},(0,w.pq)(d,w.Yq)),r.createElement(c,(0,n.pi)({"data-is-focusable":!1,item:d,classNames:t,index:o,onCheckmarkClick:i&&u?u:void 0,hasIcons:a},p)))},t.prototype._renderSplitDivider=function(e){var t=e.getSplitButtonVerticalDividerClassNames||B.Z;return r.createElement(F.p,{getClassNames:t})},t.prototype._renderSplitIconButton=function(e,t,o,i){var a=this.props,s=a.contextualMenuItemAs,l=void 0===s?T.W:s,c=a.onItemMouseLeave,u=a.onItemMouseDown,d=a.openSubMenu,p=a.dismissSubMenu,m=a.dismissMenu,h={onClick:this._onIconItemClick,disabled:(0,I.P_)(e),className:t.splitMenu,subMenuProps:e.subMenuProps,submenuIconProps:e.submenuIconProps,split:!0,key:e.key},g=(0,n.pi)((0,n.pi)({},(0,w.pq)(h,w.Yq)),{onMouseEnter:this._onItemMouseEnterIcon,onMouseLeave:c?c.bind(this,e):void 0,onMouseDown:function(t){return u?u(e,t):void 0},onMouseMove:this._onItemMouseMoveIcon,"data-is-focusable":!1,"data-ktp-execute-target":i["data-ktp-execute-target"],"aria-hidden":!0}),f=e.itemProps;return r.createElement("button",(0,n.pi)({},g),r.createElement(l,(0,n.pi)({componentRef:e.componentRef,item:h,classNames:t,index:o,hasIcons:!1,openSubMenu:d,dismissSubMenu:p,dismissMenu:m,getSubmenuTarget:this._getSubmenuTarget},f)))},t.prototype._handleTouchAndPointerEvent=function(e){var t=this,o=this.props.onTap;o&&o(e),this._lastTouchTimeoutId&&(this._async.clearTimeout(this._lastTouchTimeoutId),this._lastTouchTimeoutId=void 0),this._processingTouch=!0,this._lastTouchTimeoutId=this._async.setTimeout((function(){t._processingTouch=!1,t._lastTouchTimeoutId=void 0}),500)},t}(P),A=o(9729),z=o(6876),H=o(9241),O=o(2674),W=o(4126),V=o(9761),K=(0,u.y)(),q=(0,u.y)(),G={items:[],shouldFocusOnMount:!0,gapSpace:0,directionalHint:s.b.bottomAutoEdge,beakWidth:16};function U(e){return e.subMenuProps?e.subMenuProps.items:e.items}function j(e){return e.some((function(e){return!!e.canCheck||!(!e.sectionProps||!e.sectionProps.items.some((function(e){return!0===e.canCheck})))}))}var J=(0,d.NF)((function(){for(var e=[],t=0;t0){for(var $=0,ee=0,te=s;ee0?r.createElement("li",{role:"presentation",key:c.key||e.key||"section-"+o},r.createElement("div",(0,n.pi)({},d),r.createElement("ul",{className:this._classNames.list,role:"presentation"},c.topDivider&&this._renderSeparator(o,t,!0,!0),u&&this._renderListItem(u,e.key||o,t,e.title),c.items.map((function(e,t){return l._renderMenuItem(e,t,t,c.items.length,i,s)})),c.bottomDivider&&this._renderSeparator(o,t,!1,!0)))):void 0}},t.prototype._renderListItem=function(e,t,o,n){return r.createElement("li",{role:"presentation",title:n,key:t,className:o.item},e)},t.prototype._renderSeparator=function(e,t,o,n){return n||e>0?r.createElement("li",{role:"separator",key:"separator-"+e+(void 0===o?"":o?"-top":"-bottom"),className:t.divider,"aria-hidden":"true"}):null},t.prototype._renderNormalItem=function(e,t,o,r,i,a,s){return e.onRender?e.onRender((0,n.pi)({"aria-posinset":r+1,"aria-setsize":i},e),this.dismiss):e.href?this._renderAnchorMenuItem(e,t,o,r,i,a,s):e.split&&(0,I.Df)(e)?this._renderSplitButton(e,t,o,r,i,a,s):this._renderButtonItem(e,t,o,r,i,a,s)},t.prototype._renderHeaderMenuItem=function(e,t,o,i,a){var s=this.props.contextualMenuItemAs,l=void 0===s?T.W:s,c=e.itemProps,u=e.id,d=c&&(0,w.pq)(c,w.n7);return r.createElement("div",(0,n.pi)({id:u,className:this._classNames.header},d,{style:e.style}),r.createElement(l,(0,n.pi)({item:e,classNames:t,index:o,onCheckmarkClick:i?this._onItemClick:void 0,hasIcons:a},c)))},t.prototype._renderAnchorMenuItem=function(e,t,o,n,i,a,s){var l=this.props,c=l.contextualMenuItemAs,u=l.hoisted,d=u.expandedMenuItemKey,p=u.openSubMenu;return r.createElement(R,{item:e,classNames:t,index:o,focusableElementIndex:n,totalItemCount:i,hasCheckmarks:a,hasIcons:s,contextualMenuItemAs:c,onItemMouseEnter:this._onItemMouseEnterBase,onItemMouseLeave:this._onMouseItemLeave,onItemMouseMove:this._onItemMouseMoveBase,onItemMouseDown:this._onItemMouseDown,executeItemClick:this._executeItemClick,onItemClick:this._onAnchorClick,onItemKeyDown:this._onItemKeyDown,expandedMenuItemKey:d,openSubMenu:p,dismissSubMenu:this._onSubMenuDismiss,dismissMenu:this.dismiss})},t.prototype._renderButtonItem=function(e,t,o,n,i,a,s){var l=this.props,c=l.contextualMenuItemAs,u=l.hoisted,d=u.expandedMenuItemKey,p=u.openSubMenu;return r.createElement(N,{item:e,classNames:t,index:o,focusableElementIndex:n,totalItemCount:i,hasCheckmarks:a,hasIcons:s,contextualMenuItemAs:c,onItemMouseEnter:this._onItemMouseEnterBase,onItemMouseLeave:this._onMouseItemLeave,onItemMouseMove:this._onItemMouseMoveBase,onItemMouseDown:this._onItemMouseDown,executeItemClick:this._executeItemClick,onItemClick:this._onItemClick,onItemClickBase:this._onItemClickBase,onItemKeyDown:this._onItemKeyDown,expandedMenuItemKey:d,openSubMenu:p,dismissSubMenu:this._onSubMenuDismiss,dismissMenu:this.dismiss})},t.prototype._renderSplitButton=function(e,t,o,n,i,a,s){var l=this.props,c=l.contextualMenuItemAs,u=l.hoisted,d=u.expandedMenuItemKey,p=u.openSubMenu;return r.createElement(L,{item:e,classNames:t,index:o,focusableElementIndex:n,totalItemCount:i,hasCheckmarks:a,hasIcons:s,contextualMenuItemAs:c,onItemMouseEnter:this._onItemMouseEnterBase,onItemMouseLeave:this._onMouseItemLeave,onItemMouseMove:this._onItemMouseMoveBase,onItemMouseDown:this._onItemMouseDown,executeItemClick:this._executeItemClick,onItemClick:this._onItemClick,onItemClickBase:this._onItemClickBase,onItemKeyDown:this._onItemKeyDown,openSubMenu:p,dismissSubMenu:this._onSubMenuDismiss,dismissMenu:this.dismiss,expandedMenuItemKey:d,onTap:this._onPointerAndTouchEvent})},t.prototype._isAltOrMeta=function(e){return e.which===m.m.alt||"Meta"===e.key},t.prototype._shouldIgnoreMouseEvent=function(){return!this._isScrollIdle||!this.props.hoisted.gotMouseMove.current},t.prototype._updateFocusOnMouseEvent=function(e,t,o){var n=this,r=o||t.currentTarget,i=this.props,a=i.subMenuHoverDelay,s=void 0===a?250:a,l=i.hoisted,c=l.expandedMenuItemKey,u=l.openSubMenu;e.key!==c&&(void 0!==this._enterTimerId&&(this._async.clearTimeout(this._enterTimerId),this._enterTimerId=void 0),void 0===c&&r.focus(),(0,I.Df)(e)?(t.stopPropagation(),this._enterTimerId=this._async.setTimeout((function(){r.focus(),u(e,r,!0),n._enterTimerId=void 0}),s)):this._enterTimerId=this._async.setTimeout((function(){n._onSubMenuDismiss(t),r.focus(),n._enterTimerId=void 0}),s))},t.prototype._getSubmenuProps=function(){var e=this.props.hoisted,t=e.submenuTarget,o=e.expandedMenuItemKey,n=e.expandedByMouseClick,r=this._findItemByKey(o),i=null;return r&&(i={items:U(r),target:t,onDismiss:this._onSubMenuDismiss,isSubMenu:!0,id:this.state.subMenuId,shouldFocusOnMount:!0,shouldFocusOnContainer:n,directionalHint:(0,f.zg)(this.props.theme)?s.b.leftTopEdge:s.b.rightTopEdge,className:this.props.className,gapSpace:0,isBeakVisible:!1},r.subMenuProps&&(0,x.f0)(i,r.subMenuProps)),i},t.prototype._findItemByKey=function(e){var t=this.props.items;return this._findItemByKeyFromItems(e,t)},t.prototype._findItemByKeyFromItems=function(e,t){for(var o=0,n=t;o{"use strict";o.d(t,{RI:()=>p,Z:()=>c});var n=o(5094),r=o(9729),i=(0,n.NF)((function(e){return(0,r.ZC)({wrapper:{display:"inline-flex",height:"100%",alignItems:"center"},divider:{width:1,height:"100%",backgroundColor:e.palette.neutralTertiaryAlt}})})),a=o(668),s=o(6145),l=(0,r.sK)(0,r.yp),c=(0,n.NF)((function(e){var t;return(0,r.ZC)(i(e),{wrapper:{position:"absolute",right:28,selectors:(t={},t[l]={right:32},t)},divider:{height:16,width:1}})})),u={item:"ms-ContextualMenu-item",divider:"ms-ContextualMenu-divider",root:"ms-ContextualMenu-link",isChecked:"is-checked",isExpanded:"is-expanded",isDisabled:"is-disabled",linkContent:"ms-ContextualMenu-linkContent",linkContentMenu:"ms-ContextualMenu-linkContent",icon:"ms-ContextualMenu-icon",iconColor:"ms-ContextualMenu-iconColor",checkmarkIcon:"ms-ContextualMenu-checkmarkIcon",subMenuIcon:"ms-ContextualMenu-submenuIcon",label:"ms-ContextualMenu-itemText",secondaryText:"ms-ContextualMenu-secondaryText",splitMenu:"ms-ContextualMenu-splitMenu",screenReaderText:"ms-ContextualMenu-screenReaderText"},d=(0,n.NF)((function(e,t,o,n,i,l,c,d,p,m,h,g){var f,v,b,y,_=(0,a.w)(e),C=(0,r.Cn)(u,e);return(0,r.ZC)({item:[C.item,_.item,c],divider:[C.divider,_.divider,d],root:[C.root,_.root,n&&[C.isChecked,_.rootChecked],i&&_.anchorLink,o&&[C.isExpanded,_.rootExpanded],t&&[C.isDisabled,_.rootDisabled],!t&&!o&&[{selectors:(f={":hover":_.rootHovered,":active":_.rootPressed},f["."+s.G$+" &:focus, ."+s.G$+" &:focus:hover"]=_.rootFocused,f["."+s.G$+" &:hover"]={background:"inherit;"},f)}],g],splitPrimary:[_.root,{width:"calc(100% - 28px)"},n&&["is-checked",_.rootChecked],(t||h)&&["is-disabled",_.rootDisabled],!(t||h)&&!n&&[{selectors:(v={":hover":_.rootHovered},v[":hover ~ ."+C.splitMenu]=_.rootHovered,v[":active"]=_.rootPressed,v["."+s.G$+" &:focus, ."+s.G$+" &:focus:hover"]=_.rootFocused,v["."+s.G$+" &:hover"]={background:"inherit;"},v)}]],splitMenu:[C.splitMenu,_.root,{flexBasis:"0",padding:"0 8px",minWidth:"28px"},o&&["is-expanded",_.rootExpanded],t&&["is-disabled",_.rootDisabled],!t&&!o&&[{selectors:(b={":hover":_.rootHovered,":active":_.rootPressed},b["."+s.G$+" &:focus, ."+s.G$+" &:focus:hover"]=_.rootFocused,b["."+s.G$+" &:hover"]={background:"inherit;"},b)}]],anchorLink:_.anchorLink,linkContent:[C.linkContent,_.linkContent],linkContentMenu:[C.linkContentMenu,_.linkContent,{justifyContent:"center"}],icon:[C.icon,l&&_.iconColor,_.icon,p,t&&[C.isDisabled,_.iconDisabled]],iconColor:_.iconColor,checkmarkIcon:[C.checkmarkIcon,l&&_.checkmarkIcon,_.icon,p],subMenuIcon:[C.subMenuIcon,_.subMenuIcon,m,o&&{color:e.palette.neutralPrimary},t&&[_.iconDisabled]],label:[C.label,_.label],secondaryText:[C.secondaryText,_.secondaryText],splitContainer:[_.splitButtonFlexContainer,!t&&!n&&[{selectors:(y={},y["."+s.G$+" &:focus, ."+s.G$+" &:focus:hover"]=_.rootFocused,y)}]],screenReaderText:[C.screenReaderText,_.screenReaderText,r.ul,{visibility:"hidden"}]})})),p=function(e){var t=e.theme,o=e.disabled,n=e.expanded,r=e.checked,i=e.isAnchorLink,a=e.knownIcon,s=e.itemClassName,l=e.dividerClassName,c=e.iconClassName,u=e.subMenuClassName,p=e.primaryDisabled,m=e.className;return d(t,o,n,r,i,a,s,l,c,u,p,m)}},668:(e,t,o)=>{"use strict";o.d(t,{f:()=>a,w:()=>c});var n=o(7622),r=o(9729),i=o(5094),a=36,s=(0,r.sK)(0,r.yp),l=(0,i.NF)((function(){var e;return{selectors:(e={},e[r.qJ]=(0,n.pi)({backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},(0,r.xM)()),e)}})),c=(0,i.NF)((function(e){var t,o,i,c,u,d,p,m=e.semanticColors,h=e.fonts,g=e.palette,f=m.menuItemBackgroundHovered,v=m.menuItemTextHovered,b=m.menuItemBackgroundPressed,y=m.bodyDivider,_={item:[h.medium,{color:m.bodyText,position:"relative",boxSizing:"border-box"}],divider:{display:"block",height:"1px",backgroundColor:y,position:"relative"},root:[(0,r.GL)(e),h.medium,{color:m.bodyText,backgroundColor:"transparent",border:"none",width:"100%",height:a,lineHeight:a,display:"block",cursor:"pointer",padding:"0px 8px 0 4px",textAlign:"left"}],rootDisabled:{color:m.disabledBodyText,cursor:"default",pointerEvents:"none",selectors:(t={},t[r.qJ]=(0,n.pi)({color:"GrayText",opacity:1},(0,r.xM)()),t)},rootHovered:(0,n.pi)({backgroundColor:f,color:v,selectors:{".ms-ContextualMenu-icon":{color:g.themeDarkAlt},".ms-ContextualMenu-submenuIcon":{color:g.neutralPrimary}}},l()),rootFocused:(0,n.pi)({backgroundColor:g.white},l()),rootChecked:(0,n.pi)({selectors:{".ms-ContextualMenu-checkmarkIcon":{color:g.neutralPrimary}}},l()),rootPressed:(0,n.pi)({backgroundColor:b,selectors:{".ms-ContextualMenu-icon":{color:g.themeDark},".ms-ContextualMenu-submenuIcon":{color:g.neutralPrimary}}},l()),rootExpanded:(0,n.pi)({backgroundColor:b,color:m.bodyTextChecked},l()),linkContent:{whiteSpace:"nowrap",height:"inherit",display:"flex",alignItems:"center",maxWidth:"100%"},anchorLink:{padding:"0px 8px 0 4px",textRendering:"auto",color:"inherit",letterSpacing:"normal",wordSpacing:"normal",textTransform:"none",textIndent:"0px",textShadow:"none",textDecoration:"none",boxSizing:"border-box"},label:{margin:"0 4px",verticalAlign:"middle",display:"inline-block",flexGrow:"1",textOverflow:"ellipsis",overflow:"hidden",whiteSpace:"nowrap"},secondaryText:{color:e.palette.neutralSecondary,paddingLeft:"20px",textAlign:"right"},icon:{display:"inline-block",minHeight:"1px",maxHeight:a,fontSize:r.ld.medium,width:r.ld.medium,margin:"0 4px",verticalAlign:"middle",flexShrink:"0",selectors:(o={},o[s]={fontSize:r.ld.large,width:r.ld.large},o)},iconColor:{color:m.menuIcon,selectors:(i={},i[r.qJ]={color:"inherit"},i["$root:hover &"]={selectors:(c={},c[r.qJ]={color:"HighlightText"},c)},i["$root:focus &"]={selectors:(u={},u[r.qJ]={color:"HighlightText"},u)},i)},iconDisabled:{color:m.disabledBodyText},checkmarkIcon:{color:m.bodySubtext,selectors:(d={},d[r.qJ]={color:"HighlightText"},d)},subMenuIcon:{height:a,lineHeight:a,color:g.neutralSecondary,textAlign:"center",display:"inline-block",verticalAlign:"middle",flexShrink:"0",fontSize:r.ld.small,selectors:(p={":hover":{color:g.neutralPrimary},":active":{color:g.neutralPrimary}},p[s]={fontSize:r.ld.medium},p[r.qJ]={color:"HighlightText"},p)},splitButtonFlexContainer:[(0,r.GL)(e),{display:"flex",height:a,flexWrap:"nowrap",justifyContent:"center",alignItems:"flex-start"}]};return(0,r.E$)(_)}))},9134:(e,t,o)=>{"use strict";o.d(t,{r:()=>p});var n=o(7622),r=o(7002),i=o(2002),a=o(7817),s=o(9729),l=o(668),c={root:"ms-ContextualMenu",container:"ms-ContextualMenu-container",list:"ms-ContextualMenu-list",header:"ms-ContextualMenu-header",title:"ms-ContextualMenu-title",isopen:"is-open"};function u(e){return r.createElement(d,(0,n.pi)({},e))}var d=(0,i.z)(a.MK,(function(e){var t=e.className,o=e.theme,n=(0,s.Cn)(c,o),r=o.fonts,i=o.semanticColors,a=o.effects;return{root:[o.fonts.medium,n.root,n.isopen,{backgroundColor:i.menuBackground,minWidth:"180px"},t],container:[n.container,{selectors:{":focus":{outline:0}}}],list:[n.list,n.isopen,{listStyleType:"none",margin:"0",padding:"0"}],header:[n.header,r.small,{fontWeight:s.lq.semibold,color:i.menuHeader,background:"none",backgroundColor:"transparent",border:"none",height:l.f,lineHeight:l.f,cursor:"default",padding:"0px 6px",userSelect:"none",textAlign:"left"}],title:[n.title,{fontSize:r.mediumPlus.fontSize,paddingRight:"14px",paddingLeft:"14px",paddingBottom:"5px",paddingTop:"5px",backgroundColor:i.menuItemBackgroundPressed}],subComponentStyles:{callout:{root:{boxShadow:a.elevation8}},menuItem:{}}}}),(function(){return{onRenderSubMenu:u}}),{scope:"ContextualMenu"}),p=d;p.displayName="ContextualMenu"},5183:(e,t,o)=>{"use strict";var n;o.d(t,{n:()=>n}),function(e){e[e.Normal=0]="Normal",e[e.Divider=1]="Divider",e[e.Header=2]="Header",e[e.Section=3]="Section"}(n||(n={}))},1839:(e,t,o)=>{"use strict";o.d(t,{b:()=>h});var n=o(7622),r=o(7002),i=o(2240),a=o(5951),s=o(688),l=o(9947),c=function(e){var t=e.item,o=e.hasIcons,i=e.classNames,a=t.iconProps;return o?t.onRenderIcon?t.onRenderIcon(e):r.createElement(l.J,(0,n.pi)({},a,{className:i.icon})):null},u=function(e){var t=e.onCheckmarkClick,o=e.item,n=e.classNames,a=(0,i.E3)(o);return t?r.createElement(l.J,{iconName:!1!==o.canCheck&&a?"CheckMark":"",className:n.checkmarkIcon,onClick:function(e){return t(o,e)}}):null},d=function(e){var t=e.item,o=e.classNames;return t.text||t.name?r.createElement("span",{className:o.label},t.text||t.name):null},p=function(e){var t=e.item,o=e.classNames;return t.secondaryText?r.createElement("span",{className:o.secondaryText},t.secondaryText):null},m=function(e){var t=e.item,o=e.classNames,s=e.theme;return(0,i.Df)(t)?r.createElement(l.J,(0,n.pi)({iconName:(0,a.zg)(s)?"ChevronLeft":"ChevronRight"},t.submenuIconProps,{className:o.subMenuIcon})):null},h=function(e){function t(t){var o=e.call(this,t)||this;return o.openSubMenu=function(){var e=o.props,t=e.item,n=e.openSubMenu,r=e.getSubmenuTarget;if(r){var a=r();(0,i.Df)(t)&&n&&a&&n(t,a)}},o.dismissSubMenu=function(){var e=o.props,t=e.item,n=e.dismissSubMenu;(0,i.Df)(t)&&n&&n()},o.dismissMenu=function(e){var t=o.props.dismissMenu;t&&t(void 0,e)},(0,s.l)(o),o}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.item,o=e.classNames,n=t.onRenderContent||this._renderLayout;return r.createElement("div",{className:t.split?o.linkContentMenu:o.linkContent},n(this.props,{renderCheckMarkIcon:u,renderItemIcon:c,renderItemName:d,renderSecondaryText:p,renderSubMenuIcon:m}))},t.prototype._renderLayout=function(e,t){return r.createElement(r.Fragment,null,t.renderCheckMarkIcon(e),t.renderItemIcon(e),t.renderItemName(e),t.renderSecondaryText(e),t.renderSubMenuIcon(e))},t}(r.Component)},6662:(e,t,o)=>{"use strict";o.d(t,{W:()=>a});var n=o(2002),r=o(1839),i=o(98),a=(0,n.z)(r.b,i.RI,void 0,{scope:"ContextualMenuItem"})},6381:(e,t,o)=>{"use strict";o.d(t,{R:()=>x});var n=o(7622),r=o(7002),i=o(7300),a=o(63),s=o(8145),l=o(8127),c=o(8088),u=o(4977),d=o(1093),p=o(6974),m=o(5953),h=o(6628),g=o(8623),f=o(6007),v=o(3528),b=o(6548),y=o(4085),_=o(1194),C=(0,i.y)(),S={allowTextInput:!1,formatDate:function(e){return e?e.toDateString():""},parseDateFromString:function(e){var t=Date.parse(e);return t?new Date(t):null},firstDayOfWeek:d.eO.Sunday,initialPickerDate:new Date,isRequired:!1,isMonthPickerVisible:!0,showMonthPickerAsOverlay:!1,strings:_.f,highlightCurrentMonth:!1,highlightSelectedMonth:!1,borderless:!1,pickerAriaLabel:"Calendar",showWeekNumbers:!1,firstWeekOfYear:d.On.FirstDay,showGoToToday:!0,showCloseButton:!1,underlined:!1,allFocusable:!1},x=r.forwardRef((function(e,t){var o=(0,a.j)(S,e),i=o.firstDayOfWeek,d=o.strings,_=o.label,x=o.theme,w=o.className,I=o.styles,D=o.initialPickerDate,T=o.isRequired,E=o.disabled,P=o.ariaLabel,M=o.pickerAriaLabel,R=o.placeholder,N=o.allowTextInput,B=o.borderless,F=o.minDate,L=o.maxDate,A=o.showCloseButton,z=o.calendarProps,H=o.calloutProps,O=o.textField,W=o.underlined,V=o.allFocusable,K=o.calendarAs,q=void 0===K?u.f:K,G=o.tabIndex,U=o.disableAutoFocus,j=(0,y.M)("DatePicker",o.id),J=(0,y.M)("DatePicker-Callout"),Y=r.useRef(null),Z=r.useRef(null),X=function(){var e=r.useRef(null),t=r.useRef(!1);return[e,function(){var t,o,n;null===(n=null===(t=e.current)||void 0===t?void 0:(o=t).focus)||void 0===n||n.call(o)},t,function(){t.current=!0}]}(),Q=X[0],$=X[1],ee=X[2],te=X[3],oe=function(e,t){var o=e.allowTextInput,n=e.onAfterMenuDismiss,i=r.useState(!1),a=i[0],s=i[1],l=r.useRef(!1),c=(0,v.r)();return r.useEffect((function(){var e;l.current&&!a&&(o&&c.requestAnimationFrame(t),null===(e=n)||void 0===e||e()),l.current=!0}),[a]),[a,s]}(o,$),ne=oe[0],re=oe[1],ie=function(e){var t=e.formatDate,o=e.value,n=e.onSelectDate,i=(0,b.G)(o,void 0,(function(e,t){var o;return null===(o=n)||void 0===o?void 0:o(t)})),a=i[0],s=i[1],l=r.useState((function(){return o&&t?t(o):""})),c=l[0],u=l[1];return r.useEffect((function(){u(o&&t?t(o):"")}),[t,o]),[a,c,function(e){s(e),u(e&&t?t(e):"")},u]}(o),ae=ie[0],se=ie[1],le=ie[2],ce=ie[3],ue=function(e,t,o,n,i){var a=e.isRequired,s=e.allowTextInput,l=e.strings,c=e.parseDateFromString,u=e.onSelectDate,d=e.formatDate,m=e.minDate,h=e.maxDate,g=r.useState(),f=g[0],v=g[1];return r.useEffect((function(){a&&!t?v(l.isRequiredErrorMessage||" "):t&&k(t,m,h)?v(l.isOutOfBoundsErrorMessage||" "):v(void 0)}),[m&&(0,p.c8)(m),h&&(0,p.c8)(h),t&&(0,p.c8)(t),a]),[i?void 0:f,function(e){var r;if(void 0===e&&(e=null),s)if(n||e){if(t&&!f&&d&&d(null!=e?e:t)===n)return;!(e=e||c(n))||isNaN(e.getTime())?(o(t),v(l.invalidInputErrorMessage||" ")):k(e,m,h)?v(l.isOutOfBoundsErrorMessage||" "):(o(e),v(void 0))}else v(a?l.isRequiredErrorMessage||" ":void 0),null===(r=u)||void 0===r||r(e);else v(a&&!n?l.isRequiredErrorMessage||" ":void 0)},v]}(o,ae,le,se,ne),de=ue[0],pe=ue[1],me=ue[2],he=r.useCallback((function(){ne||(te(),re(!0))}),[ne,te,re]);r.useImperativeHandle(o.componentRef,(function(){return{focus:$,reset:function(){re(!1),le(void 0),me(void 0)},showDatePickerPopup:he}}),[$,me,re,le,he]);var ge=function(e){ne&&(re(!1),pe(e),!N&&e&&le(e))},fe=function(e){te(),ge(e)},ve=C(I,{theme:x,className:w,disabled:E,label:!!_,isDatePickerShown:ne}),be=(0,l.pq)(o,l.n7,["value"]),ye=O&&O.iconProps;return r.createElement("div",(0,n.pi)({},be,{className:ve.root,ref:t}),r.createElement("div",{ref:Z,"aria-haspopup":"true","aria-owns":ne?J:void 0,className:ve.wrapper},r.createElement(g.n,(0,n.pi)({role:"combobox",label:_,"aria-expanded":ne,ariaLabel:P,"aria-controls":ne?J:void 0,required:T,disabled:E,errorMessage:de,placeholder:R,borderless:B,value:se,componentRef:Q,underlined:W,tabIndex:G,readOnly:!N},O,{id:j+"-label",className:(0,c.i)(ve.textField,O&&O.className),iconProps:(0,n.pi)((0,n.pi)({iconName:"Calendar"},ye),{className:(0,c.i)(ve.icon,ye&&ye.className),onClick:function(e){e.stopPropagation(),ne||o.disabled?o.allowTextInput&&ge():he()}}),onKeyDown:function(e){switch(e.which){case s.m.enter:e.preventDefault(),e.stopPropagation(),ne?o.allowTextInput&&ge():(pe(),he());break;case s.m.escape:!function(e){e.stopPropagation(),fe()}(e);break;case s.m.down:e.altKey&&!ne&&he()}},onFocus:function(){U||N||(ee.current||he(),ee.current=!1)},onBlur:function(e){pe()},onClick:function(e){o.disableAutoFocus||ne||o.disabled?o.allowTextInput&&ge():he()},onChange:function(e,t){var n,r,i,a=o.textField;N&&(ne&&ge(),ce(t)),null===(i=null===(n=a)||void 0===n?void 0:(r=n).onChange)||void 0===i||i.call(r,e,t)}}))),ne&&r.createElement(m.U,(0,n.pi)({id:J,role:"dialog",ariaLabel:M,isBeakVisible:!1,gapSpace:0,doNotLayer:!1,target:Z.current,directionalHint:h.b.bottomLeftEdge},H,{className:(0,c.i)(ve.callout,H&&H.className),onDismiss:function(e){fe()},onPositioned:function(){var e=!0;o.calloutProps&&void 0!==o.calloutProps.setInitialFocus&&(e=o.calloutProps.setInitialFocus),Y.current&&e&&Y.current.focus()}}),r.createElement(f.P,{isClickableOutsideFocusTrap:!0,disableFirstFocus:o.disableAutoFocus},r.createElement(q,(0,n.pi)({},z,{onSelectDate:function(e){o.calendarProps&&o.calendarProps.onSelectDate&&o.calendarProps.onSelectDate(e),fe(e)},onDismiss:fe,isMonthPickerVisible:o.isMonthPickerVisible,showMonthPickerAsOverlay:o.showMonthPickerAsOverlay,today:o.today,value:ae||D,firstDayOfWeek:i,strings:d,highlightCurrentMonth:o.highlightCurrentMonth,highlightSelectedMonth:o.highlightSelectedMonth,showWeekNumbers:o.showWeekNumbers,firstWeekOfYear:o.firstWeekOfYear,showGoToToday:o.showGoToToday,dateTimeFormatter:o.dateTimeFormatter,minDate:F,maxDate:L,componentRef:Y,showCloseButton:A,allFocusable:V})))))}));function k(e,t,o){return!!t&&(0,p.NJ)(t,e)>0||!!o&&(0,p.NJ)(o,e)<0}x.displayName="DatePickerBase"},127:(e,t,o)=>{"use strict";o.d(t,{M:()=>s});var n=o(2002),r=o(6381),i=o(9729),a={root:"ms-DatePicker",callout:"ms-DatePicker-callout",withLabel:"ms-DatePicker-event--with-label",withoutLabel:"ms-DatePicker-event--without-label",disabled:"msDatePickerDisabled "},s=(0,n.z)(r.R,(function(e){var t=e.className,o=e.theme,n=e.disabled,r=e.label,s=e.isDatePickerShown,l=o.palette,c=o.semanticColors,u=(0,i.Cn)(a,o),d={color:l.neutralSecondary,fontSize:i.TS.icon,lineHeight:"18px",pointerEvents:"none",position:"absolute",right:"4px",padding:"5px"};return{root:[u.root,o.fonts.large,s&&"is-open",i.Fv,t],textField:[{position:"relative",selectors:{"& input[readonly]":{cursor:"pointer"},input:{selectors:{"::-ms-clear":{display:"none"}}}}},n&&{selectors:{"& input[readonly]":{cursor:"default"}}}],callout:[u.callout],icon:[d,r?u.withLabel:u.withoutLabel,{paddingTop:"7px"},!n&&[u.disabled,{pointerEvents:"initial",cursor:"pointer"}],n&&{color:c.disabledText,cursor:"default"}]}}),void 0,{scope:"DatePicker"})},1194:(e,t,o)=>{"use strict";o.d(t,{f:()=>i});var n=o(7622),r=o(6883),i=(0,n.pi)((0,n.pi)({},r.V3),{prevMonthAriaLabel:"Go to previous month",nextMonthAriaLabel:"Go to next month",prevYearAriaLabel:"Go to previous year",nextYearAriaLabel:"Go to next year",closeButtonAriaLabel:"Close date picker",isRequiredErrorMessage:"Field is required",invalidInputErrorMessage:"Invalid date format"})},8386:(e,t,o)=>{"use strict";o.d(t,{p:()=>a});var n=o(7002),r=(0,o(7300).y)(),i=n.forwardRef((function(e,t){var o=e.styles,i=e.theme,a=e.getClassNames,s=e.className,l=r(o,{theme:i,getClassNames:a,className:s});return n.createElement("span",{className:l.wrapper,ref:t},n.createElement("span",{className:l.divider}))}));i.displayName="VerticalDividerBase";var a=(0,o(2002).z)(i,(function(e){var t=e.theme,o=e.getClassNames,n=e.className;if(!t)throw new Error("Theme is undefined or null.");if(o){var r=o(t);return{wrapper:[r.wrapper],divider:[r.divider]}}return{wrapper:[{display:"inline-flex",height:"100%",alignItems:"center"},n],divider:[{width:1,height:"100%",backgroundColor:t.palette.neutralTertiaryAlt}]}}),void 0,{scope:"VerticalDivider"})},8982:(e,t,o)=>{"use strict";o.d(t,{P:()=>L});var n=o(7622),r=o(7002),i=o(7300),a=o(2470),s=o(2990),l=o(5446),c=o(8145),u=o(4553),d=o(688),p=o(2782),m=o(8127),h=o(9577),g=o(6479),f=o(8936),v=o(5953),b=o(6628),y=o(990),_=o(2703),C=function(){function e(){this._size=0}return e.prototype.updateOptions=function(e){for(var t=[],o=0,r=0;rthis._displayOnlyOptionsCache[t];)t++;if(this._displayOnlyOptionsCache[t]===e)throw new Error("Unexpected: Option at index "+e+" is not a selectable element.");return e-t+1}},e}(),S=o(2998),x=o(7023),k=o(9947),w=o(2052),I=o(9755),D=o(4126),T=o(9761),E=o(5515),P=o(2777),M=o(63),R=o(6876),N=o(9241),B=(0,i.y)(),F={options:[]},L=r.forwardRef((function(e,t){var o=(0,M.j)(F,e),i=r.useRef(null),s=(0,N.r)(t,i),l=(0,D.q)(i),c=function(e){var t,o=e.defaultSelectedKeys,n=e.selectedKeys,i=e.defaultSelectedKey,s=e.selectedKey,l=e.options,c=e.multiSelect,u=(0,R.D)(l),d=r.useState([]),p=d[0],m=d[1],h=l!==u;t=c?h&&void 0!==o?o:n:h&&void 0!==i?i:s;var g=(0,R.D)(t);return r.useEffect((function(){var e=function(e){return(0,a.cx)(l,(function(t){return null!=e?t.key===e:!!t.selected||!!t.isSelected}))};void 0===t&&u||t===g&&!h||m(function(){if(void 0===t)return c?l.map((function(e,t){return e.selected?t:-1})).filter((function(e){return-1!==e})):-1!==(i=e(null))?[i]:[];if(!Array.isArray(t))return-1!==(i=e(t))?[i]:[];for(var o=[],n=0,r=t;n0&&l();var r=o._id+e.key;a.items.push(i((0,n.pi)((0,n.pi)({id:r},e),{index:t}),o._onRenderItem)),a.id=r;break;case _.F.Divider:t>0&&a.items.push(i((0,n.pi)((0,n.pi)({},e),{index:t}),o._onRenderItem)),a.items.length>0&&l();break;default:a.items.push(i((0,n.pi)((0,n.pi)({},e),{index:t}),o._onRenderItem))}}(e,t)})),a.items.length>0&&l(),r.createElement(r.Fragment,null,s)},o._onRenderItem=function(e){switch(e.itemType){case _.F.Divider:return o._renderSeparator(e);case _.F.Header:return o._renderHeader(e);default:return o._renderOption(e)}},o._renderOption=function(e){var t=o.props,i=t.onRenderOption,a=void 0===i?o._onRenderOption:i,s=t.hoisted.selectedIndices,l=void 0===s?[]:s,c=!(void 0===e.index||!l)&&l.indexOf(e.index)>-1,u=e.hidden?o._classNames.dropdownItemHidden:c&&!0===e.disabled?o._classNames.dropdownItemSelectedAndDisabled:c?o._classNames.dropdownItemSelected:!0===e.disabled?o._classNames.dropdownItemDisabled:o._classNames.dropdownItem,d=e.title,p=void 0===d?e.text:d,m=o._classNames.subComponentStyles?o._classNames.subComponentStyles.multiSelectItem:void 0;return o.props.multiSelect?r.createElement(P.X,{id:o._listId+e.index,key:e.key,disabled:e.disabled,onChange:o._onItemClick(e),inputProps:(0,n.pi)({"aria-selected":c,onMouseEnter:o._onItemMouseEnter.bind(o,e),onMouseLeave:o._onMouseItemLeave.bind(o,e),onMouseMove:o._onItemMouseMove.bind(o,e),role:"option"},{"data-index":e.index,"data-is-focusable":!e.disabled}),label:e.text,title:p,onRenderLabel:o._onRenderItemLabel.bind(o,e),className:u,checked:c,styles:m,ariaPositionInSet:o._sizePosCache.positionInSet(e.index),ariaSetSize:o._sizePosCache.optionSetSize}):r.createElement(y.M,{id:o._listId+e.index,key:e.key,"data-index":e.index,"data-is-focusable":!e.disabled,disabled:e.disabled,className:u,onClick:o._onItemClick(e),onMouseEnter:o._onItemMouseEnter.bind(o,e),onMouseLeave:o._onMouseItemLeave.bind(o,e),onMouseMove:o._onItemMouseMove.bind(o,e),role:"option","aria-selected":c?"true":"false",ariaLabel:e.ariaLabel,title:p,"aria-posinset":o._sizePosCache.positionInSet(e.index),"aria-setsize":o._sizePosCache.optionSetSize},a(e,o._onRenderOption))},o._onRenderOption=function(e){return r.createElement("span",{className:o._classNames.dropdownOptionText},e.text)},o._onRenderItemLabel=function(e){var t=o.props.onRenderOption;return(void 0===t?o._onRenderOption:t)(e,o._onRenderOption)},o._onPositioned=function(e){o._focusZone.current&&o._requestAnimationFrame((function(){var e=o.props.hoisted.selectedIndices;if(o._focusZone.current)if(e&&e[0]&&!o.props.options[e[0]].disabled){var t=(0,l.M)().getElementById(o._id+"-list"+e[0]);t&&o._focusZone.current.focusElement(t)}else o._focusZone.current.focus()})),o.state.calloutRenderEdge&&o.state.calloutRenderEdge===e.targetEdge||o.setState({calloutRenderEdge:e.targetEdge})},o._onItemClick=function(e){return function(t){e.disabled||(o.setSelectedIndex(t,e.index),o.props.multiSelect||o.setState({isOpen:!1}))}},o._onScroll=function(){o._isScrollIdle||void 0===o._scrollIdleTimeoutId?o._isScrollIdle=!1:(clearTimeout(o._scrollIdleTimeoutId),o._scrollIdleTimeoutId=void 0),o._scrollIdleTimeoutId=window.setTimeout((function(){o._isScrollIdle=!0}),o._scrollIdleDelay)},o._onMouseItemLeave=function(e,t){if(!o._shouldIgnoreMouseEvent()&&o._host.current)if(o._host.current.setActive)try{o._host.current.setActive()}catch(e){}else o._host.current.focus()},o._onDismiss=function(){o.setState({isOpen:!1})},o._onDropdownBlur=function(e){o._isDisabled()||(o.setState({hasFocus:!1}),o.state.isOpen||o.props.onBlur&&o.props.onBlur(e))},o._onDropdownKeyDown=function(e){if(!o._isDisabled()&&(o._lastKeyDownWasAltOrMeta=o._isAltOrMeta(e),!o.props.onKeyDown||(o.props.onKeyDown(e),!e.defaultPrevented))){var t,n=o.props.hoisted.selectedIndices.length?o.props.hoisted.selectedIndices[0]:-1,r=e.altKey||e.metaKey,i=o.state.isOpen;switch(e.which){case c.m.enter:o.setState({isOpen:!i});break;case c.m.escape:if(!i)return;o.setState({isOpen:!1});break;case c.m.up:if(r){if(i){o.setState({isOpen:!1});break}return}o.props.multiSelect?o.setState({isOpen:!0}):o._isDisabled()||(t=o._moveIndex(e,-1,n-1,n));break;case c.m.down:r&&(e.stopPropagation(),e.preventDefault()),r&&!i||o.props.multiSelect?o.setState({isOpen:!0}):o._isDisabled()||(t=o._moveIndex(e,1,n+1,n));break;case c.m.home:o.props.multiSelect||(t=o._moveIndex(e,1,0,n));break;case c.m.end:o.props.multiSelect||(t=o._moveIndex(e,-1,o.props.options.length-1,n));break;case c.m.space:break;default:return}t!==n&&(e.stopPropagation(),e.preventDefault())}},o._onDropdownKeyUp=function(e){if(!o._isDisabled()){var t=o._shouldHandleKeyUp(e),n=o.state.isOpen;if(!o.props.onKeyUp||(o.props.onKeyUp(e),!e.defaultPrevented)){switch(e.which){case c.m.space:o.setState({isOpen:!n});break;default:return void(t&&n&&o.setState({isOpen:!1}))}e.stopPropagation(),e.preventDefault()}}},o._onZoneKeyDown=function(e){var t;o._lastKeyDownWasAltOrMeta=o._isAltOrMeta(e);var n=e.altKey||e.metaKey;switch(e.which){case c.m.up:n?o.setState({isOpen:!1}):o._host.current&&(t=(0,u.TE)(o._host.current,o._host.current.lastChild,!0));break;case c.m.home:case c.m.end:case c.m.pageUp:case c.m.pageDown:break;case c.m.down:!n&&o._host.current&&(t=(0,u.ft)(o._host.current,o._host.current.firstChild,!0));break;case c.m.escape:o.setState({isOpen:!1});break;case c.m.tab:return void o.setState({isOpen:!1});default:return}t&&t.focus(),e.stopPropagation(),e.preventDefault()},o._onZoneKeyUp=function(e){o._shouldHandleKeyUp(e)&&o.state.isOpen&&(o.setState({isOpen:!1}),e.preventDefault())},o._onDropdownClick=function(e){if(!o.props.onClick||(o.props.onClick(e),!e.defaultPrevented)){var t=o.state.isOpen;o._isDisabled()||o._shouldOpenOnFocus()||o.setState({isOpen:!t}),o._isFocusedByClick=!1}},o._onDropdownMouseDown=function(){o._isFocusedByClick=!0},o._onFocus=function(e){var t=o.state.isOpen,n=o.props,r=n.multiSelect,i=n.hoisted.selectedIndices;if(!o._isDisabled()){o._isFocusedByClick||t||0!==i.length||r||o._moveIndex(e,1,0,-1),o.props.onFocus&&o.props.onFocus(e);var a={hasFocus:!0};o._shouldOpenOnFocus()&&(a.isOpen=!0),o.setState(a)}},o._isDisabled=function(){var e=o.props.disabled,t=o.props.isDisabled;return void 0===e&&(e=t),e},o._onRenderLabel=function(e){var t=e.label,n=e.required,i=e.disabled,a=o._classNames.subComponentStyles?o._classNames.subComponentStyles.label:void 0;return t?r.createElement(w._,{className:o._classNames.label,id:o._labelId,required:n,styles:a,disabled:i},t):null},(0,d.l)(o),t.multiSelect,t.selectedKey,t.selectedKeys,t.defaultSelectedKey,t.defaultSelectedKeys;var i=t.options;return o._id=t.id||(0,p.z)("Dropdown"),o._labelId=o._id+"-label",o._listId=o._id+"-list",o._optionId=o._id+"-option",o._isScrollIdle=!0,o._sizePosCache.updateOptions(i),o.state={isOpen:!1,hasFocus:!1,calloutRenderEdge:void 0},o}return(0,n.ZT)(t,e),Object.defineProperty(t.prototype,"selectedOptions",{get:function(){var e=this.props,t=e.options,o=e.hoisted.selectedIndices;return(0,E.t)(t,o)},enumerable:!0,configurable:!0}),t.prototype.componentWillUnmount=function(){clearTimeout(this._scrollIdleTimeoutId)},t.prototype.componentDidUpdate=function(e,t){!0===t.isOpen&&!1===this.state.isOpen&&(this._gotMouseMove=!1,this.props.onDismiss&&this.props.onDismiss())},t.prototype.render=function(){var e=this._id,t=this.props,o=t.className,i=t.label,a=t.options,s=t.ariaLabel,l=t.required,c=t.errorMessage,u=t.styles,d=t.theme,p=t.panelProps,g=t.calloutProps,f=t.multiSelect,v=t.onRenderTitle,b=void 0===v?this._getTitle:v,y=t.onRenderContainer,_=void 0===y?this._onRenderContainer:y,C=t.onRenderCaretDown,S=void 0===C?this._onRenderCaretDown:C,x=t.onRenderLabel,k=void 0===x?this._onRenderLabel:x,w=t.hoisted.selectedIndices,I=this.state,D=I.isOpen,T=I.calloutRenderEdge,P=t.onRenderPlaceholder||t.onRenderPlaceHolder||this._getPlaceholder;a!==this._sizePosCache.cachedOptions&&this._sizePosCache.updateOptions(a);var M=(0,E.t)(a,w),R=(0,m.pq)(t,m.n7),N=this._isDisabled(),F=e+"-errorMessage",L=N?void 0:D&&1===w.length&&w[0]>=0?this._listId+w[0]:void 0,A=f?{role:"button"}:{role:"listbox",childRole:"option",ariaRequired:l,ariaSetSize:this._sizePosCache.optionSetSize,ariaPosInSet:this._sizePosCache.positionInSet(w[0]),ariaSelected:void 0!==w[0]||void 0};this._classNames=B(u,{theme:d,className:o,hasError:!!(c&&c.length>0),hasLabel:!!i,isOpen:D,required:l,disabled:N,isRenderingPlaceholder:!M.length,panelClassName:p?p.className:void 0,calloutClassName:g?g.className:void 0,calloutRenderEdge:T});var z=!!c&&c.length>0;return r.createElement("div",{className:this._classNames.root,ref:this.props.hoisted.rootRef},k(this.props,this._onRenderLabel),r.createElement("div",(0,n.pi)({"data-is-focusable":!N,"data-ktp-target":!0,ref:this._dropDown,id:e,tabIndex:N?-1:0,role:A.role,"aria-haspopup":"listbox","aria-expanded":D?"true":"false","aria-label":s,"aria-labelledby":i&&!s?(0,h.I)(this._labelId,this._optionId):void 0,"aria-describedby":z?this._id+"-errorMessage":void 0,"aria-activedescendant":L,"aria-required":A.ariaRequired,"aria-disabled":N,"aria-owns":D?this._listId:void 0},R,{className:this._classNames.dropdown,onBlur:this._onDropdownBlur,onKeyDown:this._onDropdownKeyDown,onKeyUp:this._onDropdownKeyUp,onClick:this._onDropdownClick,onMouseDown:this._onDropdownMouseDown,onFocus:this._onFocus}),r.createElement("span",{id:this._optionId,className:this._classNames.title,"aria-live":"polite","aria-atomic":!0,"aria-invalid":z,role:A.childRole,"aria-setsize":A.ariaSetSize,"aria-posinset":A.ariaPosInSet,"aria-selected":A.ariaSelected},M.length?b(M,this._onRenderTitle):P(t,this._onRenderPlaceholder)),r.createElement("span",{className:this._classNames.caretDownWrapper},S(t,this._onRenderCaretDown))),D&&_((0,n.pi)((0,n.pi)({},t),{onDismiss:this._onDismiss}),this._onRenderContainer),z&&r.createElement("div",{role:"alert",id:F,className:this._classNames.errorMessage},c))},t.prototype.focus=function(e){this._dropDown.current&&(this._dropDown.current.focus(),e&&this.setState({isOpen:!0}))},t.prototype.setSelectedIndex=function(e,t){var o=this.props,n=o.options,r=o.selectedKey,i=o.selectedKeys,a=o.multiSelect,s=o.notifyOnReselect,l=o.hoisted.selectedIndices,c=void 0===l?[]:l,u=!!c&&c.indexOf(t)>-1,d=[];if(t=Math.max(0,Math.min(n.length-1,t)),void 0===r&&void 0===i){if(a||s||t!==c[0]){if(a)if(d=c?this._copyArray(c):[],u){var p=d.indexOf(t);p>-1&&d.splice(p,1)}else d.push(t);else d=[t];e.persist(),this.props.hoisted.setSelectedIndices(d),this._onChange(e,n,t,u,a)}}else this._onChange(e,n,t,u,a)},t.prototype._copyArray=function(e){for(var t=[],o=0,n=e;o=r.length?o=0:o<0&&(o=r.length-1);for(var i=0;r[o].itemType===_.F.Header||r[o].itemType===_.F.Divider||r[o].disabled;){if(i>=r.length)return n;o+t<0?o=r.length:o+t>=r.length&&(o=-1),o+=t,i++}return this.setSelectedIndex(e,o),o},t.prototype._renderFocusableList=function(e){var t=e.onRenderList,o=void 0===t?this._onRenderList:t,n=e.label,i=e.ariaLabel,a=e.multiSelect;return r.createElement("div",{className:this._classNames.dropdownItemsWrapper,onKeyDown:this._onZoneKeyDown,onKeyUp:this._onZoneKeyUp,ref:this._host,tabIndex:0},r.createElement(S.k,{ref:this._focusZone,direction:x.U.vertical,id:this._listId,className:this._classNames.dropdownItems,role:"listbox","aria-label":i,"aria-labelledby":n&&!i?this._labelId:void 0,"aria-multiselectable":a},o(e,this._onRenderList)))},t.prototype._renderSeparator=function(e){var t=e.index,o=e.key;return t>0?r.createElement("div",{role:"separator",key:o,className:this._classNames.dropdownDivider}):null},t.prototype._renderHeader=function(e){var t=this.props.onRenderOption,o=void 0===t?this._onRenderOption:t,n=e.key,i=e.id;return r.createElement("div",{id:i,key:n,className:this._classNames.dropdownItemHeader},o(e,this._onRenderOption))},t.prototype._onItemMouseEnter=function(e,t){this._shouldIgnoreMouseEvent()||t.currentTarget.focus()},t.prototype._onItemMouseMove=function(e,t){var o=t.currentTarget;this._gotMouseMove=!0,this._isScrollIdle&&document.activeElement!==o&&o.focus()},t.prototype._shouldIgnoreMouseEvent=function(){return!this._isScrollIdle||!this._gotMouseMove},t.prototype._isAltOrMeta=function(e){return e.which===c.m.alt||"Meta"===e.key},t.prototype._shouldHandleKeyUp=function(e){var t=this._lastKeyDownWasAltOrMeta&&this._isAltOrMeta(e);return this._lastKeyDownWasAltOrMeta=!1,!!t&&!((0,g.V)()||(0,f.g)())},t.prototype._shouldOpenOnFocus=function(){var e=this.state.hasFocus,t=this.props.openOnKeyboardFocus;return!this._isFocusedByClick&&!0===t&&!e},t.defaultProps={options:[]},t}(r.Component)},4004:(e,t,o)=>{"use strict";o.d(t,{L:()=>v});var n,r,i,a=o(2002),s=o(8982),l=o(7622),c=o(6145),u=o(4568),d=o(9729),p={root:"ms-Dropdown-container",label:"ms-Dropdown-label",dropdown:"ms-Dropdown",title:"ms-Dropdown-title",caretDownWrapper:"ms-Dropdown-caretDownWrapper",caretDown:"ms-Dropdown-caretDown",callout:"ms-Dropdown-callout",panel:"ms-Dropdown-panel",dropdownItems:"ms-Dropdown-items",dropdownItem:"ms-Dropdown-item",dropdownDivider:"ms-Dropdown-divider",dropdownOptionText:"ms-Dropdown-optionText",dropdownItemHeader:"ms-Dropdown-header",titleIsPlaceHolder:"ms-Dropdown-titleIsPlaceHolder",titleHasError:"ms-Dropdown-title--hasError"},m=((n={})[d.qJ+", "+d.bO.replace("@media ","")]=(0,l.pi)({},(0,d.xM)()),n),h={selectors:(0,l.pi)((r={},r[d.qJ]={backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},r),m)},g={selectors:(i={},i[d.qJ]={borderColor:"Highlight"},i)},f=(0,d.sK)(0,d.dd),v=(0,a.z)(s.P,(function(e){var t,o,n,r,i,a,s,m,v,b,y,_,C=e.theme,S=e.hasError,x=e.hasLabel,k=e.className,w=e.isOpen,I=e.disabled,D=e.required,T=e.isRenderingPlaceholder,E=e.panelClassName,P=e.calloutClassName,M=e.calloutRenderEdge;if(!C)throw new Error("theme is undefined or null in base Dropdown getStyles function.");var R=(0,d.Cn)(p,C),N=C.palette,B=C.semanticColors,F=C.effects,L=C.fonts,A={color:B.menuItemTextHovered},z={color:B.menuItemText},H={borderColor:B.errorText},O=[R.dropdownItem,{backgroundColor:"transparent",boxSizing:"border-box",cursor:"pointer",display:"flex",alignItems:"center",padding:"0 8px",width:"100%",minHeight:36,lineHeight:20,height:0,position:"relative",border:"1px solid transparent",borderRadius:0,wordWrap:"break-word",overflowWrap:"break-word",textAlign:"left",".ms-Button-flexContainer":{width:"100%"}}],W=B.menuItemBackgroundPressed,V=function(e){var t;return void 0===e&&(e=!1),{selectors:(t={"&:hover:focus":[{color:B.menuItemTextHovered,backgroundColor:e?W:B.menuItemBackgroundHovered},h],"&:focus":[{backgroundColor:e?W:"transparent"},h],"&:active":[{color:B.menuItemTextHovered,backgroundColor:e?B.menuItemBackgroundHovered:B.menuBackground},h]},t["."+c.G$+" &:focus:after"]={left:0,top:0,bottom:0,right:0},t[d.qJ]={border:"none"},t)}},K=(0,l.pr)(O,[{backgroundColor:W,color:B.menuItemTextHovered},V(!0),h]),q=(0,l.pr)(O,[{color:B.disabledText,cursor:"default",selectors:(t={},t[d.qJ]={color:"GrayText",border:"none"},t)}]),G=M===u.z.bottom?F.roundedCorner2+" "+F.roundedCorner2+" 0 0":"0 0 "+F.roundedCorner2+" "+F.roundedCorner2,U=M===u.z.bottom?"0 0 "+F.roundedCorner2+" "+F.roundedCorner2:F.roundedCorner2+" "+F.roundedCorner2+" 0 0";return{root:[R.root,k],label:R.label,dropdown:[R.dropdown,d.Fv,L.medium,{color:B.menuItemText,borderColor:B.focusBorder,position:"relative",outline:0,userSelect:"none",selectors:(o={},o["&:hover ."+R.title]=[!I&&A,{borderColor:w?N.neutralSecondary:N.neutralPrimary},g],o["&:focus ."+R.title]=[!I&&A,{selectors:(n={},n[d.qJ]={color:"Highlight"},n)}],o["&:focus:after"]=[{pointerEvents:"none",content:"''",position:"absolute",boxSizing:"border-box",top:"0px",left:"0px",width:"100%",height:"100%",border:I?"none":"2px solid "+N.themePrimary,borderRadius:"2px",selectors:(r={},r[d.qJ]={color:"Highlight"},r)}],o["&:active ."+R.title]=[!I&&A,{borderColor:N.themePrimary},g],o["&:hover ."+R.caretDown]=!I&&z,o["&:focus ."+R.caretDown]=[!I&&z,{selectors:(i={},i[d.qJ]={color:"Highlight"},i)}],o["&:active ."+R.caretDown]=!I&&z,o["&:hover ."+R.titleIsPlaceHolder]=!I&&z,o["&:focus ."+R.titleIsPlaceHolder]=!I&&z,o["&:active ."+R.titleIsPlaceHolder]=!I&&z,o["&:hover ."+R.titleHasError]=H,o["&:active ."+R.titleHasError]=H,o)},w&&"is-open",I&&"is-disabled",D&&"is-required",D&&!x&&{selectors:(a={":before":{content:"'*'",color:B.errorText,position:"absolute",top:-5,right:-10}},a[d.qJ]={selectors:{":after":{right:-14}}},a)}],title:[R.title,d.Fv,{backgroundColor:B.inputBackground,borderWidth:1,borderStyle:"solid",borderColor:B.inputBorder,borderRadius:w?G:F.roundedCorner2,cursor:"pointer",display:"block",height:32,lineHeight:30,padding:"0 28px 0 8px",position:"relative",overflow:"hidden",whiteSpace:"nowrap",textOverflow:"ellipsis"},T&&[R.titleIsPlaceHolder,{color:B.inputPlaceholderText}],S&&[R.titleHasError,H],I&&{backgroundColor:B.disabledBackground,border:"none",color:B.disabledText,cursor:"default",selectors:(s={},s[d.qJ]=(0,l.pi)({border:"1px solid GrayText",color:"GrayText",backgroundColor:"Window"},(0,d.xM)()),s)}],caretDownWrapper:[R.caretDownWrapper,{position:"absolute",top:1,right:8,height:32,lineHeight:30},!I&&{cursor:"pointer"}],caretDown:[R.caretDown,{color:N.neutralSecondary,fontSize:L.small.fontSize,pointerEvents:"none"},I&&{color:B.disabledText,selectors:(m={},m[d.qJ]=(0,l.pi)({color:"GrayText"},(0,d.xM)()),m)}],errorMessage:(0,l.pi)((0,l.pi)({color:B.errorText},C.fonts.small),{paddingTop:5}),callout:[R.callout,{boxShadow:F.elevation8,borderRadius:U,selectors:(v={},v[".ms-Callout-main"]={borderRadius:U},v)},P],dropdownItemsWrapper:{selectors:{"&:focus":{outline:0}}},dropdownItems:[R.dropdownItems,{display:"block"}],dropdownItem:(0,l.pr)(O,[V()]),dropdownItemSelected:K,dropdownItemDisabled:q,dropdownItemSelectedAndDisabled:[K,q,{backgroundColor:"transparent"}],dropdownItemHidden:(0,l.pr)(O,[{display:"none"}]),dropdownDivider:[R.dropdownDivider,{height:1,backgroundColor:B.bodyDivider}],dropdownOptionText:[R.dropdownOptionText,{overflow:"hidden",whiteSpace:"nowrap",textOverflow:"ellipsis",minWidth:0,maxWidth:"100%",wordWrap:"break-word",overflowWrap:"break-word",margin:"1px"}],dropdownItemHeader:[R.dropdownItemHeader,(0,l.pi)((0,l.pi)({},L.medium),{fontWeight:d.lq.semibold,color:B.menuHeader,background:"none",backgroundColor:"transparent",border:"none",height:36,lineHeight:36,cursor:"default",padding:"0 8px",userSelect:"none",textAlign:"left",selectors:(b={},b[d.qJ]=(0,l.pi)({color:"GrayText"},(0,d.xM)()),b)})],subComponentStyles:{label:{root:{display:"inline-block"}},multiSelectItem:{root:{padding:0},label:{alignSelf:"stretch",padding:"0 8px",width:"100%"},input:{selectors:(y={},y["."+c.G$+" &:focus + label::before"]={outlineOffset:"0px"},y)}},panel:{root:[E],main:{selectors:(_={},_[f]={width:272},_)},contentInner:{padding:"0 0 20px"}}}}}),void 0,{scope:"Dropdown"});v.displayName="Dropdown"},4008:(e,t,o)=>{"use strict";o.d(t,{d:()=>f});var n=o(7622),r=o(7002),i=o(7300),a=o(5094),s=o(5951),l=o(5480),c=o(8127),u=o(3394),d=o(5446),p=o(9729),m=o(9241),h=(0,i.y)(),g=(0,a.NF)((function(e,t){return(0,p.jG)((0,n.pi)((0,n.pi)({},e),{rtl:t}))})),f=r.forwardRef((function(e,t){var o=e.className,i=e.theme,a=e.applyTheme,p=e.applyThemeToBody,f=e.styles,v=h(f,{theme:i,applyTheme:a,className:o}),b=r.useRef(null);return function(e,t,o){var n=t.bodyThemed;r.useEffect((function(){if(e){var t=(0,d.M)(o.current);if(t)return t.body.classList.add(n),function(){t.body.classList.remove(n)}}}),[n,e,o])}(p,v,b),(0,l.P)(b),r.createElement(r.Fragment,null,function(e,t,o,i){var a=t.root,l=e.as,d=void 0===l?"div":l,p=e.dir,h=e.theme,f=(0,c.pq)(e,c.n7,["dir"]),v=function(e){var t=e.theme,o=e.dir,n=(0,s.zg)(t)?"rtl":"ltr",r=(0,s.zg)()?"rtl":"ltr",i=o||n;return{rootDir:i!==n||i!==r?i:o,needsTheme:i!==n}}(e),b=v.rootDir,y=v.needsTheme,_=r.createElement(d,(0,n.pi)({dir:b},f,{className:a,ref:(0,m.r)(o,i)}));return y&&(_=r.createElement(u.N,{settings:{theme:g(h,"rtl"===p)}},_)),_}(e,v,b,t))}));f.displayName="FabricBase"},3595:(e,t,o)=>{"use strict";o.d(t,{P:()=>l});var n=o(2002),r=o(4008),i=o(9729),a={fontFamily:"inherit"},s={root:"ms-Fabric",bodyThemed:"ms-Fabric-bodyThemed"},l=(0,n.z)(r.d,(function(e){var t=e.theme,o=e.className,n=e.applyTheme;return{root:[(0,i.Cn)(s,t).root,t.fonts.medium,{color:t.palette.neutralPrimary,selectors:{"& button":a,"& input":a,"& textarea":a}},n&&{color:t.semanticColors.bodyText,backgroundColor:t.semanticColors.bodyBackground},o],bodyThemed:[{backgroundColor:t.semanticColors.bodyBackground}]}}),void 0,{scope:"Fabric"})},6007:(e,t,o)=>{"use strict";o.d(t,{P:()=>h});var n=o(7622),r=o(7002),i=o(8127),a=o(3345),s=o(4553),l=o(9251),c=o(6093),u=o(9241),d=o(4085),p=o(7913),m=o(8901),h=r.forwardRef((function(e,t){var o=r.useRef(null),f=r.useRef(null),v=r.useRef(null),b=(0,u.r)(o,t),y=(0,d.M)(void 0,e.id),_=(0,m.ky)(),C=(0,i.pq)(e,i.n7),S=(0,p.B)((function(){return{previouslyFocusedElementOutsideTrapZone:void 0,previouslyFocusedElementInTrapZone:void 0,disposeFocusHandler:void 0,disposeClickHandler:void 0,hasFocus:!1,unmodalize:void 0}})),x=e.ariaLabelledBy,k=e.className,w=e.children,I=e.componentRef,D=e.disabled,T=e.disableFirstFocus,E=void 0!==T&&T,P=e.disabled,M=void 0!==P&&P,R=e.elementToFocusOnDismiss,N=e.forceFocusInsideTrap,B=void 0===N||N,F=e.focusPreviouslyFocusedInnerElement,L=e.firstFocusableSelector,A=e.ignoreExternalFocusing,z=e.isClickableOutsideFocusTrap,H=void 0!==z&&z,O=e.onFocus,W=e.onBlur,V=e.onFocusCapture,K=e.onBlurCapture,q=e.enableAriaHiddenSiblings,G={"aria-hidden":!0,style:{pointerEvents:"none",position:"fixed"},tabIndex:D?-1:0,"data-is-visible":!0},U=r.useCallback((function(){if(F&&S.previouslyFocusedElementInTrapZone&&(0,a.t)(o.current,S.previouslyFocusedElementInTrapZone))(0,s.um)(S.previouslyFocusedElementInTrapZone);else{var e="string"==typeof L?L:L&&L(),t=null;o.current&&(e&&(t=o.current.querySelector("."+e)),t||(t=(0,s.dc)(o.current,o.current.firstChild,!1,!1,!1,!0))),t&&(0,s.um)(t)}}),[L,F,S]),j=r.useCallback((function(e){if(!D){var t=e===S.hasFocus?v.current:f.current;if(o.current){var n=e===S.hasFocus?(0,s.xY)(o.current,t,!0,!1):(0,s.RK)(o.current,t,!0,!1);n&&(n===f.current||n===v.current?U():n.focus())}}}),[D,U,S]),J=r.useCallback((function(e){var t;null===(t=K)||void 0===t||t(e);var n=e.relatedTarget;null===e.relatedTarget&&(n=_.activeElement),(0,a.t)(o.current,n)||(S.hasFocus=!1)}),[_,S,K]),Y=r.useCallback((function(e){var t;null===(t=V)||void 0===t||t(e),e.target===f.current?j(!0):e.target===v.current&&j(!1),S.hasFocus=!0,e.target!==e.currentTarget&&e.target!==f.current&&e.target!==v.current&&(S.previouslyFocusedElementInTrapZone=e.target)}),[V,S,j]),Z=r.useCallback((function(){if(h.focusStack=h.focusStack.filter((function(e){return y!==e})),_){var e=_.activeElement;A||!S.previouslyFocusedElementOutsideTrapZone||"function"!=typeof S.previouslyFocusedElementOutsideTrapZone.focus||!(0,a.t)(o.current,e)&&e!==_.body||S.previouslyFocusedElementOutsideTrapZone!==f.current&&S.previouslyFocusedElementOutsideTrapZone!==v.current&&(0,s.um)(S.previouslyFocusedElementOutsideTrapZone)}}),[_,y,A,S]),X=r.useCallback((function(e){if(!D&&h.focusStack.length&&y===h.focusStack[h.focusStack.length-1]){var t=e.target;(0,a.t)(o.current,t)||(U(),S.hasFocus=!0,e.preventDefault(),e.stopPropagation())}}),[D,y,U,S]),Q=r.useCallback((function(e){if(!D&&h.focusStack.length&&y===h.focusStack[h.focusStack.length-1]){var t=e.target;t&&!(0,a.t)(o.current,t)&&(U(),S.hasFocus=!0,e.preventDefault(),e.stopPropagation())}}),[D,y,U,S]),$=r.useCallback((function(){B&&!S.disposeFocusHandler?S.disposeFocusHandler=(0,l.on)(window,"focus",X,!0):!B&&S.disposeFocusHandler&&(S.disposeFocusHandler(),S.disposeFocusHandler=void 0),H||S.disposeClickHandler?H&&S.disposeClickHandler&&(S.disposeClickHandler(),S.disposeClickHandler=void 0):S.disposeClickHandler=(0,l.on)(window,"click",Q,!0)}),[Q,X,B,H,S]);return r.useEffect((function(){var e=o.current;return $(),function(){var t;D&&!B&&(0,a.t)(e,null===(t=_)||void 0===t?void 0:t.activeElement)||Z()}}),[$]),r.useEffect((function(){var e=void 0===B||B,t=void 0!==D&&D;if(!t||e){if(M)return;h.focusStack.push(y),S.previouslyFocusedElementOutsideTrapZone=R||_.activeElement,E||(0,a.t)(o.current,S.previouslyFocusedElementOutsideTrapZone)||U(),!S.unmodalize&&o.current&&q&&(S.unmodalize=(0,c.O)(o.current))}else e&&!t||(Z(),S.unmodalize&&S.unmodalize());R&&S.previouslyFocusedElementOutsideTrapZone!==R&&(S.previouslyFocusedElementOutsideTrapZone=R)}),[R,B,D]),g((function(){S.disposeClickHandler&&(S.disposeClickHandler(),S.disposeClickHandler=void 0),S.disposeFocusHandler&&(S.disposeFocusHandler(),S.disposeFocusHandler=void 0),S.unmodalize&&S.unmodalize(),delete S.previouslyFocusedElementInTrapZone,delete S.previouslyFocusedElementOutsideTrapZone})),function(e,t,o){r.useImperativeHandle(e,(function(){return{get previouslyFocusedElement(){return t},focus:o}}),[t,o])}(I,S.previouslyFocusedElementInTrapZone,U),r.createElement("div",(0,n.pi)({},C,{className:k,ref:b,"aria-labelledby":x,onFocusCapture:Y,onFocus:O,onBlur:W,onBlurCapture:J}),r.createElement("div",(0,n.pi)({},G,{ref:f})),w,r.createElement("div",(0,n.pi)({},G,{ref:v})))})),g=function(e){var t=r.useRef(e);t.current=e,r.useEffect((function(){return function(){t.current&&t.current()}}),[e])};h.displayName="FocusTrapZone",h.focusStack=[]},4734:(e,t,o)=>{"use strict";o.d(t,{z1:()=>u,xu:()=>d,Pw:()=>p});var n=o(7622),r=o(7002),i=o(3074),a=o(5094),s=o(8127),l=o(8088),c=o(9729),u=(0,a.NF)((function(e){var t=(0,c.q7)(e)||{subset:{},code:void 0},o=t.code,n=t.subset;return o?{children:o,iconClassName:n.className,fontFamily:n.fontFace&&n.fontFace.fontFamily}:null}),void 0,!0),d=function(e){var t=e.iconName,o=e.className,a=e.style,c=void 0===a?{}:a,d=u(t)||{},p=d.iconClassName,m=d.children,h=d.fontFamily,g=(0,s.pq)(e,s.iY),f=e["aria-label"]||e["aria-labelledby"]||e.title?{role:"img"}:{"aria-hidden":!0};return r.createElement("i",(0,n.pi)({"data-icon-name":t},f,g,{className:(0,l.i)(i.Sk,i.AK.root,p,!t&&i.AK.placeholder,o),style:(0,n.pi)({fontFamily:h},c)}),m)},p=(0,a.NF)((function(e,t,o){return d({iconName:e,className:t,"aria-label":o})}))},3874:(e,t,o)=>{"use strict";o.d(t,{A:()=>p});var n=o(7622),r=o(7002),i=o(6569),a=o(4861),s=o(6711),l=o(7300),c=o(8127),u=o(4734),d=(0,l.y)({cacheSize:100}),p=function(e){function t(t){var o=e.call(this,t)||this;return o._onImageLoadingStateChange=function(e){o.props.imageProps&&o.props.imageProps.onLoadingStateChange&&o.props.imageProps.onLoadingStateChange(e),e===s.U9.error&&o.setState({imageLoadError:!0})},o.state={imageLoadError:!1},o}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.children,o=e.className,s=e.styles,l=e.iconName,p=e.imageErrorAs,m=e.theme,h="string"==typeof l&&0===l.length,g=!!this.props.imageProps||this.props.iconType===i.T.image||this.props.iconType===i.T.Image,f=(0,u.z1)(l)||{},v=f.iconClassName,b=f.children,y=d(s,{theme:m,className:o,iconClassName:v,isImage:g,isPlaceholder:h}),_=g?"span":"i",C=(0,c.pq)(this.props,c.iY,["aria-label"]),S=this.state.imageLoadError,x=(0,n.pi)((0,n.pi)({},this.props.imageProps),{onLoadingStateChange:this._onImageLoadingStateChange}),k=S&&p||a.E,w=this.props["aria-label"]||this.props.ariaLabel,I=x.alt||w,D=I||this.props["aria-labelledby"]||x["aria-label"]||x["aria-labelledby"]?{role:g?void 0:"img","aria-label":g?void 0:I}:{"aria-hidden":!0};return r.createElement(_,(0,n.pi)({"data-icon-name":l},D,C,{className:y.root}),g?r.createElement(k,(0,n.pi)({},x)):t||b)},t}(r.Component)},9947:(e,t,o)=>{"use strict";o.d(t,{J:()=>a});var n=o(2002),r=o(3874),i=o(3074),a=(0,n.z)(r.A,i.Wi,void 0,{scope:"Icon"},!0);a.displayName="Icon"},3074:(e,t,o)=>{"use strict";o.d(t,{AK:()=>n,Sk:()=>r,Wi:()=>i});var n=(0,o(9729).ZC)({root:{display:"inline-block"},placeholder:["ms-Icon-placeHolder",{width:"1em"}],image:["ms-Icon-imageContainer",{overflow:"hidden"}]}),r="ms-Icon",i=function(e){var t=e.className,o=e.iconClassName,r=e.isPlaceholder,i=e.isImage,a=e.styles;return{root:[r&&n.placeholder,n.root,i&&n.image,o,t,a&&a.root,a&&a.imageContainer]}}},6569:(e,t,o)=>{"use strict";var n;o.d(t,{T:()=>n}),function(e){e[e.default=0]="default",e[e.image=1]="image",e[e.Default=1e5]="Default",e[e.Image=100001]="Image"}(n||(n={}))},7840:(e,t,o)=>{"use strict";o.d(t,{X:()=>c});var n=o(7622),r=o(7002),i=o(4861),a=o(8127),s=o(8088),l=o(3074),c=function(e){var t=e.className,o=e.imageProps,c=(0,a.pq)(e,a.iY,["aria-label","aria-labelledby","title","aria-describedby"]),u=o.alt||e["aria-label"],d=u||e["aria-labelledby"]||e.title||o["aria-label"]||o["aria-labelledby"]||o.title,p={"aria-labelledby":e["aria-labelledby"],"aria-describedby":e["aria-describedby"],title:e.title},m=d?{}:{"aria-hidden":!0};return r.createElement("div",(0,n.pi)({},m,c,{className:(0,s.i)(l.Sk,l.AK.root,l.AK.image,t)}),r.createElement(i.E,(0,n.pi)({},p,o,{alt:d?u:""})))}},9759:(e,t,o)=>{"use strict";o.d(t,{v:()=>d});var n=o(7622),r=o(7002),i=o(7300),a=o(8127),s=o(6711),l=o(9241),c=(0,i.y)(),u=/\.svg$/i,d=r.forwardRef((function(e,t){var o=r.useRef(),i=r.useRef(),d=function(e,t){var o=e.onLoadingStateChange,n=e.onLoad,i=e.onError,a=e.src,l=r.useState(s.U9.notLoaded),c=l[0],d=l[1];r.useLayoutEffect((function(){d(s.U9.notLoaded)}),[a]),r.useEffect((function(){c===s.U9.notLoaded&&t.current&&(a&&t.current.naturalWidth>0&&t.current.naturalHeight>0||t.current.complete&&u.test(a))&&d(s.U9.loaded)})),r.useEffect((function(){var e;null===(e=o)||void 0===e||e(c)}),[c]);var p=r.useCallback((function(e){var t;null===(t=n)||void 0===t||t(e),a&&d(s.U9.loaded)}),[a,n]),m=r.useCallback((function(e){var t;null===(t=i)||void 0===t||t(e),d(s.U9.error)}),[i]);return[c,p,m]}(e,i),p=d[0],m=d[1],h=d[2],g=(0,a.pq)(e,a.it,["width","height"]),f=e.src,v=e.alt,b=e.width,y=e.height,_=e.shouldFadeIn,C=void 0===_||_,S=e.shouldStartVisible,x=e.className,k=e.imageFit,w=e.role,I=e.maximizeFrame,D=e.styles,T=e.theme,E=e.loading,P=function(e,t,o,n){var i=r.useRef(t),a=r.useRef();return(void 0===a||i.current===s.U9.notLoaded&&t===s.U9.loaded)&&(a.current=function(e,t,o,n){var r=e.imageFit,i=e.width,a=e.height;if(void 0!==e.coverStyle)return e.coverStyle;if(t===s.U9.loaded&&(r===s.kQ.cover||r===s.kQ.contain||r===s.kQ.centerContain||r===s.kQ.centerCover)&&o.current&&n.current){var l;if(l="number"==typeof i&&"number"==typeof a&&r!==s.kQ.centerContain&&r!==s.kQ.centerCover?i/a:n.current.clientWidth/n.current.clientHeight,o.current.naturalWidth/o.current.naturalHeight>l)return s.yZ.landscape}return s.yZ.portrait}(e,t,o,n)),i.current=t,a.current}(e,p,i,o),M=c(D,{theme:T,className:x,width:b,height:y,maximizeFrame:I,shouldFadeIn:C,shouldStartVisible:S,isLoaded:p===s.U9.loaded||p===s.U9.notLoaded&&e.shouldStartVisible,isLandscape:P===s.yZ.landscape,isCenter:k===s.kQ.center,isCenterContain:k===s.kQ.centerContain,isCenterCover:k===s.kQ.centerCover,isContain:k===s.kQ.contain,isCover:k===s.kQ.cover,isNone:k===s.kQ.none,isError:p===s.U9.error,isNotImageFit:void 0===k});return r.createElement("div",{className:M.root,style:{width:b,height:y},ref:o},r.createElement("img",(0,n.pi)({},g,{onLoad:m,onError:h,key:"fabricImage"+e.src||"",className:M.image,ref:(0,l.r)(i,t),src:f,alt:v,role:w,loading:E})))}));d.displayName="ImageBase"},4861:(e,t,o)=>{"use strict";o.d(t,{E:()=>l});var n=o(2002),r=o(9759),i=o(9729),a=o(9757),s={root:"ms-Image",rootMaximizeFrame:"ms-Image--maximizeFrame",image:"ms-Image-image",imageCenter:"ms-Image-image--center",imageContain:"ms-Image-image--contain",imageCover:"ms-Image-image--cover",imageCenterContain:"ms-Image-image--centerContain",imageCenterCover:"ms-Image-image--centerCover",imageNone:"ms-Image-image--none",imageLandscape:"ms-Image-image--landscape",imagePortrait:"ms-Image-image--portrait"},l=(0,n.z)(r.v,(function(e){var t=e.className,o=e.width,n=e.height,r=e.maximizeFrame,l=e.isLoaded,c=e.shouldFadeIn,u=e.shouldStartVisible,d=e.isLandscape,p=e.isCenter,m=e.isContain,h=e.isCover,g=e.isCenterContain,f=e.isCenterCover,v=e.isNone,b=e.isError,y=e.isNotImageFit,_=e.theme,C=(0,i.Cn)(s,_),S={position:"absolute",left:"50% /* @noflip */",top:"50%",transform:"translate(-50%,-50%)"},x=(0,a.J)(),k=void 0!==x&&void 0===x.navigator.msMaxTouchPoints,w=m&&d||h&&!d?{width:"100%",height:"auto"}:{width:"auto",height:"100%"};return{root:[C.root,_.fonts.medium,{overflow:"hidden"},r&&[C.rootMaximizeFrame,{height:"100%",width:"100%"}],l&&c&&!u&&i.k4.fadeIn400,(p||m||h||g||f)&&{position:"relative"},t],image:[C.image,{display:"block",opacity:0},l&&["is-loaded",{opacity:1}],p&&[C.imageCenter,S],m&&[C.imageContain,k&&{width:"100%",height:"100%",objectFit:"contain"},!k&&w,!k&&S],h&&[C.imageCover,k&&{width:"100%",height:"100%",objectFit:"cover"},!k&&w,!k&&S],g&&[C.imageCenterContain,d&&{maxWidth:"100%"},!d&&{maxHeight:"100%"},S],f&&[C.imageCenterCover,d&&{maxHeight:"100%"},!d&&{maxWidth:"100%"},S],v&&[C.imageNone,{width:"auto",height:"auto"}],y&&[!!o&&!n&&{height:"auto",width:"100%"},!o&&!!n&&{height:"100%",width:"auto"},!!o&&!!n&&{height:"100%",width:"100%"}],d&&C.imageLandscape,!d&&C.imagePortrait,!l&&"is-notLoaded",c&&"is-fadeIn",b&&"is-error"]}}),void 0,{scope:"Image"},!0);l.displayName="Image"},6711:(e,t,o)=>{"use strict";var n,r,i;o.d(t,{kQ:()=>n,yZ:()=>r,U9:()=>i}),function(e){e[e.center=0]="center",e[e.contain=1]="contain",e[e.cover=2]="cover",e[e.none=3]="none",e[e.centerCover=4]="centerCover",e[e.centerContain=5]="centerContain"}(n||(n={})),function(e){e[e.landscape=0]="landscape",e[e.portrait=1]="portrait"}(r||(r={})),function(e){e[e.notLoaded=0]="notLoaded",e[e.loaded=1]="loaded",e[e.error=2]="error",e[e.errorLoaded=3]="errorLoaded"}(i||(i={}))},9949:(e,t,o)=>{"use strict";o.d(t,{a:()=>a});var n=o(7622),r=o(8128),i=o(2304),a=function(e){var t,o=e.children,a=(0,n._T)(e,["children"]),s=(0,i.c)(a),l=s.keytipId,c=s.ariaDescribedBy;return o(((t={})[r.fV]=l,t[r.ms]=l,t["aria-describedby"]=c,t))}},2304:(e,t,o)=>{"use strict";o.d(t,{c:()=>u});var n=o(7622),r=o(7002),i=o(7913),a=o(6876),s=o(9577),l=o(344),c=o(5325);function u(e){var t=r.useRef(),o=e.keytipProps?(0,n.pi)({disabled:e.disabled},e.keytipProps):void 0,u=(0,i.B)(l.K.getInstance()),d=(0,a.D)(e);r.useLayoutEffect((function(){var n,r;t.current&&o&&((null===(n=d)||void 0===n?void 0:n.keytipProps)!==e.keytipProps||(null===(r=d)||void 0===r?void 0:r.disabled)!==e.disabled)&&u.update(o,t.current)})),r.useLayoutEffect((function(){return o&&(t.current=u.register(o)),function(){o&&u.unregister(o,t.current)}}),[]);var p={ariaDescribedBy:void 0,keytipId:void 0};return o&&(p=function(e,t,o){var r=e.addParentOverflow(t),i=(0,s.I)(o,(0,c.w7)(r.keySequences)),a=(0,n.pr)(r.keySequences);return r.overflowSetSequence&&(a=(0,c.a1)(a,r.overflowSetSequence)),{ariaDescribedBy:i,keytipId:(0,c.aB)(a)}}(u,o,e.ariaDescribedBy)),p}},5424:(e,t,o)=>{"use strict";o.d(t,{E:()=>s});var n=o(7622),r=o(7002),i=o(8127),a=(0,o(7300).y)({cacheSize:100}),s=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.as,o=void 0===t?"label":t,s=e.children,l=e.className,c=e.disabled,u=e.styles,d=e.required,p=e.theme,m=a(u,{className:l,disabled:c,required:d,theme:p});return r.createElement(o,(0,n.pi)({},(0,i.pq)(this.props,i.n7),{className:m.root}),s)},t}(r.Component)},2052:(e,t,o)=>{"use strict";o.d(t,{_:()=>s});var n=o(2002),r=o(5424),i=o(7622),a=o(9729),s=(0,n.z)(r.E,(function(e){var t,o=e.theme,n=e.className,r=e.disabled,s=e.required,l=o.semanticColors,c=a.lq.semibold,u=l.bodyText,d=l.disabledBodyText,p=l.errorText;return{root:["ms-Label",o.fonts.medium,{fontWeight:c,color:u,boxSizing:"border-box",boxShadow:"none",margin:0,display:"block",padding:"5px 0",wordWrap:"break-word",overflowWrap:"break-word"},r&&{color:d,selectors:(t={},t[a.qJ]=(0,i.pi)({color:"GrayText"},(0,a.xM)()),t)},s&&{selectors:{"::after":{content:"' *'",color:p,paddingRight:12}}},n]}}),void 0,{scope:"Label"})},4555:(e,t,o)=>{"use strict";o.d(t,{s:()=>g});var n=o(7622),r=o(7002);const i=jsmodule["react-dom"];var a,s=o(3595),l=o(7300),c=o(8308),u=o(7829),d=o(6443),p=o(9241),m=o(8901),h=(0,l.y)(),g=r.forwardRef((function(e,t){var o=r.useState(),l=o[0],g=o[1],v=r.useRef(l);v.current=l;var b=r.useRef(null),y=(0,p.r)(b,t),_=(0,m.ky)(),C=e.eventBubblingEnabled,S=e.styles,x=e.theme,k=e.className,w=e.children,I=e.hostId,D=e.onLayerDidMount,T=void 0===D?function(){}:D,E=e.onLayerMounted,P=void 0===E?function(){}:E,M=e.onLayerWillUnmount,R=e.insertFirst,N=h(S,{theme:x,className:k,isNotHost:!I}),B=function(){var e;null===(e=M)||void 0===e||e();var t=v.current;if(t&&t.parentNode){var o=t.parentNode;o&&o.removeChild(t)}},F=function(){var e,t,o=function(){if(_){if(I)return _.getElementById(I);var e=(0,d.OJ)();return e?_.querySelector(e):_.body}}();if(_&&o){B();var n=_.createElement("div");n.className=N.root,(0,c.U)(n),(0,u.N)(n,b.current),R?o.insertBefore(n,o.firstChild):o.appendChild(n),g(n),null===(e=P)||void 0===e||e(),null===(t=T)||void 0===t||t()}};return r.useLayoutEffect((function(){return F(),I&&(0,d.Pc)(I,F),function(){B(),I&&(0,d.tq)(I,F)}}),[I]),r.createElement("span",{className:"ms-layer",ref:y},l&&i.createPortal(r.createElement(s.P,(0,n.pi)({},!C&&(a||(a={},["onClick","onContextMenu","onDoubleClick","onDrag","onDragEnd","onDragEnter","onDragExit","onDragLeave","onDragOver","onDragStart","onDrop","onMouseDown","onMouseEnter","onMouseLeave","onMouseMove","onMouseOver","onMouseOut","onMouseUp","onTouchMove","onTouchStart","onTouchCancel","onTouchEnd","onKeyDown","onKeyPress","onKeyUp","onFocus","onBlur","onChange","onInput","onInvalid","onSubmit"].forEach((function(e){return a[e]=f}))),a),{className:N.content}),w),l))}));g.displayName="LayerBase";var f=function(e){e.eventPhase===Event.BUBBLING_PHASE&&"mouseenter"!==e.type&&"mouseleave"!==e.type&&"touchstart"!==e.type&&"touchend"!==e.type&&e.stopPropagation()}},7513:(e,t,o)=>{"use strict";o.d(t,{m:()=>s});var n=o(2002),r=o(4555),i=o(9729),a={root:"ms-Layer",rootNoHost:"ms-Layer--fixed",content:"ms-Layer-content"},s=(0,n.z)(r.s,(function(e){var t=e.className,o=e.isNotHost,n=e.theme,r=(0,i.Cn)(a,n);return{root:[r.root,n.fonts.medium,o&&[r.rootNoHost,{position:"fixed",zIndex:i.bR.Layer,top:0,left:0,bottom:0,right:0,visibility:"hidden"}],t],content:[r.content,{visibility:"visible"}]}}),void 0,{scope:"Layer",fields:["hostId","theme","styles"]})},6443:(e,t,o)=>{"use strict";o.d(t,{Pc:()=>r,tq:()=>i,EQ:()=>a,OJ:()=>s});var n={};function r(e,t){n[e]||(n[e]=[]),n[e].push(t)}function i(e,t){if(n[e]){var o=n[e].indexOf(t);o>=0&&(n[e].splice(o,1),0===n[e].length&&delete n[e])}}function a(e){n[e]&&n[e].forEach((function(e){return e()}))}function s(){}},6178:(e,t,o)=>{"use strict";o.d(t,{R:()=>u});var n=o(7622),r=o(7002),i=o(7300),a=o(688),s=o(4948),l=o(8127),c=(0,i.y)(),u=function(e){function t(t){var o=e.call(this,t)||this;(0,a.l)(o);var n=o.props.allowTouchBodyScroll,r=void 0!==n&&n;return o._allowTouchBodyScroll=r,o}return(0,n.ZT)(t,e),t.prototype.componentDidMount=function(){!this._allowTouchBodyScroll&&(0,s.Qp)()},t.prototype.componentWillUnmount=function(){!this._allowTouchBodyScroll&&(0,s.tG)()},t.prototype.render=function(){var e=this.props,t=e.isDarkThemed,o=e.className,i=e.theme,a=e.styles,s=(0,l.pq)(this.props,l.n7),u=c(a,{theme:i,className:o,isDark:t});return r.createElement("div",(0,n.pi)({},s,{className:u.root}))},t}(r.Component)},4946:(e,t,o)=>{"use strict";o.d(t,{a:()=>s});var n=o(2002),r=o(6178),i=o(9729),a={root:"ms-Overlay",rootDark:"ms-Overlay--dark"},s=(0,n.z)(r.R,(function(e){var t,o=e.className,n=e.theme,r=e.isNone,s=e.isDark,l=n.palette,c=(0,i.Cn)(a,n);return{root:[c.root,n.fonts.medium,{backgroundColor:l.whiteTranslucent40,top:0,right:0,bottom:0,left:0,position:"absolute",selectors:(t={},t[i.qJ]={border:"1px solid WindowText",opacity:0},t)},r&&{visibility:"hidden"},s&&[c.rootDark,{backgroundColor:l.blackTranslucent40}],o]}}),void 0,{scope:"Overlay"})},5357:(e,t,o)=>{"use strict";o.d(t,{P:()=>k});var n,r=o(7622),i=o(7002),a=o(5758),s=o(7513),l=o(4946),c=o(752),u=o(7300),d=o(4948),p=o(8088),m=o(2167),h=o(9919),g=o(688),f=o(3129),v=o(2782),b=o(5951),y=o(8127),_=o(3345),C=o(6007),S=o(2758),x=(0,u.y)();!function(e){e[e.closed=0]="closed",e[e.animatingOpen=1]="animatingOpen",e[e.open=2]="open",e[e.animatingClosed=3]="animatingClosed"}(n||(n={}));var k=function(e){function t(t){var o=e.call(this,t)||this;o._panel=i.createRef(),o._animationCallback=null,o._hasCustomNavigation=!(!o.props.onRenderNavigation&&!o.props.onRenderNavigationContent),o.dismiss=function(e){o.props.onDismiss&&o.props.onDismiss(e),(!e||e&&!e.defaultPrevented)&&o.close()},o._allowScrollOnPanel=function(e){e?o._allowTouchBodyScroll?(0,d.eC)(e,o._events):(0,d.C7)(e,o._events):o._events.off(o._scrollableContent),o._scrollableContent=e},o._onRenderNavigation=function(e){if(!o.props.onRenderNavigationContent&&!o.props.onRenderNavigation&&!o.props.hasCloseButton)return null;var t=o.props.onRenderNavigationContent,n=void 0===t?o._onRenderNavigationContent:t;return i.createElement("div",{className:o._classNames.navigation},n(e,o._onRenderNavigationContent))},o._onRenderNavigationContent=function(e){var t,n=e.closeButtonAriaLabel,r=e.hasCloseButton,s=e.onRenderHeader,l=void 0===s?o._onRenderHeader:s;if(r){var c=null===(t=o._classNames.subComponentStyles)||void 0===t?void 0:t.closeButton();return i.createElement(i.Fragment,null,!o._hasCustomNavigation&&l(o.props,o._onRenderHeader,o._headerTextId),i.createElement(a.h,{styles:c,className:o._classNames.closeButton,onClick:o._onPanelClick,ariaLabel:n,title:n,"data-is-visible":!0,iconProps:{iconName:"Cancel"}}))}return null},o._onRenderHeader=function(e,t,n){var a=e.headerText,s=e.headerTextProps,l=void 0===s?{}:s;return a?i.createElement("div",{className:o._classNames.header},i.createElement("div",(0,r.pi)({id:n,role:"heading","aria-level":1},l,{className:(0,p.i)(o._classNames.headerText,l.className)}),a)):null},o._onRenderBody=function(e){return i.createElement("div",{className:o._classNames.content},e.children)},o._onRenderFooter=function(e){var t=o.props.onRenderFooterContent,n=void 0===t?null:t;return n?i.createElement("div",{className:o._classNames.footer},i.createElement("div",{className:o._classNames.footerInner},n())):null},o._animateTo=function(e){e===n.open&&o.props.onOpen&&o.props.onOpen(),o._animationCallback=o._async.setTimeout((function(){o.setState({visibility:e}),o._onTransitionComplete()}),200)},o._clearExistingAnimationTimer=function(){null!==o._animationCallback&&o._async.clearTimeout(o._animationCallback)},o._onPanelClick=function(e){o.dismiss(e)},o._onTransitionComplete=function(){o._updateFooterPosition(),o.state.visibility===n.open&&o.props.onOpened&&o.props.onOpened(),o.state.visibility===n.closed&&o.props.onDismissed&&o.props.onDismissed()};var s=o.props.allowTouchBodyScroll,l=void 0!==s&&s;return o._allowTouchBodyScroll=l,o._async=new m.e(o),o._events=new h.r(o),(0,g.l)(o),(0,f.b)("Panel",t,{ignoreExternalFocusing:"focusTrapZoneProps",forceFocusInsideTrap:"focusTrapZoneProps",firstFocusableSelector:"focusTrapZoneProps"}),o.state={isFooterSticky:!1,visibility:n.closed,id:(0,v.z)("Panel")},o}return(0,r.ZT)(t,e),t.getDerivedStateFromProps=function(e,t){return void 0===e.isOpen?null:!e.isOpen||t.visibility!==n.closed&&t.visibility!==n.animatingClosed?e.isOpen||t.visibility!==n.open&&t.visibility!==n.animatingOpen?null:{visibility:n.animatingClosed}:{visibility:n.animatingOpen}},t.prototype.componentDidMount=function(){this._events.on(window,"resize",this._updateFooterPosition),this._shouldListenForOuterClick(this.props)&&this._events.on(document.body,"mousedown",this._dismissOnOuterClick,!0),this.props.isOpen&&this.setState({visibility:n.animatingOpen})},t.prototype.componentDidUpdate=function(e,t){var o=this._shouldListenForOuterClick(this.props),r=this._shouldListenForOuterClick(e);this.state.visibility!==t.visibility&&(this._clearExistingAnimationTimer(),this.state.visibility===n.animatingOpen?this._animateTo(n.open):this.state.visibility===n.animatingClosed&&this._animateTo(n.closed)),o&&!r?this._events.on(document.body,"mousedown",this._dismissOnOuterClick,!0):!o&&r&&this._events.off(document.body,"mousedown",this._dismissOnOuterClick,!0)},t.prototype.componentWillUnmount=function(){this._async.dispose(),this._events.dispose()},t.prototype.render=function(){var e=this.props,t=e.className,o=void 0===t?"":t,a=e.elementToFocusOnDismiss,u=e.firstFocusableSelector,d=e.focusTrapZoneProps,p=e.forceFocusInsideTrap,m=e.hasCloseButton,h=e.headerText,g=e.headerClassName,f=void 0===g?"":g,v=e.ignoreExternalFocusing,_=e.isBlocking,k=e.isFooterAtBottom,w=e.isLightDismiss,I=e.isHiddenOnDismiss,D=e.layerProps,T=e.overlayProps,E=e.popupProps,P=e.type,M=e.styles,R=e.theme,N=e.customWidth,B=e.onLightDismissClick,F=void 0===B?this._onPanelClick:B,L=e.onRenderNavigation,A=void 0===L?this._onRenderNavigation:L,z=e.onRenderHeader,H=void 0===z?this._onRenderHeader:z,O=e.onRenderBody,W=void 0===O?this._onRenderBody:O,V=e.onRenderFooter,K=void 0===V?this._onRenderFooter:V,q=this.state,G=q.isFooterSticky,U=q.visibility,j=q.id,J=P===S.w.smallFixedNear||P===S.w.customNear,Y=(0,b.zg)(R)?J:!J,Z=P===S.w.custom||P===S.w.customNear?{width:N}:{},X=(0,y.pq)(this.props,y.n7),Q=this.isActive,$=U===n.animatingClosed||U===n.animatingOpen;if(this._headerTextId=h&&j+"-headerText",!Q&&!$&&!I)return null;this._classNames=x(M,{theme:R,className:o,focusTrapZoneClassName:d?d.className:void 0,hasCloseButton:m,headerClassName:f,isAnimating:$,isFooterSticky:G,isFooterAtBottom:k,isOnRightSide:Y,isOpen:Q,isHiddenOnDismiss:I,type:P,hasCustomNavigation:this._hasCustomNavigation});var ee,te=this._classNames,oe=this._allowTouchBodyScroll;return _&&Q&&(ee=i.createElement(l.a,(0,r.pi)({className:te.overlay,isDarkThemed:!1,onClick:w?F:void 0,allowTouchBodyScroll:oe},T))),i.createElement(s.m,(0,r.pi)({},D),i.createElement(c.G,(0,r.pi)({role:"dialog","aria-modal":"true",ariaLabelledBy:this._headerTextId?this._headerTextId:void 0,onDismiss:this.dismiss,className:te.hiddenPanel},E),i.createElement("div",(0,r.pi)({"aria-hidden":!Q&&$},X,{ref:this._panel,className:te.root}),ee,i.createElement(C.P,(0,r.pi)({ignoreExternalFocusing:v,forceFocusInsideTrap:!(!_||I&&!Q)&&p,firstFocusableSelector:u,isClickableOutsideFocusTrap:!0},d,{className:te.main,style:Z,elementToFocusOnDismiss:a}),i.createElement("div",{className:te.commands,"data-is-visible":!0},A(this.props,this._onRenderNavigation)),i.createElement("div",{className:te.contentInner},(this._hasCustomNavigation||!m)&&H(this.props,this._onRenderHeader,this._headerTextId),i.createElement("div",{ref:this._allowScrollOnPanel,className:te.scrollableContent,"data-is-scrollable":!0},W(this.props,this._onRenderBody)),K(this.props,this._onRenderFooter))))))},t.prototype.open=function(){void 0===this.props.isOpen&&(this.isActive||this.setState({visibility:n.animatingOpen}))},t.prototype.close=function(){void 0===this.props.isOpen&&this.isActive&&this.setState({visibility:n.animatingClosed})},Object.defineProperty(t.prototype,"isActive",{get:function(){return this.state.visibility===n.open||this.state.visibility===n.animatingOpen},enumerable:!0,configurable:!0}),t.prototype._shouldListenForOuterClick=function(e){return!!e.isBlocking&&!!e.isOpen},t.prototype._updateFooterPosition=function(){var e=this._scrollableContent;if(e){var t=e.clientHeight,o=e.scrollHeight;this.setState({isFooterSticky:t{"use strict";o.d(t,{s:()=>S});var n,r,i,a,s,l=o(2002),c=o(5357),u=o(7622),d=o(2758),p=o(9729),m={root:"ms-Panel",main:"ms-Panel-main",commands:"ms-Panel-commands",contentInner:"ms-Panel-contentInner",scrollableContent:"ms-Panel-scrollableContent",navigation:"ms-Panel-navigation",closeButton:"ms-Panel-closeButton ms-PanelAction-close",header:"ms-Panel-header",headerText:"ms-Panel-headerText",content:"ms-Panel-content",footer:"ms-Panel-footer",footerInner:"ms-Panel-footerInner",isOpen:"is-open",hasCloseButton:"ms-Panel--hasCloseButton",smallFluid:"ms-Panel--smFluid",smallFixedNear:"ms-Panel--smLeft",smallFixedFar:"ms-Panel--sm",medium:"ms-Panel--md",large:"ms-Panel--lg",largeFixed:"ms-Panel--fixed",extraLarge:"ms-Panel--xl",custom:"ms-Panel--custom",customNear:"ms-Panel--customLeft"},h="auto",g=((n={})["@media (min-width: "+p.dd+"px)"]={width:340},n),f=((r={})["@media (min-width: "+p.AV+"px)"]={width:592},r["@media (min-width: "+p.qv+"px)"]={width:644},r),v=((i={})["@media (min-width: "+p.bE+"px)"]={left:48,width:"auto"},i["@media (min-width: "+p.B+"px)"]={left:428},i),b=((a={})["@media (min-width: "+p.B+"px)"]={left:h,width:940},a),y=((s={})["@media (min-width: "+p.B+"px)"]={left:176},s),_=function(e){var t;switch(e){case d.w.smallFixedFar:t=(0,u.pi)({},g);break;case d.w.medium:t=(0,u.pi)((0,u.pi)({},g),f);break;case d.w.large:t=(0,u.pi)((0,u.pi)((0,u.pi)({},g),f),v);break;case d.w.largeFixed:t=(0,u.pi)((0,u.pi)((0,u.pi)((0,u.pi)({},g),f),v),b);break;case d.w.extraLarge:t=(0,u.pi)((0,u.pi)((0,u.pi)((0,u.pi)({},g),f),v),y)}return t},C={paddingLeft:"24px",paddingRight:"24px"},S=(0,l.z)(c.P,(function(e){var t,o=e.className,n=e.focusTrapZoneClassName,r=e.hasCloseButton,i=e.headerClassName,a=e.isAnimating,s=e.isFooterSticky,l=e.isFooterAtBottom,c=e.isOnRightSide,g=e.isOpen,f=e.isHiddenOnDismiss,v=e.hasCustomNavigation,b=e.theme,y=e.type,S=void 0===y?d.w.smallFixedFar:y,x=b.effects,k=b.fonts,w=b.semanticColors,I=(0,p.Cn)(m,b),D=S===d.w.custom||S===d.w.customNear;return{root:[I.root,b.fonts.medium,g&&I.isOpen,r&&I.hasCloseButton,{pointerEvents:"none",position:"absolute",top:0,left:0,right:0,bottom:0},D&&c&&I.custom,D&&!c&&I.customNear,o],overlay:[{pointerEvents:"auto",cursor:"pointer"},g&&a&&p.k4.fadeIn100,!g&&a&&p.k4.fadeOut100],hiddenPanel:[!g&&!a&&f&&{visibility:"hidden"}],main:[I.main,{backgroundColor:w.bodyBackground,boxShadow:x.elevation64,pointerEvents:"auto",position:"absolute",display:"flex",flexDirection:"column",overflowX:"hidden",overflowY:"auto",WebkitOverflowScrolling:"touch",bottom:0,top:0,left:h,right:0,width:"100%",selectors:(0,u.pi)((t={},t[p.qJ]={borderLeft:"3px solid "+w.variantBorder,borderRight:"3px solid "+w.variantBorder},t),_(S))},S===d.w.smallFluid&&{left:0},S===d.w.smallFixedNear&&{left:0,right:h,width:272},S===d.w.customNear&&{right:"auto",left:0},D&&{maxWidth:"100vw"},g&&a&&!c&&p.k4.slideRightIn40,g&&a&&c&&p.k4.slideLeftIn40,!g&&a&&!c&&p.k4.slideLeftOut40,!g&&a&&c&&p.k4.slideRightOut40,n],commands:[I.commands,{marginTop:18},v&&{marginTop:"inherit"}],navigation:[I.navigation,{display:"flex",justifyContent:"flex-end"},v&&{height:"44px"}],contentInner:[I.contentInner,{display:"flex",flexDirection:"column",flexGrow:1,overflowY:"hidden"}],header:[I.header,C,{alignSelf:"flex-start"},r&&!v&&{flexGrow:1},v&&{flexShrink:0}],headerText:[I.headerText,k.xLarge,{color:w.bodyText,lineHeight:"27px",overflowWrap:"break-word",wordWrap:"break-word",wordBreak:"break-word",hyphens:"auto"},i],scrollableContent:[I.scrollableContent,{overflowY:"auto"},l&&{flexGrow:1}],content:[I.content,C,{paddingBottom:20}],footer:[I.footer,{flexShrink:0,borderTop:"1px solid transparent",transition:"opacity "+p.D1.durationValue3+" "+p.D1.easeFunction2},s&&{background:w.bodyBackground,borderTopColor:w.variantBorder}],footerInner:[I.footerInner,C,{paddingBottom:16,paddingTop:16}],subComponentStyles:{closeButton:{root:[I.closeButton,{marginRight:14,color:b.palette.neutralSecondary,fontSize:p.ld.large},v&&{marginRight:0,height:"auto",width:"44px"}],rootHovered:{color:b.palette.neutralPrimary}}}}}),void 0,{scope:"Panel"})},2758:(e,t,o)=>{"use strict";var n;o.d(t,{w:()=>n}),function(e){e[e.smallFluid=0]="smallFluid",e[e.smallFixedFar=1]="smallFixedFar",e[e.smallFixedNear=2]="smallFixedNear",e[e.medium=3]="medium",e[e.large=4]="large",e[e.largeFixed=5]="largeFixed",e[e.extraLarge=6]="extraLarge",e[e.custom=7]="custom",e[e.customNear=8]="customNear"}(n||(n={}))},7047:(e,t,o)=>{"use strict";o.d(t,{R:()=>f});var n=o(7622),r=o(7002),i=o(7300),a=o(63),s=o(8127),l=o(5816),c=o(3967),u=o(6543),d=o(7481),p=o(9241),m=o(6628),h=(0,i.y)(),g={size:d.Ir.size48,presence:d.H_.none,imageAlt:""},f=r.forwardRef((function(e,t){var o=(0,a.j)(g,e),i=r.useRef(null),f=(0,p.r)(t,i),v=function(){return o.text||o.primaryText||""},b=function(e,t,n){return r.createElement("div",{dir:"auto",className:e},t&&t(o,n))},y=function(e){return e?function(){return r.createElement(l.G,{content:e,overflowMode:c.y.Parent,directionalHint:m.b.topLeftEdge},e)}:void 0},_=y(v()),C=y(o.secondaryText),S=y(o.tertiaryText),x=y(o.optionalText),k=o.hidePersonaDetails,w=o.onRenderOptionalText,I=void 0===w?x:w,D=o.onRenderPrimaryText,T=void 0===D?_:D,E=o.onRenderSecondaryText,P=void 0===E?C:E,M=o.onRenderTertiaryText,R=void 0===M?S:M,N=o.onRenderPersonaCoin,B=void 0===N?function(e){return r.createElement(u.t,(0,n.pi)({},e))}:N,F=o.size,L=o.allowPhoneInitials,A=o.className,z=o.coinProps,H=o.showUnknownPersonaCoin,O=o.coinSize,W=o.styles,V=o.imageAlt,K=o.imageInitials,q=o.imageShouldFadeIn,G=o.imageShouldStartVisible,U=o.imageUrl,j=o.initialsColor,J=o.initialsTextColor,Y=o.isOutOfOffice,Z=o.onPhotoLoadingStateChange,X=o.onRenderCoin,Q=o.onRenderInitials,$=o.presence,ee=o.presenceTitle,te=o.presenceColors,oe=o.showInitialsUntilImageLoads,ne=o.showSecondaryText,re=o.theme,ie=(0,n.pi)({allowPhoneInitials:L,showUnknownPersonaCoin:H,coinSize:O,imageAlt:V,imageInitials:K,imageShouldFadeIn:q,imageShouldStartVisible:G,imageUrl:U,initialsColor:j,initialsTextColor:J,onPhotoLoadingStateChange:Z,onRenderCoin:X,onRenderInitials:Q,presence:$,presenceTitle:ee,showInitialsUntilImageLoads:oe,size:F,text:v(),isOutOfOffice:Y,presenceColors:te},z),ae=h(W,{theme:re,className:A,showSecondaryText:ne,presence:$,size:F}),se=(0,s.pq)(o,s.n7),le=r.createElement("div",{className:ae.details},b(ae.primaryText,T,_),b(ae.secondaryText,P,C),b(ae.tertiaryText,R,S),b(ae.optionalText,I,x),o.children);return r.createElement("div",(0,n.pi)({},se,{ref:f,className:ae.root,style:O?{height:O,minWidth:O}:void 0}),B(ie,B),(!k||F===d.Ir.size8||F===d.Ir.size10||F===d.Ir.tiny)&&le)}));f.displayName="PersonaBase"},7665:(e,t,o)=>{"use strict";o.d(t,{I:()=>l});var n=o(2002),r=o(7047),i=o(9729),a=o(8337),s={root:"ms-Persona",size8:"ms-Persona--size8",size10:"ms-Persona--size10",size16:"ms-Persona--size16",size24:"ms-Persona--size24",size28:"ms-Persona--size28",size32:"ms-Persona--size32",size40:"ms-Persona--size40",size48:"ms-Persona--size48",size56:"ms-Persona--size56",size72:"ms-Persona--size72",size100:"ms-Persona--size100",size120:"ms-Persona--size120",available:"ms-Persona--online",away:"ms-Persona--away",blocked:"ms-Persona--blocked",busy:"ms-Persona--busy",doNotDisturb:"ms-Persona--donotdisturb",offline:"ms-Persona--offline",details:"ms-Persona-details",primaryText:"ms-Persona-primaryText",secondaryText:"ms-Persona-secondaryText",tertiaryText:"ms-Persona-tertiaryText",optionalText:"ms-Persona-optionalText",textContent:"ms-Persona-textContent"},l=(0,n.z)(r.R,(function(e){var t=e.className,o=e.showSecondaryText,n=e.theme,r=n.semanticColors,l=n.fonts,c=(0,i.Cn)(s,n),u=(0,a.yR)(e.size),d=(0,a.zx)(e.presence),p="16px",m={color:r.bodySubtext,fontWeight:i.lq.regular,fontSize:l.small.fontSize};return{root:[c.root,n.fonts.medium,i.Fv,{color:r.bodyText,position:"relative",height:a.or.size48,minWidth:a.or.size48,display:"flex",alignItems:"center",selectors:{".contextualHost":{display:"none"}}},u.isSize8&&[c.size8,{height:a.or.size8,minWidth:a.or.size8}],u.isSize10&&[c.size10,{height:a.or.size10,minWidth:a.or.size10}],u.isSize16&&[c.size16,{height:a.or.size16,minWidth:a.or.size16}],u.isSize24&&[c.size24,{height:a.or.size24,minWidth:a.or.size24}],u.isSize24&&o&&{height:"36px"},u.isSize28&&[c.size28,{height:a.or.size28,minWidth:a.or.size28}],u.isSize28&&o&&{height:"32px"},u.isSize32&&[c.size32,{height:a.or.size32,minWidth:a.or.size32}],u.isSize40&&[c.size40,{height:a.or.size40,minWidth:a.or.size40}],u.isSize48&&c.size48,u.isSize56&&[c.size56,{height:a.or.size56,minWidth:a.or.size56}],u.isSize72&&[c.size72,{height:a.or.size72,minWidth:a.or.size72}],u.isSize100&&[c.size100,{height:a.or.size100,minWidth:a.or.size100}],u.isSize120&&[c.size120,{height:a.or.size120,minWidth:a.or.size120}],d.isAvailable&&c.available,d.isAway&&c.away,d.isBlocked&&c.blocked,d.isBusy&&c.busy,d.isDoNotDisturb&&c.doNotDisturb,d.isOffline&&c.offline,t],details:[c.details,{padding:"0 24px 0 16px",minWidth:0,width:"100%",textAlign:"left",display:"flex",flexDirection:"column",justifyContent:"space-around"},(u.isSize8||u.isSize10)&&{paddingLeft:17},(u.isSize24||u.isSize28||u.isSize32)&&{padding:"0 8px"},(u.isSize40||u.isSize48)&&{padding:"0 12px"}],primaryText:[c.primaryText,i.jq,{color:r.bodyText,fontWeight:i.lq.regular,fontSize:l.medium.fontSize,selectors:{":hover":{color:r.inputTextHovered}}},o&&{height:p,lineHeight:p,overflowX:"hidden"},(u.isSize8||u.isSize10)&&{fontSize:l.small.fontSize,lineHeight:a.or.size8},u.isSize16&&{lineHeight:a.or.size28},(u.isSize24||u.isSize28||u.isSize32||u.isSize40||u.isSize48)&&o&&{height:18},(u.isSize56||u.isSize72||u.isSize100||u.isSize120)&&{fontSize:l.xLarge.fontSize},(u.isSize56||u.isSize72||u.isSize100||u.isSize120)&&o&&{height:22}],secondaryText:[c.secondaryText,i.jq,m,(u.isSize8||u.isSize10||u.isSize16||u.isSize24||u.isSize28||u.isSize32)&&{display:"none"},o&&{display:"block",height:p,lineHeight:p,overflowX:"hidden"},u.isSize24&&o&&{height:18},(u.isSize56||u.isSize72||u.isSize100||u.isSize120)&&{fontSize:l.medium.fontSize},(u.isSize56||u.isSize72||u.isSize100||u.isSize120)&&o&&{height:18}],tertiaryText:[c.tertiaryText,i.jq,m,{display:"none",fontSize:l.medium.fontSize},(u.isSize72||u.isSize100||u.isSize120)&&{display:"block"}],optionalText:[c.optionalText,i.jq,m,{display:"none",fontSize:l.medium.fontSize},(u.isSize100||u.isSize120)&&{display:"block"}],textContent:[c.textContent,i.jq]}}),void 0,{scope:"Persona"})},7481:(e,t,o)=>{"use strict";var n,r,i;o.d(t,{Ir:()=>n,H_:()=>r,z5:()=>i}),function(e){e[e.tiny=0]="tiny",e[e.extraExtraSmall=1]="extraExtraSmall",e[e.extraSmall=2]="extraSmall",e[e.small=3]="small",e[e.regular=4]="regular",e[e.large=5]="large",e[e.extraLarge=6]="extraLarge",e[e.size8=17]="size8",e[e.size10=9]="size10",e[e.size16=8]="size16",e[e.size24=10]="size24",e[e.size28=7]="size28",e[e.size32=11]="size32",e[e.size40=12]="size40",e[e.size48=13]="size48",e[e.size56=16]="size56",e[e.size72=14]="size72",e[e.size100=15]="size100",e[e.size120=18]="size120"}(n||(n={})),function(e){e[e.none=0]="none",e[e.offline=1]="offline",e[e.online=2]="online",e[e.away=3]="away",e[e.dnd=4]="dnd",e[e.blocked=5]="blocked",e[e.busy=6]="busy"}(r||(r={})),function(e){e[e.lightBlue=0]="lightBlue",e[e.blue=1]="blue",e[e.darkBlue=2]="darkBlue",e[e.teal=3]="teal",e[e.lightGreen=4]="lightGreen",e[e.green=5]="green",e[e.darkGreen=6]="darkGreen",e[e.lightPink=7]="lightPink",e[e.pink=8]="pink",e[e.magenta=9]="magenta",e[e.purple=10]="purple",e[e.black=11]="black",e[e.orange=12]="orange",e[e.red=13]="red",e[e.darkRed=14]="darkRed",e[e.transparent=15]="transparent",e[e.violet=16]="violet",e[e.lightRed=17]="lightRed",e[e.gold=18]="gold",e[e.burgundy=19]="burgundy",e[e.warmGray=20]="warmGray",e[e.coolGray=21]="coolGray",e[e.gray=22]="gray",e[e.cyan=23]="cyan",e[e.rust=24]="rust"}(i||(i={}))},867:(e,t,o)=>{"use strict";o.d(t,{z:()=>R});var n=o(7622),r=o(7002),i=o(7300),a=o(5094),s=o(63),l=o(8127),c=o(5951),u=o(6104),d=o(9729),p=o(2002),m=o(9947),h=o(7481),g=o(8337),f=o(9241),v=(0,i.y)({cacheSize:100}),b=r.forwardRef((function(e,t){var o=e.coinSize,n=e.isOutOfOffice,i=e.styles,a=e.presence,s=e.theme,l=e.presenceTitle,c=e.presenceColors,u=r.useRef(null),d=(0,f.r)(t,u),p=(0,g.yR)(e.size),b=!(p.isSize8||p.isSize10||p.isSize16||p.isSize24||p.isSize28||p.isSize32)&&(!o||o>32),_=o?o/3<40?o/3+"px":"40px":"",C=o?{fontSize:o?o/6<20?o/6+"px":"20px":"",lineHeight:_}:void 0,S=o?{width:_,height:_}:void 0,x=v(i,{theme:s,presence:a,size:e.size,isOutOfOffice:n,presenceColors:c});return a===h.H_.none?null:r.createElement("div",{role:"presentation",className:x.presence,style:S,title:l,ref:d},b&&r.createElement(m.J,{className:x.presenceIcon,iconName:y(e.presence,e.isOutOfOffice),style:C}))}));function y(e,t){if(e){var o="SkypeArrow";switch(h.H_[e]){case"online":return"SkypeCheck";case"away":return t?o:"SkypeClock";case"dnd":return"SkypeMinus";case"offline":return t?o:""}return""}}b.displayName="PersonaPresenceBase";var _={presence:"ms-Persona-presence",presenceIcon:"ms-Persona-presenceIcon"};function C(e){return{color:e,borderColor:e}}function S(e,t){return{selectors:{":before":{border:e+" solid "+t}}}}function x(e){return{height:e,width:e}}function k(e){return{backgroundColor:e}}var w=(0,p.z)(b,(function(e){var t,o,r,i,a,s,l=e.theme,c=e.presenceColors,u=l.semanticColors,p=l.fonts,m=(0,d.Cn)(_,l),h=(0,g.yR)(e.size),f=(0,g.zx)(e.presence),v=c&&c.available||"#6BB700",b=c&&c.away||"#FFAA44",y=c&&c.busy||"#C43148",w=c&&c.dnd||"#C50F1F",I=c&&c.offline||"#8A8886",D=c&&c.oof||"#B4009E",T=c&&c.background||u.bodyBackground,E=f.isOffline||e.isOutOfOffice&&(f.isAvailable||f.isBusy||f.isAway||f.isDoNotDisturb),P=h.isSize72||h.isSize100?"2px":"1px";return{presence:[m.presence,(0,n.pi)((0,n.pi)({position:"absolute",height:g.bw.size12,width:g.bw.size12,borderRadius:"50%",top:"auto",right:"-2px",bottom:"-2px",border:"2px solid "+T,textAlign:"center",boxSizing:"content-box",backgroundClip:"content-box"},(0,d.xM)()),{selectors:(t={},t[d.qJ]={borderColor:"Window",backgroundColor:"WindowText"},t)}),(h.isSize8||h.isSize10)&&{right:"auto",top:"7px",left:0,border:0,selectors:(o={},o[d.qJ]={top:"9px",border:"1px solid WindowText"},o)},(h.isSize8||h.isSize10||h.isSize24||h.isSize28||h.isSize32)&&x(g.bw.size8),(h.isSize40||h.isSize48)&&x(g.bw.size12),h.isSize16&&{height:g.bw.size6,width:g.bw.size6,borderWidth:"1.5px"},h.isSize56&&x(g.bw.size16),h.isSize72&&x(g.bw.size20),h.isSize100&&x(g.bw.size28),h.isSize120&&x(g.bw.size32),f.isAvailable&&{backgroundColor:v,selectors:(r={},r[d.qJ]=k("Highlight"),r)},f.isAway&&k(b),f.isBlocked&&[{selectors:(i={":after":h.isSize40||h.isSize48||h.isSize72||h.isSize100?{content:'""',width:"100%",height:P,backgroundColor:y,transform:"translateY(-50%) rotate(-45deg)",position:"absolute",top:"50%",left:0}:void 0},i[d.qJ]={selectors:{":after":{width:"calc(100% - 4px)",left:"2px",backgroundColor:"Window"}}},i)}],f.isBusy&&k(y),f.isDoNotDisturb&&k(w),f.isOffline&&k(I),(E||f.isBlocked)&&[{backgroundColor:T,selectors:(a={":before":{content:'""',width:"100%",height:"100%",position:"absolute",top:0,left:0,border:P+" solid "+y,borderRadius:"50%",boxSizing:"border-box"}},a[d.qJ]={backgroundColor:"WindowText",selectors:{":before":{width:"calc(100% - 2px)",height:"calc(100% - 2px)",top:"1px",left:"1px",borderColor:"Window"}}},a)}],E&&f.isAvailable&&S(P,v),E&&f.isBusy&&S(P,y),E&&f.isAway&&S(P,D),E&&f.isDoNotDisturb&&S(P,w),E&&f.isOffline&&S(P,I),E&&f.isOffline&&e.isOutOfOffice&&S(P,D)],presenceIcon:[m.presenceIcon,{color:T,fontSize:"6px",lineHeight:g.bw.size12,verticalAlign:"top",selectors:(s={},s[d.qJ]={color:"Window"},s)},h.isSize56&&{fontSize:"8px",lineHeight:g.bw.size16},h.isSize72&&{fontSize:p.small.fontSize,lineHeight:g.bw.size20},h.isSize100&&{fontSize:p.medium.fontSize,lineHeight:g.bw.size28},h.isSize120&&{fontSize:p.medium.fontSize,lineHeight:g.bw.size32},f.isAway&&{position:"relative",left:E?void 0:"1px"},E&&f.isAvailable&&C(v),E&&f.isBusy&&C(y),E&&f.isAway&&C(D),E&&f.isDoNotDisturb&&C(w),E&&f.isOffline&&C(I),E&&f.isOffline&&e.isOutOfOffice&&C(D)]}}),void 0,{scope:"PersonaPresence"}),I=o(6711),D=o(4861),T=o(4192),E=(0,i.y)({cacheSize:100}),P=(0,a.NF)((function(e,t,o,n,r,i){return(0,d.y0)(e,!i&&{backgroundColor:(0,T.g)({text:n,initialsColor:t,primaryText:r}),color:o})})),M={size:h.Ir.size48,presence:h.H_.none,imageAlt:""},R=r.forwardRef((function(e,t){var o=(0,s.j)(M,e),i=function(e){var t=e.onPhotoLoadingStateChange,o=e.imageUrl,n=r.useState(I.U9.notLoaded),i=n[0],a=n[1];return r.useEffect((function(){a(I.U9.notLoaded)}),[o]),[i,function(e){var o;a(e),null===(o=t)||void 0===o||o(e)}]}(o),a=i[0],c=i[1],u=N(c),d=o.className,p=o.coinProps,g=o.showUnknownPersonaCoin,f=o.coinSize,v=o.styles,b=o.imageUrl,y=o.initialsColor,_=o.initialsTextColor,C=o.isOutOfOffice,S=o.onRenderCoin,x=void 0===S?u:S,k=o.onRenderPersonaCoin,D=void 0===k?x:k,T=o.onRenderInitials,R=void 0===T?B:T,F=o.presence,L=o.presenceTitle,A=o.presenceColors,z=o.primaryText,H=o.showInitialsUntilImageLoads,O=o.text,W=o.theme,V=o.size,K=(0,l.pq)(o,l.n7),q=(0,l.pq)(p||{},l.n7),G=f?{width:f,height:f}:void 0,U=g,j={coinSize:f,isOutOfOffice:C,presence:F,presenceTitle:L,presenceColors:A,size:V,theme:W},J=E(v,{theme:W,className:p&&p.className?p.className:d,size:V,coinSize:f,showUnknownPersonaCoin:g}),Y=Boolean(a!==I.U9.loaded&&(H&&b||!b||a===I.U9.error||U));return r.createElement("div",(0,n.pi)({role:"presentation"},K,{className:J.coin,ref:t}),V!==h.Ir.size8&&V!==h.Ir.size10&&V!==h.Ir.tiny?r.createElement("div",(0,n.pi)({role:"presentation"},q,{className:J.imageArea,style:G}),Y&&r.createElement("div",{className:P(J.initials,y,_,O,z,g),style:G,"aria-hidden":"true"},R(o,B)),!U&&D(o,u),r.createElement(w,(0,n.pi)({},j))):o.presence?r.createElement(w,(0,n.pi)({},j)):r.createElement(m.J,{iconName:"Contact",className:J.size10WithoutPresenceIcon}),o.children)}));R.displayName="PersonaCoinBase";var N=function(e){return function(t){var o=t.coinSize,n=t.styles,i=t.imageUrl,a=t.imageAlt,s=t.imageShouldFadeIn,l=t.imageShouldStartVisible,c=t.theme,u=t.showUnknownPersonaCoin,d=t.size,p=void 0===d?M.size:d;if(!i)return null;var m=E(n,{theme:c,size:p,showUnknownPersonaCoin:u}),h=o||g.Y4[p];return r.createElement(D.E,{className:m.image,imageFit:I.kQ.cover,src:i,width:h,height:h,alt:a,shouldFadeIn:s,shouldStartVisible:l,onLoadingStateChange:e})}},B=function(e){var t=e.imageInitials,o=e.allowPhoneInitials,n=e.showUnknownPersonaCoin,i=e.text,a=e.primaryText,s=e.theme;if(n)return r.createElement(m.J,{iconName:"Help"});var l=(0,c.zg)(s);return""!==(t=t||(0,u.Q)(i||a||"",l,o))?r.createElement("span",null,t):r.createElement(m.J,{iconName:"Contact"})}},6543:(e,t,o)=>{"use strict";o.d(t,{t:()=>c});var n=o(2002),r=o(867),i=o(7622),a=o(9729),s=o(8337),l={coin:"ms-Persona-coin",imageArea:"ms-Persona-imageArea",image:"ms-Persona-image",initials:"ms-Persona-initials",size8:"ms-Persona--size8",size10:"ms-Persona--size10",size16:"ms-Persona--size16",size24:"ms-Persona--size24",size28:"ms-Persona--size28",size32:"ms-Persona--size32",size40:"ms-Persona--size40",size48:"ms-Persona--size48",size56:"ms-Persona--size56",size72:"ms-Persona--size72",size100:"ms-Persona--size100",size120:"ms-Persona--size120"},c=(0,n.z)(r.z,(function(e){var t,o=e.className,n=e.theme,r=e.coinSize,c=n.palette,u=n.fonts,d=(0,s.yR)(e.size),p=(0,a.Cn)(l,n),m=r||e.size&&s.Y4[e.size]||48;return{coin:[p.coin,u.medium,d.isSize8&&p.size8,d.isSize10&&p.size10,d.isSize16&&p.size16,d.isSize24&&p.size24,d.isSize28&&p.size28,d.isSize32&&p.size32,d.isSize40&&p.size40,d.isSize48&&p.size48,d.isSize56&&p.size56,d.isSize72&&p.size72,d.isSize100&&p.size100,d.isSize120&&p.size120,o],size10WithoutPresenceIcon:{fontSize:u.xSmall.fontSize,position:"absolute",top:"5px",right:"auto",left:0},imageArea:[p.imageArea,{position:"relative",textAlign:"center",flex:"0 0 auto",height:m,width:m},m<=10&&{overflow:"visible",background:"transparent",height:0,width:0}],image:[p.image,{marginRight:"10px",position:"absolute",top:0,left:0,width:"100%",height:"100%",border:0,borderRadius:"50%",perspective:"1px"},m<=10&&{overflow:"visible",background:"transparent",height:0,width:0},m>10&&{height:m,width:m}],initials:[p.initials,{borderRadius:"50%",color:e.showUnknownPersonaCoin?"rgb(168, 0, 0)":c.white,fontSize:u.large.fontSize,fontWeight:a.lq.semibold,lineHeight:48===m?46:m,height:m,selectors:(t={},t[a.qJ]=(0,i.pi)((0,i.pi)({border:"1px solid WindowText"},(0,a.xM)()),{color:"WindowText",boxSizing:"border-box",backgroundColor:"Window !important"}),t.i={fontWeight:a.lq.semibold},t)},e.showUnknownPersonaCoin&&{backgroundColor:"rgb(234, 234, 234)"},m<32&&{fontSize:u.xSmall.fontSize},m>=32&&m<40&&{fontSize:u.medium.fontSize},m>=40&&m<56&&{fontSize:u.mediumPlus.fontSize},m>=56&&m<72&&{fontSize:u.xLarge.fontSize},m>=72&&m<100&&{fontSize:u.xxLarge.fontSize},m>=100&&{fontSize:u.superLarge.fontSize}]}}),void 0,{scope:"PersonaCoin"})},8337:(e,t,o)=>{"use strict";o.d(t,{or:()=>r,bw:()=>i,yR:()=>s,Y4:()=>l,zx:()=>c});var n,r,i,a=o(7481);!function(e){e.size8="20px",e.size10="20px",e.size16="16px",e.size24="24px",e.size28="28px",e.size32="32px",e.size40="40px",e.size48="48px",e.size56="56px",e.size72="72px",e.size100="100px",e.size120="120px"}(r||(r={})),function(e){e.size6="6px",e.size8="8px",e.size12="12px",e.size16="16px",e.size20="20px",e.size28="28px",e.size32="32px",e.border="2px"}(i||(i={}));var s=function(e){return{isSize8:e===a.Ir.size8,isSize10:e===a.Ir.size10||e===a.Ir.tiny,isSize16:e===a.Ir.size16,isSize24:e===a.Ir.size24||e===a.Ir.extraExtraSmall,isSize28:e===a.Ir.size28||e===a.Ir.extraSmall,isSize32:e===a.Ir.size32,isSize40:e===a.Ir.size40||e===a.Ir.small,isSize48:e===a.Ir.size48||e===a.Ir.regular,isSize56:e===a.Ir.size56,isSize72:e===a.Ir.size72||e===a.Ir.large,isSize100:e===a.Ir.size100||e===a.Ir.extraLarge,isSize120:e===a.Ir.size120}},l=((n={})[a.Ir.tiny]=10,n[a.Ir.extraExtraSmall]=24,n[a.Ir.extraSmall]=28,n[a.Ir.small]=40,n[a.Ir.regular]=48,n[a.Ir.large]=72,n[a.Ir.extraLarge]=100,n[a.Ir.size8]=8,n[a.Ir.size10]=10,n[a.Ir.size16]=16,n[a.Ir.size24]=24,n[a.Ir.size28]=28,n[a.Ir.size32]=32,n[a.Ir.size40]=40,n[a.Ir.size48]=48,n[a.Ir.size56]=56,n[a.Ir.size72]=72,n[a.Ir.size100]=100,n[a.Ir.size120]=120,n),c=function(e){return{isAvailable:e===a.H_.online,isAway:e===a.H_.away,isBlocked:e===a.H_.blocked,isBusy:e===a.H_.busy,isDoNotDisturb:e===a.H_.dnd,isOffline:e===a.H_.offline}}},4192:(e,t,o)=>{"use strict";o.d(t,{g:()=>a});var n=o(7481),r=[n.z5.lightBlue,n.z5.blue,n.z5.darkBlue,n.z5.teal,n.z5.green,n.z5.darkGreen,n.z5.lightPink,n.z5.pink,n.z5.magenta,n.z5.purple,n.z5.orange,n.z5.lightRed,n.z5.darkRed,n.z5.violet,n.z5.gold,n.z5.burgundy,n.z5.warmGray,n.z5.cyan,n.z5.rust,n.z5.coolGray],i=r.length;function a(e){var t=e.primaryText,o=e.text,a=e.initialsColor;return"string"==typeof a?a:function(e){switch(e){case n.z5.lightBlue:return"#4F6BED";case n.z5.blue:return"#0078D4";case n.z5.darkBlue:return"#004E8C";case n.z5.teal:return"#038387";case n.z5.lightGreen:case n.z5.green:return"#498205";case n.z5.darkGreen:return"#0B6A0B";case n.z5.lightPink:return"#C239B3";case n.z5.pink:return"#E3008C";case n.z5.magenta:return"#881798";case n.z5.purple:return"#5C2E91";case n.z5.orange:return"#CA5010";case n.z5.red:return"#EE1111";case n.z5.lightRed:return"#D13438";case n.z5.darkRed:return"#A4262C";case n.z5.transparent:return"transparent";case n.z5.violet:return"#8764B8";case n.z5.gold:return"#986F0B";case n.z5.burgundy:return"#750B1C";case n.z5.warmGray:return"#7A7574";case n.z5.cyan:return"#005B70";case n.z5.rust:return"#8E562E";case n.z5.coolGray:return"#69797E";case n.z5.black:return"#1D1D1D";case n.z5.gray:return"#393939"}}(a=void 0!==a?a:function(e){var t=n.z5.blue;if(!e)return t;for(var o=0,a=e.length-1;a>=0;a--){var s=e.charCodeAt(a),l=a%8;o^=(s<>8-l)}return r[o%i]}(o||t))}},752:(e,t,o)=>{"use strict";o.d(t,{G:()=>g});var n=o(7622),r=o(7002),i=o(9757),a=o(5446),s=o(4553),l=o(8145),c=o(8127),u=o(3528),d=o(757),p=o(9241),m=o(8901);function h(e){var t=e.originalElement,o=e.containsFocus;t&&o&&t!==(0,i.J)()&&setTimeout((function(){var e,o;null===(o=(e=t).focus)||void 0===o||o.call(e)}),0)}var g=r.forwardRef((function(e,t){e=(0,n.pi)({shouldRestoreFocus:!0},e);var o=r.useRef(),i=(0,p.r)(o,t);!function(e,t){var o=e.onRestoreFocus,n=void 0===o?h:o,i=r.useRef(),l=r.useRef(!1);r.useEffect((function(){return i.current=(0,a.M)().activeElement,(0,s.WU)(t.current)&&(l.current=!0),function(){var e,t;null===(e=n)||void 0===e||e({originalElement:i.current,containsFocus:l.current,documentContainsFocus:(null===(t=(0,a.M)())||void 0===t?void 0:t.hasFocus())||!1}),i.current=void 0}}),[]),(0,d.d)(t,"focus",r.useCallback((function(){l.current=!0}),[]),!0),(0,d.d)(t,"blur",r.useCallback((function(e){t.current&&e.relatedTarget&&!t.current.contains(e.relatedTarget)&&(l.current=!1)}),[]),!0)}(e,o);var g=e.role,f=e.className,v=e.ariaLabel,b=e.ariaLabelledBy,y=e.ariaDescribedBy,_=e.style,C=e.children,S=e.onDismiss,x=function(e,t){var o=(0,u.r)(),n=r.useState(!1),i=n[0],a=n[1];return r.useEffect((function(){return o.requestAnimationFrame((function(){var o;if(!e.style||!e.style.overflowY){var n=!1;if(t&&t.current&&(null===(o=t.current)||void 0===o?void 0:o.firstElementChild)){var r=t.current.clientHeight,s=t.current.firstElementChild.clientHeight;r>0&&s>r&&(n=s-r>1)}i!==n&&a(n)}})),function(){return o.dispose()}})),i}(e,o),k=r.useCallback((function(e){switch(e.which){case l.m.escape:S&&(S(e),e.preventDefault(),e.stopPropagation())}}),[S]),w=(0,m.zY)();return(0,d.d)(w,"keydown",k),r.createElement("div",(0,n.pi)({ref:i},(0,c.pq)(e,c.n7),{className:f,role:g,"aria-label":v,"aria-labelledby":b,"aria-describedby":y,onKeyDown:k,style:(0,n.pi)({overflowY:x?"scroll":void 0,outline:"none"},_)}),C)}))},1405:(e,t,o)=>{"use strict";o.d(t,{x:()=>b});var n=o(7622),r=o(7002),i=o(7300),a=o(8127),s=o(8088),l=o(6953),c=o(9947),u=o(2998),d=o(7023),p=o(7813),m=o(4085),h=o(6548),g=(0,i.y)(),f=function(e){return r.createElement("div",{className:e.classNames.ratingStar},r.createElement(c.J,{className:e.classNames.ratingStarBack,iconName:e.icon}),!e.disabled&&r.createElement(c.J,{className:e.classNames.ratingStarFront,iconName:e.icon,style:{width:e.fillPercentage+"%"}}))},v=function(e,t){return e+"-star-"+(t-1)},b=r.forwardRef((function(e,t){var o,i=(0,m.M)("Rating"),c=(0,m.M)("RatingLabel"),b=e.ariaLabel,y=e.ariaLabelFormat,_=e.disabled,C=e.getAriaLabel,S=e.styles,x=e.min,k=void 0===x?e.allowZeroStars?0:1:x,w=e.max,I=void 0===w?5:w,D=e.readOnly,T=e.size,E=e.theme,P=e.icon,M=void 0===P?"FavoriteStarFill":P,R=e.unselectedIcon,N=void 0===R?"FavoriteStar":R,B=e.onRenderStar,F=Math.max(k,0),L=(0,h.G)(e.rating,e.defaultRating,e.onChange),A=L[0],z=L[1],H=function(e,t,o){return Math.min(Math.max(null!=e?e:t,t),o)}(A,F,I);!function(e,t){r.useImperativeHandle(e,(function(){return{rating:t}}),[t])}(e.componentRef,H);for(var O=(0,a.pq)(e,a.n7),W=g(S,{disabled:_,readOnly:D,theme:E}),V=null===(o=C)||void 0===o?void 0:o(H,I),K=b||V,q=[],G=function(e){var t,o,a=function(e,t){var o=Math.ceil(t),n=100;return e===t?n=100:e===o?n=t%1*100:e>o&&(n=0),n}(e,H),u=function(t){void 0!==A&&Math.ceil(A)===e||z(e,t)};q.push(r.createElement("button",(0,n.pi)({className:(0,s.i)(W.ratingButton,T===p.O.Large?W.ratingStarIsLarge:W.ratingStarIsSmall),id:v(i,e),key:e},e===Math.ceil(H)&&{"data-is-current":!0},{onFocus:u,onClick:u,disabled:!(!_&&!D),role:"radio","aria-hidden":D?"true":void 0,type:"button","aria-checked":e===Math.ceil(H)}),r.createElement("span",{id:c+"-"+e,className:W.labelText},(0,l.W)(y||"",e,I)),(t={fillPercentage:a,disabled:_,classNames:W,icon:a>0?M:N,starNum:e},(o=B)?o(t):r.createElement(f,(0,n.pi)({},t)))))},U=1;U<=I;U++)G(U);var j=T===p.O.Large?W.rootIsLarge:W.rootIsSmall;return r.createElement("div",(0,n.pi)({ref:t,className:(0,s.i)("ms-Rating-star",W.root,j),"aria-label":D?void 0:K,id:i,role:D?void 0:"radiogroup"},O),r.createElement(u.k,(0,n.pi)({direction:d.U.bidirectional,className:(0,s.i)(W.ratingFocusZone,j),defaultActiveElement:"#"+v(i,Math.ceil(H))},D&&{allowFocusRoot:!0,disabled:!0,role:"textbox","aria-label":V,"aria-readonly":!0,"data-is-focusable":!0,tabIndex:0}),q))}));b.displayName="RatingBase"},558:(e,t,o)=>{"use strict";o.d(t,{i:()=>l});var n=o(2002),r=o(9729),i={root:"ms-RatingStar-root",rootIsSmall:"ms-RatingStar-root--small",rootIsLarge:"ms-RatingStar-root--large",ratingStar:"ms-RatingStar-container",ratingStarBack:"ms-RatingStar-back",ratingStarFront:"ms-RatingStar-front",ratingButton:"ms-Rating-button",ratingStarIsSmall:"ms-Rating--small",ratingStartIsLarge:"ms-Rating--large",labelText:"ms-Rating-labelText",ratingFocusZone:"ms-Rating-focuszone"};function a(e,t){var o;return{color:e,selectors:(o={},o[r.qJ]={color:t},o)}}var s=o(1405),l=(0,n.z)(s.x,(function(e){var t=e.disabled,o=e.readOnly,n=e.theme,s=n.semanticColors,l=n.palette,c=(0,r.Cn)(i,n),u=l.neutralSecondary,d=l.themePrimary,p=l.themeDark,m=l.neutralPrimary,h=s.disabledBodySubtext;return{root:[c.root,n.fonts.medium,!t&&!o&&{selectors:{"&:hover":{selectors:{".ms-RatingStar-back":a(m,"Highlight")}}}}],rootIsSmall:[c.rootIsSmall,{height:"32px"}],rootIsLarge:[c.rootIsLarge,{height:"36px"}],ratingStar:[c.ratingStar,{display:"inline-block",position:"relative",height:"inherit"}],ratingStarBack:[c.ratingStarBack,{color:u,width:"100%"},t&&a(h,"GrayText")],ratingStarFront:[c.ratingStarFront,{position:"absolute",height:"100 %",left:"0",top:"0",textAlign:"center",verticalAlign:"middle",overflow:"hidden"},a(m,"Highlight")],ratingButton:[(0,r.GL)(n),c.ratingButton,{backgroundColor:"transparent",padding:"8px 2px",boxSizing:"content-box",margin:"0px",border:"none",cursor:"pointer",selectors:{"&:disabled":{cursor:"default"},"&[disabled]":{cursor:"default"}}},!t&&!o&&{selectors:{"&:hover ~ .ms-Rating-button":{selectors:{".ms-RatingStar-back":a(u,"WindowText"),".ms-RatingStar-front":a(u,"WindowText")}},"&:hover":{selectors:{".ms-RatingStar-back":{color:d},".ms-RatingStar-front":{color:p}}}}},t&&{cursor:"default"}],ratingStarIsSmall:[c.ratingStarIsSmall,{fontSize:"16px",lineHeight:"16px",height:"16px"}],ratingStarIsLarge:[c.ratingStartIsLarge,{fontSize:"20px",lineHeight:"20px",height:"20px"}],labelText:[c.labelText,r.ul],ratingFocusZone:[(0,r.GL)(n),c.ratingFocusZone,{display:"inline-block"}]}}),void 0,{scope:"Rating"})},7813:(e,t,o)=>{"use strict";var n;o.d(t,{O:()=>n}),function(e){e[e.Small=0]="Small",e[e.Large=1]="Large"}(n||(n={}))},3863:(e,t,o)=>{"use strict";o.d(t,{i:()=>b});var n=o(7622),r=o(7002),i=o(7300),a=o(8127),s=o(8145),l=o(6548),c=o(9241),u=o(4085),d=o(5758),p=o(9947),m="SearchBox",h={root:{height:"auto"},icon:{fontSize:"12px"}},g={iconName:"Clear"},f={ariaLabel:"Clear text"},v=(0,i.y)(),b=r.forwardRef((function(e,t){var o=e.defaultValue,i=void 0===o?"":o,b=r.useState(!1),y=b[0],_=b[1],C=(0,l.G)(e.value,i,e.onChange),S=C[0],x=C[1],k=String(S),w=r.useRef(null),I=r.useRef(null),D=(0,c.r)(w,t),T=(0,u.M)(m,e.id),E=e.ariaLabel,P=e.className,M=e.disabled,R=e.underlined,N=e.styles,B=e.labelText,F=e.placeholder,L=void 0===F?B:F,A=e.theme,z=e.clearButtonProps,H=void 0===z?f:z,O=e.disableAnimation,W=void 0!==O&&O,V=e.onClear,K=e.onBlur,q=e.onEscape,G=e.onSearch,U=e.onKeyDown,j=e.iconProps,J=e.role,Y=H.onClick,Z=v(N,{theme:A,className:P,underlined:R,hasFocus:y,disabled:M,hasInput:k.length>0,disableAnimation:W}),X=(0,a.pq)(e,a.Gg,["className","placeholder","onFocus","onBlur","value","role"]),Q=r.useCallback((function(e){var t,o;null===(t=V)||void 0===t||t(e),e.defaultPrevented||(x(""),null===(o=I.current)||void 0===o||o.focus(),e.stopPropagation(),e.preventDefault())}),[V,x]),$=r.useCallback((function(e){var t;null===(t=Y)||void 0===t||t(e),e.defaultPrevented||Q(e)}),[Y,Q]),ee=r.useCallback((function(e){var t;_(!1),null===(t=K)||void 0===t||t(e)}),[K]),te=function(e){x(e.target.value)};return function(e,t,o){r.useImperativeHandle(e,(function(){return{focus:function(){var e;return null===(e=t.current)||void 0===e?void 0:e.focus()},hasFocus:function(){return o}}}),[t,o])}(e.componentRef,I,y),r.createElement("div",{role:J,ref:D,className:Z.root,onFocusCapture:function(t){var o,n;_(!0),null===(n=(o=e).onFocus)||void 0===n||n.call(o,t)}},r.createElement("div",{className:Z.iconContainer,onClick:function(){I.current&&(I.current.focus(),I.current.selectionStart=I.current.selectionEnd=0)},"aria-hidden":!0},r.createElement(p.J,(0,n.pi)({iconName:"Search"},j,{className:Z.icon}))),r.createElement("input",(0,n.pi)({},X,{id:T,className:Z.field,placeholder:L,onChange:te,onInput:te,onBlur:ee,onKeyDown:function(e){var t,o;switch(e.which){case s.m.escape:null===(t=q)||void 0===t||t(e),k&&!e.defaultPrevented&&Q(e);break;case s.m.enter:G&&(G(k),e.preventDefault(),e.stopPropagation());break;default:null===(o=U)||void 0===o||o(e),e.defaultPrevented&&e.stopPropagation()}},value:k,disabled:M,role:"searchbox","aria-label":E,ref:I})),k.length>0&&r.createElement("div",{className:Z.clearButton},r.createElement(d.h,(0,n.pi)({onBlur:ee,styles:h,iconProps:g},H,{onClick:$}))))}));b.displayName=m},6419:(e,t,o)=>{"use strict";o.d(t,{R:()=>l});var n=o(2002),r=o(3863),i=o(9729),a=o(5951),s={root:"ms-SearchBox",iconContainer:"ms-SearchBox-iconContainer",icon:"ms-SearchBox-icon",clearButton:"ms-SearchBox-clearButton",field:"ms-SearchBox-field"},l=(0,n.z)(r.i,(function(e){var t,o,n,r,l=e.theme,c=e.underlined,u=e.disabled,d=e.hasFocus,p=e.className,m=e.hasInput,h=e.disableAnimation,g=l.palette,f=l.fonts,v=l.semanticColors,b=l.effects,y=(0,i.Cn)(s,l),_={color:v.inputPlaceholderText,opacity:1},C=g.neutralSecondary,S=g.neutralPrimary,x=g.neutralLighter,k=g.neutralLighter,w=g.neutralLighter;return{root:[y.root,f.medium,i.Fv,{color:v.inputText,backgroundColor:v.inputBackground,display:"flex",flexDirection:"row",flexWrap:"nowrap",alignItems:"stretch",padding:"1px 0 1px 4px",borderRadius:b.roundedCorner2,border:"1px solid "+v.inputBorder,height:32,selectors:(t={},t[i.qJ]={borderColor:"WindowText"},t[":hover"]={borderColor:v.inputBorderHovered,selectors:(o={},o[i.qJ]={borderColor:"Highlight"},o)},t[":hover ."+y.iconContainer]={color:v.inputIconHovered},t)},!d&&m&&{selectors:(n={},n[":hover ."+y.iconContainer]={width:4},n[":hover ."+y.icon]={opacity:0},n)},d&&["is-active",{position:"relative"},(0,i.$Y)(v.inputFocusBorderAlt,c?0:b.roundedCorner2,c?"borderBottom":"border")],u&&["is-disabled",{borderColor:x,backgroundColor:w,pointerEvents:"none",cursor:"default",selectors:(r={},r[i.qJ]={borderColor:"GrayText"},r)}],c&&["is-underlined",{borderWidth:"0 0 1px 0",borderRadius:0,padding:"1px 0 1px 8px"}],c&&u&&{backgroundColor:"transparent"},m&&"can-clear",p],iconContainer:[y.iconContainer,{display:"flex",flexDirection:"column",justifyContent:"center",flexShrink:0,fontSize:16,width:32,textAlign:"center",color:v.inputIcon,cursor:"text"},d&&{width:4},u&&{color:v.inputIconDisabled},!h&&{transition:"width "+i.D1.durationValue1}],icon:[y.icon,{opacity:1},d&&{opacity:0},!h&&{transition:"opacity "+i.D1.durationValue1+" 0s"}],clearButton:[y.clearButton,{display:"flex",flexDirection:"row",alignItems:"stretch",cursor:"pointer",flexBasis:"32px",flexShrink:0,padding:0,margin:"-1px 0px",selectors:{"&:hover .ms-Button":{backgroundColor:k},"&:hover .ms-Button-icon":{color:S},".ms-Button":{borderRadius:(0,a.zg)(l)?"1px 0 0 1px":"0 1px 1px 0"},".ms-Button-icon":{color:C}}}],field:[y.field,i.Fv,(0,i.Sv)(_),{backgroundColor:"transparent",border:"none",outline:"none",fontWeight:"inherit",fontFamily:"inherit",fontSize:"inherit",color:v.inputText,flex:"1 1 0px",minWidth:"0px",overflow:"hidden",textOverflow:"ellipsis",paddingBottom:.5,selectors:{"::-ms-clear":{display:"none"}}},u&&{color:v.disabledText}]}}),void 0,{scope:"SearchBox"})},9379:(e,t,o)=>{"use strict";o.d(t,{V:()=>y});var n=o(7622),r=o(7002),i=o(5480),a=o(2052),s=o(6548),l=o(4085),c=o(2861),u=o(7300),d=o(5951),p=o(8145),m=o(9251),h=o(8127),g=o(8088),f=(0,u.y)(),v=function(e){return function(t){var o;return(o={})[e]=t+"%",o}},b=function(e,t,o){return o===t?0:(e-t)/(o-t)*100},y=r.forwardRef((function(e,t){var o=function(e,t){var o=e.step,i=void 0===o?1:o,a=e.className,u=e.disabled,y=void 0!==u&&u,_=e.label,C=e.max,S=void 0===C?10:C,x=e.min,k=void 0===x?0:x,w=e.showValue,I=void 0===w||w,D=e.buttonProps,T=void 0===D?{}:D,E=e.vertical,P=void 0!==E&&E,M=e.valueFormat,R=e.styles,N=e.theme,B=e.originFromZero,F=e["aria-label"],L=e.ranged,A=r.useRef([]),z=r.useRef(null),H=(0,s.G)(e.value,e.defaultValue,(function(t,o){var n,r;return null===(r=(n=e).onChange)||void 0===r?void 0:r.call(n,o,L?[j,o]:void 0)})),O=H[0],W=H[1],V=(0,s.G)(e.lowerValue,e.defaultLowerValue,(function(t,o){var n,r;return null===(r=(n=e).onChange)||void 0===r?void 0:r.call(n,U,[o,U])})),K=V[0],q=V[1],G=r.useRef(!1),U=Math.max(k,Math.min(S,O||0)),j=Math.max(k,Math.min(U,K||0)),J=(0,l.M)("Slider"),Y=(0,c.k)(!0),Z=Y[0],X=Y[1].toggle,Q=f(R,{className:a,disabled:y,vertical:P,showTransitions:Z,showValue:I,ranged:L,theme:N}),$=r.useState(0),ee=$[0],te=$[1],oe=(S-k)/i,ne=function(){clearTimeout(ee)},re=function(t){ne(),te(setTimeout((function(){e.onChanged&&e.onChanged(t,U)}),1e3))},ie=function(t){var o=e.ariaValueText;if(void 0!==t)return o?o(t):t.toString()},ae=function(t,o){e.snapToStep;var n=0;if(isFinite(i))for(;Math.round(i*Math.pow(10,n))/Math.pow(10,n)!==i;)n++;var r=parseFloat(t.toFixed(n));L?G.current&&(B?r<=0:r<=U)?q(r):!G.current&&(B?r>=0:r>=j)&&W(r):W(r)},se=function(e,t){var o;switch(e.type){case"mousedown":case"mousemove":o=t?e.clientY:e.clientX;break;case"touchstart":case"touchmove":o=t?e.touches[0].clientY:e.touches[0].clientX}return o},le=function(t){if(z.current){var o,n=z.current.getBoundingClientRect(),r=(e.vertical?n.height:n.width)/oe;if(e.vertical){var i=se(t,e.vertical);o=(n.bottom-i)/r}else{var a=se(t,e.vertical);o=((0,d.zg)(e.theme)?n.right-a:a-n.left)/r}return o}},ce=function(e,t){var o,n=le(e);o=n>Math.floor(oe)?S:n<0?k:k+i*Math.round(n),ae(o),t||(e.preventDefault(),e.stopPropagation())},ue=function(e){if(L){var t=le(e),o=k+i*t;G.current=o<=j||o-j<=U-o}"mousedown"===e.type?A.current.push((0,m.on)(window,"mousemove",ce,!0),(0,m.on)(window,"mouseup",de,!0)):"touchstart"===e.type&&A.current.push((0,m.on)(window,"touchmove",ce,!0),(0,m.on)(window,"touchend",de,!0)),X(),ce(e,!0)},de=function(t){e.onChanged&&e.onChanged(t,U),X(),pe()},pe=function(){A.current.forEach((function(e){return e()})),A.current=[]},me=y?{}:{onMouseDown:ue},he=y?{}:{onTouchStart:ue},ge=y?{}:{onKeyDown:function(t){var o=G.current?j:U,n=0;switch(t.which){case(0,d.dP)(p.m.left,e.theme):case p.m.down:n=-i,ne(),re(t);break;case(0,d.dP)(p.m.right,e.theme):case p.m.up:n=i,ne(),re(t);break;case p.m.home:o=k;break;case p.m.end:o=S;break;default:return}var r=Math.min(S,Math.max(k,o+n));ae(r),t.preventDefault(),t.stopPropagation()}},fe=y?{}:{onFocus:function(e){G.current=e.target===ve.current}},ve=r.useRef(null),be=r.useRef(null);!function(e,t,o,n){r.useImperativeHandle(e.componentRef,(function(){return{get value(){return o},get range(){return e.ranged?n:void 0},focus:function(){t.current&&t.current.focus()}}}),[t,o,e.ranged,n])}(e,L&&!P?ve:be,U,[j,U]);var ye=function(e,t){return void 0===e&&(e=!1),void 0===t&&(t=!1),v(e?"bottom":t?"right":"left")}(P,(0,d.zg)(e.theme)),_e=function(e){return void 0===e&&(e=!1),v(e?"height":"width")}(P),Ce=B?0:k,Se=b(U,k,S),xe=b(j,k,S),ke=b(Ce,k,S),we=L?Se-xe:Math.abs(ke-Se),Ie=Math.min(100-Se,100-ke),De=L?xe:Math.min(Se,ke),Te={className:Q.root,ref:t},Ee=T?(0,h.pq)(T,h.n7):void 0,Pe={className:Q.titleLabel,children:_,disabled:y,htmlFor:F?void 0:J},Me=I?{className:Q.valueLabel,children:M?M(U):U,disabled:y}:void 0,Re=L&&I?{className:Q.valueLabel,children:M?M(j):j,disabled:y}:void 0,Ne=B?{className:Q.zeroTick,style:ye(ke)}:void 0,Be={className:(0,g.i)(Q.lineContainer,Q.activeSection),style:_e(we)},Fe={className:(0,g.i)(Q.lineContainer,Q.inactiveSection),style:_e(Ie)},Le={className:(0,g.i)(Q.lineContainer,Q.inactiveSection),style:_e(De)},Ae=(0,n.pi)((0,n.pi)((0,n.pi)((0,n.pi)({},me),he),ge),Ee),ze=(0,n.pi)({"aria-disabled":y,role:"slider",tabIndex:y?void 0:0},{"data-is-focusable":!y}),He=(0,n.pi)((0,n.pi)({id:J,className:(0,g.i)(Q.slideBox,T.className)},Ae),!L&&(0,n.pi)((0,n.pi)({},ze),{"aria-valuemin":k,"aria-valuemax":S,"aria-valuenow":U,"aria-valuetext":ie(U),"aria-label":F||_})),Oe=(0,n.pi)({ref:be,className:Q.thumb,style:ye(Se)},L&&(0,n.pi)((0,n.pi)((0,n.pi)((0,n.pi)({},ze),Ae),fe),{id:"max-"+J,"aria-valuemin":j,"aria-valuemax":S,"aria-valuenow":U,"aria-valuetext":ie(U),"aria-label":"max "+(F||_)})),We=L?(0,n.pi)((0,n.pi)((0,n.pi)((0,n.pi)({ref:ve,className:Q.thumb,style:ye(xe)},ze),Ae),fe),{id:"min-"+J,"aria-valuemin":k,"aria-valuemax":U,"aria-valuenow":j,"aria-valuetext":ie(j),"aria-label":"min "+(F||_)}):void 0;return{root:Te,label:Pe,sliderBox:He,container:{className:Q.container},valueLabel:Me,lowerValueLabel:Re,thumb:Oe,lowerValueThumb:We,zeroTick:Ne,activeTrack:Be,topInactiveTrack:Fe,bottomInactiveTrack:Le,sliderLine:{ref:z,className:Q.line}}}(e,t);return r.createElement("div",(0,n.pi)({},o.root),o&&r.createElement(a._,(0,n.pi)({},o.label)),r.createElement("div",(0,n.pi)({},o.container),e.ranged&&(e.vertical?o.valueLabel&&r.createElement(a._,(0,n.pi)({},o.valueLabel)):o.lowerValueLabel&&r.createElement(a._,(0,n.pi)({},o.lowerValueLabel))),r.createElement("div",(0,n.pi)({},o.sliderBox),r.createElement("div",(0,n.pi)({},o.sliderLine),e.ranged&&r.createElement("span",(0,n.pi)({},o.lowerValueThumb)),r.createElement("span",(0,n.pi)({},o.thumb)),o.zeroTick&&r.createElement("span",(0,n.pi)({},o.zeroTick)),r.createElement("span",(0,n.pi)({},o.bottomInactiveTrack)),r.createElement("span",(0,n.pi)({},o.activeTrack)),r.createElement("span",(0,n.pi)({},o.topInactiveTrack)))),e.ranged&&e.vertical?o.lowerValueLabel&&r.createElement(a._,(0,n.pi)({},o.lowerValueLabel)):o.valueLabel&&r.createElement(a._,(0,n.pi)({},o.valueLabel))),r.createElement(i.u,null))}));y.displayName="SliderBase"},4107:(e,t,o)=>{"use strict";o.d(t,{i:()=>c});var n=o(2002),r=o(9379),i=o(7622),a=o(9729),s=o(5951),l={root:"ms-Slider",enabled:"ms-Slider-enabled",disabled:"ms-Slider-disabled",row:"ms-Slider-row",column:"ms-Slider-column",container:"ms-Slider-container",slideBox:"ms-Slider-slideBox",line:"ms-Slider-line",thumb:"ms-Slider-thumb",activeSection:"ms-Slider-active",inactiveSection:"ms-Slider-inactive",valueLabel:"ms-Slider-value",showValue:"ms-Slider-showValue",showTransitions:"ms-Slider-showTransitions",zeroTick:"ms-Slider-zeroTick"},c=(0,n.z)(r.V,(function(e){var t,o,n,r,c,u,d,p,m,h,g,f,v,b=e.className,y=e.titleLabelClassName,_=e.theme,C=e.vertical,S=e.disabled,x=e.showTransitions,k=e.showValue,w=e.ranged,I=_.semanticColors,D=(0,a.Cn)(l,_),T=I.inputBackgroundCheckedHovered,E=I.inputBackgroundChecked,P=I.inputPlaceholderBackgroundChecked,M=I.smallInputBorder,R=I.disabledBorder,N=I.disabledText,B=I.disabledBackground,F=I.inputBackground,L=I.smallInputBorder,A=I.disabledBorder,z=!S&&{backgroundColor:T,selectors:(t={},t[a.qJ]={backgroundColor:"Highlight"},t)},H=!S&&{backgroundColor:P,selectors:(o={},o[a.qJ]={borderColor:"Highlight"},o)},O=!S&&{backgroundColor:E,selectors:(n={},n[a.qJ]={backgroundColor:"Highlight"},n)},W=!S&&{border:"2px solid "+T,selectors:(r={},r[a.qJ]={borderColor:"Highlight"},r)},V=!e.disabled&&{backgroundColor:I.inputPlaceholderBackgroundChecked,selectors:(c={},c[a.qJ]={backgroundColor:"Highlight"},c)};return{root:(0,i.pr)([D.root,_.fonts.medium,{userSelect:"none"},C&&{marginRight:8}],[S?void 0:D.enabled],[S?D.disabled:void 0],[C?void 0:D.row],[C?D.column:void 0],[b]),titleLabel:[{padding:0},y],container:[D.container,{display:"flex",flexWrap:"nowrap",alignItems:"center"},C&&{flexDirection:"column",height:"100%",textAlign:"center",margin:"8px 0"}],slideBox:(0,i.pr)([D.slideBox,!w&&(0,a.GL)(_),{background:"transparent",border:"none",flexGrow:1,lineHeight:28,display:"flex",alignItems:"center",selectors:(u={},u[":active ."+D.activeSection]=z,u[":hover ."+D.activeSection]=O,u[":active ."+D.inactiveSection]=H,u[":hover ."+D.inactiveSection]=H,u[":active ."+D.thumb]=W,u[":hover ."+D.thumb]=W,u[":active ."+D.zeroTick]=V,u[":hover ."+D.zeroTick]=V,u[a.qJ]={forcedColorAdjust:"none"},u)},C?{height:"100%",width:28,padding:"8px 0"}:{height:28,width:"auto",padding:"0 8px"}],[k?D.showValue:void 0],[x?D.showTransitions:void 0]),thumb:[D.thumb,w&&(0,a.GL)(_,{inset:-4}),{borderWidth:2,borderStyle:"solid",borderColor:L,borderRadius:10,boxSizing:"border-box",background:F,display:"block",width:16,height:16,position:"absolute"},C?{left:-6,margin:"0 auto",transform:"translateY(8px)"}:{top:-6,transform:(0,s.zg)(_)?"translateX(50%)":"translateX(-50%)"},x&&{transition:"left "+a.D1.durationValue3+" "+a.D1.easeFunction1},S&&{borderColor:A,selectors:(d={},d[a.qJ]={borderColor:"GrayText"},d)}],line:[D.line,{display:"flex",position:"relative"},C?{height:"100%",width:4,margin:"0 auto",flexDirection:"column-reverse"}:{width:"100%"}],lineContainer:[{borderRadius:4,boxSizing:"border-box"},C?{width:4,height:"100%"}:{height:4,width:"100%"}],activeSection:[D.activeSection,{background:M,selectors:(p={},p[a.qJ]={backgroundColor:"WindowText"},p)},x&&{transition:"width "+a.D1.durationValue3+" "+a.D1.easeFunction1},S&&{background:N,selectors:(m={},m[a.qJ]={backgroundColor:"GrayText",borderColor:"GrayText"},m)}],inactiveSection:[D.inactiveSection,{background:R,selectors:(h={},h[a.qJ]={border:"1px solid WindowText"},h)},x&&{transition:"width "+a.D1.durationValue3+" "+a.D1.easeFunction1},S&&{background:B,selectors:(g={},g[a.qJ]={borderColor:"GrayText"},g)}],zeroTick:[D.zeroTick,{position:"absolute",background:I.disabledBorder,selectors:(f={},f[a.qJ]={backgroundColor:"WindowText"},f)},e.disabled&&{background:I.disabledBackground,selectors:(v={},v[a.qJ]={backgroundColor:"GrayText"},v)},e.vertical?{width:"16px",height:"1px",transform:(0,s.zg)(_)?"translateX(6px)":"translateX(-6px)"}:{width:"1px",height:"16px",transform:"translateY(-6px)"}],valueLabel:[D.valueLabel,{flexShrink:1,width:30,lineHeight:"1"},C?{margin:"0 auto",whiteSpace:"nowrap",width:40}:{margin:"0 8px",whiteSpace:"nowrap",width:40}]}}),void 0,{scope:"Slider"})},3134:(e,t,o)=>{"use strict";o.d(t,{k:()=>P});var n=o(2002),r=o(7622),i=o(7002),a=o(5758),s=o(2052),l=o(9947),c=o(7300),u=o(63),d=o(8633),p=o(8127),m=o(8145),h=o(9729),g=o(5094),f=o(4568),v=(0,g.NF)((function(e){var t,o=e.semanticColors,n=o.disabledText,r=o.disabledBackground;return{backgroundColor:r,pointerEvents:"none",cursor:"default",color:n,selectors:(t={":after":{borderColor:r}},t[h.qJ]={color:"GrayText"},t)}})),b=(0,g.NF)((function(e,t,o){var n,r,i,a=e.palette,s=e.semanticColors,l=e.effects,c=a.neutralSecondary,u=s.buttonText,d=s.buttonText,p=s.buttonBackgroundHovered,m=s.buttonBackgroundPressed,g={root:{outline:"none",display:"block",height:"50%",width:23,padding:0,backgroundColor:"transparent",textAlign:"center",cursor:"default",color:c,selectors:{"&.ms-DownButton":{borderRadius:"0 0 "+l.roundedCorner2+" 0"},"&.ms-UpButton":{borderRadius:"0 "+l.roundedCorner2+" 0 0"}}},rootHovered:{backgroundColor:p,color:u},rootChecked:{backgroundColor:m,color:d,selectors:(n={},n[h.qJ]={backgroundColor:"Highlight",color:"HighlightText"},n)},rootPressed:{backgroundColor:m,color:d,selectors:(r={},r[h.qJ]={backgroundColor:"Highlight",color:"HighlightText"},r)},rootDisabled:{opacity:.5,selectors:(i={},i[h.qJ]={color:"GrayText",opacity:1},i)},icon:{fontSize:8,marginTop:0,marginRight:0,marginBottom:0,marginLeft:0}};return(0,h.E$)(g,{},o)})),y=o(998),_=o(4085),C=o(3528),S=o(6548),x=o(6876),k=(0,c.y)(),w={disabled:!1,label:"",step:1,labelPosition:f.L.start,incrementButtonIcon:{iconName:"ChevronUpSmall"},decrementButtonIcon:{iconName:"ChevronDownSmall"}},I=function(){},D=function(e,t){var o=t.min,n=t.max;return"number"==typeof n&&(e=Math.min(e,n)),"number"==typeof o&&(e=Math.max(e,o)),e},T=i.forwardRef((function(e,t){var o=(0,u.j)(w,e),n=o.disabled,c=o.label,h=o.min,g=o.max,v=o.step,T=o.defaultValue,P=o.value,M=o.precision,R=o.labelPosition,N=o.iconProps,B=o.incrementButtonIcon,F=o.incrementButtonAriaLabel,L=o.decrementButtonIcon,A=o.decrementButtonAriaLabel,z=o.ariaLabel,H=o.ariaDescribedBy,O=o.upArrowButtonStyles,W=o.downArrowButtonStyles,V=o.theme,K=o.ariaPositionInSet,q=o.ariaSetSize,G=o.ariaValueNow,U=o.ariaValueText,j=o.className,J=o.inputProps,Y=o.onDecrement,Z=o.onIncrement,X=o.iconButtonProps,Q=o.onValidate,$=o.onChange,ee=o.styles,te=i.useRef(null),oe=(0,_.M)("input"),ne=(0,_.M)("Label"),re=i.useState(!1),ie=re[0],ae=re[1],se=i.useState(y.T.notSpinning),le=se[0],ce=se[1],ue=(0,C.r)(),de=i.useMemo((function(){return null!=M?M:Math.max((0,d.oe)(v),0)}),[M,v]),pe=(0,S.G)(P,null!=T?T:String(h||0),$),me=pe[0],he=pe[1],ge=i.useState(),fe=ge[0],ve=ge[1],be=i.useRef({stepTimeoutHandle:-1,latestValue:void 0,latestIntermediateValue:void 0}).current;be.latestValue=me,be.latestIntermediateValue=fe;var ye=(0,x.D)(P);i.useEffect((function(){P!==ye&&void 0!==fe&&ve(void 0)}),[P,ye,fe]);var _e=k(ee,{theme:V,disabled:n,isFocused:ie,keyboardSpinDirection:le,labelPosition:R,className:j}),Ce=(0,p.pq)(o,p.n7,["onBlur","onFocus","className"]),Se=i.useCallback((function(e){var t=be.latestIntermediateValue;if(void 0!==t&&t!==be.latestValue){var o=void 0;Q?o=Q(t,e):t&&t.trim().length&&!isNaN(Number(t))&&(o=String(D(Number(t),{min:h,max:g}))),void 0!==o&&o!==be.latestValue&&he(o)}ve(void 0)}),[be,g,h,Q,he]),xe=i.useCallback((function(){be.stepTimeoutHandle>=0&&(ue.clearTimeout(be.stepTimeoutHandle),be.stepTimeoutHandle=-1),(be.spinningByMouse||le!==y.T.notSpinning)&&(be.spinningByMouse=!1,ce(y.T.notSpinning))}),[be,le,ue]),ke=i.useCallback((function(e,t){if(t.persist(),void 0!==be.latestIntermediateValue)return"keydown"===t.type&&Se(t),void ue.requestAnimationFrame((function(){ke(e,t)}));var o=e(be.latestValue||"",t);void 0!==o&&o!==be.latestValue&&he(o);var n=be.spinningByMouse;be.spinningByMouse="mousedown"===t.type,be.spinningByMouse&&(be.stepTimeoutHandle=ue.setTimeout((function(){ke(e,t)}),n?75:400))}),[be,ue,Se,he]),we=i.useCallback((function(e){if(Z)return Z(e);var t=D(Number(e)+Number(v),{max:g});return t=(0,d.F0)(t,de),String(t)}),[de,g,Z,v]),Ie=i.useCallback((function(e){if(Y)return Y(e);var t=D(Number(e)-Number(v),{min:h});return t=(0,d.F0)(t,de),String(t)}),[de,h,Y,v]),De=i.useCallback((function(e){(n||e.which===m.m.up||e.which===m.m.down)&&xe()}),[n,xe]),Te=i.useCallback((function(e){ke(we,e)}),[we,ke]),Ee=i.useCallback((function(e){ke(Ie,e)}),[Ie,ke]);!function(e,t,o){i.useImperativeHandle(e.componentRef,(function(){return{get value(){return o},focus:function(){t.current&&t.current.focus()}}}),[t,o])}(o,te,me),E(o);var Pe=!!me&&!isNaN(Number(me)),Me=(N||c)&&i.createElement("div",{className:_e.labelWrapper},N&&i.createElement(l.J,(0,r.pi)({},N,{className:_e.icon,"aria-hidden":"true"})),c&&i.createElement(s._,{id:ne,htmlFor:oe,className:_e.label,disabled:n},c));return i.createElement("div",{className:_e.root,ref:t},R!==f.L.bottom&&Me,i.createElement("div",(0,r.pi)({},Ce,{className:_e.spinButtonWrapper,"aria-label":z&&z,"aria-posinset":K,"aria-setsize":q,"data-ktp-target":!0}),i.createElement("input",(0,r.pi)({value:null!=fe?fe:me,id:oe,onChange:I,onInput:function(e){ve(e.target.value)},className:_e.input,type:"text",autoComplete:"off",role:"spinbutton","aria-labelledby":c&&ne,"aria-valuenow":null!=G?G:Pe?Number(me):void 0,"aria-valuetext":null!=U?U:Pe?void 0:me,"aria-valuemin":h,"aria-valuemax":g,"aria-describedby":H,onBlur:function(e){var t,n;Se(e),ae(!1),null===(n=(t=o).onBlur)||void 0===n||n.call(t,e)},ref:te,onFocus:function(e){var t,n;te.current&&((be.spinningByMouse||le!==y.T.notSpinning)&&xe(),te.current.select(),ae(!0),null===(n=(t=o).onFocus)||void 0===n||n.call(t,e))},onKeyDown:function(e){if(e.which!==m.m.up&&e.which!==m.m.down&&e.which!==m.m.enter||(e.preventDefault(),e.stopPropagation()),n)xe();else{var t=y.T.notSpinning;switch(e.which){case m.m.up:t=y.T.up,ke(we,e);break;case m.m.down:t=y.T.down,ke(Ie,e);break;case m.m.enter:Se(e);break;case m.m.escape:ve(void 0)}le!==t&&ce(t)}},onKeyUp:De,disabled:n,"aria-disabled":n,"data-lpignore":!0,"data-ktp-execute-target":!0},J)),i.createElement("span",{className:_e.arrowButtonsContainer},i.createElement(a.h,(0,r.pi)({styles:b(V,!0,O),className:"ms-UpButton",checked:le===y.T.up,disabled:n,iconProps:B,onMouseDown:Te,onMouseLeave:xe,onMouseUp:xe,tabIndex:-1,ariaLabel:F,"data-is-focusable":!1},X)),i.createElement(a.h,(0,r.pi)({styles:b(V,!1,W),className:"ms-DownButton",checked:le===y.T.down,disabled:n,iconProps:L,onMouseDown:Ee,onMouseLeave:xe,onMouseUp:xe,tabIndex:-1,ariaLabel:A,"data-is-focusable":!1},X)))),R===f.L.bottom&&Me)}));T.displayName="SpinButton";var E=function(e){},P=(0,n.z)(T,(function(e){var t,o,n=e.theme,r=e.className,i=e.labelPosition,a=e.disabled,s=e.isFocused,l=n.palette,c=n.semanticColors,u=n.effects,d=n.fonts,p=c.inputBorder,m=c.inputBackground,g=c.inputBorderHovered,b=c.inputFocusBorderAlt,y=c.inputText,_=l.white,C=c.inputBackgroundChecked,S=c.disabledText;return{root:[d.medium,{outline:"none",width:"100%",minWidth:86},r],labelWrapper:[{display:"inline-flex",alignItems:"center"},i===f.L.start&&{height:32,float:"left",marginRight:10},i===f.L.end&&{height:32,float:"right",marginLeft:10},i===f.L.top&&{marginBottom:-1}],icon:[{padding:"0 5px",fontSize:h.ld.large},a&&{color:S}],label:{pointerEvents:"none",lineHeight:h.ld.large},spinButtonWrapper:[{display:"flex",position:"relative",boxSizing:"border-box",height:32,minWidth:86,selectors:{":after":{pointerEvents:"none",content:"''",position:"absolute",left:0,top:0,bottom:0,right:0,borderWidth:"1px",borderStyle:"solid",borderColor:p,borderRadius:u.roundedCorner2}}},(i===f.L.top||i===f.L.bottom)&&{width:"100%"},!a&&[{selectors:{":hover":{selectors:(t={":after":{borderColor:g}},t[h.qJ]={selectors:{":after":{borderColor:"Highlight"}}},t)}}},s&&{selectors:{"&&":(0,h.$Y)(b,u.roundedCorner2)}}],a&&v(n)],input:["ms-spinButton-input",{boxSizing:"border-box",boxShadow:"none",borderStyle:"none",flex:1,margin:0,fontSize:d.medium.fontSize,fontFamily:"inherit",color:y,backgroundColor:m,height:"100%",padding:"0 8px 0 9px",outline:0,display:"block",minWidth:61,whiteSpace:"nowrap",textOverflow:"ellipsis",overflow:"hidden",cursor:"text",userSelect:"text",borderRadius:u.roundedCorner2+" 0 0 "+u.roundedCorner2},!a&&{selectors:{"::selection":{backgroundColor:C,color:_,selectors:(o={},o[h.qJ]={backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},o)}}},a&&v(n)],arrowButtonsContainer:[{display:"block",height:"100%",cursor:"default"},a&&v(n)]}}),void 0,{scope:"SpinButton"})},998:(e,t,o)=>{"use strict";var n;o.d(t,{T:()=>n}),function(e){e[e.down=-1]="down",e[e.notSpinning=0]="notSpinning",e[e.up=1]="up"}(n||(n={}))},6315:(e,t,o)=>{"use strict";o.d(t,{G:()=>u});var n=o(7622),r=o(7002),i=o(6362),a=o(7300),s=o(8127),l=o(6055),c=(0,a.y)(),u=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.type,o=e.size,a=e.ariaLabel,u=e.ariaLive,d=e.styles,p=e.label,m=e.theme,h=e.className,g=e.labelPosition,f=a,v=(0,s.pq)(this.props,s.n7,["size"]),b=o;void 0===b&&void 0!==t&&(b=t===i.d.large?i.E.large:i.E.medium);var y=c(d,{theme:m,size:b,className:h,labelPosition:g});return r.createElement("div",(0,n.pi)({},v,{className:y.root}),r.createElement("div",{className:y.circle}),p&&r.createElement("div",{className:y.label},p),f&&r.createElement("div",{role:"status","aria-live":u},r.createElement(l.U,null,r.createElement("div",{className:y.screenReaderText},f))))},t.defaultProps={size:i.E.medium,ariaLive:"polite",labelPosition:"bottom"},t}(r.Component)},76:(e,t,o)=>{"use strict";o.d(t,{$:()=>d});var n=o(2002),r=o(6315),i=o(7622),a=o(6362),s=o(9729),l=o(5094),c={root:"ms-Spinner",circle:"ms-Spinner-circle",label:"ms-Spinner-label"},u=(0,l.NF)((function(){return(0,s.F4)({"0%":{transform:"rotate(0deg)"},"100%":{transform:"rotate(360deg)"}})})),d=(0,n.z)(r.G,(function(e){var t,o=e.theme,n=e.size,r=e.className,l=e.labelPosition,d=o.palette,p=(0,s.Cn)(c,o);return{root:[p.root,{display:"flex",flexDirection:"column",alignItems:"center",justifyContent:"center"},"top"===l&&{flexDirection:"column-reverse"},"right"===l&&{flexDirection:"row"},"left"===l&&{flexDirection:"row-reverse"},r],circle:[p.circle,{boxSizing:"border-box",borderRadius:"50%",border:"1.5px solid "+d.themeLight,borderTopColor:d.themePrimary,animationName:u(),animationDuration:"1.3s",animationIterationCount:"infinite",animationTimingFunction:"cubic-bezier(.53,.21,.29,.67)",selectors:(t={},t[s.qJ]=(0,i.pi)({borderTopColor:"Highlight"},(0,s.xM)()),t)},n===a.E.xSmall&&["ms-Spinner--xSmall",{width:12,height:12}],n===a.E.small&&["ms-Spinner--small",{width:16,height:16}],n===a.E.medium&&["ms-Spinner--medium",{width:20,height:20}],n===a.E.large&&["ms-Spinner--large",{width:28,height:28}]],label:[p.label,o.fonts.small,{color:d.themePrimary,margin:"8px 0 0",textAlign:"center"},"top"===l&&{margin:"0 0 8px"},"right"===l&&{margin:"0 0 0 8px"},"left"===l&&{margin:"0 8px 0 0"}],screenReaderText:s.ul}}),void 0,{scope:"Spinner"})},6362:(e,t,o)=>{"use strict";var n,r;o.d(t,{E:()=>n,d:()=>r}),function(e){e[e.xSmall=0]="xSmall",e[e.small=1]="small",e[e.medium=2]="medium",e[e.large=3]="large"}(n||(n={})),function(e){e[e.normal=0]="normal",e[e.large=1]="large"}(r||(r={}))},1565:(e,t,o)=>{"use strict";o.d(t,{t:()=>m});var n=o(7002),r=o(9729),i=o(7300),a=o(5094),s=o(7375),l=o(634),c=o(3608),u=(0,i.y)(),d=function(e){var t;return"ffffff"===(null===(t=(0,s.T)(e))||void 0===t?void 0:t.hex)},p=(0,a.NF)((function(e,t,o,n,i,a,s,l,u){var d=(0,c.W)(e);return(0,r.ZC)({root:["ms-Button",d.root,o,t,s&&["is-checked",d.rootChecked],a&&["is-disabled",d.rootDisabled],!a&&!s&&{selectors:{":hover":d.rootHovered,":focus":d.rootFocused,":active":d.rootPressed}},a&&s&&[d.rootCheckedDisabled],!a&&s&&{selectors:{":hover":d.rootCheckedHovered,":active":d.rootCheckedPressed}}],flexContainer:["ms-Button-flexContainer",d.flexContainer]})})),m=function(e){var t=e.item,o=e.idPrefix,r=void 0===o?e.id:o,i=e.selected,a=void 0!==i&&i,c=e.disabled,m=void 0!==c&&c,h=e.styles,g=e.circle,f=void 0===g||g,v=e.color,b=e.onClick,y=e.onHover,_=e.onFocus,C=e.onMouseEnter,S=e.onMouseMove,x=e.onMouseLeave,k=e.onWheel,w=e.onKeyDown,I=e.height,D=e.width,T=e.borderWidth,E=u(h,{theme:e.theme,disabled:m,selected:a,circle:f,isWhite:d(v),height:I,width:D,borderWidth:T});return n.createElement(l.U,{item:t,id:r+"-"+t.id+"-"+t.index,key:t.id,disabled:m,role:"gridcell",onRenderItem:function(e){var t,o=E.svg;return n.createElement("svg",{className:o,viewBox:"0 0 20 20",fill:null===(t=(0,s.T)(e.color))||void 0===t?void 0:t.str},f?n.createElement("circle",{cx:"50%",cy:"50%",r:"50%"}):n.createElement("rect",{width:"100%",height:"100%"}))},selected:a,onClick:b,onHover:y,onFocus:_,label:t.label,className:E.colorCell,getClassNames:p,index:t.index,onMouseEnter:C,onMouseMove:S,onMouseLeave:x,onWheel:k,onKeyDown:w})}},3624:(e,t,o)=>{"use strict";o.d(t,{h:()=>l});var n=o(2002),r=o(1565),i=o(6145),a=o(9729),s={left:-2,top:-2,bottom:-2,right:-2,border:"none",outlineColor:"ButtonText"},l=(0,n.z)(r.t,(function(e){var t,o,n,r,l,c=e.theme,u=e.disabled,d=e.selected,p=e.circle,m=e.isWhite,h=e.height,g=void 0===h?20:h,f=e.width,v=void 0===f?20:f,b=e.borderWidth,y=c.semanticColors,_=c.palette,C=_.neutralLighter,S=_.neutralLight,x=_.neutralSecondary,k=_.neutralTertiary,w=b||(v<24?2:4);return{colorCell:[(0,a.GL)(c,{inset:-1,position:"relative",highContrastStyle:s}),{backgroundColor:y.bodyBackground,padding:0,position:"relative",boxSizing:"border-box",display:"inline-block",cursor:"pointer",userSelect:"none",borderRadius:0,border:"none",height:g,width:v},!p&&{selectors:(t={},t["."+i.G$+" &:focus::after"]={outlineOffset:w-1+"px"},t)},p&&{borderRadius:"50%",selectors:(o={},o["."+i.G$+" &:focus::after"]={outline:"none",borderColor:y.focusBorder,borderRadius:"50%",left:-w,right:-w,top:-w,bottom:-w,selectors:(n={},n[a.qJ]={outline:"1px solid ButtonText"},n)},o)},d&&{padding:2,border:w+"px solid "+S,selectors:(r={},r["&:hover::before"]={content:'""',height:g,width:v,position:"absolute",top:-w,left:-w,borderRadius:p?"50%":"default",boxShadow:"inset 0 0 0 1px "+x},r)},!d&&{selectors:(l={},l["&:hover, &:active, &:focus"]={backgroundColor:y.bodyBackground,padding:2,border:w+"px solid "+C},l["&:focus"]={borderColor:y.bodyBackground,padding:0,selectors:{":hover":{borderColor:c.palette.neutralLight,padding:2}}},l)},u&&{color:y.disabledBodyText,pointerEvents:"none",opacity:.3},m&&!d&&{backgroundColor:k,padding:1}],svg:[{width:"100%",height:"100%"},p&&{borderRadius:"50%"}]}}),void 0,{scope:"ColorPickerGridCell"},!0)},8621:(e,t,o)=>{"use strict";o.d(t,{_:()=>h});var n=o(7622),r=o(7002),i=o(7300),a=o(8145),s=o(2836),l=o(3624),c=o(4085),u=o(7913),d=o(5646),p=o(6548),m=(0,i.y)(),h=r.forwardRef((function(e,t){var o=(0,c.M)("swatchColorPicker"),i=e.id||o,h=(0,u.B)({isNavigationIdle:!0,cellFocused:!1,navigationIdleTimeoutId:void 0,navigationIdleDelay:250}),g=(0,d.L)(),f=g.setTimeout,v=g.clearTimeout,b=e.colorCells,y=e.cellShape,_=void 0===y?"circle":y,C=e.columnCount,S=e.shouldFocusCircularNavigate,x=void 0===S||S,k=e.className,w=e.disabled,I=void 0!==w&&w,D=e.doNotContainWithinFocusZone,T=e.styles,E=e.cellMargin,P=void 0===E?10:E,M=e.defaultSelectedId,R=e.focusOnHover,N=e.mouseLeaveParentSelector,B=e.onChange,F=e.onColorChanged,L=e.onCellHovered,A=e.onCellFocused,z=e.getColorGridCellStyles,H=e.cellHeight,O=e.cellWidth,W=e.cellBorderWidth,V=r.useMemo((function(){return b.map((function(e,t){return(0,n.pi)((0,n.pi)({},e),{index:t})}))}),[b]),K=r.useCallback((function(e,t){var o,n,r,i=null===(o=b.filter((function(e){return e.id===t}))[0])||void 0===o?void 0:o.color;null===(n=B)||void 0===n||n(e,t,i),null===(r=F)||void 0===r||r(t,i)}),[B,F,b]),q=(0,p.G)(e.selectedId,M,K),G=q[0],U=q[1],j=m(T,{theme:e.theme,className:k,cellMargin:P}),J={root:j.root,tableCell:j.tableCell,focusedContainer:j.focusedContainer},Y=r.useCallback((function(){A&&(h.cellFocused=!1,A())}),[h,A]),Z=r.useCallback((function(e){return R?(h.isNavigationIdle&&!I&&e.currentTarget.focus(),!0):!h.isNavigationIdle||!!I}),[R,h,I]),X=r.useCallback((function(e){if(!R)return!h.isNavigationIdle||!!I;var t=e.currentTarget;return!h.isNavigationIdle||document&&t===document.activeElement||t.focus(),!0}),[R,h,I]),Q=r.useCallback((function(e){var t=N;if(R&&t&&h.isNavigationIdle&&!I)for(var o=document.querySelectorAll(t),n=0;n{"use strict";o.d(t,{U:()=>s});var n=o(2002),r=o(8621),i=o(9729),a={focusedContainer:"ms-swatchColorPickerBodyContainer"},s=(0,n.z)(r._,(function(e){var t=e.className,o=e.theme;return{root:{margin:"8px 0",borderCollapse:"collapse"},tableCell:{padding:e.cellMargin/2},focusedContainer:[(0,i.Cn)(a,o).focusedContainer,{clear:"both",display:"block",minWidth:"180px"},t]}}),void 0,{scope:"SwatchColorPicker"})},5229:(e,t,o)=>{"use strict";o.d(t,{P:()=>C});var n,r=o(7622),i=o(7002),a=o(2052),s=o(9947),l=o(7300),c=o(688),u=o(2167),d=o(2782),p=o(6055),m=o(5301),h=o(687),g=o(3128),f=o(8127),v=o(9757),b=o(5036),y=(0,l.y)(),_="TextField",C=function(e){function t(t){var o=e.call(this,t)||this;o._textElement=i.createRef(),o._onFocus=function(e){o.props.onFocus&&o.props.onFocus(e),o.setState({isFocused:!0},(function(){o.props.validateOnFocusIn&&o._validate(o.value)}))},o._onBlur=function(e){o.props.onBlur&&o.props.onBlur(e),o.setState({isFocused:!1},(function(){o.props.validateOnFocusOut&&o._validate(o.value)}))},o._onRenderLabel=function(e){var t=e.label,n=e.required,r=o._classNames.subComponentStyles?o._classNames.subComponentStyles.label:void 0;return t?i.createElement(a._,{required:n,htmlFor:o._id,styles:r,disabled:e.disabled,id:o._labelId},e.label):null},o._onRenderDescription=function(e){return e.description?i.createElement("span",{className:o._classNames.description},e.description):null},o._onRevealButtonClick=function(e){o.setState((function(e){return{isRevealingPassword:!e.isRevealingPassword}}))},o._onInputChange=function(e){var t,n,r=e.target.value,i=S(o.props,o.state)||"";void 0!==r&&r!==o._lastChangeValue&&r!==i?(o._lastChangeValue=r,null===(n=(t=o.props).onChange)||void 0===n||n.call(t,e,r),o._isControlled||o.setState({uncontrolledValue:r})):o._lastChangeValue=void 0},(0,c.l)(o),o._async=new u.e(o),o._fallbackId=(0,d.z)(_),o._descriptionId=(0,d.z)("TextFieldDescription"),o._labelId=(0,d.z)("TextFieldLabel"),o._warnControlledUsage();var n=t.defaultValue,r=void 0===n?"":n;return"number"==typeof r&&(r=String(r)),o.state={uncontrolledValue:o._isControlled?void 0:r,isFocused:!1,errorMessage:""},o._delayedValidate=o._async.debounce(o._validate,o.props.deferredValidationTime),o._lastValidation=0,o}return(0,r.ZT)(t,e),Object.defineProperty(t.prototype,"value",{get:function(){return S(this.props,this.state)},enumerable:!0,configurable:!0}),t.prototype.componentDidMount=function(){this._adjustInputHeight(),this.props.validateOnLoad&&this._validate(this.value)},t.prototype.componentWillUnmount=function(){this._async.dispose()},t.prototype.getSnapshotBeforeUpdate=function(e,t){return{selection:[this.selectionStart,this.selectionEnd]}},t.prototype.componentDidUpdate=function(e,t,o){var n=this.props,r=(o||{}).selection,i=void 0===r?[null,null]:r,a=i[0],s=i[1];!!e.multiline!=!!n.multiline&&t.isFocused&&(this.focus(),null!==a&&null!==s&&a>=0&&s>=0&&this.setSelectionRange(a,s)),e.value!==n.value&&(this._lastChangeValue=void 0);var l=S(e,t),c=this.value;l!==c&&(this._warnControlledUsage(e),this.state.errorMessage&&!n.errorMessage&&this.setState({errorMessage:""}),this._adjustInputHeight(),x(n)&&this._delayedValidate(c))},t.prototype.render=function(){var e=this.props,t=e.borderless,o=e.className,a=e.disabled,l=e.iconProps,c=e.inputClassName,u=e.label,d=e.multiline,m=e.required,h=e.underlined,g=e.prefix,f=e.resizable,_=e.suffix,C=e.theme,S=e.styles,x=e.autoAdjustHeight,k=e.canRevealPassword,w=e.type,I=e.onRenderPrefix,D=void 0===I?this._onRenderPrefix:I,T=e.onRenderSuffix,E=void 0===T?this._onRenderSuffix:T,P=e.onRenderLabel,M=void 0===P?this._onRenderLabel:P,R=e.onRenderDescription,N=void 0===R?this._onRenderDescription:R,B=this.state,F=B.isFocused,L=B.isRevealingPassword,A=this._errorMessage,z=!!k&&"password"===w&&function(){var e;if("boolean"!=typeof n){var t=(0,v.J)();if(null===(e=t)||void 0===e?void 0:e.navigator){var o=/Edg/.test(t.navigator.userAgent||"");n=!((0,b.f)()||o)}else n=!0}return n}(),H=this._classNames=y(S,{theme:C,className:o,disabled:a,focused:F,required:m,multiline:d,hasLabel:!!u,hasErrorMessage:!!A,borderless:t,resizable:f,hasIcon:!!l,underlined:h,inputClassName:c,autoAdjustHeight:x,hasRevealButton:z});return i.createElement("div",{ref:this.props.elementRef,className:H.root},i.createElement("div",{className:H.wrapper},M(this.props,this._onRenderLabel),i.createElement("div",{className:H.fieldGroup},(void 0!==g||this.props.onRenderPrefix)&&i.createElement("div",{className:H.prefix},D(this.props,this._onRenderPrefix)),d?this._renderTextArea():this._renderInput(),l&&i.createElement(s.J,(0,r.pi)({className:H.icon},l)),z&&i.createElement("button",{className:H.revealButton,onClick:this._onRevealButtonClick,type:"button"},i.createElement("span",{className:H.revealSpan},i.createElement(s.J,{className:H.revealIcon,iconName:L?"Hide":"RedEye"}))),(void 0!==_||this.props.onRenderSuffix)&&i.createElement("div",{className:H.suffix},E(this.props,this._onRenderSuffix)))),this._isDescriptionAvailable&&i.createElement("span",{id:this._descriptionId},N(this.props,this._onRenderDescription),A&&i.createElement("div",{role:"alert"},i.createElement(p.U,null,this._renderErrorMessage()))))},t.prototype.focus=function(){this._textElement.current&&this._textElement.current.focus()},t.prototype.blur=function(){this._textElement.current&&this._textElement.current.blur()},t.prototype.select=function(){this._textElement.current&&this._textElement.current.select()},t.prototype.setSelectionStart=function(e){this._textElement.current&&(this._textElement.current.selectionStart=e)},t.prototype.setSelectionEnd=function(e){this._textElement.current&&(this._textElement.current.selectionEnd=e)},Object.defineProperty(t.prototype,"selectionStart",{get:function(){return this._textElement.current?this._textElement.current.selectionStart:-1},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"selectionEnd",{get:function(){return this._textElement.current?this._textElement.current.selectionEnd:-1},enumerable:!0,configurable:!0}),t.prototype.setSelectionRange=function(e,t){this._textElement.current&&this._textElement.current.setSelectionRange(e,t)},t.prototype._warnControlledUsage=function(e){(0,m.Q)({componentId:this._id,componentName:_,props:this.props,oldProps:e,valueProp:"value",defaultValueProp:"defaultValue",onChangeProp:"onChange",readOnlyProp:"readOnly"}),null!==this.props.value||this._hasWarnedNullValue||(this._hasWarnedNullValue=!0,(0,h.Z)("Warning: 'value' prop on 'TextField' should not be null. Consider using an empty string to clear the component or undefined to indicate an uncontrolled component."))},Object.defineProperty(t.prototype,"_id",{get:function(){return this.props.id||this._fallbackId},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"_isControlled",{get:function(){return(0,g.s)(this.props,"value")},enumerable:!0,configurable:!0}),t.prototype._onRenderPrefix=function(e){var t=e.prefix;return i.createElement("span",{style:{paddingBottom:"1px"}},t)},t.prototype._onRenderSuffix=function(e){var t=e.suffix;return i.createElement("span",{style:{paddingBottom:"1px"}},t)},Object.defineProperty(t.prototype,"_errorMessage",{get:function(){var e=this.props.errorMessage;return(void 0===e?this.state.errorMessage:e)||""},enumerable:!0,configurable:!0}),t.prototype._renderErrorMessage=function(){var e=this._errorMessage;return e?"string"==typeof e?i.createElement("p",{className:this._classNames.errorMessage},i.createElement("span",{"data-automation-id":"error-message"},e)):i.createElement("div",{className:this._classNames.errorMessage,"data-automation-id":"error-message"},e):null},Object.defineProperty(t.prototype,"_isDescriptionAvailable",{get:function(){var e=this.props;return!!(e.onRenderDescription||e.description||this._errorMessage)},enumerable:!0,configurable:!0}),t.prototype._renderTextArea=function(){var e=(0,f.pq)(this.props,f.FI,["defaultValue"]),t=this.props["aria-labelledby"]||(this.props.label?this._labelId:void 0);return i.createElement("textarea",(0,r.pi)({id:this._id},e,{ref:this._textElement,value:this.value||"",onInput:this._onInputChange,onChange:this._onInputChange,className:this._classNames.field,"aria-labelledby":t,"aria-describedby":this._isDescriptionAvailable?this._descriptionId:this.props["aria-describedby"],"aria-invalid":!!this._errorMessage,"aria-label":this.props.ariaLabel,readOnly:this.props.readOnly,onFocus:this._onFocus,onBlur:this._onBlur}))},t.prototype._renderInput=function(){var e,t=(0,f.pq)(this.props,f.Gg,["defaultValue","type"]),o=this.props["aria-labelledby"]||(this.props.label?this._labelId:void 0),n=this.state.isRevealingPassword?"text":null!=(e=this.props.type)?e:"text";return i.createElement("input",(0,r.pi)({type:n,id:this._id,"aria-labelledby":o},t,{ref:this._textElement,value:this.value||"",onInput:this._onInputChange,onChange:this._onInputChange,className:this._classNames.field,"aria-label":this.props.ariaLabel,"aria-describedby":this._isDescriptionAvailable?this._descriptionId:this.props["aria-describedby"],"aria-invalid":!!this._errorMessage,readOnly:this.props.readOnly,onFocus:this._onFocus,onBlur:this._onBlur}))},t.prototype._validate=function(e){var t=this;if(this._latestValidateValue!==e||!x(this.props)){this._latestValidateValue=e;var o=this.props.onGetErrorMessage,n=o&&o(e||"");if(void 0!==n)if("string"!=typeof n&&"then"in n){var r=++this._lastValidation;n.then((function(o){r===t._lastValidation&&t.setState({errorMessage:o}),t._notifyAfterValidate(e,o)}))}else this.setState({errorMessage:n}),this._notifyAfterValidate(e,n);else this._notifyAfterValidate(e,"")}},t.prototype._notifyAfterValidate=function(e,t){e===this.value&&this.props.onNotifyValidationResult&&this.props.onNotifyValidationResult(t,e)},t.prototype._adjustInputHeight=function(){if(this._textElement.current&&this.props.autoAdjustHeight&&this.props.multiline){var e=this._textElement.current;e.style.height="",e.style.height=e.scrollHeight+"px"}},t.defaultProps={resizable:!0,deferredValidationTime:200,validateOnLoad:!0},t}(i.Component);function S(e,t){var o=e.value,n=void 0===o?t.uncontrolledValue:o;return"number"==typeof n?String(n):n}function x(e){return!(e.validateOnFocusIn||e.validateOnFocusOut)}},8623:(e,t,o)=>{"use strict";o.d(t,{n:()=>c});var n=o(2002),r=o(5229),i=o(7622),a=o(9729),s={root:"ms-TextField",description:"ms-TextField-description",errorMessage:"ms-TextField-errorMessage",field:"ms-TextField-field",fieldGroup:"ms-TextField-fieldGroup",prefix:"ms-TextField-prefix",suffix:"ms-TextField-suffix",wrapper:"ms-TextField-wrapper",revealButton:"ms-TextField-reveal",multiline:"ms-TextField--multiline",borderless:"ms-TextField--borderless",underlined:"ms-TextField--underlined",unresizable:"ms-TextField--unresizable",required:"is-required",disabled:"is-disabled",active:"is-active"};function l(e){var t=e.underlined,o=e.disabled,n=e.focused,r=e.theme,i=r.palette,s=r.fonts;return function(){var e;return{root:[t&&o&&{color:i.neutralTertiary},t&&{fontSize:s.medium.fontSize,marginRight:8,paddingLeft:12,paddingRight:0,lineHeight:"22px",height:32},t&&n&&{selectors:(e={},e[a.qJ]={height:31},e)}]}}}var c=(0,n.z)(r.P,(function(e){var t,o,n,r,c,u,d,p,m,h,g,f,v=e.theme,b=e.className,y=e.disabled,_=e.focused,C=e.required,S=e.multiline,x=e.hasLabel,k=e.borderless,w=e.underlined,I=e.hasIcon,D=e.resizable,T=e.hasErrorMessage,E=e.inputClassName,P=e.autoAdjustHeight,M=e.hasRevealButton,R=v.semanticColors,N=v.effects,B=v.fonts,F=(0,a.Cn)(s,v),L={background:R.disabledBackground,color:y?R.disabledText:R.inputPlaceholderText,display:"flex",alignItems:"center",padding:"0 10px",lineHeight:1,whiteSpace:"nowrap",flexShrink:0,selectors:(t={},t[a.qJ]={background:"Window",color:y?"GrayText":"WindowText"},t)},A=[B.medium,{color:R.inputPlaceholderText,opacity:1,selectors:(o={},o[a.qJ]={color:"GrayText"},o)}],z={color:R.disabledText,selectors:(n={},n[a.qJ]={color:"GrayText"},n)};return{root:[F.root,B.medium,C&&F.required,y&&F.disabled,_&&F.active,S&&F.multiline,k&&F.borderless,w&&F.underlined,a.Fv,{position:"relative"},b],wrapper:[F.wrapper,w&&[{display:"flex",borderBottom:"1px solid "+(T?R.errorText:R.inputBorder),width:"100%"},y&&{borderBottomColor:R.disabledBackground,selectors:(r={},r[a.qJ]=(0,i.pi)({borderColor:"GrayText"},(0,a.xM)()),r)},!y&&{selectors:{":hover":{borderBottomColor:T?R.errorText:R.inputBorderHovered,selectors:(c={},c[a.qJ]=(0,i.pi)({borderBottomColor:"Highlight"},(0,a.xM)()),c)}}},_&&[{position:"relative"},(0,a.$Y)(T?R.errorText:R.inputFocusBorderAlt,0,"borderBottom")]]],fieldGroup:[F.fieldGroup,a.Fv,{border:"1px solid "+R.inputBorder,borderRadius:N.roundedCorner2,background:R.inputBackground,cursor:"text",height:32,display:"flex",flexDirection:"row",alignItems:"stretch",position:"relative"},S&&{minHeight:"60px",height:"auto",display:"flex"},!_&&!y&&{selectors:{":hover":{borderColor:R.inputBorderHovered,selectors:(u={},u[a.qJ]=(0,i.pi)({borderColor:"Highlight"},(0,a.xM)()),u)}}},_&&!w&&(0,a.$Y)(T?R.errorText:R.inputFocusBorderAlt,N.roundedCorner2),y&&{borderColor:R.disabledBackground,selectors:(d={},d[a.qJ]=(0,i.pi)({borderColor:"GrayText"},(0,a.xM)()),d),cursor:"default"},k&&{border:"none"},k&&_&&{border:"none",selectors:{":after":{border:"none"}}},w&&{flex:"1 1 0px",border:"none",textAlign:"left"},w&&y&&{backgroundColor:"transparent"},T&&!w&&{borderColor:R.errorText,selectors:{"&:hover":{borderColor:R.errorText}}},!x&&C&&{selectors:(p={":before":{content:"'*'",color:R.errorText,position:"absolute",top:-5,right:-10}},p[a.qJ]={selectors:{":before":{color:"WindowText",right:-14}}},p)}],field:[B.medium,F.field,a.Fv,{borderRadius:0,border:"none",background:"none",backgroundColor:"transparent",color:R.inputText,padding:"0 8px",width:"100%",minWidth:0,textOverflow:"ellipsis",outline:0,selectors:(m={"&:active, &:focus, &:hover":{outline:0},"::-ms-clear":{display:"none"}},m[a.qJ]={background:"Window",color:y?"GrayText":"WindowText"},m)},(0,a.Sv)(A),S&&!D&&[F.unresizable,{resize:"none"}],S&&{minHeight:"inherit",lineHeight:17,flexGrow:1,paddingTop:6,paddingBottom:6,overflow:"auto",width:"100%"},S&&P&&{overflow:"hidden"},I&&!M&&{paddingRight:24},S&&I&&{paddingRight:40},y&&[{backgroundColor:R.disabledBackground,color:R.disabledText,borderColor:R.disabledBackground},(0,a.Sv)(z)],w&&{textAlign:"left"},_&&!k&&{selectors:(h={},h[a.qJ]={paddingLeft:11,paddingRight:11},h)},_&&S&&!k&&{selectors:(g={},g[a.qJ]={paddingTop:4},g)},E],icon:[S&&{paddingRight:24,alignItems:"flex-end"},{pointerEvents:"none",position:"absolute",bottom:6,right:8,top:"auto",fontSize:a.ld.medium,lineHeight:18},y&&{color:R.disabledText}],description:[F.description,{color:R.bodySubtext,fontSize:B.xSmall.fontSize}],errorMessage:[F.errorMessage,a.k4.slideDownIn20,B.small,{color:R.errorText,margin:0,paddingTop:5,display:"flex",alignItems:"center"}],prefix:[F.prefix,L],suffix:[F.suffix,L],revealButton:[F.revealButton,"ms-Button","ms-Button--icon",{height:30,width:32,border:"none",padding:"0px 4px",backgroundColor:"transparent",color:R.link,selectors:{":hover":{outline:0,color:R.primaryButtonBackgroundHovered,backgroundColor:R.buttonBackgroundHovered,selectors:(f={},f[a.qJ]={borderColor:"Highlight",color:"Highlight"},f)},":focus":{outline:0}}},I&&{marginRight:28}],revealSpan:{display:"flex",height:"100%",alignItems:"center"},revealIcon:{margin:"0px 4px",pointerEvents:"none",bottom:6,right:8,top:"auto",fontSize:a.ld.medium,lineHeight:18},subComponentStyles:{label:l(e)}}}),void 0,{scope:"TextField"})},5637:(e,t,o)=>{"use strict";o.d(t,{s:()=>p});var n=o(7622),r=o(7002),i=o(6548),a=o(4085),s=o(7300),l=o(8127),c=o(5480),u=o(2052),d=(0,s.y)(),p=r.forwardRef((function(e,t){var o=e.as,s=void 0===o?"div":o,p=e.ariaLabel,h=e.checked,g=e.className,f=e.defaultChecked,v=void 0!==f&&f,b=e.disabled,y=e.inlineLabel,_=e.label,C=e.offAriaLabel,S=e.offText,x=e.onAriaLabel,k=e.onChange,w=e.onChanged,I=e.onClick,D=e.onText,T=e.role,E=e.styles,P=e.theme,M=(0,i.G)(h,v,r.useCallback((function(e,t){var o,n;null===(o=k)||void 0===o||o(e,t),null===(n=w)||void 0===n||n(t)}),[k,w])),R=M[0],N=M[1],B=d(E,{theme:P,className:g,disabled:b,checked:R,inlineLabel:y,onOffMissing:!D&&!S}),F=R?x:C,L=(0,a.M)("Toggle",e.id),A=L+"-label",z=L+"-stateText",H=R?D:S,O=(0,l.pq)(e,l.Gg,["defaultChecked"]),W=void 0;p||F||(_&&(W=A),H&&(W=W?W+" "+z:z));var V=r.useRef(null);(0,c.P)(V),m(e,R,V);var K={root:{className:B.root,hidden:O.hidden},label:{children:_,className:B.label,htmlFor:L,id:A},container:{className:B.container},pill:(0,n.pi)((0,n.pi)({},O),{"aria-disabled":b,"aria-checked":R,"aria-label":p||F,"aria-labelledby":W,className:B.pill,"data-is-focusable":!0,"data-ktp-target":!0,disabled:b,id:L,onClick:function(e){b||(N(!R),I&&I(e))},ref:V,role:T||"switch",type:"button"}),thumb:{className:B.thumb},stateText:{children:H,className:B.text,htmlFor:L,id:z}};return r.createElement(s,(0,n.pi)({ref:t},K.root),_&&r.createElement(u._,(0,n.pi)({},K.label)),r.createElement("div",(0,n.pi)({},K.container),r.createElement("button",(0,n.pi)({},K.pill),r.createElement("span",(0,n.pi)({},K.thumb))),(R&&D||S)&&r.createElement(u._,(0,n.pi)({},K.stateText))))}));p.displayName="ToggleBase";var m=function(e,t,o){r.useImperativeHandle(e.componentRef,(function(){return{get checked(){return!!t},focus:function(){o.current&&o.current.focus()}}}),[t,o])}},1431:(e,t,o)=>{"use strict";o.d(t,{Z:()=>s});var n=o(2002),r=o(5637),i=o(7622),a=o(9729),s=(0,n.z)(r.s,(function(e){var t,o,n,r,s,l,c,u=e.theme,d=e.className,p=e.disabled,m=e.checked,h=e.inlineLabel,g=e.onOffMissing,f=u.semanticColors,v=u.palette,b=f.bodyBackground,y=f.inputBackgroundChecked,_=f.inputBackgroundCheckedHovered,C=v.neutralDark,S=f.disabledBodySubtext,x=f.smallInputBorder,k=f.inputForegroundChecked,w=f.disabledBodySubtext,I=f.disabledBackground,D=f.smallInputBorder,T=f.inputBorderHovered,E=f.disabledBodySubtext,P=f.disabledText;return{root:["ms-Toggle",m&&"is-checked",!p&&"is-enabled",p&&"is-disabled",u.fonts.medium,{marginBottom:"8px"},h&&{display:"flex",alignItems:"center"},d],label:["ms-Toggle-label",{display:"inline-block"},p&&{color:P,selectors:(t={},t[a.qJ]={color:"GrayText"},t)},h&&!g&&{marginRight:16},g&&h&&{order:1,marginLeft:16},h&&{wordBreak:"break-all"}],container:["ms-Toggle-innerContainer",{display:"flex",position:"relative"}],pill:["ms-Toggle-background",(0,a.GL)(u,{inset:-3}),{fontSize:"20px",boxSizing:"border-box",width:40,height:20,borderRadius:10,transition:"all 0.1s ease",border:"1px solid "+D,background:b,cursor:"pointer",display:"flex",alignItems:"center",padding:"0 3px"},!p&&[!m&&{selectors:{":hover":[{borderColor:T}],":hover .ms-Toggle-thumb":[{backgroundColor:C,selectors:(o={},o[a.qJ]={borderColor:"Highlight"},o)}]}},m&&[{background:y,borderColor:"transparent",justifyContent:"flex-end"},{selectors:(n={":hover":[{backgroundColor:_,borderColor:"transparent",selectors:(r={},r[a.qJ]={backgroundColor:"Highlight"},r)}]},n[a.qJ]=(0,i.pi)({backgroundColor:"Highlight"},(0,a.xM)()),n)}]],p&&[{cursor:"default"},!m&&[{borderColor:E}],m&&[{backgroundColor:S,borderColor:"transparent",justifyContent:"flex-end"}]],!p&&{selectors:{"&:hover":{selectors:(s={},s[a.qJ]={borderColor:"Highlight"},s)}}}],thumb:["ms-Toggle-thumb",{display:"block",width:12,height:12,borderRadius:"50%",transition:"all 0.1s ease",backgroundColor:x,borderColor:"transparent",borderWidth:6,borderStyle:"solid",boxSizing:"border-box"},!p&&m&&[{backgroundColor:k,selectors:(l={},l[a.qJ]={backgroundColor:"Window",borderColor:"Window"},l)}],p&&[!m&&[{backgroundColor:w}],m&&[{backgroundColor:I}]]],text:["ms-Toggle-stateText",{selectors:{"&&":{padding:"0",margin:"0 8px",userSelect:"none",fontWeight:a.lq.regular}}},p&&{selectors:{"&&":{color:P,selectors:(c={},c[a.qJ]={color:"GrayText"},c)}}}]}}),void 0,{scope:"Toggle"})},3860:(e,t,o)=>{"use strict";o.d(t,{P:()=>u});var n=o(7622),r=o(7002),i=o(7300),a=o(8127),s=o(5953),l=o(6628),c=(0,i.y)(),u=function(e){function t(){var t=null!==e&&e.apply(this,arguments)||this;return t._onRenderContent=function(e){return r.createElement("p",{className:t._classNames.subText},e.content)},t}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.className,o=e.calloutProps,i=e.directionalHint,l=e.directionalHintForRTL,u=e.styles,d=e.id,p=e.maxWidth,m=e.onRenderContent,h=void 0===m?this._onRenderContent:m,g=e.targetElement,f=e.theme;return this._classNames=c(u,{theme:f,className:t||o&&o.className,beakWidth:o&&o.beakWidth,gapSpace:o&&o.gapSpace,maxWidth:p}),r.createElement(s.U,(0,n.pi)({target:g,directionalHint:i,directionalHintForRTL:l},o,(0,a.pq)(this.props,a.n7,["id"]),{className:this._classNames.root}),r.createElement("div",{className:this._classNames.content,id:d,role:"tooltip",onMouseEnter:this.props.onMouseEnter,onMouseLeave:this.props.onMouseLeave},h(this.props,this._onRenderContent)))},t.defaultProps={directionalHint:l.b.topCenter,maxWidth:"364px",calloutProps:{isBeakVisible:!0,beakWidth:16,gapSpace:0,setInitialFocus:!0,doNotLayer:!1}},t}(r.Component)},1594:(e,t,o)=>{"use strict";o.d(t,{u:()=>a});var n=o(2002),r=o(3860),i=o(9729),a=(0,n.z)(r.P,(function(e){var t=e.className,o=e.beakWidth,n=void 0===o?16:o,r=e.gapSpace,a=void 0===r?0:r,s=e.maxWidth,l=e.theme,c=l.semanticColors,u=l.fonts,d=l.effects,p=-(Math.sqrt(n*n/2)+a)+1/window.devicePixelRatio;return{root:["ms-Tooltip",l.fonts.medium,i.k4.fadeIn200,{background:c.menuBackground,boxShadow:d.elevation8,padding:"8px",maxWidth:s,selectors:{":after":{content:"''",position:"absolute",bottom:p,left:p,right:p,top:p,zIndex:0}}},t],content:["ms-Tooltip-content",u.small,{position:"relative",zIndex:1,color:c.menuItemText,wordWrap:"break-word",overflowWrap:"break-word",overflow:"hidden"}],subText:["ms-Tooltip-subtext",{fontSize:"inherit",fontWeight:"inherit",color:"inherit",margin:0}]}}),void 0,{scope:"Tooltip"})},1180:(e,t,o)=>{"use strict";var n;o.d(t,{j:()=>n}),function(e){e[e.zero=0]="zero",e[e.medium=1]="medium",e[e.long=2]="long"}(n||(n={}))},154:(e,t,o)=>{"use strict";o.d(t,{Z:()=>y});var n=o(7622),r=o(7002),i=o(9729),a=o(7300),s=o(2782),l=o(6670),c=o(7466),u=o(8145),d=o(688),p=o(2167),m=o(2447),h=o(8127),g=o(3967),f=o(1594),v=o(1180),b=(0,a.y)(),y=function(e){function t(o){var n=e.call(this,o)||this;return n._tooltipHost=r.createRef(),n._defaultTooltipId=(0,s.z)("tooltip"),n.show=function(){n._toggleTooltip(!0)},n.dismiss=function(){n._hideTooltip()},n._getTargetElement=function(){if(n._tooltipHost.current){var e=n.props.overflowMode;if(void 0!==e)switch(e){case g.y.Parent:return n._tooltipHost.current.parentElement;case g.y.Self:return n._tooltipHost.current}return n._tooltipHost.current}},n._onTooltipMouseEnter=function(e){var o=n.props,r=o.overflowMode,i=o.delay;if(t._currentVisibleTooltip&&t._currentVisibleTooltip!==n&&t._currentVisibleTooltip.dismiss(),t._currentVisibleTooltip=n,void 0!==r){var a=n._getTargetElement();if(a&&!(0,l.zS)(a))return}if(!e.target||!(0,c.w)(e.target,n._getTargetElement()))if(n._clearDismissTimer(),n._clearOpenTimer(),i!==v.j.zero){n.setState({isAriaPlaceholderRendered:!0});var s=n._getDelayTime(i);n._openTimerId=n._async.setTimeout((function(){n._toggleTooltip(!0)}),s)}else n._toggleTooltip(!0)},n._onTooltipMouseLeave=function(e){var o=n.props.closeDelay;n._clearDismissTimer(),n._clearOpenTimer(),o?n._dismissTimerId=n._async.setTimeout((function(){n._toggleTooltip(!1)}),o):n._toggleTooltip(!1),t._currentVisibleTooltip===n&&(t._currentVisibleTooltip=void 0)},n._onTooltipKeyDown=function(e){(e.which===u.m.escape||e.ctrlKey)&&n.state.isTooltipVisible&&(n._hideTooltip(),e.stopPropagation())},n._clearDismissTimer=function(){n._async.clearTimeout(n._dismissTimerId)},n._clearOpenTimer=function(){n._async.clearTimeout(n._openTimerId)},n._hideTooltip=function(){n._clearOpenTimer(),n._clearDismissTimer(),n._toggleTooltip(!1)},n._toggleTooltip=function(e){n.state.isTooltipVisible!==e&&n.setState({isAriaPlaceholderRendered:!1,isTooltipVisible:e},(function(){return n.props.onTooltipToggle&&n.props.onTooltipToggle(e)}))},n._getDelayTime=function(e){switch(e){case v.j.medium:return 300;case v.j.long:return 500;default:return 0}},(0,d.l)(n),n.state={isAriaPlaceholderRendered:!1,isTooltipVisible:!1},n._async=new p.e(n),n}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.calloutProps,o=e.children,a=e.content,s=e.directionalHint,l=e.directionalHintForRTL,c=e.hostClassName,u=e.id,d=e.setAriaDescribedBy,p=void 0===d||d,g=e.tooltipProps,v=e.styles,y=e.theme;this._classNames=b(v,{theme:y,className:c});var _=this.state,C=_.isAriaPlaceholderRendered,S=_.isTooltipVisible,x=u||this._defaultTooltipId,k=!!(a||g&&g.onRenderContent&&g.onRenderContent()),w=S&&k,I=p&&S&&k?x:void 0;return r.createElement("div",(0,n.pi)({className:this._classNames.root,ref:this._tooltipHost},{onFocusCapture:this._onTooltipMouseEnter},{onBlurCapture:this._hideTooltip},{onMouseEnter:this._onTooltipMouseEnter,onMouseLeave:this._onTooltipMouseLeave,onKeyDown:this._onTooltipKeyDown,"aria-describedby":I}),o,w&&r.createElement(f.u,(0,n.pi)({id:x,content:a,targetElement:this._getTargetElement(),directionalHint:s,directionalHintForRTL:l,calloutProps:(0,m.f0)({},t,{onDismiss:this._hideTooltip,onMouseEnter:this._onTooltipMouseEnter,onMouseLeave:this._onTooltipMouseLeave}),onMouseEnter:this._onTooltipMouseEnter,onMouseLeave:this._onTooltipMouseLeave},(0,h.pq)(this.props,h.n7),g)),C&&r.createElement("div",{id:x,style:i.ul},a))},t.prototype.componentWillUnmount=function(){t._currentVisibleTooltip&&t._currentVisibleTooltip===this&&(t._currentVisibleTooltip=void 0),this._async.dispose()},t.defaultProps={delay:v.j.medium},t}(r.Component)},5816:(e,t,o)=>{"use strict";o.d(t,{G:()=>s});var n=o(2002),r=o(154),i=o(9729),a={root:"ms-TooltipHost",ariaPlaceholder:"ms-TooltipHost-aria-placeholder"},s=(0,n.z)(r.Z,(function(e){var t=e.className,o=e.theme;return{root:[(0,i.Cn)(a,o).root,{display:"inline"},t]}}),void 0,{scope:"TooltipHost"})},3967:(e,t,o)=>{"use strict";var n;o.d(t,{y:()=>n}),function(e){e[e.Parent=0]="Parent",e[e.Self=1]="Self"}(n||(n={}))},8976:(e,t,o)=>{"use strict";o.d(t,{d:()=>L,Y:()=>A});var n={};o.r(n),o.d(n,{inputDisabled:()=>P,inputFocused:()=>E,pickerInput:()=>M,pickerItems:()=>R,pickerText:()=>T,screenReaderOnly:()=>N});var r=o(7622),i=o(7002),a=o(7300),s=o(2002),l=o(8145),c=o(3345),u=o(688),d=o(2167),p=o(2782),m=o(8088),h=o(2998),g=o(7023),f=o(5953),v=o(3297),b=o(4449),y=o(5238),_=o(6628),C=o(4800),S=o(9729),x={root:"ms-Suggestions",suggestionsContainer:"ms-Suggestions-container",title:"ms-Suggestions-title",forceResolveButton:"ms-forceResolve-button",searchForMoreButton:"ms-SearchMore-button",spinner:"ms-Suggestions-spinner",noSuggestions:"ms-Suggestions-none",suggestionsAvailable:"ms-Suggestions-suggestionsAvailable",isSelected:"is-selected"};function k(e){var t,o=e.className,n=e.suggestionsClassName,i=e.theme,a=e.forceResolveButtonSelected,s=e.searchForMoreButtonSelected,l=i.palette,c=i.semanticColors,u=i.fonts,d=(0,S.Cn)(x,i),p={backgroundColor:"transparent",border:0,cursor:"pointer",margin:0,paddingLeft:8,position:"relative",borderTop:"1px solid "+l.neutralLight,height:40,textAlign:"left",width:"100%",fontSize:u.small.fontSize,selectors:{":hover":{backgroundColor:c.menuItemBackgroundPressed,cursor:"pointer"},":focus, :active":{backgroundColor:l.themeLight},".ms-Button-icon":{fontSize:u.mediumPlus.fontSize,width:25},".ms-Button-label":{margin:"0 4px 0 9px"}}},m={backgroundColor:l.themeLight,selectors:(t={},t[S.qJ]=(0,r.pi)({backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},(0,S.xM)()),t)};return{root:[d.root,{minWidth:260},o],suggestionsContainer:[d.suggestionsContainer,{overflowY:"auto",overflowX:"hidden",maxHeight:300,transform:"translate3d(0,0,0)"},n],title:[d.title,{padding:"0 12px",fontSize:u.small.fontSize,color:l.themePrimary,lineHeight:40,borderBottom:"1px solid "+c.menuItemBackgroundPressed}],forceResolveButton:[d.forceResolveButton,p,a&&[d.isSelected,m]],searchForMoreButton:[d.searchForMoreButton,p,s&&[d.isSelected,m]],noSuggestions:[d.noSuggestions,{textAlign:"center",color:l.neutralSecondary,fontSize:u.small.fontSize,lineHeight:30}],suggestionsAvailable:[d.suggestionsAvailable,S.ul],subComponentStyles:{spinner:{root:[d.spinner,{margin:"5px 0",paddingLeft:14,textAlign:"left",whiteSpace:"nowrap",lineHeight:20,fontSize:u.small.fontSize}],circle:{display:"inline-block",verticalAlign:"middle"},label:{display:"inline-block",verticalAlign:"middle",margin:"0 10px 0 16px"}}}}}var w=o(6920),I=o(7115),D=o(5767);(0,o(4976).RM)([{rawString:".pickerText_9da47ae5{display:-webkit-box;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;-webkit-box-align:center;-ms-flex-align:center;align-items:center;-webkit-box-sizing:border-box;box-sizing:border-box;border:1px solid "},{theme:"neutralTertiary",defaultValue:"#a19f9d"},{rawString:";min-width:180px;min-height:30px}.pickerText_9da47ae5:hover{border-color:"},{theme:"inputBorderHovered",defaultValue:"#323130"},{rawString:"}.pickerText_9da47ae5.inputFocused_9da47ae5{position:relative;border-color:"},{theme:"inputFocusBorderAlt",defaultValue:"#0078d4"},{rawString:"}.pickerText_9da47ae5.inputFocused_9da47ae5:after{pointer-events:none;content:'';position:absolute;left:-1px;top:-1px;bottom:-1px;right:-1px;border:2px solid "},{theme:"inputFocusBorderAlt",defaultValue:"#0078d4"},{rawString:"}@media screen and (-ms-high-contrast:active){.pickerText_9da47ae5.inputDisabled_9da47ae5{position:relative;border-color:GrayText}.pickerText_9da47ae5.inputDisabled_9da47ae5:after{pointer-events:none;content:'';position:absolute;left:0;top:0;bottom:0;right:0;background-color:Window}}.pickerInput_9da47ae5{height:34px;border:none;-webkit-box-flex:1;-ms-flex-positive:1;flex-grow:1;outline:0;padding:0 6px 0;-ms-flex-item-align:end;align-self:flex-end}.pickerItems_9da47ae5{display:-webkit-box;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;max-width:100%}.screenReaderOnly_9da47ae5{position:absolute;width:1px;height:1px;padding:0;margin:-1px;overflow:hidden;clip:rect(0,0,0,0);border:0}"}]);var T="pickerText_9da47ae5",E="inputFocused_9da47ae5",P="inputDisabled_9da47ae5",M="pickerInput_9da47ae5",R="pickerItems_9da47ae5",N="screenReaderOnly_9da47ae5",B=n,F=(0,a.y)(),L=function(e){function t(t){var o,n=e.call(this,t)||this;n.root=i.createRef(),n.input=i.createRef(),n.focusZone=i.createRef(),n.suggestionElement=i.createRef(),n.SuggestionOfProperType=C.D,n._styledSuggestions=(o=n.SuggestionOfProperType,(0,s.z)(o,k,void 0,{scope:"Suggestions"})),n.dismissSuggestions=function(e){var t=function(){var t=!0;n.props.onDismiss&&(t=n.props.onDismiss(e,n.suggestionStore.currentSuggestion?n.suggestionStore.currentSuggestion.item:void 0)),(!e||e&&!e.defaultPrevented)&&!1!==t&&n.canAddItems()&&n.suggestionStore.hasSelectedSuggestion()&&n.state.suggestedDisplayValue&&n.addItemByIndex(0)};n.currentPromise?n.currentPromise.then((function(){return t()})):t(),n.setState({suggestionsVisible:!1})},n.refocusSuggestions=function(e){n.resetFocus(),n.suggestionStore.suggestions&&n.suggestionStore.suggestions.length>0&&(e===l.m.up?n.suggestionStore.setSelectedSuggestion(n.suggestionStore.suggestions.length-1):e===l.m.down&&n.suggestionStore.setSelectedSuggestion(0))},n.onInputChange=function(e){n.updateValue(e),n.setState({moreSuggestionsAvailable:!0,isMostRecentlyUsedVisible:!1})},n.onSuggestionClick=function(e,t,o){n.addItemByIndex(o)},n.onSuggestionRemove=function(e,t,o){n.props.onRemoveSuggestion&&n.props.onRemoveSuggestion(t),n.suggestionStore.removeSuggestion(o)},n.onInputFocus=function(e){n.selection.setAllSelected(!1),n.state.isFocused||(n.setState({isFocused:!0}),n._userTriggeredSuggestions(),n.props.inputProps&&n.props.inputProps.onFocus&&n.props.inputProps.onFocus(e))},n.onInputBlur=function(e){n.props.inputProps&&n.props.inputProps.onBlur&&n.props.inputProps.onBlur(e)},n.onBlur=function(e){if(n.state.isFocused){var t=e.relatedTarget;null===e.relatedTarget&&(t=document.activeElement),t&&!(0,c.t)(n.root.current,t)&&(n.setState({isFocused:!1}),n.props.onBlur&&n.props.onBlur(e))}},n.onClick=function(e){void 0!==n.props.inputProps&&void 0!==n.props.inputProps.onClick&&n.props.inputProps.onClick(e),0===e.button&&n._userTriggeredSuggestions()},n.onKeyDown=function(e){var t=e.which;switch(t){case l.m.escape:n.state.suggestionsVisible&&(n.setState({suggestionsVisible:!1}),e.preventDefault(),e.stopPropagation());break;case l.m.tab:case l.m.enter:n.suggestionElement.current&&n.suggestionElement.current.hasSuggestedActionSelected()?n.suggestionElement.current.executeSelectedAction():!e.shiftKey&&n.suggestionStore.hasSelectedSuggestion()&&n.state.suggestionsVisible?(n.completeSuggestion(),e.preventDefault(),e.stopPropagation()):n._completeGenericSuggestion();break;case l.m.backspace:n.props.disabled||n.onBackspace(e),e.stopPropagation();break;case l.m.del:n.props.disabled||(n.input.current&&e.target===n.input.current.inputElement&&n.state.suggestionsVisible&&-1!==n.suggestionStore.currentIndex?(n.props.onRemoveSuggestion&&n.props.onRemoveSuggestion(n.suggestionStore.currentSuggestion.item),n.suggestionStore.removeSuggestion(n.suggestionStore.currentIndex),n.forceUpdate()):n.onBackspace(e)),e.stopPropagation();break;case l.m.up:n.input.current&&e.target===n.input.current.inputElement&&n.state.suggestionsVisible&&(n.suggestionElement.current&&n.suggestionElement.current.tryHandleKeyDown(t,n.suggestionStore.currentIndex)?(e.preventDefault(),e.stopPropagation(),n.forceUpdate()):n.suggestionElement.current&&n.suggestionElement.current.hasSuggestedAction()&&0===n.suggestionStore.currentIndex?(e.preventDefault(),e.stopPropagation(),n.suggestionElement.current.focusAboveSuggestions(),n.suggestionStore.deselectAllSuggestions(),n.forceUpdate()):n.suggestionStore.previousSuggestion()&&(e.preventDefault(),e.stopPropagation(),n.onSuggestionSelect()));break;case l.m.down:n.input.current&&e.target===n.input.current.inputElement&&n.state.suggestionsVisible&&(n.suggestionElement.current&&n.suggestionElement.current.tryHandleKeyDown(t,n.suggestionStore.currentIndex)?(e.preventDefault(),e.stopPropagation(),n.forceUpdate()):n.suggestionElement.current&&n.suggestionElement.current.hasSuggestedAction()&&n.suggestionStore.currentIndex+1===n.suggestionStore.suggestions.length?(e.preventDefault(),e.stopPropagation(),n.suggestionElement.current.focusBelowSuggestions(),n.suggestionStore.deselectAllSuggestions(),n.forceUpdate()):n.suggestionStore.nextSuggestion()&&(e.preventDefault(),e.stopPropagation(),n.onSuggestionSelect()))}},n.onItemChange=function(e,t){var o=n.state.items;if(t>=0){var r=o;r[t]=e,n._updateSelectedItems(r)}},n.onGetMoreResults=function(){n.setState({isSearching:!0},(function(){if(n.props.onGetMoreResults&&n.input.current){var e=n.props.onGetMoreResults(n.input.current.value,n.state.items),t=e,o=e;Array.isArray(t)?(n.updateSuggestions(t),n.setState({isSearching:!1})):o.then&&o.then((function(e){n.updateSuggestions(e),n.setState({isSearching:!1})}))}else n.setState({isSearching:!1});n.input.current&&n.input.current.focus(),n.setState({moreSuggestionsAvailable:!1,isResultsFooterVisible:!0})}))},n.completeSelection=function(e){n.addItem(e),n.updateValue(""),n.input.current&&n.input.current.clear(),n.setState({suggestionsVisible:!1})},n.addItemByIndex=function(e){n.completeSelection(n.suggestionStore.getSuggestionAtIndex(e).item)},n.addItem=function(e){var t=n.props.onItemSelected?n.props.onItemSelected(e):e;if(null!==t){var o=t,r=t;if(r&&r.then)r.then((function(e){var t=n.state.items.concat([e]);n._updateSelectedItems(t)}));else{var i=n.state.items.concat([o]);n._updateSelectedItems(i)}n.setState({suggestedDisplayValue:""})}},n.removeItem=function(e,t){var o=n.state.items,r=o.indexOf(e);if(r>=0){var i=o.slice(0,r).concat(o.slice(r+1));n._updateSelectedItems(i)}},n.removeItems=function(e){var t=n.state.items.filter((function(t){return-1===e.indexOf(t)}));n._updateSelectedItems(t)},n._shouldFocusZoneEnterInnerZone=function(e){if(n.state.suggestionsVisible)switch(e.which){case l.m.up:case l.m.down:return!0}return e.which===l.m.enter},n._onResolveSuggestions=function(e){var t=n.props.onResolveSuggestions(e,n.state.items);null!==t&&n.updateSuggestionsList(t,e)},n._completeGenericSuggestion=function(){if(n.props.onValidateInput&&n.input.current&&n.props.onValidateInput(n.input.current.value)!==I.Y.invalid&&n.props.createGenericItem){var e=n.props.createGenericItem(n.input.current.value,n.props.onValidateInput(n.input.current.value));n.suggestionStore.createGenericSuggestion(e),n.completeSuggestion()}},n._userTriggeredSuggestions=function(){if(!n.state.suggestionsVisible){var e=n.input.current?n.input.current.value:"";e?0===n.suggestionStore.suggestions.length?n._onResolveSuggestions(e):n.setState({isMostRecentlyUsedVisible:!1,suggestionsVisible:!0}):n.onEmptyInputFocus()}},(0,u.l)(n),n._async=new d.e(n);var r=t.selectedItems||t.defaultSelectedItems||[];return n._id=(0,p.z)(),n._ariaMap={selectedItems:"selected-items-"+n._id,selectedSuggestionAlert:"selected-suggestion-alert-"+n._id,suggestionList:"suggestion-list-"+n._id,combobox:"combobox-"+n._id},n.suggestionStore=new w.Z,n.selection=new v.Y({onSelectionChanged:function(){return n.onSelectionChange()}}),n.selection.setItems(r),n.state={items:r,suggestedDisplayValue:"",isMostRecentlyUsedVisible:!1,moreSuggestionsAvailable:!1,isFocused:!1,isSearching:!1,selectedIndices:[]},n}return(0,r.ZT)(t,e),t.getDerivedStateFromProps=function(e){return e.selectedItems?{items:e.selectedItems}:null},Object.defineProperty(t.prototype,"items",{get:function(){return this.state.items},enumerable:!0,configurable:!0}),t.prototype.componentDidMount=function(){this.selection.setItems(this.state.items),this._onResolveSuggestions=this._async.debounce(this._onResolveSuggestions,this.props.resolveDelay)},t.prototype.componentDidUpdate=function(e,t){if(this.state.items&&this.state.items!==t.items){var o=this.selection.getSelectedIndices()[0];this.selection.setItems(this.state.items),this.state.isFocused&&this.state.items.length0?"listbox":"dialog"},this.getSuggestionsAlert(_.screenReaderText),i.createElement(b.i,{selection:this.selection,selectionMode:y.oW.multiple},i.createElement("div",{className:_.text,role:"presentation"},n.length>0&&i.createElement("span",{id:this._ariaMap.selectedItems,className:_.itemsWrapper,role:"list"},this.renderItems()),this.canAddItems()&&i.createElement(D.G,(0,r.pi)({spellCheck:!1},l,{className:_.input,componentRef:this.input,onClick:this.onClick,onFocus:this.onInputFocus,onBlur:this.onInputBlur,onInputValueChange:this.onInputChange,suggestedDisplayValue:t,"aria-describedby":n.length>0?this._ariaMap.selectedItems:void 0,"aria-controls":f+" "+p||void 0,"aria-activedescendant":this.getActiveDescendant(),"aria-labelledby":this.props["aria-label"]?this._ariaMap.combobox:void 0,role:"textbox",disabled:c,onInputChange:this.props.onInputChange}))))),this.renderSuggestions())},t.prototype.canAddItems=function(){var e=this.state.items,t=this.props.itemLimit;return void 0===t||e.length=0){var o=this.root.current&&this.root.current.querySelectorAll("[data-selection-index]")[Math.min(e,t.length-1)];o&&this.focusZone.current&&this.focusZone.current.focusElement(o)}else this.canAddItems()?this.input.current&&this.input.current.focus():this.resetFocus(t.length-1)},t.prototype.onSuggestionSelect=function(){if(this.suggestionStore.currentSuggestion){var e=this.input.current?this.input.current.value:"",t=this._getTextFromItem(this.suggestionStore.currentSuggestion.item,e);this.setState({suggestedDisplayValue:t})}},t.prototype.onSelectionChange=function(){this.setState({selectedIndices:this.selection.getSelectedIndices()})},t.prototype.updateSuggestions=function(e){this.suggestionStore.updateSuggestions(e,0),this.forceUpdate()},t.prototype.onEmptyInputFocus=function(){var e=this.props.onEmptyResolveSuggestions?this.props.onEmptyResolveSuggestions:this.props.onEmptyInputFocus;if(e){var t=e(this.state.items);this.updateSuggestionsList(t),this.setState({isMostRecentlyUsedVisible:!0,suggestionsVisible:!0,moreSuggestionsAvailable:!1})}},t.prototype.updateValue=function(e){this._onResolveSuggestions(e)},t.prototype.updateSuggestionsList=function(e,t){var o=this,n=e,r=e;if(Array.isArray(n))this._updateAndResolveValue(t,n);else if(r&&r.then){this.setState({suggestionsLoading:!0}),this.suggestionStore.updateSuggestions([]),void 0!==t?this.setState({suggestionsVisible:this._getShowSuggestions()}):this.setState({suggestionsVisible:this.input.current&&this.input.current.inputElement===document.activeElement});var i=this.currentPromise=r;i.then((function(e){i===o.currentPromise&&o._updateAndResolveValue(t,e)}))}},t.prototype.resolveNewValue=function(e,t){var o=this;this.updateSuggestions(t);var n=void 0;this.suggestionStore.currentSuggestion&&(n=this._getTextFromItem(this.suggestionStore.currentSuggestion.item,e)),this.setState({suggestedDisplayValue:n,suggestionsVisible:this._getShowSuggestions()},(function(){return o.setState({suggestionsLoading:!1})}))},t.prototype.onChange=function(e){this.props.onChange&&this.props.onChange(e)},t.prototype.onBackspace=function(e){(this.state.items.length&&!this.input.current||this.input.current&&!this.input.current.isValueSelected&&0===this.input.current.cursorLocation)&&(this.selection.getSelectedCount()>0?this.removeItems(this.selection.getSelection()):this.removeItem(this.state.items[this.state.items.length-1]))},t.prototype.getActiveDescendant=function(){if(!this.state.suggestionsLoading){var e=this.suggestionStore.currentIndex;return e<0&&this.suggestionElement.current&&this.suggestionElement.current.hasSuggestedAction()?"sug-selectedAction":e>-1&&!this.state.suggestionsLoading?"sug-"+e:void 0}},t.prototype.getSuggestionsAlert=function(e){void 0===e&&(e=B.screenReaderOnly);var t=this.suggestionStore.currentIndex;if(this.props.enableSelectedSuggestionAlert){var o=t>-1?this.suggestionStore.getSuggestionAtIndex(this.suggestionStore.currentIndex):void 0,n=o?o.ariaLabel:void 0;return i.createElement("div",{className:e,role:"alert",id:this._ariaMap.selectedSuggestionAlert,"aria-live":"assertive"},n," ")}},t.prototype._updateAndResolveValue=function(e,t){void 0!==e?this.resolveNewValue(e,t):(this.suggestionStore.updateSuggestions(t,-1),this.state.suggestionsLoading&&this.setState({suggestionsLoading:!1}))},t.prototype._updateSelectedItems=function(e){var t=this;this.props.selectedItems?this.onChange(e):this.setState({items:e},(function(){t._onSelectedItemsUpdated(e)}))},t.prototype._onSelectedItemsUpdated=function(e){this.onChange(e)},t.prototype._getShowSuggestions=function(){return void 0!==this.input.current&&null!==this.input.current&&this.input.current.inputElement===document.activeElement&&""!==this.input.current.value},t.prototype._getTextFromItem=function(e,t){return this.props.getTextFromItem?this.props.getTextFromItem(e,t):""},t}(i.Component),A=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,r.ZT)(t,e),t.prototype.render=function(){var e=this.state,t=e.suggestedDisplayValue,o=e.isFocused,n=this.props,a=n.className,s=n.inputProps,l=n.disabled,c=n.theme,u=n.styles,d=this.props.enableSelectedSuggestionAlert?this._ariaMap.selectedSuggestionAlert:"",p=this.state.suggestionsVisible?this._ariaMap.suggestionList:"",f=u?F(u,{theme:c,className:a,isFocused:o,inputClassName:s&&s.className}):{root:(0,m.i)("ms-BasePicker",a||""),text:(0,m.i)("ms-BasePicker-text",B.pickerText,this.state.isFocused&&B.inputFocused,l&&B.inputDisabled),itemsWrapper:B.pickerItems,input:(0,m.i)("ms-BasePicker-input",B.pickerInput,s&&s.className),screenReaderText:B.screenReaderOnly};return i.createElement("div",{ref:this.root,onBlur:this.onBlur},i.createElement("div",{className:f.root,onKeyDown:this.onKeyDown},this.getSuggestionsAlert(f.screenReaderText),i.createElement("div",{className:f.text,"aria-owns":p||void 0,"aria-expanded":!!this.state.suggestionsVisible,"aria-haspopup":p&&this.suggestionStore.suggestions.length>0?"listbox":"dialog",role:"combobox"},i.createElement(D.G,(0,r.pi)({},s,{className:f.input,componentRef:this.input,onFocus:this.onInputFocus,onBlur:this.onInputBlur,onClick:this.onClick,onInputValueChange:this.onInputChange,suggestedDisplayValue:t,"aria-activedescendant":this.getActiveDescendant(),role:"textbox",disabled:l,"aria-controls":p+" "+d||void 0,onInputChange:this.props.onInputChange})))),this.renderSuggestions(),i.createElement(b.i,{selection:this.selection,selectionMode:y.oW.single},i.createElement(h.k,{componentRef:this.focusZone,className:"ms-BasePicker-selectedItems",isCircularNavigation:!0,direction:g.U.bidirectional,shouldEnterInnerZone:this._shouldFocusZoneEnterInnerZone,id:this._ariaMap.selectedItems,role:"list"},this.renderItems())))},t.prototype.onBackspace=function(e){},t}(L)},9378:(e,t,o)=>{"use strict";o.d(t,{W:()=>i});var n=o(9729),r={root:"ms-BasePicker",text:"ms-BasePicker-text",itemsWrapper:"ms-BasePicker-itemsWrapper",input:"ms-BasePicker-input"};function i(e){var t,o=e.className,i=e.theme,a=e.isFocused,s=e.inputClassName,l=e.disabled;if(!i)throw new Error("theme is undefined or null in base BasePicker getStyles function.");var c=i.semanticColors,u=i.effects,d=i.fonts,p=c.inputBorder,m=c.inputBorderHovered,h=c.inputFocusBorderAlt,g=(0,n.Cn)(r,i),f="rgba(218, 218, 218, 0.29)";return{root:[g.root,o],text:[g.text,{display:"flex",position:"relative",flexWrap:"wrap",alignItems:"center",boxSizing:"border-box",minWidth:180,minHeight:30,border:"1px solid "+p,borderRadius:u.roundedCorner2},!a&&!l&&{selectors:{":hover":{borderColor:m}}},a&&!l&&(0,n.$Y)(h,u.roundedCorner2),l&&{borderColor:f,selectors:(t={":after":{content:'""',position:"absolute",top:0,right:0,bottom:0,left:0,background:f}},t[n.qJ]={borderColor:"GrayText",selectors:{":after":{background:"none"}}},t)}],itemsWrapper:[g.itemsWrapper,{display:"flex",flexWrap:"wrap",maxWidth:"100%"}],input:[g.input,d.medium,{height:30,border:"none",flexGrow:1,outline:"none",padding:"0 6px 0",alignSelf:"flex-end",borderRadius:u.roundedCorner2,backgroundColor:"transparent",color:c.inputText,selectors:{"::-ms-clear":{display:"none"}}},s],screenReaderText:n.ul}}},7115:(e,t,o)=>{"use strict";var n;o.d(t,{Y:()=>n}),function(e){e[e.valid=0]="valid",e[e.warning=1]="warning",e[e.invalid=2]="invalid"}(n||(n={}))},9318:(e,t,o)=>{"use strict";o.d(t,{UM:()=>m,Aj:()=>h,fK:()=>g,eT:()=>f,XF:()=>v,IV:()=>b,cA:()=>y,V1:()=>_,CV:()=>C});var n=o(7622),r=o(7002),i=o(6104),a=o(5951),s=o(2002),l=o(8976),c=o(7115),u=o(4885),d=o(2535),p=o(9378),m=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t}(l.d),h=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t}(l.Y),g=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.defaultProps={onRenderItem:function(e){return r.createElement(u.A,(0,n.pi)({},e))},onRenderSuggestionsItem:function(e,t){return r.createElement(d.E,{personaProps:e,suggestionsProps:t})},createGenericItem:b},t}(m),f=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.defaultProps={onRenderItem:function(e){return r.createElement(u.A,(0,n.pi)({},e))},onRenderSuggestionsItem:function(e,t){return r.createElement(d.E,{personaProps:e,suggestionsProps:t,compact:!0})},createGenericItem:b},t}(m),v=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.defaultProps={onRenderItem:function(e){return r.createElement(u.A,(0,n.pi)({},e))},onRenderSuggestionsItem:function(e,t){return r.createElement(d.E,{personaProps:e,suggestionsProps:t})},createGenericItem:b},t}(h);function b(e,t){var o={key:e,primaryText:e,imageInitials:"!",ValidationState:t};return t!==c.Y.warning&&(o.imageInitials=(0,i.Q)(e,(0,a.zg)())),o}var y=(0,s.z)(g,p.W,void 0,{scope:"NormalPeoplePicker"}),_=(0,s.z)(f,p.W,void 0,{scope:"CompactPeoplePicker"}),C=(0,s.z)(v,p.W,void 0,{scope:"ListPeoplePickerBase"})},4885:(e,t,o)=>{"use strict";o.d(t,{A:()=>v,u:()=>f});var n=o(7622),r=o(7002),i=o(7300),a=o(2782),s=o(2002),l=o(7665),c=o(7481),u=o(5758),d=o(7115),p=o(9729),m=o(2657),h={root:"ms-PickerPersona-container",itemContent:"ms-PickerItem-content",removeButton:"ms-PickerItem-removeButton",isSelected:"is-selected",isInvalid:"is-invalid"},g=(0,i.y)(),f=function(e){var t=e.item,o=e.onRemoveItem,i=e.index,s=e.selected,p=e.removeButtonAriaLabel,m=e.styles,h=e.theme,f=e.className,v=e.disabled,b=(0,a.z)(),y=g(m,{theme:h,className:f,selected:s,disabled:v,invalid:t.ValidationState===d.Y.warning}),_=y.subComponentStyles?y.subComponentStyles.persona:void 0,C=y.subComponentStyles?y.subComponentStyles.personaCoin:void 0;return r.createElement("div",{className:y.root,"data-is-focusable":!v,"data-is-sub-focuszone":!0,"data-selection-index":i,role:"listitem","aria-labelledby":"selectedItemPersona-"+b},r.createElement("div",{className:y.itemContent,id:"selectedItemPersona-"+b},r.createElement(l.I,(0,n.pi)({size:c.Ir.size24,styles:_,coinProps:{styles:C}},t))),r.createElement(u.h,{onClick:o,disabled:v,iconProps:{iconName:"Cancel",styles:{root:{fontSize:"12px"}}},className:y.removeButton,ariaLabel:p}))},v=(0,s.z)(f,(function(e){var t,o,r,i,a,s,l,c=e.className,u=e.theme,d=e.selected,g=e.invalid,f=e.disabled,v=u.palette,b=u.semanticColors,y=u.fonts,_=(0,p.Cn)(h,u),C=[d&&!g&&!f&&{color:v.white,selectors:(t={":hover":{color:v.white}},t[p.qJ]={color:"HighlightText"},t)},(g&&!d||g&&d&&f)&&{color:v.redDark,borderBottom:"2px dotted "+v.redDark,selectors:(o={},o["."+_.root+":hover &"]={color:v.redDark},o)},g&&d&&!f&&{color:v.white,borderBottom:"2px dotted "+v.white},f&&{selectors:(r={},r[p.qJ]={color:"GrayText"},r)}],S=[g&&{fontSize:y.xLarge.fontSize}];return{root:[_.root,(0,p.GL)(u,{inset:-2}),{borderRadius:15,display:"inline-flex",alignItems:"center",background:v.neutralLighter,margin:"1px 2px",cursor:"default",userSelect:"none",maxWidth:300,verticalAlign:"middle",minWidth:0,selectors:(i={":hover":{background:d||f?"":v.neutralLight}},i[p.qJ]=[{border:"1px solid WindowText"},f&&{borderColor:"GrayText"}],i)},d&&!f&&[_.isSelected,{background:v.themePrimary,selectors:(a={},a[p.qJ]=(0,n.pi)({borderColor:"HighLight",background:"Highlight"},(0,p.xM)()),a)}],g&&[_.isInvalid],g&&d&&!f&&{background:v.redDark},c],itemContent:[_.itemContent,{flex:"0 1 auto",minWidth:0,maxWidth:"100%",overflow:"hidden"}],removeButton:[_.removeButton,{borderRadius:15,color:v.neutralPrimary,flex:"0 0 auto",width:24,height:24,selectors:{":hover":{background:v.neutralTertiaryAlt,color:v.neutralDark}}},d&&[{color:v.white,selectors:(s={":hover":{color:v.white,background:v.themeDark},":active":{color:v.white,background:v.themeDarker}},s[p.qJ]={color:"HighlightText"},s)},g&&{selectors:{":hover":{background:v.red},":active":{background:v.redDark}}}],f&&{selectors:(l={},l["."+m.n.msButtonIcon]={color:b.buttonText},l)}],subComponentStyles:{persona:{primaryText:C},personaCoin:{initials:S}}}}),void 0,{scope:"PeoplePickerItem"})},2535:(e,t,o)=>{"use strict";o.d(t,{E:()=>h,R:()=>m});var n=o(7622),r=o(7002),i=o(7300),a=o(2002),s=o(7665),l=o(7481),c=o(9729),u=o(4010),d={root:"ms-PeoplePicker-personaContent",personaWrapper:"ms-PeoplePicker-Persona"},p=(0,i.y)(),m=function(e){var t=e.personaProps,o=e.suggestionsProps,i=e.compact,a=e.styles,c=e.theme,u=e.className,d=p(a,{theme:c,className:o&&o.suggestionsItemClassName||u}),m=d.subComponentStyles&&d.subComponentStyles.persona?d.subComponentStyles.persona:void 0;return r.createElement("div",{className:d.root},r.createElement(s.I,(0,n.pi)({size:l.Ir.size24,styles:m,className:d.personaWrapper,showSecondaryText:!i},t)))},h=(0,a.z)(m,(function(e){var t,o,n,r=e.className,i=e.theme,a=(0,c.Cn)(d,i),s={selectors:(t={},t["."+u.k.isSuggested+" &"]={selectors:(o={},o[c.qJ]={color:"HighlightText"},o)},t["."+a.root+":hover &"]={selectors:(n={},n[c.qJ]={color:"HighlightText"},n)},t)};return{root:[a.root,{width:"100%",padding:"4px 12px"},r],personaWrapper:[a.personaWrapper,{width:180}],subComponentStyles:{persona:{primaryText:s,secondaryText:s}}}}),void 0,{scope:"PeoplePickerItemSuggestion"})},4800:(e,t,o)=>{"use strict";o.d(t,{D:()=>y});var n=o(7622),r=o(7002),i=o(7300),a=o(2002),s=o(8145),l=o(688),c=o(8088),u=o(990),d=o(76),p=o(3945),m=o(9862),h=o(7420),g=o(4010),f=o(8463),v=(0,i.y)(),b=(0,a.z)(h.S,g.W,void 0,{scope:"SuggestionItem"}),y=function(e){function t(t){var o=e.call(this,t)||this;return o._forceResolveButton=r.createRef(),o._searchForMoreButton=r.createRef(),o._selectedElement=r.createRef(),o.tryHandleKeyDown=function(e,t){var n=!1,r=null,i=o.state.selectedActionType,a=o.props.suggestions.length;if(e===s.m.down)switch(i){case m.L.forceResolve:a>0?(o._refocusOnSuggestions(e),r=m.L.none):r=o._searchForMoreButton.current?m.L.searchMore:m.L.forceResolve;break;case m.L.searchMore:o._forceResolveButton.current?r=m.L.forceResolve:a>0?(o._refocusOnSuggestions(e),r=m.L.none):r=m.L.searchMore;break;case m.L.none:-1===t&&o._forceResolveButton.current&&(r=m.L.forceResolve)}else if(e===s.m.up)switch(i){case m.L.forceResolve:o._searchForMoreButton.current?r=m.L.searchMore:a>0&&(o._refocusOnSuggestions(e),r=m.L.none);break;case m.L.searchMore:a>0?(o._refocusOnSuggestions(e),r=m.L.none):o._forceResolveButton.current&&(r=m.L.forceResolve);break;case m.L.none:-1===t&&o._searchForMoreButton.current&&(r=m.L.searchMore)}return null!==r&&(o.setState({selectedActionType:r}),n=!0),n},o._getAlertText=function(){var e=o.props,t=e.isLoading,n=e.isSearching,r=e.suggestions,i=e.suggestionsAvailableAlertText,a=e.noResultsFoundText;if(!t&&!n){if(r.length>0)return i||"";if(a)return a}return""},o._getMoreResults=function(){o.props.onGetMoreResults&&o.props.onGetMoreResults()},o._forceResolve=function(){o.props.createGenericItem&&o.props.createGenericItem()},o._shouldShowForceResolve=function(){return!!o.props.showForceResolve&&o.props.showForceResolve()},o._onClickTypedSuggestionsItem=function(e,t){return function(n){o.props.onSuggestionClick(n,e,t)}},o._refocusOnSuggestions=function(e){"function"==typeof o.props.refocusSuggestions&&o.props.refocusSuggestions(e)},o._onRemoveTypedSuggestionsItem=function(e,t){return function(n){(0,o.props.onSuggestionRemove)(n,e,t),n.stopPropagation()}},(0,l.l)(o),o.state={selectedActionType:m.L.none},o}return(0,n.ZT)(t,e),t.prototype.componentDidMount=function(){this.scrollSelected(),this.activeSelectedElement=this._selectedElement?this._selectedElement.current:null},t.prototype.componentDidUpdate=function(){this._selectedElement.current&&this.activeSelectedElement!==this._selectedElement.current&&(this.scrollSelected(),this.activeSelectedElement=this._selectedElement.current)},t.prototype.render=function(){var e,t,o=this,i=this.props,a=i.forceResolveText,s=i.mostRecentlyUsedHeaderText,l=i.searchForMoreText,h=i.className,g=i.moreSuggestionsAvailable,b=i.noResultsFoundText,y=i.suggestions,_=i.isLoading,C=i.isSearching,S=i.loadingText,x=i.onRenderNoResultFound,k=i.searchingText,w=i.isMostRecentlyUsedVisible,I=i.resultsMaximumNumber,D=i.resultsFooterFull,T=i.resultsFooter,E=i.isResultsFooterVisible,P=void 0===E||E,M=i.suggestionsHeaderText,R=i.suggestionsClassName,N=i.theme,B=i.styles,F=i.suggestionsListId;this._classNames=B?v(B,{theme:N,className:h,suggestionsClassName:R,forceResolveButtonSelected:this.state.selectedActionType===m.L.forceResolve,searchForMoreButtonSelected:this.state.selectedActionType===m.L.searchMore}):{root:(0,c.i)("ms-Suggestions",h,f.root),title:(0,c.i)("ms-Suggestions-title",f.suggestionsTitle),searchForMoreButton:(0,c.i)("ms-SearchMore-button",f.actionButton,(e={},e["is-selected "+f.buttonSelected]=this.state.selectedActionType===m.L.searchMore,e)),forceResolveButton:(0,c.i)("ms-forceResolve-button",f.actionButton,(t={},t["is-selected "+f.buttonSelected]=this.state.selectedActionType===m.L.forceResolve,t)),suggestionsAvailable:(0,c.i)("ms-Suggestions-suggestionsAvailable",f.suggestionsAvailable),suggestionsContainer:(0,c.i)("ms-Suggestions-container",f.suggestionsContainer,R),noSuggestions:(0,c.i)("ms-Suggestions-none",f.suggestionsNone)};var L=this._classNames.subComponentStyles?this._classNames.subComponentStyles.spinner:void 0,A=B?{styles:L}:{className:(0,c.i)("ms-Suggestions-spinner",f.suggestionsSpinner)},z=function(){return b?r.createElement("div",{className:o._classNames.noSuggestions},b):null},H=M;w&&s&&(H=s);var O=void 0;P&&(O=y.length>=I?D:T);var W=!(y&&y.length||_),V=W||_?{role:"dialog",id:F}:{},K=this.state.selectedActionType===m.L.forceResolve?"sug-selectedAction":void 0,q=this.state.selectedActionType===m.L.searchMore?"sug-selectedAction":void 0;return r.createElement("div",(0,n.pi)({className:this._classNames.root},V),r.createElement(p.O,{message:this._getAlertText(),"aria-live":"polite"}),H?r.createElement("div",{className:this._classNames.title},H):null,a&&this._shouldShowForceResolve()&&r.createElement(u.M,{componentRef:this._forceResolveButton,className:this._classNames.forceResolveButton,id:K,onClick:this._forceResolve,"data-automationid":"sug-forceResolve"},a),_&&r.createElement(d.$,(0,n.pi)({},A,{label:S})),W?x?x(void 0,z):z():this._renderSuggestions(),l&&g&&r.createElement(u.M,{componentRef:this._searchForMoreButton,className:this._classNames.searchForMoreButton,iconProps:{iconName:"Search"},id:q,onClick:this._getMoreResults,"data-automationid":"sug-searchForMore"},l),C?r.createElement(d.$,(0,n.pi)({},A,{label:k})):null,!O||g||w||C?null:r.createElement("div",{className:this._classNames.title},O(this.props)))},t.prototype.hasSuggestedAction=function(){return!!this._searchForMoreButton.current||!!this._forceResolveButton.current},t.prototype.hasSuggestedActionSelected=function(){return this.state.selectedActionType!==m.L.none},t.prototype.executeSelectedAction=function(){switch(this.state.selectedActionType){case m.L.forceResolve:this._forceResolve();break;case m.L.searchMore:this._getMoreResults()}},t.prototype.focusAboveSuggestions=function(){this._forceResolveButton.current?this.setState({selectedActionType:m.L.forceResolve}):this._searchForMoreButton.current&&this.setState({selectedActionType:m.L.searchMore})},t.prototype.focusBelowSuggestions=function(){this._searchForMoreButton.current?this.setState({selectedActionType:m.L.searchMore}):this._forceResolveButton.current&&this.setState({selectedActionType:m.L.forceResolve})},t.prototype.focusSearchForMoreButton=function(){this._searchForMoreButton.current&&this._searchForMoreButton.current.focus()},t.prototype.scrollSelected=function(){this._selectedElement.current&&void 0!==this._selectedElement.current.scrollIntoView&&this._selectedElement.current.scrollIntoView(!1)},t.prototype._renderSuggestions=function(){var e=this,t=this.props,o=t.onRenderSuggestion,n=t.removeSuggestionAriaLabel,i=t.suggestionsItemClassName,a=t.resultsMaximumNumber,s=t.showRemoveButtons,l=t.suggestionsContainerAriaLabel,c=t.suggestionsListId,u=this.props.suggestions,d=b,p=-1;return u.some((function(e,t){return!!e.selected&&(p=t,!0)})),a&&(u=p>=a?u.slice(p-a+1,p+1):u.slice(0,a)),0===u.length?null:r.createElement("div",{className:this._classNames.suggestionsContainer,id:c,role:"listbox","aria-label":l},u.map((function(t,a){return r.createElement("div",{ref:t.selected?e._selectedElement:void 0,key:t.item.key?t.item.key:a},r.createElement(d,{suggestionModel:t,RenderSuggestion:o,onClick:e._onClickTypedSuggestionsItem(t.item,a),className:i,showRemoveButton:s,removeButtonAriaLabel:n,onRemoveItem:e._onRemoveTypedSuggestionsItem(t.item,a),id:"sug-"+a}))})))},t}(r.Component)},8463:(e,t,o)=>{"use strict";o.r(t),o.d(t,{root:()=>n,suggestionsItem:()=>r,closeButton:()=>i,suggestionsItemIsSuggested:()=>a,itemButton:()=>s,actionButton:()=>l,buttonSelected:()=>c,suggestionsTitle:()=>u,suggestionsContainer:()=>d,suggestionsNone:()=>p,suggestionsSpinner:()=>m,suggestionsAvailable:()=>h}),(0,o(4976).RM)([{rawString:".root_744a4167{min-width:260px}.suggestionsItem_744a4167{display:-webkit-box;display:-ms-flexbox;display:flex;-webkit-box-align:stretch;-ms-flex-align:stretch;align-items:stretch;-webkit-box-sizing:border-box;box-sizing:border-box;width:100%;position:relative;overflow:hidden}.suggestionsItem_744a4167:hover{background:"},{theme:"neutralLighter",defaultValue:"#f3f2f1"},{rawString:"}.suggestionsItem_744a4167:hover .closeButton_744a4167{display:block}.suggestionsItem_744a4167.suggestionsItemIsSuggested_744a4167{background:"},{theme:"neutralLight",defaultValue:"#edebe9"},{rawString:"}.suggestionsItem_744a4167.suggestionsItemIsSuggested_744a4167:hover{background:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c6c4"},{rawString:"}@media screen and (-ms-high-contrast:active){.suggestionsItem_744a4167.suggestionsItemIsSuggested_744a4167:hover{background:Highlight;color:HighlightText}}@media screen and (-ms-high-contrast:active){.suggestionsItem_744a4167.suggestionsItemIsSuggested_744a4167{background:Highlight;color:HighlightText;-ms-high-contrast-adjust:none}}.suggestionsItem_744a4167.suggestionsItemIsSuggested_744a4167 .closeButton_744a4167:hover{background:"},{theme:"neutralTertiary",defaultValue:"#a19f9d"},{rawString:";color:"},{theme:"neutralPrimary",defaultValue:"#323130"},{rawString:"}@media screen and (-ms-high-contrast:active){.suggestionsItem_744a4167.suggestionsItemIsSuggested_744a4167 .itemButton_744a4167{color:HighlightText}}.suggestionsItem_744a4167 .closeButton_744a4167{display:none;color:"},{theme:"neutralSecondary",defaultValue:"#605e5c"},{rawString:"}.suggestionsItem_744a4167 .closeButton_744a4167:hover{background:"},{theme:"neutralLight",defaultValue:"#edebe9"},{rawString:"}.actionButton_744a4167{background-color:transparent;border:0;cursor:pointer;margin:0;position:relative;border-top:1px solid "},{theme:"neutralLight",defaultValue:"#edebe9"},{rawString:";height:40px;width:100%;font-size:12px}[dir=ltr] .actionButton_744a4167{padding-left:8px}[dir=rtl] .actionButton_744a4167{padding-right:8px}html[dir=ltr] .actionButton_744a4167{text-align:left}html[dir=rtl] .actionButton_744a4167{text-align:right}.actionButton_744a4167:hover{background-color:"},{theme:"neutralLight",defaultValue:"#edebe9"},{rawString:";cursor:pointer}.actionButton_744a4167:active,.actionButton_744a4167:focus{background-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:"}.actionButton_744a4167 .ms-Button-icon{font-size:16px;width:25px}.actionButton_744a4167 .ms-Button-label{margin:0 4px 0 9px}html[dir=rtl] .actionButton_744a4167 .ms-Button-label{margin:0 9px 0 4px}.buttonSelected_744a4167{background-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:"}.suggestionsTitle_744a4167{padding:0 12px;color:"},{theme:"themePrimary",defaultValue:"#0078d4"},{rawString:";font-size:12px;line-height:40px;border-bottom:1px solid "},{theme:"neutralLight",defaultValue:"#edebe9"},{rawString:"}.suggestionsContainer_744a4167{overflow-y:auto;overflow-x:hidden;max-height:300px;border-bottom:1px solid "},{theme:"neutralLight",defaultValue:"#edebe9"},{rawString:"}.suggestionsNone_744a4167{text-align:center;color:#797775;font-size:12px;line-height:30px}.suggestionsSpinner_744a4167{margin:5px 0;white-space:nowrap;line-height:20px;font-size:12px}html[dir=ltr] .suggestionsSpinner_744a4167{padding-left:14px}html[dir=rtl] .suggestionsSpinner_744a4167{padding-right:14px}html[dir=ltr] .suggestionsSpinner_744a4167{text-align:left}html[dir=rtl] .suggestionsSpinner_744a4167{text-align:right}.suggestionsSpinner_744a4167 .ms-Spinner-circle{display:inline-block;vertical-align:middle}.suggestionsSpinner_744a4167 .ms-Spinner-label{display:inline-block;margin:0 10px 0 16px;vertical-align:middle}html[dir=rtl] .suggestionsSpinner_744a4167 .ms-Spinner-label{margin:0 16px 0 10px}.itemButton_744a4167.itemButton_744a4167{width:100%;padding:0;min-width:0;height:100%}@media screen and (-ms-high-contrast:active){.itemButton_744a4167.itemButton_744a4167{color:WindowText}}.itemButton_744a4167.itemButton_744a4167:hover{color:"},{theme:"neutralDark",defaultValue:"#201f1e"},{rawString:"}.closeButton_744a4167.closeButton_744a4167{padding:0 4px;height:auto;width:32px}@media screen and (-ms-high-contrast:active){.closeButton_744a4167.closeButton_744a4167{color:WindowText}}.closeButton_744a4167.closeButton_744a4167:hover{background:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c6c4"},{rawString:";color:"},{theme:"neutralDark",defaultValue:"#201f1e"},{rawString:"}.suggestionsAvailable_744a4167{position:absolute;width:1px;height:1px;padding:0;margin:-1px;overflow:hidden;clip:rect(0,0,0,0);border:0}"}]);var n="root_744a4167",r="suggestionsItem_744a4167",i="closeButton_744a4167",a="suggestionsItemIsSuggested_744a4167",s="itemButton_744a4167",l="actionButton_744a4167",c="buttonSelected_744a4167",u="suggestionsTitle_744a4167",d="suggestionsContainer_744a4167",p="suggestionsNone_744a4167",m="suggestionsSpinner_744a4167",h="suggestionsAvailable_744a4167"},9862:(e,t,o)=>{"use strict";var n;o.d(t,{L:()=>n}),function(e){e[e.none=0]="none",e[e.forceResolve=1]="forceResolve",e[e.searchMore=2]="searchMore"}(n||(n={}))},6920:(e,t,o)=>{"use strict";o.d(t,{Z:()=>n});var n=function(){function e(){var e=this;this._isSuggestionModel=function(e){return void 0!==e.item},this._ensureSuggestionModel=function(t){return e._isSuggestionModel(t)?t:{item:t,selected:!1,ariaLabel:t.name||t.primaryText}},this.suggestions=[],this.currentIndex=-1}return e.prototype.updateSuggestions=function(e,t){e&&e.length>0?(this.suggestions=this.convertSuggestionsToSuggestionItems(e),this.currentIndex=t||0,-1===t?this.currentSuggestion=void 0:void 0!==t&&(this.suggestions[t].selected=!0,this.currentSuggestion=this.suggestions[t])):(this.suggestions=[],this.currentIndex=-1,this.currentSuggestion=void 0)},e.prototype.nextSuggestion=function(){if(this.suggestions&&this.suggestions.length){if(this.currentIndex0)return this.setSelectedSuggestion(this.currentIndex-1),!0;if(0===this.currentIndex)return this.setSelectedSuggestion(this.suggestions.length-1),!0}return!1},e.prototype.getSuggestions=function(){return this.suggestions},e.prototype.getCurrentItem=function(){return this.currentSuggestion},e.prototype.getSuggestionAtIndex=function(e){return this.suggestions[e]},e.prototype.hasSelectedSuggestion=function(){return!!this.currentSuggestion},e.prototype.removeSuggestion=function(e){this.suggestions.splice(e,1)},e.prototype.createGenericSuggestion=function(e){var t=this.convertSuggestionsToSuggestionItems([e])[0];this.currentSuggestion=t},e.prototype.convertSuggestionsToSuggestionItems=function(e){return Array.isArray(e)?e.map(this._ensureSuggestionModel):[]},e.prototype.deselectAllSuggestions=function(){this.currentIndex>-1&&(this.suggestions[this.currentIndex].selected=!1,this.currentIndex=-1)},e.prototype.setSelectedSuggestion=function(e){e>this.suggestions.length-1||e<0?(this.currentIndex=0,this.currentSuggestion.selected=!1,this.currentSuggestion=this.suggestions[0],this.currentSuggestion.selected=!0):(this.currentIndex>-1&&(this.suggestions[this.currentIndex].selected=!1),this.suggestions[e].selected=!0,this.currentIndex=e,this.currentSuggestion=this.suggestions[e])},e}()},7420:(e,t,o)=>{"use strict";o.d(t,{S:()=>p});var n=o(7622),r=o(7002),i=o(7300),a=o(688),s=o(8088),l=o(990),c=o(5758),u=o(8463),d=(0,i.y)(),p=function(e){function t(t){var o=e.call(this,t)||this;return(0,a.l)(o),o}return(0,n.ZT)(t,e),t.prototype.render=function(){var e,t=this.props,o=t.suggestionModel,n=t.RenderSuggestion,i=t.onClick,a=t.className,p=t.id,m=t.onRemoveItem,h=t.isSelectedOverride,g=t.removeButtonAriaLabel,f=t.styles,v=t.theme,b=f?d(f,{theme:v,className:a,suggested:o.selected||h}):{root:(0,s.i)("ms-Suggestions-item",u.suggestionsItem,(e={},e["is-suggested "+u.suggestionsItemIsSuggested]=o.selected||h,e),a),itemButton:(0,s.i)("ms-Suggestions-itemButton",u.itemButton),closeButton:(0,s.i)("ms-Suggestions-closeButton",u.closeButton)};return r.createElement("div",{className:b.root},r.createElement(l.M,{onClick:i,className:b.itemButton,id:p,"aria-selected":o.selected,role:"option","aria-label":o.ariaLabel},n(o.item,this.props)),this.props.showRemoveButton?r.createElement(c.h,{iconProps:{iconName:"Cancel",styles:{root:{fontSize:"12px"}}},title:g,ariaLabel:g,onClick:m,className:b.closeButton}):null)},t}(r.Component)},4010:(e,t,o)=>{"use strict";o.d(t,{k:()=>a,W:()=>s});var n=o(7622),r=o(9729),i=o(6145),a={root:"ms-Suggestions-item",itemButton:"ms-Suggestions-itemButton",closeButton:"ms-Suggestions-closeButton",isSuggested:"is-suggested"};function s(e){var t,o,s,l,c,u,d=e.className,p=e.theme,m=e.suggested,h=p.palette,g=p.semanticColors,f=(0,r.Cn)(a,p);return{root:[f.root,{display:"flex",alignItems:"stretch",boxSizing:"border-box",width:"100%",position:"relative",selectors:{"&:hover":{background:g.menuItemBackgroundHovered},"&:hover .ms-Suggestions-closeButton":{display:"block"}}},m&&{selectors:(t={},t["."+i.G$+" &"]={selectors:(o={},o["."+f.closeButton]={display:"block",background:g.menuItemBackgroundPressed},o)},t[":after"]={pointerEvents:"none",content:'""',position:"absolute",left:0,top:0,bottom:0,right:0,border:"1px solid "+p.semanticColors.focusBorder},t)},d],itemButton:[f.itemButton,{width:"100%",padding:0,border:"none",height:"100%",minWidth:0,overflow:"hidden",selectors:(s={},s[r.qJ]={color:"WindowText",selectors:{":hover":(0,n.pi)({background:"Highlight",color:"HighlightText"},(0,r.xM)())}},s[":hover"]={color:g.menuItemTextHovered},s)},m&&[f.isSuggested,{background:g.menuItemBackgroundPressed,selectors:(l={":hover":{background:g.menuDivider}},l[r.qJ]=(0,n.pi)({background:"Highlight",color:"HighlightText"},(0,r.xM)()),l)}]],closeButton:[f.closeButton,{display:"none",color:h.neutralSecondary,padding:"0 4px",height:"auto",width:32,selectors:(c={":hover, :active":{background:h.neutralTertiaryAlt,color:h.neutralDark}},c[r.qJ]={color:"WindowText"},c)},m&&(u={},u["."+i.G$+" &"]={selectors:{":hover, :active":{background:h.neutralTertiary}}},u.selectors={":hover, :active":{background:h.neutralTertiary,color:h.neutralPrimary}},u)]}}},6826:(e,t,o)=>{"use strict";o.r(t),o.d(t,{ActionButton:()=>_e.K,ActivityItem:()=>S,AnimationClassNames:()=>u.k4,AnimationDirection:()=>Be.s,AnimationStyles:()=>u.Ic,AnimationVariables:()=>u.D1,Announced:()=>k.O,AnnouncedBase:()=>w.d,Async:()=>bo.e,AutoScroll:()=>Ws,Autofill:()=>x.G,BaseButton:()=>ve.Y,BaseComponent:()=>Ie.H,BaseExtendedPeoplePicker:()=>na,BaseExtendedPicker:()=>ta,BaseFloatingPeoplePicker:()=>Ba,BaseFloatingPicker:()=>Ra,BasePeoplePicker:()=>wl.UM,BasePeopleSelectedItemsList:()=>Bc,BasePicker:()=>xl.d,BasePickerListBelow:()=>xl.Y,BaseSelectedItemsList:()=>fc,BaseSlots:()=>np,Breadcrumb:()=>fe,BreadcrumbBase:()=>ue,Button:()=>xe,ButtonGrid:()=>Me._,ButtonGridCell:()=>Re.U,ButtonType:()=>ne,COACHMARK_ATTRIBUTE_NAME:()=>xt,Calendar:()=>Ne.f,Callout:()=>Ae.U,CalloutContent:()=>ze.N,CalloutContentBase:()=>He.H,Check:()=>je,CheckBase:()=>qe,Checkbox:()=>Je.X,CheckboxBase:()=>Ye.A,CheckboxVisibility:()=>un,ChoiceGroup:()=>Ze.F,ChoiceGroupBase:()=>Xe.q,ChoiceGroupOption:()=>Qe.c,Coachmark:()=>Dt,CoachmarkBase:()=>wt,CollapseAllVisibility:()=>zo,ColorClassNames:()=>u.JJ,ColorPicker:()=>go.z,ColorPickerBase:()=>fo.T,ColorPickerGridCell:()=>qu.h,ColorPickerGridCellBase:()=>Gu.t,ColumnActionsMode:()=>an,ColumnDragEndLocation:()=>ln,ComboBox:()=>vo.C,CommandBar:()=>qo,CommandBarBase:()=>Ko,CommandBarButton:()=>ke.Q,CommandButton:()=>we.M,CommunicationColors:()=>vd,CompactPeoplePicker:()=>wl.V1,CompactPeoplePickerBase:()=>wl.eT,CompoundButton:()=>Ce.W,ConstrainMode:()=>sn,ContextualMenu:()=>Go.r,ContextualMenuBase:()=>Uo.MK,ContextualMenuItem:()=>Jo.W,ContextualMenuItemBase:()=>Yo.b,ContextualMenuItemType:()=>jo.n,Customizations:()=>Du.X,Customizer:()=>wp.N,CustomizerContext:()=>Iu.i,DATAKTP_ARIA_TARGET:()=>hs.A4,DATAKTP_EXECUTE_TARGET:()=>hs.ms,DATAKTP_TARGET:()=>hs.fV,DATA_IS_SCROLLABLE_ATTRIBUTE:()=>yo.c6,DATA_PORTAL_ATTRIBUTE:()=>Fp.Y,DAYS_IN_WEEK:()=>Le.NA,DEFAULT_CELL_STYLE_PROPS:()=>hn,DEFAULT_MASK_CHAR:()=>gd,DEFAULT_ROW_HEIGHTS:()=>gn,DatePicker:()=>Xo.M,DatePickerBase:()=>Qo.R,DateRangeType:()=>Le.NU,DayOfWeek:()=>Le.eO,DefaultButton:()=>ye.a,DefaultEffects:()=>u.rN,DefaultFontStyles:()=>u.ir,DefaultPalette:()=>u.UK,DefaultSpacing:()=>wd.C,DelayedRender:()=>Us.U,Depths:()=>kd.N,DetailsColumnBase:()=>En,DetailsHeader:()=>Hn,DetailsHeaderBase:()=>Bn,DetailsList:()=>xr,DetailsListBase:()=>br,DetailsListLayoutMode:()=>cn,DetailsRow:()=>Gn,DetailsRowBase:()=>Kn,DetailsRowCheck:()=>In,DetailsRowFields:()=>On,DetailsRowGlobalClassNames:()=>mn,Dialog:()=>ni,DialogBase:()=>ti,DialogContent:()=>Xr,DialogContentBase:()=>Yr,DialogFooter:()=>Ur,DialogFooterBase:()=>qr,DialogType:()=>Cr,DirectionalHint:()=>K.b,DocumentCard:()=>mi,DocumentCardActions:()=>vi,DocumentCardActivity:()=>_i,DocumentCardDetails:()=>ki,DocumentCardImage:()=>Li,DocumentCardLocation:()=>Di,DocumentCardLogo:()=>Ki,DocumentCardPreview:()=>Mi,DocumentCardStatus:()=>ji,DocumentCardTitle:()=>Hi,DocumentCardType:()=>ri,DragDropHelper:()=>Dn,Dropdown:()=>Ji.L,DropdownBase:()=>Yi.P,DropdownMenuItemType:()=>Zi.F,EdgeChromiumHighContrastSelector:()=>u.Ox,ElementType:()=>oe,EventGroup:()=>at.r,ExpandingCard:()=>ja,ExpandingCardBase:()=>Ua,ExpandingCardMode:()=>Va,ExtendedPeoplePicker:()=>ra,ExtendedSelectedItem:()=>Ec,Fabric:()=>ia.P,FabricBase:()=>aa.d,FabricPerformance:()=>fp,FabricSlots:()=>rp,Facepile:()=>ha,FacepileBase:()=>pa,FirstWeekOfYear:()=>Le.On,FloatingPeoplePicker:()=>Fa,FluentTheme:()=>Vd,FocusRects:()=>B.u,FocusTrapCallout:()=>We,FocusTrapZone:()=>Oe.P,FocusZone:()=>M.k,FocusZoneDirection:()=>R.U,FocusZoneTabbableElements:()=>R.J,FontClassNames:()=>u.yV,FontIcon:()=>Ve.xu,FontSizes:()=>u.TS,FontWeights:()=>u.lq,GlobalSettings:()=>vp.D,GroupFooter:()=>ir,GroupHeader:()=>$n,GroupShowAll:()=>or,GroupSpacer:()=>pn,GroupedList:()=>dr,GroupedListBase:()=>ur,GroupedListSection:()=>ar,HEX_REGEX:()=>Tt.lX,HighContrastSelector:()=>u.qJ,HighContrastSelectorBlack:()=>u.$v,HighContrastSelectorWhite:()=>u.bO,HoverCard:()=>es,HoverCardBase:()=>$a,HoverCardType:()=>Oa,Icon:()=>W.J,IconBase:()=>ts.A,IconButton:()=>V.h,IconFontSizes:()=>u.ld,IconType:()=>os.T,Image:()=>Ti.E,ImageBase:()=>is.v,ImageCoverStyle:()=>as.yZ,ImageFit:()=>as.kQ,ImageIcon:()=>ns.X,ImageLoadState:()=>as.U9,InjectionMode:()=>u.qS,IsFocusVisibleClassName:()=>de.G$,KTP_ARIA_SEPARATOR:()=>hs.Tc,KTP_FULL_PREFIX:()=>hs.L7,KTP_LAYER_ID:()=>hs.nK,KTP_PREFIX:()=>hs.ww,KTP_SEPARATOR:()=>hs.by,KeyCodes:()=>rt.m,KeyboardSpinDirection:()=>fu.T,Keytip:()=>ps,KeytipData:()=>ms.a,KeytipEvents:()=>hs.Tj,KeytipLayer:()=>Es,KeytipLayerBase:()=>Ts,KeytipManager:()=>Bo.K,Label:()=>Ns._,LabelBase:()=>Rs.E,Layer:()=>dt.m,LayerBase:()=>Ls.s,LayerHost:()=>zs,Link:()=>O,LinkBase:()=>A,List:()=>Eo,ListPeoplePicker:()=>wl.CV,ListPeoplePickerBase:()=>wl.XF,LocalizedFontFamilies:()=>Od.II,LocalizedFontNames:()=>Od.Qm,MAX_COLOR_ALPHA:()=>Tt.c5,MAX_COLOR_HUE:()=>Tt.a_,MAX_COLOR_RGB:()=>Tt.uc,MAX_COLOR_RGBA:()=>Tt.WC,MAX_COLOR_SATURATION:()=>Tt.fr,MAX_COLOR_VALUE:()=>Tt.uw,MAX_HEX_LENGTH:()=>Tt.fG,MAX_RGBA_LENGTH:()=>Tt.jU,MIN_HEX_LENGTH:()=>Tt.yE,MIN_RGBA_LENGTH:()=>Tt.HT,MarqueeSelection:()=>Gs,MaskedTextField:()=>fd,MeasuredContext:()=>Z,MemberListPeoplePicker:()=>wl.Aj,MessageBar:()=>il,MessageBarBase:()=>$s,MessageBarButton:()=>Ee,MessageBarType:()=>Bs,Modal:()=>Wr,ModalBase:()=>Or,MonthOfYear:()=>Le.m2,MotionAnimations:()=>xd,MotionDurations:()=>Cd,MotionTimings:()=>Sd,Nav:()=>dl,NavBase:()=>ul,NeutralColors:()=>bd,NormalPeoplePicker:()=>wl.cA,NormalPeoplePickerBase:()=>wl.fK,OpenCardMode:()=>Ha,OverflowButtonType:()=>oa,OverflowSet:()=>Oo,OverflowSetBase:()=>Ao,Overlay:()=>Ir.a,OverlayBase:()=>pl.R,Panel:()=>ml.s,PanelBase:()=>hl.P,PanelType:()=>gl.w,PeoplePickerItem:()=>Il.A,PeoplePickerItemBase:()=>Il.u,PeoplePickerItemSuggestion:()=>Dl.E,PeoplePickerItemSuggestionBase:()=>Dl.R,Persona:()=>ua.I,PersonaBase:()=>fl.R,PersonaCoin:()=>_.t,PersonaCoinBase:()=>vl.z,PersonaInitialsColor:()=>C.z5,PersonaPresence:()=>C.H_,PersonaSize:()=>C.Ir,Pivot:()=>Xl,PivotBase:()=>Ul,PivotItem:()=>Vl,PivotLinkFormat:()=>jl,PivotLinkSize:()=>Jl,PlainCard:()=>Xa,PlainCardBase:()=>Za,Popup:()=>Dr.G,Position:()=>lt.L,PositioningContainer:()=>bt,PrimaryButton:()=>Se.K,ProgressIndicator:()=>nc,ProgressIndicatorBase:()=>$l,PulsingBeaconAnimationStyles:()=>u.a1,RGBA_REGEX:()=>Tt.Xb,Rating:()=>rc.i,RatingBase:()=>ic.x,RatingSize:()=>ac.O,Rectangle:()=>bp.A,RectangleEdge:()=>lt.z,ResizeGroup:()=>re,ResizeGroupBase:()=>te,ResizeGroupDirection:()=>z,ResponsiveMode:()=>Er.eD,SELECTION_CHANGE:()=>on.F5,ScreenWidthMaxLarge:()=>u.P$,ScreenWidthMaxMedium:()=>u.yp,ScreenWidthMaxSmall:()=>u.mV,ScreenWidthMaxXLarge:()=>u.yO,ScreenWidthMaxXXLarge:()=>u.CQ,ScreenWidthMinLarge:()=>u.AV,ScreenWidthMinMedium:()=>u.dd,ScreenWidthMinSmall:()=>u.QQ,ScreenWidthMinUhfMobile:()=>u.bE,ScreenWidthMinXLarge:()=>u.qv,ScreenWidthMinXXLarge:()=>u.B,ScreenWidthMinXXXLarge:()=>u.F1,ScrollToMode:()=>xo,ScrollablePane:()=>pc,ScrollablePaneBase:()=>dc,ScrollablePaneContext:()=>cc,ScrollbarVisibility:()=>lc,SearchBox:()=>mc.R,SearchBoxBase:()=>hc.i,SelectAllVisibility:()=>wn,SelectableOptionMenuItemType:()=>Zi.F,SelectedPeopleList:()=>Fc,Selection:()=>nn.Y,SelectionDirection:()=>on.a$,SelectionMode:()=>on.oW,SelectionZone:()=>rn.i,SemanticColorSlots:()=>ip,Separator:()=>zc,SeparatorBase:()=>Ac,Shade:()=>Yt,SharedColors:()=>yd,Shimmer:()=>cu,ShimmerBase:()=>lu,ShimmerCircle:()=>tu,ShimmerCircleBase:()=>eu,ShimmerElementType:()=>Hc,ShimmerElementsDefaultHeights:()=>Oc,ShimmerElementsGroup:()=>au,ShimmerElementsGroupBase:()=>nu,ShimmerGap:()=>Xc,ShimmerGapBase:()=>Yc,ShimmerLine:()=>jc,ShimmerLineBase:()=>Gc,ShimmeredDetailsList:()=>pu,ShimmeredDetailsListBase:()=>du,Slider:()=>mu.i,SliderBase:()=>hu.V,SpinButton:()=>gu.k,Spinner:()=>Yn.$,SpinnerBase:()=>vu.G,SpinnerSize:()=>bu.E,SpinnerType:()=>bu.d,Stack:()=>Hu,StackItem:()=>Nu,Sticky:()=>Ou,StickyPositionType:()=>Pu,Stylesheet:()=>u.Ye,SuggestionActionType:()=>Cl.L,SuggestionItemType:()=>_a,Suggestions:()=>_l.D,SuggestionsControl:()=>Pa,SuggestionsController:()=>Sl.Z,SuggestionsCore:()=>ya,SuggestionsHeaderFooterItem:()=>Ea,SuggestionsItem:()=>fa.S,SuggestionsStore:()=>Aa,SwatchColorPicker:()=>Vu.U,SwatchColorPickerBase:()=>Ku._,TagItem:()=>Nl,TagItemBase:()=>Rl,TagItemSuggestion:()=>Al,TagItemSuggestionBase:()=>Ll,TagPicker:()=>Hl,TagPickerBase:()=>zl,TeachingBubble:()=>nd,TeachingBubbleBase:()=>od,TeachingBubbleContent:()=>$u,TeachingBubbleContentBase:()=>ju,Text:()=>ad,TextField:()=>sd.n,TextFieldBase:()=>ld.P,TextStyles:()=>id,TextView:()=>rd,ThemeContext:()=>qd,ThemeGenerator:()=>sp,ThemeProvider:()=>op,ThemeSettingName:()=>u.Jw,TimeConstants:()=>tn.r,Toggle:()=>cp.Z,ToggleBase:()=>up.s,Tooltip:()=>dp.u,TooltipBase:()=>pp.P,TooltipDelay:()=>mp.j,TooltipHost:()=>ie.G,TooltipHostBase:()=>hp.Z,TooltipOverflowMode:()=>ae.y,ValidationState:()=>kl.Y,VerticalDivider:()=>ii.p,VirtualizedComboBox:()=>Mo,WeeklyDayPicker:()=>hm,WindowContext:()=>j.Hn,WindowProvider:()=>j.WU,ZIndexes:()=>u.bR,addDays:()=>en.E4,addDirectionalKeyCode:()=>Op.e,addElementAtIndex:()=>Co.OA,addMonths:()=>en.zI,addWeeks:()=>en.jh,addYears:()=>en.Bc,allowOverscrollOnElement:()=>yo.eC,allowScrollOnElement:()=>yo.C7,anchorProperties:()=>E.h2,appendFunction:()=>yp.Z,arraysEqual:()=>Co.cO,asAsync:()=>Sp,assertNever:()=>xp,assign:()=>Xt.f0,audioProperties:()=>E.vF,baseElementEvents:()=>E.WO,baseElementProperties:()=>E.Nf,buildClassMap:()=>u.$O,buildColumns:()=>yr,buildKeytipConfigMap:()=>Ps,buttonProperties:()=>E.Yq,calculatePrecision:()=>Vs.oe,canAnyMenuItemsCheck:()=>Uo.Hl,clamp:()=>Mt.u,classNamesFunction:()=>D.y,colGroupProperties:()=>E.YG,colProperties:()=>E.qi,compareDatePart:()=>en.NJ,compareDates:()=>en.aN,composeComponentAs:()=>No,composeRenderFunction:()=>ko.k,concatStyleSets:()=>u.E$,concatStyleSetsWithProps:()=>u.l7,constructKeytip:()=>Ms,correctHSV:()=>Jt,correctHex:()=>Zt.L,correctRGB:()=>jt.k,createArray:()=>Co.Ri,createFontStyles:()=>u.FF,createGenericItem:()=>wl.IV,createItem:()=>La,createMemoizer:()=>d.Ct,createMergedRef:()=>am.S,createTheme:()=>u.jG,css:()=>pt.i,cssColor:()=>Et.r,customizable:()=>De.a,defaultCalendarNavigationIcons:()=>Fe.XU,defaultCalendarStrings:()=>Fe.V3,defaultDatePickerStrings:()=>$o.f,defaultDayPickerStrings:()=>Fe.GC,defaultWeeklyDayPickerNavigationIcons:()=>um,defaultWeeklyDayPickerStrings:()=>cm,disableBodyScroll:()=>yo.Qp,divProperties:()=>E.n7,doesElementContainFocus:()=>ot.WU,elementContains:()=>it.t,elementContainsAttribute:()=>Tp.j,enableBodyScroll:()=>yo.tG,extendComponent:()=>Ap.c,filteredAssign:()=>Xt.lW,find:()=>Co.sE,findElementRecursive:()=>Ep.X,findIndex:()=>Co.cx,findScrollableParent:()=>yo.zj,fitContentToBounds:()=>Vs.nK,flatten:()=>Co.xH,focusAsync:()=>ot.um,focusClear:()=>u.e2,focusFirstChild:()=>ot.uo,fontFace:()=>u.jN,formProperties:()=>E.NX,format:()=>ap.W,getAllSelectedOptions:()=>gc.t,getAriaDescribedBy:()=>ss.w7,getBackgroundShade:()=>po,getBoundsFromTargetWindow:()=>ct.qE,getChildren:()=>Mp,getColorFromHSV:()=>Wt,getColorFromRGBA:()=>Ht.N,getColorFromString:()=>zt.T,getContrastRatio:()=>mo,getDatePartHashValue:()=>en.c8,getDateRangeArray:()=>en.e0,getDetailsRowStyles:()=>vn,getDistanceBetweenPoints:()=>Vs.Iw,getDocument:()=>nt.M,getEdgeChromiumNoHighContrastAdjustSelector:()=>u.h4,getElementIndexPath:()=>ot.xu,getEndDateOfWeek:()=>en.Hx,getFadedOverflowStyle:()=>u.$X,getFirstFocusable:()=>ot.ft,getFirstTabbable:()=>ot.RK,getFocusOutlineStyle:()=>u.jx,getFocusStyle:()=>u.GL,getFocusableByIndexPath:()=>ot.bF,getFontIcon:()=>Ve.Pw,getFullColorString:()=>Vt.p,getGlobalClassNames:()=>u.Cn,getHighContrastNoAdjustStyle:()=>u.xM,getIcon:()=>u.q7,getIconClassName:()=>u.Wx,getIconContent:()=>Ve.z1,getId:()=>dn.z,getInitialResponsiveMode:()=>Er.K7,getInitials:()=>Na.Q,getInputFocusStyle:()=>u.$Y,getLanguage:()=>Gp.G,getLastFocusable:()=>ot.TE,getLastTabbable:()=>ot.xY,getMaxHeight:()=>ct.DC,getMeasurementCache:()=>J,getMenuItemStyles:()=>Zo.w,getMonthEnd:()=>en.D7,getMonthStart:()=>en.pU,getNativeElementProps:()=>$d,getNativeProps:()=>E.pq,getNextElement:()=>ot.dc,getNextResizeGroupStateProvider:()=>Y,getOppositeEdge:()=>ct.bv,getParent:()=>_o.G,getPersonaInitialsColor:()=>yl.g,getPlaceholderStyles:()=>u.Sv,getPreviousElement:()=>ot.TD,getPropsWithDefaults:()=>st.j,getRTL:()=>T.zg,getRTLSafeKeyCode:()=>T.dP,getRect:()=>mr,getResourceUrl:()=>Xp,getResponsiveMode:()=>Er.tc,getScreenSelector:()=>u.sK,getScrollbarWidth:()=>yo.np,getShade:()=>uo,getSplitButtonClassNames:()=>Pe.W,getStartDateOfWeek:()=>en.wu,getSubmenuItems:()=>Uo.Nb,getTheme:()=>u.gh,getThemedContext:()=>u.Nf,getVirtualParent:()=>Rp.r,getWeekNumber:()=>en.uW,getWeekNumbersInMonth:()=>en.iU,getWindow:()=>So.J,getYearEnd:()=>en.Q9,getYearStart:()=>en.W8,hasHorizontalOverflow:()=>Yp.b5,hasOverflow:()=>Yp.zS,hasVerticalOverflow:()=>Yp.cs,hiddenContentStyle:()=>u.ul,hoistMethods:()=>zp.W,hoistStatics:()=>Hp.f,hsl2hsv:()=>Nt.E,hsl2rgb:()=>Rt.w,hsv2hex:()=>Ft.d,hsv2hsl:()=>At,hsv2rgb:()=>Bt.X,htmlElementProperties:()=>E.iY,iframeProperties:()=>E.SZ,imageProperties:()=>E.X7,imgProperties:()=>E.it,initializeComponentRef:()=>P.l,initializeFocusRects:()=>Wp,initializeIcons:()=>rs.l,initializeResponsiveMode:()=>Er.LF,inputProperties:()=>E.Gg,isControlled:()=>kp.s,isDark:()=>co,isDirectionalKeyCode:()=>Op.L,isElementFocusSubZone:()=>ot.gc,isElementFocusZone:()=>ot.jz,isElementTabbable:()=>ot.MW,isElementVisible:()=>ot.Jv,isIE11:()=>rm.f,isIOS:()=>jp.g,isInDateRangeArray:()=>en.le,isMac:()=>_s.V,isRelativeUrl:()=>ll,isValidShade:()=>ao,isVirtualElement:()=>Pp.r,keyframes:()=>u.F4,ktpTargetFromId:()=>ss._l,ktpTargetFromSequences:()=>ss.eX,labelProperties:()=>E.mp,liProperties:()=>E.PT,loadTheme:()=>u.jz,makeStyles:()=>Zd,mapEnumByName:()=>Xt.vT,memoize:()=>d.HP,memoizeFunction:()=>d.NF,merge:()=>Up.T,mergeAriaAttributeValues:()=>_p.I,mergeCustomizations:()=>Ip.u,mergeOverflows:()=>ss.a1,mergeScopedSettings:()=>Dp.J,mergeSettings:()=>Dp.O,mergeStyleSets:()=>u.ZC,mergeStyles:()=>u.y0,mergeThemes:()=>_d.I,modalize:()=>Jp.O,noWrap:()=>u.jq,normalize:()=>u.Fv,nullRender:()=>Ie.S,olProperties:()=>E.t$,omit:()=>Xt.CE,on:()=>Mr.on,optionProperties:()=>E.Qy,personaPresenceSize:()=>bl.bw,personaSize:()=>bl.or,portalContainsElement:()=>Np.w,positionCallout:()=>ct.c5,positionCard:()=>ct.Su,positionElement:()=>ct.p$,precisionRound:()=>Vs.F0,presenceBoolean:()=>bl.zx,raiseClick:()=>Bp.x,registerDefaultFontFaces:()=>u.Kq,registerIconAlias:()=>u.M_,registerIcons:()=>u.fm,registerOnThemeChangeCallback:()=>u.tj,removeIndex:()=>Co.$E,removeOnThemeChangeCallback:()=>u.sw,replaceElement:()=>Co.wm,resetControlledWarnings:()=>om.G,resetIds:()=>dn._,resetMemoizations:()=>d.du,rgb2hex:()=>Pt.C,rgb2hsv:()=>Lt.D,safeRequestAnimationFrame:()=>$p.J,safeSetTimeout:()=>em,selectProperties:()=>E.bL,sequencesToID:()=>ss.aB,setBaseUrl:()=>Qp,setFocusVisibility:()=>de.MU,setIconOptions:()=>u.yN,setLanguage:()=>Gp.m,setMemoizeWeakMap:()=>d.rQ,setMonth:()=>en.q0,setPortalAttribute:()=>Fp.U,setRTL:()=>T.ok,setResponsiveMode:()=>Er.kd,setSSR:()=>im.T,setVirtualParent:()=>Lp.N,setWarningCallback:()=>be.U,shallowCompare:()=>Xt.Vv,shouldWrapFocus:()=>ot.mM,sizeBoolean:()=>bl.yR,sizeToPixels:()=>bl.Y4,styled:()=>I.z,tableProperties:()=>E.$B,tdProperties:()=>E.IX,textAreaProperties:()=>E.FI,thProperties:()=>E.fI,themeRulesStandardCreator:()=>lp,toMatrix:()=>Co.QC,trProperties:()=>E.PC,transitionKeysAreEqual:()=>Ss,transitionKeysContain:()=>xs,unhoistMethods:()=>zp.e,unregisterIcons:()=>u.Kf,updateA:()=>Ut.R,updateH:()=>qt.i,updateRGB:()=>Gt,updateSV:()=>Kt.d,updateT:()=>ho.X,useCustomizationSettings:()=>Kd.D,useDocument:()=>j.ky,useFocusRects:()=>B.P,useHeightOffset:()=>vt,useKeytipRef:()=>fs,useResponsiveMode:()=>Tr.q,useTheme:()=>Gd,useWindow:()=>j.zY,values:()=>Xt.VO,videoProperties:()=>E.NI,warn:()=>be.Z,warnConditionallyRequiredProps:()=>tm.w,warnControlledUsage:()=>om.Q,warnDeprecations:()=>Vr.b,warnMutuallyExclusive:()=>nm.L,withResponsiveMode:()=>Er.Ae});var n={};o.r(n),o.d(n,{pickerInput:()=>$i,pickerText:()=>Qi});var r={};o.r(r),o.d(r,{callout:()=>ga});var i={};o.r(i),o.d(i,{suggestionsContainer:()=>va});var a={};o.r(a),o.d(a,{actionButton:()=>Sa,buttonSelected:()=>xa,itemButton:()=>Ia,root:()=>Ca,screenReaderOnly:()=>Da,suggestionsSpinner:()=>wa,suggestionsTitle:()=>ka});var s={};o.r(s),o.d(s,{actionButton:()=>yc,expandButton:()=>kc,hover:()=>bc,itemContainer:()=>Dc,itemContent:()=>Sc,personaContainer:()=>vc,personaContainerIsSelected:()=>_c,personaDetails:()=>Ic,personaWrapper:()=>wc,removeButton:()=>xc,validationError:()=>Cc});var l=o(7622),c=o(7002),u=o(9729),d=o(5094),p=(0,d.NF)((function(e,t,o,n){return{root:(0,u.y0)("ms-ActivityItem",t,e.root,n&&e.isCompactRoot),pulsingBeacon:(0,u.y0)("ms-ActivityItem-pulsingBeacon",e.pulsingBeacon),personaContainer:(0,u.y0)("ms-ActivityItem-personaContainer",e.personaContainer,n&&e.isCompactPersonaContainer),activityPersona:(0,u.y0)("ms-ActivityItem-activityPersona",e.activityPersona,n&&e.isCompactPersona,!n&&o&&2===o.length&&e.doublePersona),activityTypeIcon:(0,u.y0)("ms-ActivityItem-activityTypeIcon",e.activityTypeIcon,n&&e.isCompactIcon),activityContent:(0,u.y0)("ms-ActivityItem-activityContent",e.activityContent,n&&e.isCompactContent),activityText:(0,u.y0)("ms-ActivityItem-activityText",e.activityText),commentText:(0,u.y0)("ms-ActivityItem-commentText",e.commentText),timeStamp:(0,u.y0)("ms-ActivityItem-timeStamp",e.timeStamp,n&&e.isCompactTimeStamp)}})),m="32px",h="16px",g="16px",f="13px",v=(0,d.NF)((function(){return(0,u.F4)({from:{opacity:0},to:{opacity:1}})})),b=(0,d.NF)((function(){return(0,u.F4)({from:{transform:"translateX(-10px)"},to:{transform:"translateX(0)"}})})),y=(0,d.NF)((function(e,t,o,n,r,i){var a;void 0===e&&(e=(0,u.gh)());var s={animationName:u.a1.continuousPulseAnimationSingle(n||e.palette.themePrimary,r||e.palette.themeTertiary,"4px","28px","4px"),animationIterationCount:"1",animationDuration:".8s",zIndex:1},l={animationName:b(),animationIterationCount:"1",animationDuration:".5s"},c={animationName:v(),animationIterationCount:"1",animationDuration:".5s"},d={root:[e.fonts.small,{display:"flex",justifyContent:"flex-start",alignItems:"flex-start",boxSizing:"border-box",color:e.palette.neutralSecondary},i&&o&&c],pulsingBeacon:[{position:"absolute",top:"50%",left:"50%",transform:"translate(-50%, -50%)",width:"0px",height:"0px",borderRadius:"225px",borderStyle:"solid",opacity:0},i&&o&&s],isCompactRoot:{alignItems:"center"},personaContainer:{display:"flex",flexWrap:"wrap",minWidth:m,width:m,height:m},isCompactPersonaContainer:{display:"inline-flex",flexWrap:"nowrap",flexBasis:"auto",height:h,width:"auto",minWidth:"0",paddingRight:"6px"},activityTypeIcon:{height:m,fontSize:g,lineHeight:g,marginTop:"3px"},isCompactIcon:{height:h,minWidth:h,fontSize:f,lineHeight:f,color:e.palette.themePrimary,marginTop:"1px",position:"relative",display:"flex",justifyContent:"center",alignItems:"center",selectors:{".ms-Persona-imageArea":{margin:"-2px 0 0 -2px",border:"2px solid"+e.palette.white,borderRadius:"50%",selectors:(a={},a[u.qJ]={border:"none",margin:"0"},a)}}},activityPersona:{display:"block"},doublePersona:{selectors:{":first-child":{alignSelf:"flex-end"}}},isCompactPersona:{display:"inline-block",width:"8px",minWidth:"8px",overflow:"visible"},activityContent:[{padding:"0 8px"},i&&o&&l],activityText:{display:"inline"},isCompactContent:{flex:"1",padding:"0 4px",whiteSpace:"nowrap",textOverflow:"ellipsis",overflowX:"hidden"},commentText:{color:e.palette.neutralPrimary},timeStamp:[e.fonts.tiny,{fontWeight:400,color:e.palette.neutralSecondary}],isCompactTimeStamp:{display:"inline-block",paddingLeft:"0.3em",fontSize:"1em"}};return(0,u.E$)(d,t)})),_=o(6543),C=o(7481),S=function(e){function t(t){var o=e.call(this,t)||this;return o._onRenderIcon=function(e){return e.activityPersonas?o._onRenderPersonaArray(e):o.props.activityIcon},o._onRenderActivityDescription=function(e){var t=o._getClassNames(e),n=e.activityDescription||e.activityDescriptionText;return n?c.createElement("span",{className:t.activityText},n):null},o._onRenderComments=function(e){var t=o._getClassNames(e),n=e.comments||e.commentText;return!e.isCompact&&n?c.createElement("div",{className:t.commentText},n):null},o._onRenderTimeStamp=function(e){var t=o._getClassNames(e);return!e.isCompact&&e.timeStamp?c.createElement("div",{className:t.timeStamp},e.timeStamp):null},o._onRenderPersonaArray=function(e){var t=o._getClassNames(e),n=null,r=e.activityPersonas;if(r[0].imageUrl||r[0].imageInitials){var i=[],a=r.length>1||e.isCompact,s=e.isCompact?3:4,u=void 0;e.isCompact&&(u={display:"inline-block",width:"10px",minWidth:"10px",overflow:"visible"}),r.filter((function(e,t){return tt;){var l=r(a);if(void 0===l)return{renderedData:a,resizeDirection:void 0,dataToMeasure:void 0};if(void 0===(s=o.getCachedMeasurement(l)))return{dataToMeasure:l,resizeDirection:"shrink"};a=l}return{renderedData:a,resizeDirection:void 0,dataToMeasure:void 0}}return{getNextState:function(e,i,a,s){if(void 0!==s||void 0!==i.dataToMeasure){if(s){if(t&&i.renderedData&&!i.dataToMeasure)return(0,l.pi)((0,l.pi)({},i),function(e,o,n,r){var i;return i=e>t?r?{resizeDirection:"grow",dataToMeasure:r(n)}:{resizeDirection:"shrink",dataToMeasure:o}:{resizeDirection:"shrink",dataToMeasure:n},t=e,(0,l.pi)((0,l.pi)({},i),{measureContainer:!1})}(s,e.data,i.renderedData,e.onGrowData));t=s}var c=(0,l.pi)((0,l.pi)({},i),{measureContainer:!1});return i.dataToMeasure&&(c="grow"===i.resizeDirection&&e.onGrowData?(0,l.pi)((0,l.pi)({},c),function(e,i,a,s){for(var c=e,u=n(e,a);u=i))return(t=(0,l.pr)(t)).splice(r,0,a),(0,l.pi)((0,l.pi)({},e),{renderedItems:t,renderedOverflowItems:o})},o._onRenderBreadcrumb=function(e){var t=e.props,n=t.ariaLabel,r=t.dividerAs,i=void 0===r?W.J:r,a=t.onRenderItem,s=void 0===a?o._onRenderItem:a,u=t.overflowAriaLabel,d=t.overflowIndex,p=t.onRenderOverflowIcon,m=t.overflowButtonAs,h=e.renderedOverflowItems,g=e.renderedItems,f=h.map((function(e){var t=!(!e.onClick&&!e.href);return{text:e.text,name:e.text,key:e.key,onClick:e.onClick?o._onBreadcrumbClicked.bind(o,e):null,href:e.href,disabled:!t,itemProps:t?void 0:ce}})),v=g.length-1,b=h&&0!==h.length,y=g.map((function(e,t){return c.createElement("li",{className:o._classNames.listItem,key:e.key||String(t)},s(e,o._onRenderItem),(t!==v||b&&t===d-1)&&c.createElement(i,{className:o._classNames.chevron,iconName:(0,T.zg)(o.props.theme)?"ChevronLeft":"ChevronRight",item:e}))}));if(b){var _=p?{}:{iconName:"More"},C=p||le,S=m||V.h;y.splice(d,0,c.createElement("li",{className:o._classNames.overflow,key:"overflow"},c.createElement(S,{className:o._classNames.overflowButton,iconProps:_,role:"button","aria-haspopup":"true",ariaLabel:u,onRenderMenuIcon:C,menuProps:{items:f,directionalHint:K.b.bottomLeftEdge}}),d!==v+1&&c.createElement(i,{className:o._classNames.chevron,iconName:(0,T.zg)(o.props.theme)?"ChevronLeft":"ChevronRight",item:h[h.length-1]})))}var x=(0,E.pq)(o.props,E.iY,["className"]);return c.createElement("div",(0,l.pi)({className:o._classNames.root,role:"navigation","aria-label":n},x),c.createElement(M.k,(0,l.pi)({componentRef:o._focusZone,direction:R.U.horizontal},o.props.focusZoneProps),c.createElement("ol",{className:o._classNames.list},y)))},o._onRenderItem=function(e){var t=e.as,n=e.href,r=e.onClick,i=e.isCurrentItem,a=e.text,s=(0,l._T)(e,["as","href","onClick","isCurrentItem","text"]);if(r||n)return c.createElement(O,(0,l.pi)({},s,{as:t,className:o._classNames.itemLink,href:n,"aria-current":i?"page":void 0,onClick:o._onBreadcrumbClicked.bind(o,e)}),c.createElement(ie.G,(0,l.pi)({content:a,overflowMode:ae.y.Parent},o.props.tooltipHostProps),a));var u=t||"span";return c.createElement(u,(0,l.pi)({},s,{className:o._classNames.item}),c.createElement(ie.G,(0,l.pi)({content:a,overflowMode:ae.y.Parent},o.props.tooltipHostProps),a))},o._onBreadcrumbClicked=function(e,t){e.onClick&&e.onClick(t,e)},(0,P.l)(o),o._validateProps(t),o}return(0,l.ZT)(t,e),t.prototype.focus=function(){this._focusZone.current&&this._focusZone.current.focus()},t.prototype.render=function(){this._validateProps(this.props);var e=this.props,t=e.onReduceData,o=void 0===t?this._onReduceData:t,n=e.onGrowData,r=void 0===n?this._onGrowData:n,i=e.overflowIndex,a=e.maxDisplayedItems,s=e.items,u=e.className,d=e.theme,p=e.styles,m=(0,l.pr)(s),h=m.splice(i,m.length-a),g={props:this.props,renderedItems:m,renderedOverflowItems:h};return this._classNames=se(p,{className:u,theme:d}),c.createElement(re,{onRenderData:this._onRenderBreadcrumb,onReduceData:o,onGrowData:r,data:g})},t.prototype._validateProps=function(e){var t=e.maxDisplayedItems,o=e.overflowIndex,n=e.items;if(o<0||t>1&&o>t-1||n.length>0&&o>n.length-1)throw new Error("Breadcrumb: overflowIndex out of range")},t.defaultProps={items:[],maxDisplayedItems:999,overflowIndex:0},t}(c.Component),de=o(6145),pe={root:"ms-Breadcrumb",list:"ms-Breadcrumb-list",listItem:"ms-Breadcrumb-listItem",chevron:"ms-Breadcrumb-chevron",overflow:"ms-Breadcrumb-overflow",overflowButton:"ms-Breadcrumb-overflowButton",itemLink:"ms-Breadcrumb-itemLink",item:"ms-Breadcrumb-item"},me={whiteSpace:"nowrap",textOverflow:"ellipsis",overflow:"hidden"},he=(0,u.sK)(0,u.mV),ge=(0,u.sK)(u.dd,u.yp),fe=(0,I.z)(ue,(function(e){var t,o,n,r,i=e.className,a=e.theme,s=a.palette,c=a.semanticColors,d=a.fonts,p=(0,u.Cn)(pe,a),m=c.menuItemBackgroundHovered,h=c.menuItemBackgroundPressed,g=s.neutralSecondary,f=u.lq.regular,v=s.neutralPrimary,b=s.neutralPrimary,y=u.lq.semibold,_=s.neutralSecondary,C=s.neutralSecondary,S={fontWeight:y,color:b},x={":hover":{color:v,backgroundColor:m,cursor:"pointer",selectors:(t={},t[u.qJ]={color:"Highlight"},t)},":active":{backgroundColor:h,color:v},"&:active:hover":{color:v,backgroundColor:h},"&:active, &:hover, &:active:hover":{textDecoration:"none"}},k={color:g,padding:"0 8px",lineHeight:36,fontSize:18,fontWeight:f};return{root:[p.root,d.medium,{margin:"11px 0 1px"},i],list:[p.list,{whiteSpace:"nowrap",padding:0,margin:0,display:"flex",alignItems:"stretch"}],listItem:[p.listItem,{listStyleType:"none",margin:"0",padding:"0",display:"flex",position:"relative",alignItems:"center",selectors:{"&:last-child .ms-Breadcrumb-itemLink":S,"&:last-child .ms-Breadcrumb-item":S}}],chevron:[p.chevron,{color:_,fontSize:d.small.fontSize,selectors:(o={},o[u.qJ]=(0,l.pi)({color:"WindowText"},(0,u.xM)()),o[ge]={fontSize:8},o[he]={fontSize:8},o)}],overflow:[p.overflow,{position:"relative",display:"flex",alignItems:"center"}],overflowButton:[p.overflowButton,(0,u.GL)(a),me,{fontSize:16,color:C,height:"100%",cursor:"pointer",selectors:(0,l.pi)((0,l.pi)({},x),(n={},n[he]={padding:"4px 6px"},n[ge]={fontSize:d.mediumPlus.fontSize},n))}],itemLink:[p.itemLink,(0,u.GL)(a),me,(0,l.pi)((0,l.pi)({},k),{selectors:(0,l.pi)((r={":focus":{color:s.neutralDark}},r["."+de.G$+" &:focus"]={outline:"none"},r),x)})],item:[p.item,(0,l.pi)((0,l.pi)({},k),{selectors:{":hover":{cursor:"default"}}})]}}),void 0,{scope:"Breadcrumb"}),ve=o(4968);!function(e){e[e.button=0]="button",e[e.anchor=1]="anchor"}(oe||(oe={})),function(e){e[e.normal=0]="normal",e[e.primary=1]="primary",e[e.hero=2]="hero",e[e.compound=3]="compound",e[e.command=4]="command",e[e.icon=5]="icon",e[e.default=6]="default"}(ne||(ne={}));var be=o(687),ye=o(9632),_e=o(2898),Ce=o(8959),Se=o(8924),xe=function(e){function t(t){var o=e.call(this,t)||this;return(0,be.Z)("The Button component has been deprecated. Use specific variants instead. (PrimaryButton, DefaultButton, IconButton, ActionButton, etc.)"),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props;switch(e.buttonType){case ne.command:return c.createElement(_e.K,(0,l.pi)({},e));case ne.compound:return c.createElement(Ce.W,(0,l.pi)({},e));case ne.icon:return c.createElement(V.h,(0,l.pi)({},e));case ne.primary:return c.createElement(Se.K,(0,l.pi)({},e));default:return c.createElement(ye.a,(0,l.pi)({},e))}},t}(c.Component),ke=o(1420),we=o(990),Ie=o(9013),De=o(6053),Te=(0,d.NF)((function(e,t){return(0,u.E$)({root:[(0,u.GL)(e,{inset:1,highContrastStyle:{outlineOffset:"-4px",outline:"1px solid Window"},borderColor:"transparent"}),{height:24}]},t)})),Ee=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.theme;return c.createElement(ye.a,(0,l.pi)({},this.props,{styles:Te(o,t),onRenderDescription:Ie.S}))},(0,l.gn)([(0,De.a)("MessageBarButton",["theme","styles"],!0)],t)}(c.Component),Pe=o(5032),Me=o(2836),Re=o(634),Ne=o(4977),Be=o(716),Fe=o(6883),Le=o(1093),Ae=o(5953),ze=o(4941),He=o(5666),Oe=o(6007),We=function(e){return c.createElement(Ae.U,(0,l.pi)({},e),c.createElement(Oe.P,(0,l.pi)({disabled:e.hidden},e.focusTrapProps),e.children))},Ve=o(4734),Ke=(0,D.y)(),qe=c.forwardRef((function(e,t){var o=e.checked,n=void 0!==o&&o,r=e.className,i=e.theme,a=e.styles,s=e.useFastIcons,l=void 0===s||s,u=Ke(a,{theme:i,className:r,checked:n}),d=l?Ve.xu:W.J;return c.createElement("div",{className:u.root,ref:t},c.createElement(d,{iconName:"CircleRing",className:u.circle}),c.createElement(d,{iconName:"StatusCircleCheckmark",className:u.check}))}));qe.displayName="CheckBase";var Ge,Ue={root:"ms-Check",circle:"ms-Check-circle",check:"ms-Check-check",checkHost:"ms-Check-checkHost"},je=(0,I.z)(qe,(function(e){var t,o,n,r,i,a=e.height,s=void 0===a?e.checkBoxHeight||"18px":a,c=e.checked,d=e.className,p=e.theme,m=p.palette,h=p.semanticColors,g=p.fonts,f=(0,T.zg)(p),v=(0,u.Cn)(Ue,p),b={fontSize:s,position:"absolute",left:0,top:0,width:s,height:s,textAlign:"center",verticalAlign:"middle"};return{root:[v.root,g.medium,{lineHeight:"1",width:s,height:s,verticalAlign:"top",position:"relative",userSelect:"none",selectors:(t={":before":{content:'""',position:"absolute",top:"1px",right:"1px",bottom:"1px",left:"1px",borderRadius:"50%",opacity:1,background:h.bodyBackground}},t["."+v.checkHost+":hover &, ."+v.checkHost+":focus &, &:hover, &:focus"]={opacity:1},t)},c&&["is-checked",{selectors:{":before":{background:m.themePrimary,opacity:1,selectors:(o={},o[u.qJ]={background:"Window"},o)}}}],d],circle:[v.circle,b,{color:m.neutralSecondary,selectors:(n={},n[u.qJ]={color:"WindowText"},n)},c&&{color:m.white}],check:[v.check,b,{opacity:0,color:m.neutralSecondary,fontSize:u.ld.medium,left:f?"-0.5px":".5px",selectors:(r={":hover":{opacity:1}},r[u.qJ]=(0,l.pi)({},(0,u.xM)()),r)},c&&{opacity:1,color:m.white,fontWeight:900,selectors:(i={},i[u.qJ]={border:"none",color:"WindowText"},i)}],checkHost:v.checkHost}}),void 0,{scope:"Check"},!0),Je=o(2777),Ye=o(5790),Ze=o(9240),Xe=o(5554),Qe=o(1351),$e=(0,d.NF)((function(){return(0,u.F4)({"0%":{transform:"translate(0, 0)",animationTimingFunction:"linear"},"78.57%":{transform:"translate(0, 0)",animationTimingFunction:"cubic-bezier(0.62, 0, 0.56, 1)"},"82.14%":{transform:"translate(0, -5px)",animationTimingFunction:"cubic-bezier(0.58, 0, 0, 1)"},"84.88%":{transform:"translate(0, 9px)",animationTimingFunction:"cubic-bezier(1, 0, 0.56, 1)"},"88.1%":{transform:"translate(0, -2px)",animationTimingFunction:"cubic-bezier(0.58, 0, 0.67, 1)"},"90.12%":{transform:"translate(0, 0)",animationTimingFunction:"linear"},"100%":{transform:"translate(0, 0)"}})})),et=(0,d.NF)((function(){return(0,u.F4)({"0%":{transform:" scale(0)",animationTimingFunction:"linear"},"14.29%":{transform:"scale(0)",animationTimingFunction:"cubic-bezier(0.84, 0, 0.52, 0.99)"},"16.67%":{transform:"scale(1.15)",animationTimingFunction:"cubic-bezier(0.48, -0.01, 0.52, 1.01)"},"19.05%":{transform:"scale(0.95)",animationTimingFunction:"cubic-bezier(0.48, 0.02, 0.52, 0.98)"},"21.43%":{transform:"scale(1)",animationTimingFunction:"linear"},"42.86%":{transform:"scale(1)",animationTimingFunction:"cubic-bezier(0.48, -0.02, 0.52, 1.02)"},"45.71%":{transform:"scale(0.8)",animationTimingFunction:"cubic-bezier(0.48, 0.01, 0.52, 0.99)"},"50%":{transform:"scale(1)",animationTimingFunction:"linear"},"90.12%":{transform:"scale(1)",animationTimingFunction:"cubic-bezier(0.48, -0.02, 0.52, 1.02)"},"92.98%":{transform:"scale(0.8)",animationTimingFunction:"cubic-bezier(0.48, 0.01, 0.52, 0.99)"},"97.26%":{transform:"scale(1)",animationTimingFunction:"linear"},"100%":{transform:"scale(1)"}})})),tt=(0,d.NF)((function(){return(0,u.F4)({"0%":{transform:"rotate(0deg)",animationTimingFunction:"linear"},"83.33%":{transform:" rotate(0deg)",animationTimingFunction:"cubic-bezier(0.33, 0, 0.67, 1)"},"83.93%":{transform:"rotate(15deg)",animationTimingFunction:"cubic-bezier(0.33, 0, 0.67, 1)"},"84.52%":{transform:"rotate(-15deg)",animationTimingFunction:"cubic-bezier(0.33, 0, 0.67, 1)"},"85.12%":{transform:"rotate(15deg)",animationTimingFunction:"cubic-bezier(0.33, 0, 0.67, 1)"},"85.71%":{transform:"rotate(-15deg)",animationTimingFunction:"cubic-bezier(0.33, 0, 0.67, 1)"},"86.31%":{transform:"rotate(0deg)",animationTimingFunction:"linear"},"100%":{transform:"rotate(0deg)"}})})),ot=o(4553),nt=o(5446),rt=o(8145),it=o(3345),at=o(9919),st=o(63),lt=o(4568),ct=o(6591),ut=(0,d.NF)((function(){var e;return(0,u.ZC)({root:[{position:"absolute",boxSizing:"border-box",border:"1px solid ${}",selectors:(e={},e[u.qJ]={border:"1px solid WindowText"},e)},(0,u.e2)()],container:{position:"relative"},main:{backgroundColor:"#ffffff",overflowX:"hidden",overflowY:"hidden",position:"relative"},overFlowYHidden:{overflowY:"hidden"}})})),dt=o(7513),pt=o(8088),mt=o(2674),ht={opacity:0},gt=((Ge={})[lt.z.top]="slideUpIn20",Ge[lt.z.bottom]="slideDownIn20",Ge[lt.z.left]="slideLeftIn20",Ge[lt.z.right]="slideRightIn20",Ge),ft={preventDismissOnScroll:!1,offsetFromTarget:0,minPagePadding:8,directionalHint:K.b.bottomAutoEdge};function vt(e,t){var o=e.finalHeight,n=c.useState(0),r=n[0],i=n[1],a=(0,G.r)(),s=c.useRef(0),l=function(){t&&o&&(s.current=a.requestAnimationFrame((function(){if(t.current){var e=t.current.lastChild,n=e.scrollHeight,c=e.offsetHeight;i(r+(n-c)),e.offsetHeightk?k:_,I=c.createElement("div",{ref:i,className:(0,pt.i)("ms-PositioningContainer",S.container)},c.createElement("div",{className:(0,u.y0)("ms-PositioningContainer-layerHost",S.root,b,x,!!y&&{width:y}),style:h?h.elementPosition:ht,tabIndex:-1,ref:n},C,w));return o.doNotLayer?I:c.createElement(dt.m,null,I)}));function yt(e){return{root:[{position:"absolute",boxShadow:"inherit",border:"none",boxSizing:"border-box",transform:e.transform,width:e.width,height:e.height,left:e.left,top:e.top,right:e.right,bottom:e.bottom}],beak:{fill:e.color,display:"block"}}}bt.displayName="PositioningContainer";var _t=c.forwardRef((function(e,t){var o,n,r,i,a,s,l=e.left,u=e.top,d=e.bottom,p=e.right,m=e.color,h=e.direction,g=void 0===h?lt.z.top:h;switch(g===lt.z.top||g===lt.z.bottom?(o=10,n=18):(o=18,n=10),g){case lt.z.top:default:r="9, 0",i="18, 10",a="0, 10",s="translateY(-100%)";break;case lt.z.right:r="0, 0",i="10, 10",a="0, 18",s="translateX(100%)";break;case lt.z.bottom:r="0, 0",i="18, 0",a="9, 10",s="translateY(100%)";break;case lt.z.left:r="10, 0",i="0, 10",a="10, 18",s="translateX(-100%)"}var f=(0,D.y)()(yt,{left:l,top:u,bottom:d,right:p,height:o+"px",width:n+"px",transform:s,color:m});return c.createElement("div",{className:f.root,role:"presentation",ref:t},c.createElement("svg",{height:o,width:n,className:f.beak},c.createElement("polygon",{points:r+" "+i+" "+a})))}));_t.displayName="Beak";var Ct=o(5646),St=(0,D.y)(),xt="data-coachmarkid",kt={isCollapsed:!0,mouseProximityOffset:10,delayBeforeMouseOpen:3600,delayBeforeCoachmarkAnimation:0,isPositionForced:!0,positioningContainerProps:{directionalHint:K.b.bottomAutoEdge}},wt=c.forwardRef((function(e,t){var o=(0,st.j)(kt,e),n=c.useRef(null),r=c.useRef(null),i=function(){var e=(0,G.r)(),t=c.useState(),o=t[0],n=t[1],r=c.useState(),i=r[0],a=r[1];return[o,i,function(t){var o=t.alignmentEdge,r=t.targetEdge;return e.requestAnimationFrame((function(){n(o),a(r)}))}]}(),a=i[0],s=i[1],u=i[2],d=function(e,t){var o=e.isCollapsed,n=e.onAnimationOpenStart,r=e.onAnimationOpenEnd,i=c.useState(!!o),a=i[0],s=i[1],l=(0,Ct.L)().setTimeout,u=c.useRef(!a),d=c.useCallback((function(){var e,o,i,a;u.current||(s(!1),null===(e=n)||void 0===e||e(),null===(a=null===(o=t.current)||void 0===o?void 0:(i=o).addEventListener)||void 0===a||a.call(i,"transitionend",(function(){var e;l((function(){t.current&&(0,ot.uo)(t.current)}),1e3),null===(e=r)||void 0===e||e()})),u.current=!0)}),[t,r,n,l]);return c.useEffect((function(){o||d()}),[o]),[a,d]}(o,n),p=d[0],m=d[1],h=function(e,t,o){var n=(0,T.zg)(e.theme);return c.useMemo((function(){var e,r,i=void 0===o?lt.z.bottom:(0,ct.bv)(o),a={direction:i},s="3px";switch(i){case lt.z.top:case lt.z.bottom:t?t===lt.z.left?(a.left="7px",e="left"):(a.right="7px",e="right"):(a.left="calc(50% - 9px)",e="center"),i===lt.z.top?(a.top=s,r="top"):(a.bottom=s,r="bottom");break;case lt.z.left:case lt.z.right:t?t===lt.z.top?(a.top="7px",r="top"):(a.bottom="7px",r="bottom"):(a.top="calc(50% - 9px)",r="center"),i===lt.z.left?(n?a.right=s:a.left=s,e="left"):(n?a.left=s:a.right=s,e="right")}return[a,e+" "+r]}),[t,o,n])}(o,a,s),g=h[0],f=h[1],v=function(e,t){var o=c.useState(!!e.isCollapsed),n=o[0],r=o[1],i=c.useState(e.isCollapsed?{width:0,height:0}:{}),a=i[0],s=i[1],l=(0,G.r)();return c.useEffect((function(){l.requestAnimationFrame((function(){t.current&&(s({width:t.current.offsetWidth,height:t.current.offsetHeight}),r(!1))}))}),[]),[n,a]}(o,n),b=v[0],y=v[1],_=function(e){var t=e.ariaAlertText,o=(0,G.r)(),n=c.useState(),r=n[0],i=n[1];return c.useEffect((function(){o.requestAnimationFrame((function(){i(t)}))}),[]),r}(o),C=function(e){var t=e.preventFocusOnMount,o=(0,Ct.L)().setTimeout,n=c.useRef(null);return c.useEffect((function(){t||o((function(){var e;return null===(e=n.current)||void 0===e?void 0:e.focus()}),1e3)}),[]),n}(o);!function(e,t,o){var n,r=null===(n=(0,nt.M)())||void 0===n?void 0:n.documentElement;(0,U.d)(r,"keydown",(function(e){var n,r,i;(e.altKey&&e.which===rt.m.c||e.which===rt.m.enter&&(null===(i=null===(n=t.current)||void 0===n?void 0:(r=n).contains)||void 0===i?void 0:i.call(r,e.target)))&&o()}),!0);var i=function(o){var n,r;if(e.preventDismissOnLostFocus){var i=o.target,a=t.current&&!(0,it.t)(t.current,i),s=e.target;a&&i!==s&&!(0,it.t)(s,i)&&(null===(r=(n=e).onDismiss)||void 0===r||r.call(n,o))}};(0,U.d)(r,"click",i,!0),(0,U.d)(r,"focus",i,!0)}(o,r,m),function(e){var t=e.onDismiss;c.useImperativeHandle(e.componentRef,(function(e){return{dismiss:function(){var o;null===(o=t)||void 0===o||o(e)}}}),[t])}(o),function(e,t,o){var n=(0,Ct.L)(),r=n.setTimeout,i=n.clearTimeout,a=c.useRef();c.useEffect((function(){var n=function(){t.current&&(a.current=t.current.getBoundingClientRect())},s=new at.r({});return r((function(){var t=e.mouseProximityOffset,l=void 0===t?0:t,c=[];r((function(){n(),s.on(window,"resize",(function(){c.forEach((function(e){i(e)})),c.splice(0,c.length),c.push(r((function(){n()}),100))}))}),10),s.on(document,"mousemove",(function(t){var r,i,s=t.clientY,c=t.clientX;n(),function(e,t,o,n){return void 0===n&&(n=0),t>e.left-n&&te.top-n&&o=Yt.Unshaded&&e<=Yt.Shade8}function so(e,t){return{h:e.h,s:e.s,v:(0,Mt.u)(e.v-e.v*t,100,0)}}function lo(e,t){return{h:e.h,s:(0,Mt.u)(e.s-e.s*t,100,0),v:(0,Mt.u)(e.v+(100-e.v)*t,100,0)}}function co(e){return At(e.h,e.s,e.v).l<50}function uo(e,t,o){if(void 0===o&&(o=!1),!e)return null;if(t===Yt.Unshaded||!ao(t))return e;var n=At(e.h,e.s,e.v),r={h:e.h,s:e.s,v:e.v},i=t-1,a=lo,s=so;return o&&(a=so,s=lo),r=function(e){return e.r===Tt.uc&&e.g===Tt.uc&&e.b===Tt.uc}(e)?so(r,eo[i]):function(e){return 0===e.r&&0===e.g&&0===e.b}(e)?lo(r,to[i]):n.l/100>.8?s(r,no[i]):n.l/100<.2?a(r,oo[i]):i1?n/r:r/n}!function(e){e[e.Unshaded=0]="Unshaded",e[e.Shade1=1]="Shade1",e[e.Shade2=2]="Shade2",e[e.Shade3=3]="Shade3",e[e.Shade4=4]="Shade4",e[e.Shade5=5]="Shade5",e[e.Shade6=6]="Shade6",e[e.Shade7=7]="Shade7",e[e.Shade8=8]="Shade8"}(Yt||(Yt={}));var ho=o(1332),go=o(6847),fo=o(1958),vo=o(610),bo=o(2167),yo=o(4948),_o=o(6840),Co=o(2470),So=o(9757),xo={auto:0,top:1,bottom:2,center:3},ko=o(8826),wo={top:-1,bottom:-1,left:-1,right:-1,width:0,height:0},Io=function(e){return e.getBoundingClientRect()},Do=Io,To=Io,Eo=function(e){function t(t){var o=e.call(this,t)||this;return o._root=c.createRef(),o._surface=c.createRef(),o._pageRefs={},o._getDerivedStateFromProps=function(e,t){return e.items!==o.props.items||e.renderCount!==o.props.renderCount||e.startIndex!==o.props.startIndex||e.version!==o.props.version?(o._resetRequiredWindows(),o._requiredRect=null,o._measureVersion++,o._invalidatePageCache(),o._updatePages(e,t)):t},o._onRenderRoot=function(e){var t=e.rootRef,o=e.surfaceElement,n=e.divProps;return c.createElement("div",(0,l.pi)({ref:t},n),o)},o._onRenderSurface=function(e){var t=e.surfaceRef,o=e.pageElements,n=e.divProps;return c.createElement("div",(0,l.pi)({ref:t},n),o)},o._onRenderPage=function(e,t){for(var n=o.props,r=n.onRenderCell,i=n.role,a=e.page,s=a.items,u=void 0===s?[]:s,d=a.startIndex,p=(0,l._T)(e,["page"]),m=void 0===i?"listitem":"presentation",h=[],g=0;ge){if(t&&this._scrollElement){for(var d=To(this._scrollElement),p={top:this._scrollElement.scrollTop,bottom:this._scrollElement.scrollTop+d.height},m=e-l,h=0;h=p.top&&g<=p.bottom)return;ap.bottom&&(a=g-d.height)}return void(this._scrollElement.scrollTop=a)}a+=u}},t.prototype.getStartItemIndexInView=function(e){for(var t=0,o=this.state.pages||[];t=n.top&&(this._scrollTop||0)<=n.top+n.height){if(!e){var r=Math.floor(n.height/n.itemCount);return n.startIndex+Math.floor((this._scrollTop-n.top)/r)}for(var i=0,a=n.startIndex;a0?n:void 0})})},t.prototype._shouldVirtualize=function(e){void 0===e&&(e=this.props);var t=e.onShouldVirtualize;return!t||t(e)},t.prototype._invalidatePageCache=function(){this._pageCache={}},t.prototype._renderPage=function(e){var t,o=this,n=this.props.usePageCache;if(n&&(t=this._pageCache[e.key])&&t.pageElement)return t.pageElement;var r=this._getPageStyle(e),i=this.props.onRenderPage,a=(void 0===i?this._onRenderPage:i)({page:e,className:"ms-List-page",key:e.key,ref:function(t){o._pageRefs[e.key]=t},style:r,role:"presentation"},this._onRenderPage);return n&&0===e.startIndex&&(this._pageCache[e.key]={page:e,pageElement:a}),a},t.prototype._getPageStyle=function(e){var t=this.props.getPageStyle;return(0,l.pi)((0,l.pi)({},t?t(e):{}),e.items?{}:{height:e.height})},t.prototype._onFocus=function(e){for(var t=e.target;t!==this._surface.current;){var o=t.getAttribute("data-list-index");if(o){this._focusedIndex=Number(o);break}t=(0,_o.G)(t)}},t.prototype._onScroll=function(){this.state.isScrolling||this.props.ignoreScrollingState||this.setState({isScrolling:!0}),this._resetRequiredWindows(),this._onScrollingDone()},t.prototype._resetRequiredWindows=function(){this._requiredWindowsAhead=0,this._requiredWindowsBehind=0},t.prototype._onAsyncScroll=function(){var e,t;this._updateRenderRects(this.props,this.state),this._materializedRect&&(e=this._requiredRect,t=this._materializedRect,e.top>=t.top&&e.left>=t.left&&e.bottom<=t.bottom&&e.right<=t.right)||this.setState(this._updatePages(this.props,this.state))},t.prototype._onAsyncIdle=function(){var e=this.props,t=e.renderedWindowsAhead,o=e.renderedWindowsBehind,n=this._requiredWindowsAhead,r=this._requiredWindowsBehind,i=Math.min(t,n+1),a=Math.min(o,r+1);i===n&&a===r||(this._requiredWindowsAhead=i,this._requiredWindowsBehind=a,this._updateRenderRects(this.props,this.state),this.setState(this._updatePages(this.props,this.state))),(t>i||o>a)&&this._onAsyncIdle()},t.prototype._onScrollingDone=function(){this.props.ignoreScrollingState||this.setState({isScrolling:!1})},t.prototype._onAsyncResize=function(){this.forceUpdate()},t.prototype._updatePages=function(e,t){this._requiredRect||this._updateRenderRects(e,t);var o=this._buildPages(e,t),n=t.pages;return this._notifyPageChanges(n,o.pages,this.props),(0,l.pi)((0,l.pi)({},t),o)},t.prototype._notifyPageChanges=function(e,t,o){var n=o.onPageAdded,r=o.onPageRemoved;if(n||r){for(var i={},a=0,s=e;a-1,x=!f||C>=f.top&&u<=f.bottom,k=!b._requiredRect||C>=b._requiredRect.top&&u<=b._requiredRect.bottom;if(!g&&(k||x&&S)||!h||p>=e&&p=b._visibleRect.top&&u<=b._visibleRect.bottom),s.push(I),k&&b._allowedRect&&(y=a,_={top:u,bottom:C,height:i,left:f.left,right:f.right,width:f.width},y.top=_.topy.bottom||-1===y.bottom?_.bottom:y.bottom,y.right=_.right>y.right||-1===y.right?_.right:y.right,y.width=y.right-y.left+1,y.height=y.bottom-y.top+1)}else d||(d=b._createPage("spacer-"+e,void 0,e,0,void 0,l,!0)),d.height=(d.height||0)+(C-u)+1,d.itemCount+=c;if(u+=C-u+1,g&&h)return"break"},b=this,y=r;ythis._estimatedPageHeight/3)&&(a=this._surfaceRect=Do(this._surface.current),this._scrollTop=c),!o&&s&&s===this._scrollHeight||this._measureVersion++,this._scrollHeight=s;var u=Math.max(0,-a.top),d=(0,So.J)(this._root.current),p={top:u,left:a.left,bottom:u+d.innerHeight,right:a.right,width:a.width,height:d.innerHeight};this._requiredRect=Po(p,this._requiredWindowsBehind,this._requiredWindowsAhead),this._allowedRect=Po(p,r,n),this._visibleRect=p}},t.defaultProps={startIndex:0,onRenderCell:function(e,t,o){return c.createElement(c.Fragment,null,e&&e.name||"")},renderedWindowsAhead:2,renderedWindowsBehind:2},t}(c.Component);function Po(e,t,o){var n=e.top-t*e.height,r=e.height+(t+o)*e.height;return{top:n,bottom:n+r,height:r,left:e.left,right:e.right,width:e.width}}var Mo=function(e){function t(t){var o=e.call(this,t)||this;return o._comboBox=c.createRef(),o._list=c.createRef(),o._onRenderList=function(e){var t=e.onRenderItem;return c.createElement(Eo,{componentRef:o._list,role:"listbox",items:e.options,onRenderCell:t?function(e){return t(e)}:function(){return null}})},o._onScrollToItem=function(e){o._list.current&&o._list.current.scrollToIndex(e)},(0,P.l)(o),o}return(0,l.ZT)(t,e),Object.defineProperty(t.prototype,"selectedOptions",{get:function(){return this._comboBox.current?this._comboBox.current.selectedOptions:[]},enumerable:!0,configurable:!0}),t.prototype.dismissMenu=function(){if(this._comboBox.current)return this._comboBox.current.dismissMenu()},t.prototype.focus=function(e,t){return!!this._comboBox.current&&(this._comboBox.current.focus(e,t),!0)},t.prototype.render=function(){return c.createElement(vo.C,(0,l.pi)({},this.props,{componentRef:this._comboBox,onRenderList:this._onRenderList,onScrollToItem:this._onScrollToItem}))},t}(c.Component),Ro=(0,d.Ct)((function(e){var t=e;return(0,d.Ct)((function(o){if(e===o)throw new Error("Attempted to compose a component with itself.");var n=o,r=(0,d.Ct)((function(e){return function(t){return c.createElement(n,(0,l.pi)({},t,{defaultRender:e}))}}));return function(e){var o=e.defaultRender;return c.createElement(t,(0,l.pi)({},e,{defaultRender:o?r(o):n}))}}))}));function No(e,t){return Ro(e)(t)}var Bo=o(344),Fo=function(e){var t=Bo.K.getInstance(),o=e.className,n=e.overflowItems,r=e.keytipSequences,i=e.itemSubMenuProvider,a=e.onRenderOverflowButton,s=(0,q.B)({}),u=c.useCallback((function(e){return i?i(e):e.subMenuProps?e.subMenuProps.items:void 0}),[i]),d=c.useMemo((function(){var e,o=[];return r?null===(e=n)||void 0===e||e.forEach((function(e){var n,i,a,c,d=e.keytipProps;if(d){var p={content:d.content,keySequences:d.keySequences,disabled:d.disabled||!(!e.disabled&&!e.isDisabled),hasDynamicChildren:d.hasDynamicChildren,hasMenu:d.hasMenu};d.hasDynamicChildren||u(e)?p.onExecute=t.menuExecute.bind(t,r,null===(i=null===(n=e)||void 0===n?void 0:n.keytipProps)||void 0===i?void 0:i.keySequences):p.onExecute=d.onExecute,s[p.content]=p;var m=(0,l.pi)((0,l.pi)({},e),{keytipProps:(0,l.pi)((0,l.pi)({},d),{overflowSetSequence:r})});null===(a=o)||void 0===a||a.push(m)}else null===(c=o)||void 0===c||c.push(e)})):o=n,o}),[n,u,t,r,s]);return function(e,t){c.useEffect((function(){return Object.keys(e).forEach((function(o){var n=e[o],r=t.register(n,!0);e[r]=n,delete e[o]})),function(){Object.keys(e).forEach((function(o){t.unregister(e[o],o,!0),delete e[o]}))}}),[e,t])}(s,t),c.createElement("div",{className:o},a(d))},Lo=(0,D.y)(),Ao=c.forwardRef((function(e,t){var o=c.useRef(null),n=(0,N.r)(o,t);!function(e,t){c.useImperativeHandle(e.componentRef,(function(){return{focus:function(){var e=!1;return t.current&&(e=(0,ot.uo)(t.current)),e},focusElement:function(e){var o=!1;return!!e&&(t.current&&(0,it.t)(t.current,e)&&(e.focus(),o=document.activeElement===e),o)}}}),[t])}(e,o);var r=e.items,i=e.overflowItems,a=e.className,s=e.styles,u=e.vertical,d=e.role,p=e.overflowSide,m=void 0===p?"end":p,h=e.onRenderItem,g=Lo(s,{className:a,vertical:u}),f=!!i&&i.length>0;return c.createElement("div",(0,l.pi)({},(0,E.pq)(e,E.n7),{role:d||"group","aria-orientation":"menubar"===d?!0===u?"vertical":"horizontal":void 0,className:g.root,ref:n}),"start"===m&&f&&c.createElement(Fo,(0,l.pi)({},e,{className:g.overflowButton})),r&&r.map((function(e,t){return c.createElement("div",{className:g.item,key:e.key},h(e))})),"end"===m&&f&&c.createElement(Fo,(0,l.pi)({},e,{className:g.overflowButton})))}));Ao.displayName="OverflowSet";var zo,Ho={flexShrink:0,display:"inherit"},Oo=(0,I.z)(Ao,(function(e){var t=e.className;return{root:["ms-OverflowSet",{position:"relative",display:"flex",flexWrap:"nowrap"},e.vertical&&{flexDirection:"column"},t],item:["ms-OverflowSet-item",Ho],overflowButton:["ms-OverflowSet-overflowButton",Ho]}}),void 0,{scope:"OverflowSet"}),Wo=(0,d.NF)((function(e){var t={height:"100%"},o={whiteSpace:"nowrap"},n=e||{},r=n.root,i=n.label,a=(0,l._T)(n,["root","label"]);return(0,l.pi)((0,l.pi)({},a),{root:r?[t,r]:t,label:i?[o,i]:o})})),Vo=(0,D.y)(),Ko=function(e){function t(t){var o=e.call(this,t)||this;return o._overflowSet=c.createRef(),o._resizeGroup=c.createRef(),o._onRenderData=function(e){return c.createElement(M.k,{className:(0,pt.i)(o._classNames.root),direction:R.U.horizontal,role:"menubar","aria-label":o.props.ariaLabel},c.createElement(Oo,{role:"none",componentRef:o._overflowSet,className:(0,pt.i)(o._classNames.primarySet),items:e.primaryItems,overflowItems:e.overflowItems.length?e.overflowItems:void 0,onRenderItem:o._onRenderItem,onRenderOverflowButton:o._onRenderOverflowButton}),e.farItems&&e.farItems.length>0&&c.createElement(Oo,{role:"none",className:(0,pt.i)(o._classNames.secondarySet),items:e.farItems,onRenderItem:o._onRenderItem,onRenderOverflowButton:Ie.S}))},o._onRenderItem=function(e){if(e.onRender)return e.onRender(e,(function(){}));var t=e.text||e.name,n=(0,l.pi)((0,l.pi)({allowDisabledFocus:!0,role:"menuitem"},e),{styles:Wo(e.buttonStyles),className:(0,pt.i)("ms-CommandBarItem-link",e.className),text:e.iconOnly?void 0:t,menuProps:e.subMenuProps,onClick:o._onButtonClick(e)});return e.iconOnly&&(void 0!==t||e.tooltipHostProps)?c.createElement(ie.G,(0,l.pi)({content:t},e.tooltipHostProps),o._commandButton(e,n)):o._commandButton(e,n)},o._commandButton=function(e,t){var n=o.props.buttonAs,r=e.commandBarButtonAs,i=ke.Q;return r&&(i=No(r,i)),n&&(i=No(n,i)),c.createElement(i,(0,l.pi)({},t))},o._onRenderOverflowButton=function(e){var t=o.props.overflowButtonProps,n=void 0===t?{}:t,r=(0,l.pr)(n.menuProps?n.menuProps.items:[],e),i=(0,l.pi)((0,l.pi)({role:"menuitem"},n),{styles:(0,l.pi)({menuIcon:{fontSize:"17px"}},n.styles),className:(0,pt.i)("ms-CommandBar-overflowButton",n.className),menuProps:(0,l.pi)((0,l.pi)({},n.menuProps),{items:r}),menuIconProps:(0,l.pi)({iconName:"More"},n.menuIconProps)}),a=o.props.overflowButtonAs?No(o.props.overflowButtonAs,ke.Q):ke.Q;return c.createElement(a,(0,l.pi)({},i))},o._onReduceData=function(e){var t=o.props,n=t.shiftOnReduce,r=t.onDataReduced,i=e.primaryItems,a=e.overflowItems,s=e.cacheKey,c=i[n?0:i.length-1];if(void 0!==c){c.renderedInOverflow=!0,a=(0,l.pr)([c],a),i=n?i.slice(1):i.slice(0,-1);var u=(0,l.pi)((0,l.pi)({},e),{primaryItems:i,overflowItems:a});return s=o._computeCacheKey({primaryItems:i,overflow:a.length>0}),r&&r(c),u.cacheKey=s,u}},o._onGrowData=function(e){var t=o.props,n=t.shiftOnReduce,r=t.onDataGrown,i=e.minimumOverflowItems,a=e.primaryItems,s=e.overflowItems,c=e.cacheKey,u=s[0];if(void 0!==u&&s.length>i){u.renderedInOverflow=!1,s=s.slice(1),a=n?(0,l.pr)([u],a):(0,l.pr)(a,[u]);var d=(0,l.pi)((0,l.pi)({},e),{primaryItems:a,overflowItems:s});return c=o._computeCacheKey({primaryItems:a,overflow:s.length>0}),r&&r(u),d.cacheKey=c,d}},(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.items,o=e.overflowItems,n=e.farItems,r=e.styles,i=e.theme,a=e.dataDidRender,s=e.onReduceData,u=void 0===s?this._onReduceData:s,d=e.onGrowData,p=void 0===d?this._onGrowData:d,m={primaryItems:(0,l.pr)(t),overflowItems:(0,l.pr)(o),minimumOverflowItems:(0,l.pr)(o).length,farItems:n,cacheKey:this._computeCacheKey({primaryItems:(0,l.pr)(t),overflow:o&&o.length>0})};this._classNames=Vo(r,{theme:i});var h=(0,E.pq)(this.props,E.n7);return c.createElement(re,(0,l.pi)({},h,{componentRef:this._resizeGroup,data:m,onReduceData:u,onGrowData:p,onRenderData:this._onRenderData,dataDidRender:a}))},t.prototype.focus=function(){var e=this._overflowSet.current;e&&e.focus()},t.prototype.remeasure=function(){this._resizeGroup.current&&this._resizeGroup.current.remeasure()},t.prototype._onButtonClick=function(e){return function(t){e.inactive||e.onClick&&e.onClick(t,e)}},t.prototype._computeCacheKey=function(e){var t=e.primaryItems,o=e.overflow;return[t&&t.reduce((function(e,t){var o=t.cacheKey;return e+(void 0===o?t.key:o)}),""),o?"overflow":""].join("")},t.defaultProps={items:[],overflowItems:[]},t}(c.Component),qo=(0,I.z)(Ko,(function(e){var t=e.className,o=e.theme,n=o.semanticColors;return{root:[o.fonts.medium,"ms-CommandBar",{display:"flex",backgroundColor:n.bodyBackground,padding:"0 14px 0 24px",height:44},t],primarySet:["ms-CommandBar-primaryCommand",{flexGrow:"1",display:"flex",alignItems:"stretch"}],secondarySet:["ms-CommandBar-secondaryCommand",{flexShrink:"0",display:"flex",alignItems:"stretch"}]}}),void 0,{scope:"CommandBar"}),Go=o(9134),Uo=o(7817),jo=o(5183),Jo=o(6662),Yo=o(1839),Zo=o(668),Xo=o(127),Qo=o(6381),$o=o(1194),en=o(6974),tn=o(7433),on=o(5238),nn=o(3297),rn=o(4449);!function(e){e[e.hidden=0]="hidden",e[e.visible=1]="visible"}(zo||(zo={}));var an,sn,ln,cn,un,dn=o(2782);!function(e){e[e.disabled=0]="disabled",e[e.clickable=1]="clickable",e[e.hasDropdown=2]="hasDropdown"}(an||(an={})),function(e){e[e.unconstrained=0]="unconstrained",e[e.horizontalConstrained=1]="horizontalConstrained"}(sn||(sn={})),function(e){e[e.outside=0]="outside",e[e.surface=1]="surface",e[e.header=2]="header"}(ln||(ln={})),function(e){e[e.fixedColumns=0]="fixedColumns",e[e.justified=1]="justified"}(cn||(cn={})),function(e){e[e.onHover=0]="onHover",e[e.always=1]="always",e[e.hidden=2]="hidden"}(un||(un={}));var pn=function(e){var t=e.count,o=e.indentWidth,n=void 0===o?36:o,r=e.role,i=void 0===r?"presentation":r,a=t*n;return t>0?c.createElement("span",{className:"ms-GroupSpacer",style:{display:"inline-block",width:a},role:i}):null},mn={root:"ms-DetailsRow",compact:"ms-DetailsList--Compact",cell:"ms-DetailsRow-cell",cellAnimation:"ms-DetailsRow-cellAnimation",cellCheck:"ms-DetailsRow-cellCheck",check:"ms-DetailsRow-check",cellMeasurer:"ms-DetailsRow-cellMeasurer",listCellFirstChild:"ms-List-cell:first-child",isContentUnselectable:"is-contentUnselectable",isSelected:"is-selected",isCheckVisible:"is-check-visible",isRowHeader:"is-row-header",fields:"ms-DetailsRow-fields"},hn={cellLeftPadding:12,cellRightPadding:8,cellExtraRightPadding:24},gn={rowHeight:42,compactRowHeight:32},fn=(0,l.pi)((0,l.pi)({},gn),{rowVerticalPadding:11,compactRowVerticalPadding:6}),vn=function(e){var t,o,n,r,i,a,s,c,d,p,m,h,g=e.theme,f=e.isSelected,v=e.canSelect,b=e.droppingClassName,y=e.anySelected,_=e.isCheckVisible,C=e.checkboxCellClassName,S=e.compact,x=e.className,k=e.cellStyleProps,w=void 0===k?hn:k,I=e.enableUpdateAnimations,D=g.palette,T=g.fonts,E=D.neutralPrimary,P=D.white,M=D.neutralSecondary,R=D.neutralLighter,N=D.neutralLight,B=D.neutralDark,F=D.neutralQuaternaryAlt,L=g.semanticColors.focusBorder,A=(0,u.Cn)(mn,g),z={defaultHeaderText:E,defaultMetaText:M,defaultBackground:P,defaultHoverHeaderText:B,defaultHoverMetaText:E,defaultHoverBackground:R,selectedHeaderText:B,selectedMetaText:E,selectedBackground:N,selectedHoverHeaderText:B,selectedHoverMetaText:E,selectedHoverBackground:F,focusHeaderText:B,focusMetaText:E,focusBackground:N,focusHoverBackground:F},H=[(0,u.GL)(g,{inset:-1,borderColor:L,outlineColor:P}),A.isSelected,{color:z.selectedMetaText,background:z.selectedBackground,borderBottom:"1px solid "+P,selectors:(t={"&:before":{position:"absolute",display:"block",top:-1,height:1,bottom:0,left:0,right:0,content:"",borderTop:"1px solid "+P},"&:hover":{background:z.selectedHoverBackground,color:z.selectedHoverMetaText,selectors:(o={},o["."+A.cell+" "+u.qJ]={color:"HighlightText",selectors:{"> a":{color:"HighlightText"}}},o["."+A.isRowHeader]={color:z.selectedHoverHeaderText,selectors:(n={},n[u.qJ]={color:"HighlightText"},n)},o[u.qJ]={background:"Highlight"},o)},"&:focus":{background:z.focusBackground,selectors:(r={},r["."+A.cell]={color:z.focusMetaText,selectors:(i={},i[u.qJ]={color:"HighlightText",selectors:{"> a":{color:"HighlightText"}}},i)},r["."+A.isRowHeader]={color:z.focusHeaderText,selectors:(a={},a[u.qJ]={color:"HighlightText"},a)},r[u.qJ]={background:"Highlight"},r)}},t[u.qJ]=(0,l.pi)((0,l.pi)({background:"Highlight",color:"HighlightText"},(0,u.xM)()),{selectors:{a:{color:"HighlightText"}}}),t["&:focus:hover"]={background:z.focusHoverBackground},t)}],O=[A.isContentUnselectable,{userSelect:"none",cursor:"default"}],W={minHeight:fn.compactRowHeight,border:0},V={minHeight:fn.compactRowHeight,paddingTop:fn.compactRowVerticalPadding,paddingBottom:fn.compactRowVerticalPadding,paddingLeft:w.cellLeftPadding+"px"},K=[(0,u.GL)(g,{inset:-1}),A.cell,{display:"inline-block",position:"relative",boxSizing:"border-box",minHeight:fn.rowHeight,verticalAlign:"top",whiteSpace:"nowrap",overflow:"hidden",textOverflow:"ellipsis",paddingTop:fn.rowVerticalPadding,paddingBottom:fn.rowVerticalPadding,paddingLeft:w.cellLeftPadding+"px",selectors:(s={"& > button":{maxWidth:"100%"}},s["[data-is-focusable='true']"]=(0,u.GL)(g,{inset:-1,borderColor:M,outlineColor:P}),s)},f&&{selectors:(c={},c[u.qJ]=(0,l.pi)((0,l.pi)({background:"Highlight",color:"HighlightText"},(0,u.xM)()),{selectors:{a:{color:"HighlightText"}}}),c)},S&&V];return{root:[A.root,u.k4.fadeIn400,b,g.fonts.small,_&&A.isCheckVisible,(0,u.GL)(g,{borderColor:L,outlineColor:P}),{borderBottom:"1px solid "+R,background:z.defaultBackground,color:z.defaultMetaText,display:"inline-flex",minWidth:"100%",minHeight:fn.rowHeight,whiteSpace:"nowrap",padding:0,boxSizing:"border-box",verticalAlign:"top",textAlign:"left",selectors:(d={},d["."+A.listCellFirstChild+" &:before"]={display:"none"},d["&:hover"]={background:z.defaultHoverBackground,color:z.defaultHoverMetaText,selectors:(p={},p["."+A.isRowHeader]={color:z.defaultHoverHeaderText},p)},d["&:hover ."+A.check]={opacity:1},d["."+de.G$+" &:focus ."+A.check]={opacity:1},d[".ms-GroupSpacer"]={flexShrink:0,flexGrow:0},d)},f&&H,!v&&O,S&&W,x],cellUnpadded:{paddingRight:w.cellRightPadding+"px"},cellPadded:{paddingRight:w.cellExtraRightPadding+w.cellRightPadding+"px",selectors:(m={},m["&."+A.cellCheck]={paddingRight:0},m)},cell:K,cellAnimation:I&&u.Ic.slideLeftIn40,cellMeasurer:[A.cellMeasurer,{overflow:"visible",whiteSpace:"nowrap"}],checkCell:[K,A.cellCheck,C,{padding:0,paddingTop:1,marginTop:-1,flexShrink:0}],checkCover:{position:"absolute",top:-1,left:0,bottom:0,right:0,display:y?"block":"none"},fields:[A.fields,{display:"flex",alignItems:"stretch"}],isRowHeader:[A.isRowHeader,{color:z.defaultHeaderText,fontSize:T.medium.fontSize},f&&{color:z.selectedHeaderText,fontWeight:u.lq.semibold,selectors:(h={},h[u.qJ]={color:"HighlightText"},h)}],isMultiline:[K,{whiteSpace:"normal",wordBreak:"break-word",textOverflow:"clip"}],check:[A.check]}},bn={tooltipHost:"ms-TooltipHost",root:"ms-DetailsHeader",cell:"ms-DetailsHeader-cell",cellIsCheck:"ms-DetailsHeader-cellIsCheck",collapseButton:"ms-DetailsHeader-collapseButton",isCollapsed:"is-collapsed",isAllSelected:"is-allSelected",isSelectAllHidden:"is-selectAllHidden",isResizingColumn:"is-resizingColumn",cellSizer:"ms-DetailsHeader-cellSizer",isResizing:"is-resizing",dropHintCircleStyle:"ms-DetailsHeader-dropHintCircleStyle",dropHintCaretStyle:"ms-DetailsHeader-dropHintCaretStyle",dropHintLineStyle:"ms-DetailsHeader-dropHintLineStyle",cellTitle:"ms-DetailsHeader-cellTitle",cellName:"ms-DetailsHeader-cellName",filterChevron:"ms-DetailsHeader-filterChevron",gripperBarVertical:"ms-DetailsColumn-gripperBarVertical",checkTooltip:"ms-DetailsHeader-checkTooltip",check:"ms-DetailsHeader-check"},yn=function(e){var t=e.theme,o=e.cellStyleProps,n=void 0===o?hn:o,r=t.semanticColors;return[(0,u.Cn)(bn,t).cell,(0,u.GL)(t),{color:r.bodyText,position:"relative",display:"inline-block",boxSizing:"border-box",padding:"0 "+n.cellRightPadding+"px 0 "+n.cellLeftPadding+"px",lineHeight:"inherit",margin:"0",height:42,verticalAlign:"top",whiteSpace:"nowrap",textOverflow:"ellipsis",textAlign:"left"}]},_n={root:"ms-DetailsRow-check",isDisabled:"ms-DetailsRow-check--isDisabled",isHeader:"ms-DetailsRow-check--isHeader"},Cn=(0,D.y)(),Sn=c.memo((function(e){return c.createElement(je,{theme:e.theme,checked:e.checked,className:e.className,useFastIcons:!0})}));function xn(e){return c.createElement(je,{checked:e.checked})}function kn(e){return c.createElement(Sn,{theme:e.theme,checked:e.checked})}var wn,In=(0,I.z)((function(e){var t=e.isVisible,o=void 0!==t&&t,n=e.canSelect,r=void 0!==n&&n,i=e.anySelected,a=void 0!==i&&i,s=e.selected,u=void 0!==s&&s,d=e.isHeader,p=void 0!==d&&d,m=e.className,h=(e.checkClassName,e.styles),g=e.theme,f=e.compact,v=e.onRenderDetailsCheckbox,b=e.useFastIcons,y=void 0===b||b,_=(0,l._T)(e,["isVisible","canSelect","anySelected","selected","isHeader","className","checkClassName","styles","theme","compact","onRenderDetailsCheckbox","useFastIcons"]),C=y?kn:xn,S=v?(0,ko.k)(v,C):C,x=Cn(h,{theme:g,canSelect:r,selected:u,anySelected:a,className:m,isHeader:p,isVisible:o,compact:f}),k={checked:u,theme:g};return r?c.createElement("div",(0,l.pi)({},_,{role:"checkbox",className:(0,pt.i)(x.root,x.check),"aria-checked":u,"data-selection-toggle":!0,"data-automationid":"DetailsRowCheck"}),S(k)):c.createElement("div",(0,l.pi)({},_,{className:(0,pt.i)(x.root,x.check)}))}),(function(e){var t=e.theme,o=e.className,n=e.isHeader,r=e.selected,i=e.anySelected,a=e.canSelect,s=e.compact,l=e.isVisible,c=(0,u.Cn)(_n,t),d=gn.rowHeight,p=gn.compactRowHeight,m=n?42:s?p:d,h=l||r||i;return{root:[c.root,o],check:[!a&&c.isDisabled,n&&c.isHeader,(0,u.GL)(t),t.fonts.small,Ue.checkHost,{display:"flex",alignItems:"center",justifyContent:"center",cursor:"default",boxSizing:"border-box",verticalAlign:"top",background:"none",backgroundColor:"transparent",border:"none",opacity:h?1:0,height:m,width:48,padding:0,margin:0}],isDisabled:[]}}),void 0,{scope:"DetailsRowCheck"},!0),Dn=function(){function e(e){this._selection=e.selection,this._dragEnterCounts={},this._activeTargets={},this._lastId=0,this._initialized=!1}return e.prototype.dispose=function(){this._events&&this._events.dispose()},e.prototype.subscribe=function(e,t,o){var n=this;if(!this._initialized){this._events=new at.r(this);var r=(0,nt.M)();r&&(this._events.on(r.body,"mouseup",this._onMouseUp.bind(this),!0),this._events.on(r,"mouseup",this._onDocumentMouseUp.bind(this),!0)),this._initialized=!0}var i,a,s,l,c,u,d,p,m,h,g=o.key,f=void 0===g?""+ ++this._lastId:g,v=[];if(o&&e){var b=o.eventMap,y=o.context,_=o.updateDropState,C={root:e,options:o,key:f};if(p=this._isDraggable(C),m=this._isDroppable(C),(p||m)&&b)for(var S=0,x=b;S0&&(at.r.raise(this._dragData.dropTarget.root,"dragleave"),at.r.raise(r,"dragenter"),this._dragData.dropTarget=e)}},e.prototype._onMouseLeave=function(e,t){this._isDragging&&this._dragData&&this._dragData.dropTarget&&this._dragData.dropTarget.key===e.key&&(at.r.raise(e.root,"dragleave"),this._dragData.dropTarget=void 0)},e.prototype._onMouseDown=function(e,t){if(0===t.button)if(this._isDraggable(e)){this._dragData={clientX:t.clientX,clientY:t.clientY,eventTarget:t.target,dragTarget:e};for(var o=0,n=Object.keys(this._activeTargets);o=0&&"drop"!==t.type&&!e&&o._resetDropHints()},o._onDragOver=function(e,t){o._draggedColumnIndex>=0&&(t.stopPropagation(),o._computeDropHintToBeShown(t.clientX))},o._onDrop=function(e,t){var n=o._getColumnReorderProps();if(o._draggedColumnIndex>=0&&t){var r=o._draggedColumnIndex>o._currentDropHintIndex?o._currentDropHintIndex:o._currentDropHintIndex-1,i=o._isValidCurrentDropHintIndex();if(t.stopPropagation(),i)if(o._onDropIndexInfo.sourceIndex=o._draggedColumnIndex,o._onDropIndexInfo.targetIndex=r,n.onColumnDrop){var a={draggedIndex:o._draggedColumnIndex,targetIndex:r};n.onColumnDrop(a)}else n.handleColumnReorder&&n.handleColumnReorder(o._draggedColumnIndex,r)}o._resetDropHints(),o._dropHintDetails={},o._draggedColumnIndex=-1},o._updateDragInfo=function(e,t){var n=o._getColumnReorderProps(),r=e.itemIndex;if(r>=0)o._draggedColumnIndex=o._isCheckboxColumnHidden()?r-1:r-2,o._getDropHintPositions(),n.onColumnDragStart&&n.onColumnDragStart(!0);else if(t&&o._draggedColumnIndex>=0&&(o._resetDropHints(),o._draggedColumnIndex=-1,o._dropHintDetails={},n.onColumnDragEnd)){var i=o._isEventOnHeader(t);n.onColumnDragEnd({dropLocation:i},t)}},o._getDropHintPositions=function(){for(var e,t=o.props.columns,n=void 0===t?Nn:t,r=o._getColumnReorderProps(),i=0,a=0,s=r.frozenColumnCountFromStart||0,l=r.frozenColumnCountFromEnd||0,c=s;c=0&&(o._resetDropHints(),o._updateDropHintElement(o._dropHintDetails[p].dropHintElementRef,"inline-block"),o._currentDropHintIndex=p)}},o._renderColumnSizer=function(e){var t,n=e.columnIndex,r=o.props.columns,i=void 0===r?Nn:r,a=i[n],s=o.state.columnResizeDetails,l=o._classNames;return a.isResizable?c.createElement("div",{key:a.key+"_sizer","aria-hidden":!0,role:"button","data-is-focusable":!1,onClick:zn,"data-sizer-index":n,onBlur:o._onSizerBlur,className:(0,pt.i)(l.cellSizer,n=0&&this._onDropIndexInfo.targetIndex>=0){var t=e.columns,o=void 0===t?Nn:t,n=this.props.columns,r=void 0===n?Nn:n;o[this._onDropIndexInfo.sourceIndex].key===r[this._onDropIndexInfo.targetIndex].key&&(this._onDropIndexInfo={sourceIndex:-1,targetIndex:-1})}this.props.isAllCollapsed!==e.isAllCollapsed&&this.setState({isAllCollapsed:this.props.isAllCollapsed})},t.prototype.componentWillUnmount=function(){this._subscriptionObject&&(this._subscriptionObject.dispose(),delete this._subscriptionObject),this._dragDropHelper.dispose(),this._events.dispose()},t.prototype.render=function(){var e=this,t=this.props,o=t.columns,n=void 0===o?Nn:o,r=t.ariaLabel,i=t.ariaLabelForToggleAllGroupsButton,a=t.ariaLabelForSelectAllCheckbox,s=t.selectAllVisibility,l=t.ariaLabelForSelectionColumn,u=t.indentWidth,d=t.onColumnClick,p=t.onColumnContextMenu,m=t.onRenderColumnHeaderTooltip,h=void 0===m?this._onRenderColumnHeaderTooltip:m,g=t.styles,f=t.selectionMode,v=t.theme,b=t.onRenderDetailsCheckbox,y=t.groupNestingDepth,_=t.useFastIcons,C=t.checkboxVisibility,S=t.className,x=this.state,k=x.isAllSelected,w=x.columnResizeDetails,I=x.isSizing,D=x.isAllCollapsed,E=s!==wn.none,P=s===wn.hidden,N=C===un.always,B=this._getColumnReorderProps(),F=B&&B.frozenColumnCountFromStart?B.frozenColumnCountFromStart:0,L=B&&B.frozenColumnCountFromEnd?B.frozenColumnCountFromEnd:0;this._classNames=Rn(g,{theme:v,isAllSelected:k,isSelectAllHidden:s===wn.hidden,isResizingColumn:!!w&&I,isSizing:I,isAllCollapsed:D,isCheckboxHidden:P,className:S});var A=this._classNames,z=_?Ve.xu:W.J,H=(0,T.zg)(v);return c.createElement(M.k,{role:"row","aria-label":r,className:A.root,componentRef:this._rootComponent,elementRef:this._rootElement,onMouseMove:this._onRootMouseMove,"data-automationid":"DetailsHeader",direction:R.U.horizontal},E?[c.createElement("div",{key:"__checkbox",className:A.cellIsCheck,"aria-labelledby":this._id+"-check",onClick:P?void 0:this._onSelectAllClicked,"aria-colindex":1,role:"columnheader"},h({hostClassName:A.checkTooltip,id:this._id+"-checkTooltip",setAriaDescribedBy:!1,content:a,children:c.createElement(In,{id:this._id+"-check","aria-label":f===on.oW.multiple?a:l,"aria-describedby":P?l&&!this.props.onRenderColumnHeaderTooltip?this._id+"-checkTooltip":void 0:a&&!this.props.onRenderColumnHeaderTooltip?this._id+"-checkTooltip":void 0,"data-is-focusable":!P||void 0,isHeader:!0,selected:k,anySelected:!1,canSelect:!P,className:A.check,onRenderDetailsCheckbox:b,useFastIcons:_,isVisible:N})},this._onRenderColumnHeaderTooltip)),this.props.onRenderColumnHeaderTooltip?null:a&&!P?c.createElement("label",{key:"__checkboxLabel",id:this._id+"-checkTooltip",className:A.accessibleLabel,"aria-hidden":!0},a):l&&P?c.createElement("label",{key:"__checkboxLabel",id:this._id+"-checkTooltip",className:A.accessibleLabel,"aria-hidden":!0},l):null]:null,y>0&&this.props.collapseAllVisibility===zo.visible?c.createElement("div",{className:A.cellIsGroupExpander,onClick:this._onToggleCollapseAll,"data-is-focusable":!0,"aria-label":i,"aria-expanded":!D,role:"columnheader"},c.createElement(z,{className:A.collapseButton,iconName:H?"ChevronLeftMed":"ChevronRightMed"})):null,c.createElement(pn,{indentWidth:u,role:"gridcell",count:y-1}),n.map((function(t,o){var r=!!B&&o>=F&&o=0},t.prototype._isCheckboxColumnHidden=function(){var e=this.props,t=e.selectionMode,o=e.checkboxVisibility;return t===on.oW.none||o===un.hidden},t.prototype._resetDropHints=function(){this._currentDropHintIndex>=0&&(this._updateDropHintElement(this._dropHintDetails[this._currentDropHintIndex].dropHintElementRef,"none"),this._currentDropHintIndex=-1)},t.prototype._updateDropHintElement=function(e,t){e.childNodes[1].style.display=t,e.childNodes[0].style.display=t},t.prototype._isEventOnHeader=function(e){if(this._rootElement.current){var t=this._rootElement.current.getBoundingClientRect();if(e.clientX>t.left&&e.clientXt.top&&e.clientY=n:t>=o&&t<=n}function Ln(e,t,o){return e?t>=o:t<=o}function An(e,t,o){return e?t<=o:t>=o}function zn(e){e.stopPropagation()}var Hn=(0,I.z)(Bn,(function(e){var t,o,n,r,i=e.theme,a=e.className,s=e.isAllSelected,c=e.isResizingColumn,d=e.isSizing,p=e.isAllCollapsed,m=e.cellStyleProps,h=void 0===m?hn:m,g=i.semanticColors,f=i.palette,v=i.fonts,b=(0,u.Cn)(bn,i),y={iconForegroundColor:g.bodySubtext,headerForegroundColor:g.bodyText,headerBackgroundColor:g.bodyBackground,resizerColor:f.neutralTertiaryAlt},_={opacity:1,transition:"opacity 0.3s linear"},C=yn(e);return{root:[b.root,v.small,{display:"inline-block",background:y.headerBackgroundColor,position:"relative",minWidth:"100%",verticalAlign:"top",height:42,lineHeight:42,whiteSpace:"nowrap",boxSizing:"content-box",paddingBottom:"1px",paddingTop:"16px",borderBottom:"1px solid "+g.bodyDivider,cursor:"default",userSelect:"none",selectors:(t={},t["&:hover ."+b.check]={opacity:1},t["& ."+b.tooltipHost+" ."+b.checkTooltip]={display:"block"},t)},s&&b.isAllSelected,c&&b.isResizingColumn,a],check:[b.check,{height:42},{selectors:(o={},o["."+de.G$+" &:focus"]={opacity:1},o)}],cellWrapperPadded:{paddingRight:h.cellExtraRightPadding+h.cellRightPadding},cellIsCheck:[C,b.cellIsCheck,{position:"relative",padding:0,margin:0,display:"inline-flex",alignItems:"center",border:"none"},s&&{opacity:1}],cellIsGroupExpander:[C,{display:"inline-flex",alignItems:"center",justifyContent:"center",fontSize:v.small.fontSize,padding:0,border:"none",width:36,color:f.neutralSecondary,selectors:{":hover":{backgroundColor:f.neutralLighter},":active":{backgroundColor:f.neutralLight}}}],cellIsActionable:{selectors:{":hover":{color:g.bodyText,background:g.listHeaderBackgroundHovered},":active":{background:g.listHeaderBackgroundPressed}}},cellIsEmpty:{textOverflow:"clip"},cellSizer:[b.cellSizer,(0,u.e2)(),{display:"inline-block",position:"relative",cursor:"ew-resize",bottom:0,top:0,overflow:"hidden",height:"inherit",background:"transparent",zIndex:1,width:16,selectors:(n={":after":{content:'""',position:"absolute",top:0,bottom:0,width:1,background:y.resizerColor,opacity:0,left:"50%"},":focus:after":_,":hover:after":_},n["&."+b.isResizing+":after"]=[_,{boxShadow:"0 0 5px 0 rgba(0, 0, 0, 0.4)"}],n)}],cellIsResizing:b.isResizing,cellSizerStart:{margin:"0 -8px"},cellSizerEnd:{margin:0,marginLeft:-16},collapseButton:[b.collapseButton,{transformOrigin:"50% 50%",transition:"transform .1s linear"},p?[b.isCollapsed,{transform:"rotate(0deg)"}]:{transform:(0,T.zg)(i)?"rotate(-90deg)":"rotate(90deg)"}],checkTooltip:b.checkTooltip,sizingOverlay:d&&{position:"absolute",left:0,top:0,right:0,bottom:0,cursor:"ew-resize",background:"rgba(255, 255, 255, 0)",selectors:(r={},r[u.qJ]=(0,l.pi)({background:"transparent"},(0,u.xM)()),r)},accessibleLabel:u.ul,dropHintCircleStyle:[b.dropHintCircleStyle,{display:"inline-block",visibility:"hidden",position:"absolute",bottom:0,height:9,width:9,borderRadius:"50%",marginLeft:-5,top:34,overflow:"visible",zIndex:10,border:"1px solid "+f.themePrimary,background:f.white}],dropHintCaretStyle:[b.dropHintCaretStyle,{display:"none",position:"absolute",top:-28,left:-6.5,fontSize:v.medium.fontSize,color:f.themePrimary,overflow:"visible",zIndex:10}],dropHintLineStyle:[b.dropHintLineStyle,{display:"none",position:"absolute",bottom:0,top:0,overflow:"hidden",height:42,width:1,background:f.themePrimary,zIndex:10}],dropHintStyle:{display:"inline-block",position:"absolute"}}}),void 0,{scope:"DetailsHeader"}),On=function(e){var t=e.columns,o=e.columnStartIndex,n=e.rowClassNames,r=e.cellStyleProps,i=void 0===r?hn:r,a=e.item,s=e.itemIndex,l=e.onRenderItemColumn,u=e.getCellValueKey,d=e.cellsByColumn,p=e.enableUpdateAnimations,m=c.useRef(),h=m.current||(m.current={});return c.createElement("div",{className:n.fields,"data-automationid":"DetailsRowFields",role:"presentation"},t.map((function(e,t){var r=void 0===e.calculatedWidth?"auto":e.calculatedWidth+i.cellLeftPadding+i.cellRightPadding+(e.isPadded?i.cellExtraRightPadding:0),m=e.onRender,g=void 0===m?l:m,f=e.getValueKey,v=void 0===f?u:f,b=d&&e.key in d?d[e.key]:g?g(a,s,e):function(e,t){var o=e&&t&&t.fieldName?e[t.fieldName]:"";return null==o&&(o=""),"boolean"==typeof o?o.toString():o}(a,e),y=h[e.key],_=p&&v?v(a,s,e):void 0,C=!1;void 0!==_&&void 0!==y&&_!==y&&(C=!0),h[e.key]=_;var S=e.key+(void 0!==_?"-"+_:"");return c.createElement("div",{key:S,role:e.isRowHeader?"rowheader":"gridcell","aria-readonly":!0,"aria-colindex":t+o+1,className:(0,pt.i)(e.className,e.isMultiline&&n.isMultiline,e.isRowHeader&&n.isRowHeader,n.cell,e.isPadded?n.cellPadded:n.cellUnpadded,C&&n.cellAnimation),style:{width:r},"data-automationid":"DetailsRowCell","data-automation-key":e.key},b)})))},Wn=(0,D.y)(),Vn=[],Kn=function(e){function t(t){var o=e.call(this,t)||this;return o._root=c.createRef(),o._cellMeasurer=c.createRef(),o._focusZone=c.createRef(),o._onSelectionChanged=function(){var e=qn(o.props);(0,Xt.Vv)(e,o.state.selectionState)||o.setState({selectionState:e})},o._updateDroppingState=function(e,t){var n=o.state.isDropping,r=o.props,i=r.dragDropEvents,a=r.item;e?i.onDragEnter&&(o._droppingClassNames=i.onDragEnter(a,t)):i.onDragLeave&&i.onDragLeave(a,t),n!==e&&o.setState({isDropping:e})},(0,P.l)(o),o._events=new at.r(o),o.state={selectionState:qn(t),columnMeasureInfo:void 0,isDropping:!1},o._droppingClassNames="",o}return(0,l.ZT)(t,e),t.getDerivedStateFromProps=function(e,t){return(0,l.pi)((0,l.pi)({},t),{selectionState:qn(e)})},t.prototype.componentDidMount=function(){var e=this.props,t=e.dragDropHelper,o=e.selection,n=e.item,r=e.onDidMount;t&&this._root.current&&(this._dragDropSubscription=t.subscribe(this._root.current,this._events,this._getRowDragDropOptions())),o&&this._events.on(o,on.F5,this._onSelectionChanged),r&&n&&(this._onDidMountCalled=!0,r(this))},t.prototype.componentDidUpdate=function(e){var t=this.state,o=this.props,n=o.item,r=o.onDidMount,i=t.columnMeasureInfo;if(this.props.itemIndex===e.itemIndex&&this.props.item===e.item&&this.props.dragDropHelper===e.dragDropHelper||(this._dragDropSubscription&&(this._dragDropSubscription.dispose(),delete this._dragDropSubscription),this.props.dragDropHelper&&this._root.current&&(this._dragDropSubscription=this.props.dragDropHelper.subscribe(this._root.current,this._events,this._getRowDragDropOptions()))),i&&i.index>=0&&this._cellMeasurer.current){var a=this._cellMeasurer.current.getBoundingClientRect().width;i.onMeasureDone(a),this.setState({columnMeasureInfo:void 0})}n&&r&&!this._onDidMountCalled&&(this._onDidMountCalled=!0,r(this))},t.prototype.componentWillUnmount=function(){var e=this.props,t=e.item,o=e.onWillUnmount;o&&t&&o(this),this._dragDropSubscription&&(this._dragDropSubscription.dispose(),delete this._dragDropSubscription),this._events.dispose()},t.prototype.shouldComponentUpdate=function(e,t){if(this.props.useReducedRowRenderer){var o=qn(e);return this.state.selectionState.isSelected!==o.isSelected||!(0,Xt.Vv)(this.props,e)}return!0},t.prototype.render=function(){var e=this.props,t=e.className,o=e.columns,n=void 0===o?Vn:o,r=e.dragDropEvents,i=e.item,a=e.itemIndex,s=e.flatIndexOffset,u=void 0===s?2:s,d=e.onRenderCheck,p=void 0===d?this._onRenderCheck:d,m=e.onRenderDetailsCheckbox,h=e.onRenderItemColumn,g=e.getCellValueKey,f=e.selectionMode,v=e.rowWidth,b=void 0===v?0:v,y=e.checkboxVisibility,_=e.getRowAriaLabel,C=e.getRowAriaDescribedBy,S=e.checkButtonAriaLabel,x=e.checkboxCellClassName,k=e.rowFieldsAs,w=void 0===k?On:k,I=e.selection,D=e.indentWidth,T=e.enableUpdateAnimations,P=e.compact,N=e.theme,B=e.styles,F=e.cellsByColumn,L=e.groupNestingDepth,A=e.useFastIcons,z=void 0===A||A,H=e.cellStyleProps,O=this.state,W=O.columnMeasureInfo,V=O.isDropping,K=this.state.selectionState,q=K.isSelected,G=void 0!==q&&q,U=K.isSelectionModal,j=void 0!==U&&U,J=r?!(!r.canDrag||!r.canDrag(i)):void 0,Y=V?this._droppingClassNames||"is-dropping":"",Z=_?_(i):void 0,X=C?C(i):void 0,Q=!!I&&I.canSelectItem(i,a),$=f===on.oW.multiple,ee=f!==on.oW.none&&y!==un.hidden,te=f===on.oW.none?void 0:G;this._classNames=(0,l.pi)((0,l.pi)({},this._classNames),Wn(B,{theme:N,isSelected:G,canSelect:!$,anySelected:j,checkboxCellClassName:x,droppingClassName:Y,className:t,compact:P,enableUpdateAnimations:T,cellStyleProps:H}));var oe={isMultiline:this._classNames.isMultiline,isRowHeader:this._classNames.isRowHeader,cell:this._classNames.cell,cellAnimation:this._classNames.cellAnimation,cellPadded:this._classNames.cellPadded,cellUnpadded:this._classNames.cellUnpadded,fields:this._classNames.fields};(0,Xt.Vv)(this._rowClassNames||{},oe)||(this._rowClassNames=oe);var ne=c.createElement(w,{rowClassNames:this._rowClassNames,cellsByColumn:F,columns:n,item:i,itemIndex:a,columnStartIndex:(ee?1:0)+(L?1:0),onRenderItemColumn:h,getCellValueKey:g,enableUpdateAnimations:T,cellStyleProps:H});return c.createElement(M.k,(0,l.pi)({"data-is-focusable":!0},(0,E.pq)(this.props,E.n7),"boolean"==typeof J?{"data-is-draggable":J,draggable:J}:{},{direction:R.U.horizontal,elementRef:this._root,componentRef:this._focusZone,role:"row","aria-label":Z,"aria-describedby":X,className:this._classNames.root,"data-selection-index":a,"data-selection-touch-invoke":!0,"data-item-index":a,"aria-rowindex":L?void 0:a+u,"aria-level":L&&L+1||void 0,"data-automationid":"DetailsRow",style:{minWidth:b},"aria-selected":te,allowFocusRoot:!0}),ee&&c.createElement("div",{role:"gridcell","aria-colindex":1,"data-selection-toggle":!0,className:this._classNames.checkCell},p({selected:G,anySelected:j,"aria-label":S,canSelect:Q,compact:P,className:this._classNames.check,theme:N,isVisible:y===un.always,onRenderDetailsCheckbox:m,useFastIcons:z})),c.createElement(pn,{indentWidth:D,role:"gridcell",count:L-(this.props.collapseAllVisibility===zo.hidden?1:0)}),i&&ne,W&&c.createElement("span",{role:"presentation",className:(0,pt.i)(this._classNames.cellMeasurer,this._classNames.cell),ref:this._cellMeasurer},c.createElement(w,{rowClassNames:this._rowClassNames,columns:[W.column],item:i,itemIndex:a,columnStartIndex:(ee?1:0)+(L?1:0)+n.length,onRenderItemColumn:h,getCellValueKey:g})),c.createElement("span",{role:"checkbox",className:this._classNames.checkCover,"aria-checked":G,"data-selection-toggle":!0}))},t.prototype.measureCell=function(e,t){var o=this.props.columns,n=void 0===o?Vn:o,r=(0,l.pi)({},n[e]);r.minWidth=0,r.maxWidth=999999,delete r.calculatedWidth,this.setState({columnMeasureInfo:{index:e,column:r,onMeasureDone:t}})},t.prototype.focus=function(e){var t;return void 0===e&&(e=!1),!!(null===(t=this._focusZone.current)||void 0===t?void 0:t.focus(e))},t.prototype._onRenderCheck=function(e){return c.createElement(In,(0,l.pi)({},e))},t.prototype._getRowDragDropOptions=function(){var e=this.props,t=e.item,o=e.itemIndex,n=e.dragDropEvents;return{eventMap:e.eventsToRegister,selectionIndex:o,context:{data:t,index:o},canDrag:n.canDrag,canDrop:n.canDrop,onDragStart:n.onDragStart,updateDropState:this._updateDroppingState,onDrop:n.onDrop,onDragEnd:n.onDragEnd,onDragOver:n.onDragOver}},t}(c.Component);function qn(e){var t,o,n,r,i=e.itemIndex,a=e.selection;return{isSelected:!!(null===(t=a)||void 0===t?void 0:t.isIndexSelected(i)),isSelectionModal:!!(null===(r=null===(o=a)||void 0===o?void 0:(n=o).isModal)||void 0===r?void 0:r.call(n))}}var Gn=(0,I.z)(Kn,vn,void 0,{scope:"DetailsRow"}),Un={root:"ms-GroupedList",compact:"ms-GroupedList--Compact",group:"ms-GroupedList-group",link:"ms-Link",listCell:"ms-List-cell"},jn={root:"ms-GroupHeader",compact:"ms-GroupHeader--compact",check:"ms-GroupHeader-check",dropIcon:"ms-GroupHeader-dropIcon",expand:"ms-GroupHeader-expand",isCollapsed:"is-collapsed",title:"ms-GroupHeader-title",isSelected:"is-selected",iconTag:"ms-Icon--Tag",group:"ms-GroupedList-group",isDropping:"is-dropping"},Jn="cubic-bezier(0.390, 0.575, 0.565, 1.000)",Yn=o(76),Zn=(0,D.y)(),Xn=function(e){function t(t){var o=e.call(this,t)||this;return o._toggleCollapse=function(){var e=o.props,t=e.group,n=e.onToggleCollapse,r=e.isGroupLoading,i=!o.state.isCollapsed,a=!i&&r&&r(t);o.setState({isCollapsed:i,isLoadingVisible:a}),n&&n(t)},o._onKeyUp=function(e){var t=o.props,n=t.group,r=t.onGroupHeaderKeyUp;if(r&&r(e,n),!e.defaultPrevented){var i=o.state.isCollapsed&&e.which===(0,T.dP)(rt.m.right,o.props.theme);(!o.state.isCollapsed&&e.which===(0,T.dP)(rt.m.left,o.props.theme)||i)&&(o._toggleCollapse(),e.stopPropagation(),e.preventDefault())}},o._onToggleClick=function(e){o._toggleCollapse(),e.stopPropagation(),e.preventDefault()},o._onToggleSelectGroupClick=function(e){var t=o.props,n=t.onToggleSelectGroup,r=t.group;n&&n(r),e.preventDefault(),e.stopPropagation()},o._onHeaderClick=function(){var e=o.props,t=e.group,n=e.onGroupHeaderClick,r=e.onToggleSelectGroup;n?n(t):r&&r(t)},o._onRenderTitle=function(e){var t=e.group,n=e.ariaColSpan;return t?c.createElement("div",{className:o._classNames.title,id:o._id,role:"gridcell","aria-colspan":n},c.createElement("span",null,t.name),c.createElement("span",{className:o._classNames.headerCount},"(",t.count,t.hasMoreData&&"+",")")):null},o._id=(0,dn.z)("GroupHeader"),o.state={isCollapsed:o.props.group&&o.props.group.isCollapsed,isLoadingVisible:!1},o}return(0,l.ZT)(t,e),t.getDerivedStateFromProps=function(e,t){if(e.group){var o=e.group.isCollapsed,n=e.isGroupLoading,r=!o&&n&&n(e.group);return(0,l.pi)((0,l.pi)({},t),{isCollapsed:o||!1,isLoadingVisible:r||!1})}return t},t.prototype.render=function(){var e=this.props,t=e.group,o=e.groupLevel,n=void 0===o?0:o,r=e.viewport,i=e.selectionMode,a=e.loadingText,s=e.isSelected,u=void 0!==s&&s,d=e.selected,p=void 0!==d&&d,m=e.indentWidth,h=e.onRenderTitle,g=void 0===h?this._onRenderTitle:h,f=e.onRenderGroupHeaderCheckbox,v=e.isCollapsedGroupSelectVisible,b=void 0===v||v,y=e.expandButtonProps,_=e.expandButtonIcon,C=e.selectAllButtonProps,S=e.theme,x=e.styles,k=e.className,w=e.compact,I=e.ariaPosInSet,D=e.ariaSetSize,E=e.useFastIcons?this._fastDefaultCheckboxRender:this._defaultCheckboxRender,P=f?(0,ko.k)(f,E):E,M=this.state,R=M.isCollapsed,N=M.isLoadingVisible,B=i===on.oW.multiple,F=B&&(b||!(t&&t.isCollapsed)),L=p||u,A=(0,T.zg)(S);return this._classNames=Zn(x,{theme:S,className:k,selected:L,isCollapsed:R,compact:w}),t?c.createElement("div",{className:this._classNames.root,style:r?{minWidth:r.width}:{},onClick:this._onHeaderClick,role:"row","aria-setsize":D,"aria-posinset":I,"data-is-focusable":!0,onKeyUp:this._onKeyUp,"aria-label":t.ariaLabel,"aria-labelledby":t.ariaLabel?void 0:this._id,"aria-expanded":!this.state.isCollapsed,"aria-selected":B?L:void 0,"aria-level":n+1},c.createElement("div",{className:this._classNames.groupHeaderContainer,role:"presentation"},F?c.createElement("div",{role:"gridcell"},c.createElement("button",(0,l.pi)({"data-is-focusable":!1,type:"button",className:this._classNames.check,role:"checkbox","aria-checked":L,"data-selection-toggle":!0,onClick:this._onToggleSelectGroupClick},C),P({checked:L,theme:S},P))):i!==on.oW.none&&c.createElement(pn,{indentWidth:48,count:1}),c.createElement(pn,{indentWidth:m,count:n}),c.createElement("div",{className:this._classNames.dropIcon,role:"presentation"},c.createElement(W.J,{iconName:"Tag"})),c.createElement("div",{role:"gridcell"},c.createElement("button",(0,l.pi)({"data-is-focusable":!1,type:"button",className:this._classNames.expand,onClick:this._onToggleClick,"aria-expanded":!this.state.isCollapsed},y),c.createElement(W.J,{className:this._classNames.expandIsCollapsed,iconName:_||(A?"ChevronLeftMed":"ChevronRightMed")}))),g(this.props,this._onRenderTitle),N&&c.createElement(Yn.$,{label:a}))):null},t.prototype._defaultCheckboxRender=function(e){return c.createElement(je,{checked:e.checked})},t.prototype._fastDefaultCheckboxRender=function(e){return c.createElement(Qn,{theme:e.theme,checked:e.checked})},t.defaultProps={expandButtonProps:{"aria-label":"expand collapse group"}},t}(c.Component),Qn=c.memo((function(e){return c.createElement(je,{theme:e.theme,checked:e.checked,className:e.className,useFastIcons:!0})})),$n=(0,I.z)(Xn,(function(e){var t,o,n,r,i,a=e.theme,s=e.className,l=e.selected,c=e.isCollapsed,d=e.compact,p=hn.cellLeftPadding,m=d?40:48,h=a.semanticColors,g=a.palette,f=a.fonts,v=(0,u.Cn)(jn,a),b=[(0,u.GL)(a),{cursor:"default",background:"none",backgroundColor:"transparent",border:"none",padding:0}];return{root:[v.root,(0,u.GL)(a),a.fonts.medium,{borderBottom:"1px solid "+h.listBackground,cursor:"default",userSelect:"none",selectors:(t={":hover":{background:h.listItemBackgroundHovered,color:h.actionLinkHovered}},t["&:hover ."+v.check]={opacity:1},t["."+de.G$+" &:focus ."+v.check]={opacity:1},t[":global(."+v.group+"."+v.isDropping+")"]={selectors:(o={},o["& > ."+v.root+" ."+v.dropIcon]={transition:"transform "+u.D1.durationValue4+" cubic-bezier(0.075, 0.820, 0.165, 1.000) opacity "+u.D1.durationValue1+" "+Jn,transitionDelay:u.D1.durationValue3,opacity:1,transform:"rotate(0.2deg) scale(1);"},o["."+v.check]={opacity:0},o)},t)},l&&[v.isSelected,{background:h.listItemBackgroundChecked,selectors:(n={":hover":{background:h.listItemBackgroundCheckedHovered}},n[""+v.check]={opacity:1},n)}],d&&[v.compact,{border:"none"}],s],groupHeaderContainer:[{display:"flex",alignItems:"center",height:m}],headerCount:[{padding:"0px 4px"}],check:[v.check,b,{display:"flex",alignItems:"center",justifyContent:"center",paddingTop:1,marginTop:-1,opacity:0,width:48,height:m,selectors:(r={},r["."+de.G$+" &:focus"]={opacity:1},r)}],expand:[v.expand,b,{display:"flex",alignItems:"center",justifyContent:"center",fontSize:f.small.fontSize,width:36,height:m,color:l?g.neutralPrimary:g.neutralSecondary,selectors:{":hover":{backgroundColor:l?g.neutralQuaternary:g.neutralLight},":active":{backgroundColor:l?g.neutralTertiaryAlt:g.neutralQuaternaryAlt}}}],expandIsCollapsed:[c?[v.isCollapsed,{transform:"rotate(0deg)",transformOrigin:"50% 50%",transition:"transform .1s linear"}]:{transform:(0,T.zg)(a)?"rotate(-90deg)":"rotate(90deg)",transformOrigin:"50% 50%",transition:"transform .1s linear"}],title:[v.title,{paddingLeft:p,fontSize:d?f.medium.fontSize:f.mediumPlus.fontSize,fontWeight:c?u.lq.regular:u.lq.semibold,cursor:"pointer",outline:0,whiteSpace:"nowrap",textOverflow:"ellipsis"}],dropIcon:[v.dropIcon,{position:"absolute",left:-26,fontSize:u.ld.large,color:g.neutralSecondary,transition:"transform "+u.D1.durationValue2+" cubic-bezier(0.600, -0.280, 0.735, 0.045), opacity "+u.D1.durationValue4+" "+Jn,opacity:0,transform:"rotate(0.2deg) scale(0.65)",transformOrigin:"10px 10px",selectors:(i={},i[":global(."+v.iconTag+")"]={position:"absolute"},i)}]}}),void 0,{scope:"GroupHeader"}),er={root:"ms-GroupShowAll",link:"ms-Link"},tr=(0,D.y)(),or=(0,I.z)((function(e){var t=e.group,o=e.groupLevel,n=e.showAllLinkText,r=void 0===n?"Show All":n,i=e.styles,a=e.theme,s=e.onToggleSummarize,l=tr(i,{theme:a}),u=(0,c.useCallback)((function(e){s(t),e.stopPropagation(),e.preventDefault()}),[s,t]);return t?c.createElement("div",{className:l.root},c.createElement(pn,{count:o}),c.createElement(O,{onClick:u},r)):null}),(function(e){var t,o=e.theme,n=o.fonts,r=(0,u.Cn)(er,o);return{root:[r.root,{position:"relative",padding:"10px 84px",cursor:"pointer",selectors:(t={},t["."+r.link]={fontSize:n.small.fontSize},t)}]}}),void 0,{scope:"GroupShowAll"}),nr={root:"ms-groupFooter"},rr=(0,D.y)(),ir=(0,I.z)((function(e){var t=e.group,o=e.groupLevel,n=e.footerText,r=e.indentWidth,i=e.styles,a=e.theme,s=rr(i,{theme:a});return t&&n?c.createElement("div",{className:s.root},c.createElement(pn,{indentWidth:r,count:o}),n):null}),(function(e){var t=e.theme,o=e.className,n=(0,u.Cn)(nr,t);return{root:[t.fonts.medium,n.root,{position:"relative",padding:"5px 38px"},o]}}),void 0,{scope:"GroupFooter"}),ar=function(e){function t(o){var n=e.call(this,o)||this;n._root=c.createRef(),n._list=c.createRef(),n._subGroupRefs={},n._droppingClassName="",n._onRenderGroupHeader=function(e){return c.createElement($n,(0,l.pi)({},e))},n._onRenderGroupShowAll=function(e){return c.createElement(or,(0,l.pi)({},e))},n._onRenderGroupFooter=function(e){return c.createElement(ir,(0,l.pi)({},e))},n._renderSubGroup=function(e,o){var r=n.props,i=r.dragDropEvents,a=r.dragDropHelper,s=r.eventsToRegister,l=r.getGroupItemLimit,u=r.groupNestingDepth,d=r.groupProps,p=r.items,m=r.headerProps,h=r.showAllProps,g=r.footerProps,f=r.listProps,v=r.onRenderCell,b=r.selection,y=r.selectionMode,_=r.viewport,C=r.onRenderGroupHeader,S=r.onRenderGroupShowAll,x=r.onRenderGroupFooter,k=r.onShouldVirtualize,w=r.group,I=r.compact,D=e.level?e.level+1:u;return!e||e.count>0||d&&d.showEmptyGroups?c.createElement(t,{ref:function(e){return n._subGroupRefs["subGroup_"+o]=e},key:n._getGroupKey(e,o),dragDropEvents:i,dragDropHelper:a,eventsToRegister:s,footerProps:g,getGroupItemLimit:l,group:e,groupIndex:o,groupNestingDepth:D,groupProps:d,headerProps:m,items:p,listProps:f,onRenderCell:v,selection:b,selectionMode:y,showAllProps:h,viewport:_,onRenderGroupHeader:C,onRenderGroupShowAll:S,onRenderGroupFooter:x,onShouldVirtualize:k,groups:w?w.children:[],compact:I}):null},n._getGroupDragDropOptions=function(){var e=n.props,t=e.group,o=e.groupIndex,r=e.dragDropEvents;return{eventMap:e.eventsToRegister,selectionIndex:-1,context:{data:t,index:o,isGroup:!0},updateDropState:n._updateDroppingState,canDrag:r.canDrag,canDrop:r.canDrop,onDrop:r.onDrop,onDragStart:r.onDragStart,onDragEnter:r.onDragEnter,onDragLeave:r.onDragLeave,onDragEnd:r.onDragEnd,onDragOver:r.onDragOver}},n._updateDroppingState=function(e,t){var o=n.state.isDropping,r=n.props,i=r.dragDropEvents,a=r.group;o!==e&&(o?i&&i.onDragLeave&&i.onDragLeave(a,t):i&&i.onDragEnter&&(n._droppingClassName=i.onDragEnter(a,t)),n.setState({isDropping:e}))};var r=o.selection,i=o.group;return(0,P.l)(n),n._id=(0,dn.z)("GroupedListSection"),n.state={isDropping:!1,isSelected:!(!r||!i)&&r.isRangeSelected(i.startIndex,i.count)},n._events=new at.r(n),n}return(0,l.ZT)(t,e),t.prototype.componentDidMount=function(){var e=this.props,t=e.dragDropHelper,o=e.selection;t&&this._root.current&&(this._dragDropSubscription=t.subscribe(this._root.current,this._events,this._getGroupDragDropOptions())),o&&this._events.on(o,on.F5,this._onSelectionChange)},t.prototype.componentWillUnmount=function(){this._events.dispose(),this._dragDropSubscription&&this._dragDropSubscription.dispose()},t.prototype.componentDidUpdate=function(e){this.props.group===e.group&&this.props.groupIndex===e.groupIndex&&this.props.dragDropHelper===e.dragDropHelper||(this._dragDropSubscription&&(this._dragDropSubscription.dispose(),delete this._dragDropSubscription),this.props.dragDropHelper&&this._root.current&&(this._dragDropSubscription=this.props.dragDropHelper.subscribe(this._root.current,this._events,this._getGroupDragDropOptions())))},t.prototype.render=function(){var e=this.props,t=e.getGroupItemLimit,o=e.group,n=e.groupIndex,r=e.headerProps,i=e.showAllProps,a=e.footerProps,s=e.viewport,u=e.selectionMode,d=e.onRenderGroupHeader,p=void 0===d?this._onRenderGroupHeader:d,m=e.onRenderGroupShowAll,h=void 0===m?this._onRenderGroupShowAll:m,g=e.onRenderGroupFooter,f=void 0===g?this._onRenderGroupFooter:g,v=e.onShouldVirtualize,b=e.groupedListClassNames,y=e.groups,_=e.compact,C=e.listProps,S=void 0===C?{}:C,x=this.state.isSelected,k=o&&t?t(o):1/0,w=o&&!o.children&&!o.isCollapsed&&!o.isShowingAll&&(o.count>k||o.hasMoreData),I=o&&o.children&&o.children.length>0,D=S.version,T={group:o,groupIndex:n,groupLevel:o?o.level:0,isSelected:x,selected:x,viewport:s,selectionMode:u,groups:y,compact:_},E={groupedListId:this._id,ariaSetSize:y?y.length:void 0,ariaPosInSet:void 0!==n?n+1:void 0},P=(0,l.pi)((0,l.pi)((0,l.pi)({},r),T),E),M=(0,l.pi)((0,l.pi)({},i),T),R=(0,l.pi)((0,l.pi)({},a),T),N=!!this.props.dragDropHelper&&this._getGroupDragDropOptions().canDrag(o)&&!!this.props.dragDropEvents.canDragGroups;return c.createElement("div",(0,l.pi)({ref:this._root},N&&{draggable:!0},{className:(0,pt.i)(b&&b.group,this._getDroppingClassName()),role:"presentation"}),p(P,this._onRenderGroupHeader),o&&o.isCollapsed?null:I?c.createElement(Eo,{role:"presentation",ref:this._list,items:o?o.children:[],onRenderCell:this._renderSubGroup,getItemCountForPage:this._returnOne,onShouldVirtualize:v,version:D,id:this._id}):this._onRenderGroup(k),o&&o.isCollapsed?null:w&&h(M,this._onRenderGroupShowAll),f(R,this._onRenderGroupFooter))},t.prototype.forceUpdate=function(){e.prototype.forceUpdate.call(this),this.forceListUpdate()},t.prototype.forceListUpdate=function(){var e=this.props.group;if(this._list.current){if(this._list.current.forceUpdate(),e&&e.children&&e.children.length>0)for(var t=e.children.length,o=0;o0&&(r&&r(e),this._setGroupsCollapsedState(o,e),this._updateIsSomeGroupExpanded(),this.forceUpdate())},t.prototype._setGroupsCollapsedState=function(e,t){for(var o=0;o0;)e++,t=t[0].children;return e},t.prototype._forceListUpdates=function(e){this.setState({version:{}})},t.prototype._computeIsSomeGroupExpanded=function(e){var t=this;return!(!e||!e.some((function(e){return e.children?t._computeIsSomeGroupExpanded(e.children):!e.isCollapsed})))},t.prototype._updateIsSomeGroupExpanded=function(){var e=this.state.groups,t=this.props.onGroupExpandStateChanged,o=this._computeIsSomeGroupExpanded(e);this._isSomeGroupExpanded!==o&&(t&&t(o),this._isSomeGroupExpanded=o)},t.defaultProps={selectionMode:on.oW.multiple,isHeaderVisible:!0,groupProps:{},compact:!1},t}(c.Component),dr=(0,I.z)(ur,(function(e){var t,o,n=e.theme,r=e.className,i=e.compact,a=n.palette,s=(0,u.Cn)(Un,n);return{root:[s.root,n.fonts.small,{position:"relative",selectors:(t={},t["."+s.listCell]={minHeight:38},t)},i&&[s.compact,{selectors:(o={},o["."+s.listCell]={minHeight:32},o)}],r],group:[s.group,{transition:"background-color "+u.D1.durationValue2+" cubic-bezier(0.445, 0.050, 0.550, 0.950)"}],groupIsDropping:{backgroundColor:a.neutralLight}}}),void 0,{scope:"GroupedList"}),pr=o(1071);function mr(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 hr(e){return function(t){function o(e){var o=t.call(this,e)||this;return o._root=c.createRef(),o._registerResizeObserver=function(){var e=(0,So.J)(o._root.current);o._viewportResizeObserver=new e.ResizeObserver(o._onAsyncResize),o._viewportResizeObserver.observe(o._root.current)},o._unregisterResizeObserver=function(){o._viewportResizeObserver&&(o._viewportResizeObserver.disconnect(),delete o._viewportResizeObserver)},o._updateViewport=function(e){var t=o.state.viewport,n=o._root.current,r=mr((0,yo.zj)(n)),i=mr(n);((i&&i.width)!==t.width||(r&&r.height)!==t.height)&&o._resizeAttempts<3&&i&&r?(o._resizeAttempts++,o.setState({viewport:{width:i.width,height:r.height}},(function(){o._updateViewport(e)}))):(o._resizeAttempts=0,e&&o._composedComponentInstance&&o._composedComponentInstance.forceUpdate())},o._async=new bo.e(o),o._events=new at.r(o),o._resizeAttempts=0,o.state={viewport:{width:0,height:0}},o}return(0,l.ZT)(o,t),o.prototype.componentDidMount=function(){var e=this.props,t=e.skipViewportMeasures,o=e.disableResizeObserver,n=(0,So.J)(this._root.current);this._onAsyncResize=this._async.debounce(this._onAsyncResize,500,{leading:!1}),t||(!o&&this._isResizeObserverAvailable()?this._registerResizeObserver():this._events.on(n,"resize",this._onAsyncResize),this._updateViewport())},o.prototype.componentDidUpdate=function(e){var t=e.skipViewportMeasures,o=this.props,n=o.skipViewportMeasures,r=o.disableResizeObserver,i=(0,So.J)(this._root.current);n!==t&&(n?(this._unregisterResizeObserver(),this._events.off(i,"resize",this._onAsyncResize)):(!r&&this._isResizeObserverAvailable()?this._viewportResizeObserver||this._registerResizeObserver():this._events.on(i,"resize",this._onAsyncResize),this._updateViewport()))},o.prototype.componentWillUnmount=function(){this._events.dispose(),this._async.dispose(),this._unregisterResizeObserver()},o.prototype.render=function(){var t=this.state.viewport,o=t.width>0&&t.height>0?t:void 0;return c.createElement("div",{className:"ms-Viewport",ref:this._root,style:{minWidth:1,minHeight:1}},c.createElement(e,(0,l.pi)({ref:this._updateComposedComponentRef,viewport:o},this.props)))},o.prototype.forceUpdate=function(){this._updateViewport(!0)},o.prototype._onAsyncResize=function(){this._updateViewport()},o.prototype._isResizeObserverAvailable=function(){var e=(0,So.J)(this._root.current);return e&&e.ResizeObserver},o}(pr.P)}var gr=(0,D.y)(),fr=100,vr=function(e){var t=e.selection,o=e.ariaLabelForListHeader,n=e.ariaLabelForSelectAllCheckbox,r=e.ariaLabelForSelectionColumn,i=e.className,a=e.checkboxVisibility,s=e.compact,u=e.constrainMode,p=e.dragDropEvents,m=e.groups,h=e.groupProps,g=e.indentWidth,f=e.items,v=e.isPlaceholderData,b=e.isHeaderVisible,y=e.layoutMode,_=e.onItemInvoked,C=e.onItemContextMenu,S=e.onColumnHeaderClick,x=e.onColumnHeaderContextMenu,k=e.selectionMode,w=void 0===k?t.mode:k,I=e.selectionPreservedOnEmptyClick,D=e.selectionZoneProps,E=e.ariaLabel,P=e.ariaLabelForGrid,N=e.rowElementEventMap,F=e.shouldApplyApplicationRole,L=void 0!==F&&F,A=e.getKey,z=e.listProps,H=e.usePageCache,O=e.onShouldVirtualize,W=e.viewport,V=e.minimumPixelsForDrag,K=e.getGroupHeight,G=e.styles,U=e.theme,j=e.cellStyleProps,J=void 0===j?hn:j,Y=e.onRenderCheckbox,Z=e.useFastIcons,X=e.dragDropHelper,Q=e.adjustedColumns,$=e.isCollapsed,ee=e.isSizing,te=e.isSomeGroupExpanded,oe=e.version,ne=e.rootRef,re=e.listRef,ie=e.focusZoneRef,ae=e.columnReorderOptions,se=e.groupedListRef,le=e.headerRef,ce=e.onGroupExpandStateChanged,ue=e.onColumnIsSizingChanged,de=e.onRowDidMount,pe=e.onRowWillUnmount,me=e.disableSelectionZone,he=e.onColumnResized,ge=e.onColumnAutoResized,fe=e.onToggleCollapse,ve=e.onActiveRowChanged,be=e.onBlur,ye=e.rowElementEventMap,_e=e.onRenderMissingItem,Ce=e.onRenderItemColumn,Se=e.getCellValueKey,xe=e.getRowAriaLabel,ke=e.getRowAriaDescribedBy,we=e.checkButtonAriaLabel,Ie=e.checkboxCellClassName,De=e.useReducedRowRenderer,Te=e.enableUpdateAnimations,Ee=e.enterModalSelectionOnTouch,Pe=e.onRenderDefaultRow,Me=e.selectionZoneRef,Re=function(e){for(var t=0,o=e;o&&o.length>0;)t++,o=o[0].children;return t}(m),Ne=c.useMemo((function(){return(0,l.pi)({renderedWindowsAhead:ee?0:2,renderedWindowsBehind:ee?0:2,getKey:A,version:oe},z)}),[ee,A,oe,z]),Be=wn.none;if(w===on.oW.single&&(Be=wn.hidden),w===on.oW.multiple){var Fe=h&&h.headerProps&&h.headerProps.isCollapsedGroupSelectVisible;void 0===Fe&&(Fe=!0),Be=Fe||!m||te?wn.visible:wn.hidden}a===un.hidden&&(Be=wn.none);var Le=c.useCallback((function(e){return c.createElement(Hn,(0,l.pi)({},e))}),[]),Ae=c.useCallback((function(){return null}),[]),ze=e.onRenderDetailsHeader,He=c.useMemo((function(){return ze?(0,ko.k)(ze,Le):Le}),[ze,Le]),Oe=e.onRenderDetailsFooter,We=c.useMemo((function(){return Oe?(0,ko.k)(Oe,Ae):Ae}),[Oe,Ae]),Ve=c.useMemo((function(){return{columns:Q,groupNestingDepth:Re,selection:t,selectionMode:w,viewport:W,checkboxVisibility:a,indentWidth:g,cellStyleProps:J}}),[Q,Re,t,w,W,a,g,J]),Ke=ae&&ae.onDragEnd,qe=c.useCallback((function(e,t){var o=e.dropLocation,n=ln.outside;if(Ke){if(o&&o!==ln.header)n=o;else if(ne.current){var r=ne.current.getBoundingClientRect();t.clientX>r.left&&t.clientXr.top&&t.clientY0;)++t,(n=o.pop())&&n.children&&o.push.apply(o,n.children);return t}(m)+(f?f.length:0),je=(Be!==wn.none?1:0)+(Q?Q.length:0)+(m?1:0),Je=c.useMemo((function(){return gr(G,{theme:U,compact:s,isFixed:y===cn.fixedColumns,isHorizontalConstrained:u===sn.horizontalConstrained,className:i})}),[G,U,s,y,u,i]),Ye=h&&h.onRenderFooter,Ze=c.useMemo((function(){return Ye?function(e,o){return Ye((0,l.pi)((0,l.pi)({},e),{columns:Q,groupNestingDepth:Re,indentWidth:g,selection:t,selectionMode:w,viewport:W,checkboxVisibility:a,cellStyleProps:J}),o)}:void 0}),[Ye,Q,Re,g,t,w,W,a,J]),Xe=h&&h.onRenderHeader,Qe=c.useMemo((function(){return Xe?function(e,o){var n=e.ariaPosInSet,r=e.ariaSetSize;return Xe((0,l.pi)((0,l.pi)({},e),{columns:Q,groupNestingDepth:Re,indentWidth:g,selection:t,selectionMode:w,viewport:W,checkboxVisibility:a,cellStyleProps:J,ariaColSpan:Q.length,ariaPosInSet:void 0,ariaSetSize:void 0,ariaRowCount:r?r+(b?1:0):void 0,ariaRowIndex:n?n+(b?1:0):void 0}),o)}:function(e,t){var o=e.ariaPosInSet,n=e.ariaSetSize;return t((0,l.pi)((0,l.pi)({},e),{ariaColSpan:Q.length,ariaPosInSet:void 0,ariaSetSize:void 0,ariaRowCount:n?n+(b?1:0):void 0,ariaRowIndex:o?o+(b?1:0):void 0}))}}),[Xe,Q,Re,g,b,t,w,W,a,J]),$e=c.useMemo((function(){return(0,l.pi)((0,l.pi)({},h),{role:"rowgroup",onRenderFooter:Ze,onRenderHeader:Qe})}),[h,Ze,Qe]),et=(0,q.B)((function(){return(0,d.NF)((function(e){var t=0;return e.forEach((function(e){return t+=e.calculatedWidth||e.minWidth})),t}))})),tt=h&&h.collapseAllVisibility,ot=c.useMemo((function(){return et(Q)}),[Q,et]),nt=c.useCallback((function(o,n,r){var i=e.onRenderRow?(0,ko.k)(e.onRenderRow,Pe):Pe,l={item:n,itemIndex:r,flatIndexOffset:b?2:1,compact:s,columns:Q,groupNestingDepth:o,selectionMode:w,selection:t,onDidMount:de,onWillUnmount:pe,onRenderItemColumn:Ce,getCellValueKey:Se,eventsToRegister:ye,dragDropEvents:p,dragDropHelper:X,viewport:W,checkboxVisibility:a,collapseAllVisibility:tt,getRowAriaLabel:xe,getRowAriaDescribedBy:ke,checkButtonAriaLabel:we,checkboxCellClassName:Ie,useReducedRowRenderer:De,indentWidth:g,cellStyleProps:J,onRenderDetailsCheckbox:Y,enableUpdateAnimations:Te,rowWidth:ot,useFastIcons:Z};return n?i(l):_e?_e(r,l):null}),[s,Q,w,t,de,pe,Ce,Se,ye,p,X,W,a,tt,xe,ke,b,we,Ie,De,g,J,Y,Te,Z,Pe,_e,e.onRenderRow,ot]),it=c.useCallback((function(e){return function(t,o){return nt(e,t,o)}}),[nt]),at=c.useCallback((function(e){return e.which===(0,T.dP)(rt.m.right,U)}),[U]),st={componentRef:ie,className:Je.focusZone,direction:R.U.vertical,shouldEnterInnerZone:at,onActiveElementChanged:ve,shouldRaiseClicks:!1,onBlur:be},lt=m?c.createElement(dr,{focusZoneProps:st,componentRef:se,groups:m,groupProps:$e,items:f,onRenderCell:nt,role:"presentation",selection:t,selectionMode:a!==un.hidden?w:on.oW.none,dragDropEvents:p,dragDropHelper:X,eventsToRegister:N,listProps:Ne,onGroupExpandStateChanged:ce,usePageCache:H,onShouldVirtualize:O,getGroupHeight:K,compact:s}):c.createElement(M.k,(0,l.pi)({},st),c.createElement(Eo,(0,l.pi)({ref:re,role:"presentation",items:f,onRenderCell:it(0),usePageCache:H,onShouldVirtualize:O},Ne))),ct=c.useCallback((function(e){e.which===rt.m.down&&ie.current&&ie.current.focus()&&(0===t.getSelectedIndices().length&&t.setIndexSelected(0,!0,!1),e.preventDefault(),e.stopPropagation())}),[t,ie]),ut=c.useCallback((function(e){e.which!==rt.m.up||e.altKey||le.current&&le.current.focus()&&(e.preventDefault(),e.stopPropagation())}),[le]);return c.createElement("div",(0,l.pi)({ref:ne,className:Je.root,"data-automationid":"DetailsList","data-is-scrollable":"false","aria-label":E},L?{role:"application"}:{}),c.createElement(B.u,null),c.createElement("div",{role:"grid","aria-label":P,"aria-rowcount":v?-1:Ue,"aria-colcount":je,"aria-readonly":"true","aria-busy":v},c.createElement("div",{onKeyDown:ct,role:"presentation",className:Je.headerWrapper},b&&He({componentRef:le,selectionMode:w,layoutMode:y,selection:t,columns:Q,onColumnClick:S,onColumnContextMenu:x,onColumnResized:he,onColumnIsSizingChanged:ue,onColumnAutoResized:ge,groupNestingDepth:Re,isAllCollapsed:$,onToggleCollapseAll:fe,ariaLabel:o,ariaLabelForSelectAllCheckbox:n,ariaLabelForSelectionColumn:r,selectAllVisibility:Be,collapseAllVisibility:h&&h.collapseAllVisibility,viewport:W,columnReorderProps:Ge,minimumPixelsForDrag:V,cellStyleProps:J,checkboxVisibility:a,indentWidth:g,onRenderDetailsCheckbox:Y,rowWidth:et(Q),useFastIcons:Z},He)),c.createElement("div",{onKeyDown:ut,role:"presentation",className:Je.contentWrapper},me?lt:c.createElement(rn.i,(0,l.pi)({ref:Me,selection:t,selectionPreservedOnEmptyClick:I,selectionMode:w,onItemInvoked:_,onItemContextMenu:C,enterModalOnTouch:Ee},D||{}),lt)),We((0,l.pi)({},Ve))))},br=function(e){function t(t){var o=e.call(this,t)||this;return o._root=c.createRef(),o._header=c.createRef(),o._groupedList=c.createRef(),o._list=c.createRef(),o._focusZone=c.createRef(),o._selectionZone=c.createRef(),o._onRenderRow=function(e,t){return c.createElement(Gn,(0,l.pi)({},e))},o._getDerivedStateFromProps=function(e,t){var n=o.props,r=n.checkboxVisibility,i=n.items,a=n.setKey,s=n.selectionMode,c=void 0===s?o._selection.mode:s,u=n.columns,d=n.viewport,p=n.compact,m=n.dragDropEvents,h=(o.props.groupProps||{}).isAllGroupsCollapsed,g=void 0===h?void 0:h,f=e.viewport&&e.viewport.width||0,v=d&&d.width||0,b=e.setKey!==a||void 0===e.setKey,y=!1;e.layoutMode!==o.props.layoutMode&&(y=!0);var _=t;return b&&(o._initialFocusedIndex=e.initialFocusedIndex,_=(0,l.pi)((0,l.pi)({},_),{focusedItemIndex:void 0!==o._initialFocusedIndex?o._initialFocusedIndex:-1})),o.props.disableSelectionZone||e.items===i||o._selection.setItems(e.items,b),e.checkboxVisibility===r&&e.columns===u&&f===v&&e.compact===p||(y=!0),_=(0,l.pi)((0,l.pi)({},_),o._adjustColumns(e,_,!0)),e.selectionMode!==c&&(y=!0),void 0===g&&e.groupProps&&void 0!==e.groupProps.isAllGroupsCollapsed&&(_=(0,l.pi)((0,l.pi)({},_),{isCollapsed:e.groupProps.isAllGroupsCollapsed,isSomeGroupExpanded:!e.groupProps.isAllGroupsCollapsed})),e.dragDropEvents!==m&&(o._dragDropHelper&&o._dragDropHelper.dispose(),o._dragDropHelper=e.dragDropEvents?new Dn({selection:o._selection,minimumPixelsForDrag:e.minimumPixelsForDrag}):void 0,y=!0),y&&(_=(0,l.pi)((0,l.pi)({},_),{version:{}})),_},o._onGroupExpandStateChanged=function(e){o.setState({isSomeGroupExpanded:e})},o._onColumnIsSizingChanged=function(e,t){o.setState({isSizing:t})},o._onRowDidMount=function(e){var t=e.props,n=t.item,r=t.itemIndex,i=o._getItemKey(n,r);o._activeRows[i]=e,o._setFocusToRowIfPending(e);var a=o.props.onRowDidMount;a&&a(n,r)},o._onRowWillUnmount=function(e){var t=o.props.onRowWillUnmount,n=e.props,r=n.item,i=n.itemIndex,a=o._getItemKey(r,i);delete o._activeRows[a],t&&t(r,i)},o._onToggleCollapse=function(e){o.setState({isCollapsed:e}),o._groupedList.current&&o._groupedList.current.toggleCollapseAll(e)},o._onColumnResized=function(e,t,n){var r=Math.max(e.minWidth||fr,t);o.props.onColumnResize&&o.props.onColumnResize(e,r,n),o._rememberCalculatedWidth(e,r),o.setState((0,l.pi)((0,l.pi)({},o._adjustColumns(o.props,o.state,!0,n)),{version:{}}))},o._onColumnAutoResized=function(e,t){var n=0,r=0,i=Object.keys(o._activeRows).length;for(var a in o._activeRows)o._activeRows.hasOwnProperty(a)&&o._activeRows[a].measureCell(t,(function(a){n=Math.max(n,a),++r===i&&o._onColumnResized(e,n,t)}))},o._onActiveRowChanged=function(e,t){var n=o.props,r=n.items,i=n.onActiveItemChanged;if(e&&e.getAttribute("data-item-index")){var a=Number(e.getAttribute("data-item-index"));a>=0&&(i&&i(r[a],a,t),o.setState({focusedItemIndex:a}))}},o._onBlur=function(e){o.setState({focusedItemIndex:-1})},(0,P.l)(o),o._async=new bo.e(o),o._activeRows={},o._columnOverrides={},o.state={focusedItemIndex:-1,lastWidth:0,adjustedColumns:o._getAdjustedColumns(t,void 0),isSizing:!1,isCollapsed:t.groupProps&&t.groupProps.isAllGroupsCollapsed,isSomeGroupExpanded:t.groupProps&&!t.groupProps.isAllGroupsCollapsed,version:{},getDerivedStateFromProps:o._getDerivedStateFromProps},o._selection=t.selection||new nn.Y({onSelectionChanged:void 0,getKey:t.getKey,selectionMode:t.selectionMode}),o.props.disableSelectionZone||o._selection.setItems(t.items,!1),o._dragDropHelper=t.dragDropEvents?new Dn({selection:o._selection,minimumPixelsForDrag:t.minimumPixelsForDrag}):void 0,o._initialFocusedIndex=t.initialFocusedIndex,o}return(0,l.ZT)(t,e),t.getDerivedStateFromProps=function(e,t){return t.getDerivedStateFromProps(e,t)},t.prototype.scrollToIndex=function(e,t,o){this._list.current&&this._list.current.scrollToIndex(e,t,o),this._groupedList.current&&this._groupedList.current.scrollToIndex(e,t,o)},t.prototype.focusIndex=function(e,t,o,n){void 0===t&&(t=!1);var r=this.props.items[e];if(r){this.scrollToIndex(e,o,n);var i=this._getItemKey(r,e),a=this._activeRows[i];a&&this._setFocusToRow(a,t)}},t.prototype.getStartItemIndexInView=function(){return this._list&&this._list.current?this._list.current.getStartItemIndexInView():this._groupedList&&this._groupedList.current?this._groupedList.current.getStartItemIndexInView():0},t.prototype.componentWillUnmount=function(){this._dragDropHelper&&this._dragDropHelper.dispose(),this._async.dispose()},t.prototype.componentDidUpdate=function(e,t){if(this._notifyColumnsResized(),void 0!==this._initialFocusedIndex&&(i=this.props.items[this._initialFocusedIndex])){var o=this._getItemKey(i,this._initialFocusedIndex);(n=this._activeRows[o])&&this._setFocusToRowIfPending(n)}if(this.props.items!==e.items&&this.props.items.length>0&&-1!==this.state.focusedItemIndex&&!(0,it.t)(this._root.current,document.activeElement,!1)){var n,r=this.state.focusedItemIndex0;)e++,t=t[0].children;return e},t.prototype._setFocusToRowIfPending=function(e){var t=e.props.itemIndex;void 0!==this._initialFocusedIndex&&t===this._initialFocusedIndex&&(this._setFocusToRow(e),delete this._initialFocusedIndex)},t.prototype._setFocusToRow=function(e,t){void 0===t&&(t=!1),this._selectionZone.current&&this._selectionZone.current.ignoreNextFocus(),this._async.setTimeout((function(){e.focus(t)}),0)},t.prototype._forceListUpdates=function(){this._groupedList.current&&this._groupedList.current.forceUpdate(),this._list.current&&this._list.current.forceUpdate()},t.prototype._notifyColumnsResized=function(){this.state.adjustedColumns.forEach((function(e){e.onColumnResize&&e.onColumnResize(e.currentWidth)}))},t.prototype._adjustColumns=function(e,t,o,n){var r=this._getAdjustedColumns(e,t,o,n),i=this.props.viewport,a=i&&i.width?i.width:0;return(0,l.pi)((0,l.pi)({},t),{adjustedColumns:r,lastWidth:a})},t.prototype._getAdjustedColumns=function(e,t,o,n){var r,i=this,a=e.items,s=e.layoutMode,l=e.selectionMode,c=e.viewport,u=c&&c.width?c.width:0,d=e.columns,p=this.props?this.props.columns:[],m=t?t.lastWidth:-1,h=t?t.lastSelectionMode:void 0;return o||m!==u||h!==l||p&&d!==p?(d=d||yr(a,!0),s===cn.fixedColumns?(r=this._getFixedColumns(d)).forEach((function(e){i._rememberCalculatedWidth(e,e.calculatedWidth)})):(r=void 0!==n?this._getJustifiedColumnsAfterResize(d,u,e,n):this._getJustifiedColumns(d,u,e,0)).forEach((function(e){i._getColumnOverride(e.key).currentWidth=e.calculatedWidth})),r):d||[]},t.prototype._getFixedColumns=function(e){var t=this;return e.map((function(e){var o=(0,l.pi)((0,l.pi)({},e),t._columnOverrides[e.key]);return o.calculatedWidth||(o.calculatedWidth=o.maxWidth||o.minWidth||fr),o}))},t.prototype._getJustifiedColumnsAfterResize=function(e,t,o,n){var r=this,i=e.slice(0,n);i.forEach((function(e){return e.calculatedWidth=r._getColumnOverride(e.key).currentWidth}));var a=i.reduce((function(e,t,n){return e+_r(t,0,o)}),0),s=e.slice(n),c=t-a;return(0,l.pr)(i,this._getJustifiedColumns(s,c,o,n))},t.prototype._getJustifiedColumns=function(e,t,o,n){for(var r=this,i=o.selectionMode,a=void 0===i?this._selection.mode:i,s=o.checkboxVisibility,c=a!==on.oW.none&&s!==un.hidden?48:0,u=36*this._getGroupNestingDepth(),d=0,p=t-(c+u),m=e.map((function(e,t){var n=(0,l.pi)((0,l.pi)((0,l.pi)({},e),{calculatedWidth:e.minWidth||fr}),r._columnOverrides[e.key]);return d+=_r(n,0,o),n})),h=m.length-1;h>0&&d>p;){var g=(y=m[h]).minWidth||fr,f=d-p;if(y.calculatedWidth-g>=f||!y.isCollapsible&&!y.isCollapsable){var v=y.calculatedWidth;y.calculatedWidth=Math.max(y.calculatedWidth-f,g),d-=v-y.calculatedWidth}else d-=_r(y,0,o),m.splice(h,1);h--}for(var b=0;b=(E||Er.eD.small)&&c.createElement(dt.m,(0,l.pi)({ref:H},ve),c.createElement(Dr.G,{role:M||!v?"dialog":"alertdialog","aria-modal":!M,ariaLabelledBy:k,ariaDescribedBy:I,onDismiss:_,shouldRestoreFocus:!f},c.createElement("div",{className:fe.root,role:M?void 0:"document"},!M&&c.createElement(Ir.a,(0,l.pi)({isDarkThemed:y,onClick:v?void 0:_,allowTouchBodyScroll:a},S)),R?c.createElement(Br,{handleSelector:R.dragHandleSelector||"#"+V,preventDragSelector:"button",onStart:Se,onDragChange:xe,onStop:ke,position:ne},we):we)))||null}));Or.displayName="Modal";var Wr=(0,I.z)(Or,(function(e){var t,o=e.className,n=e.containerClassName,r=e.scrollableContentClassName,i=e.isOpen,a=e.isVisible,s=e.hasBeenOpened,l=e.modalRectangleTop,c=e.theme,d=e.topOffsetFixed,p=e.isModeless,m=e.layerClassName,h=e.isDefaultDragHandle,g=e.windowInnerHeight,f=c.palette,v=c.effects,b=c.fonts,y=(0,u.Cn)(wr,c);return{root:[y.root,b.medium,{backgroundColor:"transparent",position:p?"absolute":"fixed",height:"100%",width:"100%",display:"flex",alignItems:"center",justifyContent:"center",opacity:0,pointerEvents:"none",transition:"opacity "+kr},d&&s&&{alignItems:"flex-start"},i&&y.isOpen,a&&{opacity:1,pointerEvents:"auto"},o],main:[y.main,{boxShadow:v.elevation64,borderRadius:v.roundedCorner2,backgroundColor:f.white,boxSizing:"border-box",position:"relative",textAlign:"left",outline:"3px solid transparent",maxHeight:"calc(100% - 32px)",maxWidth:"calc(100% - 32px)",minHeight:"176px",minWidth:"288px",overflowY:"auto",zIndex:p?u.bR.Layer:void 0},d&&s&&{top:l},h&&{cursor:"move"},n],scrollableContent:[y.scrollableContent,{overflowY:"auto",flexGrow:1,maxHeight:"100vh",selectors:(t={},t["@supports (-webkit-overflow-scrolling: touch)"]={maxHeight:g},t)},r],layer:p&&[m,y.layer,{position:"static",width:"unset",height:"unset"}],keyboardMoveIconContainer:{position:"absolute",display:"flex",justifyContent:"center",width:"100%",padding:"3px 0px"},keyboardMoveIcon:{fontSize:b.xLargePlus.fontSize,width:"24px"}}}),void 0,{scope:"Modal",fields:["theme","styles","enableAriaHiddenSiblings"]});Wr.displayName="Modal";var Vr=o(3129),Kr=(0,D.y)(),qr=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.className,o=e.styles,n=e.theme;return this._classNames=Kr(o,{theme:n,className:t}),c.createElement("div",{className:this._classNames.actions},c.createElement("div",{className:this._classNames.actionsRight},this._renderChildrenAsActions()))},t.prototype._renderChildrenAsActions=function(){var e=this;return c.Children.map(this.props.children,(function(t){return t?c.createElement("span",{className:e._classNames.action},t):null}))},t}(c.Component),Gr={actions:"ms-Dialog-actions",action:"ms-Dialog-action",actionsRight:"ms-Dialog-actionsRight"},Ur=(0,I.z)(qr,(function(e){var t=e.className,o=e.theme,n=(0,u.Cn)(Gr,o);return{actions:[n.actions,{position:"relative",width:"100%",minHeight:"24px",lineHeight:"24px",margin:"16px 0 0",fontSize:"0",selectors:{".ms-Button":{lineHeight:"normal"}}},t],action:[n.action,{margin:"0 4px"}],actionsRight:[n.actionsRight,{textAlign:"right",marginRight:"-4px",fontSize:"0"}]}}),void 0,{scope:"DialogFooter"}),jr=(0,D.y)(),Jr=c.createElement(Ur,null).type,Yr=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),(0,Vr.b)("DialogContent",t,{titleId:"titleProps.id"}),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e,t=this.props,o=t.showCloseButton,n=t.className,r=t.closeButtonAriaLabel,i=t.onDismiss,a=t.subTextId,s=t.subText,u=t.titleProps,d=void 0===u?{}:u,p=t.titleId,m=t.title,h=t.type,g=t.styles,f=t.theme,v=t.draggableHeaderClassName,b=jr(g,{theme:f,className:n,isLargeHeader:h===Cr.largeHeader,isClose:h===Cr.close,draggableHeaderClassName:v}),y=this._groupChildren();return s&&(e=c.createElement("p",{className:b.subText,id:a},s)),c.createElement("div",{className:b.content},c.createElement("div",{className:b.header},c.createElement("div",(0,l.pi)({id:p,role:"heading","aria-level":1},d,{className:(0,pt.i)(b.title,d.className)}),m),c.createElement("div",{className:b.topButton},this.props.topButtonsProps.map((function(e,t){return c.createElement(V.h,(0,l.pi)({key:e.uniqueId||t},e))})),(h===Cr.close||o&&h!==Cr.largeHeader)&&c.createElement(V.h,{className:b.button,iconProps:{iconName:"Cancel"},ariaLabel:r,onClick:i,title:r}))),c.createElement("div",{className:b.inner},c.createElement("div",{className:b.innerContent},e,y.contents),y.footers))},t.prototype._groupChildren=function(){var e={footers:[],contents:[]};return c.Children.map(this.props.children,(function(t){"object"==typeof t&&null!==t&&t.type===Jr?e.footers.push(t):e.contents.push(t)})),e},t.defaultProps={showCloseButton:!1,className:"",topButtonsProps:[],closeButtonAriaLabel:"Close"},(0,l.gn)([Er.Ae],t)}(c.Component),Zr={contentLgHeader:"ms-Dialog-lgHeader",close:"ms-Dialog--close",subText:"ms-Dialog-subText",header:"ms-Dialog-header",headerLg:"ms-Dialog--lgHeader",button:"ms-Dialog-button ms-Dialog-button--close",inner:"ms-Dialog-inner",content:"ms-Dialog-content",title:"ms-Dialog-title"},Xr=(0,I.z)(Yr,(function(e){var t,o,n,r=e.className,i=e.theme,a=e.isLargeHeader,s=e.isClose,l=e.hidden,c=e.isMultiline,d=e.draggableHeaderClassName,p=i.palette,m=i.fonts,h=i.effects,g=i.semanticColors,f=(0,u.Cn)(Zr,i);return{content:[a&&[f.contentLgHeader,{borderTop:"4px solid "+p.themePrimary}],s&&f.close,{flexGrow:1,overflowY:"hidden"},r],subText:[f.subText,m.medium,{margin:"0 0 24px 0",color:g.bodySubtext,lineHeight:"1.5",wordWrap:"break-word",fontWeight:u.lq.regular}],header:[f.header,{position:"relative",width:"100%",boxSizing:"border-box"},s&&f.close,d&&[d,{cursor:"move"}]],button:[f.button,l&&{selectors:{".ms-Icon.ms-Icon--Cancel":{color:g.buttonText,fontSize:u.ld.medium}}}],inner:[f.inner,{padding:"0 24px 24px",selectors:(t={},t["@media (min-width: "+u.QQ+"px) and (max-width: "+u.mV+"px)"]={padding:"0 16px 16px"},t)}],innerContent:[f.content,{position:"relative",width:"100%"}],title:[f.title,m.xLarge,{color:g.bodyText,margin:"0",minHeight:m.xLarge.fontSize,padding:"16px 46px 20px 24px",lineHeight:"normal",selectors:(o={},o["@media (min-width: "+u.QQ+"px) and (max-width: "+u.mV+"px)"]={padding:"16px 46px 16px 16px"},o)},a&&{color:g.menuHeader},c&&{fontSize:m.xxLarge.fontSize}],topButton:[{display:"flex",flexDirection:"row",flexWrap:"nowrap",position:"absolute",top:"0",right:"0",padding:"15px 15px 0 0",selectors:(n={"> *":{flex:"0 0 auto"},".ms-Dialog-button":{color:g.buttonText},".ms-Dialog-button:hover":{color:g.buttonTextHovered,borderRadius:h.roundedCorner2}},n["@media (min-width: "+u.QQ+"px) and (max-width: "+u.mV+"px)"]={padding:"15px 8px 0 0"},n)}]}}),void 0,{scope:"DialogContent"}),Qr=(0,D.y)(),$r={isDarkOverlay:!1,isBlocking:!1,className:"",containerClassName:"",topOffsetFixed:!1},ei={type:Cr.normal,className:"",topButtonsProps:[]},ti=function(e){function t(t){var o=e.call(this,t)||this;return o._getSubTextId=function(){var e=o.props,t=e.ariaDescribedById,n=e.modalProps,r=e.dialogContentProps,i=e.subText,a=n&&n.subtitleAriaId||t;return a||(a=(r&&r.subText||i)&&o._defaultSubTextId),a},o._getTitleTextId=function(){var e=o.props,t=e.ariaLabelledById,n=e.modalProps,r=e.dialogContentProps,i=e.title,a=n&&n.titleAriaId||t;return a||(a=(r&&r.title||i)&&o._defaultTitleTextId),a},o._id=(0,dn.z)("Dialog"),o._defaultTitleTextId=o._id+"-title",o._defaultSubTextId=o._id+"-subText",o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e,t,o,n,r=this.props,i=r.className,a=r.containerClassName,s=r.contentClassName,u=r.elementToFocusOnDismiss,d=r.firstFocusableSelector,p=r.forceFocusInsideTrap,m=r.styles,h=r.hidden,g=r.ignoreExternalFocusing,f=r.isBlocking,v=r.isClickableOutsideFocusTrap,b=r.isDarkOverlay,y=r.isOpen,_=r.onDismiss,C=r.onDismissed,S=r.onLayerDidMount,x=r.responsiveMode,k=r.subText,w=r.theme,I=r.title,D=r.topButtonsProps,T=r.type,E=r.minWidth,P=r.maxWidth,M=r.modalProps,R=(0,l.pi)({},M?M.layerProps:{onLayerDidMount:S});S&&!R.onLayerDidMount&&(R.onLayerDidMount=S),M&&M.dragOptions&&!M.dragOptions.dragHandleSelector?(o="ms-Dialog-draggable-header",n=(0,l.pi)((0,l.pi)({},M.dragOptions),{dragHandleSelector:"."+o})):n=M&&M.dragOptions;var N=(0,l.pi)((0,l.pi)((0,l.pi)((0,l.pi)({},$r),{className:i,containerClassName:a,isBlocking:f,isDarkOverlay:b,onDismissed:C}),M),{layerProps:R,dragOptions:n}),B=(0,l.pi)((0,l.pi)((0,l.pi)({className:s,subText:k,title:I,topButtonsProps:D,type:T},ei),this.props.dialogContentProps),{draggableHeaderClassName:o,titleProps:(0,l.pi)({id:(null===(e=this.props.dialogContentProps)||void 0===e?void 0:e.titleId)||this._defaultTitleTextId},null===(t=this.props.dialogContentProps)||void 0===t?void 0:t.titleProps)}),F=Qr(m,{theme:w,className:N.className,containerClassName:N.containerClassName,hidden:h,dialogDefaultMinWidth:E,dialogDefaultMaxWidth:P});return c.createElement(Wr,(0,l.pi)({elementToFocusOnDismiss:u,firstFocusableSelector:d,forceFocusInsideTrap:p,ignoreExternalFocusing:g,isClickableOutsideFocusTrap:v,onDismissed:N.onDismissed,responsiveMode:x},N,{isDarkOverlay:N.isDarkOverlay,isBlocking:N.isBlocking,isOpen:void 0!==y?y:!h,className:F.root,containerClassName:F.main,onDismiss:_||N.onDismiss,subtitleAriaId:this._getSubTextId(),titleAriaId:this._getTitleTextId()}),c.createElement(Xr,(0,l.pi)({subTextId:this._defaultSubTextId,title:B.title,subText:B.subText,showCloseButton:N.isBlocking,topButtonsProps:B.topButtonsProps,type:B.type,onDismiss:_||B.onDismiss,className:B.className},B),this.props.children))},t.defaultProps={hidden:!0},(0,l.gn)([Er.Ae],t)}(c.Component),oi={root:"ms-Dialog"},ni=(0,I.z)(ti,(function(e){var t,o=e.className,n=e.containerClassName,r=e.dialogDefaultMinWidth,i=void 0===r?"288px":r,a=e.dialogDefaultMaxWidth,s=void 0===a?"340px":a,l=e.hidden,c=e.theme;return{root:[(0,u.Cn)(oi,c).root,c.fonts.medium,o],main:[{width:i,outline:"3px solid transparent",selectors:(t={},t["@media (min-width: "+u.dd+"px)"]={width:"auto",maxWidth:s,minWidth:i},t)},!l&&{display:"flex"},n]}}),void 0,{scope:"Dialog"});ni.displayName="Dialog";var ri,ii=o(8386);!function(e){e[e.normal=0]="normal",e[e.compact=1]="compact"}(ri||(ri={}));var ai=(0,D.y)(),si=function(e){function t(t){var o=e.call(this,t)||this;return o._rootElement=c.createRef(),o._onClick=function(e){o._onAction(e)},o._onKeyDown=function(e){e.which!==rt.m.enter&&e.which!==rt.m.space||o._onAction(e)},o._onAction=function(e){var t=o.props,n=t.onClick,r=t.onClickHref,i=t.onClickTarget;n?n(e):!n&&r&&(i?window.open(r,i,"noreferrer noopener nofollow"):window.location.href=r,e.preventDefault(),e.stopPropagation())},(0,P.l)(o),(0,Vr.b)("DocumentCard",t,{accentColor:void 0}),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e,t=this.props,o=t.onClick,n=t.onClickHref,r=t.children,i=t.type,a=t.accentColor,s=t.styles,u=t.theme,d=t.className,p=(0,E.pq)(this.props,E.n7,["className","onClick","type","role"]),m=!(!o&&!n);this._classNames=ai(s,{theme:u,className:d,actionable:m,compact:i===ri.compact}),i===ri.compact&&a&&(e={borderBottomColor:a});var h=this.props.role||(m?o?"button":"link":void 0),g=m?0:void 0;return c.createElement("div",(0,l.pi)({ref:this._rootElement,tabIndex:g,"data-is-focusable":m,role:h,className:this._classNames.root,onKeyDown:m?this._onKeyDown:void 0,onClick:m?this._onClick:void 0,style:e},p),r)},t.prototype.focus=function(){this._rootElement.current&&this._rootElement.current.focus()},t.defaultProps={type:ri.normal},t}(c.Component),li={root:"ms-DocumentCardPreview",icon:"ms-DocumentCardPreview-icon",iconContainer:"ms-DocumentCardPreview-iconContainer"},ci={root:"ms-DocumentCardActivity",multiplePeople:"ms-DocumentCardActivity--multiplePeople",details:"ms-DocumentCardActivity-details",name:"ms-DocumentCardActivity-name",activity:"ms-DocumentCardActivity-activity",avatars:"ms-DocumentCardActivity-avatars",avatar:"ms-DocumentCardActivity-avatar"},ui={root:"ms-DocumentCardTitle"},di={root:"ms-DocumentCardLocation"},pi={root:"ms-DocumentCard",rootActionable:"ms-DocumentCard--actionable",rootCompact:"ms-DocumentCard--compact"},mi=(0,I.z)(si,(function(e){var t,o,n=e.className,r=e.theme,i=e.actionable,a=e.compact,s=r.palette,l=r.fonts,c=r.effects,d=(0,u.Cn)(pi,r);return{root:[d.root,{WebkitFontSmoothing:"antialiased",backgroundColor:s.white,border:"1px solid "+s.neutralLight,maxWidth:"320px",minWidth:"206px",userSelect:"none",position:"relative",selectors:(t={":focus":{outline:"0px solid"}},t["."+de.G$+" &:focus"]=(0,u.$Y)(s.neutralSecondary,c.roundedCorner2),t["."+di.root+" + ."+ui.root]={paddingTop:"4px"},t)},i&&[d.rootActionable,{selectors:{":hover":{cursor:"pointer",borderColor:s.neutralTertiaryAlt},":hover:after":{content:'" "',position:"absolute",top:0,right:0,bottom:0,left:0,border:"1px solid "+s.neutralTertiaryAlt,pointerEvents:"none"}}}],a&&[d.rootCompact,{display:"flex",maxWidth:"480px",height:"108px",selectors:(o={},o["."+li.root]={borderRight:"1px solid "+s.neutralLight,borderBottom:0,maxHeight:"106px",maxWidth:"144px"},o["."+li.icon]={maxHeight:"32px",maxWidth:"32px"},o["."+ci.root]={paddingBottom:"12px"},o["."+ui.root]={paddingBottom:"12px 16px 8px 16px",fontSize:l.mediumPlus.fontSize,lineHeight:"16px"},o)}],n]}}),void 0,{scope:"DocumentCard"}),hi=(0,D.y)(),gi=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this,t=this.props,o=t.actions,n=t.views,r=t.styles,i=t.theme,a=t.className;return this._classNames=hi(r,{theme:i,className:a}),c.createElement("div",{className:this._classNames.root},o&&o.map((function(t,o){return c.createElement("div",{className:e._classNames.action,key:o},c.createElement(V.h,(0,l.pi)({},t)))})),n>0&&c.createElement("div",{className:this._classNames.views},c.createElement(W.J,{iconName:"View",className:this._classNames.viewsIcon}),n))},t}(c.Component),fi={root:"ms-DocumentCardActions",action:"ms-DocumentCardActions-action",views:"ms-DocumentCardActions-views"},vi=(0,I.z)(gi,(function(e){var t=e.className,o=e.theme,n=o.palette,r=o.fonts,i=(0,u.Cn)(fi,o);return{root:[i.root,{height:"34px",padding:"4px 12px",position:"relative"},t],action:[i.action,{float:"left",marginRight:"4px",color:n.neutralSecondary,cursor:"pointer",selectors:{".ms-Button":{fontSize:r.mediumPlus.fontSize,height:34,width:34},".ms-Button:hover .ms-Button-icon":{color:o.semanticColors.buttonText,cursor:"pointer"}}}],views:[i.views,{textAlign:"right",lineHeight:34}],viewsIcon:{marginRight:"8px",fontSize:r.medium.fontSize,verticalAlign:"top"}}}),void 0,{scope:"DocumentCardActions"}),bi=(0,D.y)(),yi=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.activity,o=e.people,n=e.styles,r=e.theme,i=e.className;return this._classNames=bi(n,{theme:r,className:i,multiplePeople:o.length>1}),o&&0!==o.length?c.createElement("div",{className:this._classNames.root},this._renderAvatars(o),c.createElement("div",{className:this._classNames.details},c.createElement("span",{className:this._classNames.name},this._getNameString(o)),c.createElement("span",{className:this._classNames.activity},t))):null},t.prototype._renderAvatars=function(e){return c.createElement("div",{className:this._classNames.avatars},e.length>1?this._renderAvatar(e[1]):null,this._renderAvatar(e[0]))},t.prototype._renderAvatar=function(e){return c.createElement("div",{className:this._classNames.avatar},c.createElement(_.t,{imageInitials:e.initials,text:e.name,imageUrl:e.profileImageSrc,initialsColor:e.initialsColor,allowPhoneInitials:e.allowPhoneInitials,role:"presentation",size:C.Ir.size32}))},t.prototype._getNameString=function(e){var t=e[0].name;return e.length>=2&&(t+=" +"+(e.length-1)),t},t}(c.Component),_i=(0,I.z)(yi,(function(e){var t=e.theme,o=e.className,n=e.multiplePeople,r=t.palette,i=t.fonts,a=(0,u.Cn)(ci,t);return{root:[a.root,n&&a.multiplePeople,{padding:"8px 16px",position:"relative"},o],avatars:[a.avatars,{marginLeft:"-2px",height:"32px"}],avatar:[a.avatar,{display:"inline-block",verticalAlign:"top",position:"relative",textAlign:"center",width:32,height:32,selectors:{"&:after":{content:'" "',position:"absolute",left:"-1px",top:"-1px",right:"-1px",bottom:"-1px",border:"2px solid "+r.white,borderRadius:"50%"},":nth-of-type(2)":n&&{marginLeft:"-16px"}}}],details:[a.details,{left:n?"72px":"56px",height:32,position:"absolute",top:8,width:"calc(100% - 72px)"}],name:[a.name,{display:"block",fontSize:i.small.fontSize,lineHeight:"15px",height:"15px",overflow:"hidden",textOverflow:"ellipsis",whiteSpace:"nowrap",color:r.neutralPrimary,fontWeight:u.lq.semibold}],activity:[a.activity,{display:"block",fontSize:i.small.fontSize,lineHeight:"15px",height:"15px",overflow:"hidden",textOverflow:"ellipsis",whiteSpace:"nowrap",color:r.neutralSecondary}]}}),void 0,{scope:"DocumentCardActivity"}),Ci=(0,D.y)(),Si=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.children,o=e.styles,n=e.theme,r=e.className;return this._classNames=Ci(o,{theme:n,className:r}),c.createElement("div",{className:this._classNames.root},t)},t}(c.Component),xi={root:"ms-DocumentCardDetails"},ki=(0,I.z)(Si,(function(e){var t=e.className,o=e.theme;return{root:[(0,u.Cn)(xi,o).root,{display:"flex",flexDirection:"column",flex:1,justifyContent:"space-between",overflow:"hidden"},t]}}),void 0,{scope:"DocumentCardDetails"}),wi=(0,D.y)(),Ii=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.location,o=e.locationHref,n=e.ariaLabel,r=e.onClick,i=e.styles,a=e.theme,s=e.className;return this._classNames=wi(i,{theme:a,className:s}),c.createElement("a",{className:this._classNames.root,href:o,onClick:r,"aria-label":n},t)},t}(c.Component),Di=(0,I.z)(Ii,(function(e){var t=e.theme,o=e.className,n=t.palette,r=t.fonts;return{root:[(0,u.Cn)(di,t).root,r.small,{color:n.themePrimary,display:"block",fontWeight:u.lq.semibold,overflow:"hidden",padding:"8px 16px",position:"relative",textDecoration:"none",textOverflow:"ellipsis",whiteSpace:"nowrap",selectors:{":hover":{color:n.themePrimary,cursor:"pointer"}}},o]}}),void 0,{scope:"DocumentCardLocation"}),Ti=o(4861),Ei=(0,D.y)(),Pi=function(e){function t(t){var o=e.call(this,t)||this;return o._renderPreviewList=function(e){var t=o.props,n=t.getOverflowDocumentCountText,r=t.maxDisplayCount,i=void 0===r?3:r,a=e.length-i,s=a?n?n(a):"+"+a:null,u=e.slice(0,i).map((function(e,t){return c.createElement("li",{key:t},c.createElement(Ti.E,{className:o._classNames.fileListIcon,src:e.iconSrc,role:"presentation",alt:"",width:"16px",height:"16px"}),c.createElement(O,(0,l.pi)({className:o._classNames.fileListLink},(e.linkProps,{href:e.linkProps&&e.linkProps.href||e.url})),e.name))}));return c.createElement("div",null,c.createElement("ul",{className:o._classNames.fileList},u),s&&c.createElement("span",{className:o._classNames.fileListOverflowText},s))},(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e,t,o=this.props,n=o.previewImages,r=o.styles,i=o.theme,a=o.className,s=n.length>1;return this._classNames=Ei(r,{theme:i,className:a,isFileList:s}),n.length>1?t=this._renderPreviewList(n):1===n.length&&(t=this._renderPreviewImage(n[0]),n[0].accentColor&&(e={borderBottomColor:n[0].accentColor})),c.createElement("div",{className:this._classNames.root,style:e},t)},t.prototype._renderPreviewImage=function(e){var t=e.width,o=e.height,n=e.imageFit,r=e.previewIconProps,i=e.previewIconContainerClass;if(r)return c.createElement("div",{className:(0,pt.i)(this._classNames.previewIcon,i),style:{width:t,height:o}},c.createElement(W.J,(0,l.pi)({},r)));var a,s=c.createElement(Ti.E,{width:t,height:o,imageFit:n,src:e.previewImageSrc,role:"presentation",alt:""});return e.iconSrc&&(a=c.createElement(Ti.E,{className:this._classNames.icon,src:e.iconSrc,role:"presentation",alt:""})),c.createElement("div",null,s,a)},t}(c.Component),Mi=(0,I.z)(Pi,(function(e){var t,o,n=e.theme,r=e.className,i=e.isFileList,a=n.palette,s=n.fonts,l=(0,u.Cn)(li,n);return{root:[l.root,s.small,{backgroundColor:i?a.white:a.neutralLighterAlt,borderBottom:"1px solid "+a.neutralLight,overflow:"hidden",position:"relative"},r],previewIcon:[l.iconContainer,{display:"flex",alignItems:"center",justifyContent:"center",height:"100%"}],icon:[l.icon,{left:"10px",bottom:"10px",position:"absolute"}],fileList:{padding:"16px 16px 0 16px",listStyleType:"none",margin:0,selectors:{li:{height:"16px",lineHeight:"16px",marginBottom:"8px",overflow:"hidden"}}},fileListIcon:{display:"inline-block",marginRight:"8px"},fileListLink:[(0,u.GL)(n,{highContrastStyle:{border:"1px solid WindowText",outline:"none"}}),{boxSizing:"border-box",color:a.neutralDark,overflow:"hidden",display:"inline-block",textDecoration:"none",textOverflow:"ellipsis",whiteSpace:"nowrap",width:"calc(100% - 24px)",selectors:(t={":hover":{color:a.themePrimary}},t["."+de.G$+" &:focus"]={selectors:(o={},o[u.qJ]={outline:"none"},o)},t)}],fileListOverflowText:{padding:"0px 16px 8px 16px",display:"block"}}}),void 0,{scope:"DocumentCardPreview"}),Ri=(0,D.y)(),Ni=function(e){function t(t){var o=e.call(this,t)||this;return o._onImageLoad=function(){o.setState({imageHasLoaded:!0})},(0,P.l)(o),o.state={imageHasLoaded:!1},o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.width,n=e.height,r=e.imageFit,i=e.imageSrc;return this._classNames=Ri(t,this.props),c.createElement("div",{className:this._classNames.root},i&&c.createElement(Ti.E,{width:o,height:n,imageFit:r,src:i,role:"presentation",alt:"",onLoad:this._onImageLoad}),this.state.imageHasLoaded?this._renderCornerIcon():this._renderCenterIcon())},t.prototype._renderCenterIcon=function(){var e=this.props.iconProps;return c.createElement("div",{className:this._classNames.centeredIconWrapper},c.createElement(W.J,(0,l.pi)({className:this._classNames.centeredIcon},e)))},t.prototype._renderCornerIcon=function(){var e=this.props.iconProps;return c.createElement(W.J,(0,l.pi)({className:this._classNames.cornerIcon},e))},t}(c.Component),Bi="42px",Fi="32px",Li=(0,I.z)(Ni,(function(e){var t=e.theme,o=e.className,n=e.height,r=e.width,i=t.palette;return{root:[{borderBottom:"1px solid "+i.neutralLight,position:"relative",backgroundColor:i.neutralLighterAlt,overflow:"hidden",height:n&&n+"px",width:r&&r+"px"},o],centeredIcon:[{height:Bi,width:Bi,fontSize:Bi}],centeredIconWrapper:[{display:"flex",alignItems:"center",justifyContent:"center",height:"100%",width:"100%",position:"absolute",top:0,left:0}],cornerIcon:[{left:"10px",bottom:"10px",height:Fi,width:Fi,fontSize:Fi,position:"absolute",overflow:"visible"}]}}),void 0,{scope:"DocumentCardImage"}),Ai=(0,D.y)(),zi=function(e){function t(t){var o=e.call(this,t)||this;return o._titleElement=c.createRef(),o._measureTitleElement=c.createRef(),o._truncateTitle=function(){o.state.needMeasurement&&o._async.requestAnimationFrame(o._truncateWhenInAnimation)},o._truncateWhenInAnimation=function(){var e=o.props.title,t=o._measureTitleElement.current;if(t){var n=getComputedStyle(t);if(n.width&&n.lineHeight&&n.height){var r=t.clientWidth,i=t.scrollWidth,a=Math.floor((parseInt(n.height,10)+5)/parseInt(n.lineHeight,10)),s=i/(parseInt(n.width,10)*a);if(s>1){var l=e.length/s-3;return o.setState({truncatedTitleFirstPiece:e.slice(0,l/2),truncatedTitleSecondPiece:e.slice(e.length-l/2),clientWidth:r,needMeasurement:!1})}}}return o.setState({needMeasurement:!1})},o._shrinkTitle=function(){var e=o.state,t=e.truncatedTitleFirstPiece,n=e.truncatedTitleSecondPiece;if(t&&n){var r=o._titleElement.current;if(!r)return;(r.scrollHeight>r.clientHeight+5||r.scrollWidth>r.clientWidth)&&o.setState({truncatedTitleFirstPiece:t.slice(0,t.length-1),truncatedTitleSecondPiece:n.slice(1)})}},(0,P.l)(o),o._async=new bo.e(o),o._events=new at.r(o),o.state={truncatedTitleFirstPiece:"",truncatedTitleSecondPiece:"",previousTitle:t.title,needMeasurement:!!t.shouldTruncate},o}return(0,l.ZT)(t,e),t.prototype.componentDidUpdate=function(){this.props.title!==this.state.previousTitle&&this.setState({truncatedTitleFirstPiece:void 0,truncatedTitleSecondPiece:void 0,clientWidth:void 0,previousTitle:this.props.title,needMeasurement:!!this.props.shouldTruncate}),this._events.off(window,"resize",this._updateTruncation),this.props.shouldTruncate&&(this._truncateTitle(),requestAnimationFrame(this._shrinkTitle),this._events.on(window,"resize",this._updateTruncation))},t.prototype.componentDidMount=function(){this.props.shouldTruncate&&(this._truncateTitle(),this._events.on(window,"resize",this._updateTruncation))},t.prototype.componentWillUnmount=function(){this._events.dispose(),this._async.dispose()},t.prototype.render=function(){var e=this.props,t=e.title,o=e.shouldTruncate,n=e.showAsSecondaryTitle,r=e.styles,i=e.theme,a=e.className,s=this.state,l=s.truncatedTitleFirstPiece,u=s.truncatedTitleSecondPiece,d=s.needMeasurement;return this._classNames=Ai(r,{theme:i,className:a,showAsSecondaryTitle:n}),d?c.createElement("div",{className:this._classNames.root,ref:this._measureTitleElement,title:t,style:{whiteSpace:"nowrap"}},t):o&&l&&u?c.createElement("div",{className:this._classNames.root,ref:this._titleElement,title:t},l,"…",u):c.createElement("div",{className:this._classNames.root,ref:this._titleElement,title:t},t)},t.prototype._updateTruncation=function(){var e=this;this._async.requestAnimationFrame((function(){if(e._titleElement.current){var t=e._titleElement.current.clientWidth;clearTimeout(e._titleTruncationTimer),e.state.clientWidth!==t&&(e._titleTruncationTimer=e._async.setTimeout((function(){return e.setState({truncatedTitleFirstPiece:void 0,truncatedTitleSecondPiece:void 0,needMeasurement:!0})}),250))}}))},t}(c.Component),Hi=(0,I.z)(zi,(function(e){var t=e.theme,o=e.className,n=e.showAsSecondaryTitle,r=t.palette,i=t.fonts;return{root:[(0,u.Cn)(ui,t).root,n?i.medium:i.large,{padding:"8px 16px",display:"block",overflow:"hidden",wordWrap:"break-word",height:n?"45px":"38px",lineHeight:n?"18px":"21px",color:n?r.neutralSecondary:r.neutralPrimary},o]}}),void 0,{scope:"DocumentCardTitle"}),Oi=(0,D.y)(),Wi=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.logoIcon,o=e.styles,n=e.theme,r=e.className;return this._classNames=Oi(o,{theme:n,className:r}),c.createElement("div",{className:this._classNames.root},c.createElement(W.J,{iconName:t}))},t}(c.Component),Vi={root:"ms-DocumentCardLogo"},Ki=(0,I.z)(Wi,(function(e){var t=e.theme,o=e.className,n=t.palette,r=t.fonts;return{root:[(0,u.Cn)(Vi,t).root,{fontSize:r.xxLargePlus.fontSize,color:n.themePrimary,display:"block",padding:"16px 16px 0 16px"},o]}}),void 0,{scope:"DocumentCardLogo"}),qi=(0,D.y)(),Gi=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.statusIcon,o=e.status,n=e.styles,r=e.theme,i=e.className,a={iconName:t,styles:{root:{padding:"8px"}}};return this._classNames=qi(n,{theme:r,className:i}),c.createElement("div",{className:this._classNames.root},t&&c.createElement(W.J,(0,l.pi)({},a)),o)},t}(c.Component),Ui={root:"ms-DocumentCardStatus"},ji=(0,I.z)(Gi,(function(e){var t=e.className,o=e.theme,n=o.palette,r=o.fonts;return{root:[(0,u.Cn)(Ui,o).root,r.medium,{margin:"8px 16px",color:n.neutralPrimary,backgroundColor:n.neutralLighter,height:"32px"},t]}}),void 0,{scope:"DocumentCardStatus"}),Ji=o(4004),Yi=o(8982),Zi=o(2703),Xi=o(4976);(0,Xi.RM)([{rawString:".pickerText_43ffcad1{display:-webkit-box;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;-webkit-box-align:center;-ms-flex-align:center;align-items:center;-webkit-box-sizing:border-box;box-sizing:border-box;border:1px solid "},{theme:"neutralTertiary",defaultValue:"#a19f9d"},{rawString:";min-width:180px;padding:1px;min-height:32px}.pickerText_43ffcad1:hover{border-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:"}.pickerInput_43ffcad1{height:34px;border:none;-webkit-box-flex:1;-ms-flex-positive:1;flex-grow:1;outline:0;padding:0 6px 0;margin:1px}.pickerInput_43ffcad1::-ms-clear{display:none}"}]);var Qi="pickerText_43ffcad1",$i="pickerInput_43ffcad1",ea=n,ta=function(e){function t(t){var o=e.call(this,t)||this;return o.floatingPicker=c.createRef(),o.selectedItemsList=c.createRef(),o.root=c.createRef(),o.input=c.createRef(),o.onSelectionChange=function(){o.forceUpdate()},o.onInputChange=function(e,t){t||(o.setState({queryString:e}),o.floatingPicker.current&&o.floatingPicker.current.onQueryStringChanged(e))},o.onInputFocus=function(e){o.selectedItemsList.current&&o.selectedItemsList.current.unselectAll(),o.props.inputProps&&o.props.inputProps.onFocus&&o.props.inputProps.onFocus(e)},o.onInputClick=function(e){if(o.selectedItemsList.current&&o.selectedItemsList.current.unselectAll(),o.floatingPicker.current&&o.inputElement){var t=""===o.inputElement.value||o.inputElement.value!==o.floatingPicker.current.inputText;o.floatingPicker.current.showPicker(t)}},o.onBackspace=function(e){e.which===rt.m.backspace&&o.selectedItemsList.current&&o.items.length&&(o.input.current&&!o.input.current.isValueSelected&&o.input.current.inputElement===document.activeElement&&0===o.input.current.cursorLocation?(o.floatingPicker.current&&o.floatingPicker.current.hidePicker(),e.preventDefault(),o.selectedItemsList.current.removeItemAt(o.items.length-1),o._onSelectedItemsChanged()):o.selectedItemsList.current.hasSelectedItems()&&(o.floatingPicker.current&&o.floatingPicker.current.hidePicker(),e.preventDefault(),o.selectedItemsList.current.removeSelectedItems(),o._onSelectedItemsChanged()))},o.onCopy=function(e){o.selectedItemsList.current&&o.selectedItemsList.current.onCopy(e)},o.onPaste=function(e){if(o.props.onPaste){var t=e.clipboardData.getData("Text");e.preventDefault(),o.props.onPaste(t)}},o._onSuggestionSelected=function(e){var t=o.props.currentRenderedQueryString,n=o.state.queryString;if(void 0===t||t===n){var r=o.props.onItemSelected?o.props.onItemSelected(e):e;if(null===r)return;var i,a=r,s=r;s&&s.then?s.then((function(e){i=e,o._addProcessedItem(i)})):(i=a,o._addProcessedItem(i))}},o._onSelectedItemsChanged=function(){o.focus()},o._onSuggestionsShownOrHidden=function(){o.forceUpdate()},(0,P.l)(o),o.selection=new nn.Y({onSelectionChanged:function(){return o.onSelectionChange()}}),o.state={queryString:""},o}return(0,l.ZT)(t,e),Object.defineProperty(t.prototype,"items",{get:function(){var e,t,o,n;return null!=(n=null!=(o=null!=(e=this.props.selectedItems)?e:null===(t=this.selectedItemsList.current)||void 0===t?void 0:t.items)?o:this.props.defaultSelectedItems)?n:null},enumerable:!0,configurable:!0}),t.prototype.componentDidMount=function(){this.forceUpdate()},t.prototype.focus=function(){this.input.current&&this.input.current.focus()},t.prototype.clearInput=function(){this.input.current&&this.input.current.clear()},Object.defineProperty(t.prototype,"inputElement",{get:function(){return this.input.current&&this.input.current.inputElement},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"highlightedItems",{get:function(){return this.selectedItemsList.current?this.selectedItemsList.current.highlightedItems():[]},enumerable:!0,configurable:!0}),t.prototype.render=function(){var e=this.props,t=e.className,o=e.inputProps,n=e.disabled,r=e.focusZoneProps,i=this.floatingPicker.current&&-1!==this.floatingPicker.current.currentSelectedSuggestionIndex?"sug-"+this.floatingPicker.current.currentSelectedSuggestionIndex:void 0,a=!!this.floatingPicker.current&&this.floatingPicker.current.isSuggestionsShown;return c.createElement("div",{ref:this.root,className:(0,pt.i)("ms-BasePicker ms-BaseExtendedPicker",t||""),onKeyDown:this.onBackspace,onCopy:this.onCopy},c.createElement(M.k,(0,l.pi)({direction:R.U.bidirectional},r),c.createElement(rn.i,{selection:this.selection,selectionMode:on.oW.multiple},c.createElement("div",{className:(0,pt.i)("ms-BasePicker-text",ea.pickerText),role:"list"},this.props.headerComponent,this.renderSelectedItemsList(),this.canAddItems()&&c.createElement(x.G,(0,l.pi)({},o,{className:(0,pt.i)("ms-BasePicker-input",ea.pickerInput),ref:this.input,onFocus:this.onInputFocus,onClick:this.onInputClick,onInputValueChange:this.onInputChange,"aria-activedescendant":i,"aria-owns":a?"suggestion-list":void 0,"aria-expanded":a,"aria-haspopup":"true",role:"combobox",disabled:n,onPaste:this.onPaste}))))),this.renderFloatingPicker())},Object.defineProperty(t.prototype,"floatingPickerProps",{get:function(){return this.props.floatingPickerProps},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"selectedItemsListProps",{get:function(){return this.props.selectedItemsListProps},enumerable:!0,configurable:!0}),t.prototype.canAddItems=function(){var e=this.props.itemLimit;return void 0===e||this.items.length0,p=d?r:r.slice(0,u),m=(d?i:r.slice(u))||[];return c.createElement("div",{className:l.root},this.onRenderAriaDescription(),c.createElement("div",{className:l.itemContainer},a?this._getAddNewElement():null,c.createElement("ul",{className:l.members,"aria-label":s},this._onRenderVisiblePersonas(p,0===m.length&&1===r.length)),e?this._getOverflowElement(m):null))},t.prototype.onRenderAriaDescription=function(){var e=this.props.ariaDescription,t=this._classNames;return e&&c.createElement("span",{className:t.screenReaderOnly,id:this._ariaDescriptionId},e)},t.prototype._onRenderVisiblePersonas=function(e,t){var o=this,n=this.props,r=n.onRenderPersona,i=void 0===r?this._getPersonaControl:r,a=n.onRenderPersonaCoin,s=void 0===a?this._getPersonaCoinControl:a;return e.map((function(e,n){var r=t?i(e,o._getPersonaControl):s(e,o._getPersonaCoinControl);return c.createElement("li",{key:(t?"persona":"personaCoin")+"-"+n,className:o._classNames.member},e.onClick?o._getElementWithOnClickEvent(r,e,n):o._getElementWithoutOnClickEvent(r,e,n))}))},t.prototype._getElementWithOnClickEvent=function(e,t,o){var n=t.keytipProps;return c.createElement(ca,(0,l.pi)({},(0,E.pq)(t,E.Yq),this._getElementProps(t,o),{keytipProps:n,onClick:this._onPersonaClick.bind(this,t)}),e)},t.prototype._getElementWithoutOnClickEvent=function(e,t,o){return c.createElement("div",(0,l.pi)({},(0,E.pq)(t,E.Yq),this._getElementProps(t,o)),e)},t.prototype._getElementProps=function(e,t){var o=this._classNames;return{key:(e.imageUrl?"i":"")+t,"data-is-focusable":!0,className:o.itemButton,title:e.personaName,onMouseMove:this._onPersonaMouseMove.bind(this,e),onMouseOut:this._onPersonaMouseOut.bind(this,e)}},t.prototype._getOverflowElement=function(e){switch(this.props.overflowButtonType){case oa.descriptive:return this._getDescriptiveOverflowElement(e);case oa.downArrow:return this._getIconElement("ChevronDown");case oa.more:return this._getIconElement("More");default:return null}},t.prototype._getDescriptiveOverflowElement=function(e){var t=this.props.personaSize;if(!e||e.length<1)return null;var o=e.map((function(e){return e.personaName})).join(", "),n=(0,l.pi)({title:o},this.props.overflowButtonProps),r=Math.max(e.length,0),i=this._classNames;return c.createElement(ca,(0,l.pi)({},n,{ariaDescription:n.title,className:i.descriptiveOverflowButton}),c.createElement(_.t,{size:t,onRenderInitials:this._renderInitialsNotPictured(r),initialsColor:C.z5.transparent}))},t.prototype._getIconElement=function(e){var t=this.props,o=t.overflowButtonProps,n=t.personaSize,r=this._classNames;return c.createElement(ca,(0,l.pi)({},o,{className:r.overflowButton}),c.createElement(_.t,{size:n,onRenderInitials:this._renderInitials(e,!0),initialsColor:C.z5.transparent}))},t.prototype._getAddNewElement=function(){var e=this.props,t=e.addButtonProps,o=e.personaSize,n=this._classNames;return c.createElement(ca,(0,l.pi)({},t,{className:n.addButton}),c.createElement(_.t,{size:o,onRenderInitials:this._renderInitials("AddFriend")}))},t.prototype._onPersonaClick=function(e,t){e.onClick(t,e),t.preventDefault(),t.stopPropagation()},t.prototype._onPersonaMouseMove=function(e,t){e.onMouseMove&&e.onMouseMove(t,e)},t.prototype._onPersonaMouseOut=function(e,t){e.onMouseOut&&e.onMouseOut(t,e)},t.prototype._renderInitials=function(e,t){var o=this._classNames;return function(){return c.createElement(W.J,{iconName:e,className:t?o.overflowInitialsIcon:""})}},t.prototype._renderInitialsNotPictured=function(e){var t=this._classNames;return function(){return c.createElement("span",{className:t.overflowInitialsIcon},e<100?"+"+e:"99+")}},t.defaultProps={maxDisplayablePersonas:5,personas:[],overflowPersonas:[],personaSize:C.Ir.size32},t}(c.Component),ma={root:"ms-Facepile",addButton:"ms-Facepile-addButton ms-Facepile-itemButton",descriptiveOverflowButton:"ms-Facepile-descriptiveOverflowButton ms-Facepile-itemButton",itemButton:"ms-Facepile-itemButton ms-Facepile-person",itemContainer:"ms-Facepile-itemContainer",members:"ms-Facepile-members",member:"ms-Facepile-member",overflowButton:"ms-Facepile-overflowButton ms-Facepile-itemButton"},ha=(0,I.z)(pa,(function(e){var t,o=e.className,n=e.theme,r=e.spacingAroundItemButton,i=void 0===r?2:r,a=n.palette,s=n.fonts,l=(0,u.Cn)(ma,n),c={textAlign:"center",padding:0,borderRadius:"50%",verticalAlign:"top",display:"inline",backgroundColor:"transparent",border:"none",selectors:{"&::-moz-focus-inner":{padding:0,border:0}}};return{root:[l.root,n.fonts.medium,{width:"auto"},o],addButton:[l.addButton,(0,u.GL)(n,{inset:-1}),c,{fontSize:s.medium.fontSize,color:a.white,backgroundColor:a.themePrimary,marginRight:2*i+"px",selectors:{"&:hover":{backgroundColor:a.themeDark},"&:focus":{backgroundColor:a.themeDark},"&:active":{backgroundColor:a.themeDarker},"&:disabled":{backgroundColor:a.neutralTertiaryAlt}}}],descriptiveOverflowButton:[l.descriptiveOverflowButton,(0,u.GL)(n,{inset:-1}),c,{fontSize:s.small.fontSize,color:a.neutralSecondary,backgroundColor:a.neutralLighter,marginLeft:2*i+"px"}],itemButton:[l.itemButton,c],itemContainer:[l.itemContainer,{display:"flex"}],members:[l.members,{display:"flex",overflow:"hidden",listStyleType:"none",padding:0,margin:"-"+i+"px"}],member:[l.member,{display:"inline-flex",flex:"0 0 auto",margin:i+"px"}],overflowButton:[l.overflowButton,(0,u.GL)(n,{inset:-1}),c,{fontSize:s.medium.fontSize,color:a.neutralSecondary,backgroundColor:a.neutralLighter,marginLeft:2*i+"px"}],overflowInitialsIcon:[{color:a.neutralPrimary,selectors:(t={},t[u.qJ]={color:"WindowText"},t)}],screenReaderOnly:u.ul}}),void 0,{scope:"Facepile"});(0,Xi.RM)([{rawString:".callout_467cd672 .ms-Suggestions-itemButton{padding:0;border:none}.callout_467cd672 .ms-Suggestions{min-width:300px}"}]);var ga="callout_467cd672",fa=o(7420);(0,Xi.RM)([{rawString:".suggestionsContainer_98495a3a{overflow-y:auto;overflow-x:hidden;max-height:300px}.suggestionsContainer_98495a3a .ms-Suggestion-item:hover{background-color:"},{theme:"neutralLighter",defaultValue:"#f3f2f1"},{rawString:";cursor:pointer}.suggestionsContainer_98495a3a .is-suggested{background-color:"},{theme:"themeLighter",defaultValue:"#deecf9"},{rawString:"}.suggestionsContainer_98495a3a .is-suggested:hover{background-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:";cursor:pointer}"}]);var va="suggestionsContainer_98495a3a",ba=i,ya=function(e){function t(t){var o=e.call(this,t)||this;return o._selectedElement=c.createRef(),o.SuggestionsItemOfProperType=fa.S,o._onClickTypedSuggestionsItem=function(e,t){return function(n){o.props.onSuggestionClick(n,e,t)}},o._onRemoveTypedSuggestionsItem=function(e,t){return function(n){(0,o.props.onSuggestionRemove)(n,e,t),n.stopPropagation()}},(0,P.l)(o),o.currentIndex=-1,o}return(0,l.ZT)(t,e),t.prototype.nextSuggestion=function(){var e=this.props.suggestions;if(e&&e.length>0){if(-1===this.currentIndex)return this.setSelectedSuggestion(0),!0;if(this.currentIndex0){if(-1===this.currentIndex)return this.setSelectedSuggestion(e.length-1),!0;if(this.currentIndex>0)return this.setSelectedSuggestion(this.currentIndex-1),!0;if(this.props.shouldLoopSelection&&0===this.currentIndex)return this.setSelectedSuggestion(e.length-1),!0}return!1},Object.defineProperty(t.prototype,"selectedElement",{get:function(){return this._selectedElement.current||void 0},enumerable:!0,configurable:!0}),t.prototype.getCurrentItem=function(){return this.props.suggestions[this.currentIndex]},t.prototype.getSuggestionAtIndex=function(e){return this.props.suggestions[e]},t.prototype.hasSuggestionSelected=function(){return-1!==this.currentIndex&&this.currentIndex-1&&this.props.suggestions[this.currentIndex]&&(this.props.suggestions[this.currentIndex].selected=!1,this.currentIndex=-1,this.forceUpdate())},t.prototype.setSelectedSuggestion=function(e){var t=this.props.suggestions;e>t.length-1||e<0?(this.currentIndex=0,this.currentSuggestion.selected=!1,this.currentSuggestion=t[0],this.currentSuggestion.selected=!0):(this.currentIndex>-1&&t[this.currentIndex]&&(t[this.currentIndex].selected=!1),t[e].selected=!0,this.currentIndex=e,this.currentSuggestion=t[e]),this.forceUpdate()},t.prototype.componentDidUpdate=function(){this.scrollSelected()},t.prototype.render=function(){var e=this,t=this.props,o=t.onRenderSuggestion,n=t.suggestionsItemClassName,r=t.resultsMaximumNumber,i=t.showRemoveButtons,a=t.suggestionsContainerAriaLabel,s=this.SuggestionsItemOfProperType,l=this.props.suggestions;return r&&(l=l.slice(0,r)),c.createElement("div",{className:(0,pt.i)("ms-Suggestions-container",ba.suggestionsContainer),id:"suggestion-list",role:"list","aria-label":a},l.map((function(t,r){return c.createElement("div",{ref:t.selected||r===e.currentIndex?e._selectedElement:void 0,key:t.item.key?t.item.key:r,id:"sug-"+r,role:"listitem","aria-label":t.ariaLabel},c.createElement(s,{id:"sug-item"+r,suggestionModel:t,RenderSuggestion:o,onClick:e._onClickTypedSuggestionsItem(t.item,r),className:n,showRemoveButton:i,onRemoveItem:e._onRemoveTypedSuggestionsItem(t.item,r),isSelectedOverride:r===e.currentIndex}))})))},t.prototype.scrollSelected=function(){var e;void 0!==(null===(e=this._selectedElement.current)||void 0===e?void 0:e.scrollIntoView)&&this._selectedElement.current.scrollIntoView(!1)},t}(c.Component);(0,Xi.RM)([{rawString:".root_6d187696{min-width:260px}.actionButton_6d187696{background:0 0;background-color:transparent;border:0;cursor:pointer;margin:0;padding:0;position:relative;width:100%;font-size:12px}html[dir=ltr] .actionButton_6d187696{text-align:left}html[dir=rtl] .actionButton_6d187696{text-align:right}.actionButton_6d187696:hover{background-color:"},{theme:"neutralLighter",defaultValue:"#f3f2f1"},{rawString:";cursor:pointer}.actionButton_6d187696:active,.actionButton_6d187696:focus{background-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:"}.actionButton_6d187696 .ms-Button-icon{font-size:16px;width:25px}.actionButton_6d187696 .ms-Button-label{margin:0 4px 0 9px}html[dir=rtl] .actionButton_6d187696 .ms-Button-label{margin:0 9px 0 4px}.buttonSelected_6d187696{background-color:"},{theme:"themeLighter",defaultValue:"#deecf9"},{rawString:"}.buttonSelected_6d187696:hover{background-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:";cursor:pointer}@media screen and (-ms-high-contrast:active){.buttonSelected_6d187696:hover{background-color:Highlight;color:HighlightText}}@media screen and (-ms-high-contrast:active){.buttonSelected_6d187696{background-color:Highlight;color:HighlightText;-ms-high-contrast-adjust:none}}.suggestionsTitle_6d187696{font-size:12px}.suggestionsSpinner_6d187696{margin:5px 0;white-space:nowrap;line-height:20px;font-size:12px}html[dir=ltr] .suggestionsSpinner_6d187696{padding-left:14px}html[dir=rtl] .suggestionsSpinner_6d187696{padding-right:14px}html[dir=ltr] .suggestionsSpinner_6d187696{text-align:left}html[dir=rtl] .suggestionsSpinner_6d187696{text-align:right}.suggestionsSpinner_6d187696 .ms-Spinner-circle{display:inline-block;vertical-align:middle}.suggestionsSpinner_6d187696 .ms-Spinner-label{display:inline-block;margin:0 10px 0 16px;vertical-align:middle}html[dir=rtl] .suggestionsSpinner_6d187696 .ms-Spinner-label{margin:0 16px 0 10px}.itemButton_6d187696{height:100%;width:100%;padding:7px 12px}@media screen and (-ms-high-contrast:active){.itemButton_6d187696{color:WindowText}}.screenReaderOnly_6d187696{position:absolute;width:1px;height:1px;padding:0;margin:-1px;overflow:hidden;clip:rect(0,0,0,0);border:0}"}]);var _a,Ca="root_6d187696",Sa="actionButton_6d187696",xa="buttonSelected_6d187696",ka="suggestionsTitle_6d187696",wa="suggestionsSpinner_6d187696",Ia="itemButton_6d187696",Da="screenReaderOnly_6d187696",Ta=a;!function(e){e[e.header=0]="header",e[e.suggestion=1]="suggestion",e[e.footer=2]="footer"}(_a||(_a={}));var Ea=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e,t=this.props,o=t.renderItem,n=t.onExecute,r=t.isSelected,i=t.id,a=t.className;return n?c.createElement("div",{id:i,onClick:n,className:(0,pt.i)("ms-Suggestions-sectionButton",a,Ta.actionButton,(e={},e["is-selected "+Ta.buttonSelected]=r,e))},o()):c.createElement("div",{id:i,className:(0,pt.i)("ms-Suggestions-section",a,Ta.suggestionsTitle)},o())},t}(c.Component),Pa=function(e){function t(t){var o=e.call(this,t)||this;return o._selectedElement=c.createRef(),o._suggestions=c.createRef(),o.SuggestionsOfProperType=ya,(0,P.l)(o),o.state={selectedHeaderIndex:-1,selectedFooterIndex:-1,suggestions:t.suggestions},o}return(0,l.ZT)(t,e),t.prototype.componentDidMount=function(){this.resetSelectedItem()},t.prototype.componentDidUpdate=function(e){var t=this;this.scrollSelected(),e.suggestions&&e.suggestions!==this.props.suggestions&&this.setState({suggestions:this.props.suggestions},(function(){t.resetSelectedItem()}))},t.prototype.componentWillUnmount=function(){var e;null===(e=this._suggestions.current)||void 0===e||e.deselectAllSuggestions()},t.prototype.render=function(){var e=this.props,t=e.className,o=e.headerItemsProps,n=e.footerItemsProps,r=e.suggestionsAvailableAlertText,i=(0,u.y0)(u.ul),a=this.state.suggestions&&this.state.suggestions.length>0&&r;return c.createElement("div",{className:(0,pt.i)("ms-Suggestions",t||"",Ta.root)},o&&this.renderHeaderItems(),this._renderSuggestions(),n&&this.renderFooterItems(),a?c.createElement("span",{role:"alert","aria-live":"polite",className:i},r):null)},Object.defineProperty(t.prototype,"currentSuggestion",{get:function(){var e;return(null===(e=this._suggestions.current)||void 0===e?void 0:e.getCurrentItem())||void 0},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"currentSuggestionIndex",{get:function(){return this._suggestions.current?this._suggestions.current.currentIndex:-1},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"selectedElement",{get:function(){var e;return this._selectedElement.current?this._selectedElement.current:null===(e=this._suggestions.current)||void 0===e?void 0:e.selectedElement},enumerable:!0,configurable:!0}),t.prototype.hasSuggestionSelected=function(){var e;return(null===(e=this._suggestions.current)||void 0===e?void 0:e.hasSuggestionSelected())||!1},t.prototype.hasSelection=function(){var e=this.state,t=e.selectedHeaderIndex,o=e.selectedFooterIndex;return-1!==t||this.hasSuggestionSelected()||-1!==o},t.prototype.executeSelectedAction=function(){var e,t=this.props,o=t.headerItemsProps,n=t.footerItemsProps,r=this.state,i=r.selectedHeaderIndex,a=r.selectedFooterIndex;if(o&&-1!==i&&it+1)return null===(o=this._suggestions.current)||void 0===o||o.setSelectedSuggestion(t+1),this.setState({selectedHeaderIndex:-1,selectedFooterIndex:-1}),!0}else{var r=e===_a.header,i=r?this.props.headerItemsProps:this.props.footerItemsProps;if(i&&i.length>t+1)for(var a=t+1;a0)return null===(o=this._suggestions.current)||void 0===o||o.setSelectedSuggestion(r-1),this.setState({selectedHeaderIndex:-1,selectedFooterIndex:-1}),!0}else{var r,i=e===_a.header,a=i?this.props.headerItemsProps:this.props.footerItemsProps;if(a&&(r=void 0!==t?t:a.length)>0)for(var s=r-1;s>=0;s--){var l=a[s];if(l.onExecute&&l.shouldShow())return this.setState({selectedHeaderIndex:i?s:-1}),this.setState({selectedFooterIndex:i?-1:s}),null===(n=this._suggestions.current)||void 0===n||n.deselectAllSuggestions(),!0}}return!1},t.prototype._getCurrentIndexForType=function(e){switch(e){case _a.header:return this.state.selectedHeaderIndex;case _a.suggestion:return this._suggestions.current.currentIndex;case _a.footer:return this.state.selectedFooterIndex}},t.prototype._getNextItemSectionType=function(e){switch(e){case _a.header:return _a.suggestion;case _a.suggestion:return _a.footer;case _a.footer:return _a.header}},t.prototype._getPreviousItemSectionType=function(e){switch(e){case _a.header:return _a.footer;case _a.suggestion:return _a.header;case _a.footer:return _a.suggestion}},t}(c.Component),Ma=r,Ra=function(e){function t(t){var o=e.call(this,t)||this;return o.root=c.createRef(),o.suggestionsControl=c.createRef(),o.SuggestionsControlOfProperType=Pa,o.isComponentMounted=!1,o.onQueryStringChanged=function(e){e!==o.state.queryString&&(o.setState({queryString:e}),o.props.onInputChanged&&o.props.onInputChanged(e),o.updateValue(e))},o.hidePicker=function(){var e=o.isSuggestionsShown;o.setState({suggestionsVisible:!1}),o.props.onSuggestionsHidden&&e&&o.props.onSuggestionsHidden()},o.showPicker=function(e){void 0===e&&(e=!1);var t=o.isSuggestionsShown;o.setState({suggestionsVisible:!0});var n=o.props.inputElement?o.props.inputElement.value:"";e&&o.updateValue(n),o.props.onSuggestionsShown&&!t&&o.props.onSuggestionsShown()},o.completeSuggestion=function(){o.suggestionsControl.current&&o.suggestionsControl.current.hasSuggestionSelected()&&o.onChange(o.suggestionsControl.current.currentSuggestion.item)},o.onSuggestionClick=function(e,t,n){o.onChange(t),o._updateSuggestionsVisible(!1)},o.onSuggestionRemove=function(e,t,n){o.props.onRemoveSuggestion&&o.props.onRemoveSuggestion(t),o.suggestionsControl.current&&o.suggestionsControl.current.removeSuggestion(n)},o.onKeyDown=function(e){if(o.state.suggestionsVisible&&(!o.props.inputElement||o.props.inputElement.contains(e.target))){var t=e.which;switch(t){case rt.m.escape:o.hidePicker(),e.preventDefault(),e.stopPropagation();break;case rt.m.tab:case rt.m.enter:!e.shiftKey&&!e.ctrlKey&&o.suggestionsControl.current&&o.suggestionsControl.current.handleKeyDown(t)?(e.preventDefault(),e.stopPropagation()):o._onValidateInput();break;case rt.m.del:o.props.onRemoveSuggestion&&o.suggestionsControl.current&&o.suggestionsControl.current.hasSuggestionSelected&&o.suggestionsControl.current.currentSuggestion&&e.shiftKey&&(o.props.onRemoveSuggestion(o.suggestionsControl.current.currentSuggestion.item),o.suggestionsControl.current.removeSuggestion(),o.forceUpdate(),e.stopPropagation());break;case rt.m.up:case rt.m.down:o.suggestionsControl.current&&o.suggestionsControl.current.handleKeyDown(t)&&(e.preventDefault(),e.stopPropagation(),o._updateActiveDescendant())}}},o._onValidateInput=function(){if(o.state.queryString&&o.props.onValidateInput&&o.props.createGenericItem){var e=o.props.createGenericItem(o.state.queryString,o.props.onValidateInput(o.state.queryString)),t=o.suggestionStore.convertSuggestionsToSuggestionItems([e]);o.onChange(t[0].item)}},o._async=new bo.e(o),(0,P.l)(o),o.suggestionStore=t.suggestionsStore,o.state={queryString:"",didBind:!1},o}return(0,l.ZT)(t,e),Object.defineProperty(t.prototype,"inputText",{get:function(){return this.state.queryString},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"suggestions",{get:function(){return this.suggestionStore.suggestions},enumerable:!0,configurable:!0}),t.prototype.forceResolveSuggestion=function(){this.suggestionsControl.current&&this.suggestionsControl.current.hasSuggestionSelected()?this.completeSuggestion():this._onValidateInput()},Object.defineProperty(t.prototype,"currentSelectedSuggestionIndex",{get:function(){return this.suggestionsControl.current?this.suggestionsControl.current.currentSuggestionIndex:-1},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"isSuggestionsShown",{get:function(){return void 0!==this.state.suggestionsVisible&&this.state.suggestionsVisible},enumerable:!0,configurable:!0}),t.prototype.componentDidMount=function(){this._bindToInputElement(),this.isComponentMounted=!0,this._onResolveSuggestions=this._async.debounce(this._onResolveSuggestions,this.props.resolveDelay)},t.prototype.componentDidUpdate=function(){this._bindToInputElement()},t.prototype.componentWillUnmount=function(){this._unbindFromInputElement(),this.isComponentMounted=!1},t.prototype.updateSuggestions=function(e,t){void 0===t&&(t=!1),this.suggestionStore.updateSuggestions(e),t&&this.forceUpdate()},t.prototype.render=function(){var e=this.props.className;return c.createElement("div",{ref:this.root,className:(0,pt.i)("ms-BasePicker ms-BaseFloatingPicker",e||"")},this.renderSuggestions())},t.prototype.renderSuggestions=function(){var e=this.SuggestionsControlOfProperType;return this.props.suggestionItems&&this.suggestionStore.updateSuggestions(this.props.suggestionItems),this.state.suggestionsVisible?c.createElement(Ae.U,(0,l.pi)({className:Ma.callout,isBeakVisible:!1,gapSpace:5,target:this.props.inputElement,onDismiss:this.hidePicker,directionalHint:K.b.bottomLeftEdge,directionalHintForRTL:K.b.bottomRightEdge,calloutWidth:this.props.calloutWidth?this.props.calloutWidth:0},this.props.pickerCalloutProps),c.createElement(e,(0,l.pi)({onRenderSuggestion:this.props.onRenderSuggestionsItem,onSuggestionClick:this.onSuggestionClick,onSuggestionRemove:this.onSuggestionRemove,suggestions:this.suggestionStore.getSuggestions(),componentRef:this.suggestionsControl,completeSuggestion:this.completeSuggestion,shouldLoopSelection:!1},this.props.pickerSuggestionsProps))):null},t.prototype.onSelectionChange=function(){this.forceUpdate()},t.prototype.updateValue=function(e){""===e?this.updateSuggestionWithZeroState():this._onResolveSuggestions(e)},t.prototype.updateSuggestionWithZeroState=function(){if(this.props.onZeroQuerySuggestion){var e=(0,this.props.onZeroQuerySuggestion)(this.props.selectedItems);this.updateSuggestionsList(e)}else this.hidePicker()},t.prototype.updateSuggestionsList=function(e){var t=this,o=e,n=e;if(Array.isArray(o))this.updateSuggestions(o,!0);else if(n&&n.then){var r=this.currentPromise=n;r.then((function(e){r===t.currentPromise&&t.isComponentMounted&&t.updateSuggestions(e,!0)}))}},t.prototype.onChange=function(e){this.props.onChange&&this.props.onChange(e)},t.prototype._updateActiveDescendant=function(){if(this.props.inputElement&&this.suggestionsControl.current&&this.suggestionsControl.current.selectedElement){var e=this.suggestionsControl.current.selectedElement.getAttribute("id");e&&this.props.inputElement.setAttribute("aria-activedescendant",e)}},t.prototype._onResolveSuggestions=function(e){var t=this.props.onResolveSuggestions(e,this.props.selectedItems);this._updateSuggestionsVisible(!0),null!==t&&this.updateSuggestionsList(t)},t.prototype._updateSuggestionsVisible=function(e){e?this.showPicker():this.hidePicker()},t.prototype._bindToInputElement=function(){this.props.inputElement&&!this.state.didBind&&(this.props.inputElement.addEventListener("keydown",this.onKeyDown),this.setState({didBind:!0}))},t.prototype._unbindFromInputElement=function(){this.props.inputElement&&this.state.didBind&&(this.props.inputElement.removeEventListener("keydown",this.onKeyDown),this.setState({didBind:!1}))},t}(c.Component),Na=o(6104);(0,Xi.RM)([{rawString:".resultContent_9816a275{display:table-row}.resultContent_9816a275 .resultItem_9816a275{display:table-cell;vertical-align:bottom}.peoplePickerPersona_9816a275{width:180px}.peoplePickerPersona_9816a275 .ms-Persona-details{width:100%}.peoplePicker_9816a275 .ms-BasePicker-text{min-height:40px}.peoplePickerPersonaContent_9816a275{display:-webkit-box;display:-ms-flexbox;display:flex;width:100%;-webkit-box-pack:justify;-ms-flex-pack:justify;justify-content:space-between;-webkit-box-align:center;-ms-flex-align:center;align-items:center;padding:7px 12px}"}]);var Ba=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,l.ZT)(t,e),t}(Ra),Fa=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,l.ZT)(t,e),t.defaultProps={onRenderSuggestionsItem:function(e,t){return o=(0,l.pi)({},e),(0,l.pi)({},t),c.createElement("div",{className:(0,pt.i)("ms-PeoplePicker-personaContent","peoplePickerPersonaContent_9816a275")},c.createElement(ua.I,(0,l.pi)({presence:void 0!==o.presence?o.presence:C.H_.none,size:C.Ir.size40,className:(0,pt.i)("ms-PeoplePicker-Persona","peoplePickerPersona_9816a275"),showSecondaryText:!0},o)));var o},createGenericItem:La},t}(Ba);function La(e,t){var o={key:e,primaryText:e,imageInitials:"!",isValid:t};return t||(o.imageInitials=(0,Na.Q)(e,(0,T.zg)())),o}var Aa=function(){function e(e){var t=this;this._isSuggestionModel=function(e){return void 0!==e.item},this._ensureSuggestionModel=function(e){return t._isSuggestionModel(e)?e:{item:e,selected:!1,ariaLabel:void 0!==t.getAriaLabel?t.getAriaLabel(e):e.name||e.text||e.primaryText}},this.suggestions=[],this.getAriaLabel=e&&e.getAriaLabel}return e.prototype.updateSuggestions=function(e){e&&e.length>0?this.suggestions=this.convertSuggestionsToSuggestionItems(e):this.suggestions=[]},e.prototype.getSuggestions=function(){return this.suggestions},e.prototype.getSuggestionAtIndex=function(e){return this.suggestions[e]},e.prototype.removeSuggestion=function(e){this.suggestions.splice(e,1)},e.prototype.convertSuggestionsToSuggestionItems=function(e){return Array.isArray(e)?e.map(this._ensureSuggestionModel):[]},e}(),za=o(6316);(0,za.x)("@fluentui/react-focus","8.0.4");var Ha,Oa,Wa={host:"ms-HoverCard-host"};!function(e){e[e.hover=0]="hover",e[e.hotKey=1]="hotKey"}(Ha||(Ha={})),function(e){e.plain="PlainCard",e.expanding="ExpandingCard"}(Oa||(Oa={}));var Va,Ka={root:"ms-ExpandingCard-root",compactCard:"ms-ExpandingCard-compactCard",expandedCard:"ms-ExpandingCard-expandedCard",expandedCardScroll:"ms-ExpandingCard-expandedCardScrollRegion"};!function(e){e[e.compact=0]="compact",e[e.expanded=1]="expanded"}(Va||(Va={}));var qa=function(e){var t=e.gapSpace,o=void 0===t?0:t,n=e.directionalHint,r=void 0===n?K.b.bottomLeftEdge:n,i=e.directionalHintFixed,a=e.targetElement,s=e.firstFocus,u=e.trapFocus,d=e.onLeave,p=e.className,m=e.finalHeight,h=e.content,g=e.calloutProps,f=(0,l.pi)((0,l.pi)((0,l.pi)({},(0,E.pq)(e,E.n7)),{className:p,target:a,isBeakVisible:!1,directionalHint:r,directionalHintFixed:i,finalHeight:m,minPagePadding:24,onDismiss:d,gapSpace:o}),g);return c.createElement(c.Fragment,null,u?c.createElement(We,(0,l.pi)({},f,{focusTrapProps:{forceFocusInsideTrap:!1,isClickableOutsideFocusTrap:!0,disableFirstFocus:!s}}),h):c.createElement(Ae.U,(0,l.pi)({},f),h))},Ga=(0,D.y)(),Ua=function(e){function t(t){var o=e.call(this,t)||this;return o._expandedElem=c.createRef(),o._onKeyDown=function(e){e.which===rt.m.escape&&o.props.onLeave&&o.props.onLeave(e)},o._onRenderCompactCard=function(){return c.createElement("div",{className:o._classNames.compactCard},o.props.onRenderCompactCard(o.props.renderData))},o._onRenderExpandedCard=function(){return!o.state.firstFrameRendered&&o._async.requestAnimationFrame((function(){o.setState({firstFrameRendered:!0})})),c.createElement("div",{className:o._classNames.expandedCard,ref:o._expandedElem},c.createElement("div",{className:o._classNames.expandedCardScroll},o.props.onRenderExpandedCard&&o.props.onRenderExpandedCard(o.props.renderData)))},o._checkNeedsScroll=function(){var e=o.props.expandedCardHeight;o._async.requestAnimationFrame((function(){o._expandedElem.current&&o._expandedElem.current.scrollHeight>=e&&o.setState({needsScroll:!0})}))},o._async=new bo.e(o),(0,P.l)(o),o.state={firstFrameRendered:!1,needsScroll:!1},o}return(0,l.ZT)(t,e),t.prototype.componentDidMount=function(){this._checkNeedsScroll()},t.prototype.componentWillUnmount=function(){this._async.dispose()},t.prototype.render=function(){var e=this.props,t=e.styles,o=e.compactCardHeight,n=e.expandedCardHeight,r=e.theme,i=e.mode,a=e.className,s=this.state,u=s.needsScroll,d=s.firstFrameRendered,p=o+n;this._classNames=Ga(t,{theme:r,compactCardHeight:o,className:a,expandedCardHeight:n,needsScroll:u,expandedCardFirstFrameRendered:i===Va.expanded&&d});var m=c.createElement("div",{onMouseEnter:this.props.onEnter,onMouseLeave:this.props.onLeave,onKeyDown:this._onKeyDown},this._onRenderCompactCard(),this._onRenderExpandedCard());return c.createElement(qa,(0,l.pi)({},this.props,{content:m,finalHeight:p,className:this._classNames.root}))},t.defaultProps={compactCardHeight:156,expandedCardHeight:384,directionalHintFixed:!0},t}(c.Component),ja=(0,I.z)(Ua,(function(e){var t,o=e.theme,n=e.needsScroll,r=e.expandedCardFirstFrameRendered,i=e.compactCardHeight,a=e.expandedCardHeight,s=e.className,l=o.palette,c=(0,u.Cn)(Ka,o);return{root:[c.root,{width:320,pointerEvents:"none",selectors:(t={},t[u.qJ]={border:"1px solid WindowText"},t)},s],compactCard:[c.compactCard,{pointerEvents:"auto",position:"relative",height:i}],expandedCard:[c.expandedCard,{height:1,overflowY:"hidden",pointerEvents:"auto",transition:"height 0.467s cubic-bezier(0.5, 0, 0, 1)",selectors:{":before":{content:'""',position:"relative",display:"block",top:0,left:24,width:272,height:1,backgroundColor:l.neutralLighter}}},r&&{height:a}],expandedCardScroll:[c.expandedCardScroll,n&&{height:"100%",boxSizing:"border-box",overflowY:"auto"}]}}),void 0,{scope:"ExpandingCard"}),Ja={root:"ms-PlainCard-root"},Ya=(0,D.y)(),Za=function(e){function t(t){var o=e.call(this,t)||this;return o._onKeyDown=function(e){e.which===rt.m.escape&&o.props.onLeave&&o.props.onLeave(e)},(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.theme,n=e.className;this._classNames=Ya(t,{theme:o,className:n});var r=c.createElement("div",{onMouseEnter:this.props.onEnter,onMouseLeave:this.props.onLeave,onKeyDown:this._onKeyDown},this.props.onRenderPlainCard(this.props.renderData));return c.createElement(qa,(0,l.pi)({},this.props,{content:r,className:this._classNames.root}))},t}(c.Component),Xa=(0,I.z)(Za,(function(e){var t,o=e.theme,n=e.className;return{root:[(0,u.Cn)(Ja,o).root,{pointerEvents:"auto",selectors:(t={},t[u.qJ]={border:"1px solid WindowText"},t)},n]}}),void 0,{scope:"PlainCard"}),Qa=(0,D.y)(),$a=function(e){function t(t){var o=e.call(this,t)||this;return o._hoverCard=c.createRef(),o.dismiss=function(e){o._async.clearTimeout(o._openTimerId),o._async.clearTimeout(o._dismissTimerId),e?o._dismissTimerId=o._async.setTimeout((function(){o._setDismissedState()}),o.props.cardDismissDelay):o._setDismissedState()},o._cardOpen=function(e){o._shouldBlockHoverCard()||"keydown"===e.type&&e.which!==o.props.openHotKey||(o._async.clearTimeout(o._dismissTimerId),"mouseenter"===e.type&&(o._currentMouseTarget=e.currentTarget),o._executeCardOpen(e))},o._executeCardOpen=function(e){o._async.clearTimeout(o._openTimerId),o._openTimerId=o._async.setTimeout((function(){o.setState((function(t){return t.isHoverCardVisible?t:{isHoverCardVisible:!0,mode:Va.compact,openMode:"keydown"===e.type?Ha.hotKey:Ha.hover}}))}),o.props.cardOpenDelay)},o._cardDismiss=function(e,t){if(e){if(!(t instanceof MouseEvent))return;if("keydown"===t.type&&t.which!==rt.m.escape)return;o.props.sticky||o._currentMouseTarget!==t.currentTarget&&t.which!==rt.m.escape||o.dismiss(!0)}else{if(o.props.sticky&&!(t instanceof MouseEvent)&&t.nativeEvent instanceof MouseEvent&&"mouseleave"===t.type)return;o.dismiss(!0)}},o._setDismissedState=function(){o.setState({isHoverCardVisible:!1,mode:Va.compact,openMode:Ha.hover})},o._instantOpenAsExpanded=function(e){o._async.clearTimeout(o._dismissTimerId),o.setState((function(e){return e.isHoverCardVisible?e:{isHoverCardVisible:!0,mode:Va.expanded}}))},o._setEventListeners=function(){var e=o.props,t=e.trapFocus,n=e.instantOpenOnClick,r=e.eventListenerTarget,i=r?o._getTargetElement(r):o._getTargetElement(o.props.target),a=o._nativeDismissEvent;i&&(o._events.on(i,"mouseenter",o._cardOpen),o._events.on(i,"mouseleave",a),t?o._events.on(i,"keydown",o._cardOpen):(o._events.on(i,"focus",o._cardOpen),o._events.on(i,"blur",a)),n?o._events.on(i,"click",o._instantOpenAsExpanded):(o._events.on(i,"mousedown",a),o._events.on(i,"keydown",a)))},(0,P.l)(o),o._async=new bo.e(o),o._events=new at.r(o),o._nativeDismissEvent=o._cardDismiss.bind(o,!0),o._childDismissEvent=o._cardDismiss.bind(o,!1),o.state={isHoverCardVisible:!1,mode:Va.compact,openMode:Ha.hover},o}return(0,l.ZT)(t,e),t.prototype.componentDidMount=function(){this._setEventListeners()},t.prototype.componentWillUnmount=function(){this._async.dispose(),this._events.dispose()},t.prototype.componentDidUpdate=function(e,t){var o=this;e.target!==this.props.target&&(this._events.off(),this._setEventListeners()),t.isHoverCardVisible!==this.state.isHoverCardVisible&&(this.state.isHoverCardVisible?(this._async.setTimeout((function(){o.setState({mode:Va.expanded},(function(){o.props.onCardExpand&&o.props.onCardExpand()}))}),this.props.expandedCardOpenDelay),this.props.onCardVisible&&this.props.onCardVisible()):(this.setState({mode:Va.compact}),this.props.onCardHide&&this.props.onCardHide()))},t.prototype.render=function(){var e=this.props,t=e.expandingCardProps,o=e.children,n=e.id,r=e.setAriaDescribedBy,i=void 0===r||r,a=e.styles,s=e.theme,u=e.className,d=e.type,p=e.plainCardProps,m=e.trapFocus,h=e.setInitialFocus,g=this.state,f=g.isHoverCardVisible,v=g.mode,b=g.openMode,y=n||(0,dn.z)("hoverCard");this._classNames=Qa(a,{theme:s,className:u});var _=(0,l.pi)((0,l.pi)({},(0,E.pq)(this.props,E.n7)),{id:y,trapFocus:!!m,firstFocus:h||b===Ha.hotKey,targetElement:this._getTargetElement(this.props.target),onEnter:this._cardOpen,onLeave:this._childDismissEvent}),C=(0,l.pi)((0,l.pi)((0,l.pi)({},t),_),{mode:v}),S=(0,l.pi)((0,l.pi)({},p),_);return c.createElement("div",{className:this._classNames.host,ref:this._hoverCard,"aria-describedby":i&&f?y:void 0,"data-is-focusable":!this.props.target},o,f&&(d===Oa.expanding?c.createElement(ja,(0,l.pi)({},C)):c.createElement(Xa,(0,l.pi)({},S))))},t.prototype._getTargetElement=function(e){switch(typeof e){case"string":return(0,nt.M)().querySelector(e);case"object":return e;default:return this._hoverCard.current||void 0}},t.prototype._shouldBlockHoverCard=function(){return!(!this.props.shouldBlockHoverCard||!this.props.shouldBlockHoverCard())},t.defaultProps={cardOpenDelay:500,cardDismissDelay:100,expandedCardOpenDelay:1500,instantOpenOnClick:!1,setInitialFocus:!1,openHotKey:rt.m.c,type:Oa.expanding},t}(c.Component),es=(0,I.z)($a,(function(e){var t=e.className,o=e.theme;return{host:[(0,u.Cn)(Wa,o).host,t]}}),void 0,{scope:"HoverCard"}),ts=o(3874),os=o(6569),ns=o(7840),rs=o(2481),is=o(9759),as=o(6711),ss=o(5325),ls=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.content,o=e.styles,n=e.theme,r=e.disabled,i=e.visible,a=(0,D.y)()(o,{theme:n,disabled:r,visible:i});return c.createElement("div",{className:a.container},c.createElement("span",{className:a.root},t))},t}(c.Component),cs=function(e){return{container:[],root:[{border:"none",boxShadow:"none"}],beak:[],beakCurtain:[],calloutMain:[{backgroundColor:"transparent"}]}},us=function(e){return function(t){return(0,u.ZC)({container:[],root:[{border:"none",boxShadow:"none"}],beak:[],beakCurtain:[],calloutMain:[{backgroundColor:"transparent"}]},{root:[{marginLeft:e.left||e.x,marginTop:e.top||e.y}]})}},ds=(0,I.z)(ls,(function(e){var t,o=e.theme,n=e.disabled,r=e.visible;return{container:[{backgroundColor:o.palette.neutralDark},n&&{opacity:.5,selectors:(t={},t[u.qJ]={color:"GrayText",opacity:1},t)},!r&&{visibility:"hidden"}],root:[o.fonts.medium,{textAlign:"center",paddingLeft:"3px",paddingRight:"3px",backgroundColor:o.palette.neutralDark,color:o.palette.neutralLight,minWidth:"11px",lineHeight:"17px",height:"17px",display:"inline-block"},n&&{color:o.palette.neutralTertiaryAlt}]}}),void 0,{scope:"KeytipContent"}),ps=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,l.ZT)(t,e),t.prototype.render=function(){var e,t=this.props,o=t.keySequences,n=t.offset,r=t.overflowSetSequence,i=this.props.calloutProps;return e=r?(0,ss.eX)((0,ss.a1)(o,r)):(0,ss.eX)(o),n&&(i=(0,l.pi)((0,l.pi)({},i),{coverTarget:!0,directionalHint:K.b.topLeftEdge})),i&&void 0!==i.directionalHint||(i=(0,l.pi)((0,l.pi)({},i),{directionalHint:K.b.bottomCenter})),c.createElement(Ae.U,(0,l.pi)({},i,{isBeakVisible:!1,doNotLayer:!0,minPagePadding:0,styles:n?us(n):cs,preventDismissOnScroll:!0,target:e}),c.createElement(ds,(0,l.pi)({},this.props)))},t}(c.Component),ms=o(9949),hs=o(8128),gs=o(2304);function fs(e){var t=(0,gs.c)(e),o=t.keytipId,n=t.ariaDescribedBy;return function(e){if(e){var t=bs(e,hs.fV)||e,r=bs(e,hs.ms)||t,i=bs(e,hs.A4)||r;vs(t,hs.fV,o),vs(r,hs.ms,o),vs(i,"aria-describedby",n,!0)}}}function vs(e,t,o,n){if(void 0===n&&(n=!1),e&&o){var r=o;if(n){var i=e.getAttribute(t);i&&-1===i.indexOf(o)&&(r=i+" "+o)}e.setAttribute(t,r)}}function bs(e,t){return e.querySelector("["+t+"]")}var ys=function(e){return{root:[{zIndex:u.bR.KeytipLayer}]}},_s=o(6479),Cs=function(){function e(){this.nodeMap={},this.root={id:hs.nK,children:[],parent:"",keySequences:[]},this.nodeMap[this.root.id]=this.root}return e.prototype.addNode=function(e,t,o){var n=this._getFullSequence(e),r=(0,ss.aB)(n);n.pop();var i=this._getParentID(n),a=this._createNode(r,i,[],e,o);this.nodeMap[t]=a;var s=this.getNode(i);s&&s.children.push(r)},e.prototype.updateNode=function(e,t){var o=this._getFullSequence(e),n=(0,ss.aB)(o);o.pop();var r=this._getParentID(o),i=this.nodeMap[t],a=i.parent,s=this.getNode(a),l=this.getNode(r);if(i){if(s&&a!==r){var c=s.children.indexOf(i.id);c>=0&&s.children.splice(c,1)}if(l&&i.id!==n){var u=l.children.indexOf(i.id);u>=0?l.children[u]=n:l.children.push(n)}i.id=n,i.keySequences=e.keySequences,i.overflowSetSequence=e.overflowSetSequence,i.onExecute=e.onExecute,i.onReturn=e.onReturn,i.hasDynamicChildren=e.hasDynamicChildren,i.hasMenu=e.hasMenu,i.parent=r,i.disabled=e.disabled}},e.prototype.removeNode=function(e,t){var o=this._getFullSequence(e),n=(0,ss.aB)(o);o.pop();var r=this._getParentID(o),i=this.getNode(r);i&&i.children.splice(i.children.indexOf(n),1),this.nodeMap[t]&&delete this.nodeMap[t]},e.prototype.getExactMatchedNode=function(e,t){var o=this,n=this.getNodes(t.children);return(0,Co.sE)(n,(function(t){return o._getNodeSequence(t)===e&&!t.disabled}))},e.prototype.getPartiallyMatchedNodes=function(e,t){var o=this;return this.getNodes(t.children).filter((function(t){return 0===o._getNodeSequence(t).indexOf(e)&&!t.disabled}))},e.prototype.getChildren=function(e){var t=this;if(!e&&!(e=this.currentKeytip))return[];var o=e.children;return Object.keys(this.nodeMap).reduce((function(e,n){return o.indexOf(t.nodeMap[n].id)>=0&&!t.nodeMap[n].persisted&&e.push(t.nodeMap[n].id),e}),[])},e.prototype.getNodes=function(e){var t=this;return Object.keys(this.nodeMap).reduce((function(o,n){return e.indexOf(t.nodeMap[n].id)>=0&&o.push(t.nodeMap[n]),o}),[])},e.prototype.getNode=function(e){var t=(0,Xt.VO)(this.nodeMap);return(0,Co.sE)(t,(function(t){return t.id===e}))},e.prototype.isCurrentKeytipParent=function(e){if(this.currentKeytip){var t=(0,l.pr)(e.keySequences);e.overflowSetSequence&&(t=(0,ss.a1)(t,e.overflowSetSequence)),t.pop();var o=0===t.length?this.root.id:(0,ss.aB)(t),n=!1;return this.currentKeytip.overflowSetSequence&&(n=(0,ss.aB)(this.currentKeytip.keySequences)===o),n||this.currentKeytip.id===o}return!1},e.prototype._getParentID=function(e){return 0===e.length?this.root.id:(0,ss.aB)(e)},e.prototype._getFullSequence=function(e){var t=(0,l.pr)(e.keySequences);return e.overflowSetSequence&&(t=(0,ss.a1)(t,e.overflowSetSequence)),t},e.prototype._getNodeSequence=function(e){var t=(0,l.pr)(e.keySequences);return e.overflowSetSequence&&(t=(0,ss.a1)(t,e.overflowSetSequence)),t[t.length-1]},e.prototype._createNode=function(e,t,o,n,r){var i=this,a=n.keySequences,s=n.hasDynamicChildren,l=n.overflowSetSequence,c=n.hasMenu,u=n.onExecute,d=n.onReturn,p=n.disabled,m={id:e,keySequences:a,overflowSetSequence:l,parent:t,children:o,onExecute:u,onReturn:d,hasDynamicChildren:s,hasMenu:c,disabled:p,persisted:r};return m.children=Object.keys(this.nodeMap).reduce((function(t,o){return i.nodeMap[o].parent===e&&t.push(i.nodeMap[o].id),t}),[]),m},e}();function Ss(e,t){if(e.key!==t.key)return!1;var o=e.modifierKeys,n=t.modifierKeys;if(!o&&n||o&&!n)return!1;if(o&&n){if(o.length!==n.length)return!1;o=o.sort(),n=n.sort();for(var r=0;r0){var s=a.filter((function(e){return!e.persisted})).map((function(e){return e.id}));this.showKeytips(s),this._currentSequence=o}}},t.prototype.showKeytips=function(e){for(var t=0,o=this._keytipManager.getKeytips();t=0?n.visible=!0:n.visible=!1}this._setKeytips()},t.prototype._enterKeytipMode=function(){this._keytipManager.shouldEnterKeytipMode&&(this._keytipManager.delayUpdatingKeytipChange&&(this._buildTree(),this._setKeytips()),this._keytipTree.currentKeytip=this._keytipTree.root,this.showKeytips(this._keytipTree.getChildren()),this._setInKeytipMode(!0),this.props.onEnterKeytipMode&&this.props.onEnterKeytipMode())},t.prototype._buildTree=function(){this._keytipTree=new Cs;for(var e=0,t=Object.keys(this._keytipManager.keytips);e=0&&(this._delayedKeytipQueue.splice(o,1),this._delayedQueueTimeout&&this._async.clearTimeout(this._delayedQueueTimeout),this._delayedQueueTimeout=this._async.setTimeout((function(){t._delayedKeytipQueue.length&&(t.showKeytips(t._delayedKeytipQueue),t._delayedKeytipQueue=[])}),300))},t.prototype._getKtpExecuteTarget=function(e){return(0,nt.M)().querySelector((0,ss._l)(e.id))},t.prototype._getKtpTarget=function(e){return(0,nt.M)().querySelector((0,ss.eX)(e.keySequences))},t.prototype._isCurrentKeytipAnAlias=function(e){var t=this._keytipTree.currentKeytip;return!(!t||!t.overflowSetSequence&&!t.persisted||!(0,Co.cO)(e.keySequences,t.keySequences))},t.defaultProps={keytipStartSequences:[ks],keytipExitSequences:[ws],keytipReturnSequences:[Is],content:""},t}(c.Component),Es=(0,I.z)(Ts,(function(e){return{innerContent:[{position:"absolute",width:0,height:0,margin:0,padding:0,border:0,overflow:"hidden",visibility:"hidden"}]}}),void 0,{scope:"KeytipLayer"});function Ps(e){for(var t={},o=0,n=e.keytips;o0&&this._computeScrollVelocity(e)},e.prototype._computeScrollVelocity=function(e){if(this._scrollRect){var t,o;"clientX"in e?(t=e.clientX,o=e.clientY):(t=e.touches[0].clientX,o=e.touches[0].clientY);var n,r,i,a=this._scrollRect.top,s=this._scrollRect.left,l=a+this._scrollRect.height-Os,c=s+this._scrollRect.width-Os;ol?(r=o,n=a,i=l,this._isVerticalScroll=!0):(r=t,n=s,i=c,this._isVerticalScroll=!1),this._scrollVelocity=ri?Math.min(15,(r-i)/Os*15):0,this._scrollVelocity?this._startScroll():this._stopScroll()}},e.prototype._startScroll=function(){this._timeoutId||this._incrementScroll()},e.prototype._incrementScroll=function(){this._scrollableParent&&(this._isVerticalScroll?this._scrollableParent.scrollTop+=Math.round(this._scrollVelocity):this._scrollableParent.scrollLeft+=Math.round(this._scrollVelocity)),this._timeoutId=setTimeout(this._incrementScroll,16)},e.prototype._stopScroll=function(){this._timeoutId&&(clearTimeout(this._timeoutId),delete this._timeoutId)},e}(),Vs=o(8633),Ks=(0,D.y)(),qs=function(e){function t(t){var o=e.call(this,t)||this;return o._root=c.createRef(),o._onMouseDown=function(e){var t=o.props,n=t.isEnabled,r=t.onShouldStartSelection;o._isMouseEventOnScrollbar(e)||o._isInSelectionToggle(e)||o._isTouch||!n||o._isDragStartInSelection(e)||r&&!r(e)||o._scrollableSurface&&0===e.button&&o._root.current&&(o._selectedIndicies={},o._preservedIndicies=void 0,o._events.on(window,"mousemove",o._onAsyncMouseMove,!0),o._events.on(o._scrollableParent,"scroll",o._onAsyncMouseMove),o._events.on(window,"click",o._onMouseUp,!0),o._autoScroll=new Ws(o._root.current),o._scrollTop=o._scrollableSurface.scrollTop,o._scrollLeft=o._scrollableSurface.scrollLeft,o._rootRect=o._root.current.getBoundingClientRect(),o._onMouseMove(e))},o._onTouchStart=function(e){o._isTouch=!0,o._async.setTimeout((function(){o._isTouch=!1}),0)},o._onPointerDown=function(e){"touch"===e.pointerType&&(o._isTouch=!0,o._async.setTimeout((function(){o._isTouch=!1}),0))},(0,P.l)(o),o._async=new bo.e(o),o._events=new at.r(o),o.state={dragRect:void 0},o}return(0,l.ZT)(t,e),t.prototype.componentDidMount=function(){this._scrollableParent=(0,yo.zj)(this._root.current),this._scrollableSurface=this._scrollableParent===window?document.body:this._scrollableParent;var e=this.props.isDraggingConstrainedToRoot?this._root.current:this._scrollableSurface;this._events.on(e,"mousedown",this._onMouseDown),this._events.on(e,"touchstart",this._onTouchStart,!0),this._events.on(e,"pointerdown",this._onPointerDown,!0)},t.prototype.componentWillUnmount=function(){this._autoScroll&&this._autoScroll.dispose(),delete this._scrollableParent,delete this._scrollableSurface,this._events.dispose(),this._async.dispose()},t.prototype.render=function(){var e=this.props,t=e.rootProps,o=e.children,n=e.theme,r=e.className,i=e.styles,a=this.state.dragRect,s=Ks(i,{theme:n,className:r});return c.createElement("div",(0,l.pi)({},t,{className:s.root,ref:this._root}),o,a&&c.createElement("div",{className:s.dragMask}),a&&c.createElement("div",{className:s.box,style:a},c.createElement("div",{className:s.boxFill})))},t.prototype._isMouseEventOnScrollbar=function(e){var t=e.target,o=t.offsetWidth-t.clientWidth;if(o){var n=t.getBoundingClientRect();if((0,T.zg)(this.props.theme)){if(e.clientXn.left+t.clientWidth)return!0;if(e.clientY>n.top+t.clientHeight)return!0}return!1},t.prototype._getRootRect=function(){return{left:this._rootRect.left+(this._scrollLeft-this._scrollableSurface.scrollLeft),top:this._rootRect.top+(this._scrollTop-this._scrollableSurface.scrollTop),width:this._rootRect.width,height:this._rootRect.height}},t.prototype._onAsyncMouseMove=function(e){var t=this;this._async.requestAnimationFrame((function(){t._onMouseMove(e)})),e.stopPropagation(),e.preventDefault()},t.prototype._onMouseMove=function(e){if(this._autoScroll){void 0!==e.clientX&&(this._lastMouseEvent=e);var t=this._getRootRect(),o={left:e.clientX-t.left,top:e.clientY-t.top};if(this._dragOrigin||(this._dragOrigin=o),void 0!==e.buttons&&0===e.buttons)this._onMouseUp(e);else if(this.state.dragRect||(0,Vs.Iw)(this._dragOrigin,o)>5){if(!this.state.dragRect){var n=this.props.selection;e.shiftKey||n.setAllSelected(!1),this._preservedIndicies=n&&n.getSelectedIndices&&n.getSelectedIndices()}var r=this.props.isDraggingConstrainedToRoot?{left:Math.max(0,Math.min(t.width,this._lastMouseEvent.clientX-t.left)),top:Math.max(0,Math.min(t.height,this._lastMouseEvent.clientY-t.top))}:{left:this._lastMouseEvent.clientX-t.left,top:this._lastMouseEvent.clientY-t.top},i={left:Math.min(this._dragOrigin.left||0,r.left),top:Math.min(this._dragOrigin.top||0,r.top),width:Math.abs(r.left-(this._dragOrigin.left||0)),height:Math.abs(r.top-(this._dragOrigin.top||0))};this._evaluateSelection(i,t),this.setState({dragRect:i})}return!1}},t.prototype._onMouseUp=function(e){this._events.off(window),this._events.off(this._scrollableParent,"scroll"),this._autoScroll&&this._autoScroll.dispose(),this._autoScroll=this._dragOrigin=this._lastMouseEvent=void 0,this._selectedIndicies=this._itemRectCache=void 0,this.state.dragRect&&(this.setState({dragRect:void 0}),e.preventDefault(),e.stopPropagation())},t.prototype._isPointInRectangle=function(e,t){return!!t.top&&e.topt.top&&!!t.left&&e.leftt.left},t.prototype._isDragStartInSelection=function(e){var t=this.props.selection;if(!this._root.current||t&&0===t.getSelectedCount())return!1;for(var o=this._root.current.querySelectorAll("[data-selection-index]"),n=0;n0&&s.height>0&&(this._itemRectCache[a]=s),s.tope.top&&s.lefte.left?this._selectedIndicies[a]=!0:delete this._selectedIndicies[a]}var l=this._allSelectedIndices||{};for(var a in this._allSelectedIndices={},this._selectedIndicies)this._selectedIndicies.hasOwnProperty(a)&&(this._allSelectedIndices[a]=!0);if(this._preservedIndicies)for(var c=0,u=this._preservedIndicies;c0&&(p=e.collapseAriaLabel||e.expandAriaLabel?e.isExpanded?e.collapseAriaLabel:e.expandAriaLabel:i?e.name+" "+i:e.name),c.createElement("div",(0,l.pi)({},n,{key:e.key||t,className:d.compositeLink}),e.links&&e.links.length>0?c.createElement("button",{className:d.chevronButton,onClick:this._onLinkExpandClicked.bind(this,e),"aria-label":p,"aria-expanded":e.isExpanded?"true":"false"},c.createElement(W.J,{className:d.chevronIcon,iconName:"ChevronDown"})):null,this._renderNavLink(e,t,o))},t.prototype._renderLink=function(e,t,o){var n=this.props,r=n.styles,i=n.groups,a=n.theme,s=cl(r,{theme:a,groups:i});return c.createElement("li",{key:e.key||t,role:"listitem",className:s.navItem},this._renderCompositeLink(e,t,o),e.isExpanded?this._renderLinks(e.links,++o):null)},t.prototype._renderLinks=function(e,t){var o=this;if(!e||!e.length)return null;var n=e.map((function(e,n){return o._renderLink(e,n,t)})),r=this.props,i=r.styles,a=r.groups,s=r.theme,l=cl(i,{theme:s,groups:a});return c.createElement("ul",{role:"list",className:l.navItems},n)},t.prototype._onGroupHeaderClicked=function(e,t){e.onHeaderClick&&e.onHeaderClick(t,this._isGroupExpanded(e)),this._toggleCollapsed(e),t&&(t.preventDefault(),t.stopPropagation())},t.prototype._onLinkExpandClicked=function(e,t){var o=this.props.onLinkExpandClick;o&&o(t,e),t.defaultPrevented||(e.isExpanded=!e.isExpanded,this.setState({isLinkExpandStateChanged:!0})),t.preventDefault(),t.stopPropagation()},t.prototype._preventBounce=function(e,t){!e.url&&e.forceAnchor&&t.preventDefault()},t.prototype._onNavAnchorLinkClicked=function(e,t){this._preventBounce(e,t),this.props.onLinkClick&&this.props.onLinkClick(t,e),!e.url&&e.links&&e.links.length>0&&this._onLinkExpandClicked(e,t),this.setState({selectedKey:e.key})},t.prototype._onNavButtonLinkClicked=function(e,t){this._preventBounce(e,t),e.onClick&&e.onClick(t,e),!e.url&&e.links&&e.links.length>0&&this._onLinkExpandClicked(e,t),this.setState({selectedKey:e.key})},t.prototype._isLinkSelected=function(e){if(void 0!==this.props.selectedKey)return e.key===this.props.selectedKey;if(void 0!==this.state.selectedKey)return e.key===this.state.selectedKey;if(void 0===(0,So.J)()||!e.url)return!1;(el=el||document.createElement("a")).href=e.url||"";var t=el.href;return location.href===t||location.protocol+"//"+location.host+location.pathname===t||!!location.hash&&(location.hash===e.url||(el.href=location.hash.substring(1),el.href===t))},t.prototype._isGroupExpanded=function(e){return e.name&&this.state.isGroupCollapsed.hasOwnProperty(e.name)?!this.state.isGroupCollapsed[e.name]:void 0===e.collapseByDefault||!e.collapseByDefault},t.prototype._toggleCollapsed=function(e){var t;if(e.name){var o=(0,l.pi)((0,l.pi)({},this.state.isGroupCollapsed),((t={})[e.name]=this._isGroupExpanded(e),t));this.setState({isGroupCollapsed:o})}},t.defaultProps={groups:null},t}(c.Component),dl=(0,I.z)(ul,(function(e){var t,o=e.className,n=e.theme,r=e.isOnTop,i=e.isExpanded,a=e.isGroup,s=e.isLink,l=e.isSelected,c=e.isDisabled,d=e.isButtonEntry,p=e.navHeight,m=void 0===p?44:p,h=e.position,g=e.leftPadding,f=void 0===g?20:g,v=e.leftPaddingExpanded,b=void 0===v?28:v,y=e.rightPadding,_=void 0===y?20:y,C=n.palette,S=n.semanticColors,x=n.fonts,k=(0,u.Cn)(al,n);return{root:[k.root,o,x.medium,{overflowY:"auto",userSelect:"none",WebkitOverflowScrolling:"touch"},r&&[{position:"absolute"},u.k4.slideRightIn40]],linkText:[k.linkText,{margin:"0 4px",overflow:"hidden",verticalAlign:"middle",textAlign:"left",textOverflow:"ellipsis"}],compositeLink:[k.compositeLink,{display:"block",position:"relative",color:S.bodyText},i&&"is-expanded",l&&"is-selected",c&&"is-disabled",c&&{color:S.disabledText}],link:[k.link,(0,u.GL)(n),{display:"block",position:"relative",height:m,width:"100%",lineHeight:m+"px",textDecoration:"none",cursor:"pointer",textOverflow:"ellipsis",whiteSpace:"nowrap",overflow:"hidden",paddingLeft:f,paddingRight:_,color:S.bodyText,selectors:(t={},t[u.qJ]={border:0,selectors:{":focus":{border:"1px solid WindowText"}}},t)},!c&&{selectors:{".ms-Nav-compositeLink:hover &":{backgroundColor:S.bodyBackgroundHovered}}},l&&{color:S.bodyTextChecked,fontWeight:u.lq.semibold,backgroundColor:S.bodyBackgroundChecked,selectors:{"&:after":{borderLeft:"2px solid "+C.themePrimary,content:'""',position:"absolute",top:0,right:0,bottom:0,left:0,pointerEvents:"none"}}},c&&{color:S.disabledText},d&&{color:C.themePrimary}],chevronButton:[k.chevronButton,(0,u.GL)(n),x.small,{display:"block",textAlign:"left",lineHeight:m+"px",margin:"5px 0",padding:"0px, "+_+"px, 0px, "+b+"px",border:"none",textOverflow:"ellipsis",whiteSpace:"nowrap",overflow:"hidden",cursor:"pointer",color:S.bodyText,backgroundColor:"transparent",selectors:{"&:visited":{color:S.bodyText}}},a&&{fontSize:x.large.fontSize,width:"100%",height:m,borderBottom:"1px solid "+S.bodyDivider},s&&{display:"block",width:b-2,height:m-2,position:"absolute",top:"1px",left:h+"px",zIndex:u.bR.Nav,padding:0,margin:0},l&&{color:C.themePrimary,backgroundColor:C.neutralLighterAlt,selectors:{"&:after":{borderLeft:"2px solid "+C.themePrimary,content:'""',position:"absolute",top:0,right:0,bottom:0,left:0,pointerEvents:"none"}}}],chevronIcon:[k.chevronIcon,{position:"absolute",left:"8px",height:m,lineHeight:m+"px",fontSize:x.small.fontSize,transition:"transform .1s linear"},i&&{transform:"rotate(-180deg)"},s&&{top:0}],navItem:[k.navItem,{padding:0}],navItems:[k.navItems,{listStyleType:"none",padding:0,margin:0}],group:[k.group,i&&"is-expanded"],groupContent:[k.groupContent,{display:"none",marginBottom:"40px"},u.k4.slideDownIn20,i&&{display:"block"}]}}),void 0,{scope:"Nav"}),pl=o(6178),ml=o(9755),hl=o(5357),gl=o(2758),fl=o(7047),vl=o(867),bl=o(8337),yl=o(4192),_l=o(4800),Cl=o(9862),Sl=o(6920),xl=o(8976),kl=o(7115),wl=o(9318),Il=o(4885),Dl=o(2535),Tl=o(9378),El=o(2657),Pl={root:"ms-TagItem",text:"ms-TagItem-text",close:"ms-TagItem-close",isSelected:"is-selected"},Ml=(0,D.y)(),Rl=function(e){var t=e.theme,o=e.styles,n=e.selected,r=e.disabled,i=e.enableTagFocusInDisabledPicker,a=e.children,s=e.className,l=e.index,u=e.onRemoveItem,d=e.removeButtonAriaLabel,p=e.title,m=void 0===p?"string"==typeof e.children?e.children:e.item.name:p,h=Ml(o,{theme:t,className:s,selected:n,disabled:r});return c.createElement("div",{className:h.root,role:"listitem",key:l,"data-selection-index":l,"data-is-focusable":(i||!r)&&!0},c.createElement("span",{className:h.text,"aria-label":m,title:m},a),c.createElement(V.h,{onClick:u,disabled:r,iconProps:{iconName:"Cancel",styles:{root:{fontSize:"12px"}}},className:h.close,ariaLabel:d}))},Nl=(0,I.z)(Rl,(function(e){var t,o,n,r,i=e.className,a=e.theme,s=e.selected,l=e.disabled,c=a.palette,d=a.effects,p=a.fonts,m=a.semanticColors,h=(0,u.Cn)(Pl,a);return{root:[h.root,p.medium,(0,u.GL)(a),{boxSizing:"content-box",flexShrink:"1",margin:2,height:26,lineHeight:26,cursor:"default",userSelect:"none",display:"flex",flexWrap:"nowrap",maxWidth:300,minWidth:0,borderRadius:d.roundedCorner2,color:m.inputText,background:!s||l?c.neutralLighter:c.themePrimary,selectors:(t={":hover":[!l&&!s&&{color:c.neutralDark,background:c.neutralLight,selectors:{".ms-TagItem-close":{color:c.neutralPrimary}}},l&&{background:c.neutralLighter},s&&!l&&{background:c.themePrimary}]},t[u.qJ]={border:"1px solid "+(s?"WindowFrame":"WindowText")},t)},l&&{selectors:(o={},o[u.qJ]={borderColor:"GrayText"},o)},s&&!l&&[h.isSelected,{color:c.white}],i],text:[h.text,{overflow:"hidden",textOverflow:"ellipsis",whiteSpace:"nowrap",minWidth:30,margin:"0 8px"},l&&{selectors:(n={},n[u.qJ]={color:"GrayText"},n)}],close:[h.close,{color:c.neutralSecondary,width:30,height:"100%",flex:"0 0 auto",borderRadius:(0,T.zg)(a)?d.roundedCorner2+" 0 0 "+d.roundedCorner2:"0 "+d.roundedCorner2+" "+d.roundedCorner2+" 0",selectors:{":hover":{background:c.neutralQuaternaryAlt,color:c.neutralPrimary},":active":{color:c.white,backgroundColor:c.themeDark}}},s&&{color:c.white,selectors:{":hover":{color:c.white,background:c.themeDark}}},l&&{selectors:(r={},r["."+El.n.msButtonIcon]={color:c.neutralSecondary},r)}]}}),void 0,{scope:"TagItem"}),Bl={suggestionTextOverflow:"ms-TagItem-TextOverflow"},Fl=(0,D.y)(),Ll=function(e){var t=e.styles,o=e.theme,n=e.children,r=Fl(t,{theme:o});return c.createElement("div",{className:r.suggestionTextOverflow}," ",n," ")},Al=(0,I.z)(Ll,(function(e){var t=e.className,o=e.theme;return{suggestionTextOverflow:[(0,u.Cn)(Bl,o).suggestionTextOverflow,{overflow:"hidden",textOverflow:"ellipsis",maxWidth:"60vw",padding:"6px 12px 7px",whiteSpace:"nowrap"},t]}}),void 0,{scope:"TagItemSuggestion"}),zl=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.defaultProps={onRenderItem:function(e){return c.createElement(Nl,(0,l.pi)({},e),e.item.name)},onRenderSuggestionsItem:function(e){return c.createElement(Al,null,e.name)}},t}(xl.d),Hl=(0,I.z)(zl,Tl.W,void 0,{scope:"TagPicker"}),Ol=o(6548);function Wl(e,t){void 0===t&&(t=null);var o=c.useRef({ref:Object.assign((function(e){o.ref.current!==e&&(o.cleanup&&(o.cleanup(),o.cleanup=void 0),o.ref.current=e,null!==e&&(o.cleanup=o.callback(e)))}),{current:t}),callback:e}).current;return o.callback=e,o.ref}var Vl=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),(0,Vr.b)("PivotItem",t,{linkText:"headerText"}),o}return(0,l.ZT)(t,e),t.prototype.render=function(){return c.createElement("div",(0,l.pi)({},(0,E.pq)(this.props,E.n7)),this.props.children)},t}(c.Component),Kl=(0,D.y)(),ql=function(e,t){var o={links:[],keyToIndexMapping:{},keyToTabIdMapping:{}};return c.Children.forEach(c.Children.toArray(e.children),(function(n,r){if(Gl(n)){var i=n.props,a=i.linkText,s=(0,l._T)(i,["linkText"]),c=n.props.itemKey||r.toString();o.links.push((0,l.pi)((0,l.pi)({headerText:a},s),{itemKey:c})),o.keyToIndexMapping[c]=r,o.keyToTabIdMapping[c]=function(e,t,o,n){return e.getTabId?e.getTabId(o,n):t+"-Tab"+n}(e,t,c,r)}else n&&(0,be.Z)("The children of a Pivot component must be of type PivotItem to be rendered.")})),o},Gl=function(e){var t,o;return(null===(o=null===(t=e)||void 0===t?void 0:t.type)||void 0===o?void 0:o.name)===Vl.name},Ul=c.forwardRef((function(e,t){var o,n=c.useRef(null),r=c.useRef(null),i=(0,Fr.M)("Pivot"),a=(0,Ol.G)(e.selectedKey,e.defaultSelectedKey),s=a[0],u=a[1],d=e.componentRef,p=e.theme,m=e.linkSize,h=e.linkFormat,g=e.overflowBehavior,f=(0,E.pq)(e,E.n7),v=ql(e,i);c.useImperativeHandle(d,(function(){return{focus:function(){var e;null===(e=n.current)||void 0===e||e.focus()}}}));var b=function(e){if(!e)return null;var t=e.itemCount,n=e.itemIcon,r=e.headerText;return c.createElement("span",{className:o.linkContent},void 0!==n&&c.createElement("span",{className:o.icon},c.createElement(W.J,{iconName:n})),void 0!==r&&c.createElement("span",{className:o.text}," ",e.headerText),void 0!==t&&c.createElement("span",{className:o.count}," (",t,")"))},y=function(e,t,n,r){var i,a=t.itemKey,s=t.headerButtonProps,u=t.onRenderItemLink,d=e.keyToTabIdMapping[a],p=n===a;i=u?u(t,b):b(t);var m=t.headerText||"";return m+=t.itemCount?" ("+t.itemCount+")":"",m+=t.itemIcon?" xx":"",c.createElement(we.M,(0,l.pi)({},s,{id:d,key:a,className:(0,pt.i)(r,p&&o.linkIsSelected),onClick:function(e){return _(a,e)},onKeyDown:function(e){return C(a,e)},"aria-label":t.ariaLabel,role:"tab","aria-selected":p,name:t.headerText,keytipProps:t.keytipProps,"data-content":m}),i)},_=function(e,t){t.preventDefault(),S(e,t)},C=function(e,t){t.which===rt.m.enter&&(t.preventDefault(),S(e))},S=function(t,o){var n;if(u(t),v=ql(e,i),e.onLinkClick&&v.keyToIndexMapping[t]>=0){var a=v.keyToIndexMapping[t],s=c.Children.toArray(e.children)[a];Gl(s)&&e.onLinkClick(s,o)}null===(n=r.current)||void 0===n||n.dismissMenu()};o=Kl(e.styles,{theme:p,linkSize:m,linkFormat:h});var x,k=null===(x=s)||void 0!==x&&void 0!==v.keyToIndexMapping[x]?s:v.links.length?v.links[0].itemKey:void 0,w=k?v.keyToIndexMapping[k]:0,I=v.links.map((function(e){return y(v,e,k,o.link)})),D=c.useMemo((function(){return{items:[],alignTargetEdge:!0,directionalHint:K.b.bottomRightEdge}}),[]),P=function(e){var t=e.onOverflowItemsChanged,o=e.rtl,n=e.pinnedIndex,r=c.useRef(),i=c.useRef(),a=Wl((function(e){var t=function(e,t){if("undefined"!=typeof ResizeObserver){var o=new ResizeObserver(t);return Array.isArray(e)?e.forEach((function(e){return o.observe(e)})):o.observe(e),function(){return o.disconnect()}}var n=function(){return t(void 0)},r=(0,So.J)(Array.isArray(e)?e[0]:e);if(!r)return function(){};var i=r.requestAnimationFrame(n);return r.addEventListener("resize",n,!1),function(){r.cancelAnimationFrame(i),r.removeEventListener("resize",n,!1)}}(e,(function(t){i.current=t?t[0].contentRect.width:e.clientWidth,r.current&&r.current()}));return function(){t(),i.current=void 0}})),s=Wl((function(e){return a(e.parentElement),function(){return a(null)}}));return c.useLayoutEffect((function(){var e=a.current,l=s.current;if(e&&l){for(var c=[],u=0;u=0;t--){if(void 0===p[t]){var r=o?e-c[t].offsetLeft:c[t].offsetLeft+c[t].offsetWidth;t+1p[t])return void g(t+1)}g(0)}};var h=c.length,g=function(e){h!==e&&(h=e,t(e,c.map((function(t,o){return{ele:t,isOverflowing:o>=e&&o!==n}}))))},f=void 0;if(void 0!==i.current){var v=(0,So.J)(e);if(v){var b=v.requestAnimationFrame(r.current);f=function(){return v.cancelAnimationFrame(b)}}}return function(){f&&f(),g(c.length),r.current=void 0}}})),{menuButtonRef:s}}({onOverflowItemsChanged:function(e,t){t.forEach((function(e){var t=e.ele,o=e.isOverflowing;return t.dataset.isOverflowing=""+o})),D.items=v.links.slice(e).map((function(t,n){return{key:t.itemKey||""+(e+n),onRender:function(){return y(v,t,k,o.linkInMenu)}}}))},rtl:(0,T.zg)(p),pinnedIndex:w}).menuButtonRef;return c.createElement("div",(0,l.pi)({role:"toolbar"},f,{ref:t}),c.createElement(M.k,{componentRef:n,direction:R.U.horizontal,className:o.root,role:"tablist"},I,"menu"===g&&c.createElement(we.M,{className:(0,pt.i)(o.link,o.overflowMenuButton),elementRef:P,componentRef:r,menuProps:D,menuIconProps:{iconName:"More",style:{color:"inherit"}}})),k&&v.links.map((function(t){return(!0===t.alwaysRender||k===t.itemKey)&&function(t,n){if(e.headersOnly||!t)return null;var r=v.keyToIndexMapping[t],i=v.keyToTabIdMapping[t];return c.createElement("div",{role:"tabpanel",hidden:!n,key:t,"aria-hidden":!n,"aria-labelledby":i,className:o.itemContainer},c.Children.toArray(e.children)[r])}(t.itemKey,k===t.itemKey)})))}));Ul.displayName="Pivot";var jl,Jl,Yl={count:"ms-Pivot-count",icon:"ms-Pivot-icon",linkIsSelected:"is-selected",link:"ms-Pivot-link",linkContent:"ms-Pivot-linkContent",root:"ms-Pivot",rootIsLarge:"ms-Pivot--large",rootIsTabs:"ms-Pivot--tabs",text:"ms-Pivot-text",linkInMenu:"ms-Pivot-linkInMenu",overflowMenuButton:"ms-Pivot-overflowMenuButton"},Zl=function(e,t,o){var n,r,i;void 0===o&&(o=!1);var a=e.linkSize,s=e.linkFormat,c=e.theme,d=c.semanticColors,p=c.fonts,m="large"===a,h="tabs"===s;return[p.medium,{color:d.actionLink,padding:"0 8px",position:"relative",backgroundColor:"transparent",border:0,borderRadius:0,selectors:(n={":hover":{backgroundColor:d.buttonBackgroundHovered,color:d.buttonTextHovered,cursor:"pointer"},":active":{backgroundColor:d.buttonBackgroundPressed,color:d.buttonTextHovered},":focus":{outline:"none"}},n["."+de.G$+" &:focus"]={outline:"1px solid "+d.focusBorder},n["."+de.G$+" &:focus:after"]={content:"attr(data-content)",position:"relative",border:0},n)},!o&&[{display:"inline-block",lineHeight:44,height:44,marginRight:8,textAlign:"center",selectors:{":before":{backgroundColor:"transparent",bottom:0,content:'""',height:2,left:8,position:"absolute",right:8,transition:"left "+u.D1.durationValue2+" "+u.D1.easeFunction2+",\n right "+u.D1.durationValue2+" "+u.D1.easeFunction2},":after":{color:"transparent",content:"attr(data-content)",display:"block",fontWeight:u.lq.bold,height:1,overflow:"hidden",visibility:"hidden"}}},m&&{fontSize:p.large.fontSize},h&&[{marginRight:0,height:44,lineHeight:44,backgroundColor:d.buttonBackground,padding:"0 10px",verticalAlign:"top",selectors:(r={":focus":{outlineOffset:"-1px"}},r["."+de.G$+" &:focus::before"]={height:"auto",background:"transparent",transition:"none"},r["&:hover, &:focus"]={color:d.buttonTextCheckedHovered},r["&:active, &:hover"]={color:d.primaryButtonText,backgroundColor:d.primaryButtonBackground},r["&."+t.linkIsSelected]={backgroundColor:d.primaryButtonBackground,color:d.primaryButtonText,fontWeight:u.lq.regular,selectors:(i={":before":{backgroundColor:"transparent",transition:"none",position:"absolute",top:0,left:0,right:0,bottom:0,content:'""',height:0},":hover":{backgroundColor:d.primaryButtonBackgroundHovered,color:d.primaryButtonText},"&:active":{backgroundColor:d.primaryButtonBackgroundPressed,color:d.primaryButtonText}},i[u.qJ]=(0,l.pi)({fontWeight:u.lq.semibold,color:"HighlightText",background:"Highlight"},(0,u.xM)()),i)},r)}]]]},Xl=(0,I.z)(Ul,(function(e){var t,o,n,r,i=e.className,a=e.linkSize,s=e.linkFormat,c=e.theme,d=c.semanticColors,p=c.fonts,m=(0,u.Cn)(Yl,c),h="large"===a,g="tabs"===s;return{root:[m.root,p.medium,u.Fv,{position:"relative",color:d.link,whiteSpace:"nowrap"},h&&m.rootIsLarge,g&&m.rootIsTabs,i],itemContainer:{selectors:{"&[hidden]":{display:"none"}}},link:(0,l.pr)([m.link],Zl(e,m),[(t={},t["&[data-is-overflowing='true']"]={display:"none"},t)]),overflowMenuButton:[m.overflowMenuButton,(o={visibility:"hidden",position:"absolute",right:0},o["."+m.link+"[data-is-overflowing='true'] ~ &"]={visibility:"visible",position:"relative"},o)],linkInMenu:(0,l.pr)([m.linkInMenu],Zl(e,m,!0),[{textAlign:"left",width:"100%",height:36,lineHeight:36}]),linkIsSelected:[m.link,m.linkIsSelected,{fontWeight:u.lq.semibold,selectors:(n={":before":{backgroundColor:d.inputBackgroundChecked,selectors:(r={},r[u.qJ]={backgroundColor:"Highlight"},r)},":hover::before":{left:0,right:0}},n[u.qJ]={color:"Highlight"},n)}],linkContent:[m.linkContent,{flex:"0 1 100%",selectors:{"& > * ":{marginLeft:4},"& > *:first-child":{marginLeft:0}}}],text:[m.text,{display:"inline-block",verticalAlign:"top"}],count:[m.count,{display:"inline-block",verticalAlign:"top"}],icon:m.icon}}),void 0,{scope:"Pivot"});!function(e){e.links="links",e.tabs="tabs"}(jl||(jl={})),function(e){e.normal="normal",e.large="large"}(Jl||(Jl={}));var Ql=(0,D.y)(),$l=function(e){function t(t){var o=e.call(this,t)||this;o._onRenderProgress=function(e){var t=o.props,n=t.ariaValueText,r=t.barHeight,i=t.className,a=t.description,s=t.label,l=void 0===s?o.props.title:s,u=t.styles,d=t.theme,p="number"==typeof o.props.percentComplete?Math.min(100,Math.max(0,100*o.props.percentComplete)):void 0,m=Ql(u,{theme:d,className:i,barHeight:r,indeterminate:void 0===p}),h={width:void 0!==p?p+"%":void 0,transition:void 0!==p&&p<.01?"none":void 0},g=void 0!==p?0:void 0,f=void 0!==p?100:void 0,v=void 0!==p?Math.floor(p):void 0;return c.createElement("div",{className:m.itemProgress},c.createElement("div",{className:m.progressTrack}),c.createElement("div",{className:m.progressBar,style:h,role:"progressbar","aria-describedby":a?o._descriptionId:void 0,"aria-labelledby":l?o._labelId:void 0,"aria-valuemin":g,"aria-valuemax":f,"aria-valuenow":v,"aria-valuetext":n}))};var n=(0,dn.z)("progress-indicator");return o._labelId=n+"-label",o._descriptionId=n+"-description",o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.barHeight,o=e.className,n=e.label,r=void 0===n?this.props.title:n,i=e.description,a=e.styles,s=e.theme,u=e.progressHidden,d=e.onRenderProgress,p=void 0===d?this._onRenderProgress:d,m="number"==typeof this.props.percentComplete?Math.min(100,Math.max(0,100*this.props.percentComplete)):void 0,h=Ql(a,{theme:s,className:o,barHeight:t,indeterminate:void 0===m});return c.createElement("div",{className:h.root},r?c.createElement("div",{id:this._labelId,className:h.itemName},r):null,u?null:p((0,l.pi)((0,l.pi)({},this.props),{percentComplete:m}),this._onRenderProgress),i?c.createElement("div",{id:this._descriptionId,className:h.itemDescription},i):null)},t.defaultProps={label:"",description:"",width:180},t}(c.Component),ec={root:"ms-ProgressIndicator",itemName:"ms-ProgressIndicator-itemName",itemDescription:"ms-ProgressIndicator-itemDescription",itemProgress:"ms-ProgressIndicator-itemProgress",progressTrack:"ms-ProgressIndicator-progressTrack",progressBar:"ms-ProgressIndicator-progressBar"},tc=(0,d.NF)((function(){return(0,u.F4)({"0%":{left:"-30%"},"100%":{left:"100%"}})})),oc=(0,d.NF)((function(){return(0,u.F4)({"100%":{right:"-30%"},"0%":{right:"100%"}})})),nc=(0,I.z)($l,(function(e){var t,o,n,r=(0,T.zg)(e.theme),i=e.className,a=e.indeterminate,s=e.theme,c=e.barHeight,d=void 0===c?2:c,p=s.palette,m=s.semanticColors,h=s.fonts,g=(0,u.Cn)(ec,s),f=p.neutralLight;return{root:[g.root,h.medium,i],itemName:[g.itemName,u.jq,{color:m.bodyText,paddingTop:4,lineHeight:20}],itemDescription:[g.itemDescription,{color:m.bodySubtext,fontSize:h.small.fontSize,lineHeight:18}],itemProgress:[g.itemProgress,{position:"relative",overflow:"hidden",height:d,padding:"8px 0"}],progressTrack:[g.progressTrack,{position:"absolute",width:"100%",height:d,backgroundColor:f,selectors:(t={},t[u.qJ]={borderBottom:"1px solid WindowText"},t)}],progressBar:[{backgroundColor:p.themePrimary,height:d,position:"absolute",transition:"width .3s ease",width:0,selectors:(o={},o[u.qJ]=(0,l.pi)({backgroundColor:"highlight"},(0,u.xM)()),o)},a?{position:"absolute",minWidth:"33%",background:"linear-gradient(to right, "+f+" 0%, "+p.themePrimary+" 50%, "+f+" 100%)",animation:(r?oc():tc())+" 3s infinite",selectors:(n={},n[u.qJ]={background:"highlight"},n)}:{transition:"width .15s linear"},g.progressBar]}}),void 0,{scope:"ProgressIndicator"}),rc=o(558),ic=o(1405),ac=o(7813),sc={root:"ms-ScrollablePane",contentContainer:"ms-ScrollablePane--contentContainer"},lc={auto:"auto",always:"always"},cc=c.createContext({scrollablePane:void 0}),uc=(0,D.y)(),dc=function(e){function t(t){var o=e.call(this,t)||this;return o._root=c.createRef(),o._stickyAboveRef=c.createRef(),o._stickyBelowRef=c.createRef(),o._contentContainer=c.createRef(),o.subscribe=function(e){o._subscribers.add(e)},o.unsubscribe=function(e){o._subscribers.delete(e)},o.addSticky=function(e){o._stickies.add(e),o.contentContainer&&(e.setDistanceFromTop(o.contentContainer),o.sortSticky(e))},o.removeSticky=function(e){o._stickies.delete(e),o._removeStickyFromContainers(e),o.notifySubscribers()},o.sortSticky=function(e,t){o.stickyAbove&&o.stickyBelow&&(t&&o._removeStickyFromContainers(e),e.canStickyTop&&e.stickyContentTop&&o._addToStickyContainer(e,o.stickyAbove,e.stickyContentTop),e.canStickyBottom&&e.stickyContentBottom&&o._addToStickyContainer(e,o.stickyBelow,e.stickyContentBottom))},o.updateStickyRefHeights=function(){var e=o._stickies,t=0,n=0;e.forEach((function(e){var r=e.state,i=r.isStickyTop,a=r.isStickyBottom;e.nonStickyContent&&(i&&(t+=e.nonStickyContent.offsetHeight),a&&(n+=e.nonStickyContent.offsetHeight),o._checkStickyStatus(e))})),o.setState({stickyTopHeight:t,stickyBottomHeight:n})},o.notifySubscribers=function(){o.contentContainer&&o._subscribers.forEach((function(e){e(o.contentContainer,o.stickyBelow)}))},o.getScrollPosition=function(){return o.contentContainer?o.contentContainer.scrollTop:0},o.syncScrollSticky=function(e){e&&o.contentContainer&&e.syncScroll(o.contentContainer)},o._getScrollablePaneContext=function(){return{scrollablePane:{subscribe:o.subscribe,unsubscribe:o.unsubscribe,addSticky:o.addSticky,removeSticky:o.removeSticky,updateStickyRefHeights:o.updateStickyRefHeights,sortSticky:o.sortSticky,notifySubscribers:o.notifySubscribers,syncScrollSticky:o.syncScrollSticky}}},o._addToStickyContainer=function(e,t,n){if(t.children.length){if(!t.contains(n)){var r=[].slice.call(t.children),i=[];o._stickies.forEach((function(n){(t===o.stickyAbove&&e.canStickyTop||e.canStickyBottom)&&i.push(n)}));for(var a=void 0,s=0,l=i.sort((function(e,t){return(e.state.distanceFromTop||0)-(t.state.distanceFromTop||0)})).filter((function(e){var n=t===o.stickyAbove?e.stickyContentTop:e.stickyContentBottom;return!!n&&r.indexOf(n)>-1}));s=(e.state.distanceFromTop||0)){a=c;break}}var u=null;a&&(u=t===o.stickyAbove?a.stickyContentTop:a.stickyContentBottom),t.insertBefore(n,u)}}else t.appendChild(n)},o._removeStickyFromContainers=function(e){o.stickyAbove&&e.stickyContentTop&&o.stickyAbove.contains(e.stickyContentTop)&&o.stickyAbove.removeChild(e.stickyContentTop),o.stickyBelow&&e.stickyContentBottom&&o.stickyBelow.contains(e.stickyContentBottom)&&o.stickyBelow.removeChild(e.stickyContentBottom)},o._onWindowResize=function(){var e=o._getScrollbarWidth(),t=o._getScrollbarHeight();o.setState({scrollbarWidth:e,scrollbarHeight:t}),o.notifySubscribers()},o._getStickyContainerStyle=function(e,t){return(0,l.pi)((0,l.pi)({height:e},(0,T.zg)(o.props.theme)?{right:"0",left:(o.state.scrollbarWidth||o._getScrollbarWidth()||0)+"px"}:{left:"0",right:(o.state.scrollbarWidth||o._getScrollbarWidth()||0)+"px"}),t?{top:"0"}:{bottom:(o.state.scrollbarHeight||o._getScrollbarHeight()||0)+"px"})},o._onScroll=function(){var e=o.contentContainer;e&&o._stickies.forEach((function(t){t.syncScroll(e)})),o._notifyThrottled()},o._subscribers=new Set,o._stickies=new Set,(0,P.l)(o),o._async=new bo.e(o),o._events=new at.r(o),o.state={stickyTopHeight:0,stickyBottomHeight:0,scrollbarWidth:0,scrollbarHeight:0},o._notifyThrottled=o._async.throttle(o.notifySubscribers,50),o}return(0,l.ZT)(t,e),Object.defineProperty(t.prototype,"root",{get:function(){return this._root.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"stickyAbove",{get:function(){return this._stickyAboveRef.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"stickyBelow",{get:function(){return this._stickyBelowRef.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"contentContainer",{get:function(){return this._contentContainer.current},enumerable:!0,configurable:!0}),t.prototype.componentDidMount=function(){var e=this,t=this.props.initialScrollPosition;this._events.on(this.contentContainer,"scroll",this._onScroll),this._events.on(window,"resize",this._onWindowResize),this.contentContainer&&t&&(this.contentContainer.scrollTop=t),this.setStickiesDistanceFromTop(),this._stickies.forEach((function(t){e.sortSticky(t)})),this.notifySubscribers(),"MutationObserver"in window&&(this._mutationObserver=new MutationObserver((function(t){var o=e._getScrollbarHeight();if(o!==e.state.scrollbarHeight&&e.setState({scrollbarHeight:o}),e.notifySubscribers(),t.some(function(e){return null!==this.stickyAbove&&null!==this.stickyBelow&&(this.stickyAbove.contains(e.target)||this.stickyBelow.contains(e.target))}.bind(e)))e.updateStickyRefHeights();else{var n=[];e._stickies.forEach((function(e){e.root&&e.root.contains(t[0].target)&&n.push(e)})),n.length&&n.forEach((function(e){e.forceUpdate()}))}})),this.root&&this._mutationObserver.observe(this.root,{childList:!0,attributes:!0,subtree:!0,characterData:!0}))},t.prototype.componentWillUnmount=function(){this._events.dispose(),this._async.dispose(),this._mutationObserver&&this._mutationObserver.disconnect()},t.prototype.shouldComponentUpdate=function(e,t){return this.props.children!==e.children||this.props.initialScrollPosition!==e.initialScrollPosition||this.props.className!==e.className||this.state.stickyTopHeight!==t.stickyTopHeight||this.state.stickyBottomHeight!==t.stickyBottomHeight||this.state.scrollbarWidth!==t.scrollbarWidth||this.state.scrollbarHeight!==t.scrollbarHeight},t.prototype.componentDidUpdate=function(e,t){var o=this.props.initialScrollPosition;this.contentContainer&&"number"==typeof o&&e.initialScrollPosition!==o&&(this.contentContainer.scrollTop=o),t.stickyTopHeight===this.state.stickyTopHeight&&t.stickyBottomHeight===this.state.stickyBottomHeight||this.notifySubscribers(),this._async.setTimeout(this._onWindowResize,0)},t.prototype.render=function(){var e=this.props,t=e.className,o=e.theme,n=e.styles,r=this.state,i=r.stickyTopHeight,a=r.stickyBottomHeight,s=uc(n,{theme:o,className:t,scrollbarVisibility:this.props.scrollbarVisibility});return c.createElement("div",(0,l.pi)({},(0,E.pq)(this.props,E.n7),{ref:this._root,className:s.root}),c.createElement("div",{ref:this._stickyAboveRef,className:s.stickyAbove,style:this._getStickyContainerStyle(i,!0)}),c.createElement("div",{ref:this._contentContainer,className:s.contentContainer,"data-is-scrollable":!0},c.createElement(cc.Provider,{value:this._getScrollablePaneContext()},this.props.children)),c.createElement("div",{className:s.stickyBelow,style:this._getStickyContainerStyle(a,!1)},c.createElement("div",{ref:this._stickyBelowRef,className:s.stickyBelowItems})))},t.prototype.setStickiesDistanceFromTop=function(){var e=this;this.contentContainer&&this._stickies.forEach((function(t){t.setDistanceFromTop(e.contentContainer)}))},t.prototype.forceLayoutUpdate=function(){this._onWindowResize()},t.prototype._checkStickyStatus=function(e){this.stickyAbove&&this.stickyBelow&&this.contentContainer&&e.nonStickyContent&&(e.state.isStickyTop||e.state.isStickyBottom?(e.state.isStickyTop&&!this.stickyAbove.contains(e.nonStickyContent)&&e.stickyContentTop&&e.addSticky(e.stickyContentTop),e.state.isStickyBottom&&!this.stickyBelow.contains(e.nonStickyContent)&&e.stickyContentBottom&&e.addSticky(e.stickyContentBottom)):this.contentContainer.contains(e.nonStickyContent)||e.resetSticky())},t.prototype._getScrollbarWidth=function(){var e=this.contentContainer;return e?e.offsetWidth-e.clientWidth:0},t.prototype._getScrollbarHeight=function(){var e=this.contentContainer;return e?e.offsetHeight-e.clientHeight:0},t}(c.Component),pc=(0,I.z)(dc,(function(e){var t,o,n=e.className,r=e.theme,i=(0,u.Cn)(sc,r),a={position:"absolute",pointerEvents:"none"},s={position:"absolute",top:0,right:0,bottom:0,left:0,WebkitOverflowScrolling:"touch"};return{root:[i.root,r.fonts.medium,s,n],contentContainer:[i.contentContainer,{overflowY:"always"===e.scrollbarVisibility?"scroll":"auto"},s],stickyAbove:[{top:0,zIndex:1,selectors:(t={},t[u.qJ]={borderBottom:"1px solid WindowText"},t)},a],stickyBelow:[{bottom:0,selectors:(o={},o[u.qJ]={borderTop:"1px solid WindowText"},o)},a],stickyBelowItems:[{bottom:0},a,{width:"100%"}]}}),void 0,{scope:"ScrollablePane"}),mc=o(6419),hc=o(3863),gc=o(5515),fc=function(e){function t(t){var o=e.call(this,t)||this;o.addItems=function(e){var t=o.props.onItemSelected?o.props.onItemSelected(e):e,n=t,r=t;if(r&&r.then)r.then((function(e){var t=o.state.items.concat(e);o.updateItems(t)}));else{var i=o.state.items.concat(n);o.updateItems(i)}},o.removeItemAt=function(e){var t=o.state.items;if(o._canRemoveItem(t[e])&&e>-1){o.props.onItemsDeleted&&o.props.onItemsDeleted([t[e]]);var n=t.slice(0,e).concat(t.slice(e+1));o.updateItems(n)}},o.removeItem=function(e){var t=o.state.items.indexOf(e);o.removeItemAt(t)},o.replaceItem=function(e,t){var n=o.state.items,r=n.indexOf(e);if(r>-1){var i=n.slice(0,r).concat(t).concat(n.slice(r+1));o.updateItems(i)}},o.removeItems=function(e){var t=o.state.items,n=e.filter((function(e){return o._canRemoveItem(e)})),r=t.filter((function(e){return-1===n.indexOf(e)})),i=n[0],a=t.indexOf(i);o.props.onItemsDeleted&&o.props.onItemsDeleted(n),o.updateItems(r,a)},o.onCopy=function(e){if(o.props.onCopyItems&&o.selection.getSelectedCount()>0){var t=o.selection.getSelection();o.copyItems(t)}},o.renderItems=function(){var e=o.props.removeButtonAriaLabel,t=o.props.onRenderItem;return o.state.items.map((function(n,r){return t({item:n,index:r,key:n.key?n.key:r,selected:o.selection.isIndexSelected(r),onRemoveItem:function(){return o.removeItem(n)},onItemChange:o.onItemChange,removeButtonAriaLabel:e,onCopyItem:function(e){return o.copyItems([e])}})}))},o.onSelectionChanged=function(){o.forceUpdate()},o.onItemChange=function(e,t){var n=o.state.items;if(t>=0){var r=n;r[t]=e,o.updateItems(r)}},(0,P.l)(o);var n=t.selectedItems||t.defaultSelectedItems||[];return o.state={items:n},o._defaultSelection=new nn.Y({onSelectionChanged:o.onSelectionChanged}),o}return(0,l.ZT)(t,e),t.getDerivedStateFromProps=function(e){return e.selectedItems?{items:e.selectedItems}:null},Object.defineProperty(t.prototype,"items",{get:function(){return this.state.items},enumerable:!0,configurable:!0}),t.prototype.removeSelectedItems=function(){this.state.items.length&&this.selection.getSelectedCount()>0&&this.removeItems(this.selection.getSelection())},t.prototype.updateItems=function(e,t){var o=this;this.props.selectedItems?this.onChange(e):this.setState({items:e},(function(){o._onSelectedItemsUpdated(e,t)}))},t.prototype.hasSelectedItems=function(){return this.selection.getSelectedCount()>0},t.prototype.componentDidUpdate=function(e,t){this.state.items&&this.state.items!==t.items&&this.selection.setItems(this.state.items)},t.prototype.unselectAll=function(){this.selection.setAllSelected(!1)},t.prototype.highlightedItems=function(){return this.selection.getSelection()},t.prototype.componentDidMount=function(){this.selection.setItems(this.state.items)},Object.defineProperty(t.prototype,"selection",{get:function(){var e;return null!=(e=this.props.selection)?e:this._defaultSelection},enumerable:!0,configurable:!0}),t.prototype.render=function(){return this.renderItems()},t.prototype.onChange=function(e){this.props.onChange&&this.props.onChange(e)},t.prototype.copyItems=function(e){if(this.props.onCopyItems){var t=this.props.onCopyItems(e),o=document.createElement("input");document.body.appendChild(o);try{if(o.value=t,o.select(),!document.execCommand("copy"))throw new Error}catch(e){}finally{document.body.removeChild(o)}}},t.prototype._onSelectedItemsUpdated=function(e,t){this.onChange(e)},t.prototype._canRemoveItem=function(e){return!this.props.canRemoveItem||this.props.canRemoveItem(e)},t}(c.Component);(0,Xi.RM)([{rawString:".personaContainer_e3941fa3{border-radius:15px;display:-webkit-inline-box;display:-ms-inline-flexbox;display:inline-flex;-webkit-box-align:center;-ms-flex-align:center;align-items:center;background:"},{theme:"themeLighterAlt",defaultValue:"#eff6fc"},{rawString:";margin:4px;cursor:default;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;vertical-align:middle;position:relative}.personaContainer_e3941fa3::-moz-focus-inner{border:0}.personaContainer_e3941fa3{outline:transparent}.personaContainer_e3941fa3{position:relative}.ms-Fabric--isFocusVisible .personaContainer_e3941fa3:focus:after{-webkit-box-sizing:border-box;box-sizing:border-box;content:'';position:absolute;top:-2px;right:-2px;bottom:-2px;left:-2px;pointer-events:none;border:1px solid "},{theme:"focusBorder",defaultValue:"#605e5c"},{rawString:";border-radius:0}.personaContainer_e3941fa3 .ms-Persona-primaryText{color:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:";font-size:14px;font-weight:400}.personaContainer_e3941fa3 .ms-Persona-primaryText.hover_e3941fa3{color:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:"}@media screen and (-ms-high-contrast:active){.personaContainer_e3941fa3 .ms-Persona-primaryText{color:HighlightText}}.personaContainer_e3941fa3 .actionButton_e3941fa3:hover{background:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:"}.personaContainer_e3941fa3 .actionButton_e3941fa3 .ms-Button-icon{color:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:"}@media screen and (-ms-high-contrast:active){.personaContainer_e3941fa3 .actionButton_e3941fa3 .ms-Button-icon{color:HighlightText}}.personaContainer_e3941fa3:hover{background:"},{theme:"themeLighter",defaultValue:"#deecf9"},{rawString:"}.personaContainer_e3941fa3:hover .ms-Persona-primaryText{color:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:";font-size:14px;font-weight:400}@media screen and (-ms-high-contrast:active){.personaContainer_e3941fa3:hover .ms-Persona-primaryText{color:HighlightText}}.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3{background:"},{theme:"themePrimary",defaultValue:"#0078d4"},{rawString:"}.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3 .ms-Persona-primaryText{color:"},{theme:"white",defaultValue:"#ffffff"},{rawString:"}@media screen and (-ms-high-contrast:active){.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3 .ms-Persona-primaryText{color:HighlightText}}.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3 .actionButton_e3941fa3{color:"},{theme:"white",defaultValue:"#ffffff"},{rawString:"}.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3 .actionButton_e3941fa3 .ms-Button-icon{color:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:"}.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3 .actionButton_e3941fa3 .ms-Button-icon:hover{background:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:"}@media screen and (-ms-high-contrast:active){.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3 .actionButton_e3941fa3 .ms-Button-icon{color:HighlightText}}@media screen and (-ms-high-contrast:active){.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3{border-color:Highlight;background:Highlight;-ms-high-contrast-adjust:none}}.personaContainer_e3941fa3.validationError_e3941fa3 .ms-Persona-primaryText{color:"},{theme:"red",defaultValue:"#e81123"},{rawString:"}.personaContainer_e3941fa3.validationError_e3941fa3 .ms-Persona-initials{font-size:20px}@media screen and (-ms-high-contrast:active){.personaContainer_e3941fa3{border:1px solid WindowText}}.personaContainer_e3941fa3 .itemContent_e3941fa3{-webkit-box-flex:0;-ms-flex:0 1 auto;flex:0 1 auto;min-width:0;max-width:100%}.personaContainer_e3941fa3 .removeButton_e3941fa3{border-radius:15px;-webkit-box-flex:0;-ms-flex:0 0 auto;flex:0 0 auto;width:33px;height:33px;-ms-flex-preferred-size:32px;flex-basis:32px}.personaContainer_e3941fa3 .expandButton_e3941fa3{border-radius:15px 0 0 15px;height:33px;width:44px;padding-right:16px;position:inherit;display:-webkit-box;display:-ms-flexbox;display:flex;margin-right:-17px}.personaContainer_e3941fa3 .personaWrapper_e3941fa3{position:relative;display:inherit}.personaContainer_e3941fa3 .personaWrapper_e3941fa3 .ms-Persona-details{padding:0 8px}.personaContainer_e3941fa3 .personaDetails_e3941fa3{-webkit-box-flex:0;-ms-flex:0 1 auto;flex:0 1 auto}.itemContainer_e3941fa3{display:inline-block;vertical-align:top}"}]);var vc="personaContainer_e3941fa3",bc="hover_e3941fa3",yc="actionButton_e3941fa3",_c="personaContainerIsSelected_e3941fa3",Cc="validationError_e3941fa3",Sc="itemContent_e3941fa3",xc="removeButton_e3941fa3",kc="expandButton_e3941fa3",wc="personaWrapper_e3941fa3",Ic="personaDetails_e3941fa3",Dc="itemContainer_e3941fa3",Tc=s,Ec=function(e){function t(t){var o=e.call(this,t)||this;return o.persona=c.createRef(),(0,P.l)(o),o.state={contextualMenuVisible:!1},o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e,t,o=this.props,n=o.item,r=o.onExpandItem,i=o.onRemoveItem,a=o.removeButtonAriaLabel,s=o.index,u=o.selected,d=(0,dn.z)();return c.createElement("div",{ref:this.persona,className:(0,pt.i)("ms-PickerPersona-container",Tc.personaContainer,(e={},e["is-selected "+Tc.personaContainerIsSelected]=u,e),(t={},t["is-invalid "+Tc.validationError]=!n.isValid,t)),"data-is-focusable":!0,"data-is-sub-focuszone":!0,"data-selection-index":s,role:"listitem","aria-labelledby":"selectedItemPersona-"+d},c.createElement("div",{hidden:!n.canExpand||void 0===r},c.createElement(V.h,{onClick:this._onClickIconButton(r),iconProps:{iconName:"Add",style:{fontSize:"14px"}},className:(0,pt.i)("ms-PickerItem-removeButton",Tc.expandButton,Tc.actionButton),ariaLabel:a})),c.createElement("div",{className:(0,pt.i)(Tc.personaWrapper)},c.createElement("div",{className:(0,pt.i)("ms-PickerItem-content",Tc.itemContent),id:"selectedItemPersona-"+d},c.createElement(ua.I,(0,l.pi)({},n,{onRenderCoin:this.props.renderPersonaCoin,onRenderPrimaryText:this.props.renderPrimaryText,size:C.Ir.size32}))),c.createElement(V.h,{onClick:this._onClickIconButton(i),iconProps:{iconName:"Cancel",style:{fontSize:"14px"}},className:(0,pt.i)("ms-PickerItem-removeButton",Tc.removeButton,Tc.actionButton),ariaLabel:a})))},t.prototype._onClickIconButton=function(e){return function(t){t.stopPropagation(),t.preventDefault(),e&&e()}},t}(c.Component),Pc=function(e){function t(t){var o=e.call(this,t)||this;return o.itemElement=c.createRef(),o._onClick=function(e){e.preventDefault(),o.props.beginEditing&&!o.props.item.isValid?o.props.beginEditing(o.props.item):o.setState({contextualMenuVisible:!0})},o._onCloseContextualMenu=function(e){o.setState({contextualMenuVisible:!1})},(0,P.l)(o),o.state={contextualMenuVisible:!1},o}return(0,l.ZT)(t,e),t.prototype.render=function(){return c.createElement("div",{ref:this.itemElement,onContextMenu:this._onClick},this.props.renderedItem,this.state.contextualMenuVisible?c.createElement(Go.r,{items:this.props.menuItems,shouldFocusOnMount:!0,target:this.itemElement.current,onDismiss:this._onCloseContextualMenu,directionalHint:K.b.bottomLeftEdge}):null)},t}(c.Component),Mc={root:"ms-EditingItem",input:"ms-EditingItem-input"},Rc=function(e){var t=(0,u.gh)();if(!t)throw new Error("theme is undefined or null in Editing item getStyles function.");var o=t.semanticColors,n=(0,u.Cn)(Mc,t);return{root:[n.root,{margin:"4px"}],input:[n.input,{border:"0px",outline:"none",width:"100%",backgroundColor:o.inputBackground,color:o.inputText,selectors:{"::-ms-clear":{display:"none"}}}]}},Nc=function(e){function t(t){var o=e.call(this,t)||this;return o._editingFloatingPicker=c.createRef(),o._renderEditingSuggestions=function(){var e=o.props.onRenderFloatingPicker,t=o.props.floatingPickerProps;return e&&t?c.createElement(e,(0,l.pi)({componentRef:o._editingFloatingPicker,onChange:o._onSuggestionSelected,inputElement:o._editingInput,selectedItems:[]},t)):c.createElement(c.Fragment,null)},o._resolveInputRef=function(e){o._editingInput=e,o.forceUpdate((function(){o._editingInput.focus()}))},o._onInputClick=function(){o._editingFloatingPicker.current&&o._editingFloatingPicker.current.showPicker(!0)},o._onInputBlur=function(e){if(o._editingFloatingPicker.current&&null!==e.relatedTarget){var t=e.relatedTarget;-1===t.className.indexOf("ms-Suggestions-itemButton")&&-1===t.className.indexOf("ms-Suggestions-sectionButton")&&o._editingFloatingPicker.current.forceResolveSuggestion()}},o._onInputChange=function(e){var t=e.target.value;""===t?o.props.onRemoveItem&&o.props.onRemoveItem():o._editingFloatingPicker.current&&o._editingFloatingPicker.current.onQueryStringChanged(t)},o._onSuggestionSelected=function(e){o.props.onEditingComplete(o.props.item,e)},(0,P.l)(o),o.state={contextualMenuVisible:!1},o}return(0,l.ZT)(t,e),t.prototype.componentDidMount=function(){var e=(0,this.props.getEditingItemText)(this.props.item);this._editingFloatingPicker.current&&this._editingFloatingPicker.current.onQueryStringChanged(e),this._editingInput.value=e,this._editingInput.focus()},t.prototype.render=function(){var e=(0,dn.z)(),t=(0,E.pq)(this.props,E.Gg),o=(0,D.y)()(Rc);return c.createElement("div",{"aria-labelledby":"editingItemPersona-"+e,className:o.root},c.createElement("input",(0,l.pi)({autoCapitalize:"off",autoComplete:"off"},t,{ref:this._resolveInputRef,onChange:this._onInputChange,onKeyDown:this._onInputKeyDown,onBlur:this._onInputBlur,onClick:this._onInputClick,"data-lpignore":!0,className:o.input,id:e})),this._renderEditingSuggestions())},t.prototype._onInputKeyDown=function(e){e.which!==rt.m.backspace&&e.which!==rt.m.del||e.stopPropagation()},t}(c.Component),Bc=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,l.ZT)(t,e),t}(fc),Fc=function(e){function t(){var t=null!==e&&e.apply(this,arguments)||this;return t.renderItems=function(){return t.state.items.map((function(e,o){return t._renderItem(e,o)}))},t._beginEditing=function(e){e.isEditing=!0,t.forceUpdate()},t._completeEditing=function(e,o){e.isEditing=!1,t.replaceItem(e,o)},t}return(0,l.ZT)(t,e),t.prototype._renderItem=function(e,t){var o=this,n=this.props.removeButtonAriaLabel,r=this.props.onExpandGroup,i={item:e,index:t,key:e.key?e.key:t,selected:this.selection.isIndexSelected(t),onRemoveItem:function(){return o.removeItem(e)},onItemChange:this.onItemChange,removeButtonAriaLabel:n,onCopyItem:function(e){return o.copyItems([e])},onExpandItem:r?function(){return r(e)}:void 0,menuItems:this._createMenuItems(e)},a=i.menuItems.length>0;if(e.isEditing&&a)return c.createElement(Nc,(0,l.pi)({},i,{onRenderFloatingPicker:this.props.onRenderFloatingPicker,floatingPickerProps:this.props.floatingPickerProps,onEditingComplete:this._completeEditing,getEditingItemText:this.props.getEditingItemText}));var s=(0,this.props.onRenderItem)(i);return a?c.createElement(Pc,{key:i.key,renderedItem:s,beginEditing:this._beginEditing,menuItems:this._createMenuItems(i.item),item:i.item}):s},t.prototype._createMenuItems=function(e){var t=this,o=[];return this.props.editMenuItemText&&this.props.getEditingItemText&&o.push({key:"Edit",text:this.props.editMenuItemText,onClick:function(e,o){t._beginEditing(o.data)},data:e}),this.props.removeMenuItemText&&o.push({key:"Remove",text:this.props.removeMenuItemText,onClick:function(e,o){t.removeItem(o.data)},data:e}),this.props.copyMenuItemText&&o.push({key:"Copy",text:this.props.copyMenuItemText,onClick:function(e,o){t.props.onCopyItems&&t.copyItems([o.data])},data:e}),o},t.defaultProps={onRenderItem:function(e){return c.createElement(Ec,(0,l.pi)({},e))}},t}(Bc),Lc=(0,D.y)(),Ac=c.forwardRef((function(e,t){var o=e.styles,n=e.theme,r=e.className,i=e.vertical,a=e.alignContent,s=e.children,l=Lc(o,{theme:n,className:r,alignContent:a,vertical:i});return c.createElement("div",{className:l.root,ref:t},c.createElement("div",{className:l.content,role:"separator","aria-orientation":i?"vertical":"horizontal"},s))})),zc=(0,I.z)(Ac,(function(e){var t,o,n=e.theme,r=e.alignContent,i=e.vertical,a=e.className,s="start"===r,l="center"===r,c="end"===r;return{root:[n.fonts.medium,{position:"relative"},r&&{textAlign:r},!r&&{textAlign:"center"},i&&(l||!r)&&{verticalAlign:"middle"},i&&s&&{verticalAlign:"top"},i&&c&&{verticalAlign:"bottom"},i&&{padding:"0 4px",height:"inherit",display:"table-cell",zIndex:1,selectors:{":after":(t={backgroundColor:n.palette.neutralLighter,width:"1px",content:'""',position:"absolute",top:"0",bottom:"0",left:"50%",right:"0",zIndex:-1},t[u.qJ]={backgroundColor:"WindowText"},t)}},!i&&{padding:"4px 0",selectors:{":before":(o={backgroundColor:n.palette.neutralLighter,height:"1px",content:'""',display:"block",position:"absolute",top:"50%",bottom:"0",left:"0",right:"0"},o[u.qJ]={backgroundColor:"WindowText"},o)}},a],content:[{position:"relative",display:"inline-block",padding:"0 12px",color:n.semanticColors.bodyText,background:n.semanticColors.bodyBackground},i&&{padding:"12px 0"}]}}),void 0,{scope:"Separator"});zc.displayName="Separator";var Hc,Oc,Wc={root:"ms-Shimmer-container",shimmerWrapper:"ms-Shimmer-shimmerWrapper",shimmerGradient:"ms-Shimmer-shimmerGradient",dataWrapper:"ms-Shimmer-dataWrapper"},Vc=(0,d.NF)((function(){return(0,u.F4)({"0%":{transform:"translateX(-100%)"},"100%":{transform:"translateX(100%)"}})})),Kc=(0,d.NF)((function(){return(0,u.F4)({"100%":{transform:"translateX(-100%)"},"0%":{transform:"translateX(100%)"}})}));!function(e){e[e.line=1]="line",e[e.circle=2]="circle",e[e.gap=3]="gap"}(Hc||(Hc={})),function(e){e[e.line=16]="line",e[e.gap=16]="gap",e[e.circle=24]="circle"}(Oc||(Oc={}));var qc=(0,D.y)(),Gc=function(e){var t=e.height,o=e.styles,n=e.width,r=void 0===n?"100%":n,i=e.borderStyle,a=e.theme,s=qc(o,{theme:a,height:t,borderStyle:i});return c.createElement("div",{style:{width:r,minWidth:"number"==typeof r?r+"px":"auto"},className:s.root},c.createElement("svg",{width:"2",height:"2",className:s.topLeftCorner},c.createElement("path",{d:"M0 2 A 2 2, 0, 0, 1, 2 0 L 0 0 Z"})),c.createElement("svg",{width:"2",height:"2",className:s.topRightCorner},c.createElement("path",{d:"M0 0 A 2 2, 0, 0, 1, 2 2 L 2 0 Z"})),c.createElement("svg",{width:"2",height:"2",className:s.bottomRightCorner},c.createElement("path",{d:"M2 0 A 2 2, 0, 0, 1, 0 2 L 2 2 Z"})),c.createElement("svg",{width:"2",height:"2",className:s.bottomLeftCorner},c.createElement("path",{d:"M2 2 A 2 2, 0, 0, 1, 0 0 L 0 2 Z"})))},Uc={root:"ms-ShimmerLine-root",topLeftCorner:"ms-ShimmerLine-topLeftCorner",topRightCorner:"ms-ShimmerLine-topRightCorner",bottomLeftCorner:"ms-ShimmerLine-bottomLeftCorner",bottomRightCorner:"ms-ShimmerLine-bottomRightCorner"},jc=(0,I.z)(Gc,(function(e){var t,o=e.height,n=e.borderStyle,r=e.theme,i=r.semanticColors,a=(0,u.Cn)(Uc,r),s=n||{},l={position:"absolute",fill:i.bodyBackground};return{root:[a.root,r.fonts.medium,{height:o+"px",boxSizing:"content-box",position:"relative",borderTopStyle:"solid",borderBottomStyle:"solid",borderColor:i.bodyBackground,borderWidth:0,selectors:(t={},t[u.qJ]={borderColor:"Window",selectors:{"> *":{fill:"Window"}}},t)},s],topLeftCorner:[a.topLeftCorner,{top:"0",left:"0"},l],topRightCorner:[a.topRightCorner,{top:"0",right:"0"},l],bottomRightCorner:[a.bottomRightCorner,{bottom:"0",right:"0"},l],bottomLeftCorner:[a.bottomLeftCorner,{bottom:"0",left:"0"},l]}}),void 0,{scope:"ShimmerLine"}),Jc=(0,D.y)(),Yc=function(e){var t=e.height,o=e.styles,n=e.width,r=void 0===n?"10px":n,i=e.borderStyle,a=e.theme,s=Jc(o,{theme:a,height:t,borderStyle:i});return c.createElement("div",{style:{width:r,minWidth:"number"==typeof r?r+"px":"auto"},className:s.root})},Zc={root:"ms-ShimmerGap-root"},Xc=(0,I.z)(Yc,(function(e){var t,o=e.height,n=e.borderStyle,r=e.theme,i=r.semanticColors,a=n||{};return{root:[(0,u.Cn)(Zc,r).root,r.fonts.medium,{backgroundColor:i.bodyBackground,height:o+"px",boxSizing:"content-box",borderTopStyle:"solid",borderBottomStyle:"solid",borderColor:i.bodyBackground,selectors:(t={},t[u.qJ]={backgroundColor:"Window",borderColor:"Window"},t)},a]}}),void 0,{scope:"ShimmerGap"}),Qc={root:"ms-ShimmerCircle-root",svg:"ms-ShimmerCircle-svg"},$c=(0,D.y)(),eu=function(e){var t=e.height,o=e.styles,n=e.borderStyle,r=e.theme,i=$c(o,{theme:r,height:t,borderStyle:n});return c.createElement("div",{className:i.root},c.createElement("svg",{viewBox:"0 0 10 10",width:t,height:t,className:i.svg},c.createElement("path",{d:"M0,0 L10,0 L10,10 L0,10 L0,0 Z M0,5 C0,7.76142375 2.23857625,10 5,10 C7.76142375,10 10,7.76142375 10,5 C10,2.23857625 7.76142375,2.22044605e-16 5,0 C2.23857625,-2.22044605e-16 0,2.23857625 0,5 L0,5 Z"})))},tu=(0,I.z)(eu,(function(e){var t,o,n=e.height,r=e.borderStyle,i=e.theme,a=i.semanticColors,s=(0,u.Cn)(Qc,i),l=r||{};return{root:[s.root,i.fonts.medium,{width:n+"px",height:n+"px",minWidth:n+"px",boxSizing:"content-box",borderTopStyle:"solid",borderBottomStyle:"solid",borderColor:a.bodyBackground,selectors:(t={},t[u.qJ]={borderColor:"Window"},t)},l],svg:[s.svg,{display:"block",fill:a.bodyBackground,selectors:(o={},o[u.qJ]={fill:"Window"},o)}]}}),void 0,{scope:"ShimmerCircle"}),ou=(0,D.y)(),nu=function(e){var t=e.styles,o=e.width,n=void 0===o?"auto":o,r=e.shimmerElements,i=e.rowHeight,a=void 0===i?function(e){return e.map((function(e){switch(e.type){case Hc.circle:e.height||(e.height=Oc.circle);break;case Hc.line:e.height||(e.height=Oc.line);break;case Hc.gap:e.height||(e.height=Oc.gap)}return e})).reduce((function(e,t){return t.height&&t.height>e?t.height:e}),0)}(r||[]):i,s=e.flexWrap,u=void 0!==s&&s,d=e.theme,p=e.backgroundColor,m=ou(t,{theme:d,flexWrap:u});return c.createElement("div",{style:{width:n},className:m.root},function(e,t,o){return e?e.map((function(e,n){var r=e.type,i=(0,l._T)(e,["type"]),a=i.verticalAlign,s=i.height,u=ru(a,r,s,t,o);switch(e.type){case Hc.circle:return c.createElement(tu,(0,l.pi)({key:n},i,{styles:u}));case Hc.gap:return c.createElement(Xc,(0,l.pi)({key:n},i,{styles:u}));case Hc.line:return c.createElement(jc,(0,l.pi)({key:n},i,{styles:u}))}})):c.createElement(jc,{height:Oc.line})}(r,p,a))},ru=(0,d.NF)((function(e,t,o,n,r){var i,a=r&&o?r-o:0;if(e&&"center"!==e?e&&"top"===e?i={borderBottomWidth:a+"px",borderTopWidth:"0px"}:e&&"bottom"===e&&(i={borderBottomWidth:"0px",borderTopWidth:a+"px"}):i={borderBottomWidth:(a?Math.floor(a/2):0)+"px",borderTopWidth:(a?Math.ceil(a/2):0)+"px"},n)switch(t){case Hc.circle:return{root:(0,l.pi)((0,l.pi)({},i),{borderColor:n}),svg:{fill:n}};case Hc.gap:return{root:(0,l.pi)((0,l.pi)({},i),{borderColor:n,backgroundColor:n})};case Hc.line:return{root:(0,l.pi)((0,l.pi)({},i),{borderColor:n}),topLeftCorner:{fill:n},topRightCorner:{fill:n},bottomLeftCorner:{fill:n},bottomRightCorner:{fill:n}}}return{root:i}})),iu={root:"ms-ShimmerElementsGroup-root"},au=(0,I.z)(nu,(function(e){var t=e.flexWrap,o=e.theme;return{root:[(0,u.Cn)(iu,o).root,o.fonts.medium,{display:"flex",alignItems:"center",flexWrap:t?"wrap":"nowrap",position:"relative"}]}}),void 0,{scope:"ShimmerElementsGroup"}),su=(0,D.y)(),lu=c.forwardRef((function(e,t){var o=e.styles,n=e.shimmerElements,r=e.children,i=e.width,a=e.className,s=e.customElementsGroup,u=e.theme,d=e.ariaLabel,p=e.shimmerColors,m=e.isDataLoaded,h=void 0!==m&&m,g=(0,E.pq)(e,E.n7),f=su(o,{theme:u,isDataLoaded:h,className:a,transitionAnimationInterval:200,shimmerColor:p&&p.shimmer,shimmerWaveColor:p&&p.shimmerWave}),v=(0,q.B)({lastTimeoutId:0}),b=(0,Ct.L)(),y=b.setTimeout,_=b.clearTimeout,C=c.useState(h),S=C[0],x=C[1],k={width:i||"100%"};return c.useEffect((function(){if(h!==S){if(h)return v.lastTimeoutId=y((function(){x(!0)}),200),function(){return _(v.lastTimeoutId)};x(!1)}}),[h]),c.createElement("div",(0,l.pi)({},g,{className:f.root,ref:t}),!S&&c.createElement("div",{style:k,className:f.shimmerWrapper},c.createElement("div",{className:f.shimmerGradient}),s||c.createElement(au,{shimmerElements:n,backgroundColor:p&&p.background})),r&&c.createElement("div",{className:f.dataWrapper},r),d&&!h&&c.createElement("div",{role:"status","aria-live":"polite"},c.createElement(Us.U,null,c.createElement("div",{className:f.screenReaderText},d))))}));lu.displayName="Shimmer";var cu=(0,I.z)(lu,(function(e){var t,o=e.isDataLoaded,n=e.className,r=e.theme,i=e.transitionAnimationInterval,a=e.shimmerColor,s=e.shimmerWaveColor,c=r.semanticColors,d=(0,u.Cn)(Wc,r),p=(0,T.zg)(r);return{root:[d.root,r.fonts.medium,{position:"relative",height:"auto"},n],shimmerWrapper:[d.shimmerWrapper,{position:"relative",overflow:"hidden",transform:"translateZ(0)",backgroundColor:a||c.disabledBackground,transition:"opacity "+i+"ms",selectors:(t={"> *":{transform:"translateZ(0)"}},t[u.qJ]=(0,l.pi)({background:"WindowText\n linear-gradient(\n to right,\n transparent 0%,\n Window 50%,\n transparent 100%)\n 0 0 / 90% 100%\n no-repeat"},(0,u.xM)()),t)},o&&{opacity:"0",position:"absolute",top:"0",bottom:"0",left:"0",right:"0"}],shimmerGradient:[d.shimmerGradient,{position:"absolute",top:0,left:0,width:"100%",height:"100%",background:(a||c.disabledBackground)+"\n linear-gradient(\n to right,\n "+(a||c.disabledBackground)+" 0%,\n "+(s||c.bodyDivider)+" 50%,\n "+(a||c.disabledBackground)+" 100%)\n 0 0 / 90% 100%\n no-repeat",transform:"translateX(-100%)",animationDuration:"2s",animationTimingFunction:"ease-in-out",animationDirection:"normal",animationIterationCount:"infinite",animationName:p?Kc():Vc()}],dataWrapper:[d.dataWrapper,{position:"absolute",top:"0",bottom:"0",left:"0",right:"0",opacity:"0",background:"none",backgroundColor:"transparent",border:"none",transition:"opacity "+i+"ms"},o&&{opacity:"1",position:"static"}],screenReaderText:u.ul}}),void 0,{scope:"Shimmer"}),uu=(0,D.y)(),du=function(e){function t(t){var o=e.call(this,t)||this;return o._onRenderShimmerPlaceholder=function(e,t){var n=o.props.onRenderCustomPlaceholder,r=n?n(t,e,o._renderDefaultShimmerPlaceholder):o._renderDefaultShimmerPlaceholder(t);return c.createElement(cu,{customElementsGroup:r})},o._renderDefaultShimmerPlaceholder=function(e){var t=e.columns,o=e.compact,n=e.selectionMode,r=e.checkboxVisibility,i=e.cellStyleProps,a=void 0===i?hn:i,s=gn.rowHeight,l=gn.compactRowHeight,u=o?l:s+1,d=[];return n!==on.oW.none&&r!==un.hidden&&d.push(c.createElement(au,{key:"checkboxGap",shimmerElements:[{type:Hc.gap,width:"40px",height:u}]})),t.forEach((function(e,t){var o=[],n=a.cellLeftPadding+a.cellRightPadding+e.calculatedWidth+(e.isPadded?a.cellExtraRightPadding:0);o.push({type:Hc.gap,width:a.cellLeftPadding,height:u}),e.isIconOnly?(o.push({type:Hc.line,width:e.calculatedWidth,height:e.calculatedWidth}),o.push({type:Hc.gap,width:a.cellRightPadding,height:u})):(o.push({type:Hc.line,width:.95*e.calculatedWidth,height:7}),o.push({type:Hc.gap,width:a.cellRightPadding+(e.calculatedWidth-.95*e.calculatedWidth)+(e.isPadded?a.cellExtraRightPadding:0),height:u})),d.push(c.createElement(au,{key:t,width:n+"px",shimmerElements:o}))})),d.push(c.createElement(au,{key:"endGap",width:"100%",shimmerElements:[{type:Hc.gap,width:"100%",height:u}]})),c.createElement("div",{style:{display:"flex"}},d)},o._shimmerItems=t.shimmerLines?new Array(t.shimmerLines):new Array(10),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.detailsListStyles,o=e.enableShimmer,n=e.items,r=e.listProps,i=(e.onRenderCustomPlaceholder,e.removeFadingOverlay),a=(e.shimmerLines,e.styles),s=e.theme,u=e.ariaLabelForGrid,d=e.ariaLabelForShimmer,p=(0,l._T)(e,["detailsListStyles","enableShimmer","items","listProps","onRenderCustomPlaceholder","removeFadingOverlay","shimmerLines","styles","theme","ariaLabelForGrid","ariaLabelForShimmer"]),m=r&&r.className;this._classNames=uu(a,{theme:s});var h=(0,l.pi)((0,l.pi)({},r),{className:o&&!i?(0,pt.i)(this._classNames.root,m):m});return c.createElement(xr,(0,l.pi)({},p,{styles:t,items:o?this._shimmerItems:n,isPlaceholderData:o,ariaLabelForGrid:o&&d||u,onRenderMissingItem:this._onRenderShimmerPlaceholder,listProps:h}))},t}(c.Component),pu=(0,I.z)(du,(function(e){var t=e.theme.palette;return{root:{position:"relative",selectors:{":after":{content:'""',position:"absolute",top:0,right:0,bottom:0,left:0,backgroundImage:"linear-gradient(to bottom, transparent 30%, "+t.whiteTranslucent40+" 65%,"+t.white+" 100%)"}}}}}),void 0,{scope:"ShimmeredDetailsList"}),mu=o(4107),hu=o(9379),gu=o(3134),fu=o(998),vu=o(6315),bu=o(6362),yu=o(9444),_u=l.pi;function Cu(e,t){for(var o=[],n=2;n0)throw new Error("Any module using getSlots must use withSlots. Please see withSlots javadoc for more info.");return wu(t[e],o,n[e],n.slots&&n.slots[e],n._defaultStyles&&n._defaultStyles[e],n.theme)};r.isSlot=!0,o[e]=r}};for(var i in t)r(i);return o}function wu(e,t,o,n,r,i){return void 0!==e.create?e.create(t,o,n,r):xu(e)(t,o,n,r,i)}var Iu=o(7576),Du=o(1767);function Tu(e,t){void 0===t&&(t={});var o=t.factoryOptions,n=(void 0===o?{}:o).defaultProp,r=function(o){var n,r,i,a,s=(n=t.displayName,r=c.useContext(Iu.i),i=t.fields,a=["theme","styles","tokens"],Du.X.getSettings(i||a,n,r.customizations)),d=t.state;d&&(o=(0,l.pi)((0,l.pi)({},o),d(o)));var p=o.theme||s.theme,m=Eu(o,p,t.tokens,s.tokens,o.tokens),h=function(e,t,o){for(var n=[],r=3;r2)return{rowGap:{value:0,unit:"px"},columnGap:{value:0,unit:"px"}};if(2===o.length)return{rowGap:Fu(Bu(o[0],t)),columnGap:Fu(Bu(o[1],t))};var n=Fu(Bu(e,t));return{rowGap:n,columnGap:n}}(S,t),D=I.rowGap,T=I.columnGap,E=""+-.5*T.value+T.unit,P=""+-.5*D.value+D.unit,M={textOverflow:"ellipsis"},R={"> *:not(.ms-StackItem)":{flexShrink:y?0:1}};return f?{root:[C.root,{flexWrap:"wrap",maxWidth:k,maxHeight:x,width:"auto",overflow:"visible",height:"100%"},v&&(n={},n[m?"justifyContent":"alignItems"]=Au[v]||v,n),b&&(r={},r[m?"alignItems":"justifyContent"]=Au[b]||b,r),_,{display:"flex"},m&&{height:p?"100%":"auto"}],inner:[C.inner,{display:"flex",flexWrap:"wrap",marginLeft:E,marginRight:E,marginTop:P,marginBottom:P,overflow:"visible",boxSizing:"border-box",padding:Lu(w,t),width:0===T.value?"100%":"calc(100% + "+T.value+T.unit+")",maxWidth:"100vw",selectors:(0,l.pi)({"> *":(0,l.pi)({margin:""+.5*D.value+D.unit+" "+.5*T.value+T.unit},M)},R)},v&&(i={},i[m?"justifyContent":"alignItems"]=Au[v]||v,i),b&&(a={},a[m?"alignItems":"justifyContent"]=Au[b]||b,a),m&&{flexDirection:h?"row-reverse":"row",height:0===D.value?"100%":"calc(100% + "+D.value+D.unit+")",selectors:{"> *":{maxWidth:0===T.value?"100%":"calc(100% - "+T.value+T.unit+")"}}},!m&&{flexDirection:h?"column-reverse":"column",height:"calc(100% + "+D.value+D.unit+")",selectors:{"> *":{maxHeight:0===D.value?"100%":"calc(100% - "+D.value+D.unit+")"}}}]}:{root:[C.root,{display:"flex",flexDirection:m?h?"row-reverse":"row":h?"column-reverse":"column",flexWrap:"nowrap",width:"auto",height:p?"100%":"auto",maxWidth:k,maxHeight:x,padding:Lu(w,t),boxSizing:"border-box",selectors:(0,l.pi)((s={"> *":M},s[h?"> *:not(:last-child)":"> *:not(:first-child)"]=[m&&{marginLeft:""+T.value+T.unit},!m&&{marginTop:""+D.value+D.unit}],s),R)},g&&{flexGrow:!0===g?1:g},v&&(c={},c[m?"justifyContent":"alignItems"]=Au[v]||v,c),b&&(d={},d[m?"alignItems":"justifyContent"]=Au[b]||b,d),_]}},statics:{Item:Nu}});!function(e){e[e.Both=0]="Both",e[e.Header=1]="Header",e[e.Footer=2]="Footer"}(Pu||(Pu={}));var Ou=function(e){function t(t){var o=e.call(this,t)||this;return o._root=c.createRef(),o._stickyContentTop=c.createRef(),o._stickyContentBottom=c.createRef(),o._nonStickyContent=c.createRef(),o._placeHolder=c.createRef(),o.syncScroll=function(e){var t=o.nonStickyContent;t&&o.props.isScrollSynced&&(t.scrollLeft=e.scrollLeft)},o._getContext=function(){return o.context},o._onScrollEvent=function(e,t){if(o.root&&o.nonStickyContent){var n=o._getNonStickyDistanceFromTop(e),r=!1,i=!1;o.canStickyTop&&(r=n-o._getStickyDistanceFromTop()=o._getStickyDistanceFromTopForFooter(e,t)),document.activeElement&&o.nonStickyContent.contains(document.activeElement)&&(o.state.isStickyTop!==r||o.state.isStickyBottom!==i)?o._activeElement=document.activeElement:o._activeElement=void 0,o.setState({isStickyTop:o.canStickyTop&&r,isStickyBottom:i,distanceFromTop:n})}},o._getStickyDistanceFromTop=function(){var e=0;return o.stickyContentTop&&(e=o.stickyContentTop.offsetTop),e},o._getStickyDistanceFromTopForFooter=function(e,t){var n=0;return o.stickyContentBottom&&(n=e.clientHeight-t.offsetHeight+o.stickyContentBottom.offsetTop),n},o._getNonStickyDistanceFromTop=function(e){var t=0,n=o.root;if(n){for(;n&&n.offsetParent!==e;)t+=n.offsetTop,n=n.offsetParent;n&&n.offsetParent===e&&(t+=n.offsetTop)}return t},(0,P.l)(o),o.state={isStickyTop:!1,isStickyBottom:!1,distanceFromTop:void 0},o._activeElement=void 0,o}return(0,l.ZT)(t,e),Object.defineProperty(t.prototype,"root",{get:function(){return this._root.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"placeholder",{get:function(){return this._placeHolder.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"stickyContentTop",{get:function(){return this._stickyContentTop.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"stickyContentBottom",{get:function(){return this._stickyContentBottom.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"nonStickyContent",{get:function(){return this._nonStickyContent.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"canStickyTop",{get:function(){return this.props.stickyPosition===Pu.Both||this.props.stickyPosition===Pu.Header},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"canStickyBottom",{get:function(){return this.props.stickyPosition===Pu.Both||this.props.stickyPosition===Pu.Footer},enumerable:!0,configurable:!0}),t.prototype.componentDidMount=function(){var e=this._getContext().scrollablePane;e&&(e.subscribe(this._onScrollEvent),e.addSticky(this))},t.prototype.componentWillUnmount=function(){var e=this._getContext().scrollablePane;e&&(e.unsubscribe(this._onScrollEvent),e.removeSticky(this))},t.prototype.componentDidUpdate=function(e,t){var o=this._getContext().scrollablePane;if(o){var n=this.state,r=n.isStickyBottom,i=n.isStickyTop,a=n.distanceFromTop,s=!1;t.distanceFromTop!==a&&(o.sortSticky(this,!0),s=!0),t.isStickyTop===i&&t.isStickyBottom===r||(this._activeElement&&this._activeElement.focus(),o.updateStickyRefHeights(),s=!0),s&&o.syncScrollSticky(this)}},t.prototype.shouldComponentUpdate=function(e,t){if(!this.context.scrollablePane)return!0;var o=this.state,n=o.isStickyTop,r=o.isStickyBottom,i=o.distanceFromTop;return n!==t.isStickyTop||r!==t.isStickyBottom||this.props.stickyPosition!==e.stickyPosition||this.props.children!==e.children||i!==t.distanceFromTop||Wu(this._nonStickyContent,this._stickyContentTop)||Wu(this._nonStickyContent,this._stickyContentBottom)||Wu(this._nonStickyContent,this._placeHolder)},t.prototype.render=function(){var e=this.state,t=e.isStickyTop,o=e.isStickyBottom,n=this.props,r=n.stickyClassName,i=n.children;return this.context.scrollablePane?c.createElement("div",{ref:this._root},this.canStickyTop&&c.createElement("div",{ref:this._stickyContentTop,style:{pointerEvents:t?"auto":"none"}},c.createElement("div",{style:this._getStickyPlaceholderHeight(t)})),this.canStickyBottom&&c.createElement("div",{ref:this._stickyContentBottom,style:{pointerEvents:o?"auto":"none"}},c.createElement("div",{style:this._getStickyPlaceholderHeight(o)})),c.createElement("div",{style:this._getNonStickyPlaceholderHeightAndWidth(),ref:this._placeHolder},(t||o)&&c.createElement("span",{style:u.ul},i),c.createElement("div",{ref:this._nonStickyContent,className:t||o?r:void 0,style:this._getContentStyles(t||o)},i))):c.createElement("div",null,this.props.children)},t.prototype.addSticky=function(e){this.nonStickyContent&&e.appendChild(this.nonStickyContent)},t.prototype.resetSticky=function(){this.nonStickyContent&&this.placeholder&&this.placeholder.appendChild(this.nonStickyContent)},t.prototype.setDistanceFromTop=function(e){var t=this._getNonStickyDistanceFromTop(e);this.setState({distanceFromTop:t})},t.prototype._getContentStyles=function(e){return{backgroundColor:this.props.stickyBackgroundColor||this._getBackground(),overflow:e?"hidden":""}},t.prototype._getStickyPlaceholderHeight=function(e){var t=this.nonStickyContent?this.nonStickyContent.offsetHeight:0;return{visibility:e?"hidden":"visible",height:e?0:t}},t.prototype._getNonStickyPlaceholderHeightAndWidth=function(){var e=this.state,t=e.isStickyTop,o=e.isStickyBottom;if(t||o){var n=0,r=0;return this.nonStickyContent&&this.nonStickyContent.firstElementChild&&(n=this.nonStickyContent.offsetHeight,r=this.nonStickyContent.firstElementChild.scrollWidth+(this.nonStickyContent.firstElementChild.offsetWidth-this.nonStickyContent.firstElementChild.clientWidth)),{height:n,width:r}}return{}},t.prototype._getBackground=function(){if(this.root){for(var e=this.root;"rgba(0, 0, 0, 0)"===window.getComputedStyle(e).getPropertyValue("background-color")||"transparent"===window.getComputedStyle(e).getPropertyValue("background-color");){if("HTML"===e.tagName)return;e.parentElement&&(e=e.parentElement)}return window.getComputedStyle(e).getPropertyValue("background-color")}},t.defaultProps={stickyPosition:Pu.Both,isScrollSynced:!0},t.contextType=cc,t}(c.Component);function Wu(e,t){return e&&t&&e.current&&t.current&&e.current.offsetHeight!==t.current.offsetHeight}var Vu=o(9502),Ku=o(8621),qu=o(3624),Gu=o(1565),Uu=(0,D.y)(),ju=c.forwardRef((function(e,t){var o,n,r,i,a,s=c.useRef(null),u=(0,j.ky)(),d=(0,N.r)(s,t),p=e.illustrationImage,m=e.primaryButtonProps,h=e.secondaryButtonProps,g=e.headline,f=e.hasCondensedHeadline,v=e.hasCloseButton,b=void 0===v?e.hasCloseIcon:v,y=e.onDismiss,_=e.closeButtonAriaLabel,C=e.hasSmallHeadline,S=e.isWide,x=e.styles,k=e.theme,w=e.ariaDescribedBy,I=e.ariaLabelledBy,D=e.footerContent,T=e.focusTrapZoneProps,E=Uu(x,{theme:k,hasCondensedHeadline:f,hasSmallHeadline:C,hasCloseButton:b,hasHeadline:!!g,isWide:S,primaryButtonClassName:m?m.className:void 0,secondaryButtonClassName:h?h.className:void 0}),P=c.useCallback((function(e){y&&e.which===rt.m.escape&&y(e)}),[y]);if((0,U.d)(u,"keydown",P),p&&p.src&&(o=c.createElement("div",{className:E.imageContent},c.createElement(Ti.E,(0,l.pi)({},p)))),g){var M="string"==typeof g?"p":"div";n=c.createElement("div",{className:E.header},c.createElement(M,{role:"heading",className:E.headline,id:I},g))}if(e.children){var R="string"==typeof e.children?"p":"div";r=c.createElement("div",{className:E.body},c.createElement(R,{className:E.subText,id:w},e.children))}return(m||h||D)&&(i=c.createElement(Hu,{className:E.footer,horizontal:!0,horizontalAlign:D?"space-between":"end"},c.createElement(Hu.Item,{align:"center"},c.createElement("span",null,D)),c.createElement(Hu.Item,null,h&&c.createElement(ye.a,(0,l.pi)({},h,{className:E.secondaryButton})),m&&c.createElement(Se.K,(0,l.pi)({},m,{className:E.primaryButton}))))),b&&(a=c.createElement(V.h,{className:E.closeButton,iconProps:{iconName:"Cancel"},title:_,ariaLabel:_,onClick:y})),function(e,t){c.useImperativeHandle(e,(function(){return{focus:function(){var e;return null===(e=t.current)||void 0===e?void 0:e.focus()}}}),[t])}(e.componentRef,s),c.createElement("div",{className:E.content,ref:d,role:"dialog",tabIndex:-1,"aria-labelledby":I,"aria-describedby":w,"data-is-focusable":!0},o,c.createElement(Oe.P,(0,l.pi)({isClickableOutsideFocusTrap:!0},T),c.createElement("div",{className:E.bodyContent},n,r,i,a)))})),Ju={root:"ms-TeachingBubble",body:"ms-TeachingBubble-body",bodyContent:"ms-TeachingBubble-bodycontent",closeButton:"ms-TeachingBubble-closebutton",content:"ms-TeachingBubble-content",footer:"ms-TeachingBubble-footer",header:"ms-TeachingBubble-header",headerIsCondensed:"ms-TeachingBubble-header--condensed",headerIsSmall:"ms-TeachingBubble-header--small",headerIsLarge:"ms-TeachingBubble-header--large",headline:"ms-TeachingBubble-headline",image:"ms-TeachingBubble-image",primaryButton:"ms-TeachingBubble-primaryButton",secondaryButton:"ms-TeachingBubble-secondaryButton",subText:"ms-TeachingBubble-subText",button:"ms-Button",buttonLabel:"ms-Button-label"},Yu=(0,d.NF)((function(){return(0,u.F4)({"0%":{opacity:0,animationTimingFunction:u.D1.easeFunction1,transform:"scale3d(.90,.90,.90)"},"100%":{opacity:1,transform:"scale3d(1,1,1)"}})})),Zu=function(e,t){var o=t||{},n=o.calloutWidth,r=o.calloutMaxWidth;return[{display:"block",maxWidth:364,border:0,outline:"transparent",width:n||"calc(100% + 1px)",animationName:""+Yu(),animationDuration:"300ms",animationTimingFunction:"linear",animationFillMode:"both"},e&&{maxWidth:r||456}]},Xu=function(e,t,o){return t?[e.headerIsCondensed,{marginBottom:14}]:[o&&e.headerIsSmall,!o&&e.headerIsLarge,{selectors:{":not(:last-child)":{marginBottom:14}}}]},Qu=function(e){var t,o,n,r=e.hasCondensedHeadline,i=e.hasSmallHeadline,a=e.hasCloseButton,s=e.hasHeadline,c=e.isWide,d=e.primaryButtonClassName,p=e.secondaryButtonClassName,m=e.theme,h=e.calloutProps,g=void 0===h?{className:void 0,theme:m}:h,f=!r&&!i,v=m.palette,b=m.semanticColors,y=m.fonts,_=(0,u.Cn)(Ju,m);return{root:[_.root,y.medium,g.className],body:[_.body,a&&!s&&{marginRight:24},{selectors:{":not(:last-child)":{marginBottom:20}}}],bodyContent:[_.bodyContent,{padding:"20px 24px 20px 24px"}],closeButton:[_.closeButton,{position:"absolute",right:0,top:0,margin:"15px 15px 0 0",borderRadius:0,color:v.white,fontSize:y.small.fontSize,selectors:{":hover":{background:v.themeDarkAlt,color:v.white},":active":{background:v.themeDark,color:v.white},":focus":{border:"1px solid "+b.variantBorder}}}],content:(0,l.pr)([_.content],Zu(c),[c&&{display:"flex"}]),footer:[_.footer,{display:"flex",flex:"auto",alignItems:"center",color:v.white,selectors:(t={},t["."+_.button+":not(:first-child)"]={marginLeft:10},t)}],header:(0,l.pr)([_.header],Xu(_,r,i),[a&&{marginRight:24},(r||i)&&[y.medium,{fontWeight:u.lq.semibold}]]),headline:[_.headline,{margin:0,color:v.white,fontWeight:u.lq.semibold},f&&[{fontSize:y.xLarge.fontSize}]],imageContent:[_.header,_.image,c&&{display:"flex",alignItems:"center",maxWidth:154}],primaryButton:[_.primaryButton,d,{backgroundColor:v.white,borderColor:v.white,color:v.themePrimary,whiteSpace:"nowrap",selectors:(o={},o["."+_.buttonLabel]=y.medium,o[":hover"]={backgroundColor:v.themeLighter,borderColor:v.themeLighter,color:v.themePrimary},o[":focus"]={backgroundColor:v.themeLighter,borderColor:v.white},o[":active"]={backgroundColor:v.white,borderColor:v.white,color:v.themePrimary},o)}],secondaryButton:[_.secondaryButton,p,{backgroundColor:v.themePrimary,borderColor:v.white,whiteSpace:"nowrap",selectors:(n={},n["."+_.buttonLabel]=[y.medium,{color:v.white}],n["&:hover, &:focus"]={backgroundColor:v.themeDarkAlt,borderColor:v.white},n[":active"]={backgroundColor:v.themePrimary,borderColor:v.white},n)}],subText:[_.subText,{margin:0,fontSize:y.medium.fontSize,color:v.white,fontWeight:u.lq.regular}],subComponentStyles:{callout:{root:(0,l.pr)(Zu(c,g),[y.medium]),beak:[{background:v.themePrimary}],calloutMain:[{background:v.themePrimary}]}}}},$u=(0,I.z)(ju,Qu,void 0,{scope:"TeachingBubbleContent"}),ed={beakWidth:16,gapSpace:0,setInitialFocus:!0,doNotLayer:!1,directionalHint:K.b.rightCenter},td=(0,D.y)(),od=c.forwardRef((function(e,t){var o=c.useRef(null),n=(0,N.r)(o,t),r=e.calloutProps,i=e.targetElement,a=e.onDismiss,s=e.hasCloseButton,u=void 0===s?e.hasCloseIcon:s,d=e.isWide,p=e.styles,m=e.theme,h=e.target,g=c.useMemo((function(){return(0,l.pi)((0,l.pi)((0,l.pi)({},ed),r),{theme:m})}),[r,m]),f=td(p,{theme:m,isWide:d,calloutProps:g,hasCloseButton:u}),v=f.subComponentStyles?f.subComponentStyles.callout:void 0;return function(e,t){c.useImperativeHandle(e,(function(){return{focus:function(){var e;return null===(e=t.current)||void 0===e?void 0:e.focus()}}}),[t])}(e.componentRef,o),c.createElement(Ae.U,(0,l.pi)({target:h||i,onDismiss:a},g,{className:f.root,styles:v,hideOverflow:!0}),c.createElement("div",{ref:n},c.createElement($u,(0,l.pi)({},e))))}));od.displayName="TeachingBubble";var nd=(0,I.z)(od,Qu,void 0,{scope:"TeachingBubble"}),rd=function(e){if(null==e.children)return null;e.block,e.className;var t=e.as,o=void 0===t?"span":t,n=(e.variant,e.nowrap,(0,l._T)(e,["block","className","as","variant","nowrap"]));return Cu(ku(e,{root:o}).root,(0,l.pi)({},(0,E.pq)(n,E.iY)))},id=function(e,t){var o=e.as,n=e.className,r=e.block,i=e.nowrap,a=e.variant,s=t.fonts,l=t.semanticColors,c=s[a||"medium"];return{root:[c,{color:c.color||l.bodyText,display:r?"td"===o?"table-cell":"block":"inline",mozOsxFontSmoothing:c.MozOsxFontSmoothing,webkitFontSmoothing:c.WebkitFontSmoothing},i&&{whiteSpace:"nowrap",overflow:"hidden",textOverflow:"ellipsis"},n]}},ad=Tu(rd,{displayName:"Text",styles:id}),sd=o(8623),ld=o(5229),cd={9:/[0-9]/,a:/[a-zA-Z]/,"*":/[a-zA-Z0-9]/};function ud(e,t){if(void 0===t&&(t=cd),!e)return[];for(var o=[],n=0,r=0;r+n0&&(r=t[0].displayIndex-1);for(var i=0,a=t;ir&&(r=s.displayIndex)):o&&(l=o),n=n.slice(0,s.displayIndex)+l+n.slice(s.displayIndex+1)}return o||(n=n.slice(0,r+1)),n}function pd(e,t){for(var o=0;o=t)return e[o].displayIndex;return e[e.length-1].displayIndex}function md(e,t,o){for(var n=0;n=t){if(e[n].displayIndex>=t+o)break;e[n].value=void 0}return e}function hd(e,t,o){for(var n=0,r=0,i=!1,a=0;a=t)for(i=!0,r=e[a].displayIndex;n=t){e[o].value=void 0;break}return e}(y.maskCharData,s),r=pd(y.maskCharData,s)):(y.maskCharData=function(e,t){for(var o=e.length-1;o>=0;o--)if(e[o].displayIndex=0;o--)if(e[o].displayIndexk.length){p=l-(d=t.length-k.length);var v=t.substr(p,d);r=hd(y.maskCharData,p,v)}else if(t.length<=k.length){d=1;var b=k.length+d-t.length;p=l-d,v=t.substr(p,d),y.maskCharData=md(y.maskCharData,p,b),r=hd(y.maskCharData,p,v)}y.changeSelectionData=null;var _=dd(m,y.maskCharData,g);w(_),S(r),null===(n=u)||void 0===n||n(e,_)}}),[k.length,y,m,g,u]),R=c.useCallback((function(e){var t;if(null===(t=p)||void 0===t||t(e),y.changeSelectionData=null,o.current&&o.current.value){var n=e.keyCode,r=e.ctrlKey,i=e.metaKey;if(r||i)return;if(n===rt.m.backspace||n===rt.m.del){var a=e.target.selectionStart,s=e.target.selectionEnd;if(!(n===rt.m.backspace&&s&&s>0||n===rt.m.del&&null!==a&&a{"use strict";o.d(t,{_:()=>m});var n=o(2002),r=o(7622),i=o(7002),a=o(7300),s=o(8127),l=o(2470),c=o(2998),u=o(4085),d=(0,a.y)(),p=i.forwardRef((function(e,t){var o=(0,u.M)(void 0,e.id),n=e.items,a=e.columnCount,p=e.onRenderItem,m=e.ariaPosInSet,h=void 0===m?e.positionInSet:m,g=e.ariaSetSize,f=void 0===g?e.setSize:g,v=e.styles,b=e.doNotContainWithinFocusZone,y=(0,s.pq)(e,s.iY,b?[]:["onBlur"]),_=d(v,{theme:e.theme}),C=(0,l.QC)(n,a),S=i.createElement("table",(0,r.pi)({"aria-posinset":h,"aria-setsize":f,id:o,role:"grid"},y,{className:_.root}),i.createElement("tbody",null,C.map((function(e,t){return i.createElement("tr",{role:"row",key:t},e.map((function(e,t){return i.createElement("td",{role:"presentation",key:t+"-cell",className:_.tableCell},p(e,t))})))}))));return b?S:i.createElement(c.k,{elementRef:t,isCircularNavigation:e.shouldFocusCircularNavigate,className:_.focusedContainer,onBlur:e.onBlur},S)})),m=(0,n.z)(p,(function(e){return{root:{padding:2,outline:"none"},tableCell:{padding:0}}}));m.displayName="ButtonGrid"},634:(e,t,o)=>{"use strict";o.d(t,{U:()=>s});var n=o(7002),r=o(8088),i=o(990),a=o(4085),s=function(e){var t,o=(0,a.M)("gridCell"),s=e.item,l=e.id,c=void 0===l?o:l,u=e.className,d=e.role,p=e.selected,m=e.disabled,h=void 0!==m&&m,g=e.onRenderItem,f=e.cellDisabledStyle,v=e.cellIsSelectedStyle,b=e.index,y=e.label,_=e.getClassNames,C=e.onClick,S=e.onHover,x=e.onMouseMove,k=e.onMouseLeave,w=e.onMouseEnter,I=e.onFocus,D=n.useCallback((function(){C&&!h&&C(s)}),[h,s,C]),T=n.useCallback((function(e){w&&w(e)||!S||h||S(s)}),[h,s,S,w]),E=n.useCallback((function(e){x&&x(e)||!S||h||S(s)}),[h,s,S,x]),P=n.useCallback((function(e){k&&k(e)||!S||h||S()}),[h,S,k]),M=n.useCallback((function(){I&&!h&&I(s)}),[h,s,I]);return n.createElement(i.M,{id:c,"data-index":b,"data-is-focusable":!0,disabled:h,className:(0,r.i)(u,(t={},t[""+v]=p,t[""+f]=h,t)),onClick:D,onMouseEnter:T,onMouseMove:E,onMouseLeave:P,onFocus:M,role:d,"aria-selected":p,ariaLabel:y,title:y,getClassNames:_},g(s))}},7970:(e,t,o)=>{"use strict";o.d(t,{a:()=>r});var n=o(21);function r(e,t,o,r,i){return r===n.c5||"number"!=typeof r?"#"+i:"rgba("+e+", "+t+", "+o+", "+r/n.c5+")"}},1342:(e,t,o)=>{"use strict";function n(e,t,o){return void 0===o&&(o=0),et?t:e}o.d(t,{u:()=>n})},21:(e,t,o)=>{"use strict";o.d(t,{fr:()=>n,a_:()=>r,uw:()=>i,uc:()=>a,WC:()=>s,c5:()=>l,yE:()=>c,fG:()=>u,HT:()=>d,jU:()=>p,lX:()=>m,Xb:()=>h});var n=100,r=359,i=100,a=255,s=a,l=100,c=3,u=6,d=1,p=3,m=/^[\da-f]{0,6}$/i,h=/^\d{0,3}$/},5298:(e,t,o)=>{"use strict";o.d(t,{L:()=>r});var n=o(21);function r(e){return!e||e.length=n.fG?e.substring(0,n.fG):e.substring(0,n.yE)}},2775:(e,t,o)=>{"use strict";o.d(t,{k:()=>i});var n=o(21),r=o(1342);function i(e){return{r:(0,r.u)(e.r,n.uc),g:(0,r.u)(e.g,n.uc),b:(0,r.u)(e.b,n.uc),a:"number"==typeof e.a?(0,r.u)(e.a,n.c5):e.a}}},8584:(e,t,o)=>{"use strict";o.d(t,{r:()=>i});var n=o(21),r=o(5194);function i(e){if(e)return a(e)||function(e){if("#"===e[0]&&7===e.length&&/^#[\da-fA-F]{6}$/.test(e))return{r:parseInt(e.slice(1,3),16),g:parseInt(e.slice(3,5),16),b:parseInt(e.slice(5,7),16),a:n.c5}}(e)||function(e){if("#"===e[0]&&4===e.length&&/^#[\da-fA-F]{3}$/.test(e))return{r:parseInt(e[1]+e[1],16),g:parseInt(e[2]+e[2],16),b:parseInt(e[3]+e[3],16),a:n.c5}}(e)||function(e){var t=e.match(/^hsl(a?)\(([\d., ]+)\)$/);if(t){var o=!!t[1],i=o?4:3,a=t[2].split(/ *, */).map(Number);if(a.length===i){var s=(0,r.w)(a[0],a[1],a[2]);return s.a=o?100*a[3]:n.c5,s}}}(e)||function(e){if("undefined"!=typeof document){var t=document.createElement("div");t.style.backgroundColor=e,t.style.position="absolute",t.style.top="-9999px",t.style.left="-9999px",t.style.height="1px",t.style.width="1px",document.body.appendChild(t);var o=getComputedStyle(t),n=o&&o.backgroundColor;if(document.body.removeChild(t),"rgba(0, 0, 0, 0)"!==n&&"transparent"!==n)return a(n);switch(e.trim()){case"transparent":case"#0000":case"#00000000":return{r:0,g:0,b:0,a:0}}}}(e)}function a(e){if(e){var t=e.match(/^rgb(a?)\(([\d., ]+)\)$/);if(t){var o=!!t[1],r=o?4:3,i=t[2].split(/ *, */).map(Number);if(i.length===r)return{r:i[0],g:i[1],b:i[2],a:o?100*i[3]:n.c5}}}}},8208:(e,t,o)=>{"use strict";o.d(t,{N:()=>s});var n=o(21),r=o(5772),i=o(5705),a=o(7970);function s(e){var t=e.a,o=void 0===t?n.c5:t,s=e.b,l=e.g,c=e.r,u=(0,r.D)(c,l,s),d=u.h,p=u.s,m=u.v,h=(0,i.C)(c,l,s);return{a:o,b:s,g:l,h:d,hex:h,r:c,s:p,str:(0,a.a)(c,l,s,o,h),v:m,t:n.c5-o}}},7375:(e,t,o)=>{"use strict";o.d(t,{T:()=>a});var n=o(7622),r=o(8584),i=o(8208);function a(e){var t=(0,r.r)(e);if(t)return(0,n.pi)((0,n.pi)({},(0,i.N)(t)),{str:e})}},2417:(e,t,o)=>{"use strict";o.d(t,{p:()=>i});var n=o(21),r=o(3770);function i(e){return"#"+(0,r.d)(e.h,n.fr,n.uw)}},5040:(e,t,o)=>{"use strict";function n(e,t,o){var n=o+(t*=(o<50?o:100-o)/100);return{h:e,s:0===n?0:2*t/n*100,v:n}}o.d(t,{E:()=>n})},5194:(e,t,o)=>{"use strict";o.d(t,{w:()=>i});var n=o(5040),r=o(9865);function i(e,t,o){var i=(0,n.E)(e,t,o);return(0,r.X)(i.h,i.s,i.v)}},3770:(e,t,o)=>{"use strict";o.d(t,{d:()=>i});var n=o(9865),r=o(5705);function i(e,t,o){var i=(0,n.X)(e,t,o),a=i.r,s=i.g,l=i.b;return(0,r.C)(a,s,l)}},9865:(e,t,o)=>{"use strict";o.d(t,{X:()=>r});var n=o(21);function r(e,t,o){var r=[],i=(o/=100)*(t/=100),a=e/60,s=i*(1-Math.abs(a%2-1)),l=o-i;switch(Math.floor(a)){case 0:r=[i,s,0];break;case 1:r=[s,i,0];break;case 2:r=[0,i,s];break;case 3:r=[0,s,i];break;case 4:r=[s,0,i];break;case 5:r=[i,0,s]}return{r:Math.round(n.uc*(r[0]+l)),g:Math.round(n.uc*(r[1]+l)),b:Math.round(n.uc*(r[2]+l))}}},5705:(e,t,o)=>{"use strict";o.d(t,{C:()=>i});var n=o(21),r=o(1342);function i(e,t,o){return[a(e),a(t),a(o)].join("")}function a(e){var t=(e=(0,r.u)(e,n.uc)).toString(16);return 1===t.length?"0"+t:t}},5772:(e,t,o)=>{"use strict";o.d(t,{D:()=>r});var n=o(21);function r(e,t,o){var r=NaN,i=Math.max(e,t,o),a=i-Math.min(e,t,o);return 0===a?r=0:e===i?r=(t-o)/a%6:t===i?r=(o-e)/a+2:o===i&&(r=(e-t)/a+4),(r=Math.round(60*r))<0&&(r+=360),{h:r,s:Math.round(100*(0===i?0:a/i)),v:Math.round(i/n.uc*100)}}},8490:(e,t,o)=>{"use strict";o.d(t,{R:()=>a});var n=o(7622),r=o(7970),i=o(21);function a(e,t){return(0,n.pi)((0,n.pi)({},e),{a:t,t:i.c5-t,str:(0,r.a)(e.r,e.g,e.b,t,e.hex)})}},1990:(e,t,o)=>{"use strict";o.d(t,{i:()=>s});var n=o(7622),r=o(9865),i=o(5705),a=o(7970);function s(e,t){var o=(0,r.X)(t,e.s,e.v),s=o.r,l=o.g,c=o.b,u=(0,i.C)(s,l,c);return(0,n.pi)((0,n.pi)({},e),{h:t,r:s,g:l,b:c,hex:u,str:(0,a.a)(s,l,c,e.a,u)})}},6119:(e,t,o)=>{"use strict";o.d(t,{d:()=>s});var n=o(7622),r=o(9865),i=o(5705),a=o(7970);function s(e,t,o){var s=(0,r.X)(e.h,t,o),l=s.r,c=s.g,u=s.b,d=(0,i.C)(l,c,u);return(0,n.pi)((0,n.pi)({},e),{s:t,v:o,r:l,g:c,b:u,hex:d,str:(0,a.a)(l,c,u,e.a,d)})}},1332:(e,t,o)=>{"use strict";o.d(t,{X:()=>a});var n=o(7622),r=o(7970),i=o(21);function a(e,t){var o=i.c5-t;return(0,n.pi)((0,n.pi)({},e),{t,a:o,str:(0,r.a)(e.r,e.g,e.b,o,e.hex)})}},2240:(e,t,o)=>{"use strict";function n(e){return e.canCheck?!(!e.isChecked&&!e.checked):"boolean"==typeof e.isChecked?e.isChecked:"boolean"==typeof e.checked?e.checked:null}function r(e){return!(!e.subMenuProps&&!e.items)}function i(e){return!(!e.isDisabled&&!e.disabled)}function a(e){return null!==n(e)?"menuitemcheckbox":"menuitem"}o.d(t,{E3:()=>n,Df:()=>r,P_:()=>i,JF:()=>a})},1071:(e,t,o)=>{"use strict";o.d(t,{P:()=>a});var n=o(7622),r=o(7002),i=o(4542),a=function(e){function t(t){var o=e.call(this,t)||this;return o._updateComposedComponentRef=o._updateComposedComponentRef.bind(o),o}return(0,n.ZT)(t,e),t.prototype._updateComposedComponentRef=function(e){this._composedComponentInstance=e,e?this._hoisted=(0,i.W)(this,e):this._hoisted&&(0,i.e)(this,this._hoisted)},t}(r.Component)},9761:(e,t,o)=>{"use strict";o.d(t,{eD:()=>n,kd:()=>h,LF:()=>g,K7:()=>f,Ae:()=>v,tc:()=>b});var n,r=o(7622),i=o(7002),a=o(1071),s=o(9757),l=o(9919),c=o(1529),u=o(8901);!function(e){e[e.small=0]="small",e[e.medium=1]="medium",e[e.large=2]="large",e[e.xLarge=3]="xLarge",e[e.xxLarge=4]="xxLarge",e[e.xxxLarge=5]="xxxLarge",e[e.unknown=999]="unknown"}(n||(n={}));var d,p,m=[479,639,1023,1365,1919,99999999];function h(e){d=e}function g(e){var t=(0,s.J)(e);t&&b(t)}function f(){return d||p||n.large}function v(e){var t,o=((t=function(t){function o(e){var o=t.call(this,e)||this;return o._onResize=function(){var e=b(o.context.window);e!==o.state.responsiveMode&&o.setState({responsiveMode:e})},o._events=new l.r(o),o._updateComposedComponentRef=o._updateComposedComponentRef.bind(o),o.state={responsiveMode:f()},o}return(0,r.ZT)(o,t),o.prototype.componentDidMount=function(){this._events.on(this.context.window,"resize",this._onResize),this._onResize()},o.prototype.componentWillUnmount=function(){this._events.dispose()},o.prototype.render=function(){var t=this.state.responsiveMode;return t===n.unknown?null:i.createElement(e,(0,r.pi)({ref:this._updateComposedComponentRef,responsiveMode:t},this.props))},o}(a.P)).contextType=u.Hn,t);return(0,c.f)(e,o)}function b(e){var t=n.small;if(e){try{for(;e.innerWidth>m[t];)t++}catch(e){t=f()}p=t}else{if(void 0===d)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.");t=d}return t}},4126:(e,t,o)=>{"use strict";o.d(t,{q:()=>l});var n=o(7002),r=o(9757),i=o(757),a=o(9761),s=o(8901),l=function(e){var t=n.useState(a.K7),o=t[0],l=t[1],c=n.useCallback((function(){var t=(0,a.tc)((0,r.J)(e.current));o!==t&&l(t)}),[e,o]),u=(0,s.zY)();return(0,i.d)(u,"resize",c),n.useEffect((function(){c()}),[]),o}},8128:(e,t,o)=>{"use strict";o.d(t,{ww:()=>r,by:()=>i,L7:()=>a,fV:()=>s,ms:()=>l,A4:()=>c,nK:()=>u,Tc:()=>d,Tj:()=>n});var n,r="ktp",i="-",a=r+i,s="data-ktp-target",l="data-ktp-execute-target",c="data-ktp-aria-target",u="ktp-layer-id",d=", ";!function(e){e.KEYTIP_ADDED="keytipAdded",e.KEYTIP_REMOVED="keytipRemoved",e.KEYTIP_UPDATED="keytipUpdated",e.PERSISTED_KEYTIP_ADDED="persistedKeytipAdded",e.PERSISTED_KEYTIP_REMOVED="persistedKeytipRemoved",e.PERSISTED_KEYTIP_EXECUTE="persistedKeytipExecute",e.ENTER_KEYTIP_MODE="enterKeytipMode",e.EXIT_KEYTIP_MODE="exitKeytipMode"}(n||(n={}))},344:(e,t,o)=>{"use strict";o.d(t,{K:()=>s});var n=o(7622),r=o(9919),i=o(2782),a=o(8128),s=function(){function e(){this.keytips={},this.persistedKeytips={},this.sequenceMapping={},this.inKeytipMode=!1,this.shouldEnterKeytipMode=!0,this.delayUpdatingKeytipChange=!1}return e.getInstance=function(){return this._instance},e.prototype.init=function(e){this.delayUpdatingKeytipChange=e},e.prototype.register=function(e,t){void 0===t&&(t=!1);var o=e;t||(o=this.addParentOverflow(e),this.sequenceMapping[o.keySequences.toString()]=o);var n=this._getUniqueKtp(o);if(t?this.persistedKeytips[n.uniqueID]=n:this.keytips[n.uniqueID]=n,this.inKeytipMode||!this.delayUpdatingKeytipChange){var i=t?a.Tj.PERSISTED_KEYTIP_ADDED:a.Tj.KEYTIP_ADDED;r.r.raise(this,i,{keytip:o,uniqueID:n.uniqueID})}return n.uniqueID},e.prototype.update=function(e,t){var o=this.addParentOverflow(e),n=this._getUniqueKtp(o,t),i=this.keytips[t];i&&(n.keytip.visible=i.keytip.visible,this.keytips[t]=n,delete this.sequenceMapping[i.keytip.keySequences.toString()],this.sequenceMapping[n.keytip.keySequences.toString()]=n.keytip,!this.inKeytipMode&&this.delayUpdatingKeytipChange||r.r.raise(this,a.Tj.KEYTIP_UPDATED,{keytip:n.keytip,uniqueID:n.uniqueID}))},e.prototype.unregister=function(e,t,o){void 0===o&&(o=!1),o?delete this.persistedKeytips[t]:delete this.keytips[t],!o&&delete this.sequenceMapping[e.keySequences.toString()];var n=o?a.Tj.PERSISTED_KEYTIP_REMOVED:a.Tj.KEYTIP_REMOVED;!this.inKeytipMode&&this.delayUpdatingKeytipChange||r.r.raise(this,n,{keytip:e,uniqueID:t})},e.prototype.enterKeytipMode=function(){r.r.raise(this,a.Tj.ENTER_KEYTIP_MODE)},e.prototype.exitKeytipMode=function(){r.r.raise(this,a.Tj.EXIT_KEYTIP_MODE)},e.prototype.getKeytips=function(){var e=this;return Object.keys(this.keytips).map((function(t){return e.keytips[t].keytip}))},e.prototype.addParentOverflow=function(e){var t=(0,n.pr)(e.keySequences);if(t.pop(),0!==t.length){var o=this.sequenceMapping[t.toString()];if(o&&o.overflowSetSequence)return(0,n.pi)((0,n.pi)({},e),{overflowSetSequence:o.overflowSetSequence})}return e},e.prototype.menuExecute=function(e,t){r.r.raise(this,a.Tj.PERSISTED_KEYTIP_EXECUTE,{overflowButtonSequences:e,keytipSequences:t})},e.prototype._getUniqueKtp=function(e,t){return void 0===t&&(t=(0,i.z)()),{keytip:(0,n.pi)({},e),uniqueID:t}},e._instance=new e,e}()},5325:(e,t,o)=>{"use strict";o.d(t,{aB:()=>a,a1:()=>s,eX:()=>l,_l:()=>c,w7:()=>u});var n=o(7622),r=o(8128),i=o(2470);function a(e){return e.reduce((function(e,t){return e+r.by+t.split("").join(r.by)}),r.ww)}function s(e,t){var o=t.length,r=(0,n.pr)(t).pop(),a=(0,n.pr)(e);return(0,i.OA)(a,o-1,r)}function l(e){return"["+r.fV+'="'+a(e)+'"]'}function c(e){return"["+r.ms+'="'+e+'"]'}function u(e){var t=" "+r.nK;return e.length?t+" "+a(e):t}},6591:(e,t,o)=>{"use strict";o.d(t,{p$:()=>F,c5:()=>L,Su:()=>A,DC:()=>z,bv:()=>H,qE:()=>O});var n,r=o(7622),i=o(6628),a=o(5951),s=o(4948),l=o(4568),c=o(4884);function u(e,t,o){return{targetEdge:e,alignmentEdge:t,isAuto:o}}var d=((n={})[i.b.topLeftEdge]=u(l.z.top,l.z.left),n[i.b.topCenter]=u(l.z.top),n[i.b.topRightEdge]=u(l.z.top,l.z.right),n[i.b.topAutoEdge]=u(l.z.top,void 0,!0),n[i.b.bottomLeftEdge]=u(l.z.bottom,l.z.left),n[i.b.bottomCenter]=u(l.z.bottom),n[i.b.bottomRightEdge]=u(l.z.bottom,l.z.right),n[i.b.bottomAutoEdge]=u(l.z.bottom,void 0,!0),n[i.b.leftTopEdge]=u(l.z.left,l.z.top),n[i.b.leftCenter]=u(l.z.left),n[i.b.leftBottomEdge]=u(l.z.left,l.z.bottom),n[i.b.rightTopEdge]=u(l.z.right,l.z.top),n[i.b.rightCenter]=u(l.z.right),n[i.b.rightBottomEdge]=u(l.z.right,l.z.bottom),n);function p(e,t){return!(e.topt.bottom||e.leftt.right)}function m(e,t){var o=[];return e.topt.bottom&&o.push(l.z.bottom),e.leftt.right&&o.push(l.z.right),o}function h(e,t){return e[l.z[t]]}function g(e,t,o){return e[l.z[t]]=o,e}function f(e,t){var o=I(t);return(h(e,o.positiveEdge)+h(e,o.negativeEdge))/2}function v(e,t){return e>0?t:-1*t}function b(e,t){return v(e,h(t,e))}function y(e,t,o){return v(o,h(e,o)-h(t,o))}function _(e,t,o){var n=h(e,t)-o;return e=g(e,t,o),g(e,-1*t,h(e,-1*t)-n)}function C(e,t,o,n){return void 0===n&&(n=0),_(e,o,h(t,o)+v(o,n))}function S(e,t,o){return b(o,e)>b(o,t)}function x(e,t,o){for(var n=0,r=e;nMath.abs(y(e,o,-1*t))?-1*t:t}function T(e,t,o){var n=f(t,e),r=f(o,e),i=I(e),a=i.positiveEdge,s=i.negativeEdge;return n<=r?a:s}function E(e,t,o,n,r,i,s){var c=w(e,t,n,r,s);return p(c,o)?{elementRectangle:c,targetEdge:n.targetEdge,alignmentEdge:n.alignmentEdge}:function(e,t,o,n,r,i,s){void 0===r&&(r=0);var c=n.alignmentEdge,u=n.alignTargetEdge,d={elementRectangle:e,targetEdge:n.targetEdge,alignmentEdge:c};i||s||(d=function(e,t,o,n,r){void 0===r&&(r=0);var i=[l.z.left,l.z.right,l.z.bottom,l.z.top];(0,a.zg)()&&(i[0]*=-1,i[1]*=-1);for(var s=e,c=n.targetEdge,u=n.alignmentEdge,d=0;d<4;d++){if(S(s,o,c))return{elementRectangle:s,targetEdge:c,alignmentEdge:u};i.splice(i.indexOf(c),1),i.length>0&&(i.indexOf(-1*c)>-1?c*=-1:(u=c,c=i.slice(-1)[0]),s=w(e,t,{targetEdge:c,alignmentEdge:u},r))}return{elementRectangle:e,targetEdge:n.targetEdge,alignmentEdge:n.alignmentEdge}}(e,t,o,n,r));var h=m(e,o);if(u){if(d.alignmentEdge&&h.indexOf(-1*d.alignmentEdge)>-1){var g=function(e,t,o,n){var r=e.alignmentEdge,i=e.targetEdge,a=-1*r;return{elementRectangle:w(e.elementRectangle,t,{targetEdge:i,alignmentEdge:a},o,n),targetEdge:i,alignmentEdge:a}}(d,t,r,s);if(p(g.elementRectangle,o))return g;d=x(m(g.elementRectangle,o),d,o)}}else d=x(h,d,o);return d}(e,t,o,n,r,i,s)}function P(e){var t=e.getBoundingClientRect();return new c.A(t.left,t.right,t.top,t.bottom)}function M(e){return new c.A(e.left,e.right,e.top,e.bottom)}function R(e,t,o,n){var s=e.gapSpace?e.gapSpace:0,u=function(e,t){var o;if(t){if(t.preventDefault){var n=t;o=new c.A(n.clientX,n.clientX,n.clientY,n.clientY)}else if(t.getBoundingClientRect)o=P(t);else{var r=t,i=r.left||r.x,a=r.top||r.y,s=r.right||i,u=r.bottom||a;o=new c.A(i,s,a,u)}if(!p(o,e))for(var d=0,h=m(o,e);d0?i:n.height}(i.stopPropagation?new c.A(i.clientX,i.clientX,i.clientY,i.clientY):void 0!==m&&void 0!==g?new c.A(m,f,g,v):P(a),t,o,p,r)}function H(e){return-1*e}function O(e,t){return function(e,t){var o=void 0;if(t.getWindowSegments&&(o=t.getWindowSegments()),void 0===o||o.length<=1)return{top:0,left:0,right:t.innerWidth,bottom:t.innerHeight,width:t.innerWidth,height:t.innerHeight};var n=0,r=0;if(null!==e&&e.getBoundingClientRect){var i=e.getBoundingClientRect();n=(i.left+i.right)/2,r=(i.top+i.bottom)/2}else null!==e&&(n=e.left||e.x,r=e.top||e.y);for(var a={top:0,left:0,right:0,bottom:0,width:0,height:0},s=0,l=o;s=n&&r&&c.top<=r&&c.bottom>=r&&(a={top:c.top,left:c.left,right:c.right,bottom:c.bottom,width:c.width,height:c.height})}return a}(e,t)}},4568:(e,t,o)=>{"use strict";var n,r;o.d(t,{z:()=>n,L:()=>r}),function(e){e[e.top=1]="top",e[e.bottom=-1]="bottom",e[e.left=2]="left",e[e.right=-2]="right"}(n||(n={})),function(e){e[e.top=0]="top",e[e.bottom=1]="bottom",e[e.start=2]="start",e[e.end=3]="end"}(r||(r={}))},5515:(e,t,o)=>{"use strict";function n(e,t){for(var o=[],n=0,r=t;nn})},2703:(e,t,o)=>{"use strict";var n;o.d(t,{F:()=>n}),function(e){e[e.Normal=0]="Normal",e[e.Divider=1]="Divider",e[e.Header=2]="Header"}(n||(n={}))},4449:(e,t,o)=>{"use strict";o.d(t,{i:()=>S});var n=o(7622),r=o(7002),i=o(3345),a=o(6840),s=o(8145),l=o(9919),c=o(2167),u=o(688),d=o(9757),p=o(8088),m=o(5480),h=o(4948),g=o(5446),f=o(4553),v=o(5238),b="data-selection-index",y="data-selection-toggle",_="data-selection-invoke",C="data-selection-all-toggle",S=function(e){function t(t){var o=e.call(this,t)||this;o._root=r.createRef(),o.ignoreNextFocus=function(){o._handleNextFocus(!1)},o._onSelectionChange=function(){var e=o.props.selection,t=e.isModal&&e.isModal();o.setState({isModal:t})},o._onMouseDownCapture=function(e){var t=e.target;if(document.activeElement===t||(0,i.t)(document.activeElement,t)){if((0,i.t)(t,o._root.current))for(;t!==o._root.current;){if(o._hasAttribute(t,_)){o.ignoreNextFocus();break}t=(0,a.G)(t)}}else o.ignoreNextFocus()},o._onFocus=function(e){var t=e.target,n=o.props.selection,r=o._isCtrlPressed||o._isMetaPressed,i=o._getSelectionMode();if(o._shouldHandleFocus&&i!==v.oW.none){var a=o._hasAttribute(t,y),s=o._findItemRoot(t);if(!a&&s){var l=o._getItemIndex(s);r?(n.setIndexSelected(l,n.isIndexSelected(l),!0),o.props.enterModalOnTouch&&o._isTouch&&n.setModal&&(n.setModal(!0),o._setIsTouch(!1))):o.props.isSelectedOnFocus&&o._onItemSurfaceClick(e,l)}}o._handleNextFocus(!1)},o._onMouseDown=function(e){o._updateModifiers(e);var t=e.target,n=o._findItemRoot(t);if(!o._isSelectionDisabled(t))for(;t!==o._root.current&&!o._hasAttribute(t,C);){if(n){if(o._hasAttribute(t,y))break;if(o._hasAttribute(t,_))break;if(!(t!==n&&!o._shouldAutoSelect(t)||o._isShiftPressed||o._isCtrlPressed||o._isMetaPressed)){o._onInvokeMouseDown(e,o._getItemIndex(n));break}if(o.props.disableAutoSelectOnInputElements&&("A"===t.tagName||"BUTTON"===t.tagName||"INPUT"===t.tagName))return}t=(0,a.G)(t)}},o._onTouchStartCapture=function(e){o._setIsTouch(!0)},o._onClick=function(e){var t=o.props.enableTouchInvocationTarget,n=void 0!==t&&t;o._updateModifiers(e);for(var r=e.target,i=o._findItemRoot(r),s=o._isSelectionDisabled(r);r!==o._root.current;){if(o._hasAttribute(r,C)){s||o._onToggleAllClick(e);break}if(i){var l=o._getItemIndex(i);if(o._hasAttribute(r,y)){s||(o._isShiftPressed?o._onItemSurfaceClick(e,l):o._onToggleClick(e,l));break}if(o._isTouch&&n&&o._hasAttribute(r,"data-selection-touch-invoke")||o._hasAttribute(r,_)){o._onInvokeClick(e,l);break}if(r===i){s||o._onItemSurfaceClick(e,l);break}if("A"===r.tagName||"BUTTON"===r.tagName||"INPUT"===r.tagName)return}r=(0,a.G)(r)}},o._onContextMenu=function(e){var t=e.target,n=o.props,r=n.onItemContextMenu,i=n.selection;if(r){var a=o._findItemRoot(t);if(a){var s=o._getItemIndex(a);o._onInvokeMouseDown(e,s),r(i.getItems()[s],s,e.nativeEvent)||e.preventDefault()}}},o._onDoubleClick=function(e){var t=e.target,n=o.props.onItemInvoked,r=o._findItemRoot(t);if(r&&n&&!o._isInputElement(t)){for(var i=o._getItemIndex(r);t!==o._root.current&&!o._hasAttribute(t,y)&&!o._hasAttribute(t,_);){if(t===r){o._onInvokeClick(e,i);break}t=(0,a.G)(t)}t=(0,a.G)(t)}},o._onKeyDownCapture=function(e){o._updateModifiers(e),o._handleNextFocus(!0)},o._onKeyDown=function(e){o._updateModifiers(e);var t=e.target,n=o._isSelectionDisabled(t),r=o.props.selection,i=e.which===s.m.a&&(o._isCtrlPressed||o._isMetaPressed),l=e.which===s.m.escape;if(!o._isInputElement(t)){var c=o._getSelectionMode();if(i&&c===v.oW.multiple&&!r.isAllSelected())return n||r.setAllSelected(!0),e.stopPropagation(),void e.preventDefault();if(l&&r.getSelectedCount()>0)return n||r.setAllSelected(!1),e.stopPropagation(),void e.preventDefault();var u=o._findItemRoot(t);if(u)for(var d=o._getItemIndex(u);t!==o._root.current&&!o._hasAttribute(t,y);){if(o._shouldAutoSelect(t)){n||o._onInvokeMouseDown(e,d);break}if(!(e.which!==s.m.enter&&e.which!==s.m.space||"BUTTON"!==t.tagName&&"A"!==t.tagName&&"INPUT"!==t.tagName))return!1;if(t===u){if(e.which===s.m.enter)return o._onInvokeClick(e,d),void e.preventDefault();if(e.which===s.m.space)return n||o._onToggleClick(e,d),void e.preventDefault();break}t=(0,a.G)(t)}}},o._events=new l.r(o),o._async=new c.e(o),(0,u.l)(o);var n=o.props.selection,d=n.isModal&&n.isModal();return o.state={isModal:d},o}return(0,n.ZT)(t,e),t.getDerivedStateFromProps=function(e,t){var o=e.selection.isModal&&e.selection.isModal();return(0,n.pi)((0,n.pi)({},t),{isModal:o})},t.prototype.componentDidMount=function(){var e=(0,d.J)(this._root.current);this._events.on(e,"keydown, keyup",this._updateModifiers,!0),this._events.on(document,"click",this._findScrollParentAndTryClearOnEmptyClick),this._events.on(document.body,"touchstart",this._onTouchStartCapture,!0),this._events.on(document.body,"touchend",this._onTouchStartCapture,!0),this._events.on(this.props.selection,"change",this._onSelectionChange)},t.prototype.render=function(){var e=this.state.isModal;return r.createElement("div",{className:(0,p.i)("ms-SelectionZone",this.props.className,{"ms-SelectionZone--modal":!!e}),ref:this._root,onKeyDown:this._onKeyDown,onMouseDown:this._onMouseDown,onKeyDownCapture:this._onKeyDownCapture,onClick:this._onClick,role:"presentation",onDoubleClick:this._onDoubleClick,onContextMenu:this._onContextMenu,onMouseDownCapture:this._onMouseDownCapture,onFocusCapture:this._onFocus,"data-selection-is-modal":!!e||void 0},this.props.children,r.createElement(m.u,null))},t.prototype.componentDidUpdate=function(e){var t=this.props.selection;t!==e.selection&&(this._events.off(e.selection),this._events.on(t,"change",this._onSelectionChange))},t.prototype.componentWillUnmount=function(){this._events.dispose(),this._async.dispose()},t.prototype._isSelectionDisabled=function(e){if(this._getSelectionMode()===v.oW.none)return!0;for(;e!==this._root.current;){if(this._hasAttribute(e,"data-selection-disabled"))return!0;e=(0,a.G)(e)}return!1},t.prototype._onToggleAllClick=function(e){var t=this.props.selection;this._getSelectionMode()===v.oW.multiple&&(t.toggleAllSelected(),e.stopPropagation(),e.preventDefault())},t.prototype._onToggleClick=function(e,t){var o=this.props.selection,n=this._getSelectionMode();if(o.setChangeEvents(!1),this.props.enterModalOnTouch&&this._isTouch&&!o.isIndexSelected(t)&&o.setModal&&(o.setModal(!0),this._setIsTouch(!1)),n===v.oW.multiple)o.toggleIndexSelected(t);else{if(n!==v.oW.single)return void o.setChangeEvents(!0);var r=o.isIndexSelected(t),i=o.isModal&&o.isModal();o.setAllSelected(!1),o.setIndexSelected(t,!r,!0),i&&o.setModal&&o.setModal(!0)}o.setChangeEvents(!0),e.stopPropagation()},t.prototype._onInvokeClick=function(e,t){var o=this.props,n=o.selection,r=o.onItemInvoked;r&&(r(n.getItems()[t],t,e.nativeEvent),e.preventDefault(),e.stopPropagation())},t.prototype._onItemSurfaceClick=function(e,t){var o=this.props.selection,n=this._isCtrlPressed||this._isMetaPressed,r=this._getSelectionMode();r===v.oW.multiple?this._isShiftPressed&&!this._isTabPressed?o.selectToIndex(t,!n):n?o.toggleIndexSelected(t):this._clearAndSelectIndex(t):r===v.oW.single&&this._clearAndSelectIndex(t)},t.prototype._onInvokeMouseDown=function(e,t){this.props.selection.isIndexSelected(t)||this._clearAndSelectIndex(t)},t.prototype._findScrollParentAndTryClearOnEmptyClick=function(e){var t=(0,h.zj)(this._root.current);this._events.off(document,"click",this._findScrollParentAndTryClearOnEmptyClick),this._events.on(t,"click",this._tryClearOnEmptyClick),(t&&e.target instanceof Node&&t.contains(e.target)||t===e.target)&&this._tryClearOnEmptyClick(e)},t.prototype._tryClearOnEmptyClick=function(e){!this.props.selectionPreservedOnEmptyClick&&this._isNonHandledClick(e.target)&&this.props.selection.setAllSelected(!1)},t.prototype._clearAndSelectIndex=function(e){var t=this.props.selection;if(1!==t.getSelectedCount()||!t.isIndexSelected(e)){var o=t.isModal&&t.isModal();t.setChangeEvents(!1),t.setAllSelected(!1),t.setIndexSelected(e,!0,!0),(o||this.props.enterModalOnTouch&&this._isTouch)&&(t.setModal&&t.setModal(!0),this._isTouch&&this._setIsTouch(!1)),t.setChangeEvents(!0)}},t.prototype._updateModifiers=function(e){this._isShiftPressed=e.shiftKey,this._isCtrlPressed=e.ctrlKey,this._isMetaPressed=e.metaKey;var t=e.keyCode;this._isTabPressed=!!t&&t===s.m.tab},t.prototype._findItemRoot=function(e){for(var t=this.props.selection;e!==this._root.current;){var o=e.getAttribute(b),n=Number(o);if(null!==o&&n>=0&&n{"use strict";o.d(t,{x:()=>i});var n={},r=void 0;try{r=window}catch(e){}function i(e,t){if(void 0!==r){var o=r.__packages__=r.__packages__||{};o[e]&&n[e]||(n[e]=t,(o[e]=o[e]||[]).push(t))}}i("@fluentui/set-version","6.0.0")},9729:(e,t,o)=>{"use strict";o.d(t,{k4:()=>X,Ic:()=>G,D1:()=>q,JJ:()=>he,rN:()=>ve.r,ir:()=>Q.i,UK:()=>ee.U,Ox:()=>xe,yV:()=>$,TS:()=>be.TS,lq:()=>be.lq,qJ:()=>_e,$v:()=>Se,bO:()=>Ce,ld:()=>be.ld,qS:()=>Xe.q,a1:()=>Ze,P$:()=>Re,yp:()=>Me,mV:()=>Pe,yO:()=>Ne,CQ:()=>Be,AV:()=>Ie,dd:()=>we,QQ:()=>ke,bE:()=>Fe,qv:()=>De,B:()=>Te,F1:()=>Ee,Ye:()=>Xe.Y,Jw:()=>le,bR:()=>He,$O:()=>r,E$:()=>xt.m,l7:()=>kt.l,FF:()=>ye.F,jG:()=>ie.j,e2:()=>Ve,jN:()=>ct.j,h4:()=>ze,$X:()=>rt,jx:()=>Ke,GL:()=>We,Cn:()=>$e,xM:()=>Ae,q7:()=>ft,Wx:()=>St,$Y:()=>qe,Sv:()=>at,sK:()=>Le,gh:()=>ue,Nf:()=>tt,ul:()=>Ge,F4:()=>i.F,jz:()=>me,ZC:()=>wt.Z,y0:()=>n.y,jq:()=>nt,Fv:()=>ot,Kq:()=>Q.K,M_:()=>gt,fm:()=>mt,tj:()=>de,sw:()=>pe,yN:()=>vt,Kf:()=>ht});var n=o(9444);function r(e){var t={},o=function(o){var r;e.hasOwnProperty(o)&&Object.defineProperty(t,o,{get:function(){return void 0===r&&(r=(0,n.y)(e[o]).toString()),r},enumerable:!0,configurable:!0})};for(var r in e)o(r);return t}var i=o(2762),a="cubic-bezier(.1,.9,.2,1)",s="cubic-bezier(.1,.25,.75,.9)",l="0.167s",c="0.267s",u="0.367s",d="0.467s",p=(0,i.F)({from:{opacity:0},to:{opacity:1}}),m=(0,i.F)({from:{opacity:1},to:{opacity:0,visibility:"hidden"}}),h=j(-10),g=j(-20),f=j(-40),v=j(-400),b=j(10),y=j(20),_=j(40),C=j(400),S=J(10),x=J(20),k=J(-10),w=J(-20),I=Y(10),D=Y(20),T=Y(40),E=Y(400),P=Y(-10),M=Y(-20),R=Y(-40),N=Y(-400),B=Z(-10),F=Z(-20),L=Z(10),A=Z(20),z=(0,i.F)({from:{transform:"scale3d(.98,.98,1)"},to:{transform:"scale3d(1,1,1)"}}),H=(0,i.F)({from:{transform:"scale3d(1,1,1)"},to:{transform:"scale3d(.98,.98,1)"}}),O=(0,i.F)({from:{transform:"scale3d(1.03,1.03,1)"},to:{transform:"scale3d(1,1,1)"}}),W=(0,i.F)({from:{transform:"scale3d(1,1,1)"},to:{transform:"scale3d(1.03,1.03,1)"}}),V=(0,i.F)({from:{transform:"rotateZ(0deg)"},to:{transform:"rotateZ(90deg)"}}),K=(0,i.F)({from:{transform:"rotateZ(0deg)"},to:{transform:"rotateZ(-90deg)"}}),q={easeFunction1:a,easeFunction2:s,durationValue1:l,durationValue2:c,durationValue3:u,durationValue4:d},G={slideRightIn10:U(p+","+h,u,a),slideRightIn20:U(p+","+g,u,a),slideRightIn40:U(p+","+f,u,a),slideRightIn400:U(p+","+v,u,a),slideLeftIn10:U(p+","+b,u,a),slideLeftIn20:U(p+","+y,u,a),slideLeftIn40:U(p+","+_,u,a),slideLeftIn400:U(p+","+C,u,a),slideUpIn10:U(p+","+S,u,a),slideUpIn20:U(p+","+x,u,a),slideDownIn10:U(p+","+k,u,a),slideDownIn20:U(p+","+w,u,a),slideRightOut10:U(m+","+I,u,a),slideRightOut20:U(m+","+D,u,a),slideRightOut40:U(m+","+T,u,a),slideRightOut400:U(m+","+E,u,a),slideLeftOut10:U(m+","+P,u,a),slideLeftOut20:U(m+","+M,u,a),slideLeftOut40:U(m+","+R,u,a),slideLeftOut400:U(m+","+N,u,a),slideUpOut10:U(m+","+B,u,a),slideUpOut20:U(m+","+F,u,a),slideDownOut10:U(m+","+L,u,a),slideDownOut20:U(m+","+A,u,a),scaleUpIn100:U(p+","+z,u,a),scaleDownIn100:U(p+","+O,u,a),scaleUpOut103:U(m+","+W,l,s),scaleDownOut98:U(m+","+H,l,s),fadeIn100:U(p,l,s),fadeIn200:U(p,c,s),fadeIn400:U(p,u,s),fadeIn500:U(p,d,s),fadeOut100:U(m,l,s),fadeOut200:U(m,c,s),fadeOut400:U(m,u,s),fadeOut500:U(m,d,s),rotate90deg:U(V,"0.1s",s),rotateN90deg:U(K,"0.1s",s)};function U(e,t,o){return{animationName:e,animationDuration:t,animationTimingFunction:o,animationFillMode:"both"}}function j(e){return(0,i.F)({from:{transform:"translate3d("+e+"px,0,0)",pointerEvents:"none"},to:{transform:"translate3d(0,0,0)",pointerEvents:"auto"}})}function J(e){return(0,i.F)({from:{transform:"translate3d(0,"+e+"px,0)",pointerEvents:"none"},to:{transform:"translate3d(0,0,0)",pointerEvents:"auto"}})}function Y(e){return(0,i.F)({from:{transform:"translate3d(0,0,0)"},to:{transform:"translate3d("+e+"px,0,0)"}})}function Z(e){return(0,i.F)({from:{transform:"translate3d(0,0,0)"},to:{transform:"translate3d(0,"+e+"px,0)"}})}var X=r(G),Q=o(1209),$=r(Q.i),ee=o(5314),te=o(7622),oe=o(1767),ne=o(9757),re=o(4976),ie=o(8932),ae=(0,ie.j)({}),se=[],le="theme";function ce(){var e,t,o;if(!oe.X.getSettings([le]).theme){var n=(0,ne.J)();(null===(o=null===(t=n)||void 0===t?void 0:t.FabricConfig)||void 0===o?void 0:o.theme)&&(ae=(0,ie.j)(n.FabricConfig.theme)),oe.X.applySettings(((e={})[le]=ae,e))}}function ue(e){return void 0===e&&(e=!1),!0===e&&(ae=(0,ie.j)({},e)),ae}function de(e){-1===se.indexOf(e)&&se.push(e)}function pe(e){var t=se.indexOf(e);-1!==t&&se.splice(t,1)}function me(e,t){var o;return void 0===t&&(t=!1),ae=(0,ie.j)(e,t),(0,re.jz)((0,te.pi)((0,te.pi)((0,te.pi)((0,te.pi)({},ae.palette),ae.semanticColors),ae.effects),function(e){for(var t={},o=0,n=Object.keys(e.fonts);o10?" (+ "+(bt.length-10)+" more)":"")),yt=void 0,bt=[]}),2e3)))}var Ct={display:"inline-block"};function St(e){var t="",o=ft(e);return o&&(t=(0,n.y)(o.subset.className,Ct,{selectors:{"::before":{content:'"'+o.code+'"'}}})),t}var xt=o(3570),kt=o(965),wt=o(2005);(0,o(6316).x)("@fluentui/style-utilities","8.0.2"),ce()},5314:(e,t,o)=>{"use strict";o.d(t,{U:()=>n});var n={themeDarker:"#004578",themeDark:"#005a9e",themeDarkAlt:"#106ebe",themePrimary:"#0078d4",themeSecondary:"#2b88d8",themeTertiary:"#71afe5",themeLight:"#c7e0f4",themeLighter:"#deecf9",themeLighterAlt:"#eff6fc",black:"#000000",blackTranslucent40:"rgba(0,0,0,.4)",neutralDark:"#201f1e",neutralPrimary:"#323130",neutralPrimaryAlt:"#3b3a39",neutralSecondary:"#605e5c",neutralSecondaryAlt:"#8a8886",neutralTertiary:"#a19f9d",neutralTertiaryAlt:"#c8c6c4",neutralQuaternary:"#d2d0ce",neutralQuaternaryAlt:"#e1dfdd",neutralLight:"#edebe9",neutralLighter:"#f3f2f1",neutralLighterAlt:"#faf9f8",accent:"#0078d4",white:"#ffffff",whiteTranslucent40:"rgba(255,255,255,.4)",yellowDark:"#d29200",yellow:"#ffb900",yellowLight:"#fff100",orange:"#d83b01",orangeLight:"#ea4300",orangeLighter:"#ff8c00",redDark:"#a4262c",red:"#e81123",magentaDark:"#5c005c",magenta:"#b4009e",magentaLight:"#e3008c",purpleDark:"#32145a",purple:"#5c2d91",purpleLight:"#b4a0ff",blueDark:"#002050",blueMid:"#00188f",blue:"#0078d4",blueLight:"#00bcf2",tealDark:"#004b50",teal:"#008272",tealLight:"#00b294",greenDark:"#004b1c",green:"#107c10",greenLight:"#bad80a"}},8932:(e,t,o)=>{"use strict";o.d(t,{j:()=>c});var n=o(5314),r=o(8708),i=o(1209),a=o(8188),s=o(3968),l=o(6267);function c(e,t){void 0===e&&(e={}),void 0===t&&(t=!1);var o=!!e.isInverted,c={palette:n.U,effects:r.r,fonts:i.i,spacing:s.C,isInverted:o,disableGlobalClassNames:!1,semanticColors:(0,l.b)(n.U,r.r,void 0,o,t),rtl:void 0};return(0,a.I)(c,e)}},8708:(e,t,o)=>{"use strict";o.d(t,{r:()=>r});var n=o(4733),r={elevation4:n.N.depth4,elevation8:n.N.depth8,elevation16:n.N.depth16,elevation64:n.N.depth64,roundedCorner2:"2px",roundedCorner4:"4px",roundedCorner6:"6px"}},4733:(e,t,o)=>{"use strict";var n;o.d(t,{N:()=>n}),function(e){e.depth0="0 0 0 0 transparent",e.depth4="0 1.6px 3.6px 0 rgba(0, 0, 0, 0.132), 0 0.3px 0.9px 0 rgba(0, 0, 0, 0.108)",e.depth8="0 3.2px 7.2px 0 rgba(0, 0, 0, 0.132), 0 0.6px 1.8px 0 rgba(0, 0, 0, 0.108)",e.depth16="0 6.4px 14.4px 0 rgba(0, 0, 0, 0.132), 0 1.2px 3.6px 0 rgba(0, 0, 0, 0.108)",e.depth64="0 25.6px 57.6px 0 rgba(0, 0, 0, 0.22), 0 4.8px 14.4px 0 rgba(0, 0, 0, 0.18)"}(n||(n={}))},1209:(e,t,o)=>{"use strict";o.d(t,{i:()=>d,K:()=>h});var n,r,i,a=o(3310),s=o(3182),l=o(7134),c=o(3856),u=o(9757),d=(0,l.F)((0,c.G)());function p(e,t,o,n){e="'"+e+"'";var r=void 0!==n?"local('"+n+"'),":"";(0,a.j)({fontFamily:e,src:r+"url('"+t+".woff2') format('woff2'),url('"+t+".woff') format('woff')",fontWeight:o,fontStyle:"normal",fontDisplay:"swap"})}function m(e,t,o,n,r){void 0===n&&(n="segoeui");var i=e+"/"+o+"/"+n;p(t,i+"-light",s.lq.light,r&&r+" Light"),p(t,i+"-semilight",s.lq.semilight,r&&r+" SemiLight"),p(t,i+"-regular",s.lq.regular,r),p(t,i+"-semibold",s.lq.semibold,r&&r+" SemiBold"),p(t,i+"-bold",s.lq.bold,r&&r+" Bold")}function h(e){if(e){var t=e+"/fonts";m(t,s.Qm.Thai,"leelawadeeui-thai","leelawadeeui"),m(t,s.Qm.Arabic,"segoeui-arabic"),m(t,s.Qm.Cyrillic,"segoeui-cyrillic"),m(t,s.Qm.EastEuropean,"segoeui-easteuropean"),m(t,s.Qm.Greek,"segoeui-greek"),m(t,s.Qm.Hebrew,"segoeui-hebrew"),m(t,s.Qm.Vietnamese,"segoeui-vietnamese"),m(t,s.Qm.WestEuropean,"segoeui-westeuropean","segoeui","Segoe UI"),m(t,s.II.Selawik,"selawik","selawik"),m(t,s.Qm.Armenian,"segoeui-armenian"),m(t,s.Qm.Georgian,"segoeui-georgian"),p("Leelawadee UI Web",t+"/leelawadeeui-thai/leelawadeeui-semilight",s.lq.light),p("Leelawadee UI Web",t+"/leelawadeeui-thai/leelawadeeui-bold",s.lq.semibold)}}h(null!=(i=null===(r=null===(n=(0,u.J)())||void 0===n?void 0:n.FabricConfig)||void 0===r?void 0:r.fontBaseUrl)?i:"https://static2.sharepointonline.com/files/fabric/assets")},3182:(e,t,o)=>{"use strict";var n,r,i,a,s;o.d(t,{Qm:()=>n,II:()=>r,TS:()=>i,lq:()=>a,ld:()=>s}),function(e){e.Arabic="Segoe UI Web (Arabic)",e.Cyrillic="Segoe UI Web (Cyrillic)",e.EastEuropean="Segoe UI Web (East European)",e.Greek="Segoe UI Web (Greek)",e.Hebrew="Segoe UI Web (Hebrew)",e.Thai="Leelawadee UI Web",e.Vietnamese="Segoe UI Web (Vietnamese)",e.WestEuropean="Segoe UI Web (West European)",e.Selawik="Selawik Web",e.Armenian="Segoe UI Web (Armenian)",e.Georgian="Segoe UI Web (Georgian)"}(n||(n={})),function(e){e.Arabic="'"+n.Arabic+"'",e.ChineseSimplified="'Microsoft Yahei UI', Verdana, Simsun",e.ChineseTraditional="'Microsoft Jhenghei UI', Pmingliu",e.Cyrillic="'"+n.Cyrillic+"'",e.EastEuropean="'"+n.EastEuropean+"'",e.Greek="'"+n.Greek+"'",e.Hebrew="'"+n.Hebrew+"'",e.Hindi="'Nirmala UI'",e.Japanese="'Yu Gothic UI', 'Meiryo UI', Meiryo, 'MS Pgothic', Osaka",e.Korean="'Malgun Gothic', Gulim",e.Selawik="'"+n.Selawik+"'",e.Thai="'Leelawadee UI Web', 'Kmer UI'",e.Vietnamese="'"+n.Vietnamese+"'",e.WestEuropean="'"+n.WestEuropean+"'",e.Armenian="'"+n.Armenian+"'",e.Georgian="'"+n.Georgian+"'"}(r||(r={})),function(e){e.size10="10px",e.size12="12px",e.size14="14px",e.size16="16px",e.size18="18px",e.size20="20px",e.size24="24px",e.size28="28px",e.size32="32px",e.size42="42px",e.size68="68px",e.mini="10px",e.xSmall="10px",e.small="12px",e.smallPlus="12px",e.medium="14px",e.mediumPlus="16px",e.icon="16px",e.large="18px",e.xLarge="20px",e.xLargePlus="24px",e.xxLarge="28px",e.xxLargePlus="32px",e.superLarge="42px",e.mega="68px"}(i||(i={})),function(e){e.light=100,e.semilight=300,e.regular=400,e.semibold=600,e.bold=700}(a||(a={})),function(e){e.xSmall="10px",e.small="12px",e.medium="16px",e.large="20px"}(s||(s={}))},7134:(e,t,o)=>{"use strict";o.d(t,{F:()=>s});var n=o(3182),r="'Segoe UI', '"+n.Qm.WestEuropean+"'",i={ar:n.II.Arabic,bg:n.II.Cyrillic,cs:n.II.EastEuropean,el:n.II.Greek,et:n.II.EastEuropean,he:n.II.Hebrew,hi:n.II.Hindi,hr:n.II.EastEuropean,hu:n.II.EastEuropean,ja:n.II.Japanese,kk:n.II.EastEuropean,ko:n.II.Korean,lt:n.II.EastEuropean,lv:n.II.EastEuropean,pl:n.II.EastEuropean,ru:n.II.Cyrillic,sk:n.II.EastEuropean,"sr-latn":n.II.EastEuropean,th:n.II.Thai,tr:n.II.EastEuropean,uk:n.II.Cyrillic,vi:n.II.Vietnamese,"zh-hans":n.II.ChineseSimplified,"zh-hant":n.II.ChineseTraditional,hy:n.II.Armenian,ka:n.II.Georgian};function a(e,t,o){return{fontFamily:o,MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontSize:e,fontWeight:t}}function s(e){var t=function(e){for(var t in i)if(i.hasOwnProperty(t)&&e&&0===t.indexOf(e))return i[t];return r}(e)+", 'Segoe UI', -apple-system, BlinkMacSystemFont, 'Roboto', 'Helvetica Neue', sans-serif";return{tiny:a(n.TS.mini,n.lq.regular,t),xSmall:a(n.TS.xSmall,n.lq.regular,t),small:a(n.TS.small,n.lq.regular,t),smallPlus:a(n.TS.smallPlus,n.lq.regular,t),medium:a(n.TS.medium,n.lq.regular,t),mediumPlus:a(n.TS.mediumPlus,n.lq.regular,t),large:a(n.TS.large,n.lq.regular,t),xLarge:a(n.TS.xLarge,n.lq.semibold,t),xLargePlus:a(n.TS.xLargePlus,n.lq.semibold,t),xxLarge:a(n.TS.xxLarge,n.lq.semibold,t),xxLargePlus:a(n.TS.xxLargePlus,n.lq.semibold,t),superLarge:a(n.TS.superLarge,n.lq.semibold,t),mega:a(n.TS.mega,n.lq.semibold,t)}}},8188:(e,t,o)=>{"use strict";o.d(t,{I:()=>i});var n=o(9478),r=o(6267);function i(e,t){var o,i,a,s;void 0===t&&(t={});var l=(0,n.T)({},e,t,{semanticColors:(0,r.Q)(t.palette,t.effects,t.semanticColors,void 0===t.isInverted?e.isInverted:t.isInverted)});if((null===(o=t.palette)||void 0===o?void 0:o.themePrimary)&&!(null===(i=t.palette)||void 0===i?void 0:i.accent)&&(l.palette.accent=t.palette.themePrimary),t.defaultFontStyle)for(var c=0,u=Object.keys(l.fonts);c{"use strict";o.d(t,{C:()=>n});var n={s2:"4px",s1:"8px",m:"16px",l1:"20px",l2:"32px"}},6267:(e,t,o)=>{"use strict";o.d(t,{b:()=>r,Q:()=>i});var n=o(7622);function r(e,t,o,r,a){return void 0===a&&(a=!1),function(e,t){var o="";return!0===t&&(o=" /* @deprecated */"),e.listTextColor=e.listText+o,e.menuItemBackgroundChecked+=o,e.warningHighlight+=o,e.warningText=e.messageText+o,e.successText+=o,e}(i(e,t,(0,n.pi)({primaryButtonBorder:"transparent",errorText:r?"#F1707B":"#a4262c",messageText:r?"#F3F2F1":"#323130",messageLink:r?"#6CB8F6":"#005A9E",messageLinkHovered:r?"#82C7FF":"#004578",infoIcon:r?"#C8C6C4":"#605e5c",errorIcon:r?"#F1707B":"#A80000",blockingIcon:r?"#442726":"#FDE7E9",warningIcon:r?"#C8C6C4":"#797775",severeWarningIcon:r?"#FCE100":"#D83B01",successIcon:r?"#92C353":"#107C10",infoBackground:r?"#323130":"#f3f2f1",errorBackground:r?"#442726":"#FDE7E9",blockingBackground:r?"#442726":"#FDE7E9",warningBackground:r?"#433519":"#FFF4CE",severeWarningBackground:r?"#4F2A0F":"#FED9CC",successBackground:r?"#393D1B":"#DFF6DD",warningHighlight:r?"#fff100":"#ffb900",successText:r?"#92c353":"#107C10"},o),r),a)}function i(e,t,o,r,i){var a,s,l;void 0===i&&(i=!1);var c={},u=e||{},d=u.white,p=u.black,m=u.themePrimary,h=u.themeDark,g=u.themeDarker,f=u.themeDarkAlt,v=u.themeLighter,b=u.neutralLight,y=u.neutralLighter,_=u.neutralDark,C=u.neutralQuaternary,S=u.neutralQuaternaryAlt,x=u.neutralPrimary,k=u.neutralSecondary,w=u.neutralSecondaryAlt,I=u.neutralTertiary,D=u.neutralTertiaryAlt,T=u.neutralLighterAlt,E=u.accent;return d&&(c.bodyBackground=d,c.bodyFrameBackground=d,c.accentButtonText=d,c.buttonBackground=d,c.primaryButtonText=d,c.primaryButtonTextHovered=d,c.primaryButtonTextPressed=d,c.inputBackground=d,c.inputForegroundChecked=d,c.listBackground=d,c.menuBackground=d,c.cardStandoutBackground=d),p&&(c.bodyTextChecked=p,c.buttonTextCheckedHovered=p),m&&(c.link=m,c.primaryButtonBackground=m,c.inputBackgroundChecked=m,c.inputIcon=m,c.inputFocusBorderAlt=m,c.menuIcon=m,c.menuHeader=m,c.accentButtonBackground=m),h&&(c.primaryButtonBackgroundPressed=h,c.inputBackgroundCheckedHovered=h,c.inputIconHovered=h),g&&(c.linkHovered=g),f&&(c.primaryButtonBackgroundHovered=f),v&&(c.inputPlaceholderBackgroundChecked=v),b&&(c.bodyBackgroundChecked=b,c.bodyFrameDivider=b,c.bodyDivider=b,c.variantBorder=b,c.buttonBackgroundCheckedHovered=b,c.buttonBackgroundPressed=b,c.listItemBackgroundChecked=b,c.listHeaderBackgroundPressed=b,c.menuItemBackgroundPressed=b,c.menuItemBackgroundChecked=b),y&&(c.bodyBackgroundHovered=y,c.buttonBackgroundHovered=y,c.buttonBackgroundDisabled=y,c.buttonBorderDisabled=y,c.primaryButtonBackgroundDisabled=y,c.disabledBackground=y,c.listItemBackgroundHovered=y,c.listHeaderBackgroundHovered=y,c.menuItemBackgroundHovered=y),C&&(c.primaryButtonTextDisabled=C,c.disabledSubtext=C),S&&(c.listItemBackgroundCheckedHovered=S),I&&(c.disabledBodyText=I,c.variantBorderHovered=(null===(a=o)||void 0===a?void 0:a.variantBorderHovered)||I,c.buttonTextDisabled=I,c.inputIconDisabled=I,c.disabledText=I),x&&(c.bodyText=x,c.actionLink=x,c.buttonText=x,c.inputBorderHovered=x,c.inputText=x,c.listText=x,c.menuItemText=x),T&&(c.bodyStandoutBackground=T,c.defaultStateBackground=T),_&&(c.actionLinkHovered=_,c.buttonTextHovered=_,c.buttonTextChecked=_,c.buttonTextPressed=_,c.inputTextHovered=_,c.menuItemTextHovered=_),k&&(c.bodySubtext=k,c.focusBorder=k,c.inputBorder=k,c.smallInputBorder=k,c.inputPlaceholderText=k),w&&(c.buttonBorder=w),D&&(c.disabledBodySubtext=D,c.disabledBorder=D,c.buttonBackgroundChecked=D,c.menuDivider=D),E&&(c.accentButtonBackground=E),(null===(s=t)||void 0===s?void 0:s.elevation4)&&(c.cardShadow=t.elevation4),!r&&(null===(l=t)||void 0===l?void 0:l.elevation8)?c.cardShadowHovered=t.elevation8:c.variantBorderHovered&&(c.cardShadowHovered="0 0 1px "+c.variantBorderHovered),(0,n.pi)((0,n.pi)({},c),o)}},2167:(e,t,o)=>{"use strict";o.d(t,{e:()=>r});var n=o(9757),r=function(){function e(e,t){this._timeoutIds=null,this._immediateIds=null,this._intervalIds=null,this._animationFrameIds=null,this._isDisposed=!1,this._parent=e||null,this._onErrorHandler=t,this._noop=function(){}}return e.prototype.dispose=function(){var e;if(this._isDisposed=!0,this._parent=null,this._timeoutIds){for(e in this._timeoutIds)this._timeoutIds.hasOwnProperty(e)&&this.clearTimeout(parseInt(e,10));this._timeoutIds=null}if(this._immediateIds){for(e in this._immediateIds)this._immediateIds.hasOwnProperty(e)&&this.clearImmediate(parseInt(e,10));this._immediateIds=null}if(this._intervalIds){for(e in this._intervalIds)this._intervalIds.hasOwnProperty(e)&&this.clearInterval(parseInt(e,10));this._intervalIds=null}if(this._animationFrameIds){for(e in this._animationFrameIds)this._animationFrameIds.hasOwnProperty(e)&&this.cancelAnimationFrame(parseInt(e,10));this._animationFrameIds=null}},e.prototype.setTimeout=function(e,t){var o=this,n=0;return this._isDisposed||(this._timeoutIds||(this._timeoutIds={}),n=setTimeout((function(){try{o._timeoutIds&&delete o._timeoutIds[n],e.apply(o._parent)}catch(e){o._logError(e)}}),t),this._timeoutIds[n]=!0),n},e.prototype.clearTimeout=function(e){this._timeoutIds&&this._timeoutIds[e]&&(clearTimeout(e),delete this._timeoutIds[e])},e.prototype.setImmediate=function(e,t){var o=this,r=0,i=(0,n.J)(t);return this._isDisposed||(this._immediateIds||(this._immediateIds={}),r=i.setTimeout((function(){try{o._immediateIds&&delete o._immediateIds[r],e.apply(o._parent)}catch(e){o._logError(e)}}),0),this._immediateIds[r]=!0),r},e.prototype.clearImmediate=function(e,t){var o=(0,n.J)(t);this._immediateIds&&this._immediateIds[e]&&(o.clearTimeout(e),delete this._immediateIds[e])},e.prototype.setInterval=function(e,t){var o=this,n=0;return this._isDisposed||(this._intervalIds||(this._intervalIds={}),n=setInterval((function(){try{e.apply(o._parent)}catch(e){o._logError(e)}}),t),this._intervalIds[n]=!0),n},e.prototype.clearInterval=function(e){this._intervalIds&&this._intervalIds[e]&&(clearInterval(e),delete this._intervalIds[e])},e.prototype.throttle=function(e,t,o){var n=this;if(this._isDisposed)return this._noop;var r,i,a=t||0,s=!0,l=!0,c=0,u=null;o&&"boolean"==typeof o.leading&&(s=o.leading),o&&"boolean"==typeof o.trailing&&(l=o.trailing);var d=function(t){var o=Date.now(),p=o-c,m=s?a-p:a;return p>=a&&(!t||s)?(c=o,u&&(n.clearTimeout(u),u=null),r=e.apply(n._parent,i)):null===u&&l&&(u=n.setTimeout(d,m)),r};return function(){for(var e=[],t=0;t=s&&(o=!0),d=t);var r=t-d,a=s-r,h=t-p,v=!1;return null!==u&&(h>=u&&m?v=!0:a=Math.min(a,u-h)),r>=s||v||o?g(t):null!==m&&e||!c||(m=n.setTimeout(f,a)),i},v=function(){return!!m},b=function(){for(var e=[],t=0;t{"use strict";o.d(t,{H:()=>u,S:()=>p});var n=o(7622),r=o(7002),i=o(2167),a=o(9919),s=o(5415),l=o(209),c=o(3129),u=function(e){function t(o,n){var r=e.call(this,o,n)||this;return function(e,t,o){for(var n=0,r=o.length;n1?e[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 i.e(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 a.r(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(o){return t[e]=o}),this.__resolves[e]},t.prototype._updateComponentRef=function(e,t){void 0===t&&(t={}),e&&t&&e.componentRef!==t.componentRef&&(this._setComponentRef(e.componentRef,null),this._setComponentRef(t.componentRef,this))},t.prototype._warnDeprecations=function(e){(0,c.b)(this.className,this.props,e)},t.prototype._warnMutuallyExclusive=function(e){(0,l.L)(this.className,this.props,e)},t.prototype._warnConditionallyRequiredProps=function(e,t,o){(0,s.w)(this.className,this.props,e,t,o)},t.prototype._setComponentRef=function(e,t){!this._skipComponentRefResolution&&e&&("function"==typeof e&&e(t),"object"==typeof e&&(e.current=t))},t}(r.Component);function d(e,t,o){var n=e[o],r=t[o];(n||r)&&(e[o]=function(){for(var e,t=[],o=0;o{"use strict";o.d(t,{U:()=>i});var n=o(7622),r=o(7002),i=function(e){function t(t){var o=e.call(this,t)||this;return o.state={isRendered:!1},o}return(0,n.ZT)(t,e),t.prototype.componentDidMount=function(){var e=this,t=this.props.delay;this._timeoutId=window.setTimeout((function(){e.setState({isRendered:!0})}),t)},t.prototype.componentWillUnmount=function(){this._timeoutId&&clearTimeout(this._timeoutId)},t.prototype.render=function(){return this.state.isRendered?r.Children.only(this.props.children):null},t.defaultProps={delay:0},t}(r.Component)},9919:(e,t,o)=>{"use strict";o.d(t,{r:()=>r});var n=o(2447),r=function(){function e(t){this._id=e._uniqueId++,this._parent=t,this._eventRecords=[]}return e.raise=function(t,o,r,i){var a;if(e._isElement(t)){if("undefined"!=typeof document&&document.createEvent){var s=document.createEvent("HTMLEvents");s.initEvent(o,i||!1,!0),(0,n.f0)(s,r),a=t.dispatchEvent(s)}else if("undefined"!=typeof document&&document.createEventObject){var l=document.createEventObject(r);t.fireEvent("on"+o,l)}}else for(;t&&!1!==a;){var c=t.__events__,u=c?c[o]:null;if(u)for(var d in u)if(u.hasOwnProperty(d))for(var p=u[d],m=0;!1!==a&&m-1)for(var a=o.split(/[ ,]+/),s=0;s{"use strict";o.d(t,{D:()=>i});var n=o(9757),r=0,i=function(){function e(){}return e.getValue=function(e,t){var o=a();return void 0===o[e]&&(o[e]="function"==typeof t?t():t),o[e]},e.setValue=function(e,t){var o=a(),n=o.__callbacks__,r=o[e];if(t!==r){o[e]=t;var i={oldValue:r,value:t,key:e};for(var s in n)n.hasOwnProperty(s)&&n[s](i)}return t},e.addChangeListener=function(e){var t=e.__id__,o=s();t||(t=e.__id__=String(r++)),o[t]=e},e.removeChangeListener=function(e){delete s()[e.__id__]},e}();function a(){var e,t=(0,n.J)()||{};return t.__globalSettings__||(t.__globalSettings__=((e={}).__callbacks__={},e)),t.__globalSettings__}function s(){return a().__callbacks__}},8145:(e,t,o)=>{"use strict";o.d(t,{m:()=>n});var n={backspace:8,tab:9,enter:13,shift:16,ctrl:17,alt:18,pauseBreak:19,capslock:20,escape:27,space:32,pageUp:33,pageDown:34,end:35,home:36,left:37,up:38,right:39,down:40,insert:45,del:46,zero:48,one:49,two:50,three:51,four:52,five:53,six:54,seven:55,eight:56,nine:57,a:65,b:66,c:67,d:68,e:69,f:70,g:71,h:72,i:73,j:74,k:75,l:76,m:77,n:78,o:79,p:80,q:81,r:82,s:83,t:84,u:85,v:86,w:87,x:88,y:89,z:90,leftWindow:91,rightWindow:92,select:93,zero_numpad:96,one_numpad:97,two_numpad:98,three_numpad:99,four_numpad:100,five_numpad:101,six_numpad:102,seven_numpad:103,eight_numpad:104,nine_numpad:105,multiply:106,add:107,subtract:109,decimalPoint:110,divide:111,f1:112,f2:113,f3:114,f4:115,f5:116,f6:117,f7:118,f8:119,f9:120,f10:121,f11:122,f12:123,numlock:144,scrollLock:145,semicolon:186,equalSign:187,comma:188,dash:189,period:190,forwardSlash:191,graveAccent:192,openBracket:219,backSlash:220,closeBracket:221,singleQuote:222}},4884:(e,t,o)=>{"use strict";o.d(t,{A:()=>n});var n=function(){function e(e,t,o,n){void 0===e&&(e=0),void 0===t&&(t=0),void 0===o&&(o=0),void 0===n&&(n=0),this.top=o,this.bottom=n,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}()},9151:(e,t,o)=>{"use strict";function n(e){for(var t=[],o=1;on})},9577:(e,t,o)=>{"use strict";function n(){for(var e=[],t=0;tn})},2470:(e,t,o)=>{"use strict";function n(e,t,o){void 0===o&&(o=0);for(var n=-1,r=o;e&&rn,sE:()=>r,Ri:()=>i,QC:()=>a,$E:()=>s,wm:()=>l,OA:()=>c,xH:()=>u,cO:()=>d})},7300:(e,t,o)=>{"use strict";o.d(t,{y:()=>u});var n=o(729),r=o(2005),i=o(5951),a=o(9757),s=0,l=n.Y.getInstance();l&&l.onReset&&l.onReset((function(){return s++}));var c="__retval__";function u(e){void 0===e&&(e={});var t=new Map,o=0,n=0,l=s;return function(u,d){var m,h;if(void 0===d&&(d={}),e.useStaticStyles&&"function"==typeof u&&u.__noStyleOverride__)return u(d);n++;var g=t,f=d.theme,v=f&&void 0!==f.rtl?f.rtl:(0,i.zg)(),b=e.disableCaching;return l!==s&&(l=s,t=new Map,o=0),e.disableCaching||(g=p(t,u),g=p(g,d)),!b&&g[c]||(g[c]=void 0===u?{}:(0,r.I)(["function"==typeof u?u(d):u],{rtl:!!v,specificityMultiplier:e.useStaticStyles?5:void 0}),b||o++),o>(e.cacheSize||50)&&((null===(h=null===(m=(0,a.J)())||void 0===m?void 0:m.FabricConfig)||void 0===h?void 0:h.enableClassNameCacheFullWarning)&&(console.warn("Styles are being recalculated too frequently. Cache miss rate is "+o+"/"+n+"."),console.trace()),t.clear(),o=0,e.disableCaching=!0),g[c]}}function d(e,t){return t=function(e){switch(e){case void 0:return"__undefined__";case null:return"__null__";default:return e}}(t),e.has(t)||e.set(t,new Map),e.get(t)}function p(e,t){if("function"==typeof t)if(t.__cachedInputs__)for(var o=0,n=t.__cachedInputs__;o{"use strict";function n(e,t){return void 0!==e[t]&&null!==e[t]}o.d(t,{s:()=>n})},4932:(e,t,o)=>{"use strict";o.d(t,{S:()=>i});var n=o(2470),r=function(e){return function(t){for(var o=0,n=e.refs;o{"use strict";function n(){for(var e=[],t=0;tn})},1767:(e,t,o)=>{"use strict";o.d(t,{X:()=>l});var n=o(7622),r=o(5822),i={settings:{},scopedSettings:{},inCustomizerContext:!1},a=r.D.getValue("customizations",{settings:{},scopedSettings:{},inCustomizerContext:!1}),s=[],l=function(){function e(){}return e.reset=function(){a.settings={},a.scopedSettings={}},e.applySettings=function(t){a.settings=(0,n.pi)((0,n.pi)({},a.settings),t),e._raiseChange()},e.applyScopedSettings=function(t,o){a.scopedSettings[t]=(0,n.pi)((0,n.pi)({},a.scopedSettings[t]),o),e._raiseChange()},e.getSettings=function(e,t,o){void 0===o&&(o=i);for(var n={},r=t&&o.scopedSettings[t]||{},s=t&&a.scopedSettings[t]||{},l=0,c=e;l{"use strict";o.d(t,{N:()=>l});var n=o(7622),r=o(7002),i=o(1767),a=o(7576),s=o(8889),l=function(e){function t(){var t=null!==e&&e.apply(this,arguments)||this;return t._onCustomizationChange=function(){return t.forceUpdate()},t}return(0,n.ZT)(t,e),t.prototype.componentDidMount=function(){i.X.observe(this._onCustomizationChange)},t.prototype.componentWillUnmount=function(){i.X.unobserve(this._onCustomizationChange)},t.prototype.render=function(){var e=this,t=this.props.contextTransform;return r.createElement(a.i.Consumer,null,(function(o){var n=(0,s.u)(e.props,o);return t&&(n=t(n)),r.createElement(a.i.Provider,{value:n},e.props.children)}))},t}(r.Component)},7576:(e,t,o)=>{"use strict";o.d(t,{i:()=>n});var n=o(7002).createContext({customizations:{inCustomizerContext:!1,settings:{},scopedSettings:{}}})},6053:(e,t,o)=>{"use strict";o.d(t,{a:()=>c});var n=o(7622),r=o(7002),i=o(1767),a=o(1529),s=o(7576),l=o(3570);function c(e,t,o){return function(c){var u,d=((u=function(a){function u(e){var t=a.call(this,e)||this;return t._styleCache={},t._onSettingChanged=t._onSettingChanged.bind(t),t}return(0,n.ZT)(u,a),u.prototype.componentDidMount=function(){i.X.observe(this._onSettingChanged)},u.prototype.componentWillUnmount=function(){i.X.unobserve(this._onSettingChanged)},u.prototype.render=function(){var a=this;return r.createElement(s.i.Consumer,null,(function(s){var u=i.X.getSettings(t,e,s.customizations),d=a.props;if(u.styles&&"function"==typeof u.styles&&(u.styles=u.styles((0,n.pi)((0,n.pi)({},u),d))),o&&u.styles){if(a._styleCache.default!==u.styles||a._styleCache.component!==d.styles){var p=(0,l.m)(u.styles,d.styles);a._styleCache.default=u.styles,a._styleCache.component=d.styles,a._styleCache.merged=p}return r.createElement(c,(0,n.pi)({},u,d,{styles:a._styleCache.merged}))}return r.createElement(c,(0,n.pi)({},u,d))}))},u.prototype._onSettingChanged=function(){this.forceUpdate()},u}(r.Component)).displayName="Customized"+e,u);return(0,a.f)(c,d)}}},8889:(e,t,o)=>{"use strict";o.d(t,{u:()=>r});var n=o(3579);function r(e,t){var o=(t||{}).customizations,r=void 0===o?{settings:{},scopedSettings:{}}:o;return{customizations:{settings:(0,n.O)(r.settings,e.settings),scopedSettings:(0,n.J)(r.scopedSettings,e.scopedSettings),inCustomizerContext:!0}}}},3579:(e,t,o)=>{"use strict";o.d(t,{O:()=>r,J:()=>i});var n=o(7622);function r(e,t){return void 0===e&&(e={}),(a(t)?t:function(e){return function(t){return e?(0,n.pi)((0,n.pi)({},t),e):t}}(t))(e)}function i(e,t){return void 0===e&&(e={}),(a(t)?t:(void 0===(o=t)&&(o={}),function(e){var t=(0,n.pi)({},e);for(var r in o)o.hasOwnProperty(r)&&(t[r]=(0,n.pi)((0,n.pi)({},e[r]),o[r]));return t}))(e);var o}function a(e){return"function"==typeof e}},9296:(e,t,o)=>{"use strict";o.d(t,{D:()=>a});var n=o(7002),r=o(1767),i=o(7576);function a(e,t){var o,a=(o=n.useState(0)[1],function(){return o((function(e){return++e}))}),s=n.useContext(i.i).customizations,l=s.inCustomizerContext;return n.useEffect((function(){return l||r.X.observe(a),function(){l||r.X.unobserve(a)}}),[l]),r.X.getSettings(e,t,s)}},5446:(e,t,o)=>{"use strict";o.d(t,{M:()=>r});var n=o(6169);function r(e){if(!n.N&&"undefined"!=typeof document){var t=e;return t&&t.ownerDocument?t.ownerDocument:document}}},9757:(e,t,o)=>{"use strict";o.d(t,{J:()=>i});var n=o(6169),r=void 0;try{r=window}catch(e){}function i(e){if(!n.N&&void 0!==r){var t=e;return t&&t.ownerDocument&&t.ownerDocument.defaultView?t.ownerDocument.defaultView:r}}},9251:(e,t,o)=>{"use strict";function n(e,t,o,n){return e.addEventListener(t,o,n),function(){return e.removeEventListener(t,o,n)}}o.d(t,{on:()=>n})},3978:(e,t,o)=>{"use strict";function n(e){var t=function(e){var t;return"function"==typeof Event?t=new Event(e):(t=document.createEvent("Event")).initEvent(e,!0,!0),t}("MouseEvents");t.initEvent("click",!0,!0),e.dispatchEvent(t)}o.d(t,{x:()=>n})},6169:(e,t,o)=>{"use strict";o.d(t,{N:()=>n,T:()=>r});var n=!1;function r(e){n=e}},3774:(e,t,o)=>{"use strict";o.d(t,{c:()=>r});var n=o(9151);function r(e,t){for(var o in t)t.hasOwnProperty(o)&&(e[o]=(0,n.Z)(e,e[o],t[o]))}},4553:(e,t,o)=>{"use strict";o.d(t,{ft:()=>l,TE:()=>c,RK:()=>u,xY:()=>d,uo:()=>p,TD:()=>m,dc:()=>h,Jv:()=>g,MW:()=>f,jz:()=>v,gc:()=>b,WU:()=>y,mM:()=>_,um:()=>S,bF:()=>x,xu:()=>k});var n=o(5081),r=o(3345),i=o(6840),a=o(9757),s=o(5446);function l(e,t,o){return h(e,t,!0,!1,!1,o)}function c(e,t,o){return m(e,t,!0,!1,!0,o)}function u(e,t,o,n){return void 0===n&&(n=!0),h(e,t,n,!1,!1,o,!1,!0)}function d(e,t,o,n){return void 0===n&&(n=!0),m(e,t,n,!1,!0,o,!1,!0)}function p(e){var t=h(e,e,!0,!1,!1,!0);return!!t&&(S(t),!0)}function m(e,t,o,n,r,i,a,s){if(!t||!a&&t===e)return null;var l=g(t);if(r&&l&&(i||!v(t)&&!b(t))){var c=m(e,t.lastElementChild,!0,!0,!0,i,a,s);if(c){if(s&&f(c,!0)||!s)return c;var u=m(e,c.previousElementSibling,!0,!0,!0,i,a,s);if(u)return u;for(var d=c.parentElement;d&&d!==t;){var p=m(e,d.previousElementSibling,!0,!0,!0,i,a,s);if(p)return p;d=d.parentElement}}}return o&&l&&f(t,s)?t:m(e,t.previousElementSibling,!0,!0,!0,i,a,s)||(n?null:m(e,t.parentElement,!0,!1,!1,i,a,s))}function h(e,t,o,n,r,i,a,s){if(!t||t===e&&r&&!a)return null;var l=g(t);if(o&&l&&f(t,s))return t;if(!r&&l&&(i||!v(t)&&!b(t))){var c=h(e,t.firstElementChild,!0,!0,!1,i,a,s);if(c)return c}return t===e?null:h(e,t.nextElementSibling,!0,!0,!1,i,a,s)||(n?null:h(e,t.parentElement,!1,!1,!0,i,a,s))}function g(e){if(!e||!e.getAttribute)return!1;var t=e.getAttribute("data-is-visible");return null!=t?"true"===t:0!==e.offsetHeight||null!==e.offsetParent||!0===e.isVisible}function f(e,t){if(!e||e.disabled)return!1;var o=0,n=null;e&&e.getAttribute&&(n=e.getAttribute("tabIndex"))&&(o=parseInt(n,10));var r=e.getAttribute?e.getAttribute("data-is-focusable"):null,i=null!==n&&o>=0,a=!!e&&"false"!==r&&("A"===e.tagName||"BUTTON"===e.tagName||"INPUT"===e.tagName||"TEXTAREA"===e.tagName||"SELECT"===e.tagName||"true"===r||i);return t?-1!==o&&a:a}function v(e){return!!(e&&e.getAttribute&&e.getAttribute("data-focuszone-id"))}function b(e){return!(!e||!e.getAttribute||"true"!==e.getAttribute("data-is-sub-focuszone"))}function y(e){var t=(0,s.M)(e),o=t&&t.activeElement;return!(!o||!(0,r.t)(e,o))}function _(e,t){return"true"!==(0,n.j)(e,t)}var C=void 0;function S(e){if(e){if(C)return void(C=e);C=e;var t=(0,a.J)(e);t&&t.requestAnimationFrame((function(){C&&C.focus(),C=void 0}))}}function x(e,t){for(var o=e,n=0,r=t;n{"use strict";o.d(t,{z:()=>s,_:()=>l});var n=o(9757),r=o(729),i=(0,n.J)()||{};void 0===i.__currentId__&&(i.__currentId__=0);var a=!1;function s(e){if(!a){var t=r.Y.getInstance();t&&t.onReset&&t.onReset(l),a=!0}return(void 0===e?"id__":e)+i.__currentId__++}function l(e){void 0===e&&(e=0),i.__currentId__=e}},63:(e,t,o)=>{"use strict";o.d(t,{j:()=>r});var n=o(7622);function r(e,t){for(var o=(0,n.pi)({},t),r=0,i=Object.keys(e);r{"use strict";o.d(t,{W:()=>r,e:()=>i});var n=["setState","render","componentWillMount","UNSAFE_componentWillMount","componentDidMount","componentWillReceiveProps","UNSAFE_componentWillReceiveProps","shouldComponentUpdate","componentWillUpdate","getSnapshotBeforeUpdate","UNSAFE_componentWillUpdate","componentDidUpdate","componentWillUnmount"];function r(e,t,o){void 0===o&&(o=n);var r=[],i=function(n){"function"!=typeof t[n]||void 0!==e[n]||o&&-1!==o.indexOf(n)||(r.push(n),e[n]=function(){for(var e=[],o=0;o{"use strict";function n(e,t){for(var o in e)e.hasOwnProperty(o)&&(t[o]=e[o]);return t}o.d(t,{f:()=>n})},5036:(e,t,o)=>{"use strict";o.d(t,{f:()=>r});var n=o(9757),r=function(){var e,t,o=(0,n.J)();return!!(null===(t=null===(e=o)||void 0===e?void 0:e.navigator)||void 0===t?void 0:t.userAgent)&&o.navigator.userAgent.indexOf("rv:11.0")>-1}},688:(e,t,o)=>{"use strict";o.d(t,{l:()=>r});var n=o(3774);function r(e){(0,n.c)(e,{componentDidMount:i,componentDidUpdate:a,componentWillUnmount:s})}function i(){l(this.props.componentRef,this)}function a(e){e.componentRef!==this.props.componentRef&&(l(e.componentRef,null),l(this.props.componentRef,this))}function s(){l(this.props.componentRef,null)}function l(e,t){e&&("object"==typeof e?e.current=t:"function"==typeof e&&e(t))}},6104:(e,t,o)=>{"use strict";o.d(t,{Q:()=>l});var n=/[\(\[\{][^\)\]\}]*[\)\]\}]/g,r=/[\0-\u001F\!-/:-@\[-`\{-\u00BF\u0250-\u036F\uD800-\uFFFF]/g,i=/^\d+[\d\s]*(:?ext|x|)\s*\d+$/i,a=/\s+/g,s=/[\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]/;function l(e,t,o){return e?(e=function(e){return(e=(e=(e=e.replace(n,"")).replace(r,"")).replace(a," ")).trim()}(e),s.test(e)||!o&&i.test(e)?"":function(e,t){var o="",n=e.split(" ");return 2===n.length?(o+=n[0].charAt(0).toUpperCase(),o+=n[1].charAt(0).toUpperCase()):3===n.length?(o+=n[0].charAt(0).toUpperCase(),o+=n[2].charAt(0).toUpperCase()):0!==n.length&&(o+=n[0].charAt(0).toUpperCase()),t&&o.length>1?o.charAt(1)+o.charAt(0):o}(e,t)):""}},7414:(e,t,o)=>{"use strict";o.d(t,{L:()=>a,e:()=>s});var n,r=o(8145),i=((n={})[r.m.up]=1,n[r.m.down]=1,n[r.m.left]=1,n[r.m.right]=1,n[r.m.home]=1,n[r.m.end]=1,n[r.m.tab]=1,n[r.m.pageUp]=1,n[r.m.pageDown]=1,n);function a(e){return!!i[e]}function s(e){i[e]=1}},3856:(e,t,o)=>{"use strict";o.d(t,{G:()=>l,m:()=>c});var n,r=o(5446),i=o(9757),a=o(6982),s="language";function l(e){if(void 0===e&&(e="sessionStorage"),void 0===n){var t=(0,r.M)(),o="localStorage"===e?function(e){var t=null;try{var o=(0,i.J)();t=o?o.localStorage.getItem("language"):null}catch(e){}return t}():"sessionStorage"===e?a.r(s):void 0;o&&(n=o),void 0===n&&t&&(n=t.documentElement.getAttribute("lang")),void 0===n&&(n="en")}return n}function c(e,t){var o=(0,r.M)();o&&o.documentElement.setAttribute("lang",e);var l=!0===t?"none":t||"sessionStorage";"localStorage"===l?function(e,t){try{var o=(0,i.J)();o&&o.localStorage.setItem("language",t)}catch(e){}}(0,e):"sessionStorage"===l&&a.L(s,e),n=e}},8633:(e,t,o)=>{"use strict";function n(e,t){var o=e.left||e.x||0,n=e.top||e.y||0,r=t.left||t.x||0,i=t.top||t.y||0;return Math.sqrt(Math.pow(o-r,2)+Math.pow(n-i,2))}function r(e){var t,o=e.contentSize,n=e.boundsSize,r=e.mode,i=void 0===r?"contain":r,a=e.maxScale,s=void 0===a?1:a,l=o.width/o.height,c=n.width/n.height;t=("contain"===i?l>c:ln,nK:()=>r,oe:()=>i,F0:()=>a})},5094:(e,t,o)=>{"use strict";o.d(t,{rQ:()=>c,du:()=>u,HP:()=>d,NF:()=>p,Ct:()=>m});var n=o(729),r=!1,i=0,a={empty:!0},s={},l="undefined"==typeof WeakMap?null:WeakMap;function c(e){l=e}function u(){i++}function d(e,t,o){var n=p(o.value&&o.value.bind(null));return{configurable:!0,get:function(){return n}}}function p(e,t,o){if(void 0===t&&(t=100),void 0===o&&(o=!1),!l)return e;if(!r){var a=n.Y.getInstance();a&&a.onReset&&n.Y.getInstance().onReset(u),r=!0}var s,c=0,d=i;return function(){for(var n=[],r=0;r0&&c>t)&&(s=g(),c=0,d=i),a=s;for(var l=0;l{"use strict";function n(e){for(var t=[],o=1;o-1;e[n]=a?i:r(e[n]||{},i,o)}}return o.pop(),e}o.d(t,{T:()=>n})},8936:(e,t,o)=>{"use strict";o.d(t,{g:()=>n});var n=function(){return!!(window&&window.navigator&&window.navigator.userAgent)&&/iPad|iPhone|iPod/i.test(window.navigator.userAgent)}},6093:(e,t,o)=>{"use strict";o.d(t,{O:()=>r});var n=o(5446);function r(e){for(var t,o=[],r=(0,n.M)(e)||document;e!==r.body;){for(var i=0,a=e.parentElement.children;i{"use strict";function n(e,t){for(var o in e)if(e.hasOwnProperty(o)&&(!t.hasOwnProperty(o)||t[o]!==e[o]))return!1;for(var o in t)if(t.hasOwnProperty(o)&&!e.hasOwnProperty(o))return!1;return!0}function r(e){for(var t=[],o=1;on,f0:()=>r,lW:()=>i,vT:()=>a,VO:()=>s,CE:()=>l})},6479:(e,t,o)=>{"use strict";o.d(t,{V:()=>i});var n,r=o(9757);function i(e){if(void 0===n||e){var t=(0,r.J)(),o=t&&t.navigator.userAgent;n=!!o&&-1!==o.indexOf("Macintosh")}return!!n}},6670:(e,t,o)=>{"use strict";function n(e){return e.clientWidthn,cs:()=>r,zS:()=>i})},8127:(e,t,o)=>{"use strict";o.d(t,{WO:()=>r,Nf:()=>i,iY:()=>a,mp:()=>s,vF:()=>l,NI:()=>c,t$:()=>u,PT:()=>d,h2:()=>p,Yq:()=>m,Gg:()=>h,FI:()=>g,bL:()=>f,Qy:()=>v,$B:()=>b,PC:()=>y,fI:()=>_,IX:()=>C,YG:()=>S,qi:()=>x,NX:()=>k,SZ:()=>w,it:()=>I,X7:()=>D,n7:()=>T,pq:()=>E});var n=function(){for(var e=[],t=0;t=0||0===l.indexOf("data-")||0===l.indexOf("aria-"))||o&&-1!==(null===(n=o)||void 0===n?void 0:n.indexOf(l))||(i[l]=e[l])}return i}},8826:(e,t,o)=>{"use strict";o.d(t,{k:()=>i});var n=o(5094),r=(0,n.Ct)((function(e){return(0,n.Ct)((function(t){var o=(0,n.Ct)((function(e){return function(o){return t(o,e)}}));return function(n,r){return e(n,r?o(r):t)}}))}));function i(e,t){return r(e)(t)}},5951:(e,t,o)=>{"use strict";o.d(t,{zg:()=>c,ok:()=>u,dP:()=>d});var n,r=o(8145),i=o(5446),a=o(6982),s=o(6825),l="isRTL";function c(e){if(void 0===e&&(e={}),void 0!==e.rtl)return e.rtl;if(void 0===n){var t=(0,a.r)(l);null!==t&&u(n="1"===t);var o=(0,i.M)();void 0===n&&o&&(n="rtl"===(o.body&&o.body.getAttribute("dir")||o.documentElement.getAttribute("dir")),(0,s.ok)(n))}return!!n}function u(e,t){void 0===t&&(t=!1);var o=(0,i.M)();o&&o.documentElement.setAttribute("dir",e?"rtl":"ltr"),t&&(0,a.L)(l,e?"1":"0"),n=e,(0,s.ok)(n)}function d(e,t){return void 0===t&&(t={}),c(t)&&(e===r.m.left?e=r.m.right:e===r.m.right&&(e=r.m.left)),e}},2990:(e,t,o)=>{"use strict";o.d(t,{J:()=>r});var n=o(3774),r=function(e){var t;return function(o){t||(t=new Set,(0,n.c)(e,{componentWillUnmount:function(){t.forEach((function(e){return cancelAnimationFrame(e)}))}}));var r=requestAnimationFrame((function(){t.delete(r),o()}));t.add(r)}}},4948:(e,t,o)=>{"use strict";o.d(t,{c6:()=>c,C7:()=>u,eC:()=>d,Qp:()=>m,tG:()=>h,np:()=>g,zj:()=>f});var n,r=o(5446),i=o(9444),a=o(9757),s=0,l=(0,i.y)({overflow:"hidden !important"}),c="data-is-scrollable",u=function(e,t){if(e){var o=0,n=null;t.on(e,"touchstart",(function(e){1===e.targetTouches.length&&(o=e.targetTouches[0].clientY)}),{passive:!1}),t.on(e,"touchmove",(function(e){if(1===e.targetTouches.length&&(e.stopPropagation(),n)){var t=e.targetTouches[0].clientY-o,r=f(e.target);r&&(n=r),0===n.scrollTop&&t>0&&e.preventDefault(),n.scrollHeight-Math.ceil(n.scrollTop)<=n.clientHeight&&t<0&&e.preventDefault()}}),{passive:!1}),n=e}},d=function(e,t){e&&t.on(e,"touchmove",(function(e){e.stopPropagation()}),{passive:!1})},p=function(e){e.preventDefault()};function m(){var e=(0,r.M)();e&&e.body&&!s&&(e.body.classList.add(l),e.body.addEventListener("touchmove",p,{passive:!1,capture:!1})),s++}function h(){if(s>0){var e=(0,r.M)();e&&e.body&&1===s&&(e.body.classList.remove(l),e.body.removeEventListener("touchmove",p)),s--}}function g(){if(void 0===n){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),n=e.offsetWidth-e.clientWidth,document.body.removeChild(e)}return n}function f(e){for(var t=e,o=(0,r.M)(e);t&&t!==o.body;){if("true"===t.getAttribute(c))return t;t=t.parentElement}for(t=e;t&&t!==o.body;){if("false"!==t.getAttribute(c)){var n=getComputedStyle(t),i=n?n.getPropertyValue("overflow-y"):"";if(i&&("scroll"===i||"auto"===i))return t}t=t.parentElement}return t&&t!==o.body||(t=(0,a.J)(e)),t}},3297:(e,t,o)=>{"use strict";o.d(t,{Y:()=>i});var n=o(5238),r=o(9919),i=function(){function e(){for(var e=[],t=0;t0&&this._isAllSelected&&0===this._exemptedCount||!this._isAllSelected&&this._exemptedCount===e&&e>0},e.prototype.isKeySelected=function(e){var t=this._keyToIndexMap[e];return this.isIndexSelected(t)},e.prototype.isIndexSelected=function(e){return!!(this.count>0&&this._isAllSelected&&!this._exemptedIndices[e]&&!this._unselectableIndices[e]||!this._isAllSelected&&this._exemptedIndices[e])},e.prototype.setAllSelected=function(e){if(!e||this.mode===n.oW.multiple){var t=this._items?this._items.length-this._unselectableCount:0;this.setChangeEvents(!1),t>0&&(this._exemptedCount>0||e!==this._isAllSelected)&&(this._exemptedIndices={},(e!==this._isAllSelected||this._exemptedCount>0)&&(this._exemptedCount=0,this._isAllSelected=e,this._change()),this._updateCount()),this.setChangeEvents(!0)}},e.prototype.setKeySelected=function(e,t,o){var n=this._keyToIndexMap[e];n>=0&&this.setIndexSelected(n,t,o)},e.prototype.setIndexSelected=function(e,t,o){if(this.mode!==n.oW.none&&!((e=Math.min(Math.max(0,e),this._items.length-1))<0||e>=this._items.length)){this.setChangeEvents(!1);var r=this._exemptedIndices[e];!this._unselectableIndices[e]&&(t&&this.mode===n.oW.single&&this._setAllSelected(!1,!0),r&&(t&&this._isAllSelected||!t&&!this._isAllSelected)&&(delete this._exemptedIndices[e],this._exemptedCount--),!r&&(t&&!this._isAllSelected||!t&&this._isAllSelected)&&(this._exemptedIndices[e]=!0,this._exemptedCount++),o&&(this._anchoredIndex=e)),this._updateCount(),this.setChangeEvents(!0)}},e.prototype.selectToKey=function(e,t){this.selectToIndex(this._keyToIndexMap[e],t)},e.prototype.selectToIndex=function(e,t){if(this.mode!==n.oW.none)if(this.mode!==n.oW.single){var o=this._anchoredIndex||0,r=Math.min(e,o),i=Math.max(e,o);for(this.setChangeEvents(!1),t&&this._setAllSelected(!1,!0);r<=i;r++)this.setIndexSelected(r,!0,!1);this.setChangeEvents(!0)}else this.setIndexSelected(e,!0,!0)},e.prototype.toggleAllSelected=function(){this.setAllSelected(!this.isAllSelected())},e.prototype.toggleKeySelected=function(e){this.setKeySelected(e,!this.isKeySelected(e),!0)},e.prototype.toggleIndexSelected=function(e){this.setIndexSelected(e,!this.isIndexSelected(e),!0)},e.prototype.toggleRangeSelected=function(e,t){if(this.mode!==n.oW.none){var o=this.isRangeSelected(e,t),r=e+t;if(!(this.mode===n.oW.single&&t>1)){this.setChangeEvents(!1);for(var i=e;i0&&(this._exemptedCount>0||e!==this._isAllSelected)&&(this._exemptedIndices={},(e!==this._isAllSelected||this._exemptedCount>0)&&(this._exemptedCount=0,this._isAllSelected=e,this._change()),this._updateCount(t)),this.setChangeEvents(!0)}},e.prototype._change=function(){0===this._changeEventSuppressionCount?(this._selectedItems=null,this._selectedIndices=void 0,r.r.raise(this,n.F5),this._onSelectionChanged&&this._onSelectionChanged()):this._hasChanged=!0},e}();function a(e,t){var o=(e||{}).key;return void 0===o?""+t:o}},5238:(e,t,o)=>{"use strict";o.d(t,{F5:()=>i,oW:()=>n,a$:()=>r});var n,r,i="change";!function(e){e[e.none=0]="none",e[e.single=1]="single",e[e.multiple=2]="multiple"}(n||(n={})),function(e){e[e.horizontal=0]="horizontal",e[e.vertical=1]="vertical"}(r||(r={}))},6982:(e,t,o)=>{"use strict";o.d(t,{r:()=>r,L:()=>i});var n=o(9757);function r(e){var t=null;try{var o=(0,n.J)();t=o?o.sessionStorage.getItem(e):null}catch(e){}return t}function i(e,t){var o;try{null===(o=(0,n.J)())||void 0===o||o.sessionStorage.setItem(e,t)}catch(e){}}},6145:(e,t,o)=>{"use strict";o.d(t,{G$:()=>r,MU:()=>a});var n=o(9757),r="ms-Fabric--isFocusVisible",i="ms-Fabric--isFocusHidden";function a(e,t){var o=t?(0,n.J)(t):(0,n.J)();if(o){var a=o.document.body.classList;a.add(e?r:i),a.remove(e?i:r)}}},6953:(e,t,o)=>{"use strict";o.d(t,{W:()=>i});var n=/[\{\}]/g,r=/\{\d+\}/g;function i(e){for(var t=[],o=1;o{"use strict";o.d(t,{z:()=>l});var n=o(7622),r=o(7002),i=o(965),a=o(9296),s=["theme","styles"];function l(e,t,o,l,c){var u=(l=l||{scope:"",fields:void 0}).scope,d=l.fields,p=void 0===d?s:d,m=r.forwardRef((function(s,l){var c=r.useRef(),d=(0,a.D)(p,u),m=d.styles,h=(d.dir,(0,n._T)(d,["styles","dir"])),g=o?o(s):void 0,f=c.current&&c.current.__cachedInputs__||[];if(!c.current||m!==f[1]||s.styles!==f[2]){var v=function(e){return(0,i.l)(e,t,m,s.styles)};v.__cachedInputs__=[t,m,s.styles],v.__noStyleOverride__=!m&&!s.styles,c.current=v}return r.createElement(e,(0,n.pi)({ref:l},h,g,s,{styles:c.current}))}));m.displayName="Styled"+(e.displayName||e.name);var h=c?r.memo(m):m;return m.displayName&&(h.displayName=m.displayName),h}},5480:(e,t,o)=>{"use strict";o.d(t,{P:()=>c,u:()=>u});var n=o(7002),r=o(9757),i=o(7414),a=o(6145),s=new WeakMap;function l(e,t){var o,n=s.get(e);return o=n?n+t:1,s.set(e,o),o}function c(e){n.useEffect((function(){var t,o,n=(0,r.J)(null===(t=e)||void 0===t?void 0:t.current);if(n&&!0!==(null===(o=n.FabricConfig)||void 0===o?void 0:o.disableFocusRects)){var i=l(n,1);return i<=1&&(n.addEventListener("mousedown",d,!0),n.addEventListener("pointerdown",p,!0),n.addEventListener("keydown",m,!0)),function(){var e;n&&!0!==(null===(e=n.FabricConfig)||void 0===e?void 0:e.disableFocusRects)&&0===(i=l(n,-1))&&(n.removeEventListener("mousedown",d,!0),n.removeEventListener("pointerdown",p,!0),n.removeEventListener("keydown",m,!0))}}}),[e])}var u=function(e){return c(e.rootRef),null};function d(e){(0,a.MU)(!1,e.target)}function p(e){"mouse"!==e.pointerType&&(0,a.MU)(!1,e.target)}function m(e){(0,i.L)(e.which)&&(0,a.MU)(!0,e.target)}},687:(e,t,o)=>{"use strict";function n(e){console&&console.warn&&console.warn(e)}function r(e){}o.d(t,{Z:()=>n,U:()=>r})},5415:(e,t,o)=>{"use strict";function n(e,t,o,n,r){}o.d(t,{w:()=>n}),o(687)},5301:(e,t,o)=>{"use strict";function n(){}function r(e){}o.d(t,{G:()=>n,Q:()=>r})},3129:(e,t,o)=>{"use strict";function n(e,t,o){}o.d(t,{b:()=>n})},209:(e,t,o)=>{"use strict";function n(e,t,o){}o.d(t,{L:()=>n})},4976:(e,t,o)=>{"use strict";o.d(t,{RM:()=>d,jz:()=>m});var n,r=function(){return(r=Object.assign||function(e){for(var t,o=1,n=arguments.length;oo&&t.push({rawString:e.substring(o,r)}),t.push({theme:n[1],defaultValue:n[2]}),o=l.lastIndex}t.push({rawString:e.substring(o)})}return t}(e),n=s.runState,r=n.mode,i=n.buffer,a=n.flushTimer;t||1===r?(i.push(o),a||(s.runState.flushTimer=setTimeout((function(){s.runState.flushTimer=0,u((function(){var e=s.runState.buffer.slice();s.runState.buffer=[];var t=[].concat.apply([],e);t.length>0&&p(t)}))}),0))):p(o)}))}function p(e,t){s.loadStyles?s.loadStyles(g(e).styleString,e):function(e){if("undefined"!=typeof document){var t=document.getElementsByTagName("head")[0],o=document.createElement("style"),n=g(e),r=n.styleString,i=n.themable;o.setAttribute("data-load-themed-styles","true"),a&&o.setAttribute("nonce",a),o.appendChild(document.createTextNode(r)),s.perf.count++,t.appendChild(o);var l=document.createEvent("HTMLEvents");l.initEvent("styleinsert",!0,!1),l.args={newStyle:o},document.dispatchEvent(l);var c={styleElement:o,themableStyle:e};i?s.registeredThemableStyles.push(c):s.registeredStyles.push(c)}}(e)}function m(e){s.theme=e,function(){if(s.theme){for(var e=[],t=0,o=s.registeredThemableStyles;t0&&(void 0===(r=1)&&(r=3),3!==r&&2!==r||(h(s.registeredStyles),s.registeredStyles=[]),3!==r&&1!==r||(h(s.registeredThemableStyles),s.registeredThemableStyles=[]),p([].concat.apply([],e)))}var r}()}function h(e){e.forEach((function(e){var t=e&&e.styleElement;t&&t.parentElement&&t.parentElement.removeChild(t)}))}function g(e){var t=s.theme,o=!1;return{styleString:(e||[]).map((function(e){var n=e.theme;if(n){o=!0;var r=t?t[n]:void 0,i=e.defaultValue||"inherit";return t&&!r&&console&&!(n in t)&&"undefined"!=typeof DEBUG&&DEBUG&&console.warn('Theming value not provided for "'+n+'". Falling back to "'+i+'".'),r||i}return e.rawString})).join(""),themable:o}}},7622:(e,t,o)=>{"use strict";o.d(t,{ZT:()=>r,pi:()=>i,_T:()=>a,gn:()=>s,pr:()=>l});var n=function(e,t){return(n=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var o in t)t.hasOwnProperty(o)&&(e[o]=t[o])})(e,t)};function r(e,t){function o(){this.constructor=e}n(e,t),e.prototype=null===t?Object.create(t):(o.prototype=t.prototype,new o)}var i=function(){return(i=Object.assign||function(e){for(var t,o=1,n=arguments.length;o=0;s--)(r=e[s])&&(a=(i<3?r(a):i>3?r(t,o,a):r(t,o))||a);return i>3&&a&&Object.defineProperty(t,o,a),a}function l(){for(var e=0,t=0,o=arguments.length;t{"use strict";o.r(t),o.d(t,{ActionButton:()=>T,Calendar:()=>F,Checkbox:()=>L,ChoiceGroup:()=>A,ColorPicker:()=>z,ComboBox:()=>H,CommandBarButton:()=>E,CommandButton:()=>P,CompoundButton:()=>M,DatePicker:()=>O,DefaultButton:()=>R,Dropdown:()=>W,IconButton:()=>N,NormalPeoplePicker:()=>V,PrimaryButton:()=>B,Rating:()=>K,SearchBox:()=>q,Slider:()=>G,SpinButton:()=>U,SwatchColorPicker:()=>j,TextField:()=>J,Toggle:()=>Y});var n=o(2898),r=o(1420),i=o(990),a=o(8959),s=o(9632),l=o(5758),c=o(8924),u=o(4977),d=o(2777),p=o(9240),m=o(6847),h=o(610),g=o(127),f=o(4004),v=o(9318),b=o(558),y=o(6419),_=o(4107),C=o(3134),S=o(9502),x=o(8623),k=o(1431);const w=jsmodule["@/shiny.react"];function I(e,t){(null==t||t>e.length)&&(t=e.length);for(var o=0,n=new Array(t);o{function n(e,t){var o=Object.keys(e);if(Object.getOwnPropertySymbols){var n=Object.getOwnPropertySymbols(e);t&&(n=n.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),o.push.apply(o,n)}return o}function r(e){for(var t=1;t{"use strict";e.exports=jsmodule.react}},t={};function o(n){if(t[n])return t[n].exports;var r=t[n]={exports:{}};return e[n](r,r.exports,o),r.exports}o.n=e=>{var t=e&&e.__esModule?()=>e.default:()=>e;return o.d(t,{a:t}),t},o.d=(e,t)=>{for(var n in t)o.o(t,n)&&!o.o(e,n)&&Object.defineProperty(e,n,{enumerable:!0,get:t[n]})},o.g=function(){if("object"==typeof globalThis)return globalThis;try{return this||new Function("return this")()}catch(e){if("object"==typeof window)return window}}(),o.o=(e,t)=>Object.prototype.hasOwnProperty.call(e,t),o.r=e=>{"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(e,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(e,"__esModule",{value:!0})},(()=>{"use strict";o(4686),(0,o(2481).l)()})()})(); \ No newline at end of file +(()=>{var e={6786:(e,t,o)=>{"use strict";o.d(t,{mR:()=>r,tf:()=>i});var n=o(7622),r={formatDay:function(e){return e.getDate().toString()},formatMonth:function(e,t){return t.months[e.getMonth()]},formatYear:function(e){return e.getFullYear().toString()},formatMonthDayYear:function(e,t){return t.months[e.getMonth()]+" "+e.getDate()+", "+e.getFullYear()},formatMonthYear:function(e,t){return t.months[e.getMonth()]+" "+e.getFullYear()}},i=(0,n.pi)((0,n.pi)({},{months:["January","February","March","April","May","June","July","August","September","October","November","December"],shortMonths:["Jan","Feb","Mar","Apr","May","Jun","Jul","Aug","Sep","Oct","Nov","Dec"],days:["Sunday","Monday","Tuesday","Wednesday","Thursday","Friday","Saturday"],shortDays:["S","M","T","W","T","F","S"]}),{goToToday:"Go to today",weekNumberFormatString:"Week number {0}",prevMonthAriaLabel:"Previous month",nextMonthAriaLabel:"Next month",prevYearAriaLabel:"Previous year",nextYearAriaLabel:"Next year",prevYearRangeAriaLabel:"Previous year range",nextYearRangeAriaLabel:"Next year range",closeButtonAriaLabel:"Close",selectedDateFormatString:"Selected date {0}",todayDateFormatString:"Today's date {0}",monthPickerHeaderAriaLabel:"{0}, change year",yearPickerHeaderAriaLabel:"{0}, change month",dayMarkedAriaLabel:"marked"})},6974:(e,t,o)=>{"use strict";o.d(t,{E4:()=>i,jh:()=>a,zI:()=>s,Bc:()=>l,pU:()=>c,D7:()=>u,W8:()=>d,Q9:()=>p,q0:()=>m,aN:()=>h,NJ:()=>g,e0:()=>f,le:()=>v,iU:()=>b,uW:()=>y,wu:()=>_,Hx:()=>C,c8:()=>x});var n=o(1093),r=o(7433);function i(e,t){var o=new Date(e.getTime());return o.setDate(o.getDate()+t),o}function a(e,t){return i(e,t*r.r.DaysInOneWeek)}function s(e,t){var o=new Date(e.getTime()),n=o.getMonth()+t;return o.setMonth(n),o.getMonth()!==(n%r.r.MonthInOneYear+r.r.MonthInOneYear)%r.r.MonthInOneYear&&(o=i(o,-o.getDate())),o}function l(e,t){var o=new Date(e.getTime());return o.setFullYear(e.getFullYear()+t),o.getMonth()!==(e.getMonth()%r.r.MonthInOneYear+r.r.MonthInOneYear)%r.r.MonthInOneYear&&(o=i(o,-o.getDate())),o}function c(e){return new Date(e.getFullYear(),e.getMonth(),1,0,0,0,0)}function u(e){return new Date(e.getFullYear(),e.getMonth()+1,0,0,0,0,0)}function d(e){return new Date(e.getFullYear(),0,1,0,0,0,0)}function p(e){return new Date(e.getFullYear()+1,0,0,0,0,0,0)}function m(e,t){return s(e,t-e.getMonth())}function h(e,t){return!e&&!t||!(!e||!t)&&e.getFullYear()===t.getFullYear()&&e.getMonth()===t.getMonth()&&e.getDate()===t.getDate()}function g(e,t){return x(e)-x(t)}function f(e,t,o,a,l){void 0===l&&(l=1);var c,u=[],d=null;switch(a||(a=[n.eO.Monday,n.eO.Tuesday,n.eO.Wednesday,n.eO.Thursday,n.eO.Friday]),l=Math.max(l,1),t){case n.NU.Day:d=i(c=S(e),l);break;case n.NU.Week:case n.NU.WorkWeek:d=i(c=_(S(e),o),r.r.DaysInOneWeek);break;case n.NU.Month:d=s(c=new Date(e.getFullYear(),e.getMonth(),1),1);break;default:throw new Error("Unexpected object: "+t)}var p=c;do{(t!==n.NU.WorkWeek||-1!==a.indexOf(p.getDay()))&&u.push(p),p=i(p,1)}while(!h(p,d));return u}function v(e,t){for(var o=0,n=t;o0&&(o-=r.r.DaysInOneWeek),i(e,o)}function C(e,t){var o=(t-1>=0?t-1:r.r.DaysInOneWeek-1)-e.getDay();return o<0&&(o+=r.r.DaysInOneWeek),i(e,o)}function S(e){return new Date(e.getFullYear(),e.getMonth(),e.getDate())}function x(e){return e.getDate()+(e.getMonth()<<5)+(e.getFullYear()<<9)}function k(e,t,o){var i=w(e)-1,a=e.getDay()-i%r.r.DaysInOneWeek,s=w(new Date(e.getFullYear()-1,n.m2.December,31))-1,l=(t-a+2*r.r.DaysInOneWeek)%r.r.DaysInOneWeek;0!==l&&l>=o&&(l-=r.r.DaysInOneWeek);var c=i-l;return c<0&&(0!=(l=(t-(a-=s%r.r.DaysInOneWeek)+2*r.r.DaysInOneWeek)%r.r.DaysInOneWeek)&&l+1>=o&&(l-=r.r.DaysInOneWeek),c=s-l),Math.floor(c/r.r.DaysInOneWeek+1)}function w(e){for(var t=e.getMonth(),o=e.getFullYear(),n=0,r=0;r{"use strict";var n,r,i,a;o.d(t,{eO:()=>n,m2:()=>r,On:()=>i,NU:()=>a,NA:()=>s}),function(e){e[e.Sunday=0]="Sunday",e[e.Monday=1]="Monday",e[e.Tuesday=2]="Tuesday",e[e.Wednesday=3]="Wednesday",e[e.Thursday=4]="Thursday",e[e.Friday=5]="Friday",e[e.Saturday=6]="Saturday"}(n||(n={})),function(e){e[e.January=0]="January",e[e.February=1]="February",e[e.March=2]="March",e[e.April=3]="April",e[e.May=4]="May",e[e.June=5]="June",e[e.July=6]="July",e[e.August=7]="August",e[e.September=8]="September",e[e.October=9]="October",e[e.November=10]="November",e[e.December=11]="December"}(r||(r={})),function(e){e[e.FirstDay=0]="FirstDay",e[e.FirstFullWeek=1]="FirstFullWeek",e[e.FirstFourDayWeek=2]="FirstFourDayWeek"}(i||(i={})),function(e){e[e.Day=0]="Day",e[e.Week=1]="Week",e[e.Month=2]="Month",e[e.WorkWeek=3]="WorkWeek"}(a||(a={}));var s=7},7433:(e,t,o)=>{"use strict";o.d(t,{r:()=>n});var n={MillisecondsInOneDay:864e5,MillisecondsIn1Sec:1e3,MillisecondsIn1Min:6e4,MillisecondsIn30Mins:18e5,MillisecondsIn1Hour:36e5,MinutesInOneDay:1440,MinutesInOneHour:60,DaysInOneWeek:7,MonthInOneYear:12}},3345:(e,t,o)=>{"use strict";o.d(t,{t:()=>r});var n=o(6840);function r(e,t,o){void 0===o&&(o=!0);var r=!1;if(e&&t)if(o)if(e===t)r=!0;else for(r=!1;t;){var i=(0,n.G)(t);if(i===e){r=!0;break}t=i}else e.contains&&(r=e.contains(t));return r}},5081:(e,t,o)=>{"use strict";o.d(t,{j:()=>r});var n=o(8023);function r(e,t){var o=(0,n.X)(e,(function(e){return e.hasAttribute(t)}));return o&&o.getAttribute(t)}},8023:(e,t,o)=>{"use strict";o.d(t,{X:()=>r});var n=o(6840);function r(e,t){return e&&e!==document.body?t(e)?e:r((0,n.G)(e),t):null}},6840:(e,t,o)=>{"use strict";o.d(t,{G:()=>r});var n=o(9157);function r(e,t){return void 0===t&&(t=!0),e&&(t&&(0,n.r)(e)||e.parentNode&&e.parentNode)}},9157:(e,t,o)=>{"use strict";o.d(t,{r:()=>r});var n=o(7876);function r(e){var t;return e&&(0,n.r)(e)&&(t=e._virtual.parent),t}},7876:(e,t,o)=>{"use strict";function n(e){return e&&!!e._virtual}o.d(t,{r:()=>n})},7466:(e,t,o)=>{"use strict";o.d(t,{w:()=>i});var n=o(8023),r=o(8308);function i(e,t){var o=(0,n.X)(e,(function(e){return t===e||e.hasAttribute(r.Y)}));return null!==o&&o.hasAttribute(r.Y)}},8308:(e,t,o)=>{"use strict";o.d(t,{Y:()=>n,U:()=>r});var n="data-portal-element";function r(e){e.setAttribute(n,"true")}},7829:(e,t,o)=>{"use strict";function n(e,t){var o=e,n=t;o._virtual||(o._virtual={children:[]});var r=o._virtual.parent;if(r&&r!==t){var i=r._virtual.children.indexOf(o);i>-1&&r._virtual.children.splice(i,1)}o._virtual.parent=n||void 0,n&&(n._virtual||(n._virtual={children:[]}),n._virtual.children.push(o))}o.d(t,{N:()=>n})},2481:(e,t,o)=>{"use strict";o.d(t,{l:()=>x});var n=o(9729);function r(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons"',src:"url('"+e+"fabric-icons-a13498cf.woff') format('woff')"},icons:{GlobalNavButton:"",ChevronDown:"",ChevronUp:"",Edit:"",Add:"",Cancel:"",More:"",Settings:"",Mail:"",Filter:"",Search:"",Share:"",BlockedSite:"",FavoriteStar:"",FavoriteStarFill:"",CheckMark:"",Delete:"",ChevronLeft:"",ChevronRight:"",Calendar:"",Megaphone:"",Undo:"",Flag:"",Page:"",Pinned:"",View:"",Clear:"",Download:"",Upload:"",Folder:"",Sort:"",AlignRight:"",AlignLeft:"",Tag:"",AddFriend:"",Info:"",SortLines:"",List:"",CircleRing:"",Heart:"",HeartFill:"",Tiles:"",Embed:"",Glimmer:"",Ascending:"",Descending:"",SortUp:"",SortDown:"",SyncToPC:"",LargeGrid:"",SkypeCheck:"",SkypeClock:"",SkypeMinus:"",ClearFilter:"",Flow:"",StatusCircleCheckmark:"",MoreVertical:""}};(0,n.fm)(o,t)}function i(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-0"',src:"url('"+e+"fabric-icons-0-467ee27f.woff') format('woff')"},icons:{PageLink:"",CommentSolid:"",ChangeEntitlements:"",Installation:"",WebAppBuilderModule:"",WebAppBuilderFragment:"",WebAppBuilderSlot:"",BullseyeTargetEdit:"",WebAppBuilderFragmentCreate:"",PageData:"",PageHeaderEdit:"",ProductList:"",UnpublishContent:"",DependencyAdd:"",DependencyRemove:"",EntitlementPolicy:"",EntitlementRedemption:"",SchoolDataSyncLogo:"",PinSolid12:"",PinSolidOff12:"",AddLink:"",SharepointAppIcon16:"",DataflowsLink:"",TimePicker:"",UserWarning:"",ComplianceAudit:"",InternetSharing:"",Brightness:"",MapPin:"",Airplane:"",Tablet:"",QuickNote:"",Video:"",People:"",Phone:"",Pin:"",Shop:"",Stop:"",Link:"",AllApps:"",Zoom:"",ZoomOut:"",Microphone:"",Camera:"",Attach:"",Send:"",FavoriteList:"",PageSolid:"",Forward:"",Back:"",Refresh:"",Lock:"",ReportHacked:"",EMI:"",MiniLink:"",Blocked:"",ReadingMode:"",Favicon:"",Remove:"",Checkbox:"",CheckboxComposite:"",CheckboxFill:"",CheckboxIndeterminate:"",CheckboxCompositeReversed:"",BackToWindow:"",FullScreen:"",Print:"",Up:"",Down:"",OEM:"",Save:"",ReturnKey:"",Cloud:"",Flashlight:"",CommandPrompt:"",Sad:"",RealEstate:"",SIPMove:"",EraseTool:"",GripperTool:"",Dialpad:"",PageLeft:"",PageRight:"",MultiSelect:"",KeyboardClassic:"",Play:"",Pause:"",InkingTool:"",Emoji2:"",GripperBarHorizontal:"",System:"",Personalize:"",SearchAndApps:"",Globe:"",EaseOfAccess:"",ContactInfo:"",Unpin:"",Contact:"",Memo:"",IncomingCall:""}};(0,n.fm)(o,t)}function a(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-1"',src:"url('"+e+"fabric-icons-1-4d521695.woff') format('woff')"},icons:{Paste:"",WindowsLogo:"",Error:"",GripperBarVertical:"",Unlock:"",Slideshow:"",Trim:"",AutoEnhanceOn:"",AutoEnhanceOff:"",Color:"",SaveAs:"",Light:"",Filters:"",AspectRatio:"",Contrast:"",Redo:"",Crop:"",PhotoCollection:"",Album:"",Rotate:"",PanoIndicator:"",Translate:"",RedEye:"",ViewOriginal:"",ThumbnailView:"",Package:"",Telemarketer:"",Warning:"",Financial:"",Education:"",ShoppingCart:"",Train:"",Move:"",TouchPointer:"",Merge:"",TurnRight:"",Ferry:"",Highlight:"",PowerButton:"",Tab:"",Admin:"",TVMonitor:"",Speakers:"",Game:"",HorizontalTabKey:"",UnstackSelected:"",StackIndicator:"",Nav2DMapView:"",StreetsideSplitMinimize:"",Car:"",Bus:"",EatDrink:"",SeeDo:"",LocationCircle:"",Home:"",SwitcherStartEnd:"",ParkingLocation:"",IncidentTriangle:"",Touch:"",MapDirections:"",CaretHollow:"",CaretSolid:"",History:"",Location:"",MapLayers:"",SearchNearby:"",Work:"",Recent:"",Hotel:"",Bank:"",LocationDot:"",Dictionary:"",ChromeBack:"",FolderOpen:"",PinnedFill:"",RevToggleKey:"",USB:"",Previous:"",Next:"",Sync:"",Help:"",Emoji:"",MailForward:"",ClosePane:"",OpenPane:"",PreviewLink:"",ZoomIn:"",Bookmarks:"",Document:"",ProtectedDocument:"",OpenInNewWindow:"",MailFill:"",ViewAll:"",Switch:"",Rename:"",Go:"",Remote:"",SelectAll:"",Orientation:"",Import:""}};(0,n.fm)(o,t)}function s(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-2"',src:"url('"+e+"fabric-icons-2-63c99abf.woff') format('woff')"},icons:{Picture:"",ChromeClose:"",ShowResults:"",Message:"",CalendarDay:"",CalendarWeek:"",MailReplyAll:"",Read:"",Cut:"",PaymentCard:"",Copy:"",Important:"",MailReply:"",GotoToday:"",Font:"",FontColor:"",FolderFill:"",Permissions:"",DisableUpdates:"",Unfavorite:"",Italic:"",Underline:"",Bold:"",MoveToFolder:"",Dislike:"",Like:"",AlignCenter:"",OpenFile:"",ClearSelection:"",FontDecrease:"",FontIncrease:"",FontSize:"",CellPhone:"",RepeatOne:"",RepeatAll:"",Calculator:"",Library:"",PostUpdate:"",NewFolder:"",CalendarReply:"",UnsyncFolder:"",SyncFolder:"",BlockContact:"",Accept:"",BulletedList:"",Preview:"",News:"",Chat:"",Group:"",World:"",Comment:"",DockLeft:"",DockRight:"",Repair:"",Accounts:"",Street:"",RadioBullet:"",Stopwatch:"",Clock:"",WorldClock:"",AlarmClock:"",Photo:"",ActionCenter:"",Hospital:"",Timer:"",FullCircleMask:"",LocationFill:"",ChromeMinimize:"",ChromeRestore:"",Annotation:"",Fingerprint:"",Handwriting:"",ChromeFullScreen:"",Completed:"",Label:"",FlickDown:"",FlickUp:"",FlickLeft:"",FlickRight:"",MiniExpand:"",MiniContract:"",Streaming:"",MusicInCollection:"",OneDriveLogo:"",CompassNW:"",Code:"",LightningBolt:"",CalculatorMultiply:"",CalculatorAddition:"",CalculatorSubtract:"",CalculatorPercentage:"",CalculatorEqualTo:"",PrintfaxPrinterFile:"",StorageOptical:"",Communications:"",Headset:"",Health:"",Webcam2:"",FrontCamera:"",ChevronUpSmall:""}};(0,n.fm)(o,t)}function l(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-3"',src:"url('"+e+"fabric-icons-3-089e217a.woff') format('woff')"},icons:{ChevronDownSmall:"",ChevronLeftSmall:"",ChevronRightSmall:"",ChevronUpMed:"",ChevronDownMed:"",ChevronLeftMed:"",ChevronRightMed:"",Devices2:"",PC1:"",PresenceChickletVideo:"",Reply:"",HalfAlpha:"",ConstructionCone:"",DoubleChevronLeftMed:"",Volume0:"",Volume1:"",Volume2:"",Volume3:"",Chart:"",Robot:"",Manufacturing:"",LockSolid:"",FitPage:"",FitWidth:"",BidiLtr:"",BidiRtl:"",RightDoubleQuote:"",Sunny:"",CloudWeather:"",Cloudy:"",PartlyCloudyDay:"",PartlyCloudyNight:"",ClearNight:"",RainShowersDay:"",Rain:"",Thunderstorms:"",RainSnow:"",Snow:"",BlowingSnow:"",Frigid:"",Fog:"",Squalls:"",Duststorm:"",Unknown:"",Precipitation:"",Ribbon:"",AreaChart:"",Assign:"",FlowChart:"",CheckList:"",Diagnostic:"",Generate:"",LineChart:"",Equalizer:"",BarChartHorizontal:"",BarChartVertical:"",Freezing:"",FunnelChart:"",Processing:"",Quantity:"",ReportDocument:"",StackColumnChart:"",SnowShowerDay:"",HailDay:"",WorkFlow:"",HourGlass:"",StoreLogoMed20:"",TimeSheet:"",TriangleSolid:"",UpgradeAnalysis:"",VideoSolid:"",RainShowersNight:"",SnowShowerNight:"",Teamwork:"",HailNight:"",PeopleAdd:"",Glasses:"",DateTime2:"",Shield:"",Header1:"",PageAdd:"",NumberedList:"",PowerBILogo:"",Info2:"",MusicInCollectionFill:"",Asterisk:"",ErrorBadge:"",CircleFill:"",Record2:"",AllAppsMirrored:"",BookmarksMirrored:"",BulletedListMirrored:"",CaretHollowMirrored:"",CaretSolidMirrored:"",ChromeBackMirrored:"",ClearSelectionMirrored:"",ClosePaneMirrored:"",DockLeftMirrored:"",DoubleChevronLeftMedMirrored:"",GoMirrored:""}};(0,n.fm)(o,t)}function c(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-4"',src:"url('"+e+"fabric-icons-4-a656cc0a.woff') format('woff')"},icons:{HelpMirrored:"",ImportMirrored:"",ImportAllMirrored:"",ListMirrored:"",MailForwardMirrored:"",MailReplyMirrored:"",MailReplyAllMirrored:"",MiniContractMirrored:"",MiniExpandMirrored:"",OpenPaneMirrored:"",ParkingLocationMirrored:"",SendMirrored:"",ShowResultsMirrored:"",ThumbnailViewMirrored:"",Media:"",Devices3:"",Focus:"",VideoLightOff:"",Lightbulb:"",StatusTriangle:"",VolumeDisabled:"",Puzzle:"",EmojiNeutral:"",EmojiDisappointed:"",HomeSolid:"",Ringer:"",PDF:"",HeartBroken:"",StoreLogo16:"",MultiSelectMirrored:"",Broom:"",AddToShoppingList:"",Cocktails:"",Wines:"",Articles:"",Cycling:"",DietPlanNotebook:"",Pill:"",ExerciseTracker:"",HandsFree:"",Medical:"",Running:"",Weights:"",Trackers:"",AddNotes:"",AllCurrency:"",BarChart4:"",CirclePlus:"",Coffee:"",Cotton:"",Market:"",Money:"",PieDouble:"",PieSingle:"",RemoveFilter:"",Savings:"",Sell:"",StockDown:"",StockUp:"",Lamp:"",Source:"",MSNVideos:"",Cricket:"",Golf:"",Baseball:"",Soccer:"",MoreSports:"",AutoRacing:"",CollegeHoops:"",CollegeFootball:"",ProFootball:"",ProHockey:"",Rugby:"",SubstitutionsIn:"",Tennis:"",Arrivals:"",Design:"",Website:"",Drop:"",HistoricalWeather:"",SkiResorts:"",Snowflake:"",BusSolid:"",FerrySolid:"",AirplaneSolid:"",TrainSolid:"",Ticket:"",WifiWarning4:"",Devices4:"",AzureLogo:"",BingLogo:"",MSNLogo:"",OutlookLogoInverse:"",OfficeLogo:"",SkypeLogo:"",Door:"",EditMirrored:"",GiftCard:"",DoubleBookmark:"",StatusErrorFull:""}};(0,n.fm)(o,t)}function u(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-5"',src:"url('"+e+"fabric-icons-5-f95ba260.woff') format('woff')"},icons:{Certificate:"",FastForward:"",Rewind:"",Photo2:"",OpenSource:"",Movers:"",CloudDownload:"",Family:"",WindDirection:"",Bug:"",SiteScan:"",BrowserScreenShot:"",F12DevTools:"",CSS:"",JS:"",DeliveryTruck:"",ReminderPerson:"",ReminderGroup:"",ReminderTime:"",TabletMode:"",Umbrella:"",NetworkTower:"",CityNext:"",CityNext2:"",Section:"",OneNoteLogoInverse:"",ToggleFilled:"",ToggleBorder:"",SliderThumb:"",ToggleThumb:"",Documentation:"",Badge:"",Giftbox:"",VisualStudioLogo:"",HomeGroup:"",ExcelLogoInverse:"",WordLogoInverse:"",PowerPointLogoInverse:"",Cafe:"",SpeedHigh:"",Commitments:"",ThisPC:"",MusicNote:"",MicOff:"",PlaybackRate1x:"",EdgeLogo:"",CompletedSolid:"",AlbumRemove:"",MessageFill:"",TabletSelected:"",MobileSelected:"",LaptopSelected:"",TVMonitorSelected:"",DeveloperTools:"",Shapes:"",InsertTextBox:"",LowerBrightness:"",WebComponents:"",OfflineStorage:"",DOM:"",CloudUpload:"",ScrollUpDown:"",DateTime:"",Event:"",Cake:"",Org:"",PartyLeader:"",DRM:"",CloudAdd:"",AppIconDefault:"",Photo2Add:"",Photo2Remove:"",Calories:"",POI:"",AddTo:"",RadioBtnOff:"",RadioBtnOn:"",ExploreContent:"",Product:"",ProgressLoopInner:"",ProgressLoopOuter:"",Blocked2:"",FangBody:"",Toolbox:"",PageHeader:"",ChatInviteFriend:"",Brush:"",Shirt:"",Crown:"",Diamond:"",ScaleUp:"",QRCode:"",Feedback:"",SharepointLogoInverse:"",YammerLogo:"",Hide:"",Uneditable:"",ReturnToSession:"",OpenFolderHorizontal:"",CalendarMirrored:""}};(0,n.fm)(o,t)}function d(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-6"',src:"url('"+e+"fabric-icons-6-ef6fd590.woff') format('woff')"},icons:{SwayLogoInverse:"",OutOfOffice:"",Trophy:"",ReopenPages:"",EmojiTabSymbols:"",AADLogo:"",AccessLogo:"",AdminALogoInverse32:"",AdminCLogoInverse32:"",AdminDLogoInverse32:"",AdminELogoInverse32:"",AdminLLogoInverse32:"",AdminMLogoInverse32:"",AdminOLogoInverse32:"",AdminPLogoInverse32:"",AdminSLogoInverse32:"",AdminYLogoInverse32:"",DelveLogoInverse:"",ExchangeLogoInverse:"",LyncLogo:"",OfficeVideoLogoInverse:"",SocialListeningLogo:"",VisioLogoInverse:"",Balloons:"",Cat:"",MailAlert:"",MailCheck:"",MailLowImportance:"",MailPause:"",MailRepeat:"",SecurityGroup:"",Table:"",VoicemailForward:"",VoicemailReply:"",Waffle:"",RemoveEvent:"",EventInfo:"",ForwardEvent:"",WipePhone:"",AddOnlineMeeting:"",JoinOnlineMeeting:"",RemoveLink:"",PeopleBlock:"",PeopleRepeat:"",PeopleAlert:"",PeoplePause:"",TransferCall:"",AddPhone:"",UnknownCall:"",NoteReply:"",NoteForward:"",NotePinned:"",RemoveOccurrence:"",Timeline:"",EditNote:"",CircleHalfFull:"",Room:"",Unsubscribe:"",Subscribe:"",HardDrive:"",RecurringTask:"",TaskManager:"",TaskManagerMirrored:"",Combine:"",Split:"",DoubleChevronUp:"",DoubleChevronLeft:"",DoubleChevronRight:"",TextBox:"",TextField:"",NumberField:"",Dropdown:"",PenWorkspace:"",BookingsLogo:"",ClassNotebookLogoInverse:"",DelveAnalyticsLogo:"",DocsLogoInverse:"",Dynamics365Logo:"",DynamicSMBLogo:"",OfficeAssistantLogo:"",OfficeStoreLogo:"",OneNoteEduLogoInverse:"",PlannerLogo:"",PowerApps:"",Suitcase:"",ProjectLogoInverse:"",CaretLeft8:"",CaretRight8:"",CaretUp8:"",CaretDown8:"",CaretLeftSolid8:"",CaretRightSolid8:"",CaretUpSolid8:"",CaretDownSolid8:"",ClearFormatting:"",Superscript:"",Subscript:"",Strikethrough:"",Export:"",ExportMirrored:""}};(0,n.fm)(o,t)}function p(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-7"',src:"url('"+e+"fabric-icons-7-2b97bb99.woff') format('woff')"},icons:{SingleBookmark:"",SingleBookmarkSolid:"",DoubleChevronDown:"",FollowUser:"",ReplyAll:"",WorkforceManagement:"",RecruitmentManagement:"",Questionnaire:"",ManagerSelfService:"",ProductionFloorManagement:"",ProductRelease:"",ProductVariant:"",ReplyMirrored:"",ReplyAllMirrored:"",Medal:"",AddGroup:"",QuestionnaireMirrored:"",CloudImportExport:"",TemporaryUser:"",CaretSolid16:"",GroupedDescending:"",GroupedAscending:"",AwayStatus:"",MyMoviesTV:"",GenericScan:"",AustralianRules:"",WifiEthernet:"",TrackersMirrored:"",DateTimeMirrored:"",StopSolid:"",DoubleChevronUp12:"",DoubleChevronDown12:"",DoubleChevronLeft12:"",DoubleChevronRight12:"",CalendarAgenda:"",ConnectVirtualMachine:"",AddEvent:"",AssetLibrary:"",DataConnectionLibrary:"",DocLibrary:"",FormLibrary:"",FormLibraryMirrored:"",ReportLibrary:"",ReportLibraryMirrored:"",ContactCard:"",CustomList:"",CustomListMirrored:"",IssueTracking:"",IssueTrackingMirrored:"",PictureLibrary:"",OfficeAddinsLogo:"",OfflineOneDriveParachute:"",OfflineOneDriveParachuteDisabled:"",TriangleSolidUp12:"",TriangleSolidDown12:"",TriangleSolidLeft12:"",TriangleSolidRight12:"",TriangleUp12:"",TriangleDown12:"",TriangleLeft12:"",TriangleRight12:"",ArrowUpRight8:"",ArrowDownRight8:"",DocumentSet:"",GoToDashboard:"",DelveAnalytics:"",ArrowUpRightMirrored8:"",ArrowDownRightMirrored8:"",CompanyDirectory:"",OpenEnrollment:"",CompanyDirectoryMirrored:"",OneDriveAdd:"",ProfileSearch:"",Header2:"",Header3:"",Header4:"",RingerSolid:"",Eyedropper:"",MarketDown:"",CalendarWorkWeek:"",SidePanel:"",GlobeFavorite:"",CaretTopLeftSolid8:"",CaretTopRightSolid8:"",ViewAll2:"",DocumentReply:"",PlayerSettings:"",ReceiptForward:"",ReceiptReply:"",ReceiptCheck:"",Fax:"",RecurringEvent:"",ReplyAlt:"",ReplyAllAlt:"",EditStyle:"",EditMail:"",Lifesaver:"",LifesaverLock:"",InboxCheck:"",FolderSearch:""}};(0,n.fm)(o,t)}function m(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-8"',src:"url('"+e+"fabric-icons-8-6fdf1528.woff') format('woff')"},icons:{CollapseMenu:"",ExpandMenu:"",Boards:"",SunAdd:"",SunQuestionMark:"",LandscapeOrientation:"",DocumentSearch:"",PublicCalendar:"",PublicContactCard:"",PublicEmail:"",PublicFolder:"",WordDocument:"",PowerPointDocument:"",ExcelDocument:"",GroupedList:"",ClassroomLogo:"",Sections:"",EditPhoto:"",Starburst:"",ShareiOS:"",AirTickets:"",PencilReply:"",Tiles2:"",SkypeCircleCheck:"",SkypeCircleClock:"",SkypeCircleMinus:"",SkypeMessage:"",ClosedCaption:"",ATPLogo:"",OfficeFormsLogoInverse:"",RecycleBin:"",EmptyRecycleBin:"",Hide2:"",Breadcrumb:"",BirthdayCake:"",TimeEntry:"",CRMProcesses:"",PageEdit:"",PageArrowRight:"",PageRemove:"",Database:"",DataManagementSettings:"",CRMServices:"",EditContact:"",ConnectContacts:"",AppIconDefaultAdd:"",AppIconDefaultList:"",ActivateOrders:"",DeactivateOrders:"",ProductCatalog:"",ScatterChart:"",AccountActivity:"",DocumentManagement:"",CRMReport:"",KnowledgeArticle:"",Relationship:"",HomeVerify:"",ZipFolder:"",SurveyQuestions:"",TextDocument:"",TextDocumentShared:"",PageCheckedOut:"",PageShared:"",SaveAndClose:"",Script:"",Archive:"",ActivityFeed:"",Compare:"",EventDate:"",ArrowUpRight:"",CaretRight:"",SetAction:"",ChatBot:"",CaretSolidLeft:"",CaretSolidDown:"",CaretSolidRight:"",CaretSolidUp:"",PowerAppsLogo:"",PowerApps2Logo:"",SearchIssue:"",SearchIssueMirrored:"",FabricAssetLibrary:"",FabricDataConnectionLibrary:"",FabricDocLibrary:"",FabricFormLibrary:"",FabricFormLibraryMirrored:"",FabricReportLibrary:"",FabricReportLibraryMirrored:"",FabricPublicFolder:"",FabricFolderSearch:"",FabricMovetoFolder:"",FabricUnsyncFolder:"",FabricSyncFolder:"",FabricOpenFolderHorizontal:"",FabricFolder:"",FabricFolderFill:"",FabricNewFolder:"",FabricPictureLibrary:"",PhotoVideoMedia:"",AddFavorite:""}};(0,n.fm)(o,t)}function h(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-9"',src:"url('"+e+"fabric-icons-9-c6162b42.woff') format('woff')"},icons:{AddFavoriteFill:"",BufferTimeBefore:"",BufferTimeAfter:"",BufferTimeBoth:"",PublishContent:"",ClipboardList:"",ClipboardListMirrored:"",CannedChat:"",SkypeForBusinessLogo:"",TabCenter:"",PageCheckedin:"",PageList:"",ReadOutLoud:"",CaretBottomLeftSolid8:"",CaretBottomRightSolid8:"",FolderHorizontal:"",MicrosoftStaffhubLogo:"",GiftboxOpen:"",StatusCircleOuter:"",StatusCircleInner:"",StatusCircleRing:"",StatusTriangleOuter:"",StatusTriangleInner:"",StatusTriangleExclamation:"",StatusCircleExclamation:"",StatusCircleErrorX:"",StatusCircleInfo:"",StatusCircleBlock:"",StatusCircleBlock2:"",StatusCircleQuestionMark:"",StatusCircleSync:"",Toll:"",ExploreContentSingle:"",CollapseContent:"",CollapseContentSingle:"",InfoSolid:"",GroupList:"",ProgressRingDots:"",CaloriesAdd:"",BranchFork:"",MuteChat:"",AddHome:"",AddWork:"",MobileReport:"",ScaleVolume:"",HardDriveGroup:"",FastMode:"",ToggleLeft:"",ToggleRight:"",TriangleShape:"",RectangleShape:"",CubeShape:"",Trophy2:"",BucketColor:"",BucketColorFill:"",Taskboard:"",SingleColumn:"",DoubleColumn:"",TripleColumn:"",ColumnLeftTwoThirds:"",ColumnRightTwoThirds:"",AccessLogoFill:"",AnalyticsLogo:"",AnalyticsQuery:"",NewAnalyticsQuery:"",AnalyticsReport:"",WordLogo:"",WordLogoFill:"",ExcelLogo:"",ExcelLogoFill:"",OneNoteLogo:"",OneNoteLogoFill:"",OutlookLogo:"",OutlookLogoFill:"",PowerPointLogo:"",PowerPointLogoFill:"",PublisherLogo:"",PublisherLogoFill:"",ScheduleEventAction:"",FlameSolid:"",ServerProcesses:"",Server:"",SaveAll:"",LinkedInLogo:"",Decimals:"",SidePanelMirrored:"",ProtectRestrict:"",Blog:"",UnknownMirrored:"",PublicContactCardMirrored:"",GridViewSmall:"",GridViewMedium:"",GridViewLarge:"",Step:"",StepInsert:"",StepShared:"",StepSharedAdd:"",StepSharedInsert:"",ViewDashboard:"",ViewList:""}};(0,n.fm)(o,t)}function g(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-10"',src:"url('"+e+"fabric-icons-10-c4ded8e4.woff') format('woff')"},icons:{ViewListGroup:"",ViewListTree:"",TriggerAuto:"",TriggerUser:"",PivotChart:"",StackedBarChart:"",StackedLineChart:"",BuildQueue:"",BuildQueueNew:"",UserFollowed:"",ContactLink:"",Stack:"",Bullseye:"",VennDiagram:"",FiveTileGrid:"",FocalPoint:"",Insert:"",RingerRemove:"",TeamsLogoInverse:"",TeamsLogo:"",TeamsLogoFill:"",SkypeForBusinessLogoFill:"",SharepointLogo:"",SharepointLogoFill:"",DelveLogo:"",DelveLogoFill:"",OfficeVideoLogo:"",OfficeVideoLogoFill:"",ExchangeLogo:"",ExchangeLogoFill:"",Signin:"",DocumentApproval:"",CloneToDesktop:"",InstallToDrive:"",Blur:"",Build:"",ProcessMetaTask:"",BranchFork2:"",BranchLocked:"",BranchCommit:"",BranchCompare:"",BranchMerge:"",BranchPullRequest:"",BranchSearch:"",BranchShelveset:"",RawSource:"",MergeDuplicate:"",RowsGroup:"",RowsChild:"",Deploy:"",Redeploy:"",ServerEnviroment:"",VisioDiagram:"",HighlightMappedShapes:"",TextCallout:"",IconSetsFlag:"",VisioLogo:"",VisioLogoFill:"",VisioDocument:"",TimelineProgress:"",TimelineDelivery:"",Backlog:"",TeamFavorite:"",TaskGroup:"",TaskGroupMirrored:"",ScopeTemplate:"",AssessmentGroupTemplate:"",NewTeamProject:"",CommentAdd:"",CommentNext:"",CommentPrevious:"",ShopServer:"",LocaleLanguage:"",QueryList:"",UserSync:"",UserPause:"",StreamingOff:"",ArrowTallUpLeft:"",ArrowTallUpRight:"",ArrowTallDownLeft:"",ArrowTallDownRight:"",FieldEmpty:"",FieldFilled:"",FieldChanged:"",FieldNotChanged:"",RingerOff:"",PlayResume:"",BulletedList2:"",BulletedList2Mirrored:"",ImageCrosshair:"",GitGraph:"",Repo:"",RepoSolid:"",FolderQuery:"",FolderList:"",FolderListMirrored:"",LocationOutline:"",POISolid:"",CalculatorNotEqualTo:"",BoxSubtractSolid:""}};(0,n.fm)(o,t)}function f(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-11"',src:"url('"+e+"fabric-icons-11-2a8393d6.woff') format('woff')"},icons:{BoxAdditionSolid:"",BoxMultiplySolid:"",BoxPlaySolid:"",BoxCheckmarkSolid:"",CirclePauseSolid:"",CirclePause:"",MSNVideosSolid:"",CircleStopSolid:"",CircleStop:"",NavigateBack:"",NavigateBackMirrored:"",NavigateForward:"",NavigateForwardMirrored:"",UnknownSolid:"",UnknownMirroredSolid:"",CircleAddition:"",CircleAdditionSolid:"",FilePDB:"",FileTemplate:"",FileSQL:"",FileJAVA:"",FileASPX:"",FileCSS:"",FileSass:"",FileLess:"",FileHTML:"",JavaScriptLanguage:"",CSharpLanguage:"",CSharp:"",VisualBasicLanguage:"",VB:"",CPlusPlusLanguage:"",CPlusPlus:"",FSharpLanguage:"",FSharp:"",TypeScriptLanguage:"",PythonLanguage:"",PY:"",CoffeeScript:"",MarkDownLanguage:"",FullWidth:"",FullWidthEdit:"",Plug:"",PlugSolid:"",PlugConnected:"",PlugDisconnected:"",UnlockSolid:"",Variable:"",Parameter:"",CommentUrgent:"",Storyboard:"",DiffInline:"",DiffSideBySide:"",ImageDiff:"",ImagePixel:"",FileBug:"",FileCode:"",FileComment:"",BusinessHoursSign:"",FileImage:"",FileSymlink:"",AutoFillTemplate:"",WorkItem:"",WorkItemBug:"",LogRemove:"",ColumnOptions:"",Packages:"",BuildIssue:"",AssessmentGroup:"",VariableGroup:"",FullHistory:"",Wheelchair:"",SingleColumnEdit:"",DoubleColumnEdit:"",TripleColumnEdit:"",ColumnLeftTwoThirdsEdit:"",ColumnRightTwoThirdsEdit:"",StreamLogo:"",PassiveAuthentication:"",AlertSolid:"",MegaphoneSolid:"",TaskSolid:"",ConfigurationSolid:"",BugSolid:"",CrownSolid:"",Trophy2Solid:"",QuickNoteSolid:"",ConstructionConeSolid:"",PageListSolid:"",PageListMirroredSolid:"",StarburstSolid:"",ReadingModeSolid:"",SadSolid:"",HealthSolid:"",ShieldSolid:"",GiftBoxSolid:"",ShoppingCartSolid:"",MailSolid:"",ChatSolid:"",RibbonSolid:""}};(0,n.fm)(o,t)}function v(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-12"',src:"url('"+e+"fabric-icons-12-7e945a1e.woff') format('woff')"},icons:{FinancialSolid:"",FinancialMirroredSolid:"",HeadsetSolid:"",PermissionsSolid:"",ParkingSolid:"",ParkingMirroredSolid:"",DiamondSolid:"",AsteriskSolid:"",OfflineStorageSolid:"",BankSolid:"",DecisionSolid:"",Parachute:"",ParachuteSolid:"",FiltersSolid:"",ColorSolid:"",ReviewSolid:"",ReviewRequestSolid:"",ReviewRequestMirroredSolid:"",ReviewResponseSolid:"",FeedbackRequestSolid:"",FeedbackRequestMirroredSolid:"",FeedbackResponseSolid:"",WorkItemBar:"",WorkItemBarSolid:"",Separator:"",NavigateExternalInline:"",PlanView:"",TimelineMatrixView:"",EngineeringGroup:"",ProjectCollection:"",CaretBottomRightCenter8:"",CaretBottomLeftCenter8:"",CaretTopRightCenter8:"",CaretTopLeftCenter8:"",DonutChart:"",ChevronUnfold10:"",ChevronFold10:"",DoubleChevronDown8:"",DoubleChevronUp8:"",DoubleChevronLeft8:"",DoubleChevronRight8:"",ChevronDownEnd6:"",ChevronUpEnd6:"",ChevronLeftEnd6:"",ChevronRightEnd6:"",ContextMenu:"",AzureAPIManagement:"",AzureServiceEndpoint:"",VSTSLogo:"",VSTSAltLogo1:"",VSTSAltLogo2:"",FileTypeSolution:"",WordLogoInverse16:"",WordLogo16:"",WordLogoFill16:"",PowerPointLogoInverse16:"",PowerPointLogo16:"",PowerPointLogoFill16:"",ExcelLogoInverse16:"",ExcelLogo16:"",ExcelLogoFill16:"",OneNoteLogoInverse16:"",OneNoteLogo16:"",OneNoteLogoFill16:"",OutlookLogoInverse16:"",OutlookLogo16:"",OutlookLogoFill16:"",PublisherLogoInverse16:"",PublisherLogo16:"",PublisherLogoFill16:"",VisioLogoInverse16:"",VisioLogo16:"",VisioLogoFill16:"",TestBeaker:"",TestBeakerSolid:"",TestExploreSolid:"",TestAutoSolid:"",TestUserSolid:"",TestImpactSolid:"",TestPlan:"",TestStep:"",TestParameter:"",TestSuite:"",TestCase:"",Sprint:"",SignOut:"",TriggerApproval:"",Rocket:"",AzureKeyVault:"",Onboarding:"",Transition:"",LikeSolid:"",DislikeSolid:"",CRMCustomerInsightsApp:"",EditCreate:"",PlayReverseResume:"",PlayReverse:"",SearchData:"",UnSetColor:"",DeclineCall:""}};(0,n.fm)(o,t)}function b(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-13"',src:"url('"+e+"fabric-icons-13-c3989a02.woff') format('woff')"},icons:{RectangularClipping:"",TeamsLogo16:"",TeamsLogoFill16:"",Spacer:"",SkypeLogo16:"",SkypeForBusinessLogo16:"",SkypeForBusinessLogoFill16:"",FilterSolid:"",MailUndelivered:"",MailTentative:"",MailTentativeMirrored:"",MailReminder:"",ReceiptUndelivered:"",ReceiptTentative:"",ReceiptTentativeMirrored:"",Inbox:"",IRMReply:"",IRMReplyMirrored:"",IRMForward:"",IRMForwardMirrored:"",VoicemailIRM:"",EventAccepted:"",EventTentative:"",EventTentativeMirrored:"",EventDeclined:"",IDBadge:"",BackgroundColor:"",OfficeFormsLogoInverse16:"",OfficeFormsLogo:"",OfficeFormsLogoFill:"",OfficeFormsLogo16:"",OfficeFormsLogoFill16:"",OfficeFormsLogoInverse24:"",OfficeFormsLogo24:"",OfficeFormsLogoFill24:"",PageLock:"",NotExecuted:"",NotImpactedSolid:"",FieldReadOnly:"",FieldRequired:"",BacklogBoard:"",ExternalBuild:"",ExternalTFVC:"",ExternalXAML:"",IssueSolid:"",DefectSolid:"",LadybugSolid:"",NugetLogo:"",TFVCLogo:"",ProjectLogo32:"",ProjectLogoFill32:"",ProjectLogo16:"",ProjectLogoFill16:"",SwayLogo32:"",SwayLogoFill32:"",SwayLogo16:"",SwayLogoFill16:"",ClassNotebookLogo32:"",ClassNotebookLogoFill32:"",ClassNotebookLogo16:"",ClassNotebookLogoFill16:"",ClassNotebookLogoInverse32:"",ClassNotebookLogoInverse16:"",StaffNotebookLogo32:"",StaffNotebookLogoFill32:"",StaffNotebookLogo16:"",StaffNotebookLogoFill16:"",StaffNotebookLogoInverted32:"",StaffNotebookLogoInverted16:"",KaizalaLogo:"",TaskLogo:"",ProtectionCenterLogo32:"",GallatinLogo:"",Globe2:"",Guitar:"",Breakfast:"",Brunch:"",BeerMug:"",Vacation:"",Teeth:"",Taxi:"",Chopsticks:"",SyncOccurence:"",UnsyncOccurence:"",GIF:"",PrimaryCalendar:"",SearchCalendar:"",VideoOff:"",MicrosoftFlowLogo:"",BusinessCenterLogo:"",ToDoLogoBottom:"",ToDoLogoTop:"",EditSolid12:"",EditSolidMirrored12:"",UneditableSolid12:"",UneditableSolidMirrored12:"",UneditableMirrored:"",AdminALogo32:"",AdminALogoFill32:"",ToDoLogoInverse:""}};(0,n.fm)(o,t)}function y(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-14"',src:"url('"+e+"fabric-icons-14-5cf58db8.woff') format('woff')"},icons:{Snooze:"",WaffleOffice365:"",ImageSearch:"",NewsSearch:"",VideoSearch:"",R:"",FontColorA:"",FontColorSwatch:"",LightWeight:"",NormalWeight:"",SemiboldWeight:"",GroupObject:"",UngroupObject:"",AlignHorizontalLeft:"",AlignHorizontalCenter:"",AlignHorizontalRight:"",AlignVerticalTop:"",AlignVerticalCenter:"",AlignVerticalBottom:"",HorizontalDistributeCenter:"",VerticalDistributeCenter:"",Ellipse:"",Line:"",Octagon:"",Hexagon:"",Pentagon:"",RightTriangle:"",HalfCircle:"",QuarterCircle:"",ThreeQuarterCircle:"","6PointStar":"","12PointStar":"",ArrangeBringToFront:"",ArrangeSendToBack:"",ArrangeSendBackward:"",ArrangeBringForward:"",BorderDash:"",BorderDot:"",LineStyle:"",LineThickness:"",WindowEdit:"",HintText:"",MediaAdd:"",AnchorLock:"",AutoHeight:"",ChartSeries:"",ChartXAngle:"",ChartYAngle:"",Combobox:"",LineSpacing:"",Padding:"",PaddingTop:"",PaddingBottom:"",PaddingLeft:"",PaddingRight:"",NavigationFlipper:"",AlignJustify:"",TextOverflow:"",VisualsFolder:"",VisualsStore:"",PictureCenter:"",PictureFill:"",PicturePosition:"",PictureStretch:"",PictureTile:"",Slider:"",SliderHandleSize:"",DefaultRatio:"",NumberSequence:"",GUID:"",ReportAdd:"",DashboardAdd:"",MapPinSolid:"",WebPublish:"",PieSingleSolid:"",BlockedSolid:"",DrillDown:"",DrillDownSolid:"",DrillExpand:"",DrillShow:"",SpecialEvent:"",OneDriveFolder16:"",FunctionalManagerDashboard:"",BIDashboard:"",CodeEdit:"",RenewalCurrent:"",RenewalFuture:"",SplitObject:"",BulkUpload:"",DownloadDocument:"",GreetingCard:"",Flower:"",WaitlistConfirm:"",WaitlistConfirmMirrored:"",LaptopSecure:"",DragObject:"",EntryView:"",EntryDecline:"",ContactCardSettings:"",ContactCardSettingsMirrored:""}};(0,n.fm)(o,t)}function _(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-15"',src:"url('"+e+"fabric-icons-15-3807251b.woff') format('woff')"},icons:{CalendarSettings:"",CalendarSettingsMirrored:"",HardDriveLock:"",HardDriveUnlock:"",AccountManagement:"",ReportWarning:"",TransitionPop:"",TransitionPush:"",TransitionEffect:"",LookupEntities:"",ExploreData:"",AddBookmark:"",SearchBookmark:"",DrillThrough:"",MasterDatabase:"",CertifiedDatabase:"",MaximumValue:"",MinimumValue:"",VisualStudioIDELogo32:"",PasteAsText:"",PasteAsCode:"",BrowserTab:"",BrowserTabScreenshot:"",DesktopScreenshot:"",FileYML:"",ClipboardSolid:"",FabricUserFolder:"",FabricNetworkFolder:"",BullseyeTarget:"",AnalyticsView:"",Video360Generic:"",Untag:"",Leave:"",Trending12:"",Blocked12:"",Warning12:"",CheckedOutByOther12:"",CheckedOutByYou12:"",CircleShapeSolid:"",SquareShapeSolid:"",TriangleShapeSolid:"",DropShapeSolid:"",RectangleShapeSolid:"",ZoomToFit:"",InsertColumnsLeft:"",InsertColumnsRight:"",InsertRowsAbove:"",InsertRowsBelow:"",DeleteColumns:"",DeleteRows:"",DeleteRowsMirrored:"",DeleteTable:"",AccountBrowser:"",VersionControlPush:"",StackedColumnChart2:"",TripleColumnWide:"",QuadColumn:"",WhiteBoardApp16:"",WhiteBoardApp32:"",PinnedSolid:"",InsertSignatureLine:"",ArrangeByFrom:"",Phishing:"",CreateMailRule:"",PublishCourse:"",DictionaryRemove:"",UserRemove:"",UserEvent:"",Encryption:"",PasswordField:"",OpenInNewTab:"",Hide3:"",VerifiedBrandSolid:"",MarkAsProtected:"",AuthenticatorApp:"",WebTemplate:"",DefenderTVM:"",MedalSolid:"",D365TalentLearn:"",D365TalentInsight:"",D365TalentHRCore:"",BacklogList:"",ButtonControl:"",TableGroup:"",MountainClimbing:"",TagUnknown:"",TagUnknownMirror:"",TagUnknown12:"",TagUnknown12Mirror:"",Link12:"",Presentation:"",Presentation12:"",Lock12:"",BuildDefinition:"",ReleaseDefinition:"",SaveTemplate:"",UserGauge:"",BlockedSiteSolid12:"",TagSolid:"",OfficeChat:""}};(0,n.fm)(o,t)}function C(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-16"',src:"url('"+e+"fabric-icons-16-9cf93f3b.woff') format('woff')"},icons:{OfficeChatSolid:"",MailSchedule:"",WarningSolid:"",Blocked2Solid:"",SkypeCircleArrow:"",SkypeArrow:"",SyncStatus:"",SyncStatusSolid:"",ProjectDocument:"",ToDoLogoOutline:"",VisioOnlineLogoFill32:"",VisioOnlineLogo32:"",VisioOnlineLogoCloud32:"",VisioDiagramSync:"",Event12:"",EventDateMissed12:"",UserOptional:"",ResponsesMenu:"",DoubleDownArrow:"",DistributeDown:"",BookmarkReport:"",FilterSettings:"",GripperDotsVertical:"",MailAttached:"",AddIn:"",LinkedDatabase:"",TableLink:"",PromotedDatabase:"",BarChartVerticalFilter:"",BarChartVerticalFilterSolid:"",MicOff2:"",MicrosoftTranslatorLogo:"",ShowTimeAs:"",FileRequest:"",WorkItemAlert:"",PowerBILogo16:"",PowerBILogoBackplate16:"",BulletedListText:"",BulletedListBullet:"",BulletedListTextMirrored:"",BulletedListBulletMirrored:"",NumberedListText:"",NumberedListNumber:"",NumberedListTextMirrored:"",NumberedListNumberMirrored:"",RemoveLinkChain:"",RemoveLinkX:"",FabricTextHighlight:"",ClearFormattingA:"",ClearFormattingEraser:"",Photo2Fill:"",IncreaseIndentText:"",IncreaseIndentArrow:"",DecreaseIndentText:"",DecreaseIndentArrow:"",IncreaseIndentTextMirrored:"",IncreaseIndentArrowMirrored:"",DecreaseIndentTextMirrored:"",DecreaseIndentArrowMirrored:"",CheckListText:"",CheckListCheck:"",CheckListTextMirrored:"",CheckListCheckMirrored:"",NumberSymbol:"",Coupon:"",VerifiedBrand:"",ReleaseGate:"",ReleaseGateCheck:"",ReleaseGateError:"",M365InvoicingLogo:"",RemoveFromShoppingList:"",ShieldAlert:"",FabricTextHighlightComposite:"",Dataflows:"",GenericScanFilled:"",DiagnosticDataBarTooltip:"",SaveToMobile:"",Orientation2:"",ScreenCast:"",ShowGrid:"",SnapToGrid:"",ContactList:"",NewMail:"",EyeShadow:"",FabricFolderConfirm:"",InformationBarriers:"",CommentActive:"",ColumnVerticalSectionEdit:"",WavingHand:"",ShakeDevice:"",SmartGlassRemote:"",Rotate90Clockwise:"",Rotate90CounterClockwise:"",CampaignTemplate:"",ChartTemplate:"",PageListFilter:"",SecondaryNav:"",ColumnVerticalSection:"",SkypeCircleSlash:"",SkypeSlash:""}};(0,n.fm)(o,t)}function S(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-17"',src:"url('"+e+"fabric-icons-17-0c4ed701.woff') format('woff')"},icons:{CustomizeToolbar:"",DuplicateRow:"",RemoveFromTrash:"",MailOptions:"",Childof:"",Footer:"",Header:"",BarChartVerticalFill:"",StackedColumnChart2Fill:"",PlainText:"",AccessibiltyChecker:"",DatabaseSync:"",ReservationOrders:"",TabOneColumn:"",TabTwoColumn:"",TabThreeColumn:"",BulletedTreeList:"",MicrosoftTranslatorLogoGreen:"",MicrosoftTranslatorLogoBlue:"",InternalInvestigation:"",AddReaction:"",ContactHeart:"",VisuallyImpaired:"",EventToDoLogo:"",Variable2:"",ModelingView:"",DisconnectVirtualMachine:"",ReportLock:"",Uneditable2:"",Uneditable2Mirrored:"",BarChartVerticalEdit:"",GlobalNavButtonActive:"",PollResults:"",Rerun:"",QandA:"",QandAMirror:"",BookAnswers:"",AlertSettings:"",TrimStart:"",TrimEnd:"",TableComputed:"",DecreaseIndentLegacy:"",IncreaseIndentLegacy:"",SizeLegacy:""}};(0,n.fm)(o,t)}function x(e,t){void 0===e&&(e="https://spoprod-a.akamaihd.net/files/fabric/assets/icons/"),[r,i,a,s,l,c,u,d,p,m,h,g,f,v,b,y,_,C,S].forEach((function(o){return o(e,t)})),(0,n.M_)("trash","delete"),(0,n.M_)("onedrive","onedrivelogo"),(0,n.M_)("alertsolid12","eventdatemissed12"),(0,n.M_)("sixpointstar","6pointstar"),(0,n.M_)("twelvepointstar","12pointstar"),(0,n.M_)("toggleon","toggleleft"),(0,n.M_)("toggleoff","toggleright")}(0,o(6316).x)("@fluentui/font-icons-mdl2","8.0.2")},6825:(e,t,o)=>{"use strict";function n(e){i!==e&&(i=e)}function r(){return void 0===i&&(i="undefined"!=typeof document&&!!document.documentElement&&"rtl"===document.documentElement.getAttribute("dir")),i}var i;function a(){return{rtl:r()}}o.d(t,{ok:()=>n,Eo:()=>a}),i=r()},729:(e,t,o)=>{"use strict";o.d(t,{q:()=>i,Y:()=>l});var n,r=o(7622),i={none:0,insertNode:1,appendChild:2},a="undefined"!=typeof navigator&&/rv:11.0/.test(navigator.userAgent),s={};try{s=window}catch(e){}var l=function(){function e(e){this._rules=[],this._preservedRules=[],this._rulesToInsert=[],this._counter=0,this._keyToClassName={},this._onResetCallbacks=[],this._classNameToArgs={},this._config=(0,r.pi)({injectionMode:i.insertNode,defaultPrefix:"css",namespace:void 0,cspSettings:void 0},e),this._keyToClassName=this._config.classNameCache||{}}return e.getInstance=function(){var t;if(!(n=s.__stylesheet__)||n._lastStyleElement&&n._lastStyleElement.ownerDocument!==document){var o=(null===(t=s)||void 0===t?void 0:t.FabricConfig)||{};n=s.__stylesheet__=new e(o.mergeStyles)}return n},e.prototype.setConfig=function(e){this._config=(0,r.pi)((0,r.pi)({},this._config),e)},e.prototype.onReset=function(e){this._onResetCallbacks.push(e)},e.prototype.getClassName=function(e){var t=this._config.namespace;return(t?t+"-":"")+(e||this._config.defaultPrefix)+"-"+this._counter++},e.prototype.cacheClassName=function(e,t,o,n){this._keyToClassName[t]=e,this._classNameToArgs[e]={args:o,rules:n}},e.prototype.classNameFromKey=function(e){return this._keyToClassName[e]},e.prototype.getClassNameCache=function(){return this._keyToClassName},e.prototype.argsFromClassName=function(e){var t=this._classNameToArgs[e];return t&&t.args},e.prototype.insertedRulesFromClassName=function(e){var t=this._classNameToArgs[e];return t&&t.rules},e.prototype.insertRule=function(e,t){var o=this._config.injectionMode!==i.none?this._getStyleElement():void 0;if(t&&this._preservedRules.push(e),o)switch(this._config.injectionMode){case i.insertNode:var n=o.sheet;try{n.insertRule(e,n.cssRules.length)}catch(e){}break;case i.appendChild:o.appendChild(document.createTextNode(e))}else this._rules.push(e);this._config.onInsertRule&&this._config.onInsertRule(e)},e.prototype.getRules=function(e){return(e?this._preservedRules.join(""):"")+this._rules.join("")+this._rulesToInsert.join("")},e.prototype.reset=function(){this._rules=[],this._rulesToInsert=[],this._counter=0,this._classNameToArgs={},this._keyToClassName={},this._onResetCallbacks.forEach((function(e){return e()}))},e.prototype.resetKeys=function(){this._keyToClassName={}},e.prototype._getStyleElement=function(){var e=this;return this._styleElement||"undefined"==typeof document||(this._styleElement=this._createStyleElement(),a||window.requestAnimationFrame((function(){e._styleElement=void 0}))),this._styleElement},e.prototype._createStyleElement=function(){var e=document.head,t=document.createElement("style");t.setAttribute("data-merge-styles","true");var o=this._config.cspSettings;if(o&&o.nonce&&t.setAttribute("nonce",o.nonce),this._lastStyleElement)e.insertBefore(t,this._lastStyleElement.nextElementSibling);else{var n=this._findPlaceholderStyleTag();n?e.insertBefore(t,n.nextElementSibling):e.insertBefore(t,e.childNodes[0])}return this._lastStyleElement=t,t},e.prototype._findPlaceholderStyleTag=function(){var e=document.head;return e?e.querySelector("style[data-merge-styles]"):null},e}()},3570:(e,t,o)=>{"use strict";o.d(t,{m:()=>r});var n=o(7622);function r(){for(var e=[],t=0;t0){o.subComponentStyles={};var h=o.subComponentStyles,g=function(e){if(i.hasOwnProperty(e)){var t=i[e];h[e]=function(e){return r.apply(void 0,t.map((function(t){return"function"==typeof t?t(e):t})))}}};for(var d in i)g(d)}return o}},965:(e,t,o)=>{"use strict";o.d(t,{l:()=>r});var n=o(3570);function r(e){for(var t=[],o=1;o{"use strict";o.d(t,{U:()=>r});var n=o(729);function r(){for(var e=[],t=0;t=0)a(s.split(" "));else{var l=i.argsFromClassName(s);l?a(l):-1===o.indexOf(s)&&o.push(s)}else Array.isArray(s)?a(s):"object"==typeof s&&r.push(s)}}return a(e),{classes:o,objects:r}}},3310:(e,t,o)=>{"use strict";o.d(t,{j:()=>a});var n=o(6825),r=o(729),i=o(8186);function a(e){r.Y.getInstance().insertRule("@font-face{"+(0,i.dH)((0,n.Eo)(),e)+"}",!0)}},2762:(e,t,o)=>{"use strict";o.d(t,{F:()=>a});var n=o(6825),r=o(729),i=o(8186);function a(e){var t=r.Y.getInstance(),o=t.getClassName(),a=[];for(var s in e)e.hasOwnProperty(s)&&a.push(s,"{",(0,i.dH)((0,n.Eo)(),e[s]),"}");var l=a.join("");return t.insertRule("@keyframes "+o+"{"+l+"}",!0),t.cacheClassName(o,l,[],["keyframes",l]),o}},2005:(e,t,o)=>{"use strict";o.d(t,{Z:()=>s,I:()=>l});var n=o(3570),r=o(1836),i=o(6825),a=o(8186);function s(){for(var e=[],t=0;t{"use strict";o.d(t,{y:()=>a,R:()=>s});var n=o(1836),r=o(6825),i=o(8186);function a(){for(var e=[],t=0;t{"use strict";o.d(t,{Jh:()=>D,dH:()=>w,AE:()=>T,aj:()=>I});var n,r=o(7622),i=o(729),a={},s={"user-select":1};function l(e,t){var o=function(){if(!n){var e="undefined"!=typeof document?document:void 0,t="undefined"!=typeof navigator?navigator:void 0,o=t?t.userAgent.toLowerCase():void 0;n=e?{isWebkit:!(!e||!("WebkitAppearance"in e.documentElement.style)),isMoz:!!(o&&o.indexOf("firefox")>-1),isOpera:!!(o&&o.indexOf("opera")>-1),isMs:!(!t||!/rv:11.0/i.test(t.userAgent)&&!/Edge\/\d./i.test(navigator.userAgent))}:{isWebkit:!0,isMoz:!0,isOpera:!0,isMs:!0}}return n}(),r=e[t];if(s[r]){var i=e[t+1];s[r]&&(o.isWebkit&&e.push("-webkit-"+r,i),o.isMoz&&e.push("-moz-"+r,i),o.isMs&&e.push("-ms-"+r,i),o.isOpera&&e.push("-o-"+r,i))}}var c,u=["column-count","font-weight","flex","flex-grow","flex-shrink","fill-opacity","opacity","order","z-index","zoom"];function d(e,t){var o=e[t],n=e[t+1];if("number"==typeof n){var r=u.indexOf(o)>-1,i=o.indexOf("--")>-1,a=r||i?"":"px";e[t+1]=""+n+a}}var p="left",m="right",h=((c={}).left=m,c.right=p,c),g={"w-resize":"e-resize","sw-resize":"se-resize","nw-resize":"ne-resize"};function f(e,t,o){if(e.rtl){var n=t[o];if(!n)return;var r=t[o+1];if("string"==typeof r&&r.indexOf("@noflip")>=0)t[o+1]=r.replace(/\s*(?:\/\*\s*)?\@noflip\b(?:\s*\*\/)?\s*?/g,"");else if(n.indexOf(p)>=0)t[o]=n.replace(p,m);else if(n.indexOf(m)>=0)t[o]=n.replace(m,p);else if(String(r).indexOf(p)>=0)t[o+1]=r.replace(p,m);else if(String(r).indexOf(m)>=0)t[o+1]=r.replace(m,p);else if(h[n])t[o]=h[n];else if(g[r])t[o+1]=g[r];else switch(n){case"margin":case"padding":t[o+1]=function(e){if("string"==typeof e){var t=e.split(" ");if(4===t.length)return t[0]+" "+t[3]+" "+t[2]+" "+t[1]}return e}(r);break;case"box-shadow":t[o+1]=function(e,t){var o=e.split(" "),n=parseInt(o[0],10);return o[0]=o[0].replace(String(n),String(-1*n)),o.join(" ")}(r)}}}function v(e){var t=e&&e["&"];return t?t.displayName:void 0}var b=/\:global\((.+?)\)/g;function y(e,t){return e.indexOf(":global(")>=0?e.replace(b,"$1"):0===e.indexOf(":")?t+e:e.indexOf("&")<0?t+" "+e:e}function _(e,t,o,n){void 0===t&&(t={__order:[]}),0===o.indexOf("@")?C([n],t,o=o+"{"+e):o.indexOf(",")>-1?function(e){if(!b.test(e))return e;for(var t=[],o=/\:global\((.+?)\)/g,n=null;n=o.exec(e);)n[1].indexOf(",")>-1&&t.push([n.index,n.index+n[0].length,n[1].split(",").map((function(e){return":global("+e.trim()+")"})).join(", ")]);return t.reverse().reduce((function(e,t){var o=t[0],n=t[1],r=t[2];return e.slice(0,o)+r+e.slice(n)}),e)}(o).split(",").map((function(e){return e.trim()})).forEach((function(o){return C([n],t,y(o,e))})):C([n],t,y(o,e))}function C(e,t,o){void 0===t&&(t={__order:[]}),void 0===o&&(o="&");var n=i.Y.getInstance(),r=t[o];r||(r={},t[o]=r,t.__order.push(o));for(var a=0,s=e;ao&&t.push(e.substring(o,r)),o=r+1)}return o{"use strict";o.d(t,{k:()=>F});var n,r=o(7622),i=o(7002),a=o(7023),s=o(4932),l=o(4553),c=o(6840),u=o(8145),d=o(5951),p=o(688),m=o(2782),h=o(9757),g=o(8127),f=o(8088),v=o(3345),b=o(3978),y=o(4948),_=o(7466),C=o(5446),S=o(9444),x=o(9729),k="data-is-focusable",w="data-focuszone-id",I="tabindex",D="data-no-vertical-wrap",T="data-no-horizontal-wrap",E=999999999,P=-999999999,M={},R=new Set,N=["text","number","password","email","tel","url","search"],B=!1,F=function(e){function t(t){var o=e.call(this,t)||this;return o._root=i.createRef(),o._mergedRef=(0,s.S)(),o._onFocus=function(e){if(!o._portalContainsElement(e.target)){var t,n=o.props,r=n.onActiveElementChanged,i=n.doNotAllowFocusEventToPropagate,a=n.stopFocusPropagation,s=n.onFocusNotification,u=n.onFocus,d=n.shouldFocusInnerElementWhenReceivedFocus,p=n.defaultTabbableElement,m=o._isImmediateDescendantOfZone(e.target);if(m)t=e.target;else for(var h=e.target;h&&h!==o._root.current;){if((0,l.MW)(h)&&o._isImmediateDescendantOfZone(h)){t=h;break}h=(0,c.G)(h,B)}if(d&&e.target===o._root.current){var g=p&&"function"==typeof p&&p(o._root.current);g&&(0,l.MW)(g)?(t=g,g.focus()):(o.focus(!0),o._activeElement&&(t=null))}var f=!o._activeElement;t&&t!==o._activeElement&&((m||f)&&o._setFocusAlignment(t,!0,!0),o._activeElement=t,f&&o._updateTabIndexes()),r&&r(o._activeElement,e),(a||i)&&e.stopPropagation(),u?u(e):s&&s()}},o._onBlur=function(){o._setParkedFocus(!1)},o._onMouseDown=function(e){if(!o._portalContainsElement(e.target)&&!o.props.disabled){for(var t=e.target,n=[];t&&t!==o._root.current;)n.push(t),t=(0,c.G)(t,B);for(;n.length&&((t=n.pop())&&(0,l.MW)(t)&&o._setActiveElement(t,!0),!(0,l.jz)(t)););}},o._onKeyDown=function(e,t){if(!o._portalContainsElement(e.target)){var n=o.props,r=n.direction,i=n.disabled,s=n.isInnerZoneKeystroke,c=n.pagingSupportDisabled,p=n.shouldEnterInnerZone;if(!(i||(o.props.onKeyDown&&o.props.onKeyDown(e),e.isDefaultPrevented()||o._getDocument().activeElement===o._root.current&&o._isInnerZone))){if((p&&p(e)||s&&s(e))&&o._isImmediateDescendantOfZone(e.target)){var m=o._getFirstInnerZone();if(m){if(!m.focus(!0))return}else{if(!(0,l.gc)(e.target))return;if(!o.focusElement((0,l.dc)(e.target,e.target.firstChild,!0)))return}}else{if(e.altKey)return;switch(e.which){case u.m.space:if(o._tryInvokeClickForFocusable(e.target))break;return;case u.m.left:if(r!==a.U.vertical&&(o._preventDefaultWhenHandled(e),o._moveFocusLeft(t)))break;return;case u.m.right:if(r!==a.U.vertical&&(o._preventDefaultWhenHandled(e),o._moveFocusRight(t)))break;return;case u.m.up:if(r!==a.U.horizontal&&(o._preventDefaultWhenHandled(e),o._moveFocusUp()))break;return;case u.m.down:if(r!==a.U.horizontal&&(o._preventDefaultWhenHandled(e),o._moveFocusDown()))break;return;case u.m.pageDown:if(!c&&o._moveFocusPaging(!0))break;return;case u.m.pageUp:if(!c&&o._moveFocusPaging(!1))break;return;case u.m.tab:if(o.props.allowTabKey||o.props.handleTabKey===a.J.all||o.props.handleTabKey===a.J.inputOnly&&o._isElementInput(e.target)){var h=!1;if(o._processingTabKey=!0,h=r!==a.U.vertical&&o._shouldWrapFocus(o._activeElement,T)?((0,d.zg)(t)?!e.shiftKey:e.shiftKey)?o._moveFocusLeft(t):o._moveFocusRight(t):e.shiftKey?o._moveFocusUp():o._moveFocusDown(),o._processingTabKey=!1,h)break;o.props.shouldResetActiveElementWhenTabFromZone&&(o._activeElement=null)}return;case u.m.home:if(o._isContentEditableElement(e.target)||o._isElementInput(e.target)&&!o._shouldInputLoseFocus(e.target,!1))return!1;var g=o._root.current&&o._root.current.firstChild;if(o._root.current&&g&&o.focusElement((0,l.dc)(o._root.current,g,!0)))break;return;case u.m.end:if(o._isContentEditableElement(e.target)||o._isElementInput(e.target)&&!o._shouldInputLoseFocus(e.target,!0))return!1;var f=o._root.current&&o._root.current.lastChild;if(o._root.current&&o.focusElement((0,l.TD)(o._root.current,f,!0,!0,!0)))break;return;case u.m.enter:if(o._tryInvokeClickForFocusable(e.target))break;return;default:return}}e.preventDefault(),e.stopPropagation()}}},o._getHorizontalDistanceFromCenter=function(e,t,n){var r=o._focusAlignment.left||o._focusAlignment.x||0,i=Math.floor(n.top),a=Math.floor(t.bottom),s=Math.floor(n.bottom),l=Math.floor(t.top);return e&&i>a||!e&&s=n.left&&r<=n.left+n.width?0:Math.abs(n.left+n.width/2-r):o._shouldWrapFocus(o._activeElement,D)?E:P},(0,p.l)(o),o._id=(0,m.z)("FocusZone"),o._focusAlignment={left:0,top:0},o._processingTabKey=!1,o}return(0,r.ZT)(t,e),t.getOuterZones=function(){return R.size},t._onKeyDownCapture=function(e){e.which===u.m.tab&&R.forEach((function(e){return e._updateTabIndexes()}))},t.prototype.componentDidMount=function(){var e=this._root.current;if(M[this._id]=this,e){this._windowElement=(0,h.J)(e);for(var o=(0,c.G)(e,B);o&&o!==this._getDocument().body&&1===o.nodeType;){if((0,l.jz)(o)){this._isInnerZone=!0;break}o=(0,c.G)(o,B)}this._isInnerZone||(R.add(this),this._windowElement&&1===R.size&&this._windowElement.addEventListener("keydown",t._onKeyDownCapture,!0)),this._root.current&&this._root.current.addEventListener("blur",this._onBlur,!0),this._updateTabIndexes(),this.props.defaultTabbableElement&&"string"==typeof this.props.defaultTabbableElement?this._activeElement=this._getDocument().querySelector(this.props.defaultTabbableElement):this.props.defaultActiveElement&&(this._activeElement=this._getDocument().querySelector(this.props.defaultActiveElement)),this.props.shouldFocusOnMount&&this.focus()}},t.prototype.componentDidUpdate=function(){var e=this._root.current,t=this._getDocument();if(t&&this._lastIndexPath&&(t.activeElement===t.body||null===t.activeElement||!this.props.preventFocusRestoration&&t.activeElement===e)){var o=(0,l.bF)(e,this._lastIndexPath);o?(this._setActiveElement(o,!0),o.focus(),this._setParkedFocus(!1)):this._setParkedFocus(!0)}},t.prototype.componentWillUnmount=function(){delete M[this._id],this._isInnerZone||(R.delete(this),this._windowElement&&0===R.size&&this._windowElement.removeEventListener("keydown",t._onKeyDownCapture,!0)),this._root.current&&this._root.current.removeEventListener("blur",this._onBlur,!0),this._activeElement=null,this._defaultFocusElement=null},t.prototype.render=function(){var e=this,t=this.props,o=t.as,a=t.elementType,s=t.rootProps,l=t.ariaDescribedBy,c=t.ariaLabelledBy,u=t.className,d=(0,g.pq)(this.props,g.iY),p=o||a||"div";this._evaluateFocusBeforeRender();var m=(0,x.gh)();return i.createElement(p,(0,r.pi)({"aria-labelledby":c,"aria-describedby":l},d,s,{className:(0,f.i)((n||(n=(0,S.y)({selectors:{":focus":{outline:"none"}}},"ms-FocusZone")),n),u),ref:this._mergedRef(this.props.elementRef,this._root),"data-focuszone-id":this._id,onKeyDown:function(t){return e._onKeyDown(t,m)},onFocus:this._onFocus,onMouseDownCapture:this._onMouseDown}),this.props.children)},t.prototype.focus=function(e){if(void 0===e&&(e=!1),this._root.current){if(!e&&"true"===this._root.current.getAttribute(k)&&this._isInnerZone){var t=this._getOwnerZone(this._root.current);if(t!==this._root.current){var o=M[t.getAttribute(w)];return!!o&&o.focusElement(this._root.current)}return!1}if(!e&&this._activeElement&&(0,v.t)(this._root.current,this._activeElement)&&(0,l.MW)(this._activeElement))return this._activeElement.focus(),!0;var n=this._root.current.firstChild;return this.focusElement((0,l.dc)(this._root.current,n,!0))}return!1},t.prototype.focusLast=function(){if(this._root.current){var e=this._root.current&&this._root.current.lastChild;return this.focusElement((0,l.TD)(this._root.current,e,!0,!0,!0))}return!1},t.prototype.focusElement=function(e,t){var o=this.props,n=o.onBeforeFocus,r=o.shouldReceiveFocus;return!(r&&!r(e)||n&&!n(e)||!e||(this._setActiveElement(e,t),this._activeElement&&this._activeElement.focus(),0))},t.prototype.setFocusAlignment=function(e){this._focusAlignment=e},t.prototype._evaluateFocusBeforeRender=function(){var e=this._root.current,t=this._getDocument();if(t){var o=t.activeElement;if(o!==e){var n=(0,v.t)(e,o,!1);this._lastIndexPath=n?(0,l.xu)(e,o):void 0}}},t.prototype._setParkedFocus=function(e){var t=this._root.current;t&&this._isParked!==e&&(this._isParked=e,e?(this.props.allowFocusRoot||(this._parkedTabIndex=t.getAttribute("tabindex"),t.setAttribute("tabindex","-1")),t.focus()):this.props.allowFocusRoot||(this._parkedTabIndex?(t.setAttribute("tabindex",this._parkedTabIndex),this._parkedTabIndex=void 0):t.removeAttribute("tabindex")))},t.prototype._setActiveElement=function(e,t){var o=this._activeElement;this._activeElement=e,o&&((0,l.jz)(o)&&this._updateTabIndexes(o),o.tabIndex=-1),this._activeElement&&(this._focusAlignment&&!t||this._setFocusAlignment(e,!0,!0),this._activeElement.tabIndex=0)},t.prototype._preventDefaultWhenHandled=function(e){this.props.preventDefaultWhenHandled&&e.preventDefault()},t.prototype._tryInvokeClickForFocusable=function(e){if(e===this._root.current||!this.props.shouldRaiseClicks)return!1;do{if("BUTTON"===e.tagName||"A"===e.tagName||"INPUT"===e.tagName||"TEXTAREA"===e.tagName)return!1;if(this._isImmediateDescendantOfZone(e)&&"true"===e.getAttribute(k)&&"true"!==e.getAttribute("data-disable-click-on-enter"))return(0,b.x)(e),!0;e=(0,c.G)(e,B)}while(e!==this._root.current);return!1},t.prototype._getFirstInnerZone=function(e){if(!(e=e||this._activeElement||this._root.current))return null;if((0,l.jz)(e))return M[e.getAttribute(w)];for(var t=e.firstElementChild;t;){if((0,l.jz)(t))return M[t.getAttribute(w)];var o=this._getFirstInnerZone(t);if(o)return o;t=t.nextElementSibling}return null},t.prototype._moveFocus=function(e,t,o,n){void 0===n&&(n=!0);var r=this._activeElement,i=-1,s=void 0,c=!1,u=this.props.direction===a.U.bidirectional;if(!r||!this._root.current)return!1;if(this._isElementInput(r)&&!this._shouldInputLoseFocus(r,e))return!1;var d=u?r.getBoundingClientRect():null;do{if(r=e?(0,l.dc)(this._root.current,r):(0,l.TD)(this._root.current,r),!u){s=r;break}if(r){var p=t(d,r.getBoundingClientRect());if(-1===p&&-1===i){s=r;break}if(p>-1&&(-1===i||p=0&&p<0)break}}while(r);if(s&&s!==this._activeElement)c=!0,this.focusElement(s);else if(this.props.isCircularNavigation&&n)return e?this.focusElement((0,l.dc)(this._root.current,this._root.current.firstElementChild,!0)):this.focusElement((0,l.TD)(this._root.current,this._root.current.lastElementChild,!0,!0,!0));return c},t.prototype._moveFocusDown=function(){var e=this,t=-1,o=this._focusAlignment.left||this._focusAlignment.x||0;return!!this._moveFocus(!0,(function(n,r){var i=-1,a=Math.floor(r.top),s=Math.floor(n.bottom);return a=s||a===t)&&(t=a,i=o>=r.left&&o<=r.left+r.width?0:Math.abs(r.left+r.width/2-o)),i)}))&&(this._setFocusAlignment(this._activeElement,!1,!0),!0)},t.prototype._moveFocusUp=function(){var e=this,t=-1,o=this._focusAlignment.left||this._focusAlignment.x||0;return!!this._moveFocus(!1,(function(n,r){var i=-1,a=Math.floor(r.bottom),s=Math.floor(r.top),l=Math.floor(n.top);return a>l?e._shouldWrapFocus(e._activeElement,D)?E:P:((-1===t&&a<=l||s===t)&&(t=s,i=o>=r.left&&o<=r.left+r.width?0:Math.abs(r.left+r.width/2-o)),i)}))&&(this._setFocusAlignment(this._activeElement,!1,!0),!0)},t.prototype._moveFocusLeft=function(e){var t=this,o=this._shouldWrapFocus(this._activeElement,T);return!!this._moveFocus((0,d.zg)(e),(function(n,r){var i=-1;return((0,d.zg)(e)?parseFloat(r.top.toFixed(3))parseFloat(n.top.toFixed(3)))&&r.right<=n.right&&t.props.direction!==a.U.vertical?i=n.right-r.right:o||(i=P),i}),void 0,o)&&(this._setFocusAlignment(this._activeElement,!0,!1),!0)},t.prototype._moveFocusRight=function(e){var t=this,o=this._shouldWrapFocus(this._activeElement,T);return!!this._moveFocus(!(0,d.zg)(e),(function(n,r){var i=-1;return((0,d.zg)(e)?parseFloat(r.bottom.toFixed(3))>parseFloat(n.top.toFixed(3)):parseFloat(r.top.toFixed(3))=n.left&&t.props.direction!==a.U.vertical?i=r.left-n.left:o||(i=P),i}),void 0,o)&&(this._setFocusAlignment(this._activeElement,!0,!1),!0)},t.prototype._moveFocusPaging=function(e,t){void 0===t&&(t=!0);var o=this._activeElement;if(!o||!this._root.current)return!1;if(this._isElementInput(o)&&!this._shouldInputLoseFocus(o,e))return!1;var n=(0,y.zj)(o);if(!n)return!1;var r=-1,i=void 0,a=-1,s=-1,c=n.clientHeight,u=o.getBoundingClientRect();do{if(o=e?(0,l.dc)(this._root.current,o):(0,l.TD)(this._root.current,o)){var d=o.getBoundingClientRect(),p=Math.floor(d.top),m=Math.floor(u.bottom),h=Math.floor(d.bottom),g=Math.floor(u.top),f=this._getHorizontalDistanceFromCenter(e,u,d);if(e&&p>m+c||!e&&h-1&&(e&&p>a?(a=p,r=f,i=o):!e&&h-1){var o=e.selectionStart,n=o!==e.selectionEnd,r=e.value,i=e.readOnly;if(n||o>0&&!t&&!i||o!==r.length&&t&&!i||this.props.handleTabKey&&(!this.props.shouldInputLoseFocusOnArrowKey||!this.props.shouldInputLoseFocusOnArrowKey(e)))return!1}return!0},t.prototype._shouldWrapFocus=function(e,t){return!this.props.checkForNoWrap||(0,l.mM)(e,t)},t.prototype._portalContainsElement=function(e){return e&&!!this._root.current&&(0,_.w)(e,this._root.current)},t.prototype._getDocument=function(){return(0,C.M)(this._root.current)},t.defaultProps={isCircularNavigation:!1,direction:a.U.bidirectional,shouldRaiseClicks:!0},t}(i.Component)},7023:(e,t,o)=>{"use strict";o.d(t,{J:()=>r,U:()=>n});var n,r={none:0,all:1,inputOnly:2};!function(e){e[e.vertical=0]="vertical",e[e.horizontal=1]="horizontal",e[e.bidirectional=2]="bidirectional",e[e.domOrder=3]="domOrder"}(n||(n={}))},3528:(e,t,o)=>{"use strict";o.d(t,{r:()=>a});var n=o(2167),r=o(7002),i=o(7913);function a(){var e=(0,i.B)((function(){return new n.e}));return r.useEffect((function(){return function(){return e.dispose()}}),[e]),e}},2861:(e,t,o)=>{"use strict";o.d(t,{k:()=>i});var n=o(7002),r=o(7913);function i(e){var t=n.useState(e),o=t[0],i=t[1];return[o,{setTrue:(0,r.B)((function(){return function(){i(!0)}})),setFalse:(0,r.B)((function(){return function(){i(!1)}})),toggle:(0,r.B)((function(){return function(){i((function(e){return!e}))}}))}]}},7913:(e,t,o)=>{"use strict";o.d(t,{B:()=>r});var n=o(7002);function r(e){var t=n.useRef();return void 0===t.current&&(t.current={value:"function"==typeof e?e():e}),t.current.value}},6548:(e,t,o)=>{"use strict";o.d(t,{G:()=>i});var n=o(7002),r=o(7913);function i(e,t,o){var i=n.useState(t),a=i[0],s=i[1],l=(0,r.B)(void 0!==e),c=l?e:a,u=n.useRef(c),d=n.useRef(o);n.useEffect((function(){u.current=c,d.current=o}));var p=(0,r.B)((function(){return function(e,t){var o="function"==typeof e?e(u.current):e;d.current&&d.current(t,o),l||s(o)}}));return[c,p]}},4085:(e,t,o)=>{"use strict";o.d(t,{M:()=>i});var n=o(7002),r=o(2782);function i(e,t){var o=n.useRef(t);return o.current||(o.current=(0,r.z)(e)),o.current}},9241:(e,t,o)=>{"use strict";o.d(t,{r:()=>i});var n=o(7622),r=o(7002);function i(){for(var e=[],t=0;t{"use strict";o.d(t,{d:()=>i});var n=o(9251),r=o(7002);function i(e,t,o,i){var a=r.useRef(o);a.current=o,r.useEffect((function(){var o=e&&"current"in e?e.current:e;if(o)return(0,n.on)(o,t,(function(e){return a.current(e)}),i)}),[e,t,i])}},6876:(e,t,o)=>{"use strict";o.d(t,{D:()=>r});var n=o(7002);function r(e){var t=(0,n.useRef)();return(0,n.useEffect)((function(){t.current=e})),t.current}},5646:(e,t,o)=>{"use strict";o.d(t,{L:()=>i});var n=o(7002),r=o(7913),i=function(){var e=(0,r.B)({});return n.useEffect((function(){return function(){for(var t=0,o=Object.keys(e);t{"use strict";o.d(t,{e:()=>a});var n=o(5446),r=o(7002),i=o(8901);function a(e,t){var o,a=r.useRef(),s=r.useRef(null),l=(0,i.zY)();if(!e||e!==a.current||"string"==typeof e){var c=null===(o=t)||void 0===o?void 0:o.current;if(e)if("string"==typeof e){var u=(0,n.M)(c);s.current=u?u.querySelector(e):null}else s.current="stopPropagation"in e||"getBoundingClientRect"in e?e:"current"in e?e.current:e;a.current=e}return[s,l]}},8901:(e,t,o)=>{"use strict";o.d(t,{Hn:()=>r,zY:()=>i,ky:()=>a,WU:()=>s});var n=o(7002),r=n.createContext({window:"object"==typeof window?window:void 0}),i=function(){return n.useContext(r).window},a=function(){var e;return null===(e=n.useContext(r).window)||void 0===e?void 0:e.document},s=function(e){return n.createElement(r.Provider,{value:e},e.children)}},6628:(e,t,o)=>{"use strict";o.d(t,{b:()=>n});var n={topLeftEdge:0,topCenter:1,topRightEdge:2,topAutoEdge:3,bottomLeftEdge:4,bottomCenter:5,bottomRightEdge:6,bottomAutoEdge:7,leftTopEdge:8,leftCenter:9,leftBottomEdge:10,rightTopEdge:11,rightCenter:12,rightBottomEdge:13}},9942:(e,t,o)=>{"use strict";o.d(t,{d:()=>c});var n=o(7622),r=o(7002),i=o(7300),a=o(8127),s=o(6055),l=(0,i.y)(),c=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.message,o=e.styles,i=e.as,c=void 0===i?"div":i,u=e.className,d=l(o,{className:u});return r.createElement(c,(0,n.pi)({role:"status",className:d.root},(0,a.pq)(this.props,a.n7,["className"])),r.createElement(s.U,null,r.createElement("div",{className:d.screenReaderText},t)))},t.defaultProps={"aria-live":"polite"},t}(r.Component)},3945:(e,t,o)=>{"use strict";o.d(t,{O:()=>a});var n=o(2002),r=o(9942),i=o(9729),a=(0,n.z)(r.d,(function(e){return{root:e.className,screenReaderText:i.ul}}))},5767:(e,t,o)=>{"use strict";o.d(t,{G:()=>d});var n=o(7622),r=o(7002),i=o(5036),a=o(8145),s=o(688),l=o(2167),c=o(8127),u="backward",d=function(e){function t(t){var o=e.call(this,t)||this;return o._inputElement=r.createRef(),o._autoFillEnabled=!0,o._isComposing=!1,o._onCompositionStart=function(e){o._isComposing=!0,o._autoFillEnabled=!1},o._onCompositionUpdate=function(){(0,i.f)()&&o._updateValue(o._getCurrentInputValue(),!0)},o._onCompositionEnd=function(e){var t=o._getCurrentInputValue();o._tryEnableAutofill(t,o.value,!1,!0),o._isComposing=!1,o._async.setTimeout((function(){o._updateValue(o._getCurrentInputValue(),!1)}),0)},o._onClick=function(){o.value&&""!==o.value&&o._autoFillEnabled&&(o._autoFillEnabled=!1)},o._onKeyDown=function(e){if(o.props.onKeyDown&&o.props.onKeyDown(e),!e.nativeEvent.isComposing)switch(e.which){case a.m.backspace:o._autoFillEnabled=!1;break;case a.m.left:case a.m.right:o._autoFillEnabled&&(o.setState({inputValue:o.props.suggestedDisplayValue||""}),o._autoFillEnabled=!1);break;default:o._autoFillEnabled||-1!==o.props.enableAutofillOnKeyPress.indexOf(e.which)&&(o._autoFillEnabled=!0)}},o._onInputChanged=function(e){var t=o._getCurrentInputValue(e);if(o._isComposing||o._tryEnableAutofill(t,o.value,e.nativeEvent.isComposing),!(0,i.f)()||!o._isComposing){var n=e.nativeEvent.isComposing,r=void 0===n?o._isComposing:n;o._updateValue(t,r)}},o._onChanged=function(){},o._updateValue=function(e,t){var n;if(e||e!==o.value){var r=o.props,i=r.onInputChange,a=r.onInputValueChange;i&&(e=(null===(n=i)||void 0===n?void 0:n(e,t))||""),o.setState({inputValue:e},(function(){var o;return null===(o=a)||void 0===o?void 0:o(e,t)}))}},(0,s.l)(o),o._async=new l.e(o),o.state={inputValue:t.defaultVisibleValue||""},o}return(0,n.ZT)(t,e),t.getDerivedStateFromProps=function(e,t){if(e.updateValueInWillReceiveProps){var o=e.updateValueInWillReceiveProps();if(null!==o&&o!==t.inputValue)return{inputValue:o}}return null},Object.defineProperty(t.prototype,"cursorLocation",{get:function(){if(this._inputElement.current){var e=this._inputElement.current;return"forward"!==e.selectionDirection?e.selectionEnd:e.selectionStart}return-1},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"isValueSelected",{get:function(){return Boolean(this.inputElement&&this.inputElement.selectionStart!==this.inputElement.selectionEnd)},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"value",{get:function(){return this._getControlledValue()||this.state.inputValue||""},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"selectionStart",{get:function(){return this._inputElement.current?this._inputElement.current.selectionStart:-1},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"selectionEnd",{get:function(){return this._inputElement.current?this._inputElement.current.selectionEnd:-1},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"inputElement",{get:function(){return this._inputElement.current},enumerable:!0,configurable:!0}),t.prototype.componentDidUpdate=function(){var e=this.props,t=e.suggestedDisplayValue,o=e.shouldSelectFullInputValueInComponentDidUpdate,n=0;if(!e.preventValueSelection&&this._autoFillEnabled&&this.value&&t&&p(t,this.value)){var r=!1;if(o&&(r=o()),r&&this._inputElement.current)this._inputElement.current.setSelectionRange(0,t.length,u);else{for(;n0&&this._inputElement.current&&this._inputElement.current.setSelectionRange(n,t.length,u)}}},t.prototype.componentWillUnmount=function(){this._async.dispose()},t.prototype.render=function(){var e=(0,c.pq)(this.props,c.Gg),t=(0,n.pi)((0,n.pi)({},this.props.style),{fontFamily:"inherit"});return r.createElement("input",(0,n.pi)({autoCapitalize:"off",autoComplete:"off","aria-autocomplete":"both"},e,{style:t,ref:this._inputElement,value:this._getDisplayValue(),onCompositionStart:this._onCompositionStart,onCompositionUpdate:this._onCompositionUpdate,onCompositionEnd:this._onCompositionEnd,onChange:this._onChanged,onInput:this._onInputChanged,onKeyDown:this._onKeyDown,onClick:this.props.onClick?this.props.onClick:this._onClick,"data-lpignore":!0}))},t.prototype.focus=function(){this._inputElement.current&&this._inputElement.current.focus()},t.prototype.clear=function(){this._autoFillEnabled=!0,this._updateValue("",!1),this._inputElement.current&&this._inputElement.current.setSelectionRange(0,0)},t.prototype._getCurrentInputValue=function(e){return e&&e.target&&e.target.value?e.target.value:this.inputElement&&this.inputElement.value?this.inputElement.value:""},t.prototype._tryEnableAutofill=function(e,t,o,n){!o&&e&&this._inputElement.current&&this._inputElement.current.selectionStart===e.length&&!this._autoFillEnabled&&(e.length>t.length||n)&&(this._autoFillEnabled=!0)},t.prototype._getDisplayValue=function(){return this._autoFillEnabled?(e=this.value,t=this.props.suggestedDisplayValue,o=e,t&&e&&p(t,o)&&(o=t),o):this.value;var e,t,o},t.prototype._getControlledValue=function(){var e=this.props.value;return void 0===e||"string"==typeof e?e:(console.warn("props.value of Autofill should be a string, but it is "+e+" with type of "+typeof e),e.toString())},t.defaultProps={enableAutofillOnKeyPress:[a.m.down,a.m.up]},t}(r.Component);function p(e,t){return!(!e||!t)&&0===e.toLocaleLowerCase().indexOf(t.toLocaleLowerCase())}},2898:(e,t,o)=>{"use strict";o.d(t,{K:()=>c});var n=o(7622),r=o(7002),i=o(4968),a=o(9013),s=o(6053),l=o(3608),c=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.theme;return r.createElement(i.Y,(0,n.pi)({},this.props,{variantClassName:"ms-Button--action ms-Button--command",styles:(0,l.W)(o,t),onRenderDescription:a.S}))},(0,n.gn)([(0,s.a)("ActionButton",["theme","styles"],!0)],t)}(r.Component)},3608:(e,t,o)=>{"use strict";o.d(t,{W:()=>a});var n=o(9729),r=o(5094),i=o(1860),a=(0,r.NF)((function(e,t){var o,r,a,s=(0,i.W)(e),l={root:{padding:"0 4px",height:"40px",color:e.palette.neutralPrimary,backgroundColor:"transparent",border:"1px solid transparent",selectors:(o={},o[n.qJ]={borderColor:"Window"},o)},rootHovered:{color:e.palette.themePrimary,selectors:(r={},r[n.qJ]={color:"Highlight"},r)},iconHovered:{color:e.palette.themePrimary},rootPressed:{color:e.palette.black},rootExpanded:{color:e.palette.themePrimary},iconPressed:{color:e.palette.themeDarker},rootDisabled:{color:e.palette.neutralTertiary,backgroundColor:"transparent",borderColor:"transparent",selectors:(a={},a[n.qJ]={color:"GrayText"},a)},rootChecked:{color:e.palette.black},iconChecked:{color:e.palette.themeDarker},flexContainer:{justifyContent:"flex-start"},icon:{color:e.palette.themeDarkAlt},iconDisabled:{color:"inherit"},menuIcon:{color:e.palette.neutralSecondary},textContainer:{flexGrow:0}};return(0,n.E$)(s,l,t)}))},2657:(e,t,o)=>{"use strict";o.d(t,{n:()=>i,f:()=>a});var n=o(5094),r=o(9729),i={msButton:"ms-Button",msButtonHasMenu:"ms-Button--hasMenu",msButtonIcon:"ms-Button-icon",msButtonMenuIcon:"ms-Button-menuIcon",msButtonLabel:"ms-Button-label",msButtonDescription:"ms-Button-description",msButtonScreenReaderText:"ms-Button-screenReaderText",msButtonFlexContainer:"ms-Button-flexContainer",msButtonTextContainer:"ms-Button-textContainer"},a=(0,n.NF)((function(e,t,o,n,a,s,l,c,u,d,p){var m,h,g=(0,r.Cn)(i,e||{}),f=d&&!p;return(0,r.ZC)({root:[g.msButton,t.root,n,u&&["is-checked",t.rootChecked],f&&["is-expanded",t.rootExpanded,{selectors:(m={},m[":hover ."+g.msButtonIcon]=t.iconExpandedHovered,m[":hover ."+g.msButtonMenuIcon]=t.menuIconExpandedHovered||t.rootExpandedHovered,m[":hover"]=t.rootExpandedHovered,m)}],c&&[i.msButtonHasMenu,t.rootHasMenu],l&&["is-disabled",t.rootDisabled],!l&&!f&&!u&&{selectors:(h={":hover":t.rootHovered},h[":hover ."+g.msButtonLabel]=t.labelHovered,h[":hover ."+g.msButtonIcon]=t.iconHovered,h[":hover ."+g.msButtonDescription]=t.descriptionHovered,h[":hover ."+g.msButtonMenuIcon]=t.menuIconHovered,h[":focus"]=t.rootFocused,h[":active"]=t.rootPressed,h[":active ."+g.msButtonIcon]=t.iconPressed,h[":active ."+g.msButtonDescription]=t.descriptionPressed,h[":active ."+g.msButtonMenuIcon]=t.menuIconPressed,h)},l&&u&&[t.rootCheckedDisabled],!l&&u&&{selectors:{":hover":t.rootCheckedHovered,":active":t.rootCheckedPressed}},o],flexContainer:[g.msButtonFlexContainer,t.flexContainer],textContainer:[g.msButtonTextContainer,t.textContainer],icon:[g.msButtonIcon,a,t.icon,f&&t.iconExpanded,u&&t.iconChecked,l&&t.iconDisabled],label:[g.msButtonLabel,t.label,u&&t.labelChecked,l&&t.labelDisabled],menuIcon:[g.msButtonMenuIcon,s,t.menuIcon,u&&t.menuIconChecked,l&&!p&&t.menuIconDisabled,!l&&!f&&!u&&{selectors:{":hover":t.menuIconHovered,":active":t.menuIconPressed}},f&&["is-expanded",t.menuIconExpanded]],description:[g.msButtonDescription,t.description,u&&t.descriptionChecked,l&&t.descriptionDisabled],screenReaderText:[g.msButtonScreenReaderText,t.screenReaderText]})}))},4968:(e,t,o)=>{"use strict";o.d(t,{Y:()=>P});var n=o(7622),r=o(7002),i=o(5094),a=o(8088),s=o(7466),l=o(8145),c=o(688),u=o(2167),d=o(9919),p=o(5415),m=o(3129),h=o(2782),g=o(8127),f=o(2447),v=o(9013),b=o(5480),y=o(9577),_=o(4932),C=o(9947),S=o(4734),x=o(7840),k=o(6628),w=o(9134),I=o(2657),D=o(5032),T=o(9949),E="BaseButton",P=function(e){function t(t){var o=e.call(this,t)||this;return o._buttonElement=r.createRef(),o._splitButtonContainer=r.createRef(),o._mergedRef=(0,_.S)(),o._renderedVisibleMenu=!1,o._getMemoizedMenuButtonKeytipProps=(0,i.NF)((function(e){return(0,n.pi)((0,n.pi)({},e),{hasMenu:!0})})),o._onRenderIcon=function(e,t){var i=o.props.iconProps;if(i&&(void 0!==i.iconName||i.imageProps)){var s=i.className,l=i.imageProps,c=(0,n._T)(i,["className","imageProps"]);if(i.styles)return r.createElement(C.J,(0,n.pi)({className:(0,a.i)(o._classNames.icon,s),imageProps:l},c));if(i.iconName)return r.createElement(S.xu,(0,n.pi)({className:(0,a.i)(o._classNames.icon,s)},c));if(l)return r.createElement(x.X,(0,n.pi)({className:(0,a.i)(o._classNames.icon,s),imageProps:l},c))}return null},o._onRenderTextContents=function(){var e=o.props,t=e.text,n=e.children,i=e.secondaryText,a=void 0===i?o.props.description:i,s=e.onRenderText,l=void 0===s?o._onRenderText:s,c=e.onRenderDescription,u=void 0===c?o._onRenderDescription:c;return t||"string"==typeof n||a?r.createElement("span",{className:o._classNames.textContainer},l(o.props,o._onRenderText),u(o.props,o._onRenderDescription)):[l(o.props,o._onRenderText),u(o.props,o._onRenderDescription)]},o._onRenderText=function(){var e=o.props.text,t=o.props.children;return void 0===e&&"string"==typeof t&&(e=t),o._hasText()?r.createElement("span",{key:o._labelId,className:o._classNames.label,id:o._labelId},e):null},o._onRenderChildren=function(){var e=o.props.children;return"string"==typeof e?null:e},o._onRenderDescription=function(e){var t=e.secondaryText,n=void 0===t?o.props.description:t;return n?r.createElement("span",{key:o._descriptionId,className:o._classNames.description,id:o._descriptionId},n):null},o._onRenderAriaDescription=function(){var e=o.props.ariaDescription;return e?r.createElement("span",{className:o._classNames.screenReaderText,id:o._ariaDescriptionId},e):null},o._onRenderMenuIcon=function(e){var t=o.props.menuIconProps;return r.createElement(S.xu,(0,n.pi)({iconName:"ChevronDown"},t,{className:o._classNames.menuIcon}))},o._onRenderMenu=function(e){var t=o.props.persistMenu,i=o.state.menuHidden,s=o.props.menuAs||w.r;return e.ariaLabel||e.labelElementId||!o._hasText()||(e=(0,n.pi)((0,n.pi)({},e),{labelElementId:o._labelId})),r.createElement(s,(0,n.pi)({id:o._labelId+"-menu",directionalHint:k.b.bottomLeftEdge},e,{shouldFocusOnContainer:o._menuShouldFocusOnContainer,shouldFocusOnMount:o._menuShouldFocusOnMount,hidden:t?i:void 0,className:(0,a.i)("ms-BaseButton-menuhost",e.className),target:o._isSplitButton?o._splitButtonContainer.current:o._buttonElement.current,onDismiss:o._onDismissMenu}))},o._onDismissMenu=function(e){var t=o.props.menuProps;t&&t.onDismiss&&t.onDismiss(e),e&&e.defaultPrevented||o._dismissMenu()},o._dismissMenu=function(){o._menuShouldFocusOnMount=void 0,o._menuShouldFocusOnContainer=void 0,o.setState({menuHidden:!0})},o._openMenu=function(e,t){void 0===t&&(t=!0),o.props.menuProps&&(o._menuShouldFocusOnContainer=e,o._menuShouldFocusOnMount=t,o._renderedVisibleMenu=!0,o.setState({menuHidden:!1}))},o._onToggleMenu=function(e){var t=!0;o.props.menuProps&&!1===o.props.menuProps.shouldFocusOnMount&&(t=!1),o.state.menuHidden?o._openMenu(e,t):o._dismissMenu()},o._onSplitContainerFocusCapture=function(e){var t=o._splitButtonContainer.current;!t||e.target&&(0,s.w)(e.target,t)||t.focus()},o._onSplitButtonPrimaryClick=function(e){o.state.menuHidden||o._dismissMenu(),!o._processingTouch&&o.props.onClick?o.props.onClick(e):o._processingTouch&&o._onMenuClick(e)},o._onKeyDown=function(e){!o.props.disabled||e.which!==l.m.enter&&e.which!==l.m.space?o.props.disabled||(o.props.menuProps?o._onMenuKeyDown(e):void 0!==o.props.onKeyDown&&o.props.onKeyDown(e)):(e.preventDefault(),e.stopPropagation())},o._onKeyUp=function(e){o.props.disabled||void 0===o.props.onKeyUp||o.props.onKeyUp(e)},o._onKeyPress=function(e){o.props.disabled||void 0===o.props.onKeyPress||o.props.onKeyPress(e)},o._onMouseUp=function(e){o.props.disabled||void 0===o.props.onMouseUp||o.props.onMouseUp(e)},o._onMouseDown=function(e){o.props.disabled||void 0===o.props.onMouseDown||o.props.onMouseDown(e)},o._onClick=function(e){o.props.disabled||(o.props.menuProps?o._onMenuClick(e):void 0!==o.props.onClick&&o.props.onClick(e))},o._onSplitButtonContainerKeyDown=function(e){e.which===l.m.enter||e.which===l.m.space?o._buttonElement.current&&(o._buttonElement.current.click(),e.preventDefault(),e.stopPropagation()):o._onMenuKeyDown(e)},o._onMenuKeyDown=function(e){if(!o.props.disabled){o.props.onKeyDown&&o.props.onKeyDown(e);var t=e.which===l.m.up,n=e.which===l.m.down;if(!e.defaultPrevented&&o._isValidMenuOpenKey(e)){var r=o.props.onMenuClick;r&&r(e,o.props),o._onToggleMenu(!1),e.preventDefault(),e.stopPropagation()}e.altKey||e.metaKey||!t&&!n||!o.state.menuHidden&&o.props.menuProps&&((void 0!==o._menuShouldFocusOnMount?o._menuShouldFocusOnMount:o.props.menuProps.shouldFocusOnMount)||(e.preventDefault(),e.stopPropagation(),o._menuShouldFocusOnMount=!0,o.forceUpdate()))}},o._onTouchStart=function(){o._isSplitButton&&o._splitButtonContainer.current&&!("onpointerdown"in o._splitButtonContainer.current)&&o._handleTouchAndPointerEvent()},o._onMenuClick=function(e){var t=o.props.onMenuClick;if(t&&t(e,o.props),!e.defaultPrevented){var n=0!==e.nativeEvent.detail||"mouse"===e.nativeEvent.pointerType;o._onToggleMenu(n),e.preventDefault(),e.stopPropagation()}},(0,c.l)(o),o._async=new u.e(o),o._events=new d.r(o),(0,p.w)(E,t,["menuProps","onClick"],"split",o.props.split),(0,m.b)(E,t,{rootProps:void 0,description:"secondaryText",toggled:"checked"}),o._labelId=(0,h.z)(),o._descriptionId=(0,h.z)(),o._ariaDescriptionId=(0,h.z)(),o.state={menuHidden:!0},o}return(0,n.ZT)(t,e),Object.defineProperty(t.prototype,"_isSplitButton",{get:function(){return!!this.props.menuProps&&!!this.props.onClick&&!0===this.props.split},enumerable:!0,configurable:!0}),t.prototype.render=function(){var e,t=this.props,o=t.ariaDescription,n=t.ariaLabel,r=t.ariaHidden,i=t.className,a=t.disabled,s=t.allowDisabledFocus,l=t.primaryDisabled,c=t.secondaryText,u=void 0===c?this.props.description:c,d=t.href,p=t.iconProps,m=t.menuIconProps,h=t.styles,b=t.checked,y=t.variantClassName,_=t.theme,C=t.toggle,S=t.getClassNames,x=t.role,k=this.state.menuHidden,w=a||l;this._classNames=S?S(_,i,y,p&&p.className,m&&m.className,w,b,!k,!!this.props.menuProps,this.props.split,!!s):(0,I.f)(_,h,i,y,p&&p.className,m&&m.className,w,!!this.props.menuProps,b,!k,this.props.split);var D=this,T=D._ariaDescriptionId,E=D._labelId,P=D._descriptionId,M=!w&&!!d,R=M?"a":"button",N=(0,g.pq)((0,f.f0)(M?{}:{type:"button"},this.props.rootProps,this.props),M?g.h2:g.Yq,["disabled"]),B=n||N["aria-label"],F=void 0;o?F=T:u&&this.props.onRenderDescription!==v.S?F=P:N["aria-describedby"]&&(F=N["aria-describedby"]);var L=void 0;B||(N["aria-labelledby"]?L=N["aria-labelledby"]:F&&(L=this._hasText()?E:void 0));var A=!(!1===this.props["data-is-focusable"]||a&&!s||this._isSplitButton),z="menuitemcheckbox"===x||"checkbox"===x,H=z||!0===C?!!b:void 0,O=(0,f.f0)(N,((e={className:this._classNames.root,ref:this._mergedRef(this.props.elementRef,this._buttonElement),disabled:w&&!s,onKeyDown:this._onKeyDown,onKeyPress:this._onKeyPress,onKeyUp:this._onKeyUp,onMouseDown:this._onMouseDown,onMouseUp:this._onMouseUp,onClick:this._onClick,"aria-label":B,"aria-labelledby":L,"aria-describedby":F,"aria-disabled":w,"data-is-focusable":A})[z?"aria-checked":"aria-pressed"]=H,e));return r&&(O["aria-hidden"]=!0),this._isSplitButton?this._onRenderSplitButtonContent(R,O):(this.props.menuProps&&(0,f.f0)(O,{"aria-expanded":!k,"aria-controls":k?null:this._labelId+"-menu","aria-haspopup":!0}),this._onRenderContent(R,O))},t.prototype.componentDidMount=function(){this._isSplitButton&&this._splitButtonContainer.current&&("onpointerdown"in this._splitButtonContainer.current&&this._events.on(this._splitButtonContainer.current,"pointerdown",this._onPointerDown,!0),"onpointerup"in this._splitButtonContainer.current&&this.props.onPointerUp&&this._events.on(this._splitButtonContainer.current,"pointerup",this.props.onPointerUp,!0))},t.prototype.componentDidUpdate=function(e,t){this.props.onAfterMenuDismiss&&!t.menuHidden&&this.state.menuHidden&&this.props.onAfterMenuDismiss()},t.prototype.componentWillUnmount=function(){this._async.dispose(),this._events.dispose()},t.prototype.focus=function(){this._isSplitButton&&this._splitButtonContainer.current?this._splitButtonContainer.current.focus():this._buttonElement.current&&this._buttonElement.current.focus()},t.prototype.dismissMenu=function(){this._dismissMenu()},t.prototype.openMenu=function(e,t){this._openMenu(e,t)},t.prototype._onRenderContent=function(e,t){var o=this,i=this.props,a=e,s=i.menuIconProps,l=i.menuProps,c=i.onRenderIcon,u=void 0===c?this._onRenderIcon:c,d=i.onRenderAriaDescription,p=void 0===d?this._onRenderAriaDescription:d,m=i.onRenderChildren,h=void 0===m?this._onRenderChildren:m,g=i.onRenderMenu,f=void 0===g?this._onRenderMenu:g,v=i.onRenderMenuIcon,y=void 0===v?this._onRenderMenuIcon:v,_=i.disabled,C=i.keytipProps;C&&l&&(C=this._getMemoizedMenuButtonKeytipProps(C));var S=function(e){return r.createElement(a,(0,n.pi)({},t,e),r.createElement("span",{className:o._classNames.flexContainer,"data-automationid":"splitbuttonprimary"},u(i,o._onRenderIcon),o._onRenderTextContents(),p(i,o._onRenderAriaDescription),h(i,o._onRenderChildren),!o._isSplitButton&&(l||s||o.props.onRenderMenuIcon)&&y(o.props,o._onRenderMenuIcon),l&&!l.doNotLayer&&o._shouldRenderMenu()&&f(l,o._onRenderMenu)))},x=C?r.createElement(T.a,{keytipProps:this._isSplitButton?void 0:C,ariaDescribedBy:t["aria-describedby"],disabled:_},(function(e){return S(e)})):S();return l&&l.doNotLayer?r.createElement(r.Fragment,null,x,this._shouldRenderMenu()&&f(l,this._onRenderMenu)):r.createElement(r.Fragment,null,x,r.createElement(b.u,null))},t.prototype._shouldRenderMenu=function(){var e=this.state.menuHidden,t=this.props,o=t.persistMenu,n=t.renderPersistedMenuHiddenOnMount;return!e||!(!o||!this._renderedVisibleMenu&&!n)},t.prototype._hasText=function(){return null!==this.props.text&&(void 0!==this.props.text||"string"==typeof this.props.children)},t.prototype._onRenderSplitButtonContent=function(e,t){var o=this,i=this.props,a=i.styles,s=void 0===a?{}:a,l=i.disabled,c=i.allowDisabledFocus,u=i.checked,d=i.getSplitButtonClassNames,p=i.primaryDisabled,m=i.menuProps,h=i.toggle,v=i.role,b=i.primaryActionButtonProps,_=this.props.keytipProps,C=this.state.menuHidden,S=d?d(!!l,!C,!!u,!!c):s&&(0,D.W)(s,!!l,!C,!!u,!!p);(0,f.f0)(t,{onClick:void 0,onPointerDown:void 0,onPointerUp:void 0,tabIndex:-1,"data-is-focusable":!1}),_&&m&&(_=this._getMemoizedMenuButtonKeytipProps(_));var x=(0,g.pq)(t,[],["disabled"]);b&&(0,f.f0)(t,b);var k=function(i){return r.createElement("div",(0,n.pi)({},x,{"data-ktp-target":i?i["data-ktp-target"]:void 0,role:v||"button","aria-disabled":l,"aria-haspopup":!0,"aria-expanded":!C,"aria-pressed":h?!!u:void 0,"aria-describedby":(0,y.I)(t["aria-describedby"],i?i["aria-describedby"]:void 0),className:S&&S.splitButtonContainer,onKeyDown:o._onSplitButtonContainerKeyDown,onTouchStart:o._onTouchStart,ref:o._splitButtonContainer,"data-is-focusable":!0,onClick:l||p?void 0:o._onSplitButtonPrimaryClick,tabIndex:!l||c?0:void 0,"aria-roledescription":t["aria-roledescription"],onFocusCapture:o._onSplitContainerFocusCapture}),r.createElement("span",{style:{display:"flex"}},o._onRenderContent(e,t),o._onRenderSplitButtonMenuButton(S,i),o._onRenderSplitButtonDivider(S)))};return _?r.createElement(T.a,{keytipProps:_,disabled:l},(function(e){return k(e)})):k()},t.prototype._onRenderSplitButtonDivider=function(e){return e&&e.divider?r.createElement("span",{className:e.divider,"aria-hidden":!0,onClick:function(e){e.stopPropagation()}}):null},t.prototype._onRenderSplitButtonMenuButton=function(e,o){var i=this.props,a=i.allowDisabledFocus,s=i.checked,l=i.disabled,c=i.splitButtonMenuProps,u=i.splitButtonAriaLabel,d=this.state.menuHidden,p=this.props.menuIconProps;void 0===p&&(p={iconName:"ChevronDown"});var m=(0,n.pi)((0,n.pi)({},c),{styles:e,checked:s,disabled:l,allowDisabledFocus:a,onClick:this._onMenuClick,menuProps:void 0,iconProps:(0,n.pi)((0,n.pi)({},p),{className:this._classNames.menuIcon}),ariaLabel:u,"aria-haspopup":!0,"aria-expanded":!d,"data-is-focusable":!1});return r.createElement(t,(0,n.pi)({},m,{"data-ktp-execute-target":o?o["data-ktp-execute-target"]:o,onMouseDown:this._onMouseDown,tabIndex:-1}))},t.prototype._onPointerDown=function(e){var t=this.props.onPointerDown;t&&t(e),"touch"===e.pointerType&&(this._handleTouchAndPointerEvent(),e.preventDefault(),e.stopImmediatePropagation())},t.prototype._handleTouchAndPointerEvent=function(){var e=this;void 0!==this._lastTouchTimeoutId&&(this._async.clearTimeout(this._lastTouchTimeoutId),this._lastTouchTimeoutId=void 0),this._processingTouch=!0,this._lastTouchTimeoutId=this._async.setTimeout((function(){e._processingTouch=!1,e._lastTouchTimeoutId=void 0,e.focus()}),500)},t.prototype._isValidMenuOpenKey=function(e){return this.props.menuTriggerKeyCode?e.which===this.props.menuTriggerKeyCode:!!this.props.menuProps&&e.which===l.m.down&&(e.altKey||e.metaKey)},t.defaultProps={baseClassName:"ms-Button",styles:{},split:!1},t}(r.Component)},1860:(e,t,o)=>{"use strict";o.d(t,{W:()=>s});var n=o(5094),r=o(9729),i={outline:0},a=function(e){return{fontSize:e,margin:"0 4px",height:"16px",lineHeight:"16px",textAlign:"center",flexShrink:0}},s=(0,n.NF)((function(e){var t,o,n=e.semanticColors,s=e.effects,l=e.fonts,c=n.buttonBorder,u=n.disabledBackground,d=n.disabledText,p={left:-2,top:-2,bottom:-2,right:-2,outlineColor:"ButtonText"};return{root:[(0,r.GL)(e,{inset:1,highContrastStyle:p,borderColor:"transparent"}),e.fonts.medium,{boxSizing:"border-box",border:"1px solid "+c,userSelect:"none",display:"inline-block",textDecoration:"none",textAlign:"center",cursor:"pointer",padding:"0 16px",borderRadius:s.roundedCorner2,selectors:{":active > *":{position:"relative",left:0,top:0}}}],rootDisabled:[(0,r.GL)(e,{inset:1,highContrastStyle:p,borderColor:"transparent"}),{backgroundColor:u,borderColor:u,color:d,cursor:"default",pointerEvents:"none",selectors:{":hover":i,":focus":i}}],iconDisabled:{color:d,selectors:(t={},t[r.qJ]={color:"GrayText"},t)},menuIconDisabled:{color:d,selectors:(o={},o[r.qJ]={color:"GrayText"},o)},flexContainer:{display:"flex",height:"100%",flexWrap:"nowrap",justifyContent:"center",alignItems:"center"},description:{display:"block"},textContainer:{flexGrow:1,display:"block"},icon:a(l.mediumPlus.fontSize),menuIcon:a(l.small.fontSize),label:{margin:"0 4px",lineHeight:"100%",display:"block"},screenReaderText:r.ul}}))},7664:(e,t,o)=>{"use strict";o.d(t,{D:()=>a,f:()=>s});var n=o(7622),r=o(9729),i=o(6145);function a(e){var t,o,i,a,s,l=e.semanticColors,c=e.palette,u=l.buttonBackground,d=l.buttonBackgroundPressed,p=l.buttonBackgroundHovered,m=l.buttonBackgroundDisabled,h=l.buttonText,g=l.buttonTextHovered,f=l.buttonTextDisabled,v=l.buttonTextChecked,b=l.buttonTextCheckedHovered;return{root:{backgroundColor:u,color:h},rootHovered:{backgroundColor:p,color:g,selectors:(t={},t[r.qJ]={borderColor:"Highlight",color:"Highlight"},t)},rootPressed:{backgroundColor:d,color:v},rootExpanded:{backgroundColor:d,color:v},rootChecked:{backgroundColor:d,color:v},rootCheckedHovered:{backgroundColor:d,color:b},rootDisabled:{color:f,backgroundColor:m,selectors:(o={},o[r.qJ]={color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},o)},splitButtonContainer:{selectors:(i={},i[r.qJ]={border:"none"},i)},splitButtonMenuButton:{color:c.white,backgroundColor:"transparent",selectors:{":hover":{backgroundColor:c.neutralLight,selectors:(a={},a[r.qJ]={color:"Highlight"},a)}}},splitButtonMenuButtonDisabled:{backgroundColor:l.buttonBackgroundDisabled,selectors:{":hover":{backgroundColor:l.buttonBackgroundDisabled}}},splitButtonDivider:(0,n.pi)((0,n.pi)({},{position:"absolute",width:1,right:31,top:8,bottom:8}),{backgroundColor:c.neutralTertiaryAlt,selectors:(s={},s[r.qJ]={backgroundColor:"WindowText"},s)}),splitButtonDividerDisabled:{backgroundColor:e.palette.neutralTertiaryAlt},splitButtonMenuButtonChecked:{backgroundColor:c.neutralQuaternaryAlt,selectors:{":hover":{backgroundColor:c.neutralQuaternaryAlt}}},splitButtonMenuButtonExpanded:{backgroundColor:c.neutralQuaternaryAlt,selectors:{":hover":{backgroundColor:c.neutralQuaternaryAlt}}},splitButtonMenuIcon:{color:l.buttonText},splitButtonMenuIconDisabled:{color:l.buttonTextDisabled}}}function s(e){var t,o,a,s,l,c,u,d,p,m=e.palette,h=e.semanticColors;return{root:{backgroundColor:h.primaryButtonBackground,border:"1px solid "+h.primaryButtonBackground,color:h.primaryButtonText,selectors:(t={},t[r.qJ]=(0,n.pi)({color:"Window",backgroundColor:"WindowText",borderColor:"WindowText"},(0,r.xM)()),t["."+i.G$+" &:focus"]={selectors:{":after":{border:"none",outlineColor:m.white}}},t)},rootHovered:{backgroundColor:h.primaryButtonBackgroundHovered,border:"1px solid "+h.primaryButtonBackgroundHovered,color:h.primaryButtonTextHovered,selectors:(o={},o[r.qJ]={color:"Window",backgroundColor:"Highlight",borderColor:"Highlight"},o)},rootPressed:{backgroundColor:h.primaryButtonBackgroundPressed,border:"1px solid "+h.primaryButtonBackgroundPressed,color:h.primaryButtonTextPressed,selectors:(a={},a[r.qJ]=(0,n.pi)({color:"Window",backgroundColor:"WindowText",borderColor:"WindowText"},(0,r.xM)()),a)},rootExpanded:{backgroundColor:h.primaryButtonBackgroundPressed,color:h.primaryButtonTextPressed},rootChecked:{backgroundColor:h.primaryButtonBackgroundPressed,color:h.primaryButtonTextPressed},rootCheckedHovered:{backgroundColor:h.primaryButtonBackgroundPressed,color:h.primaryButtonTextPressed},rootDisabled:{color:h.primaryButtonTextDisabled,backgroundColor:h.primaryButtonBackgroundDisabled,selectors:(s={},s[r.qJ]={color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},s)},splitButtonContainer:{selectors:(l={},l[r.qJ]={border:"none"},l)},splitButtonDivider:(0,n.pi)((0,n.pi)({},{position:"absolute",width:1,right:31,top:8,bottom:8}),{backgroundColor:m.white,selectors:(c={},c[r.qJ]={backgroundColor:"Window"},c)}),splitButtonMenuButton:{backgroundColor:h.primaryButtonBackground,color:h.primaryButtonText,selectors:(u={},u[r.qJ]={backgroundColor:"WindowText"},u[":hover"]={backgroundColor:h.primaryButtonBackgroundHovered,selectors:(d={},d[r.qJ]={color:"Highlight"},d)},u)},splitButtonMenuButtonDisabled:{backgroundColor:h.primaryButtonBackgroundDisabled,selectors:{":hover":{backgroundColor:h.primaryButtonBackgroundDisabled}}},splitButtonMenuButtonChecked:{backgroundColor:h.primaryButtonBackgroundPressed,selectors:{":hover":{backgroundColor:h.primaryButtonBackgroundPressed}}},splitButtonMenuButtonExpanded:{backgroundColor:h.primaryButtonBackgroundPressed,selectors:{":hover":{backgroundColor:h.primaryButtonBackgroundPressed}}},splitButtonMenuIcon:{color:h.primaryButtonText},splitButtonMenuIconDisabled:{color:m.neutralTertiary,selectors:(p={},p[r.qJ]={color:"GrayText"},p)}}}},1420:(e,t,o)=>{"use strict";o.d(t,{Q:()=>h});var n=o(7622),r=o(7002),i=o(4968),a=o(9013),s=o(6053),l=o(9729),c=o(5094),u=o(1860),d=o(8198),p=o(2657),m=(0,c.NF)((function(e,t,o,r){var i,a,s,c,m,h,g,f,v,b,y,_,C,S,x=(0,u.W)(e),k=(0,d.W)(e),w=e.palette,I=e.semanticColors,D={root:[(0,l.GL)(e,{inset:2,highContrastStyle:{left:4,top:4,bottom:4,right:4,border:"none"},borderColor:"transparent"}),e.fonts.medium,{minWidth:"40px",backgroundColor:w.white,color:w.neutralPrimary,padding:"0 4px",border:"none",borderRadius:0,selectors:(i={},i[l.qJ]={border:"none"},i)}],rootHovered:{backgroundColor:w.neutralLighter,color:w.neutralDark,selectors:(a={},a[l.qJ]={color:"Highlight"},a["."+p.n.msButtonIcon]={color:w.themeDarkAlt},a["."+p.n.msButtonMenuIcon]={color:w.neutralPrimary},a)},rootPressed:{backgroundColor:w.neutralLight,color:w.neutralDark,selectors:(s={},s["."+p.n.msButtonIcon]={color:w.themeDark},s["."+p.n.msButtonMenuIcon]={color:w.neutralPrimary},s)},rootChecked:{backgroundColor:w.neutralLight,color:w.neutralDark,selectors:(c={},c["."+p.n.msButtonIcon]={color:w.themeDark},c["."+p.n.msButtonMenuIcon]={color:w.neutralPrimary},c)},rootCheckedHovered:{backgroundColor:w.neutralQuaternaryAlt,selectors:(m={},m["."+p.n.msButtonIcon]={color:w.themeDark},m["."+p.n.msButtonMenuIcon]={color:w.neutralPrimary},m)},rootExpanded:{backgroundColor:w.neutralLight,color:w.neutralDark,selectors:(h={},h["."+p.n.msButtonIcon]={color:w.themeDark},h["."+p.n.msButtonMenuIcon]={color:w.neutralPrimary},h)},rootExpandedHovered:{backgroundColor:w.neutralQuaternaryAlt},rootDisabled:{backgroundColor:w.white,selectors:(g={},g["."+p.n.msButtonIcon]={color:I.disabledBodySubtext,selectors:(f={},f[l.qJ]=(0,n.pi)({color:"GrayText"},(0,l.xM)()),f)},g[l.qJ]=(0,n.pi)({color:"GrayText",backgroundColor:"Window"},(0,l.xM)()),g)},splitButtonContainer:{height:"100%",selectors:(v={},v[l.qJ]={border:"none"},v)},splitButtonDividerDisabled:{selectors:(b={},b[l.qJ]={backgroundColor:"Window"},b)},splitButtonDivider:{backgroundColor:w.neutralTertiaryAlt},splitButtonMenuButton:{backgroundColor:w.white,border:"none",borderTopRightRadius:"0",borderBottomRightRadius:"0",color:w.neutralSecondary,selectors:{":hover":{backgroundColor:w.neutralLighter,color:w.neutralDark,selectors:(y={},y[l.qJ]={color:"Highlight"},y["."+p.n.msButtonIcon]={color:w.neutralPrimary},y)},":active":{backgroundColor:w.neutralLight,selectors:(_={},_["."+p.n.msButtonIcon]={color:w.neutralPrimary},_)}}},splitButtonMenuButtonDisabled:{backgroundColor:w.white,selectors:(C={},C[l.qJ]=(0,n.pi)({color:"GrayText",border:"none",backgroundColor:"Window"},(0,l.xM)()),C)},splitButtonMenuButtonChecked:{backgroundColor:w.neutralLight,color:w.neutralDark,selectors:{":hover":{backgroundColor:w.neutralQuaternaryAlt}}},splitButtonMenuButtonExpanded:{backgroundColor:w.neutralLight,color:w.black,selectors:{":hover":{backgroundColor:w.neutralQuaternaryAlt}}},splitButtonMenuIcon:{color:w.neutralPrimary},splitButtonMenuIconDisabled:{color:w.neutralTertiary},label:{fontWeight:"normal"},icon:{color:w.themePrimary},menuIcon:(S={color:w.neutralSecondary},S[l.qJ]={color:"GrayText"},S)};return(0,l.E$)(x,k,D,t)})),h=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.theme;return r.createElement(i.Y,(0,n.pi)({},this.props,{variantClassName:"ms-Button--commandBar",styles:m(o,t),onRenderDescription:a.S}))},(0,n.gn)([(0,s.a)("CommandBarButton",["theme","styles"],!0)],t)}(r.Component)},990:(e,t,o)=>{"use strict";o.d(t,{M:()=>n});var n=o(2898).K},8959:(e,t,o)=>{"use strict";o.d(t,{W:()=>m});var n=o(7622),r=o(7002),i=o(4968),a=o(6053),s=o(9729),l=o(5094),c=o(1860),u=o(8198),d=o(7664),p=(0,l.NF)((function(e,t,o){var r,i,a,l,p,m=e.fonts,h=e.palette,g=(0,c.W)(e),f=(0,u.W)(e),v={root:{maxWidth:"280px",minHeight:"72px",height:"auto",padding:"16px 12px"},flexContainer:{flexDirection:"row",alignItems:"flex-start",minWidth:"100%",margin:""},textContainer:{textAlign:"left"},icon:{fontSize:"2em",lineHeight:"1em",height:"1em",margin:"0px 8px 0px 0px",flexBasis:"1em",flexShrink:"0"},label:{margin:"0 0 5px",lineHeight:"100%",fontWeight:s.lq.semibold},description:[m.small,{lineHeight:"100%"}]},b={description:{color:h.neutralSecondary},descriptionHovered:{color:h.neutralDark},descriptionPressed:{color:"inherit"},descriptionChecked:{color:"inherit"},descriptionDisabled:{color:"inherit"}},y={description:{color:h.white,selectors:(r={},r[s.qJ]=(0,n.pi)({backgroundColor:"WindowText",color:"Window"},(0,s.xM)()),r)},descriptionHovered:{color:h.white,selectors:(i={},i[s.qJ]={backgroundColor:"Highlight",color:"Window"},i)},descriptionPressed:{color:"inherit",selectors:(a={},a[s.qJ]=(0,n.pi)({color:"Window",backgroundColor:"WindowText"},(0,s.xM)()),a)},descriptionChecked:{color:"inherit",selectors:(l={},l[s.qJ]=(0,n.pi)({color:"Window",backgroundColor:"WindowText"},(0,s.xM)()),l)},descriptionDisabled:{color:"inherit",selectors:(p={},p[s.qJ]={color:"inherit"},p)}};return(0,s.E$)(g,v,o?(0,d.f)(e):(0,d.D)(e),o?y:b,f,t)})),m=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.primary,o=void 0!==t&&t,a=e.styles,s=e.theme;return r.createElement(i.Y,(0,n.pi)({},this.props,{variantClassName:o?"ms-Button--compoundPrimary":"ms-Button--compound",styles:p(s,a,o)}))},(0,n.gn)([(0,a.a)("CompoundButton",["theme","styles"],!0)],t)}(r.Component)},9632:(e,t,o)=>{"use strict";o.d(t,{a:()=>h});var n=o(7622),r=o(7002),i=o(4968),a=o(9013),s=o(6053),l=o(9729),c=o(5094),u=o(1860),d=o(8198),p=o(7664),m=(0,c.NF)((function(e,t,o){var n=(0,u.W)(e),r=(0,d.W)(e),i={root:{minWidth:"80px",height:"32px"},label:{fontWeight:l.lq.semibold}};return(0,l.E$)(n,i,o?(0,p.f)(e):(0,p.D)(e),r,t)})),h=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.primary,o=void 0!==t&&t,s=e.styles,l=e.theme;return r.createElement(i.Y,(0,n.pi)({},this.props,{variantClassName:o?"ms-Button--primary":"ms-Button--default",styles:m(l,s,o),onRenderDescription:a.S}))},(0,n.gn)([(0,s.a)("DefaultButton",["theme","styles"],!0)],t)}(r.Component)},5758:(e,t,o)=>{"use strict";o.d(t,{h:()=>m});var n=o(7622),r=o(7002),i=o(4968),a=o(9013),s=o(6053),l=o(9729),c=o(5094),u=o(1860),d=o(8198),p=(0,c.NF)((function(e,t){var o,n=(0,u.W)(e),r=(0,d.W)(e),i=e.palette,a={root:{padding:"0 4px",width:"32px",height:"32px",backgroundColor:"transparent",border:"none",color:e.semanticColors.link},rootHovered:{color:i.themeDarkAlt,backgroundColor:i.neutralLighter,selectors:(o={},o[l.qJ]={borderColor:"Highlight",color:"Highlight"},o)},rootHasMenu:{width:"auto"},rootPressed:{color:i.themeDark,backgroundColor:i.neutralLight},rootExpanded:{color:i.themeDark,backgroundColor:i.neutralLight},rootChecked:{color:i.themeDark,backgroundColor:i.neutralLight},rootCheckedHovered:{color:i.themeDark,backgroundColor:i.neutralQuaternaryAlt},rootDisabled:{color:i.neutralTertiaryAlt}};return(0,l.E$)(n,a,r,t)})),m=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.theme;return r.createElement(i.Y,(0,n.pi)({},this.props,{variantClassName:"ms-Button--icon",styles:p(o,t),onRenderText:a.S,onRenderDescription:a.S}))},(0,n.gn)([(0,s.a)("IconButton",["theme","styles"],!0)],t)}(r.Component)},8924:(e,t,o)=>{"use strict";o.d(t,{K:()=>l});var n=o(7622),r=o(7002),i=o(9013),a=o(6053),s=o(9632),l=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){return r.createElement(s.a,(0,n.pi)({},this.props,{primary:!0,onRenderDescription:i.S}))},(0,n.gn)([(0,a.a)("PrimaryButton",["theme","styles"],!0)],t)}(r.Component)},5032:(e,t,o)=>{"use strict";o.d(t,{W:()=>i});var n=o(5094),r=o(9729),i=(0,n.NF)((function(e,t,o,n,i){return{root:(0,r.y0)(e.splitButtonMenuButton,o&&[e.splitButtonMenuButtonExpanded],t&&[e.splitButtonMenuButtonDisabled],n&&!t&&[e.splitButtonMenuButtonChecked]),splitButtonContainer:(0,r.y0)(e.splitButtonContainer,!t&&n&&[e.splitButtonContainerChecked,{selectors:{":hover":e.splitButtonContainerCheckedHovered}}],!t&&!n&&[{selectors:{":hover":e.splitButtonContainerHovered,":focus":e.splitButtonContainerFocused}}],t&&e.splitButtonContainerDisabled),icon:(0,r.y0)(e.splitButtonMenuIcon,t&&e.splitButtonMenuIconDisabled,!t&&i&&e.splitButtonMenuIcon),flexContainer:(0,r.y0)(e.splitButtonFlexContainer),divider:(0,r.y0)(e.splitButtonDivider,(i||t)&&e.splitButtonDividerDisabled)}}))},8198:(e,t,o)=>{"use strict";o.d(t,{W:()=>i});var n=o(7622),r=o(9729),i=(0,o(5094).NF)((function(e,t){var o,i,a,s,l,c,u,d,p,m,h,g,f,v=e.effects,b=e.palette,y=e.semanticColors,_={position:"absolute",width:1,right:31,top:8,bottom:8},C={splitButtonContainer:[(0,r.GL)(e,{highContrastStyle:{left:-2,top:-2,bottom:-2,right:-2,border:"none"},inset:2}),{display:"inline-flex",selectors:{".ms-Button--default":{borderTopRightRadius:"0",borderBottomRightRadius:"0",borderRight:"none"},".ms-Button--primary":{borderTopRightRadius:"0",borderBottomRightRadius:"0",border:"none",selectors:(o={},o[r.qJ]=(0,n.pi)({color:"WindowText",backgroundColor:"Window",border:"1px solid WindowText",borderRightWidth:"0"},(0,r.xM)()),o)},".ms-Button--primary + .ms-Button":{border:"none",selectors:(i={},i[r.qJ]={border:"1px solid WindowText",borderLeftWidth:"0"},i)}}}],splitButtonContainerHovered:{selectors:{".ms-Button--primary":{selectors:(a={},a[r.qJ]={color:"Window",backgroundColor:"Highlight"},a)},".ms-Button.is-disabled":{color:y.buttonTextDisabled,selectors:(s={},s[r.qJ]={color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},s)}}},splitButtonContainerChecked:{selectors:{".ms-Button--primary":{selectors:(l={},l[r.qJ]=(0,n.pi)({color:"Window",backgroundColor:"WindowText"},(0,r.xM)()),l)}}},splitButtonContainerCheckedHovered:{selectors:{".ms-Button--primary":{selectors:(c={},c[r.qJ]=(0,n.pi)({color:"Window",backgroundColor:"WindowText"},(0,r.xM)()),c)}}},splitButtonContainerFocused:{outline:"none!important"},splitButtonMenuButton:(u={padding:6,height:"auto",boxSizing:"border-box",borderRadius:0,borderTopRightRadius:v.roundedCorner2,borderBottomRightRadius:v.roundedCorner2,border:"1px solid "+b.neutralSecondaryAlt,borderLeft:"none",outline:"transparent",userSelect:"none",display:"inline-block",textDecoration:"none",textAlign:"center",cursor:"pointer",verticalAlign:"top",width:32,marginLeft:-1,marginTop:0,marginRight:0,marginBottom:0},u[r.qJ]={".ms-Button-menuIcon":{color:"WindowText"}},u),splitButtonDivider:(0,n.pi)((0,n.pi)({},_),{selectors:(d={},d[r.qJ]={backgroundColor:"WindowText"},d)}),splitButtonDividerDisabled:(0,n.pi)((0,n.pi)({},_),{selectors:(p={},p[r.qJ]={backgroundColor:"GrayText"},p)}),splitButtonMenuButtonDisabled:{pointerEvents:"none",border:"none",selectors:(m={":hover":{cursor:"default"},".ms-Button--primary":{selectors:(h={},h[r.qJ]={color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},h)},".ms-Button-menuIcon":{selectors:(g={},g[r.qJ]={color:"GrayText"},g)}},m[r.qJ]={color:"GrayText",border:"1px solid GrayText",backgroundColor:"Window"},m)},splitButtonFlexContainer:{display:"flex",height:"100%",flexWrap:"nowrap",justifyContent:"center",alignItems:"center"},splitButtonContainerDisabled:{outline:"none",border:"none",selectors:(f={},f[r.qJ]=(0,n.pi)({color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},(0,r.xM)()),f)}};return(0,r.E$)(C,t)}))},4977:(e,t,o)=>{"use strict";o.d(t,{f:()=>te});var n=o(2002),r=o(7622),i=o(7002),a=o(1093),s=o(6786),l=o(6974),c=o(7300),u=o(6953),d=o(8088),p=o(8145),m=o(9947),h=o(4316),g=o(4085),f=(0,c.y)(),v=function(e){var t=i.useRef(null);i.useImperativeHandle(e.componentRef,(function(){return{focus:function(){var e,o,n;null===(n=null===(e=t.current)||void 0===e?void 0:(o=e).focus)||void 0===n||n.call(o)}}}),[]);var o=e.strings,n=e.navigatedDate,a=e.dateTimeFormatter,s=e.styles,l=e.theme,c=e.className,d=e.onHeaderSelect,p=e.showSixWeeksByDefault,m=e.minDate,v=e.maxDate,_=e.restrictedDates,C=e.onNavigateDate,S=e.showWeekNumbers,x=e.dateRangeType,k=e.animationDirection,w=(0,g.M)(),I=(0,g.M)(),D=f(s,{theme:l,className:c,headerIsClickable:!!d,showWeekNumbers:S,animationDirection:k}),T=a.formatMonthYear(n,o),E=d?"button":"div",P=o.yearPickerHeaderAriaLabel?(0,u.W)(o.yearPickerHeaderAriaLabel,T):T;return i.createElement("div",{className:D.root,id:w},i.createElement("div",{className:D.header},i.createElement(E,{"aria-live":"polite","aria-atomic":"true","aria-label":d?P:void 0,key:T,className:D.monthAndYear,onClick:d,"data-is-focusable":!!d,tabIndex:d?0:-1,onKeyDown:y(d),type:"button"},i.createElement("span",{id:I},T)),i.createElement(b,(0,r.pi)({},e,{classNames:D,dayPickerId:w}))),i.createElement(h.Q,(0,r.pi)({},e,{styles:s,componentRef:t,strings:o,navigatedDate:n,weeksToShow:p?6:void 0,dateTimeFormatter:a,minDate:m,maxDate:v,restrictedDates:_,onNavigateDate:C,labelledBy:I,dateRangeType:x})))};v.displayName="CalendarDayBase";var b=function(e){var t,o,n=e.minDate,r=e.maxDate,a=e.navigatedDate,s=e.allFocusable,c=e.strings,u=e.navigationIcons,p=e.showCloseButton,h=e.classNames,g=e.dayPickerId,f=e.onNavigateDate,v=e.onDismiss,b=function(){f((0,l.zI)(a,1),!1)},_=function(){f((0,l.zI)(a,-1),!1)},C=u.leftNavigation,S=u.rightNavigation,x=u.closeIcon,k=!n||(0,l.NJ)(n,(0,l.pU)(a))<0,w=!r||(0,l.NJ)((0,l.D7)(a),r)<0;return i.createElement("div",{className:h.monthComponents},i.createElement("button",{className:(0,d.i)(h.headerIconButton,(t={},t[h.disabledStyle]=!k,t)),disabled:!s&&!k,"aria-disabled":!k,onClick:k?_:void 0,onKeyDown:k?y(_):void 0,"aria-controls":g,title:c.prevMonthAriaLabel?c.prevMonthAriaLabel+" "+c.months[(0,l.zI)(a,-1).getMonth()]:void 0,type:"button"},i.createElement(m.J,{iconName:C})),i.createElement("button",{className:(0,d.i)(h.headerIconButton,(o={},o[h.disabledStyle]=!w,o)),disabled:!s&&!w,"aria-disabled":!w,onClick:w?b:void 0,onKeyDown:w?y(b):void 0,"aria-controls":g,title:c.nextMonthAriaLabel?c.nextMonthAriaLabel+" "+c.months[(0,l.zI)(a,1).getMonth()]:void 0,type:"button"},i.createElement(m.J,{iconName:S})),p&&i.createElement("button",{className:(0,d.i)(h.headerIconButton),onClick:v,onKeyDown:y(v),title:c.closeButtonAriaLabel,type:"button"},i.createElement(m.J,{iconName:x})))};b.displayName="CalendarDayNavigationButtons";var y=function(e){return function(t){var o;switch(t.which){case p.m.enter:null===(o=e)||void 0===o||o()}}},_=o(9729),C=(0,n.z)(v,(function(e){var t=e.className,o=e.theme,n=e.headerIsClickable,i=e.showWeekNumbers,a=o.palette,s={selectors:{"&, &:disabled, & button":{color:a.neutralTertiaryAlt,pointerEvents:"none"}}};return{root:[_.Fv,{width:196,padding:12,boxSizing:"content-box"},i&&{width:226},t],header:{position:"relative",display:"inline-flex",height:28,lineHeight:44,width:"100%"},monthAndYear:[(0,_.GL)(o,{inset:1}),(0,r.pi)((0,r.pi)({},_.Ic.fadeIn200),{alignItems:"center",fontSize:_.TS.medium,fontFamily:"inherit",color:a.neutralPrimary,display:"inline-block",flexGrow:1,fontWeight:_.lq.semibold,padding:"0 4px 0 10px",border:"none",backgroundColor:"transparent",borderRadius:2,lineHeight:28,overflow:"hidden",whiteSpace:"nowrap",textAlign:"left",textOverflow:"ellipsis"}),n&&{selectors:{"&:hover":{cursor:"pointer",background:a.neutralLight,color:a.black}}}],monthComponents:{display:"inline-flex",alignSelf:"flex-end"},headerIconButton:[(0,_.GL)(o,{inset:-1}),{width:28,height:28,display:"block",textAlign:"center",lineHeight:28,fontSize:_.TS.small,fontFamily:"inherit",color:a.neutralPrimary,borderRadius:2,position:"relative",backgroundColor:"transparent",border:"none",padding:0,overflow:"visible",selectors:{"&:hover":{color:a.neutralDark,backgroundColor:a.neutralLight,cursor:"pointer",outline:"1px solid transparent"}}}],disabledStyle:s}}),void 0,{scope:"CalendarDay"}),S=o(2998),x=o(716),k=function(e){var t,o,n,i,a,s,l=e.className,c=e.theme,u=e.hasHeaderClickCallback,d=e.highlightCurrent,p=e.highlightSelected,m=e.animateBackwards,h=e.animationDirection,g=c.palette,f={};void 0!==m&&(f=h===x.s.Horizontal?m?_.Ic.slideRightIn20:_.Ic.slideLeftIn20:m?_.Ic.slideDownIn20:_.Ic.slideUpIn20);var v=void 0!==m?_.Ic.fadeIn200:{};return{root:[_.Fv,{width:196,padding:12,boxSizing:"content-box",overflow:"hidden"},l],headerContainer:{display:"flex"},currentItemButton:[(0,_.GL)(c,{inset:-1}),(0,r.pi)((0,r.pi)({},v),{fontSize:_.TS.medium,fontWeight:_.lq.semibold,fontFamily:"inherit",textAlign:"left",backgroundColor:"transparent",flexGrow:1,padding:"0 4px 0 10px",border:"none",overflow:"visible"}),u&&{selectors:{"&:hover, &:active":{cursor:u?"pointer":"default",color:g.neutralDark,outline:"1px solid transparent",backgroundColor:g.neutralLight}}}],navigationButtonsContainer:{display:"flex",alignItems:"center"},navigationButton:[(0,_.GL)(c,{inset:-1}),{fontFamily:"inherit",width:28,minWidth:28,height:28,minHeight:28,display:"block",textAlign:"center",lineHeight:28,fontSize:_.TS.small,color:g.neutralPrimary,borderRadius:2,position:"relative",backgroundColor:"transparent",border:"none",padding:0,overflow:"visible",selectors:{"&:hover":{color:g.neutralDark,cursor:"pointer",outline:"1px solid transparent",backgroundColor:g.neutralLight}}}],gridContainer:{marginTop:4},buttonRow:(0,r.pi)((0,r.pi)({},f),{marginBottom:16,selectors:{"&:nth-child(n + 3)":{marginBottom:0}}}),itemButton:[(0,_.GL)(c,{inset:-1}),{width:40,height:40,minWidth:40,minHeight:40,lineHeight:40,fontSize:_.TS.small,fontFamily:"inherit",padding:0,margin:"0 12px 0 0",color:g.neutralPrimary,backgroundColor:"transparent",border:"none",borderRadius:2,overflow:"visible",selectors:{"&:nth-child(4n + 4)":{marginRight:0},"&:nth-child(n + 9)":{marginBottom:0},"& div":{fontWeight:_.lq.regular},"&:hover":{color:g.neutralDark,backgroundColor:g.neutralLight,cursor:"pointer",outline:"1px solid transparent",selectors:(t={},t[_.qJ]=(0,r.pi)({background:"Window",color:"WindowText",outline:"1px solid Highlight"},(0,_.xM)()),t)},"&:active":{backgroundColor:g.themeLight,selectors:(o={},o[_.qJ]=(0,r.pi)({background:"Window",color:"Highlight"},(0,_.xM)()),o)}}}],current:d?{color:g.white,backgroundColor:g.themePrimary,selectors:(n={"& div":{fontWeight:_.lq.semibold},"&:hover":{backgroundColor:g.themePrimary,selectors:(i={},i[_.qJ]=(0,r.pi)({backgroundColor:"WindowText",color:"Window"},(0,_.xM)()),i)}},n[_.qJ]=(0,r.pi)({backgroundColor:"WindowText",color:"Window"},(0,_.xM)()),n)}:{},selected:p?{color:g.neutralPrimary,backgroundColor:g.themeLight,fontWeight:_.lq.semibold,selectors:(a={"& div":{fontWeight:_.lq.semibold},"&:hover, &:active":{backgroundColor:g.themeLight,selectors:(s={},s[_.qJ]=(0,r.pi)({color:"Window",background:"Highlight"},(0,_.xM)()),s)}},a[_.qJ]=(0,r.pi)({background:"Highlight",color:"Window"},(0,_.xM)()),a)}:{},disabled:{selectors:{"&, &:disabled, & button":{color:g.neutralTertiaryAlt,pointerEvents:"none"}}}}},w=function(e){return k(e)},I=o(63),D=o(5951),T=o(6876),E=o(6883),P=(0,c.y)(),M={prevRangeAriaLabel:void 0,nextRangeAriaLabel:void 0},R=function(e){var t,o,n,r=e.styles,a=e.theme,s=e.className,l=e.highlightCurrentYear,c=e.highlightSelectedYear,u=e.year,m=e.selected,h=e.disabled,g=e.componentRef,f=e.onSelectYear,v=e.onRenderYear,b=i.useRef(null);i.useImperativeHandle(g,(function(){return{focus:function(){var e,t,o;null===(o=null===(e=b.current)||void 0===e?void 0:(t=e).focus)||void 0===o||o.call(t)}}}),[]);var y=P(r,{theme:a,className:s,highlightCurrent:l,highlightSelected:c});return i.createElement("button",{className:(0,d.i)(y.itemButton,(t={},t[y.selected]=m,t[y.disabled]=h,t)),type:"button",role:"gridcell",onClick:h?void 0:function(){var e;null===(e=f)||void 0===e||e(u)},onKeyDown:h?void 0:function(e){var t;e.which===p.m.enter&&(null===(t=f)||void 0===t||t(u))},disabled:h,"aria-selected":m,ref:b,"aria-readonly":!0},null!=(n=null===(o=v)||void 0===o?void 0:o(u))?n:u)};R.displayName="CalendarYearGridCell";var N,B=function(e){var t=e.styles,o=e.theme,n=e.className,a=e.fromYear,s=e.toYear,l=e.animationDirection,c=e.animateBackwards,u=e.minYear,d=e.maxYear,p=e.onSelectYear,m=e.selectedYear,h=e.componentRef,g=i.useRef(null),f=i.useRef(null);i.useImperativeHandle(h,(function(){return{focus:function(){var e,t,o;null===(o=null===(e=g.current||f.current)||void 0===e?void 0:(t=e).focus)||void 0===o||o.call(t)}}}),[]);for(var v,b,y,_,C=P(t,{theme:o,className:n,animateBackwards:c,animationDirection:l}),x=function(t){var o,n,r;return null!=(r=null===(n=(o=e).onRenderYear)||void 0===n?void 0:n.call(o,t))?r:t},k=x(a)+" - "+x(s),w=a,I=[],D=0;D<(s-a+1)/4;D++){I.push([]);for(var T=0;T<4;T++)I[D].push((void 0,void 0,void 0,b=(v=w)===m,y=void 0!==u&&vd,_=v===(new Date).getFullYear(),i.createElement(R,(0,r.pi)({},e,{key:v,year:v,selected:b,current:_,disabled:y,onSelectYear:p,componentRef:b?g:_?f:void 0,theme:o})))),w++}return i.createElement(S.k,null,i.createElement("div",{className:C.gridContainer,role:"grid","aria-label":k},I.map((function(e,t){return i.createElement("div",{key:"yearPickerRow_"+t+"_"+a,role:"row",className:C.buttonRow},e)}))))};B.displayName="CalendarYearGrid",function(e){e[e.Previous=0]="Previous",e[e.Next=1]="Next"}(N||(N={}));var F=function(e){var t,o=e.styles,n=e.theme,r=e.className,a=e.navigationIcons,s=void 0===a?E.XU:a,l=e.strings,c=void 0===l?M:l,u=e.direction,h=e.onSelectPrev,g=e.onSelectNext,f=e.fromYear,v=e.toYear,b=e.maxYear,y=e.minYear,_=P(o,{theme:n,className:r}),C=0===u?c.prevRangeAriaLabel:c.nextRangeAriaLabel,S=0===u?-12:12,x=C?"string"==typeof C?C:C({fromYear:f+S,toYear:v+S}):void 0,k=0===u?void 0!==y&&fb,w=function(){var e,t;0===u?null===(e=h)||void 0===e||e():null===(t=g)||void 0===t||t()},I=(0,D.zg)()?1===u:0===u;return i.createElement("button",{className:(0,d.i)(_.navigationButton,(t={},t[_.disabled]=k,t)),onClick:k?void 0:w,onKeyDown:k?void 0:function(e){e.which===p.m.enter&&w()},type:"button",title:x,disabled:k},i.createElement(m.J,{iconName:I?s.leftNavigation:s.rightNavigation}))};F.displayName="CalendarYearNavArrow";var L=function(e){var t=e.styles,o=e.theme,n=e.className,a=P(t,{theme:o,className:n});return i.createElement("div",{className:a.navigationButtonsContainer},i.createElement(F,(0,r.pi)({},e,{direction:0})),i.createElement(F,(0,r.pi)({},e,{direction:1})))};L.displayName="CalendarYearNav";var A=function(e){var t=e.styles,o=e.theme,n=e.className,r=e.fromYear,a=e.toYear,s=e.strings,l=void 0===s?M:s,c=e.animateBackwards,d=e.animationDirection,m=function(){var t,o;null===(o=(t=e).onHeaderSelect)||void 0===o||o.call(t,!0)},h=function(t){var o,n,r;return null!=(r=null===(n=(o=e).onRenderYear)||void 0===n?void 0:n.call(o,t))?r:t},g=P(t,{theme:o,className:n,hasHeaderClickCallback:!!e.onHeaderSelect,animateBackwards:c,animationDirection:d});if(e.onHeaderSelect){var f=l.rangeAriaLabel,v=l.headerAriaLabelFormatString,b=f?"string"==typeof f?f:f(e):void 0,y=v?(0,u.W)(v,b):b;return i.createElement("button",{className:g.currentItemButton,onClick:m,onKeyDown:function(e){e.which!==p.m.enter&&e.which!==p.m.space||m()},"aria-label":y,role:"button",type:"button","aria-atomic":!0,"aria-live":"polite"},h(r)," - ",h(a))}return i.createElement("div",{className:g.current},h(r)," - ",h(a))};A.displayName="CalendarYearTitle";var z,H=function(e){var t,o,n=e.styles,a=e.theme,s=e.className,l=e.animateBackwards,c=e.animationDirection,u=e.onRenderTitle,d=P(n,{theme:a,className:s,hasHeaderClickCallback:!!e.onHeaderSelect,animateBackwards:l,animationDirection:c});return i.createElement("div",{className:d.headerContainer},null!=(o=null===(t=u)||void 0===t?void 0:t(e))?o:i.createElement(A,(0,r.pi)({},e)),i.createElement(L,(0,r.pi)({},e)))};H.displayName="CalendarYearHeader",function(e){e[e.Previous=0]="Previous",e[e.Next=1]="Next"}(z||(z={}));var O=function(e){var t=function(e){var t=e.selectedYear,o=e.navigatedYear,n=t||o||(new Date).getFullYear(),r=10*Math.floor(n/10),i=(0,T.D)(r);return i&&i!==r?i>r:void 0}(e),o=function(e){var t=e.selectedYear,o=e.navigatedYear,n=i.useReducer((function(e,t){return e+(1===t?12:-12)}),void 0,(function(){var e=t||o||(new Date).getFullYear();return 10*Math.floor(e/10)})),r=n[0],a=n[1];return[r,r+12-1,function(){return a(1)},function(){return a(0)}]}(e),n=o[0],a=o[1],s=o[2],l=o[3],c=i.useRef(null);i.useImperativeHandle(e.componentRef,(function(){return{focus:function(){var e,t,o;null===(o=null===(e=c.current)||void 0===e?void 0:(t=e).focus)||void 0===o||o.call(t)}}}));var u=e.styles,d=e.theme,p=e.className,m=P(u,{theme:d,className:p});return i.createElement("div",{className:m.root},i.createElement(H,(0,r.pi)({},e,{fromYear:n,toYear:a,onSelectPrev:l,onSelectNext:s,animateBackwards:t})),i.createElement(B,(0,r.pi)({},e,{fromYear:n,toYear:a,animateBackwards:t,componentRef:c})))};O.displayName="CalendarYearBase";var W=(0,n.z)(O,(function(e){return k(e)}),void 0,{scope:"CalendarYear"}),V=(0,c.y)(),K={styles:w,strings:void 0,navigationIcons:E.XU,dateTimeFormatter:s.mR,yearPickerHidden:!1},q=function(e){var t,o,n=(0,I.j)(K,e),r=function(e){var t=e.componentRef,o=i.useRef(null),n=i.useRef(null),r=i.useRef(!1),a=i.useCallback((function(){n.current?n.current.focus():o.current&&o.current.focus()}),[]);return i.useImperativeHandle(t,(function(){return{focus:a}}),[a]),i.useEffect((function(){r.current&&(a(),r.current=!1)})),[o,n,function(){r.current=!0}]}(n),a=r[0],s=r[1],c=r[2],p=i.useState(!1),h=p[0],g=p[1],f=function(e){var t=e.navigatedDate.getFullYear(),o=(0,T.D)(t);return void 0===o||o===t?void 0:o>t}(n),v=n.navigatedDate,b=n.selectedDate,y=n.strings,_=n.today,C=void 0===_?new Date:_,x=n.navigationIcons,k=n.dateTimeFormatter,w=n.minDate,E=n.maxDate,P=n.theme,M=n.styles,R=n.className,N=n.allFocusable,B=n.highlightCurrentMonth,F=n.highlightSelectedMonth,L=n.animationDirection,A=n.yearPickerHidden,z=n.onNavigateDate,H=function(e){return function(){return j(e)}},O=function(){z((0,l.Bc)(v,1),!1)},q=function(){z((0,l.Bc)(v,-1),!1)},j=function(e){var t,o;null===(o=(t=n).onHeaderSelect)||void 0===o||o.call(t),z((0,l.q0)(v,e),!0)},J=function(){var e,t;A?null===(t=(e=n).onHeaderSelect)||void 0===t||t.call(e):(c(),g(!0))},Y=x.leftNavigation,Z=x.rightNavigation,X=k,Q=!w||(0,l.NJ)(w,(0,l.W8)(v))<0,$=!E||(0,l.NJ)((0,l.Q9)(v),E)<0,ee=V(M,{theme:P,className:R,hasHeaderClickCallback:!!n.onHeaderSelect||!A,highlightCurrent:B,highlightSelected:F,animateBackwards:f,animationDirection:L});if(h){var te=function(e){var t=e.strings,o=e.navigatedDate,n=e.dateTimeFormatter,r=function(e){if(n){var t=new Date(o.getTime());return t.setFullYear(e),n.formatYear(t)}return String(e)},i=function(e){return r(e.fromYear)+" - "+r(e.toYear)};return[r,{rangeAriaLabel:i,prevRangeAriaLabel:function(e){return t.prevYearRangeAriaLabel?t.prevYearRangeAriaLabel+" "+i(e):""},nextRangeAriaLabel:function(e){return t.nextYearRangeAriaLabel?t.nextYearRangeAriaLabel+" "+i(e):""},headerAriaLabelFormatString:t.yearPickerHeaderAriaLabel}]}(n),oe=te[0],ne=te[1];return i.createElement(W,{key:"calendarYear",minYear:w?w.getFullYear():void 0,maxYear:E?E.getFullYear():void 0,onSelectYear:function(e){if(c(),v.getFullYear()!==e){var t=new Date(v.getTime());t.setFullYear(e),E&&t>E?t=(0,l.q0)(t,E.getMonth()):w&&t{"use strict";var n;o.d(t,{s:()=>n}),function(e){e[e.Horizontal=0]="Horizontal",e[e.Vertical=1]="Vertical"}(n||(n={}))},6883:(e,t,o)=>{"use strict";o.d(t,{V3:()=>n,GC:()=>r,XU:()=>i});var n=o(6786).tf,r=n,i={leftNavigation:"Up",rightNavigation:"Down",closeIcon:"CalculatorMultiply"}},4316:(e,t,o)=>{"use strict";o.d(t,{Q:()=>M});var n=o(7622),r=o(7002),i=o(7300),a=o(5951),s=o(2998),l=o(6974),c=o(1093),u=function(e,t,o){var r=(0,n.pr)(e);return t&&(r=r.filter((function(e){return(0,l.NJ)(e,t)>=0}))),o&&(r=r.filter((function(e){return(0,l.NJ)(e,o)<=0}))),r},d=function(e,t){var o=t.minDate;return!!o&&(0,l.NJ)(o,e)>=1},p=function(e,t){var o=t.maxDate;return!!o&&(0,l.NJ)(e,o)>=1},m=function(e,t){var o=t.restrictedDates,n=t.minDate,r=t.maxDate;return!!(o||n||r)&&(o&&o.some((function(t){return(0,l.aN)(t,e)}))||d(e,t)||p(e,t))},h=o(6876),g=o(4085),f=o(2470),v=o(8088),b=function(e){var t=e.showWeekNumbers,o=e.strings,n=e.firstDayOfWeek,i=e.allFocusable,a=e.weeksToShow,s=e.weeks,l=e.classNames,u=o.shortDays.slice(),d=(0,f.cx)(s[1],(function(e){return 1===e.originalDate.getDate()}));if(1===a&&d>=0){var p=(d+n)%c.NA;u[p]=o.shortMonths[s[1][d].originalDate.getMonth()]}return r.createElement("tr",null,t&&r.createElement("th",{className:l.dayCell}),u.map((function(e,t){var a=(t+n)%c.NA,s=t===d?o.days[a]+" "+u[a]:o.days[a];return r.createElement("th",{className:(0,v.i)(l.dayCell,l.weekDayLabelCell),scope:"col",key:u[a]+" "+t,title:s,"aria-label":s,"data-is-focusable":!!i||void 0},u[a])})))},y=o(6953),_=o(8145),C=function(e){var t=e.targetDate,o=e.initialDate,r=e.direction,i=(0,n._T)(e,["targetDate","initialDate","direction"]),a=t;if(!m(t,i))return t;for(;0!==(0,l.NJ)(o,a)&&m(a,i)&&!p(a,i)&&!d(a,i);)a=(0,l.E4)(a,r);return 0===(0,l.NJ)(o,a)||m(a,i)?void 0:a},S=function(e){var t,o,n=e.navigatedDate,i=e.dateTimeFormatter,s=e.allFocusable,u=e.strings,d=e.activeDescendantId,p=e.navigatedDayRef,m=e.calculateRoundedStyles,h=e.weeks,g=e.classNames,f=e.day,b=e.dayIndex,y=e.weekIndex,S=e.weekCorners,x=e.ariaHidden,k=e.customDayCellRef,w=e.dateRangeType,I=e.daysToSelectInDayView,D=e.onSelectDate,T=e.restrictedDates,E=e.minDate,P=e.maxDate,M=e.onNavigateDate,R=e.getDayInfosInRangeOfDay,N=e.getRefsFromDayInfos,B=null!=(o=null===(t=S)||void 0===t?void 0:t[y+"_"+b])?o:"",F=(0,l.aN)(n,f.originalDate),L=i.formatMonthDayYear(f.originalDate,u);return f.isMarked&&(L=L+", "+u.dayMarkedAriaLabel),r.createElement("td",{className:(0,v.i)(g.dayCell,S&&B,f.isSelected&&g.daySelected,f.isSelected&&"ms-CalendarDay-daySelected",!f.isInBounds&&g.dayOutsideBounds,!f.isInMonth&&g.dayOutsideNavigatedMonth),ref:function(e){var t;null===(t=k)||void 0===t||t(e,f.originalDate,g),f.setRef(e)},"aria-hidden":x,onClick:f.isInBounds&&!x?f.onSelected:void 0,onMouseOver:x?void 0:function(e){var t=R(f),o=N(t);o.forEach((function(e,n){var r;if(e&&(e.classList.add("ms-CalendarDay-hoverStyle"),!t[n].isSelected&&w===c.NU.Day&&I&&I>1)){e.classList.remove(g.bottomLeftCornerDate,g.bottomRightCornerDate,g.topLeftCornerDate,g.topRightCornerDate);var i=m(g,!1,!1,n>0,n1)){var i=m(g,!1,!1,n>0,n0)};return[function(e,n){var r={},i=n.slice(1,n.length-1);return i.forEach((function(n,a){n.forEach((function(n,s){var l=i[a-1]&&i[a-1][s]&&o(i[a-1][s].originalDate,n.originalDate,i[a-1][s].isSelected,n.isSelected),c=i[a+1]&&i[a+1][s]&&o(i[a+1][s].originalDate,n.originalDate,i[a+1][s].isSelected,n.isSelected),u=i[a][s-1]&&o(i[a][s-1].originalDate,n.originalDate,i[a][s-1].isSelected,n.isSelected),d=i[a][s+1]&&o(i[a][s+1].originalDate,n.originalDate,i[a][s+1].isSelected,n.isSelected),p=t(e,l,c,u,d);r[a+"_"+s]=p}))})),r},t]}(e),_=y[0],C=y[1];r.useImperativeHandle(e.componentRef,(function(){return{focus:function(){var e,o,n;null===(n=null===(e=t.current)||void 0===e?void 0:(o=e).focus)||void 0===n||n.call(o)}}}),[]);var S=e.styles,I=e.theme,D=e.className,T=e.dateRangeType,E=e.showWeekNumbers,P=e.labelledBy,M=e.lightenDaysOutsideNavigatedMonth,R=e.animationDirection,N=k(S,{theme:I,className:D,dateRangeType:T,showWeekNumbers:E,lightenDaysOutsideNavigatedMonth:void 0===M||M,animationDirection:R,animateBackwards:v}),B=_(N,f),F={weeks:f,navigatedDayRef:t,calculateRoundedStyles:C,activeDescendantId:o,classNames:N,weekCorners:B,getDayInfosInRangeOfDay:function(t){var o=function(e,t){if(t&&e===c.NU.WorkWeek){for(var o=t.slice().sort(),n=!0,r=1;r{"use strict";o.d(t,{U:()=>s});var n=o(7622),r=o(7002),i=o(4941),a=o(7513),s=r.forwardRef((function(e,t){var o=e.layerProps,s=e.doNotLayer,l=(0,n._T)(e,["layerProps","doNotLayer"]),c=r.createElement(i.N,(0,n.pi)({},l,{ref:t}));return s?c:r.createElement(a.m,(0,n.pi)({},o),c)}));s.displayName="Callout"},5666:(e,t,o)=>{"use strict";o.d(t,{H:()=>T});var n,r=o(7622),i=o(7002),a=o(6628),s=o(4553),l=o(3345),c=o(9251),u=o(63),d=o(8127),p=o(8088),m=o(2447),h=o(4568),g=o(6591),f=o(752),v=o(7300),b=o(9729),y=o(3528),_=o(7913),C=o(9241),S=o(2674),x=((n={})[h.z.top]=b.k4.slideUpIn10,n[h.z.bottom]=b.k4.slideDownIn10,n[h.z.left]=b.k4.slideLeftIn10,n[h.z.right]=b.k4.slideRightIn10,n),k=(0,v.y)({disableCaching:!0}),w={opacity:0,filter:"opacity(0)",pointerEvents:"none"},I=["role","aria-roledescription"],D={preventDismissOnLostFocus:!1,preventDismissOnScroll:!1,preventDismissOnResize:!1,isBeakVisible:!0,beakWidth:16,gapSpace:0,minPagePadding:8,directionalHint:a.b.bottomAutoEdge};var T=i.memo(i.forwardRef((function(e,t){var o=(0,u.j)(D,e),n=o.styles,a=o.style,m=o.ariaLabel,h=o.ariaDescribedBy,v=o.ariaLabelledBy,b=o.className,T=o.isBeakVisible,M=o.children,R=o.beakWidth,N=o.calloutWidth,B=o.calloutMaxWidth,F=o.calloutMinWidth,L=o.finalHeight,A=o.hideOverflow,z=void 0===A?!!L:A,H=o.backgroundColor,O=o.calloutMaxHeight,W=o.onScroll,V=o.shouldRestoreFocus,K=void 0===V||V,q=o.target,G=o.hidden,U=o.onLayerMounted,j=i.useRef(null),J=i.useRef(null),Y=(0,C.r)(j,t),Z=(0,S.e)(o.target,J),X=Z[0],Q=Z[1],$=function(e,t,o){var n=e.bounds,r=e.minPagePadding,a=void 0===r?D.minPagePadding:r,s=e.target,l=i.useRef();return i.useCallback((function(){if(!l.current){var e="function"==typeof n?o?n(s,o):void 0:n;!e&&o&&(e={top:(e=(0,g.qE)(t.current,o)).top+a,left:e.left+a,right:e.right-a,bottom:e.bottom-a,width:e.width-2*a,height:e.height-2*a}),l.current=e}return l.current}),[n,a,s,t,o])}(o,X,Q),ee=function(e,t,o){var n=e.beakWidth,r=e.coverTarget,a=e.directionalHint,s=e.directionalHintFixed,l=e.gapSpace,c=e.isBeakVisible,u=e.hidden,d=i.useState(),p=d[0],m=d[1],h=(0,y.r)(),f=t.current;return i.useEffect((function(){var e;if(p||u)u&&m(void 0);else if(s&&f){var i=(null!=l?l:0)+(c&&n?n:0);h.requestAnimationFrame((function(){t.current&&m((0,g.DC)(t.current,a,i,o(),r))}))}else m(null===(e=o())||void 0===e?void 0:e.height)}),[t,f,l,n,o,u,h,r,a,s,c,p]),p}(o,X,$),te=function(e,t){var o=e.finalHeight,n=e.hidden,r=i.useState(0),a=r[0],s=r[1],l=(0,y.r)(),c=i.useRef(),u=i.useCallback((function(){t.current&&o&&(c.current=l.requestAnimationFrame((function(){var e,n=null===(e=t.current)||void 0===e?void 0:e.lastChild;if(n){var r=n.scrollHeight-n.offsetHeight;s((function(e){return e+r})),n.offsetHeight0&&(u.current=0,null===(i=f)||void 0===i||i(l))}}),o.current);return function(){return d.cancelAnimationFrame(i)}}}),[p,v,d,o,t,n,h,a,f,l,e,m]),l}(o,j,J,X,$),ne=function(e,t,o,n,r){var a=e.hidden,s=e.onDismiss,u=e.preventDismissOnScroll,d=e.preventDismissOnResize,p=e.preventDismissOnLostFocus,m=e.shouldDismissOnWindowFocus,h=e.preventDismissOnEvent,g=i.useRef(!1),f=(0,y.r)(),v=(0,_.B)([function(){g.current=!0},function(){g.current=!1}]),b=!!t;return i.useEffect((function(){var e=function(e){b&&!u&&v(e)},t=function(e){var t;d||null===(t=s)||void 0===t||t(e)},i=function(e){p||v(e)},v=function(e){var t,i=e.target,a=o.current&&!(0,l.t)(o.current,i);a&&g.current?g.current=!1:(!n.current&&a||e.target!==r&&a&&(!n.current||"stopPropagation"in n.current||i!==n.current&&!(0,l.t)(n.current,i)))&&(null===(t=s)||void 0===t||t(e))},y=function(e){var t,o;m&&((!h||h(e))&&(h||p)||(null===(t=r)||void 0===t?void 0:t.document.hasFocus())||null!==e.relatedTarget||null===(o=s)||void 0===o||o(e))},_=new Promise((function(o){f.setTimeout((function(){if(!a&&r){var n=[(0,c.on)(r,"scroll",e,!0),(0,c.on)(r,"resize",t,!0),(0,c.on)(r.document.documentElement,"focus",i,!0),(0,c.on)(r.document.documentElement,"click",i,!0),(0,c.on)(r,"blur",y,!0)];o((function(){n.forEach((function(e){return e()}))}))}}),0)}));return function(){_.then((function(e){return e()}))}}),[a,f,o,n,r,s,m,p,d,u,b,h]),v}(o,oe,j,X,Q),re=ne[0],ie=ne[1];if(function(e,t,o){var n=e.hidden,r=e.setInitialFocus,a=(0,y.r)(),l=!!t;i.useEffect((function(){if(!n&&r&&l&&o.current){var e=a.requestAnimationFrame((function(){return(0,s.uo)(o.current)}),o.current);return function(){return a.cancelAnimationFrame(e)}}}),[n,l,a,o,r])}(o,oe,J),i.useEffect((function(){var e;G||null===(e=U)||void 0===e||e()}),[G]),!Q)return null;var ae=ee?ee+te:void 0,se=O&&ae&&O{"use strict";o.d(t,{N:()=>l});var n=o(2002),r=o(5666),i=o(9729);function a(e){return{height:e,width:e}}var s={container:"ms-Callout-container",root:"ms-Callout",beak:"ms-Callout-beak",beakCurtain:"ms-Callout-beakCurtain",calloutMain:"ms-Callout-main"},l=(0,n.z)(r.H,(function(e){var t,o=e.theme,n=e.className,r=e.overflowYHidden,l=e.calloutWidth,c=e.beakWidth,u=e.backgroundColor,d=e.calloutMaxWidth,p=e.calloutMinWidth,m=(0,i.Cn)(s,o),h=o.semanticColors,g=o.effects;return{container:[m.container,{position:"relative"}],root:[m.root,o.fonts.medium,{position:"absolute",boxSizing:"border-box",borderRadius:g.roundedCorner2,boxShadow:g.elevation16,selectors:(t={},t[i.qJ]={borderWidth:1,borderStyle:"solid",borderColor:"WindowText"},t)},(0,i.e2)(),n,!!l&&{width:l},!!d&&{maxWidth:d},!!p&&{minWidth:p}],beak:[m.beak,{position:"absolute",backgroundColor:h.menuBackground,boxShadow:"inherit",border:"inherit",boxSizing:"border-box",transform:"rotate(45deg)"},a(c),u&&{backgroundColor:u}],beakCurtain:[m.beakCurtain,{position:"absolute",top:0,right:0,bottom:0,left:0,backgroundColor:h.menuBackground,borderRadius:g.roundedCorner2}],calloutMain:[m.calloutMain,{backgroundColor:h.menuBackground,overflowX:"hidden",overflowY:"auto",position:"relative",borderRadius:g.roundedCorner2},r&&{overflowY:"hidden"},u&&{backgroundColor:u}]}}),void 0,{scope:"CalloutContent"})},5790:(e,t,o)=>{"use strict";o.d(t,{A:()=>p});var n=o(7622),r=o(7002),i=o(4085),a=o(9241),s=o(6548),l=o(7300),c=o(5480),u=o(9947),d=(0,l.y)(),p=r.forwardRef((function(e,t){var o=e.disabled,l=e.required,p=e.inputProps,m=e.name,h=e.ariaLabel,g=e.ariaLabelledBy,f=e.ariaDescribedBy,v=e.ariaPositionInSet,b=e.ariaSetSize,y=e.title,_=e.label,C=e.checkmarkIconProps,S=e.styles,x=e.theme,k=e.className,w=e.boxSide,I=void 0===w?"start":w,D=(0,i.M)("checkbox-",e.id),T=r.useRef(null),E=(0,a.r)(T,t),P=r.useRef(null),M=(0,s.G)(e.checked,e.defaultChecked,e.onChange),R=M[0],N=M[1],B=(0,s.G)(e.indeterminate,e.defaultIndeterminate),F=B[0],L=B[1];(0,c.P)(T),function(e,t,o,n){r.useImperativeHandle(e.componentRef,(function(){return{get checked(){return!!t},get indeterminate(){return!!o},focus:function(){n.current&&n.current.focus()}}}),[n,t,o])}(e,R,F,P);var A=d(S,{theme:x,className:k,disabled:o,indeterminate:F,checked:R,reversed:"start"!==I,isUsingCustomLabelRender:!!e.onRenderLabel}),z=r.useCallback((function(e){return e&&e.label?r.createElement("span",{"aria-hidden":"true",className:A.text,title:e.title},e.label):null}),[A.text]),H=e.onRenderLabel||z,O=F?"mixed":R?"true":"false",W=(0,n.pi)((0,n.pi)({className:A.input,type:"checkbox"},p),{checked:!!R,disabled:o,required:l,name:m,id:D,title:y,onChange:function(e){F?(N(!!R,e),L(!1)):N(!R,e)},"aria-disabled":o,"aria-label":h||_,"aria-labelledby":g,"aria-describedby":f,"aria-posinset":v,"aria-setsize":b,"aria-checked":O});return r.createElement("div",{className:A.root,title:y,ref:E},r.createElement("input",(0,n.pi)({},W,{ref:P,"data-ktp-execute-target":!0})),r.createElement("label",{className:A.label,htmlFor:D},r.createElement("div",{className:A.checkbox,"data-ktp-target":!0},r.createElement(u.J,(0,n.pi)({iconName:"CheckMark"},C,{className:A.checkmark}))),H(e,z)))}));p.displayName="CheckboxBase"},2777:(e,t,o)=>{"use strict";o.d(t,{X:()=>p});var n=o(2002),r=o(5790),i=o(7622),a=o(9729),s=o(6145),l={root:"ms-Checkbox",label:"ms-Checkbox-label",checkbox:"ms-Checkbox-checkbox",checkmark:"ms-Checkbox-checkmark",text:"ms-Checkbox-text"},c="20px",u="200ms",d="cubic-bezier(.4, 0, .23, 1)",p=(0,n.z)(r.A,(function(e){var t,o,n,r,p,m,h,g,f,v,b,y,_,C,S,x,k,w,I=e.className,D=e.theme,T=e.reversed,E=e.checked,P=e.disabled,M=e.isUsingCustomLabelRender,R=e.indeterminate,N=D.semanticColors,B=D.effects,F=D.palette,L=D.fonts,A=(0,a.Cn)(l,D),z=N.inputForegroundChecked,H=F.neutralSecondary,O=F.neutralPrimary,W=N.inputBackgroundChecked,V=N.inputBackgroundChecked,K=N.disabledBodySubtext,q=N.inputBorderHovered,G=N.inputBackgroundCheckedHovered,U=N.inputBackgroundChecked,j=N.inputBackgroundCheckedHovered,J=N.inputBackgroundCheckedHovered,Y=N.inputTextHovered,Z=N.disabledBodySubtext,X=N.bodyText,Q=N.disabledText,$=[(t={content:'""',borderRadius:B.roundedCorner2,position:"absolute",width:10,height:10,top:4,left:4,boxSizing:"border-box",borderWidth:5,borderStyle:"solid",borderColor:P?K:W,transitionProperty:"border-width, border, border-color",transitionDuration:u,transitionTimingFunction:d},t[a.qJ]={borderColor:"WindowText"},t)];return{root:[A.root,{position:"relative",display:"flex"},T&&"reversed",E&&"is-checked",!P&&"is-enabled",P&&"is-disabled",!P&&[!E&&(o={},o[":hover ."+A.checkbox]=(n={borderColor:q},n[a.qJ]={borderColor:"Highlight"},n),o[":focus ."+A.checkbox]={borderColor:q},o[":hover ."+A.checkmark]=(r={color:H,opacity:"1"},r[a.qJ]={color:"Highlight"},r),o),E&&!R&&(p={},p[":hover ."+A.checkbox]={background:j,borderColor:J},p[":focus ."+A.checkbox]={background:j,borderColor:J},p[a.qJ]=(m={},m[":hover ."+A.checkbox]={background:"Highlight",borderColor:"Highlight"},m[":focus ."+A.checkbox]={background:"Highlight"},m[":focus:hover ."+A.checkbox]={background:"Highlight"},m[":focus:hover ."+A.checkmark]={color:"Window"},m[":hover ."+A.checkmark]={color:"Window"},m),p),R&&(h={},h[":hover ."+A.checkbox+", :hover ."+A.checkbox+":after"]=(g={borderColor:G},g[a.qJ]={borderColor:"WindowText"},g),h[":focus ."+A.checkbox]={borderColor:G},h[":hover ."+A.checkmark]={opacity:"0"},h),(f={},f[":hover ."+A.text+", :focus ."+A.text]=(v={color:Y},v[a.qJ]={color:P?"GrayText":"WindowText"},v),f)],I],input:(b={position:"absolute",background:"none",opacity:0},b["."+s.G$+" &:focus + label::before"]=(y={outline:"1px solid "+D.palette.neutralSecondary,outlineOffset:"2px"},y[a.qJ]={outline:"1px solid WindowText"},y),b),label:[A.label,D.fonts.medium,{display:"flex",alignItems:M?"center":"flex-start",cursor:P?"default":"pointer",position:"relative",userSelect:"none"},T&&{flexDirection:"row-reverse",justifyContent:"flex-end"},{"&::before":{position:"absolute",left:0,right:0,top:0,bottom:0,content:'""',pointerEvents:"none"}}],checkbox:[A.checkbox,(_={position:"relative",display:"flex",flexShrink:0,alignItems:"center",justifyContent:"center",height:c,width:c,border:"1px solid "+O,borderRadius:B.roundedCorner2,boxSizing:"border-box",transitionProperty:"background, border, border-color",transitionDuration:u,transitionTimingFunction:d,overflow:"hidden",":after":R?$:null},_[a.qJ]=(0,i.pi)({borderColor:"WindowText"},(0,a.xM)()),_),R&&{borderColor:W},T?{marginLeft:4}:{marginRight:4},!P&&!R&&E&&(C={background:U,borderColor:V},C[a.qJ]={background:"Highlight",borderColor:"Highlight"},C),P&&(S={borderColor:K},S[a.qJ]={borderColor:"GrayText"},S),E&&P&&(x={background:Z,borderColor:K},x[a.qJ]={background:"Window"},x)],checkmark:[A.checkmark,(k={opacity:E?"1":"0",color:z},k[a.qJ]=(0,i.pi)({color:P?"GrayText":"Window"},(0,a.xM)()),k)],text:[A.text,(w={color:P?Q:X,fontSize:L.medium.fontSize,lineHeight:"20px"},w[a.qJ]=(0,i.pi)({color:P?"GrayText":"WindowText"},(0,a.xM)()),w),T?{marginRight:4}:{marginLeft:4}]}}),void 0,{scope:"Checkbox"})},5554:(e,t,o)=>{"use strict";o.d(t,{q:()=>f});var n=o(7622),r=o(7002),i=o(2052),a=o(7300),s=o(2470),l=o(6145),c=o(8127),u=o(1351),d=o(4085),p=o(6548),m=(0,a.y)(),h=function(e,t){return t+"-"+e.key},g=function(e,t){return void 0===t?void 0:(0,s.sE)(e,(function(e){return e.key===t}))},f=r.forwardRef((function(e,t){var o=e.className,a=e.theme,s=e.styles,f=e.options,v=void 0===f?[]:f,b=e.label,y=e.required,_=e.disabled,C=e.name,S=e.defaultSelectedKey,x=e.componentRef,k=e.onChange,w=(0,d.M)("ChoiceGroup"),I=(0,d.M)("ChoiceGroupLabel"),D=(0,c.pq)(e,c.n7,["onChange","className","required"]),T=m(s,{theme:a,className:o,optionsContainIconOrImage:v.some((function(e){return!(!e.iconProps&&!e.imageSrc)}))}),E=e.ariaLabelledBy||(b?I:e["aria-labelledby"]),P=(0,p.G)(e.selectedKey,S),M=P[0],R=P[1],N=r.useState(),B=N[0],F=N[1];!function(e,t,o,n){r.useImperativeHandle(n,(function(){return{get checkedOption(){return g(e,t)},focus:function(){var n=g(e,t)||e.filter((function(e){return!e.disabled}))[0],r=n&&document.getElementById(h(n,o));r&&(r.focus(),(0,l.MU)(!0,r))}}}),[e,t,o])}(v,M,w,x);var L=r.useCallback((function(e,t){var o,n;t&&(F(t.itemKey),null===(n=(o=t).onFocus)||void 0===n||n.call(o,e))}),[]),A=r.useCallback((function(e,t){var o,n,r;F(void 0),null===(r=null===(o=t)||void 0===o?void 0:(n=o).onBlur)||void 0===r||r.call(n,e)}),[]),z=r.useCallback((function(e,t){var o,n,r;t&&(R(t.itemKey),null===(n=(o=t).onChange)||void 0===n||n.call(o,e),null===(r=k)||void 0===r||r(e,g(v,t.itemKey)))}),[k,v,R]);return r.createElement("div",(0,n.pi)({className:T.root},D,{ref:t}),r.createElement("div",(0,n.pi)({role:"radiogroup"},E&&{"aria-labelledby":E}),b&&r.createElement(i._,{className:T.label,required:y,id:I,disabled:_},b),r.createElement("div",{className:T.flexContainer},v.map((function(e){return r.createElement(u.c,(0,n.pi)({key:e.key,itemKey:e.key},e,{onBlur:A,onFocus:L,onChange:z,focused:e.key===B,checked:e.key===M,disabled:e.disabled||_,id:h(e,w),labelId:e.labelId||I+"-"+e.key,name:C||w,required:y}))})))))}));f.displayName="ChoiceGroup"},9240:(e,t,o)=>{"use strict";o.d(t,{F:()=>s});var n=o(2002),r=o(5554),i=o(9729),a={root:"ms-ChoiceFieldGroup",flexContainer:"ms-ChoiceFieldGroup-flexContainer"},s=(0,n.z)(r.q,(function(e){var t=e.className,o=e.optionsContainIconOrImage,n=e.theme,r=(0,i.Cn)(a,n);return{root:[t,r.root,n.fonts.medium,{display:"block"}],flexContainer:[r.flexContainer,o&&{display:"flex",flexDirection:"row",flexWrap:"wrap"}]}}),void 0,{scope:"ChoiceGroup"})},1351:(e,t,o)=>{"use strict";o.d(t,{c:()=>x});var n=o(2002),r=o(7622),i=o(7002),a=o(4861),s=o(9947),l=o(7300),c=o(63),u=o(8127),d=o(8826),p=o(8088),m=(0,l.y)(),h={imageSize:{width:32,height:32}},g=function(e){var t=(0,c.j)((0,r.pi)((0,r.pi)({},h),{key:e.itemKey}),e),o=t.ariaLabel,n=t.focused,l=t.required,g=t.theme,f=t.iconProps,v=t.imageSrc,b=t.imageSize,y=t.disabled,_=t.checked,C=t.id,S=t.styles,x=t.name,k=(0,r._T)(t,["ariaLabel","focused","required","theme","iconProps","imageSrc","imageSize","disabled","checked","id","styles","name"]),w=m(S,{theme:g,hasIcon:!!f,hasImage:!!v,checked:_,disabled:y,imageIsLarge:!!v&&(b.width>71||b.height>71),imageSize:b,focused:n}),I=(0,u.pq)(k,u.Gg),D=I.className,T=(0,r._T)(I,["className"]),E=function(){return i.createElement("span",{id:t.labelId,className:"ms-ChoiceFieldLabel"},t.text)},P=function(){var e=t.imageAlt,o=void 0===e?"":e,n=t.selectedImageSrc,l=(t.onRenderLabel?(0,d.k)(t.onRenderLabel,E):E)(t);return i.createElement("label",{htmlFor:C,className:w.field},v&&i.createElement("div",{className:w.innerField},i.createElement("div",{className:w.imageWrapper},i.createElement(a.E,(0,r.pi)({src:v,alt:o},b))),i.createElement("div",{className:w.selectedImageWrapper},i.createElement(a.E,(0,r.pi)({src:n,alt:o},b)))),f&&i.createElement("div",{className:w.innerField},i.createElement("div",{className:w.iconWrapper},i.createElement(s.J,(0,r.pi)({},f)))),v||f?i.createElement("div",{className:w.labelWrapper},l):l)},M=t.onRenderField,R=void 0===M?P:M;return i.createElement("div",{className:w.root},i.createElement("div",{className:w.choiceFieldWrapper},i.createElement("input",(0,r.pi)({"aria-label":o,id:C,className:(0,p.i)(w.input,D),type:"radio",name:x,disabled:y,checked:_,required:l},T,{onChange:function(e){var o,n;null===(n=(o=t).onChange)||void 0===n||n.call(o,e,t)},onFocus:function(e){var o,n;null===(n=(o=t).onFocus)||void 0===n||n.call(o,e,t)},onBlur:function(e){var o,n;null===(n=(o=t).onBlur)||void 0===n||n.call(o,e)}})),R(t,P)))};g.displayName="ChoiceGroupOption";var f=o(9729),v=o(6145),b={root:"ms-ChoiceField",choiceFieldWrapper:"ms-ChoiceField-wrapper",input:"ms-ChoiceField-input",field:"ms-ChoiceField-field",innerField:"ms-ChoiceField-innerField",imageWrapper:"ms-ChoiceField-imageWrapper",iconWrapper:"ms-ChoiceField-iconWrapper",labelWrapper:"ms-ChoiceField-labelWrapper",checked:"is-checked"},y="200ms",_="cubic-bezier(.4, 0, .23, 1)";function C(e,t){var o,n;return["is-inFocus",{selectors:(o={},o["."+v.G$+" &"]={position:"relative",outline:"transparent",selectors:{"::-moz-focus-inner":{border:0},":after":{content:'""',top:-2,right:-2,bottom:-2,left:-2,pointerEvents:"none",border:"1px solid "+e,position:"absolute",selectors:(n={},n[f.qJ]={borderColor:"WindowText",borderWidth:t?1:2},n)}}},o)}]}function S(e,t,o){return[t,{paddingBottom:2,transitionProperty:"opacity",transitionDuration:y,transitionTimingFunction:"ease",selectors:{".ms-Image":{display:"inline-block",borderStyle:"none"}}},(o?!e:e)&&["is-hidden",{position:"absolute",left:0,top:0,width:"100%",height:"100%",overflow:"hidden",opacity:0}]]}var x=(0,n.z)(g,(function(e){var t,o,n,i,a,s=e.theme,l=e.hasIcon,c=e.hasImage,u=e.checked,d=e.disabled,p=e.imageIsLarge,m=e.focused,h=e.imageSize,g=s.palette,v=s.semanticColors,x=s.fonts,k=(0,f.Cn)(b,s),w=g.neutralPrimary,I=v.inputBorderHovered,D=v.inputBackgroundChecked,T=g.themeDark,E=v.disabledBodySubtext,P=v.bodyBackground,M=g.neutralSecondary,R=v.inputBackgroundChecked,N=g.themeDark,B=v.disabledBodySubtext,F=g.neutralDark,L=v.focusBorder,A=v.inputBorderHovered,z=v.inputBackgroundChecked,H=g.themeDark,O=g.neutralLighter,W={selectors:{".ms-ChoiceFieldLabel":{color:F},":before":{borderColor:u?T:I},":after":[!l&&!c&&!u&&{content:'""',transitionProperty:"background-color",left:5,top:5,width:10,height:10,backgroundColor:M},u&&{borderColor:N}]}},V={borderColor:u?H:A,selectors:{":before":{opacity:1,borderColor:u?T:I}}},K=[{content:'""',display:"inline-block",backgroundColor:P,borderWidth:1,borderStyle:"solid",borderColor:w,width:20,height:20,fontWeight:"normal",position:"absolute",top:0,left:0,boxSizing:"border-box",transitionProperty:"border-color",transitionDuration:y,transitionTimingFunction:_,borderRadius:"50%"},d&&{borderColor:E,selectors:(t={},t[f.qJ]=(0,r.pi)({borderColor:"GrayText",background:"Window"},(0,f.xM)()),t)},u&&{borderColor:d?E:D,selectors:(o={},o[f.qJ]={borderColor:"Highlight",background:"Window",forcedColorAdjust:"none"},o)},(l||c)&&{top:3,right:3,left:"auto",opacity:u?1:0}],q=[{content:'""',width:0,height:0,borderRadius:"50%",position:"absolute",left:10,right:0,transitionProperty:"border-width",transitionDuration:y,transitionTimingFunction:_,boxSizing:"border-box"},u&&{borderWidth:5,borderStyle:"solid",borderColor:d?B:R,left:5,top:5,width:10,height:10,selectors:(n={},n[f.qJ]={borderColor:"Highlight",forcedColorAdjust:"none"},n)},u&&(l||c)&&{top:8,right:8,left:"auto"}];return{root:[k.root,s.fonts.medium,{display:"flex",alignItems:"center",boxSizing:"border-box",color:v.bodyText,minHeight:26,border:"none",position:"relative",marginTop:8,selectors:{".ms-ChoiceFieldLabel":{display:"inline-block"}}},!l&&!c&&{selectors:{".ms-ChoiceFieldLabel":{paddingLeft:"26px"}}},c&&"ms-ChoiceField--image",l&&"ms-ChoiceField--icon",(l||c)&&{display:"inline-flex",fontSize:0,margin:"0 4px 4px 0",paddingLeft:0,backgroundColor:O,height:"100%"}],choiceFieldWrapper:[k.choiceFieldWrapper,m&&C(L,l||c)],input:[k.input,{position:"absolute",opacity:0,top:0,right:0,width:"100%",height:"100%",margin:0},d&&"is-disabled"],field:[k.field,u&&k.checked,{display:"inline-block",cursor:"pointer",marginTop:0,position:"relative",verticalAlign:"top",userSelect:"none",minHeight:20,selectors:{":hover":!d&&W,":focus":!d&&W,":before":K,":after":q}},l&&"ms-ChoiceField--icon",c&&"ms-ChoiceField-field--image",(l||c)&&{boxSizing:"content-box",cursor:"pointer",paddingTop:22,margin:0,textAlign:"center",transitionProperty:"all",transitionDuration:y,transitionTimingFunction:"ease",border:"1px solid transparent",justifyContent:"center",alignItems:"center",display:"flex",flexDirection:"column"},u&&{borderColor:z},(l||c)&&!d&&{selectors:{":hover":V,":focus":V}},d&&{cursor:"default",selectors:{".ms-ChoiceFieldLabel":{color:v.disabledBodyText,selectors:(i={},i[f.qJ]=(0,r.pi)({color:"GrayText"},(0,f.xM)()),i)}}},u&&d&&{borderColor:O}],innerField:[k.innerField,c&&{height:h.height,width:h.width},(l||c)&&{position:"relative",display:"inline-block",paddingLeft:30,paddingRight:30},(l||c)&&p&&{paddingLeft:24,paddingRight:24},(l||c)&&d&&{opacity:.25,selectors:(a={},a[f.qJ]={color:"GrayText",opacity:1},a)}],imageWrapper:S(!1,k.imageWrapper,u),selectedImageWrapper:S(!0,k.imageWrapper,u),iconWrapper:[k.iconWrapper,{fontSize:32,lineHeight:32,height:32}],labelWrapper:[k.labelWrapper,x.medium,(l||c)&&{display:"block",position:"relative",margin:"4px 8px 2px 8px",height:32,lineHeight:15,maxWidth:2*h.width,overflow:"hidden",whiteSpace:"pre-wrap"}]}}),void 0,{scope:"ChoiceGroupOption"})},1958:(e,t,o)=>{"use strict";o.d(t,{T:()=>z});var n=o(7622),r=o(7002),i=o(7300),a=o(688),s=o(3129),l=o(687),c=o(8623),u=o(2002),d=o(2782),p=o(8145),m=o(9251),h=o(21),g=o(2417),f=o(6119),v=o(1342),b=(0,i.y)(),y=function(e){function t(t){var o=e.call(this,t)||this;return o._disposables=[],o._root=r.createRef(),o._isAdjustingSaturation=!0,o._descriptionId=(0,d.z)("ColorRectangle-description"),o._onKeyDown=function(e){var t=o.state.color,n=t.s,r=t.v,i=e.shiftKey?10:1;switch(e.which){case p.m.up:o._isAdjustingSaturation=!1,r+=i;break;case p.m.down:o._isAdjustingSaturation=!1,r-=i;break;case p.m.left:o._isAdjustingSaturation=!0,n-=i;break;case p.m.right:o._isAdjustingSaturation=!0,n+=i;break;default:return}o._updateColor(e,(0,f.d)(t,(0,v.u)(n,h.fr),(0,v.u)(r,h.uw)))},o._onMouseDown=function(e){o._disposables.push((0,m.on)(window,"mousemove",o._onMouseMove,!0),(0,m.on)(window,"mouseup",o._disposeListeners,!0)),o._onMouseMove(e)},o._onMouseMove=function(e){if(o._root.current){var t=function(e,t,o){var n=o.getBoundingClientRect(),r=(e.clientX-n.left)/n.width,i=(e.clientY-n.top)/n.height;return(0,f.d)(t,(0,v.u)(Math.round(r*h.fr),h.fr),(0,v.u)(Math.round(h.uw-i*h.uw),h.uw))}(e,o.state.color,o._root.current);t&&o._updateColor(e,t)}},o._disposeListeners=function(){o._disposables.forEach((function(e){return e()})),o._disposables=[]},(0,a.l)(o),o.state={color:t.color},o}return(0,n.ZT)(t,e),Object.defineProperty(t.prototype,"color",{get:function(){return this.state.color},enumerable:!0,configurable:!0}),t.prototype.componentDidUpdate=function(e,t){e!==this.props&&this.props.color&&this.setState({color:this.props.color})},t.prototype.componentWillUnmount=function(){this._disposeListeners()},t.prototype.render=function(){var e=this.props,t=e.minSize,o=e.theme,n=e.className,i=e.styles,a=e.ariaValueFormat,s=e.ariaLabel,l=e.ariaDescription,c=this.state.color,u=b(i,{theme:o,className:n,minSize:t}),d=a.replace("{0}",String(c.s)).replace("{1}",String(c.v));return r.createElement("div",{ref:this._root,tabIndex:0,className:u.root,style:{backgroundColor:(0,g.p)(c)},onMouseDown:this._onMouseDown,onKeyDown:this._onKeyDown,role:"slider","aria-valuetext":d,"aria-valuenow":this._isAdjustingSaturation?c.s:c.v,"aria-valuemin":0,"aria-valuemax":h.uw,"aria-label":s,"aria-describedby":this._descriptionId,"data-is-focusable":!0},r.createElement("div",{className:u.description,id:this._descriptionId},l),r.createElement("div",{className:u.light}),r.createElement("div",{className:u.dark}),r.createElement("div",{className:u.thumb,style:{left:c.s+"%",top:h.uw-c.v+"%",backgroundColor:c.str}}))},t.prototype._updateColor=function(e,t){var o=this.props.onChange,n=this.state.color;t.s===n.s&&t.v===n.v||(o&&o(e,t),e.defaultPrevented||(this.setState({color:t}),e.preventDefault()))},t.defaultProps={minSize:220,ariaLabel:"Saturation and brightness",ariaValueFormat:"Saturation {0} brightness {1}",ariaDescription:"Use left and right arrow keys to set saturation. Use up and down arrow keys to set brightness."},t}(r.Component),_=o(9729),C=o(6145),S=(0,u.z)(y,(function(e){var t,o=e.className,r=e.theme,i=e.minSize,a=r.palette,s=r.effects;return{root:["ms-ColorPicker-colorRect",{position:"relative",marginBottom:8,border:"1px solid "+a.neutralLighter,borderRadius:s.roundedCorner2,minWidth:i,minHeight:i,outline:"none",selectors:(t={},t[_.qJ]=(0,n.pi)({},(0,_.xM)()),t["."+C.G$+" &:focus"]={outline:"1px solid "+a.neutralSecondary},t)},o],light:["ms-ColorPicker-light",{position:"absolute",left:0,right:0,top:0,bottom:0,background:"linear-gradient(to right, white 0%, transparent 100%) /*@noflip*/"}],dark:["ms-ColorPicker-dark",{position:"absolute",left:0,right:0,top:0,bottom:0,background:"linear-gradient(to bottom, transparent 0, #000 100%)"}],thumb:["ms-ColorPicker-thumb",{position:"absolute",width:20,height:20,background:"white",border:"1px solid "+a.neutralSecondaryAlt,borderRadius:"50%",boxShadow:s.elevation8,transform:"translate(-50%, -50%)",selectors:{":before":{position:"absolute",left:0,right:0,top:0,bottom:0,border:"2px solid "+a.white,borderRadius:"50%",boxSizing:"border-box",content:'""'}}}],description:_.ul}}),void 0,{scope:"ColorRectangle"}),x=o(9757),k=(0,i.y)(),w=function(e){function t(t){var o=e.call(this,t)||this;return o._disposables=[],o._root=r.createRef(),o._onKeyDown=function(e){var t=o.value,n=o._maxValue,r=e.shiftKey?10:1;switch(e.which){case p.m.left:t-=r;break;case p.m.right:t+=r;break;case p.m.home:t=0;break;case p.m.end:t=n;break;default:return}o._updateValue(e,(0,v.u)(t,n))},o._onMouseDown=function(e){var t=(0,x.J)(o);t&&o._disposables.push((0,m.on)(t,"mousemove",o._onMouseMove,!0),(0,m.on)(t,"mouseup",o._disposeListeners,!0)),o._onMouseMove(e)},o._onMouseMove=function(e){if(o._root.current){var t=o._maxValue,n=o._root.current.getBoundingClientRect(),r=(e.clientX-n.left)/n.width,i=(0,v.u)(Math.round(r*t),t);o._updateValue(e,i)}},o._disposeListeners=function(){o._disposables.forEach((function(e){return e()})),o._disposables=[]},(0,a.l)(o),(0,s.b)("ColorSlider",t,{thumbColor:"styles.sliderThumb",overlayStyle:"overlayColor",isAlpha:"type",maxValue:"type",minValue:"type"}),"hue"===o._type||t.overlayColor||t.overlayStyle||(0,l.Z)("ColorSlider: 'overlayColor' is required when 'type' is \"alpha\" or \"transparency\""),o.state={currentValue:t.value||0},o}return(0,n.ZT)(t,e),Object.defineProperty(t.prototype,"value",{get:function(){return this.state.currentValue},enumerable:!0,configurable:!0}),t.prototype.componentDidUpdate=function(e,t){e!==this.props&&void 0!==this.props.value&&this.setState({currentValue:this.props.value})},t.prototype.componentWillUnmount=function(){this._disposeListeners()},t.prototype.render=function(){var e=this._type,t=this._maxValue,o=this.props,n=o.overlayStyle,i=o.overlayColor,a=o.theme,s=o.className,l=o.styles,c=o.ariaLabel,u=void 0===c?e:c,d=this.value,p=k(l,{theme:a,className:s,type:e}),m=100*d/t;return r.createElement("div",{ref:this._root,className:p.root,tabIndex:0,onKeyDown:this._onKeyDown,onMouseDown:this._onMouseDown,role:"slider","aria-valuenow":d,"aria-valuetext":String(d),"aria-valuemin":0,"aria-valuemax":t,"aria-label":u,"data-is-focusable":!0},!(!i&&!n)&&r.createElement("div",{className:p.sliderOverlay,style:i?{background:"transparency"===e?"linear-gradient(to right, #"+i+", transparent)":"linear-gradient(to right, transparent, #"+i+")"}:n}),r.createElement("div",{className:p.sliderThumb,style:{left:m+"%"}}))},Object.defineProperty(t.prototype,"_type",{get:function(){var e=this.props,t=e.isAlpha,o=e.type;return void 0===o?t?"alpha":"hue":o},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"_maxValue",{get:function(){return"hue"===this._type?h.a_:h.c5},enumerable:!0,configurable:!0}),t.prototype._updateValue=function(e,t){if(t!==this.value){var o=this.props.onChange;o&&o(e,t),e.defaultPrevented||(this.setState({currentValue:t}),e.preventDefault())}},t.defaultProps={value:0},t}(r.Component),I={background:"linear-gradient("+["to left","red 0","#f09 10%","#cd00ff 20%","#3200ff 30%","#06f 40%","#00fffd 50%","#0f6 60%","#35ff00 70%","#cdff00 80%","#f90 90%","red 100%"].join(",")+")"},D={backgroundImage:"url(data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAAoAAAAKCAYAAACNMs+9AAAAJUlEQVQYV2N89erVfwY0ICYmxoguxjgUFKI7GsTH5m4M3w1ChQC1/Ca8i2n1WgAAAABJRU5ErkJggg==)"},T=(0,u.z)(w,(function(e){var t,o=e.theme,n=e.className,r=e.type,i=void 0===r?"hue":r,a=e.isAlpha,s=void 0===a?"hue"!==i:a,l=o.palette,c=o.effects;return{root:["ms-ColorPicker-slider",{position:"relative",height:20,marginBottom:8,border:"1px solid "+l.neutralLight,borderRadius:c.roundedCorner2,boxSizing:"border-box",outline:"none",selectors:(t={},t["."+C.G$+" &:focus"]={outline:"1px solid "+l.neutralSecondary},t)},s?D:I,n],sliderOverlay:["ms-ColorPicker-sliderOverlay",{content:"",position:"absolute",left:0,right:0,top:0,bottom:0}],sliderThumb:["ms-ColorPicker-thumb","is-slider",{position:"absolute",width:20,height:20,background:"white",border:"1px solid "+l.neutralSecondaryAlt,borderRadius:"50%",boxShadow:c.elevation8,transform:"translate(-50%, -50%)",top:"50%"}]}}),void 0,{scope:"ColorSlider"}),E=o(7375),P=o(8208),M=o(8490),R=o(1332),N=o(1990),B=o(2775),F=o(5298),L=(0,i.y)(),A=["hex","r","g","b","a","t"],z=function(e){function t(o){var r=e.call(this,o)||this;r._onSVChanged=function(e,t){r._updateColor(e,t)},r._onHChanged=function(e,t){r._updateColor(e,(0,N.i)(r.state.color,t))},r._onATChanged=function(e,t){var o="transparency"===r.props.alphaType?R.X:M.R;r._updateColor(e,o(r.state.color,Math.round(t)))},r._onBlur=function(e){var t,o=r.state,i=o.color,a=o.editingColor;if(a){var s=a.value,l=a.component,c="hex"===l,u="a"===l,d="t"===l,p=c?h.yE:h.HT;if(s.length>=p&&(c||!isNaN(Number(s)))){var m=void 0;m=c?(0,E.T)("#"+(0,F.L)(s)):u||d?(u?M.R:R.X)(i,(0,v.u)(Number(s),h.c5)):(0,P.N)((0,B.k)((0,n.pi)((0,n.pi)({},i),((t={})[l]=Number(s),t)))),r._updateColor(e,m)}else r.setState({editingColor:void 0})}},(0,a.l)(r);var i=o.strings;(0,s.b)("ColorPicker",o,{hexLabel:"strings.hex",redLabel:"strings.red",greenLabel:"strings.green",blueLabel:"strings.blue",alphaLabel:"strings.alpha",alphaSliderHidden:"alphaType"}),i.hue&&(0,l.Z)("ColorPicker property 'strings.hue' was used but has been deprecated. Use 'strings.hueAriaLabel' instead."),r.state={color:H(o)||(0,E.T)("#ffffff")},r._textChangeHandlers={};for(var c=0,u=A;c{"use strict";o.d(t,{z:()=>i});var n=o(2002),r=o(1958),i=(0,n.z)(r.T,(function(e){var t=e.className,o=e.theme,n=e.alphaType;return{root:["ms-ColorPicker",o.fonts.medium,{position:"relative",maxWidth:300},t],panel:["ms-ColorPicker-panel",{padding:"16px"}],table:["ms-ColorPicker-table",{tableLayout:"fixed",width:"100%",selectors:{"tbody td:last-of-type .ms-ColorPicker-input":{paddingRight:0}}}],tableHeader:[o.fonts.small,{selectors:{td:{paddingBottom:4}}}],tableHexCell:{width:"25%"},tableAlphaCell:"transparency"===n&&{width:"22%"},colorSquare:["ms-ColorPicker-colorSquare",{width:48,height:48,margin:"0 0 0 8px",border:"1px solid #c8c6c4"}],flexContainer:{display:"flex"},flexSlider:{flexGrow:"1"},flexPreviewBox:{flexGrow:"0"},input:["ms-ColorPicker-input",{width:"100%",border:"none",boxSizing:"border-box",height:30,selectors:{"&.ms-TextField":{paddingRight:4},"& .ms-TextField-field":{minWidth:"auto",padding:5,textOverflow:"clip"}}}]}}),void 0,{scope:"ColorPicker"})},610:(e,t,o)=>{"use strict";o.d(t,{C:()=>Y});var n,r,i,a,s=o(7622),l=o(7002),c=o(5767),u=o(2447),d=o(63),p=o(4553),m=o(9577),h=o(8023),g=o(8088),f=o(8145),v=o(6479),b=o(8936),y=o(688),_=o(2167),C=o(9919),S=o(209),x=o(2782),k=o(8127),w=o(6053),I=o(2470),D=o(5953),T=o(6628),E=o(2777),P=o(9729),M=o(5094),R=(0,M.NF)((function(e){var t,o=e.semanticColors;return{backgroundColor:o.disabledBackground,color:o.disabledText,cursor:"default",selectors:(t={":after":{borderColor:o.disabledBackground}},t[P.qJ]={color:"GrayText",selectors:{":after":{borderColor:"GrayText"}}},t)}})),N={selectors:(n={},n[P.qJ]=(0,s.pi)({backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},(0,P.xM)()),n)},B={selectors:(r={},r[P.qJ]=(0,s.pi)({color:"WindowText",backgroundColor:"Window"},(0,P.xM)()),r)},F=(0,M.NF)((function(e,t,o,n,r){var i,a=e.palette,s=e.semanticColors,l={textHoveredColor:s.menuItemTextHovered,textSelectedColor:a.neutralDark,textDisabledColor:s.disabledText,backgroundHoveredColor:s.menuItemBackgroundHovered,backgroundPressedColor:s.menuItemBackgroundPressed},c={root:[e.fonts.medium,{backgroundColor:n?l.backgroundHoveredColor:"transparent",boxSizing:"border-box",cursor:"pointer",display:r?"none":"block",width:"100%",height:"auto",minHeight:36,lineHeight:"20px",padding:"0 8px",position:"relative",borderWidth:"1px",borderStyle:"solid",borderColor:"transparent",borderRadius:0,wordWrap:"break-word",overflowWrap:"break-word",textAlign:"left",selectors:(i={},i[P.qJ]={border:"none",borderColor:"Background"},i["&.ms-Checkbox"]={display:"flex",alignItems:"center"},i["&.ms-Button--command:hover:active"]={backgroundColor:l.backgroundPressedColor},i[".ms-Checkbox-label"]={width:"100%"},i)}],rootHovered:{backgroundColor:l.backgroundHoveredColor,color:l.textHoveredColor},rootFocused:{backgroundColor:l.backgroundHoveredColor},rootChecked:[{backgroundColor:"transparent",color:l.textSelectedColor,selectors:{":hover":[{backgroundColor:l.backgroundHoveredColor},N]}},(0,P.GL)(e,{inset:-1,isFocusedOnly:!1}),N],rootDisabled:{color:l.textDisabledColor,cursor:"default"},optionText:{overflow:"hidden",whiteSpace:"nowrap",textOverflow:"ellipsis",minWidth:"0px",maxWidth:"100%",wordWrap:"break-word",overflowWrap:"break-word",display:"inline-block"},optionTextWrapper:{maxWidth:"100%",display:"flex",alignItems:"center"}};return(0,P.E$)(c,t,o)})),L=(0,M.NF)((function(e,t){var o,n,r=e.semanticColors,i=e.fonts,a={buttonTextColor:r.bodySubtext,buttonTextHoveredCheckedColor:r.buttonTextChecked,buttonBackgroundHoveredColor:r.listItemBackgroundHovered,buttonBackgroundCheckedColor:r.listItemBackgroundChecked,buttonBackgroundCheckedHoveredColor:r.listItemBackgroundCheckedHovered},l={selectors:(o={},o[P.qJ]=(0,s.pi)({backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},(0,P.xM)()),o)},c={root:{color:a.buttonTextColor,fontSize:i.small.fontSize,position:"absolute",top:0,height:"100%",lineHeight:30,width:32,textAlign:"center",cursor:"default",selectors:(n={},n[P.qJ]=(0,s.pi)({backgroundColor:"ButtonFace",borderColor:"ButtonText",color:"ButtonText"},(0,P.xM)()),n)},icon:{fontSize:i.small.fontSize},rootHovered:[{backgroundColor:a.buttonBackgroundHoveredColor,color:a.buttonTextHoveredCheckedColor,cursor:"pointer"},l],rootPressed:[{backgroundColor:a.buttonBackgroundCheckedColor,color:a.buttonTextHoveredCheckedColor},l],rootChecked:[{backgroundColor:a.buttonBackgroundCheckedColor,color:a.buttonTextHoveredCheckedColor},l],rootCheckedHovered:[{backgroundColor:a.buttonBackgroundCheckedHoveredColor,color:a.buttonTextHoveredCheckedColor},l],rootDisabled:[R(e),{position:"absolute"}]};return(0,P.E$)(c,t)})),A=(0,M.NF)((function(e,t,o){var n,r,i,a,l,c,u=e.semanticColors,d=e.fonts,p=e.effects,m={textColor:u.inputText,borderColor:u.inputBorder,borderHoveredColor:u.inputBorderHovered,borderPressedColor:u.inputFocusBorderAlt,borderFocusedColor:u.inputFocusBorderAlt,backgroundColor:u.inputBackground,erroredColor:u.errorText},h={headerTextColor:u.menuHeader,dividerBorderColor:u.bodyDivider},g={selectors:(n={},n[P.qJ]={color:"GrayText"},n)},f=[{color:u.inputPlaceholderText},g],v=[{color:u.inputTextHovered},g],b=[{color:u.disabledText},g],y=(0,s.pi)((0,s.pi)({color:"HighlightText",backgroundColor:"Window"},(0,P.xM)()),{selectors:{":after":{borderColor:"Highlight"}}}),_=(0,P.$Y)(m.borderPressedColor,p.roundedCorner2,"border",0),C={container:{},label:{},labelDisabled:{},root:[e.fonts.medium,{boxShadow:"none",marginLeft:"0",paddingRight:32,paddingLeft:9,color:m.textColor,position:"relative",outline:"0",userSelect:"none",backgroundColor:m.backgroundColor,cursor:"text",display:"block",height:32,whiteSpace:"nowrap",textOverflow:"ellipsis",boxSizing:"border-box",selectors:{".ms-Label":{display:"inline-block",marginBottom:"8px"},"&.is-open":{selectors:(r={},r[P.qJ]=y,r)},":after":{pointerEvents:"none",content:"''",position:"absolute",left:0,top:0,bottom:0,right:0,borderWidth:"1px",borderStyle:"solid",borderColor:m.borderColor,borderRadius:p.roundedCorner2}}}],rootHovered:{selectors:(i={":after":{borderColor:m.borderHoveredColor},".ms-ComboBox-Input":[{color:u.inputTextHovered},(0,P.Sv)(v),B]},i[P.qJ]=(0,s.pi)((0,s.pi)({color:"HighlightText",backgroundColor:"Window"},(0,P.xM)()),{selectors:{":after":{borderColor:"Highlight"}}}),i)},rootPressed:[{position:"relative",selectors:(a={},a[P.qJ]=y,a)}],rootFocused:[{selectors:(l={".ms-ComboBox-Input":[{color:u.inputTextHovered},B]},l[P.qJ]=y,l)},_],rootDisabled:R(e),rootError:{selectors:{":after":{borderColor:m.erroredColor},":hover:after":{borderColor:u.inputBorderHovered}}},rootDisallowFreeForm:{},input:[(0,P.Sv)(f),{backgroundColor:m.backgroundColor,color:m.textColor,boxSizing:"border-box",width:"100%",height:"100%",borderStyle:"none",outline:"none",font:"inherit",textOverflow:"ellipsis",padding:"0",selectors:{"::-ms-clear":{display:"none"}}},B],inputDisabled:[R(e),(0,P.Sv)(b)],errorMessage:[e.fonts.small,{color:m.erroredColor,marginTop:"5px"}],callout:{boxShadow:p.elevation8},optionsContainerWrapper:{width:o},optionsContainer:{display:"block"},screenReaderText:P.ul,header:[d.medium,{fontWeight:P.lq.semibold,color:h.headerTextColor,backgroundColor:"none",borderStyle:"none",height:36,lineHeight:36,cursor:"default",padding:"0 8px",userSelect:"none",textAlign:"left",selectors:(c={},c[P.qJ]=(0,s.pi)({color:"GrayText"},(0,P.xM)()),c)}],divider:{height:1,backgroundColor:h.dividerBorderColor}};return(0,P.E$)(C,t)})),z=(0,M.NF)((function(e,t,o,n,r,i,a,s){return{container:(0,P.y0)("ms-ComboBox-container",t,e.container),label:(0,P.y0)(e.label,n&&e.labelDisabled),root:(0,P.y0)("ms-ComboBox",s?e.rootError:o&&"is-open",r&&"is-required",e.root,!a&&e.rootDisallowFreeForm,s&&!i?e.rootError:!n&&i&&e.rootFocused,!n&&{selectors:{":hover":s?e.rootError:!o&&!i&&e.rootHovered,":active":s?e.rootError:e.rootPressed,":focus":s?e.rootError:e.rootFocused}},n&&["is-disabled",e.rootDisabled]),input:(0,P.y0)("ms-ComboBox-Input",e.input,n&&e.inputDisabled),errorMessage:(0,P.y0)(e.errorMessage),callout:(0,P.y0)("ms-ComboBox-callout",e.callout),optionsContainerWrapper:(0,P.y0)("ms-ComboBox-optionsContainerWrapper",e.optionsContainerWrapper),optionsContainer:(0,P.y0)("ms-ComboBox-optionsContainer",e.optionsContainer),header:(0,P.y0)("ms-ComboBox-header",e.header),divider:(0,P.y0)("ms-ComboBox-divider",e.divider),screenReaderText:(0,P.y0)(e.screenReaderText)}})),H=(0,M.NF)((function(e){return{optionText:(0,P.y0)("ms-ComboBox-optionText",e.optionText),root:(0,P.y0)("ms-ComboBox-option",e.root,{selectors:{":hover":e.rootHovered,":focus":e.rootFocused,":active":e.rootPressed}}),optionTextWrapper:(0,P.y0)(e.optionTextWrapper)}})),O=o(2052),W=o(2703),V=o(5515),K=o(5758),q=o(990),G=o(9241);!function(e){e[e.backward=-1]="backward",e[e.none=0]="none",e[e.forward=1]="forward"}(i||(i={})),function(e){e[e.clearAll=-2]="clearAll",e[e.default=-1]="default"}(a||(a={}));var U=l.memo((function(e){return(0,e.render)()}),(function(e,t){e.render;var o=(0,s._T)(e,["render"]),n=(t.render,(0,s._T)(t,["render"]));return(0,u.Vv)(o,n)})),j="ComboBox",J={options:[],allowFreeform:!1,autoComplete:"on",buttonIconProps:{iconName:"ChevronDown"}};var Y=l.forwardRef((function(e,t){var o=(0,d.j)(J,e),n=(o.ref,(0,s._T)(o,["ref"])),r=l.useRef(null),i=(0,G.r)(r,t),a=function(e){var t=e.options,o=e.defaultSelectedKey,n=e.selectedKey,r=l.useState((function(){return X(t,function(e,t){var o=Q(e);return o.length?o:Q(t)}(o,n))})),i=r[0],a=r[1],s=l.useState(t),c=s[0],u=s[1],d=l.useState(),p=d[0],m=d[1];return l.useEffect((function(){if(void 0!==n){var e=Q(n),o=X(t,e);a(o)}u(t)}),[t,n]),l.useEffect((function(){null===n&&m(void 0)}),[n]),[i,a,c,u,p,m]}(n),c=a[0],u=a[1],p=a[2],m=a[3],h=a[4],g=a[5];return l.createElement(Z,(0,s.pi)({},n,{hoisted:{mergedRootRef:i,rootRef:r,selectedIndices:c,setSelectedIndices:u,currentOptions:p,setCurrentOptions:m,suggestedDisplayValue:h,setSuggestedDisplayValue:g}}))}));Y.displayName=j;var Z=function(e){function t(t){var o=e.call(this,t)||this;return o._autofill=l.createRef(),o._comboBoxWrapper=l.createRef(),o._comboBoxMenu=l.createRef(),o._selectedElement=l.createRef(),o.focus=function(e,t){o._autofill.current&&(t?(0,p.um)(o._autofill.current):o._autofill.current.focus(),e&&o.setState({isOpen:!0})),o._hasFocus()||o.setState({focusState:"focused"})},o.dismissMenu=function(){o.state.isOpen&&o.setState({isOpen:!1})},o._onUpdateValueInAutofillWillReceiveProps=function(){var e=o._autofill.current;if(!e)return null;if(null===e.value||void 0===e.value)return null;var t=$(o._currentVisibleValue);return e.value!==t?t:e.value},o._renderComboBoxWrapper=function(e,t){var n=o.props,r=n.label,i=n.disabled,a=n.ariaLabel,u=n.ariaDescribedBy,d=n.required,p=n.errorMessage,h=n.buttonIconProps,g=n.isButtonAriaHidden,f=void 0===g||g,v=n.title,b=n.placeholder,y=n.tabIndex,_=n.autofill,C=n.iconButtonProps,S=n.hoisted.suggestedDisplayValue,x=o.state.isOpen,k=o._hasFocus()&&o.props.multiSelect&&e?e:b;return l.createElement("div",{"data-ktp-target":!0,ref:o._comboBoxWrapper,id:o._id+"wrapper",className:o._classNames.root},l.createElement(c.G,(0,s.pi)({"data-ktp-execute-target":!0,"data-is-interactable":!i,componentRef:o._autofill,id:o._id+"-input",className:o._classNames.input,type:"text",onFocus:o._onFocus,onBlur:o._onBlur,onKeyDown:o._onInputKeyDown,onKeyUp:o._onInputKeyUp,onClick:o._onAutofillClick,onTouchStart:o._onTouchStart,onInputValueChange:o._onInputChange,"aria-expanded":x,"aria-autocomplete":o._getAriaAutoCompleteValue(),role:"combobox",readOnly:i,"aria-labelledby":r&&o._id+"-label","aria-label":a&&!r?a:void 0,"aria-describedby":void 0!==p?(0,m.I)(u,t):u,"aria-activedescendant":o._getAriaActiveDescendantValue(),"aria-required":d,"aria-disabled":i,"aria-owns":x?o._id+"-list":void 0,spellCheck:!1,defaultVisibleValue:o._currentVisibleValue,suggestedDisplayValue:S,updateValueInWillReceiveProps:o._onUpdateValueInAutofillWillReceiveProps,shouldSelectFullInputValueInComponentDidUpdate:o._onShouldSelectFullInputValueInAutofillComponentDidUpdate,title:v,preventValueSelection:!o._hasFocus(),placeholder:k,tabIndex:y},_)),l.createElement(K.h,(0,s.pi)({className:"ms-ComboBox-CaretDown-button",styles:o._getCaretButtonStyles(),role:"presentation","aria-hidden":f,"data-is-focusable":!1,tabIndex:-1,onClick:o._onComboBoxClick,onBlur:o._onBlur,iconProps:h,disabled:i,checked:x},C)))},o._onShouldSelectFullInputValueInAutofillComponentDidUpdate=function(){return o._currentVisibleValue===o.props.hoisted.suggestedDisplayValue},o._getVisibleValue=function(){var e=o.props,t=e.text,n=e.allowFreeform,r=e.autoComplete,i=e.hoisted,a=i.suggestedDisplayValue,s=i.selectedIndices,l=i.currentOptions,c=o.state,u=c.currentPendingValueValidIndex,d=c.currentPendingValue,p=c.isOpen,m=ee(l,u);if((!p||!m)&&t&&null==d)return t;if(o.props.multiSelect){if(o._hasFocus()){var h=-1;return"on"===r&&m&&(h=u),o._getPendingString(d,l,h)}return o._getMultiselectDisplayString(s,l,a)}return h=o._getFirstSelectedIndex(),n?("on"===r&&m&&(h=u),o._getPendingString(d,l,h)):m&&"on"===r?(h=u,$(d)):!o.state.isOpen&&d?ee(l,h)?d:$(a):ee(l,h)?l[h].text:$(a)},o._onInputChange=function(e){o.props.disabled?o._handleInputWhenDisabled(null):o.props.allowFreeform?o._processInputChangeWithFreeform(e):o._processInputChangeWithoutFreeform(e)},o._onFocus=function(){var e,t;null===(t=null===(e=o._autofill.current)||void 0===e?void 0:e.inputElement)||void 0===t||t.select(),o._hasFocus()||o.setState({focusState:"focusing"})},o._onResolveOptions=function(){if(o.props.onResolveOptions){var e=o.props.onResolveOptions((0,s.pr)(o.props.hoisted.currentOptions));if(Array.isArray(e))o.props.hoisted.setCurrentOptions(e);else if(e&&e.then){var t=o._currentPromise=e;t.then((function(e){t===o._currentPromise&&o.props.hoisted.setCurrentOptions(e)}))}}},o._onBlur=function(e){var t,n,r=e.relatedTarget;if(null===e.relatedTarget&&(r=document.activeElement),r){var i=null===(t=o.props.hoisted.rootRef.current)||void 0===t?void 0:t.contains(r),a=null===(n=o._comboBoxMenu.current)||void 0===n?void 0:n.contains(r),s=o._comboBoxMenu.current&&(0,h.X)(o._comboBoxMenu.current,(function(e){return e===r}));if(i||a||s)return s&&o._hasFocus()&&(!o.props.multiSelect||o.props.allowFreeform)&&o._submitPendingValue(e),e.preventDefault(),void e.stopPropagation()}o._hasFocus()&&(o.setState({focusState:"none"}),o.props.multiSelect&&!o.props.allowFreeform||o._submitPendingValue(e))},o._onRenderContainer=function(e){var t,n,r=e.onRenderList,i=e.calloutProps,a=e.dropdownWidth,c=e.dropdownMaxWidth,u=e.onRenderUpperContent,d=void 0===u?o._onRenderUpperContent:u,p=e.onRenderLowerContent,m=void 0===p?o._onRenderLowerContent:p,h=e.useComboBoxAsMenuWidth,f=e.persistMenu,v=e.shouldRestoreFocus,b=void 0===v||v,y=o.state.isOpen,_=h&&o._comboBoxWrapper.current?o._comboBoxWrapper.current.clientWidth+2:void 0;return l.createElement(D.U,(0,s.pi)({isBeakVisible:!1,gapSpace:0,doNotLayer:!1,directionalHint:T.b.bottomLeftEdge,directionalHintFixed:!1},i,{onLayerMounted:o._onLayerMounted,className:(0,g.i)(o._classNames.callout,null===(t=i)||void 0===t?void 0:t.className),target:o._comboBoxWrapper.current,onDismiss:o._onDismiss,onMouseDown:o._onCalloutMouseDown,onScroll:o._onScroll,setInitialFocus:!1,calloutWidth:h&&o._comboBoxWrapper.current?_&&_:a,calloutMaxWidth:c||_,hidden:f?!y:void 0,shouldRestoreFocus:b}),d(o.props,o._onRenderUpperContent),l.createElement("div",{className:o._classNames.optionsContainerWrapper,ref:o._comboBoxMenu},null===(n=r)||void 0===n?void 0:n((0,s.pi)({},e),o._onRenderList)),m(o.props,o._onRenderLowerContent))},o._onLayerMounted=function(){o._onCalloutLayerMounted(),o.props.calloutProps&&o.props.calloutProps.onLayerMounted&&o.props.calloutProps.onLayerMounted()},o._onRenderLabel=function(e){var t=e.props,n=t.label,r=t.disabled,i=t.required;return n?l.createElement(O._,{id:o._id+"-label",disabled:r,required:i,className:o._classNames.label},n,e.multiselectAccessibleText&&l.createElement("span",{className:o._classNames.screenReaderText},e.multiselectAccessibleText)):null},o._onRenderList=function(e){var t=e.onRenderItem,n=e.options,r=o._id;return l.createElement("div",{id:r+"-list",className:o._classNames.optionsContainer,"aria-labelledby":r+"-label",role:"listbox"},n.map((function(e){var n;return null===(n=t)||void 0===n?void 0:n(e,o._onRenderItem)})))},o._onRenderItem=function(e){switch(e.itemType){case W.F.Divider:return o._renderSeparator(e);case W.F.Header:return o._renderHeader(e);default:return o._renderOption(e)}},o._onRenderLowerContent=function(){return null},o._onRenderUpperContent=function(){return null},o._renderOption=function(e){var t=o.props.onRenderOption,n=void 0===t?o._onRenderOptionContent:t,r=o._id,i=o._isOptionSelected(e.index),a=o._isOptionChecked(e.index),c=o._getCurrentOptionStyles(e),u=H(o._getCurrentOptionStyles(e)),d=oe(e),p=function(){return n(e,o._onRenderOptionContent)};return l.createElement(U,{key:e.key,index:e.index,disabled:e.disabled,isSelected:i,isChecked:a,text:e.text,render:function(){return o.props.multiSelect?l.createElement(E.X,{id:r+"-list"+e.index,ariaLabel:oe(e),key:e.key,styles:c,className:"ms-ComboBox-option",onChange:o._onItemClick(e),label:e.text,checked:a,title:d,disabled:e.disabled,onRenderLabel:p,inputProps:(0,s.pi)({"aria-selected":a?"true":"false",role:"option"},{"data-index":e.index,"data-is-focusable":!0})}):l.createElement(q.M,{id:r+"-list"+e.index,key:e.key,"data-index":e.index,styles:c,checked:i,className:"ms-ComboBox-option",onClick:o._onItemClick(e),onMouseEnter:o._onOptionMouseEnter.bind(o,e.index),onMouseMove:o._onOptionMouseMove.bind(o,e.index),onMouseLeave:o._onOptionMouseLeave,role:"option","aria-selected":a?"true":"false",ariaLabel:oe(e),disabled:e.disabled,title:d},l.createElement("span",{className:u.optionTextWrapper,ref:i?o._selectedElement:void 0},n(e,o._onRenderOptionContent)))},data:e.data})},o._onCalloutMouseDown=function(e){e.preventDefault()},o._onScroll=function(){o._isScrollIdle||void 0===o._scrollIdleTimeoutId?o._isScrollIdle=!1:(o._async.clearTimeout(o._scrollIdleTimeoutId),o._scrollIdleTimeoutId=void 0),o._scrollIdleTimeoutId=o._async.setTimeout((function(){o._isScrollIdle=!0}),250)},o._onRenderOptionContent=function(e){var t=H(o._getCurrentOptionStyles(e));return l.createElement("span",{className:t.optionText},e.text)},o._onDismiss=function(){var e=o.props.onMenuDismiss;e&&e(),o.props.persistMenu&&o._onCalloutLayerMounted(),o._setOpenStateAndFocusOnClose(!1,!1),o._resetSelectedIndex()},o._onAfterClearPendingInfo=function(){o._processingClearPendingInfo=!1},o._onInputKeyDown=function(e){var t=o.props,n=t.disabled,r=t.allowFreeform,s=t.autoComplete,l=t.hoisted.currentOptions,c=o.state,u=c.isOpen,d=c.currentPendingValueValidIndexOnHover;if(o._lastKeyDownWasAltOrMeta=ne(e),n)o._handleInputWhenDisabled(e);else{var p=o._getPendingSelectedIndex(!1);switch(e.which){case f.m.enter:o._autofill.current&&o._autofill.current.inputElement&&o._autofill.current.inputElement.select(),o._submitPendingValue(e),o.props.multiSelect&&u?o.setState({currentPendingValueValidIndex:p}):(u||(!r||void 0===o.state.currentPendingValue||null===o.state.currentPendingValue||o.state.currentPendingValue.length<=0)&&o.state.currentPendingValueValidIndex<0)&&o.setState({isOpen:!u});break;case f.m.tab:return o.props.multiSelect||o._submitPendingValue(e),void(u&&o._setOpenStateAndFocusOnClose(!u,!1));case f.m.escape:if(o._resetSelectedIndex(),!u)return;o.setState({isOpen:!1});break;case f.m.up:if(d===a.clearAll&&(p=o.props.hoisted.currentOptions.length),e.altKey||e.metaKey){if(u){o._setOpenStateAndFocusOnClose(!u,!0);break}return}o._setPendingInfoFromIndexAndDirection(p,i.backward);break;case f.m.down:e.altKey||e.metaKey?o._setOpenStateAndFocusOnClose(!0,!0):(d===a.clearAll&&(p=-1),o._setPendingInfoFromIndexAndDirection(p,i.forward));break;case f.m.home:case f.m.end:if(r)return;p=-1;var m=i.forward;e.which===f.m.end&&(p=l.length,m=i.backward),o._setPendingInfoFromIndexAndDirection(p,m);break;case f.m.space:if(!r&&"off"===s)break;default:if(e.which>=112&&e.which<=123)return;if(e.keyCode===f.m.alt||"Meta"===e.key)return;if(!r&&"on"===s){o._onInputChange(e.key);break}return}e.stopPropagation(),e.preventDefault()}},o._onInputKeyUp=function(e){var t=o.props,n=t.disabled,r=t.allowFreeform,i=t.autoComplete,a=o.state.isOpen,s=o._lastKeyDownWasAltOrMeta&&ne(e);o._lastKeyDownWasAltOrMeta=!1;var l=s&&!((0,v.V)()||(0,b.g)());if(n)o._handleInputWhenDisabled(e);else switch(e.which){case f.m.space:return void(r||"off"!==i||o._setOpenStateAndFocusOnClose(!a,!!a));default:return void(l&&a?o._setOpenStateAndFocusOnClose(!a,!0):("focusing"===o.state.focusState&&o.props.openOnKeyboardFocus&&o.setState({isOpen:!0}),"focused"!==o.state.focusState&&o.setState({focusState:"focused"})))}},o._onOptionMouseLeave=function(){o._shouldIgnoreMouseEvent()||o.props.persistMenu&&!o.state.isOpen||o.setState({currentPendingValueValidIndexOnHover:a.clearAll})},o._onComboBoxClick=function(){var e=o.props.disabled,t=o.state.isOpen;e||(o._setOpenStateAndFocusOnClose(!t,!1),o.setState({focusState:"focused"}))},o._onAutofillClick=function(){var e=o.props,t=e.disabled;e.allowFreeform&&!t?o.focus(o.state.isOpen||o._processingTouch):o._onComboBoxClick()},o._onTouchStart=function(){o._comboBoxWrapper.current&&!("onpointerdown"in o._comboBoxWrapper)&&o._handleTouchAndPointerEvent()},o._onPointerDown=function(e){"touch"===e.pointerType&&(o._handleTouchAndPointerEvent(),e.preventDefault(),e.stopImmediatePropagation())},(0,y.l)(o),o._async=new _.e(o),o._events=new C.r(o),(0,S.L)(j,t,{defaultSelectedKey:"selectedKey",text:"defaultSelectedKey",selectedKey:"value",dropdownWidth:"useComboBoxAsMenuWidth"}),o._id=t.id||(0,x.z)("ComboBox"),o._isScrollIdle=!0,o._processingTouch=!1,o._gotMouseMove=!1,o._processingClearPendingInfo=!1,o.state={isOpen:!1,focusState:"none",currentPendingValueValidIndex:-1,currentPendingValue:void 0,currentPendingValueValidIndexOnHover:a.default},o}return(0,s.ZT)(t,e),Object.defineProperty(t.prototype,"selectedOptions",{get:function(){var e=this.props.hoisted,t=e.currentOptions,o=e.selectedIndices;return(0,V.t)(t,o)},enumerable:!0,configurable:!0}),t.prototype.componentDidMount=function(){this._comboBoxWrapper.current&&!this.props.disabled&&(this._events.on(this._comboBoxWrapper.current,"focus",this._onResolveOptions,!0),"onpointerdown"in this._comboBoxWrapper.current&&this._events.on(this._comboBoxWrapper.current,"pointerdown",this._onPointerDown,!0))},t.prototype.componentDidUpdate=function(e,t){var o=this,n=this.props,r=n.allowFreeform,i=n.text,a=n.onMenuOpen,s=n.onMenuDismissed,l=n.hoisted.selectedIndices,c=this.state,u=c.isOpen,d=c.currentPendingValueValidIndex;!u||t.isOpen&&t.currentPendingValueValidIndex===d||this._async.setTimeout((function(){return o._scrollIntoView()}),0),this._hasFocus()&&(u||t.isOpen&&!u&&this._focusInputAfterClose&&this._autofill.current&&document.activeElement!==this._autofill.current.inputElement)&&this.focus(void 0,!0),this._focusInputAfterClose&&(t.isOpen&&!u||this._hasFocus()&&(!u&&!this.props.multiSelect&&e.hoisted.selectedIndices&&l&&e.hoisted.selectedIndices[0]!==l[0]||!r||i!==e.text))&&this._onFocus(),this._notifyPendingValueChanged(t),u&&!t.isOpen&&a&&a(),!u&&t.isOpen&&s&&s()},t.prototype.componentWillUnmount=function(){this._async.dispose(),this._events.dispose()},t.prototype.render=function(){var e=this._id+"-error",t=this.props,o=t.className,n=t.disabled,r=t.required,i=t.errorMessage,a=t.onRenderContainer,c=void 0===a?this._onRenderContainer:a,u=t.onRenderLabel,d=void 0===u?this._onRenderLabel:u,p=t.onRenderList,m=void 0===p?this._onRenderList:p,h=t.onRenderItem,g=void 0===h?this._onRenderItem:h,f=t.onRenderOption,v=void 0===f?this._onRenderOptionContent:f,b=t.allowFreeform,y=t.styles,_=t.theme,C=t.persistMenu,S=t.multiSelect,x=t.hoisted,w=x.suggestedDisplayValue,I=x.selectedIndices,D=x.currentOptions,T=this.state.isOpen;this._currentVisibleValue=this._getVisibleValue();var E=S?this._getMultiselectDisplayString(I,D,w):void 0,P=(0,k.pq)(this.props,k.n7,["onChange","value"]),M=!!(i&&i.length>0);this._classNames=this.props.getClassNames?this.props.getClassNames(_,!!T,!!n,!!r,!!this._hasFocus(),!!b,!!M,o):z(A(_,y),o,!!T,!!n,!!r,!!this._hasFocus(),!!b,!!M);var R=this._renderComboBoxWrapper(E,e);return l.createElement("div",(0,s.pi)({},P,{ref:this.props.hoisted.mergedRootRef,className:this._classNames.container}),d({props:this.props,multiselectAccessibleText:E},this._onRenderLabel),R,(C||T)&&c((0,s.pi)((0,s.pi)({},this.props),{onRenderList:m,onRenderItem:g,onRenderOption:v,options:D.map((function(e,t){return(0,s.pi)((0,s.pi)({},e),{index:t})})),onDismiss:this._onDismiss}),this._onRenderContainer),l.createElement("div",(0,s.pi)({role:"region","aria-live":"polite","aria-atomic":"true",id:e},M?{className:this._classNames.errorMessage}:{"aria-hidden":!0}),void 0!==i?i:""))},t.prototype._getPendingString=function(e,t,o){return null!=e?e:ee(t,o)?t[o].text:""},t.prototype._getMultiselectDisplayString=function(e,t,o){for(var n=[],r=0;e&&r0){var a=oe(r[0]);i=a.toLocaleLowerCase()!==e?a:"",o=r[0].index}}else 1===(r=t.map((function(e,t){return(0,s.pi)((0,s.pi)({},e),{index:t})})).filter((function(t){return te(t)&&oe(t).toLocaleLowerCase()===e}))).length&&(o=r[0].index);this._setPendingInfo(n,o,i)},t.prototype._processInputChangeWithoutFreeform=function(e){var t=this,o=this.props.hoisted.currentOptions,n=this.state,r=n.currentPendingValue,i=n.currentPendingValueValidIndex;if("on"===this.props.autoComplete&&""!==e){this._autoCompleteTimeout&&(this._async.clearTimeout(this._autoCompleteTimeout),this._autoCompleteTimeout=void 0,e=$(r)+e);var a=e;e=e.toLocaleLowerCase();var l=o.map((function(e,t){return(0,s.pi)((0,s.pi)({},e),{index:t})})).filter((function(t){return te(t)&&0===t.text.toLocaleLowerCase().indexOf(e)}));return l.length>0&&this._setPendingInfo(a,l[0].index,oe(l[0])),void(this._autoCompleteTimeout=this._async.setTimeout((function(){t._autoCompleteTimeout=void 0}),1e3))}var c=i>=0?i:this._getFirstSelectedIndex();this._setPendingInfoFromIndex(c)},t.prototype._getFirstSelectedIndex=function(){var e,t=this.props.hoisted.selectedIndices;return(null===(e=t)||void 0===e?void 0:e.length)?t[0]:-1},t.prototype._getNextSelectableIndex=function(e,t){var o=this.props.hoisted.currentOptions,n=e+t;if(!ee(o,n=Math.max(0,Math.min(o.length-1,n))))return-1;var r=o[n];if(!te(r)||!0===r.hidden){if(t===i.none||!(n>0&&t=0&&ni.none))return e;n=this._getNextSelectableIndex(n,t)}return n},t.prototype._setSelectedIndex=function(e,t,o){void 0===o&&(o=i.none);var n=this.props,r=n.onChange,a=n.onPendingValueChanged,l=n.hoisted,c=l.selectedIndices,u=l.currentOptions,d=c?c.slice():[];if(ee(u,e=this._getNextSelectableIndex(e,o))){if(this.props.multiSelect||d.length<1||1===d.length&&d[0]!==e){var p=(0,s.pi)({},u[e]);if(!p||p.disabled)return;if(this.props.multiSelect?(p.selected=void 0!==p.selected?!p.selected:d.indexOf(e)<0,p.selected&&d.indexOf(e)<0?d.push(e):!p.selected&&d.indexOf(e)>=0&&(d=d.filter((function(t){return t!==e})))):d[0]=e,t.persist(),this.props.selectedKey||null===this.props.selectedKey)this._hasPendingValue&&a&&(a(),this._hasPendingValue=!1),r&&r(t,p,e,void 0);else{var m=u.slice();m[e]=p,this.props.hoisted.setSelectedIndices(d),this.props.hoisted.setCurrentOptions(m),this._hasPendingValue&&a&&(a(),this._hasPendingValue=!1),r&&r(t,p,e,void 0)}}this.props.multiSelect&&this.state.isOpen||this._clearPendingInfo()}},t.prototype._submitPendingValue=function(e){var t,o,n,r=this.props,i=r.onChange,a=r.allowFreeform,s=r.autoComplete,l=r.multiSelect,c=r.hoisted,u=c.currentOptions,d=this.state,p=d.currentPendingValue,m=d.currentPendingValueValidIndex,h=d.currentPendingValueValidIndexOnHover,g=this.props.hoisted.selectedIndices;if(!this._processingClearPendingInfo){if(a){if(null==p)return void(h>=0&&(this._setSelectedIndex(h,e),this._clearPendingInfo()));if(ee(u,m)){var f=oe(u[m]).toLocaleLowerCase(),v=this._autofill.current;if(p.toLocaleLowerCase()===f||s&&0===f.indexOf(p.toLocaleLowerCase())&&(null===(t=v)||void 0===t?void 0:t.isValueSelected)&&p.length+(v.selectionEnd-v.selectionStart)===f.length||(null===(n=null===(o=v)||void 0===o?void 0:o.inputElement)||void 0===n?void 0:n.value.toLocaleLowerCase())===f){if(this._setSelectedIndex(m,e),l&&this.state.isOpen)return;return void this._clearPendingInfo()}}if(i)i&&i(e,void 0,void 0,p);else{var b={key:p||(0,x.z)(),text:$(p)};l&&(b.selected=!0);var y=u.concat([b]);g&&(l||(g=[]),g.push(y.length-1)),c.setCurrentOptions(y),c.setSelectedIndices(g)}}else m>=0?this._setSelectedIndex(m,e):h>=0&&this._setSelectedIndex(h,e);this._clearPendingInfo()}},t.prototype._onCalloutLayerMounted=function(){this._gotMouseMove=!1},t.prototype._renderSeparator=function(e){var t=e.index,o=e.key;return t&&t>0?l.createElement("div",{role:"separator",key:o,className:this._classNames.divider}):null},t.prototype._renderHeader=function(e){var t=this.props.onRenderOption,o=void 0===t?this._onRenderOptionContent:t;return l.createElement("div",{key:e.key,className:this._classNames.header},o(e,this._onRenderOptionContent))},t.prototype._isOptionSelected=function(e){return this.state.currentPendingValueValidIndexOnHover!==a.clearAll&&this._getPendingSelectedIndex(!0)===e},t.prototype._isOptionChecked=function(e){return!(!this.props.multiSelect||void 0===e||!this.props.hoisted.selectedIndices)&&this.props.hoisted.selectedIndices.indexOf(e)>=0},t.prototype._getPendingSelectedIndex=function(e){var t=this.state,o=t.currentPendingValueValidIndexOnHover,n=t.currentPendingValueValidIndex,r=t.currentPendingValue;return o>=0?o:n>=0||e&&null!=r?n:this.props.multiSelect?0:this._getFirstSelectedIndex()},t.prototype._scrollIntoView=function(){var e=this.props,t=e.onScrollToItem,o=e.scrollSelectedToTop,n=this.state,r=n.currentPendingValueValidIndex,i=n.currentPendingValue;if(t)t(r>=0||""!==i?r:this._getFirstSelectedIndex());else if(this._selectedElement.current&&this._selectedElement.current.offsetParent)if(o)this._selectedElement.current.offsetParent.scrollIntoView(!0);else{var a=!0;if(this._comboBoxMenu.current&&this._comboBoxMenu.current.offsetParent){var s=this._comboBoxMenu.current.offsetParent.getBoundingClientRect(),l=this._selectedElement.current.offsetParent.getBoundingClientRect();if(s.top<=l.top&&s.top+s.height>=l.top+l.height)return;s.top+s.height<=l.top+l.height&&(a=!1)}this._selectedElement.current.offsetParent.scrollIntoView(a)}},t.prototype._onItemClick=function(e){var t=this,o=this.props.onItemClick,n=e.index;return function(r){t.props.multiSelect||(t._autofill.current&&t._autofill.current.focus(),t.setState({isOpen:!1})),o&&o(r,e,n),t._setSelectedIndex(n,r)}},t.prototype._resetSelectedIndex=function(){var e=this.props.hoisted.currentOptions;this._clearPendingInfo();var t=this._getFirstSelectedIndex();t>0&&t=0&&e=o.length-1?e=-1:t===i.backward&&e<=0&&(e=o.length);var n=this._getNextSelectableIndex(e,t);e===n?t===i.forward?e=this._getNextSelectableIndex(-1,t):t===i.backward&&(e=this._getNextSelectableIndex(o.length,t)):e=n,ee(o,e)&&this._setPendingInfoFromIndex(e)},t.prototype._notifyPendingValueChanged=function(e){var t=this.props.onPendingValueChanged;if(t){var o=this.props.hoisted.currentOptions,n=this.state,r=n.currentPendingValue,i=n.currentPendingValueValidIndex,a=n.currentPendingValueValidIndexOnHover,s=void 0,l=void 0;a!==e.currentPendingValueValidIndexOnHover&&ee(o,a)?s=a:i!==e.currentPendingValueValidIndex&&ee(o,i)?s=i:r!==e.currentPendingValue&&(l=r),(void 0!==s||void 0!==l||this._hasPendingValue)&&(t(void 0!==s?o[s]:void 0,s,l),this._hasPendingValue=void 0!==s||void 0!==l)}},t.prototype._setOpenStateAndFocusOnClose=function(e,t){this._focusInputAfterClose=t,this.setState({isOpen:e})},t.prototype._onOptionMouseEnter=function(e){this._shouldIgnoreMouseEvent()||this.setState({currentPendingValueValidIndexOnHover:e})},t.prototype._onOptionMouseMove=function(e){this._gotMouseMove=!0,this._isScrollIdle&&this.state.currentPendingValueValidIndexOnHover!==e&&this.setState({currentPendingValueValidIndexOnHover:e})},t.prototype._shouldIgnoreMouseEvent=function(){return!this._isScrollIdle||!this._gotMouseMove},t.prototype._handleInputWhenDisabled=function(e){this.props.disabled&&(this.state.isOpen&&this.setState({isOpen:!1}),null!==e&&e.which!==f.m.tab&&e.which!==f.m.escape&&(e.which<112||e.which>123)&&(e.stopPropagation(),e.preventDefault()))},t.prototype._handleTouchAndPointerEvent=function(){var e=this;void 0!==this._lastTouchTimeoutId&&(this._async.clearTimeout(this._lastTouchTimeoutId),this._lastTouchTimeoutId=void 0),this._processingTouch=!0,this._lastTouchTimeoutId=this._async.setTimeout((function(){e._processingTouch=!1,e._lastTouchTimeoutId=void 0}),500)},t.prototype._getCaretButtonStyles=function(){var e=this.props.caretDownButtonStyles;return L(this.props.theme,e)},t.prototype._getCurrentOptionStyles=function(e){var t=this.props.comboBoxOptionStyles,o=e.styles;return F(this.props.theme,t,o,this._isPendingOption(e),e.hidden)},t.prototype._getAriaActiveDescendantValue=function(){var e,t=this.props.hoisted.selectedIndices,o=this.state,n=o.isOpen,r=o.currentPendingValueValidIndex,i=n&&(null===(e=t)||void 0===e?void 0:e.length)?this._id+"-list"+t[0]:void 0;return n&&this._hasFocus()&&-1!==r&&(i=this._id+"-list"+r),i},t.prototype._getAriaAutoCompleteValue=function(){return this.props.disabled||"on"!==this.props.autoComplete?"none":this.props.allowFreeform?"inline":"both"},t.prototype._isPendingOption=function(e){return e&&e.index===this.state.currentPendingValueValidIndex},t.prototype._hasFocus=function(){return"none"!==this.state.focusState},(0,s.gn)([(0,w.a)("ComboBox",["theme","styles"],!0)],t)}(l.Component);function X(e,t){if(!e||!t)return[];var o={};e.forEach((function(e,t){e.selected&&(o[t]=!0)}));for(var n=function(t){var n=(0,I.cx)(e,(function(e){return e.key===t}));n>-1&&(o[n]=!0)},r=0,i=t;r=0&&t{"use strict";o.d(t,{MK:()=>Y,Hl:()=>j,Nb:()=>U});var n=o(7622),r=o(7002),i=r.createContext({}),a=o(5183),s=o(6628),l=o(7023),c=o(2998),u=o(7300),d=o(5094),p=o(63),m=o(8145),h=o(6479),g=o(8936),f=o(5951),v=o(4553),b=o(2167),y=o(9919),_=o(688),C=o(3129),S=o(2782),x=o(2447),k=o(8088),w=o(8127),I=o(2240),D=o(5953),T=o(6662),E=o(9577),P=function(e){function t(t){var o=e.call(this,t)||this;return o._onItemMouseEnter=function(e){var t=o.props,n=t.item,r=t.onItemMouseEnter;r&&r(n,e,e.currentTarget)},o._onItemClick=function(e){var t=o.props,n=t.item,r=t.onItemClickBase;r&&r(n,e,e.currentTarget)},o._onItemMouseLeave=function(e){var t=o.props,n=t.item,r=t.onItemMouseLeave;r&&r(n,e)},o._onItemKeyDown=function(e){var t=o.props,n=t.item,r=t.onItemKeyDown;r&&r(n,e)},o._onItemMouseMove=function(e){var t=o.props,n=t.item,r=t.onItemMouseMove;r&&r(n,e,e.currentTarget)},o._getSubmenuTarget=function(){},(0,_.l)(o),o}return(0,n.ZT)(t,e),t.prototype.shouldComponentUpdate=function(e){return!(0,x.Vv)(e,this.props)},t}(r.Component),M=o(9949),R=function(e){function t(){var t=null!==e&&e.apply(this,arguments)||this;return t._anchor=r.createRef(),t._getMemoizedMenuButtonKeytipProps=(0,d.NF)((function(e){return(0,n.pi)((0,n.pi)({},e),{hasMenu:!0})})),t._getSubmenuTarget=function(){return t._anchor.current?t._anchor.current:void 0},t._onItemClick=function(e){var o=t.props,n=o.item,r=o.onItemClick;r&&r(n,e)},t._renderAriaDescription=function(e,o){return e?r.createElement("span",{id:t._ariaDescriptionId,className:o},e):null},t}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this,t=this.props,o=t.item,i=t.classNames,a=t.index,s=t.focusableElementIndex,l=t.totalItemCount,c=t.hasCheckmarks,u=t.hasIcons,d=t.contextualMenuItemAs,p=void 0===d?T.W:d,m=t.expandedMenuItemKey,h=t.onItemClick,g=t.openSubMenu,f=t.dismissSubMenu,v=t.dismissMenu,b=o.rel;o.target&&"_blank"===o.target.toLowerCase()&&(b=b||"nofollow noopener noreferrer");var y=(0,I.Df)(o),_=(0,w.pq)(o,w.h2),C=(0,I.P_)(o),x=o.itemProps,k=o.ariaDescription,D=o.keytipProps;D&&y&&(D=this._getMemoizedMenuButtonKeytipProps(D)),k&&(this._ariaDescriptionId=(0,S.z)());var P=(0,E.I)(o.ariaDescribedBy,k?this._ariaDescriptionId:void 0,_["aria-describedby"]),R={"aria-describedby":P};return r.createElement("div",null,r.createElement(M.a,{keytipProps:o.keytipProps,ariaDescribedBy:P,disabled:C},(function(t){return r.createElement("a",(0,n.pi)({},R,_,t,{ref:e._anchor,href:o.href,target:o.target,rel:b,className:i.root,role:"menuitem","aria-haspopup":y||void 0,"aria-expanded":y?o.key===m:void 0,"aria-posinset":s+1,"aria-setsize":l,"aria-disabled":(0,I.P_)(o),style:o.style,onClick:e._onItemClick,onMouseEnter:e._onItemMouseEnter,onMouseLeave:e._onItemMouseLeave,onMouseMove:e._onItemMouseMove,onKeyDown:y?e._onItemKeyDown:void 0}),r.createElement(p,(0,n.pi)({componentRef:o.componentRef,item:o,classNames:i,index:a,onCheckmarkClick:c&&h?h:void 0,hasIcons:u,openSubMenu:g,dismissSubMenu:f,dismissMenu:v,getSubmenuTarget:e._getSubmenuTarget},x)),e._renderAriaDescription(k,i.screenReaderText))})))},t}(P),N=function(e){function t(){var t=null!==e&&e.apply(this,arguments)||this;return t._btn=r.createRef(),t._getMemoizedMenuButtonKeytipProps=(0,d.NF)((function(e){return(0,n.pi)((0,n.pi)({},e),{hasMenu:!0})})),t._renderAriaDescription=function(e,o){return e?r.createElement("span",{id:t._ariaDescriptionId,className:o},e):null},t._getSubmenuTarget=function(){return t._btn.current?t._btn.current:void 0},t}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this,t=this.props,o=t.item,i=t.classNames,a=t.index,s=t.focusableElementIndex,l=t.totalItemCount,c=t.hasCheckmarks,u=t.hasIcons,d=t.contextualMenuItemAs,p=void 0===d?T.W:d,m=t.expandedMenuItemKey,h=t.onItemMouseDown,g=t.onItemClick,f=t.openSubMenu,v=t.dismissSubMenu,b=t.dismissMenu,y=(0,I.E3)(o),_=null!==y,C=(0,I.JF)(o),x=(0,I.Df)(o),k=o.itemProps,D=o.ariaLabel,P=o.ariaDescription,R=(0,w.pq)(o,w.Yq);delete R.disabled;var N=o.role||C;P&&(this._ariaDescriptionId=(0,S.z)());var B=(0,E.I)(o.ariaDescribedBy,P?this._ariaDescriptionId:void 0,R["aria-describedby"]),F={className:i.root,onClick:this._onItemClick,onKeyDown:x?this._onItemKeyDown:void 0,onMouseEnter:this._onItemMouseEnter,onMouseLeave:this._onItemMouseLeave,onMouseDown:function(e){return h?h(o,e):void 0},onMouseMove:this._onItemMouseMove,href:o.href,title:o.title,"aria-label":D,"aria-describedby":B,"aria-haspopup":x||void 0,"aria-expanded":x?o.key===m:void 0,"aria-posinset":s+1,"aria-setsize":l,"aria-disabled":(0,I.P_)(o),"aria-checked":"menuitemcheckbox"!==N&&"menuitemradio"!==N||!_?void 0:!!y,"aria-selected":"menuitem"===N&&_?!!y:void 0,role:N,style:o.style},L=o.keytipProps;return L&&x&&(L=this._getMemoizedMenuButtonKeytipProps(L)),r.createElement(M.a,{keytipProps:L,ariaDescribedBy:B,disabled:(0,I.P_)(o)},(function(t){return r.createElement("button",(0,n.pi)({ref:e._btn},R,F,t),r.createElement(p,(0,n.pi)({componentRef:o.componentRef,item:o,classNames:i,index:a,onCheckmarkClick:c&&g?g:void 0,hasIcons:u,openSubMenu:f,dismissSubMenu:v,dismissMenu:b,getSubmenuTarget:e._getSubmenuTarget},k)),e._renderAriaDescription(P,i.screenReaderText))}))},t}(P),B=o(98),F=o(8386),L=function(e){function t(t){var o=e.call(this,t)||this;return o._getMemoizedMenuButtonKeytipProps=(0,d.NF)((function(e){return(0,n.pi)((0,n.pi)({},e),{hasMenu:!0})})),o._onItemKeyDown=function(e){var t=o.props,n=t.item,r=t.onItemKeyDown;e.which===m.m.enter?(o._executeItemClick(e),e.preventDefault(),e.stopPropagation()):r&&r(n,e)},o._getSubmenuTarget=function(){return o._splitButton},o._renderAriaDescription=function(e,t){return e?r.createElement("span",{id:o._ariaDescriptionId,className:t},e):null},o._onItemMouseEnterPrimary=function(e){var t=o.props,r=t.item,i=t.onItemMouseEnter;i&&i((0,n.pi)((0,n.pi)({},r),{subMenuProps:void 0,items:void 0}),e,o._splitButton)},o._onItemMouseEnterIcon=function(e){var t=o.props,n=t.item,r=t.onItemMouseEnter;r&&r(n,e,o._splitButton)},o._onItemMouseMovePrimary=function(e){var t=o.props,r=t.item,i=t.onItemMouseMove;i&&i((0,n.pi)((0,n.pi)({},r),{subMenuProps:void 0,items:void 0}),e,o._splitButton)},o._onItemMouseMoveIcon=function(e){var t=o.props,n=t.item,r=t.onItemMouseMove;r&&r(n,e,o._splitButton)},o._onIconItemClick=function(e){var t=o.props,n=t.item,r=t.onItemClickBase;r&&r(n,e,o._splitButton?o._splitButton:e.currentTarget)},o._executeItemClick=function(e){var t=o.props,n=t.item,r=t.executeItemClick,i=t.onItemClick;if(!n.disabled&&!n.isDisabled)return o._processingTouch&&i?i(n,e):void(r&&r(n,e))},o._onTouchStart=function(e){o._splitButton&&!("onpointerdown"in o._splitButton)&&o._handleTouchAndPointerEvent(e)},o._onPointerDown=function(e){"touch"===e.pointerType&&(o._handleTouchAndPointerEvent(e),e.preventDefault(),e.stopImmediatePropagation())},o._async=new b.e(o),o._events=new y.r(o),o}return(0,n.ZT)(t,e),t.prototype.componentDidMount=function(){this._splitButton&&"onpointerdown"in this._splitButton&&this._events.on(this._splitButton,"pointerdown",this._onPointerDown,!0)},t.prototype.componentWillUnmount=function(){this._async.dispose(),this._events.dispose()},t.prototype.render=function(){var e=this,t=this.props,o=t.item,i=t.classNames,a=t.index,s=t.focusableElementIndex,l=t.totalItemCount,c=t.hasCheckmarks,u=t.hasIcons,d=t.onItemMouseLeave,p=t.expandedMenuItemKey,m=(0,I.Df)(o),h=o.keytipProps;h&&(h=this._getMemoizedMenuButtonKeytipProps(h));var g=o.ariaDescription;return g&&(this._ariaDescriptionId=(0,S.z)()),r.createElement(M.a,{keytipProps:h,disabled:(0,I.P_)(o)},(function(t){return r.createElement("div",{"data-ktp-target":t["data-ktp-target"],ref:function(t){return e._splitButton=t},role:(0,I.JF)(o),"aria-label":o.ariaLabel,className:i.splitContainer,"aria-disabled":(0,I.P_)(o),"aria-expanded":m?o.key===p:void 0,"aria-haspopup":!0,"aria-describedby":(0,E.I)(o.ariaDescribedBy,g?e._ariaDescriptionId:void 0,t["aria-describedby"]),"aria-checked":o.isChecked||o.checked,"aria-posinset":s+1,"aria-setsize":l,onMouseEnter:e._onItemMouseEnterPrimary,onMouseLeave:d?d.bind(e,(0,n.pi)((0,n.pi)({},o),{subMenuProps:null,items:null})):void 0,onMouseMove:e._onItemMouseMovePrimary,onKeyDown:e._onItemKeyDown,onClick:e._executeItemClick,onTouchStart:e._onTouchStart,tabIndex:0,"data-is-focusable":!0,"aria-roledescription":o["aria-roledescription"]},e._renderSplitPrimaryButton(o,i,a,c,u),e._renderSplitDivider(o),e._renderSplitIconButton(o,i,a,t),e._renderAriaDescription(g,i.screenReaderText))}))},t.prototype._renderSplitPrimaryButton=function(e,t,o,i,a){var s=this.props,l=s.contextualMenuItemAs,c=void 0===l?T.W:l,u=s.onItemClick,d={key:e.key,disabled:(0,I.P_)(e)||e.primaryDisabled,name:e.name,text:e.text||e.name,secondaryText:e.secondaryText,className:t.splitPrimary,canCheck:e.canCheck,isChecked:e.isChecked,checked:e.checked,iconProps:e.iconProps,onRenderIcon:e.onRenderIcon,data:e.data,"data-is-focusable":!1},p=e.itemProps;return r.createElement("button",(0,n.pi)({},(0,w.pq)(d,w.Yq)),r.createElement(c,(0,n.pi)({"data-is-focusable":!1,item:d,classNames:t,index:o,onCheckmarkClick:i&&u?u:void 0,hasIcons:a},p)))},t.prototype._renderSplitDivider=function(e){var t=e.getSplitButtonVerticalDividerClassNames||B.Z;return r.createElement(F.p,{getClassNames:t})},t.prototype._renderSplitIconButton=function(e,t,o,i){var a=this.props,s=a.contextualMenuItemAs,l=void 0===s?T.W:s,c=a.onItemMouseLeave,u=a.onItemMouseDown,d=a.openSubMenu,p=a.dismissSubMenu,m=a.dismissMenu,h={onClick:this._onIconItemClick,disabled:(0,I.P_)(e),className:t.splitMenu,subMenuProps:e.subMenuProps,submenuIconProps:e.submenuIconProps,split:!0,key:e.key},g=(0,n.pi)((0,n.pi)({},(0,w.pq)(h,w.Yq)),{onMouseEnter:this._onItemMouseEnterIcon,onMouseLeave:c?c.bind(this,e):void 0,onMouseDown:function(t){return u?u(e,t):void 0},onMouseMove:this._onItemMouseMoveIcon,"data-is-focusable":!1,"data-ktp-execute-target":i["data-ktp-execute-target"],"aria-hidden":!0}),f=e.itemProps;return r.createElement("button",(0,n.pi)({},g),r.createElement(l,(0,n.pi)({componentRef:e.componentRef,item:h,classNames:t,index:o,hasIcons:!1,openSubMenu:d,dismissSubMenu:p,dismissMenu:m,getSubmenuTarget:this._getSubmenuTarget},f)))},t.prototype._handleTouchAndPointerEvent=function(e){var t=this,o=this.props.onTap;o&&o(e),this._lastTouchTimeoutId&&(this._async.clearTimeout(this._lastTouchTimeoutId),this._lastTouchTimeoutId=void 0),this._processingTouch=!0,this._lastTouchTimeoutId=this._async.setTimeout((function(){t._processingTouch=!1,t._lastTouchTimeoutId=void 0}),500)},t}(P),A=o(9729),z=o(6876),H=o(9241),O=o(2674),W=o(4126),V=o(9761),K=(0,u.y)(),q=(0,u.y)(),G={items:[],shouldFocusOnMount:!0,gapSpace:0,directionalHint:s.b.bottomAutoEdge,beakWidth:16};function U(e){return e.subMenuProps?e.subMenuProps.items:e.items}function j(e){return e.some((function(e){return!!e.canCheck||!(!e.sectionProps||!e.sectionProps.items.some((function(e){return!0===e.canCheck})))}))}var J=(0,d.NF)((function(){for(var e=[],t=0;t0){for(var $=0,ee=0,te=s;ee0?r.createElement("li",{role:"presentation",key:c.key||e.key||"section-"+o},r.createElement("div",(0,n.pi)({},d),r.createElement("ul",{className:this._classNames.list,role:"presentation"},c.topDivider&&this._renderSeparator(o,t,!0,!0),u&&this._renderListItem(u,e.key||o,t,e.title),c.items.map((function(e,t){return l._renderMenuItem(e,t,t,c.items.length,i,s)})),c.bottomDivider&&this._renderSeparator(o,t,!1,!0)))):void 0}},t.prototype._renderListItem=function(e,t,o,n){return r.createElement("li",{role:"presentation",title:n,key:t,className:o.item},e)},t.prototype._renderSeparator=function(e,t,o,n){return n||e>0?r.createElement("li",{role:"separator",key:"separator-"+e+(void 0===o?"":o?"-top":"-bottom"),className:t.divider,"aria-hidden":"true"}):null},t.prototype._renderNormalItem=function(e,t,o,r,i,a,s){return e.onRender?e.onRender((0,n.pi)({"aria-posinset":r+1,"aria-setsize":i},e),this.dismiss):e.href?this._renderAnchorMenuItem(e,t,o,r,i,a,s):e.split&&(0,I.Df)(e)?this._renderSplitButton(e,t,o,r,i,a,s):this._renderButtonItem(e,t,o,r,i,a,s)},t.prototype._renderHeaderMenuItem=function(e,t,o,i,a){var s=this.props.contextualMenuItemAs,l=void 0===s?T.W:s,c=e.itemProps,u=e.id,d=c&&(0,w.pq)(c,w.n7);return r.createElement("div",(0,n.pi)({id:u,className:this._classNames.header},d,{style:e.style}),r.createElement(l,(0,n.pi)({item:e,classNames:t,index:o,onCheckmarkClick:i?this._onItemClick:void 0,hasIcons:a},c)))},t.prototype._renderAnchorMenuItem=function(e,t,o,n,i,a,s){var l=this.props,c=l.contextualMenuItemAs,u=l.hoisted,d=u.expandedMenuItemKey,p=u.openSubMenu;return r.createElement(R,{item:e,classNames:t,index:o,focusableElementIndex:n,totalItemCount:i,hasCheckmarks:a,hasIcons:s,contextualMenuItemAs:c,onItemMouseEnter:this._onItemMouseEnterBase,onItemMouseLeave:this._onMouseItemLeave,onItemMouseMove:this._onItemMouseMoveBase,onItemMouseDown:this._onItemMouseDown,executeItemClick:this._executeItemClick,onItemClick:this._onAnchorClick,onItemKeyDown:this._onItemKeyDown,expandedMenuItemKey:d,openSubMenu:p,dismissSubMenu:this._onSubMenuDismiss,dismissMenu:this.dismiss})},t.prototype._renderButtonItem=function(e,t,o,n,i,a,s){var l=this.props,c=l.contextualMenuItemAs,u=l.hoisted,d=u.expandedMenuItemKey,p=u.openSubMenu;return r.createElement(N,{item:e,classNames:t,index:o,focusableElementIndex:n,totalItemCount:i,hasCheckmarks:a,hasIcons:s,contextualMenuItemAs:c,onItemMouseEnter:this._onItemMouseEnterBase,onItemMouseLeave:this._onMouseItemLeave,onItemMouseMove:this._onItemMouseMoveBase,onItemMouseDown:this._onItemMouseDown,executeItemClick:this._executeItemClick,onItemClick:this._onItemClick,onItemClickBase:this._onItemClickBase,onItemKeyDown:this._onItemKeyDown,expandedMenuItemKey:d,openSubMenu:p,dismissSubMenu:this._onSubMenuDismiss,dismissMenu:this.dismiss})},t.prototype._renderSplitButton=function(e,t,o,n,i,a,s){var l=this.props,c=l.contextualMenuItemAs,u=l.hoisted,d=u.expandedMenuItemKey,p=u.openSubMenu;return r.createElement(L,{item:e,classNames:t,index:o,focusableElementIndex:n,totalItemCount:i,hasCheckmarks:a,hasIcons:s,contextualMenuItemAs:c,onItemMouseEnter:this._onItemMouseEnterBase,onItemMouseLeave:this._onMouseItemLeave,onItemMouseMove:this._onItemMouseMoveBase,onItemMouseDown:this._onItemMouseDown,executeItemClick:this._executeItemClick,onItemClick:this._onItemClick,onItemClickBase:this._onItemClickBase,onItemKeyDown:this._onItemKeyDown,openSubMenu:p,dismissSubMenu:this._onSubMenuDismiss,dismissMenu:this.dismiss,expandedMenuItemKey:d,onTap:this._onPointerAndTouchEvent})},t.prototype._isAltOrMeta=function(e){return e.which===m.m.alt||"Meta"===e.key},t.prototype._shouldIgnoreMouseEvent=function(){return!this._isScrollIdle||!this.props.hoisted.gotMouseMove.current},t.prototype._updateFocusOnMouseEvent=function(e,t,o){var n=this,r=o||t.currentTarget,i=this.props,a=i.subMenuHoverDelay,s=void 0===a?250:a,l=i.hoisted,c=l.expandedMenuItemKey,u=l.openSubMenu;e.key!==c&&(void 0!==this._enterTimerId&&(this._async.clearTimeout(this._enterTimerId),this._enterTimerId=void 0),void 0===c&&r.focus(),(0,I.Df)(e)?(t.stopPropagation(),this._enterTimerId=this._async.setTimeout((function(){r.focus(),u(e,r,!0),n._enterTimerId=void 0}),s)):this._enterTimerId=this._async.setTimeout((function(){n._onSubMenuDismiss(t),r.focus(),n._enterTimerId=void 0}),s))},t.prototype._getSubmenuProps=function(){var e=this.props.hoisted,t=e.submenuTarget,o=e.expandedMenuItemKey,n=e.expandedByMouseClick,r=this._findItemByKey(o),i=null;return r&&(i={items:U(r),target:t,onDismiss:this._onSubMenuDismiss,isSubMenu:!0,id:this.state.subMenuId,shouldFocusOnMount:!0,shouldFocusOnContainer:n,directionalHint:(0,f.zg)(this.props.theme)?s.b.leftTopEdge:s.b.rightTopEdge,className:this.props.className,gapSpace:0,isBeakVisible:!1},r.subMenuProps&&(0,x.f0)(i,r.subMenuProps)),i},t.prototype._findItemByKey=function(e){var t=this.props.items;return this._findItemByKeyFromItems(e,t)},t.prototype._findItemByKeyFromItems=function(e,t){for(var o=0,n=t;o{"use strict";o.d(t,{RI:()=>p,Z:()=>c});var n=o(5094),r=o(9729),i=(0,n.NF)((function(e){return(0,r.ZC)({wrapper:{display:"inline-flex",height:"100%",alignItems:"center"},divider:{width:1,height:"100%",backgroundColor:e.palette.neutralTertiaryAlt}})})),a=o(668),s=o(6145),l=(0,r.sK)(0,r.yp),c=(0,n.NF)((function(e){var t;return(0,r.ZC)(i(e),{wrapper:{position:"absolute",right:28,selectors:(t={},t[l]={right:32},t)},divider:{height:16,width:1}})})),u={item:"ms-ContextualMenu-item",divider:"ms-ContextualMenu-divider",root:"ms-ContextualMenu-link",isChecked:"is-checked",isExpanded:"is-expanded",isDisabled:"is-disabled",linkContent:"ms-ContextualMenu-linkContent",linkContentMenu:"ms-ContextualMenu-linkContent",icon:"ms-ContextualMenu-icon",iconColor:"ms-ContextualMenu-iconColor",checkmarkIcon:"ms-ContextualMenu-checkmarkIcon",subMenuIcon:"ms-ContextualMenu-submenuIcon",label:"ms-ContextualMenu-itemText",secondaryText:"ms-ContextualMenu-secondaryText",splitMenu:"ms-ContextualMenu-splitMenu",screenReaderText:"ms-ContextualMenu-screenReaderText"},d=(0,n.NF)((function(e,t,o,n,i,l,c,d,p,m,h,g){var f,v,b,y,_=(0,a.w)(e),C=(0,r.Cn)(u,e);return(0,r.ZC)({item:[C.item,_.item,c],divider:[C.divider,_.divider,d],root:[C.root,_.root,n&&[C.isChecked,_.rootChecked],i&&_.anchorLink,o&&[C.isExpanded,_.rootExpanded],t&&[C.isDisabled,_.rootDisabled],!t&&!o&&[{selectors:(f={":hover":_.rootHovered,":active":_.rootPressed},f["."+s.G$+" &:focus, ."+s.G$+" &:focus:hover"]=_.rootFocused,f["."+s.G$+" &:hover"]={background:"inherit;"},f)}],g],splitPrimary:[_.root,{width:"calc(100% - 28px)"},n&&["is-checked",_.rootChecked],(t||h)&&["is-disabled",_.rootDisabled],!(t||h)&&!n&&[{selectors:(v={":hover":_.rootHovered},v[":hover ~ ."+C.splitMenu]=_.rootHovered,v[":active"]=_.rootPressed,v["."+s.G$+" &:focus, ."+s.G$+" &:focus:hover"]=_.rootFocused,v["."+s.G$+" &:hover"]={background:"inherit;"},v)}]],splitMenu:[C.splitMenu,_.root,{flexBasis:"0",padding:"0 8px",minWidth:"28px"},o&&["is-expanded",_.rootExpanded],t&&["is-disabled",_.rootDisabled],!t&&!o&&[{selectors:(b={":hover":_.rootHovered,":active":_.rootPressed},b["."+s.G$+" &:focus, ."+s.G$+" &:focus:hover"]=_.rootFocused,b["."+s.G$+" &:hover"]={background:"inherit;"},b)}]],anchorLink:_.anchorLink,linkContent:[C.linkContent,_.linkContent],linkContentMenu:[C.linkContentMenu,_.linkContent,{justifyContent:"center"}],icon:[C.icon,l&&_.iconColor,_.icon,p,t&&[C.isDisabled,_.iconDisabled]],iconColor:_.iconColor,checkmarkIcon:[C.checkmarkIcon,l&&_.checkmarkIcon,_.icon,p],subMenuIcon:[C.subMenuIcon,_.subMenuIcon,m,o&&{color:e.palette.neutralPrimary},t&&[_.iconDisabled]],label:[C.label,_.label],secondaryText:[C.secondaryText,_.secondaryText],splitContainer:[_.splitButtonFlexContainer,!t&&!n&&[{selectors:(y={},y["."+s.G$+" &:focus, ."+s.G$+" &:focus:hover"]=_.rootFocused,y)}]],screenReaderText:[C.screenReaderText,_.screenReaderText,r.ul,{visibility:"hidden"}]})})),p=function(e){var t=e.theme,o=e.disabled,n=e.expanded,r=e.checked,i=e.isAnchorLink,a=e.knownIcon,s=e.itemClassName,l=e.dividerClassName,c=e.iconClassName,u=e.subMenuClassName,p=e.primaryDisabled,m=e.className;return d(t,o,n,r,i,a,s,l,c,u,p,m)}},668:(e,t,o)=>{"use strict";o.d(t,{f:()=>a,w:()=>c});var n=o(7622),r=o(9729),i=o(5094),a=36,s=(0,r.sK)(0,r.yp),l=(0,i.NF)((function(){var e;return{selectors:(e={},e[r.qJ]=(0,n.pi)({backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},(0,r.xM)()),e)}})),c=(0,i.NF)((function(e){var t,o,i,c,u,d,p,m=e.semanticColors,h=e.fonts,g=e.palette,f=m.menuItemBackgroundHovered,v=m.menuItemTextHovered,b=m.menuItemBackgroundPressed,y=m.bodyDivider,_={item:[h.medium,{color:m.bodyText,position:"relative",boxSizing:"border-box"}],divider:{display:"block",height:"1px",backgroundColor:y,position:"relative"},root:[(0,r.GL)(e),h.medium,{color:m.bodyText,backgroundColor:"transparent",border:"none",width:"100%",height:a,lineHeight:a,display:"block",cursor:"pointer",padding:"0px 8px 0 4px",textAlign:"left"}],rootDisabled:{color:m.disabledBodyText,cursor:"default",pointerEvents:"none",selectors:(t={},t[r.qJ]=(0,n.pi)({color:"GrayText",opacity:1},(0,r.xM)()),t)},rootHovered:(0,n.pi)({backgroundColor:f,color:v,selectors:{".ms-ContextualMenu-icon":{color:g.themeDarkAlt},".ms-ContextualMenu-submenuIcon":{color:g.neutralPrimary}}},l()),rootFocused:(0,n.pi)({backgroundColor:g.white},l()),rootChecked:(0,n.pi)({selectors:{".ms-ContextualMenu-checkmarkIcon":{color:g.neutralPrimary}}},l()),rootPressed:(0,n.pi)({backgroundColor:b,selectors:{".ms-ContextualMenu-icon":{color:g.themeDark},".ms-ContextualMenu-submenuIcon":{color:g.neutralPrimary}}},l()),rootExpanded:(0,n.pi)({backgroundColor:b,color:m.bodyTextChecked},l()),linkContent:{whiteSpace:"nowrap",height:"inherit",display:"flex",alignItems:"center",maxWidth:"100%"},anchorLink:{padding:"0px 8px 0 4px",textRendering:"auto",color:"inherit",letterSpacing:"normal",wordSpacing:"normal",textTransform:"none",textIndent:"0px",textShadow:"none",textDecoration:"none",boxSizing:"border-box"},label:{margin:"0 4px",verticalAlign:"middle",display:"inline-block",flexGrow:"1",textOverflow:"ellipsis",overflow:"hidden",whiteSpace:"nowrap"},secondaryText:{color:e.palette.neutralSecondary,paddingLeft:"20px",textAlign:"right"},icon:{display:"inline-block",minHeight:"1px",maxHeight:a,fontSize:r.ld.medium,width:r.ld.medium,margin:"0 4px",verticalAlign:"middle",flexShrink:"0",selectors:(o={},o[s]={fontSize:r.ld.large,width:r.ld.large},o)},iconColor:{color:m.menuIcon,selectors:(i={},i[r.qJ]={color:"inherit"},i["$root:hover &"]={selectors:(c={},c[r.qJ]={color:"HighlightText"},c)},i["$root:focus &"]={selectors:(u={},u[r.qJ]={color:"HighlightText"},u)},i)},iconDisabled:{color:m.disabledBodyText},checkmarkIcon:{color:m.bodySubtext,selectors:(d={},d[r.qJ]={color:"HighlightText"},d)},subMenuIcon:{height:a,lineHeight:a,color:g.neutralSecondary,textAlign:"center",display:"inline-block",verticalAlign:"middle",flexShrink:"0",fontSize:r.ld.small,selectors:(p={":hover":{color:g.neutralPrimary},":active":{color:g.neutralPrimary}},p[s]={fontSize:r.ld.medium},p[r.qJ]={color:"HighlightText"},p)},splitButtonFlexContainer:[(0,r.GL)(e),{display:"flex",height:a,flexWrap:"nowrap",justifyContent:"center",alignItems:"flex-start"}]};return(0,r.E$)(_)}))},9134:(e,t,o)=>{"use strict";o.d(t,{r:()=>p});var n=o(7622),r=o(7002),i=o(2002),a=o(7817),s=o(9729),l=o(668),c={root:"ms-ContextualMenu",container:"ms-ContextualMenu-container",list:"ms-ContextualMenu-list",header:"ms-ContextualMenu-header",title:"ms-ContextualMenu-title",isopen:"is-open"};function u(e){return r.createElement(d,(0,n.pi)({},e))}var d=(0,i.z)(a.MK,(function(e){var t=e.className,o=e.theme,n=(0,s.Cn)(c,o),r=o.fonts,i=o.semanticColors,a=o.effects;return{root:[o.fonts.medium,n.root,n.isopen,{backgroundColor:i.menuBackground,minWidth:"180px"},t],container:[n.container,{selectors:{":focus":{outline:0}}}],list:[n.list,n.isopen,{listStyleType:"none",margin:"0",padding:"0"}],header:[n.header,r.small,{fontWeight:s.lq.semibold,color:i.menuHeader,background:"none",backgroundColor:"transparent",border:"none",height:l.f,lineHeight:l.f,cursor:"default",padding:"0px 6px",userSelect:"none",textAlign:"left"}],title:[n.title,{fontSize:r.mediumPlus.fontSize,paddingRight:"14px",paddingLeft:"14px",paddingBottom:"5px",paddingTop:"5px",backgroundColor:i.menuItemBackgroundPressed}],subComponentStyles:{callout:{root:{boxShadow:a.elevation8}},menuItem:{}}}}),(function(){return{onRenderSubMenu:u}}),{scope:"ContextualMenu"}),p=d;p.displayName="ContextualMenu"},5183:(e,t,o)=>{"use strict";var n;o.d(t,{n:()=>n}),function(e){e[e.Normal=0]="Normal",e[e.Divider=1]="Divider",e[e.Header=2]="Header",e[e.Section=3]="Section"}(n||(n={}))},1839:(e,t,o)=>{"use strict";o.d(t,{b:()=>h});var n=o(7622),r=o(7002),i=o(2240),a=o(5951),s=o(688),l=o(9947),c=function(e){var t=e.item,o=e.hasIcons,i=e.classNames,a=t.iconProps;return o?t.onRenderIcon?t.onRenderIcon(e):r.createElement(l.J,(0,n.pi)({},a,{className:i.icon})):null},u=function(e){var t=e.onCheckmarkClick,o=e.item,n=e.classNames,a=(0,i.E3)(o);return t?r.createElement(l.J,{iconName:!1!==o.canCheck&&a?"CheckMark":"",className:n.checkmarkIcon,onClick:function(e){return t(o,e)}}):null},d=function(e){var t=e.item,o=e.classNames;return t.text||t.name?r.createElement("span",{className:o.label},t.text||t.name):null},p=function(e){var t=e.item,o=e.classNames;return t.secondaryText?r.createElement("span",{className:o.secondaryText},t.secondaryText):null},m=function(e){var t=e.item,o=e.classNames,s=e.theme;return(0,i.Df)(t)?r.createElement(l.J,(0,n.pi)({iconName:(0,a.zg)(s)?"ChevronLeft":"ChevronRight"},t.submenuIconProps,{className:o.subMenuIcon})):null},h=function(e){function t(t){var o=e.call(this,t)||this;return o.openSubMenu=function(){var e=o.props,t=e.item,n=e.openSubMenu,r=e.getSubmenuTarget;if(r){var a=r();(0,i.Df)(t)&&n&&a&&n(t,a)}},o.dismissSubMenu=function(){var e=o.props,t=e.item,n=e.dismissSubMenu;(0,i.Df)(t)&&n&&n()},o.dismissMenu=function(e){var t=o.props.dismissMenu;t&&t(void 0,e)},(0,s.l)(o),o}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.item,o=e.classNames,n=t.onRenderContent||this._renderLayout;return r.createElement("div",{className:t.split?o.linkContentMenu:o.linkContent},n(this.props,{renderCheckMarkIcon:u,renderItemIcon:c,renderItemName:d,renderSecondaryText:p,renderSubMenuIcon:m}))},t.prototype._renderLayout=function(e,t){return r.createElement(r.Fragment,null,t.renderCheckMarkIcon(e),t.renderItemIcon(e),t.renderItemName(e),t.renderSecondaryText(e),t.renderSubMenuIcon(e))},t}(r.Component)},6662:(e,t,o)=>{"use strict";o.d(t,{W:()=>a});var n=o(2002),r=o(1839),i=o(98),a=(0,n.z)(r.b,i.RI,void 0,{scope:"ContextualMenuItem"})},6381:(e,t,o)=>{"use strict";o.d(t,{R:()=>x});var n=o(7622),r=o(7002),i=o(7300),a=o(63),s=o(8145),l=o(8127),c=o(8088),u=o(4977),d=o(1093),p=o(6974),m=o(5953),h=o(6628),g=o(8623),f=o(6007),v=o(3528),b=o(6548),y=o(4085),_=o(1194),C=(0,i.y)(),S={allowTextInput:!1,formatDate:function(e){return e?e.toDateString():""},parseDateFromString:function(e){var t=Date.parse(e);return t?new Date(t):null},firstDayOfWeek:d.eO.Sunday,initialPickerDate:new Date,isRequired:!1,isMonthPickerVisible:!0,showMonthPickerAsOverlay:!1,strings:_.f,highlightCurrentMonth:!1,highlightSelectedMonth:!1,borderless:!1,pickerAriaLabel:"Calendar",showWeekNumbers:!1,firstWeekOfYear:d.On.FirstDay,showGoToToday:!0,showCloseButton:!1,underlined:!1,allFocusable:!1},x=r.forwardRef((function(e,t){var o=(0,a.j)(S,e),i=o.firstDayOfWeek,d=o.strings,_=o.label,x=o.theme,w=o.className,I=o.styles,D=o.initialPickerDate,T=o.isRequired,E=o.disabled,P=o.ariaLabel,M=o.pickerAriaLabel,R=o.placeholder,N=o.allowTextInput,B=o.borderless,F=o.minDate,L=o.maxDate,A=o.showCloseButton,z=o.calendarProps,H=o.calloutProps,O=o.textField,W=o.underlined,V=o.allFocusable,K=o.calendarAs,q=void 0===K?u.f:K,G=o.tabIndex,U=o.disableAutoFocus,j=(0,y.M)("DatePicker",o.id),J=(0,y.M)("DatePicker-Callout"),Y=r.useRef(null),Z=r.useRef(null),X=function(){var e=r.useRef(null),t=r.useRef(!1);return[e,function(){var t,o,n;null===(n=null===(t=e.current)||void 0===t?void 0:(o=t).focus)||void 0===n||n.call(o)},t,function(){t.current=!0}]}(),Q=X[0],$=X[1],ee=X[2],te=X[3],oe=function(e,t){var o=e.allowTextInput,n=e.onAfterMenuDismiss,i=r.useState(!1),a=i[0],s=i[1],l=r.useRef(!1),c=(0,v.r)();return r.useEffect((function(){var e;l.current&&!a&&(o&&c.requestAnimationFrame(t),null===(e=n)||void 0===e||e()),l.current=!0}),[a]),[a,s]}(o,$),ne=oe[0],re=oe[1],ie=function(e){var t=e.formatDate,o=e.value,n=e.onSelectDate,i=(0,b.G)(o,void 0,(function(e,t){var o;return null===(o=n)||void 0===o?void 0:o(t)})),a=i[0],s=i[1],l=r.useState((function(){return o&&t?t(o):""})),c=l[0],u=l[1];return r.useEffect((function(){u(o&&t?t(o):"")}),[t,o]),[a,c,function(e){s(e),u(e&&t?t(e):"")},u]}(o),ae=ie[0],se=ie[1],le=ie[2],ce=ie[3],ue=function(e,t,o,n,i){var a=e.isRequired,s=e.allowTextInput,l=e.strings,c=e.parseDateFromString,u=e.onSelectDate,d=e.formatDate,m=e.minDate,h=e.maxDate,g=r.useState(),f=g[0],v=g[1];return r.useEffect((function(){a&&!t?v(l.isRequiredErrorMessage||" "):t&&k(t,m,h)?v(l.isOutOfBoundsErrorMessage||" "):v(void 0)}),[m&&(0,p.c8)(m),h&&(0,p.c8)(h),t&&(0,p.c8)(t),a]),[i?void 0:f,function(e){var r;if(void 0===e&&(e=null),s)if(n||e){if(t&&!f&&d&&d(null!=e?e:t)===n)return;!(e=e||c(n))||isNaN(e.getTime())?(o(t),v(l.invalidInputErrorMessage||" ")):k(e,m,h)?v(l.isOutOfBoundsErrorMessage||" "):(o(e),v(void 0))}else v(a?l.isRequiredErrorMessage||" ":void 0),null===(r=u)||void 0===r||r(e);else v(a&&!n?l.isRequiredErrorMessage||" ":void 0)},v]}(o,ae,le,se,ne),de=ue[0],pe=ue[1],me=ue[2],he=r.useCallback((function(){ne||(te(),re(!0))}),[ne,te,re]);r.useImperativeHandle(o.componentRef,(function(){return{focus:$,reset:function(){re(!1),le(void 0),me(void 0)},showDatePickerPopup:he}}),[$,me,re,le,he]);var ge=function(e){ne&&(re(!1),pe(e),!N&&e&&le(e))},fe=function(e){te(),ge(e)},ve=C(I,{theme:x,className:w,disabled:E,label:!!_,isDatePickerShown:ne}),be=(0,l.pq)(o,l.n7,["value"]),ye=O&&O.iconProps;return r.createElement("div",(0,n.pi)({},be,{className:ve.root,ref:t}),r.createElement("div",{ref:Z,"aria-haspopup":"true","aria-owns":ne?J:void 0,className:ve.wrapper},r.createElement(g.n,(0,n.pi)({role:"combobox",label:_,"aria-expanded":ne,ariaLabel:P,"aria-controls":ne?J:void 0,required:T,disabled:E,errorMessage:de,placeholder:R,borderless:B,value:se,componentRef:Q,underlined:W,tabIndex:G,readOnly:!N},O,{id:j+"-label",className:(0,c.i)(ve.textField,O&&O.className),iconProps:(0,n.pi)((0,n.pi)({iconName:"Calendar"},ye),{className:(0,c.i)(ve.icon,ye&&ye.className),onClick:function(e){e.stopPropagation(),ne||o.disabled?o.allowTextInput&&ge():he()}}),onKeyDown:function(e){switch(e.which){case s.m.enter:e.preventDefault(),e.stopPropagation(),ne?o.allowTextInput&&ge():(pe(),he());break;case s.m.escape:!function(e){e.stopPropagation(),fe()}(e);break;case s.m.down:e.altKey&&!ne&&he()}},onFocus:function(){U||N||(ee.current||he(),ee.current=!1)},onBlur:function(e){pe()},onClick:function(e){o.disableAutoFocus||ne||o.disabled?o.allowTextInput&&ge():he()},onChange:function(e,t){var n,r,i,a=o.textField;N&&(ne&&ge(),ce(t)),null===(i=null===(n=a)||void 0===n?void 0:(r=n).onChange)||void 0===i||i.call(r,e,t)}}))),ne&&r.createElement(m.U,(0,n.pi)({id:J,role:"dialog",ariaLabel:M,isBeakVisible:!1,gapSpace:0,doNotLayer:!1,target:Z.current,directionalHint:h.b.bottomLeftEdge},H,{className:(0,c.i)(ve.callout,H&&H.className),onDismiss:function(e){fe()},onPositioned:function(){var e=!0;o.calloutProps&&void 0!==o.calloutProps.setInitialFocus&&(e=o.calloutProps.setInitialFocus),Y.current&&e&&Y.current.focus()}}),r.createElement(f.P,{isClickableOutsideFocusTrap:!0,disableFirstFocus:o.disableAutoFocus},r.createElement(q,(0,n.pi)({},z,{onSelectDate:function(e){o.calendarProps&&o.calendarProps.onSelectDate&&o.calendarProps.onSelectDate(e),fe(e)},onDismiss:fe,isMonthPickerVisible:o.isMonthPickerVisible,showMonthPickerAsOverlay:o.showMonthPickerAsOverlay,today:o.today,value:ae||D,firstDayOfWeek:i,strings:d,highlightCurrentMonth:o.highlightCurrentMonth,highlightSelectedMonth:o.highlightSelectedMonth,showWeekNumbers:o.showWeekNumbers,firstWeekOfYear:o.firstWeekOfYear,showGoToToday:o.showGoToToday,dateTimeFormatter:o.dateTimeFormatter,minDate:F,maxDate:L,componentRef:Y,showCloseButton:A,allFocusable:V})))))}));function k(e,t,o){return!!t&&(0,p.NJ)(t,e)>0||!!o&&(0,p.NJ)(o,e)<0}x.displayName="DatePickerBase"},127:(e,t,o)=>{"use strict";o.d(t,{M:()=>s});var n=o(2002),r=o(6381),i=o(9729),a={root:"ms-DatePicker",callout:"ms-DatePicker-callout",withLabel:"ms-DatePicker-event--with-label",withoutLabel:"ms-DatePicker-event--without-label",disabled:"msDatePickerDisabled "},s=(0,n.z)(r.R,(function(e){var t=e.className,o=e.theme,n=e.disabled,r=e.label,s=e.isDatePickerShown,l=o.palette,c=o.semanticColors,u=(0,i.Cn)(a,o),d={color:l.neutralSecondary,fontSize:i.TS.icon,lineHeight:"18px",pointerEvents:"none",position:"absolute",right:"4px",padding:"5px"};return{root:[u.root,o.fonts.large,s&&"is-open",i.Fv,t],textField:[{position:"relative",selectors:{"& input[readonly]":{cursor:"pointer"},input:{selectors:{"::-ms-clear":{display:"none"}}}}},n&&{selectors:{"& input[readonly]":{cursor:"default"}}}],callout:[u.callout],icon:[d,r?u.withLabel:u.withoutLabel,{paddingTop:"7px"},!n&&[u.disabled,{pointerEvents:"initial",cursor:"pointer"}],n&&{color:c.disabledText,cursor:"default"}]}}),void 0,{scope:"DatePicker"})},1194:(e,t,o)=>{"use strict";o.d(t,{f:()=>i});var n=o(7622),r=o(6883),i=(0,n.pi)((0,n.pi)({},r.V3),{prevMonthAriaLabel:"Go to previous month",nextMonthAriaLabel:"Go to next month",prevYearAriaLabel:"Go to previous year",nextYearAriaLabel:"Go to next year",closeButtonAriaLabel:"Close date picker",isRequiredErrorMessage:"Field is required",invalidInputErrorMessage:"Invalid date format"})},8386:(e,t,o)=>{"use strict";o.d(t,{p:()=>a});var n=o(7002),r=(0,o(7300).y)(),i=n.forwardRef((function(e,t){var o=e.styles,i=e.theme,a=e.getClassNames,s=e.className,l=r(o,{theme:i,getClassNames:a,className:s});return n.createElement("span",{className:l.wrapper,ref:t},n.createElement("span",{className:l.divider}))}));i.displayName="VerticalDividerBase";var a=(0,o(2002).z)(i,(function(e){var t=e.theme,o=e.getClassNames,n=e.className;if(!t)throw new Error("Theme is undefined or null.");if(o){var r=o(t);return{wrapper:[r.wrapper],divider:[r.divider]}}return{wrapper:[{display:"inline-flex",height:"100%",alignItems:"center"},n],divider:[{width:1,height:"100%",backgroundColor:t.palette.neutralTertiaryAlt}]}}),void 0,{scope:"VerticalDivider"})},8982:(e,t,o)=>{"use strict";o.d(t,{P:()=>L});var n=o(7622),r=o(7002),i=o(7300),a=o(2470),s=o(2990),l=o(5446),c=o(8145),u=o(4553),d=o(688),p=o(2782),m=o(8127),h=o(9577),g=o(6479),f=o(8936),v=o(5953),b=o(6628),y=o(990),_=o(2703),C=function(){function e(){this._size=0}return e.prototype.updateOptions=function(e){for(var t=[],o=0,r=0;rthis._displayOnlyOptionsCache[t];)t++;if(this._displayOnlyOptionsCache[t]===e)throw new Error("Unexpected: Option at index "+e+" is not a selectable element.");return e-t+1}},e}(),S=o(2998),x=o(7023),k=o(9947),w=o(2052),I=o(9755),D=o(4126),T=o(9761),E=o(5515),P=o(2777),M=o(63),R=o(6876),N=o(9241),B=(0,i.y)(),F={options:[]},L=r.forwardRef((function(e,t){var o=(0,M.j)(F,e),i=r.useRef(null),s=(0,N.r)(t,i),l=(0,D.q)(i),c=function(e){var t,o=e.defaultSelectedKeys,n=e.selectedKeys,i=e.defaultSelectedKey,s=e.selectedKey,l=e.options,c=e.multiSelect,u=(0,R.D)(l),d=r.useState([]),p=d[0],m=d[1],h=l!==u;t=c?h&&void 0!==o?o:n:h&&void 0!==i?i:s;var g=(0,R.D)(t);return r.useEffect((function(){var e=function(e){return(0,a.cx)(l,(function(t){return null!=e?t.key===e:!!t.selected||!!t.isSelected}))};void 0===t&&u||t===g&&!h||m(function(){if(void 0===t)return c?l.map((function(e,t){return e.selected?t:-1})).filter((function(e){return-1!==e})):-1!==(i=e(null))?[i]:[];if(!Array.isArray(t))return-1!==(i=e(t))?[i]:[];for(var o=[],n=0,r=t;n0&&l();var r=o._id+e.key;a.items.push(i((0,n.pi)((0,n.pi)({id:r},e),{index:t}),o._onRenderItem)),a.id=r;break;case _.F.Divider:t>0&&a.items.push(i((0,n.pi)((0,n.pi)({},e),{index:t}),o._onRenderItem)),a.items.length>0&&l();break;default:a.items.push(i((0,n.pi)((0,n.pi)({},e),{index:t}),o._onRenderItem))}}(e,t)})),a.items.length>0&&l(),r.createElement(r.Fragment,null,s)},o._onRenderItem=function(e){switch(e.itemType){case _.F.Divider:return o._renderSeparator(e);case _.F.Header:return o._renderHeader(e);default:return o._renderOption(e)}},o._renderOption=function(e){var t=o.props,i=t.onRenderOption,a=void 0===i?o._onRenderOption:i,s=t.hoisted.selectedIndices,l=void 0===s?[]:s,c=!(void 0===e.index||!l)&&l.indexOf(e.index)>-1,u=e.hidden?o._classNames.dropdownItemHidden:c&&!0===e.disabled?o._classNames.dropdownItemSelectedAndDisabled:c?o._classNames.dropdownItemSelected:!0===e.disabled?o._classNames.dropdownItemDisabled:o._classNames.dropdownItem,d=e.title,p=void 0===d?e.text:d,m=o._classNames.subComponentStyles?o._classNames.subComponentStyles.multiSelectItem:void 0;return o.props.multiSelect?r.createElement(P.X,{id:o._listId+e.index,key:e.key,disabled:e.disabled,onChange:o._onItemClick(e),inputProps:(0,n.pi)({"aria-selected":c,onMouseEnter:o._onItemMouseEnter.bind(o,e),onMouseLeave:o._onMouseItemLeave.bind(o,e),onMouseMove:o._onItemMouseMove.bind(o,e),role:"option"},{"data-index":e.index,"data-is-focusable":!e.disabled}),label:e.text,title:p,onRenderLabel:o._onRenderItemLabel.bind(o,e),className:u,checked:c,styles:m,ariaPositionInSet:o._sizePosCache.positionInSet(e.index),ariaSetSize:o._sizePosCache.optionSetSize}):r.createElement(y.M,{id:o._listId+e.index,key:e.key,"data-index":e.index,"data-is-focusable":!e.disabled,disabled:e.disabled,className:u,onClick:o._onItemClick(e),onMouseEnter:o._onItemMouseEnter.bind(o,e),onMouseLeave:o._onMouseItemLeave.bind(o,e),onMouseMove:o._onItemMouseMove.bind(o,e),role:"option","aria-selected":c?"true":"false",ariaLabel:e.ariaLabel,title:p,"aria-posinset":o._sizePosCache.positionInSet(e.index),"aria-setsize":o._sizePosCache.optionSetSize},a(e,o._onRenderOption))},o._onRenderOption=function(e){return r.createElement("span",{className:o._classNames.dropdownOptionText},e.text)},o._onRenderItemLabel=function(e){var t=o.props.onRenderOption;return(void 0===t?o._onRenderOption:t)(e,o._onRenderOption)},o._onPositioned=function(e){o._focusZone.current&&o._requestAnimationFrame((function(){var e=o.props.hoisted.selectedIndices;if(o._focusZone.current)if(e&&e[0]&&!o.props.options[e[0]].disabled){var t=(0,l.M)().getElementById(o._id+"-list"+e[0]);t&&o._focusZone.current.focusElement(t)}else o._focusZone.current.focus()})),o.state.calloutRenderEdge&&o.state.calloutRenderEdge===e.targetEdge||o.setState({calloutRenderEdge:e.targetEdge})},o._onItemClick=function(e){return function(t){e.disabled||(o.setSelectedIndex(t,e.index),o.props.multiSelect||o.setState({isOpen:!1}))}},o._onScroll=function(){o._isScrollIdle||void 0===o._scrollIdleTimeoutId?o._isScrollIdle=!1:(clearTimeout(o._scrollIdleTimeoutId),o._scrollIdleTimeoutId=void 0),o._scrollIdleTimeoutId=window.setTimeout((function(){o._isScrollIdle=!0}),o._scrollIdleDelay)},o._onMouseItemLeave=function(e,t){if(!o._shouldIgnoreMouseEvent()&&o._host.current)if(o._host.current.setActive)try{o._host.current.setActive()}catch(e){}else o._host.current.focus()},o._onDismiss=function(){o.setState({isOpen:!1})},o._onDropdownBlur=function(e){o._isDisabled()||(o.setState({hasFocus:!1}),o.state.isOpen||o.props.onBlur&&o.props.onBlur(e))},o._onDropdownKeyDown=function(e){if(!o._isDisabled()&&(o._lastKeyDownWasAltOrMeta=o._isAltOrMeta(e),!o.props.onKeyDown||(o.props.onKeyDown(e),!e.defaultPrevented))){var t,n=o.props.hoisted.selectedIndices.length?o.props.hoisted.selectedIndices[0]:-1,r=e.altKey||e.metaKey,i=o.state.isOpen;switch(e.which){case c.m.enter:o.setState({isOpen:!i});break;case c.m.escape:if(!i)return;o.setState({isOpen:!1});break;case c.m.up:if(r){if(i){o.setState({isOpen:!1});break}return}o.props.multiSelect?o.setState({isOpen:!0}):o._isDisabled()||(t=o._moveIndex(e,-1,n-1,n));break;case c.m.down:r&&(e.stopPropagation(),e.preventDefault()),r&&!i||o.props.multiSelect?o.setState({isOpen:!0}):o._isDisabled()||(t=o._moveIndex(e,1,n+1,n));break;case c.m.home:o.props.multiSelect||(t=o._moveIndex(e,1,0,n));break;case c.m.end:o.props.multiSelect||(t=o._moveIndex(e,-1,o.props.options.length-1,n));break;case c.m.space:break;default:return}t!==n&&(e.stopPropagation(),e.preventDefault())}},o._onDropdownKeyUp=function(e){if(!o._isDisabled()){var t=o._shouldHandleKeyUp(e),n=o.state.isOpen;if(!o.props.onKeyUp||(o.props.onKeyUp(e),!e.defaultPrevented)){switch(e.which){case c.m.space:o.setState({isOpen:!n});break;default:return void(t&&n&&o.setState({isOpen:!1}))}e.stopPropagation(),e.preventDefault()}}},o._onZoneKeyDown=function(e){var t;o._lastKeyDownWasAltOrMeta=o._isAltOrMeta(e);var n=e.altKey||e.metaKey;switch(e.which){case c.m.up:n?o.setState({isOpen:!1}):o._host.current&&(t=(0,u.TE)(o._host.current,o._host.current.lastChild,!0));break;case c.m.home:case c.m.end:case c.m.pageUp:case c.m.pageDown:break;case c.m.down:!n&&o._host.current&&(t=(0,u.ft)(o._host.current,o._host.current.firstChild,!0));break;case c.m.escape:o.setState({isOpen:!1});break;case c.m.tab:return void o.setState({isOpen:!1});default:return}t&&t.focus(),e.stopPropagation(),e.preventDefault()},o._onZoneKeyUp=function(e){o._shouldHandleKeyUp(e)&&o.state.isOpen&&(o.setState({isOpen:!1}),e.preventDefault())},o._onDropdownClick=function(e){if(!o.props.onClick||(o.props.onClick(e),!e.defaultPrevented)){var t=o.state.isOpen;o._isDisabled()||o._shouldOpenOnFocus()||o.setState({isOpen:!t}),o._isFocusedByClick=!1}},o._onDropdownMouseDown=function(){o._isFocusedByClick=!0},o._onFocus=function(e){var t=o.state.isOpen,n=o.props,r=n.multiSelect,i=n.hoisted.selectedIndices;if(!o._isDisabled()){o._isFocusedByClick||t||0!==i.length||r||o._moveIndex(e,1,0,-1),o.props.onFocus&&o.props.onFocus(e);var a={hasFocus:!0};o._shouldOpenOnFocus()&&(a.isOpen=!0),o.setState(a)}},o._isDisabled=function(){var e=o.props.disabled,t=o.props.isDisabled;return void 0===e&&(e=t),e},o._onRenderLabel=function(e){var t=e.label,n=e.required,i=e.disabled,a=o._classNames.subComponentStyles?o._classNames.subComponentStyles.label:void 0;return t?r.createElement(w._,{className:o._classNames.label,id:o._labelId,required:n,styles:a,disabled:i},t):null},(0,d.l)(o),t.multiSelect,t.selectedKey,t.selectedKeys,t.defaultSelectedKey,t.defaultSelectedKeys;var i=t.options;return o._id=t.id||(0,p.z)("Dropdown"),o._labelId=o._id+"-label",o._listId=o._id+"-list",o._optionId=o._id+"-option",o._isScrollIdle=!0,o._sizePosCache.updateOptions(i),o.state={isOpen:!1,hasFocus:!1,calloutRenderEdge:void 0},o}return(0,n.ZT)(t,e),Object.defineProperty(t.prototype,"selectedOptions",{get:function(){var e=this.props,t=e.options,o=e.hoisted.selectedIndices;return(0,E.t)(t,o)},enumerable:!0,configurable:!0}),t.prototype.componentWillUnmount=function(){clearTimeout(this._scrollIdleTimeoutId)},t.prototype.componentDidUpdate=function(e,t){!0===t.isOpen&&!1===this.state.isOpen&&(this._gotMouseMove=!1,this.props.onDismiss&&this.props.onDismiss())},t.prototype.render=function(){var e=this._id,t=this.props,o=t.className,i=t.label,a=t.options,s=t.ariaLabel,l=t.required,c=t.errorMessage,u=t.styles,d=t.theme,p=t.panelProps,g=t.calloutProps,f=t.multiSelect,v=t.onRenderTitle,b=void 0===v?this._getTitle:v,y=t.onRenderContainer,_=void 0===y?this._onRenderContainer:y,C=t.onRenderCaretDown,S=void 0===C?this._onRenderCaretDown:C,x=t.onRenderLabel,k=void 0===x?this._onRenderLabel:x,w=t.hoisted.selectedIndices,I=this.state,D=I.isOpen,T=I.calloutRenderEdge,P=t.onRenderPlaceholder||t.onRenderPlaceHolder||this._getPlaceholder;a!==this._sizePosCache.cachedOptions&&this._sizePosCache.updateOptions(a);var M=(0,E.t)(a,w),R=(0,m.pq)(t,m.n7),N=this._isDisabled(),F=e+"-errorMessage",L=N?void 0:D&&1===w.length&&w[0]>=0?this._listId+w[0]:void 0,A=f?{role:"button"}:{role:"listbox",childRole:"option",ariaRequired:l,ariaSetSize:this._sizePosCache.optionSetSize,ariaPosInSet:this._sizePosCache.positionInSet(w[0]),ariaSelected:void 0!==w[0]||void 0};this._classNames=B(u,{theme:d,className:o,hasError:!!(c&&c.length>0),hasLabel:!!i,isOpen:D,required:l,disabled:N,isRenderingPlaceholder:!M.length,panelClassName:p?p.className:void 0,calloutClassName:g?g.className:void 0,calloutRenderEdge:T});var z=!!c&&c.length>0;return r.createElement("div",{className:this._classNames.root,ref:this.props.hoisted.rootRef},k(this.props,this._onRenderLabel),r.createElement("div",(0,n.pi)({"data-is-focusable":!N,"data-ktp-target":!0,ref:this._dropDown,id:e,tabIndex:N?-1:0,role:A.role,"aria-haspopup":"listbox","aria-expanded":D?"true":"false","aria-label":s,"aria-labelledby":i&&!s?(0,h.I)(this._labelId,this._optionId):void 0,"aria-describedby":z?this._id+"-errorMessage":void 0,"aria-activedescendant":L,"aria-required":A.ariaRequired,"aria-disabled":N,"aria-owns":D?this._listId:void 0},R,{className:this._classNames.dropdown,onBlur:this._onDropdownBlur,onKeyDown:this._onDropdownKeyDown,onKeyUp:this._onDropdownKeyUp,onClick:this._onDropdownClick,onMouseDown:this._onDropdownMouseDown,onFocus:this._onFocus}),r.createElement("span",{id:this._optionId,className:this._classNames.title,"aria-live":"polite","aria-atomic":!0,"aria-invalid":z,role:A.childRole,"aria-setsize":A.ariaSetSize,"aria-posinset":A.ariaPosInSet,"aria-selected":A.ariaSelected},M.length?b(M,this._onRenderTitle):P(t,this._onRenderPlaceholder)),r.createElement("span",{className:this._classNames.caretDownWrapper},S(t,this._onRenderCaretDown))),D&&_((0,n.pi)((0,n.pi)({},t),{onDismiss:this._onDismiss}),this._onRenderContainer),z&&r.createElement("div",{role:"alert",id:F,className:this._classNames.errorMessage},c))},t.prototype.focus=function(e){this._dropDown.current&&(this._dropDown.current.focus(),e&&this.setState({isOpen:!0}))},t.prototype.setSelectedIndex=function(e,t){var o=this.props,n=o.options,r=o.selectedKey,i=o.selectedKeys,a=o.multiSelect,s=o.notifyOnReselect,l=o.hoisted.selectedIndices,c=void 0===l?[]:l,u=!!c&&c.indexOf(t)>-1,d=[];if(t=Math.max(0,Math.min(n.length-1,t)),void 0===r&&void 0===i){if(a||s||t!==c[0]){if(a)if(d=c?this._copyArray(c):[],u){var p=d.indexOf(t);p>-1&&d.splice(p,1)}else d.push(t);else d=[t];e.persist(),this.props.hoisted.setSelectedIndices(d),this._onChange(e,n,t,u,a)}}else this._onChange(e,n,t,u,a)},t.prototype._copyArray=function(e){for(var t=[],o=0,n=e;o=r.length?o=0:o<0&&(o=r.length-1);for(var i=0;r[o].itemType===_.F.Header||r[o].itemType===_.F.Divider||r[o].disabled;){if(i>=r.length)return n;o+t<0?o=r.length:o+t>=r.length&&(o=-1),o+=t,i++}return this.setSelectedIndex(e,o),o},t.prototype._renderFocusableList=function(e){var t=e.onRenderList,o=void 0===t?this._onRenderList:t,n=e.label,i=e.ariaLabel,a=e.multiSelect;return r.createElement("div",{className:this._classNames.dropdownItemsWrapper,onKeyDown:this._onZoneKeyDown,onKeyUp:this._onZoneKeyUp,ref:this._host,tabIndex:0},r.createElement(S.k,{ref:this._focusZone,direction:x.U.vertical,id:this._listId,className:this._classNames.dropdownItems,role:"listbox","aria-label":i,"aria-labelledby":n&&!i?this._labelId:void 0,"aria-multiselectable":a},o(e,this._onRenderList)))},t.prototype._renderSeparator=function(e){var t=e.index,o=e.key;return t>0?r.createElement("div",{role:"separator",key:o,className:this._classNames.dropdownDivider}):null},t.prototype._renderHeader=function(e){var t=this.props.onRenderOption,o=void 0===t?this._onRenderOption:t,n=e.key,i=e.id;return r.createElement("div",{id:i,key:n,className:this._classNames.dropdownItemHeader},o(e,this._onRenderOption))},t.prototype._onItemMouseEnter=function(e,t){this._shouldIgnoreMouseEvent()||t.currentTarget.focus()},t.prototype._onItemMouseMove=function(e,t){var o=t.currentTarget;this._gotMouseMove=!0,this._isScrollIdle&&document.activeElement!==o&&o.focus()},t.prototype._shouldIgnoreMouseEvent=function(){return!this._isScrollIdle||!this._gotMouseMove},t.prototype._isAltOrMeta=function(e){return e.which===c.m.alt||"Meta"===e.key},t.prototype._shouldHandleKeyUp=function(e){var t=this._lastKeyDownWasAltOrMeta&&this._isAltOrMeta(e);return this._lastKeyDownWasAltOrMeta=!1,!!t&&!((0,g.V)()||(0,f.g)())},t.prototype._shouldOpenOnFocus=function(){var e=this.state.hasFocus,t=this.props.openOnKeyboardFocus;return!this._isFocusedByClick&&!0===t&&!e},t.defaultProps={options:[]},t}(r.Component)},4004:(e,t,o)=>{"use strict";o.d(t,{L:()=>v});var n,r,i,a=o(2002),s=o(8982),l=o(7622),c=o(6145),u=o(4568),d=o(9729),p={root:"ms-Dropdown-container",label:"ms-Dropdown-label",dropdown:"ms-Dropdown",title:"ms-Dropdown-title",caretDownWrapper:"ms-Dropdown-caretDownWrapper",caretDown:"ms-Dropdown-caretDown",callout:"ms-Dropdown-callout",panel:"ms-Dropdown-panel",dropdownItems:"ms-Dropdown-items",dropdownItem:"ms-Dropdown-item",dropdownDivider:"ms-Dropdown-divider",dropdownOptionText:"ms-Dropdown-optionText",dropdownItemHeader:"ms-Dropdown-header",titleIsPlaceHolder:"ms-Dropdown-titleIsPlaceHolder",titleHasError:"ms-Dropdown-title--hasError"},m=((n={})[d.qJ+", "+d.bO.replace("@media ","")]=(0,l.pi)({},(0,d.xM)()),n),h={selectors:(0,l.pi)((r={},r[d.qJ]={backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},r),m)},g={selectors:(i={},i[d.qJ]={borderColor:"Highlight"},i)},f=(0,d.sK)(0,d.dd),v=(0,a.z)(s.P,(function(e){var t,o,n,r,i,a,s,m,v,b,y,_,C=e.theme,S=e.hasError,x=e.hasLabel,k=e.className,w=e.isOpen,I=e.disabled,D=e.required,T=e.isRenderingPlaceholder,E=e.panelClassName,P=e.calloutClassName,M=e.calloutRenderEdge;if(!C)throw new Error("theme is undefined or null in base Dropdown getStyles function.");var R=(0,d.Cn)(p,C),N=C.palette,B=C.semanticColors,F=C.effects,L=C.fonts,A={color:B.menuItemTextHovered},z={color:B.menuItemText},H={borderColor:B.errorText},O=[R.dropdownItem,{backgroundColor:"transparent",boxSizing:"border-box",cursor:"pointer",display:"flex",alignItems:"center",padding:"0 8px",width:"100%",minHeight:36,lineHeight:20,height:0,position:"relative",border:"1px solid transparent",borderRadius:0,wordWrap:"break-word",overflowWrap:"break-word",textAlign:"left",".ms-Button-flexContainer":{width:"100%"}}],W=B.menuItemBackgroundPressed,V=function(e){var t;return void 0===e&&(e=!1),{selectors:(t={"&:hover:focus":[{color:B.menuItemTextHovered,backgroundColor:e?W:B.menuItemBackgroundHovered},h],"&:focus":[{backgroundColor:e?W:"transparent"},h],"&:active":[{color:B.menuItemTextHovered,backgroundColor:e?B.menuItemBackgroundHovered:B.menuBackground},h]},t["."+c.G$+" &:focus:after"]={left:0,top:0,bottom:0,right:0},t[d.qJ]={border:"none"},t)}},K=(0,l.pr)(O,[{backgroundColor:W,color:B.menuItemTextHovered},V(!0),h]),q=(0,l.pr)(O,[{color:B.disabledText,cursor:"default",selectors:(t={},t[d.qJ]={color:"GrayText",border:"none"},t)}]),G=M===u.z.bottom?F.roundedCorner2+" "+F.roundedCorner2+" 0 0":"0 0 "+F.roundedCorner2+" "+F.roundedCorner2,U=M===u.z.bottom?"0 0 "+F.roundedCorner2+" "+F.roundedCorner2:F.roundedCorner2+" "+F.roundedCorner2+" 0 0";return{root:[R.root,k],label:R.label,dropdown:[R.dropdown,d.Fv,L.medium,{color:B.menuItemText,borderColor:B.focusBorder,position:"relative",outline:0,userSelect:"none",selectors:(o={},o["&:hover ."+R.title]=[!I&&A,{borderColor:w?N.neutralSecondary:N.neutralPrimary},g],o["&:focus ."+R.title]=[!I&&A,{selectors:(n={},n[d.qJ]={color:"Highlight"},n)}],o["&:focus:after"]=[{pointerEvents:"none",content:"''",position:"absolute",boxSizing:"border-box",top:"0px",left:"0px",width:"100%",height:"100%",border:I?"none":"2px solid "+N.themePrimary,borderRadius:"2px",selectors:(r={},r[d.qJ]={color:"Highlight"},r)}],o["&:active ."+R.title]=[!I&&A,{borderColor:N.themePrimary},g],o["&:hover ."+R.caretDown]=!I&&z,o["&:focus ."+R.caretDown]=[!I&&z,{selectors:(i={},i[d.qJ]={color:"Highlight"},i)}],o["&:active ."+R.caretDown]=!I&&z,o["&:hover ."+R.titleIsPlaceHolder]=!I&&z,o["&:focus ."+R.titleIsPlaceHolder]=!I&&z,o["&:active ."+R.titleIsPlaceHolder]=!I&&z,o["&:hover ."+R.titleHasError]=H,o["&:active ."+R.titleHasError]=H,o)},w&&"is-open",I&&"is-disabled",D&&"is-required",D&&!x&&{selectors:(a={":before":{content:"'*'",color:B.errorText,position:"absolute",top:-5,right:-10}},a[d.qJ]={selectors:{":after":{right:-14}}},a)}],title:[R.title,d.Fv,{backgroundColor:B.inputBackground,borderWidth:1,borderStyle:"solid",borderColor:B.inputBorder,borderRadius:w?G:F.roundedCorner2,cursor:"pointer",display:"block",height:32,lineHeight:30,padding:"0 28px 0 8px",position:"relative",overflow:"hidden",whiteSpace:"nowrap",textOverflow:"ellipsis"},T&&[R.titleIsPlaceHolder,{color:B.inputPlaceholderText}],S&&[R.titleHasError,H],I&&{backgroundColor:B.disabledBackground,border:"none",color:B.disabledText,cursor:"default",selectors:(s={},s[d.qJ]=(0,l.pi)({border:"1px solid GrayText",color:"GrayText",backgroundColor:"Window"},(0,d.xM)()),s)}],caretDownWrapper:[R.caretDownWrapper,{position:"absolute",top:1,right:8,height:32,lineHeight:30},!I&&{cursor:"pointer"}],caretDown:[R.caretDown,{color:N.neutralSecondary,fontSize:L.small.fontSize,pointerEvents:"none"},I&&{color:B.disabledText,selectors:(m={},m[d.qJ]=(0,l.pi)({color:"GrayText"},(0,d.xM)()),m)}],errorMessage:(0,l.pi)((0,l.pi)({color:B.errorText},C.fonts.small),{paddingTop:5}),callout:[R.callout,{boxShadow:F.elevation8,borderRadius:U,selectors:(v={},v[".ms-Callout-main"]={borderRadius:U},v)},P],dropdownItemsWrapper:{selectors:{"&:focus":{outline:0}}},dropdownItems:[R.dropdownItems,{display:"block"}],dropdownItem:(0,l.pr)(O,[V()]),dropdownItemSelected:K,dropdownItemDisabled:q,dropdownItemSelectedAndDisabled:[K,q,{backgroundColor:"transparent"}],dropdownItemHidden:(0,l.pr)(O,[{display:"none"}]),dropdownDivider:[R.dropdownDivider,{height:1,backgroundColor:B.bodyDivider}],dropdownOptionText:[R.dropdownOptionText,{overflow:"hidden",whiteSpace:"nowrap",textOverflow:"ellipsis",minWidth:0,maxWidth:"100%",wordWrap:"break-word",overflowWrap:"break-word",margin:"1px"}],dropdownItemHeader:[R.dropdownItemHeader,(0,l.pi)((0,l.pi)({},L.medium),{fontWeight:d.lq.semibold,color:B.menuHeader,background:"none",backgroundColor:"transparent",border:"none",height:36,lineHeight:36,cursor:"default",padding:"0 8px",userSelect:"none",textAlign:"left",selectors:(b={},b[d.qJ]=(0,l.pi)({color:"GrayText"},(0,d.xM)()),b)})],subComponentStyles:{label:{root:{display:"inline-block"}},multiSelectItem:{root:{padding:0},label:{alignSelf:"stretch",padding:"0 8px",width:"100%"},input:{selectors:(y={},y["."+c.G$+" &:focus + label::before"]={outlineOffset:"0px"},y)}},panel:{root:[E],main:{selectors:(_={},_[f]={width:272},_)},contentInner:{padding:"0 0 20px"}}}}}),void 0,{scope:"Dropdown"});v.displayName="Dropdown"},4008:(e,t,o)=>{"use strict";o.d(t,{d:()=>f});var n=o(7622),r=o(7002),i=o(7300),a=o(5094),s=o(5951),l=o(5480),c=o(8127),u=o(3394),d=o(5446),p=o(9729),m=o(9241),h=(0,i.y)(),g=(0,a.NF)((function(e,t){return(0,p.jG)((0,n.pi)((0,n.pi)({},e),{rtl:t}))})),f=r.forwardRef((function(e,t){var o=e.className,i=e.theme,a=e.applyTheme,p=e.applyThemeToBody,f=e.styles,v=h(f,{theme:i,applyTheme:a,className:o}),b=r.useRef(null);return function(e,t,o){var n=t.bodyThemed;r.useEffect((function(){if(e){var t=(0,d.M)(o.current);if(t)return t.body.classList.add(n),function(){t.body.classList.remove(n)}}}),[n,e,o])}(p,v,b),(0,l.P)(b),r.createElement(r.Fragment,null,function(e,t,o,i){var a=t.root,l=e.as,d=void 0===l?"div":l,p=e.dir,h=e.theme,f=(0,c.pq)(e,c.n7,["dir"]),v=function(e){var t=e.theme,o=e.dir,n=(0,s.zg)(t)?"rtl":"ltr",r=(0,s.zg)()?"rtl":"ltr",i=o||n;return{rootDir:i!==n||i!==r?i:o,needsTheme:i!==n}}(e),b=v.rootDir,y=v.needsTheme,_=r.createElement(d,(0,n.pi)({dir:b},f,{className:a,ref:(0,m.r)(o,i)}));return y&&(_=r.createElement(u.N,{settings:{theme:g(h,"rtl"===p)}},_)),_}(e,v,b,t))}));f.displayName="FabricBase"},3595:(e,t,o)=>{"use strict";o.d(t,{P:()=>l});var n=o(2002),r=o(4008),i=o(9729),a={fontFamily:"inherit"},s={root:"ms-Fabric",bodyThemed:"ms-Fabric-bodyThemed"},l=(0,n.z)(r.d,(function(e){var t=e.theme,o=e.className,n=e.applyTheme;return{root:[(0,i.Cn)(s,t).root,t.fonts.medium,{color:t.palette.neutralPrimary,selectors:{"& button":a,"& input":a,"& textarea":a}},n&&{color:t.semanticColors.bodyText,backgroundColor:t.semanticColors.bodyBackground},o],bodyThemed:[{backgroundColor:t.semanticColors.bodyBackground}]}}),void 0,{scope:"Fabric"})},6007:(e,t,o)=>{"use strict";o.d(t,{P:()=>h});var n=o(7622),r=o(7002),i=o(8127),a=o(3345),s=o(4553),l=o(9251),c=o(6093),u=o(9241),d=o(4085),p=o(7913),m=o(8901),h=r.forwardRef((function(e,t){var o=r.useRef(null),f=r.useRef(null),v=r.useRef(null),b=(0,u.r)(o,t),y=(0,d.M)(void 0,e.id),_=(0,m.ky)(),C=(0,i.pq)(e,i.n7),S=(0,p.B)((function(){return{previouslyFocusedElementOutsideTrapZone:void 0,previouslyFocusedElementInTrapZone:void 0,disposeFocusHandler:void 0,disposeClickHandler:void 0,hasFocus:!1,unmodalize:void 0}})),x=e.ariaLabelledBy,k=e.className,w=e.children,I=e.componentRef,D=e.disabled,T=e.disableFirstFocus,E=void 0!==T&&T,P=e.disabled,M=void 0!==P&&P,R=e.elementToFocusOnDismiss,N=e.forceFocusInsideTrap,B=void 0===N||N,F=e.focusPreviouslyFocusedInnerElement,L=e.firstFocusableSelector,A=e.ignoreExternalFocusing,z=e.isClickableOutsideFocusTrap,H=void 0!==z&&z,O=e.onFocus,W=e.onBlur,V=e.onFocusCapture,K=e.onBlurCapture,q=e.enableAriaHiddenSiblings,G={"aria-hidden":!0,style:{pointerEvents:"none",position:"fixed"},tabIndex:D?-1:0,"data-is-visible":!0},U=r.useCallback((function(){if(F&&S.previouslyFocusedElementInTrapZone&&(0,a.t)(o.current,S.previouslyFocusedElementInTrapZone))(0,s.um)(S.previouslyFocusedElementInTrapZone);else{var e="string"==typeof L?L:L&&L(),t=null;o.current&&(e&&(t=o.current.querySelector("."+e)),t||(t=(0,s.dc)(o.current,o.current.firstChild,!1,!1,!1,!0))),t&&(0,s.um)(t)}}),[L,F,S]),j=r.useCallback((function(e){if(!D){var t=e===S.hasFocus?v.current:f.current;if(o.current){var n=e===S.hasFocus?(0,s.xY)(o.current,t,!0,!1):(0,s.RK)(o.current,t,!0,!1);n&&(n===f.current||n===v.current?U():n.focus())}}}),[D,U,S]),J=r.useCallback((function(e){var t;null===(t=K)||void 0===t||t(e);var n=e.relatedTarget;null===e.relatedTarget&&(n=_.activeElement),(0,a.t)(o.current,n)||(S.hasFocus=!1)}),[_,S,K]),Y=r.useCallback((function(e){var t;null===(t=V)||void 0===t||t(e),e.target===f.current?j(!0):e.target===v.current&&j(!1),S.hasFocus=!0,e.target!==e.currentTarget&&e.target!==f.current&&e.target!==v.current&&(S.previouslyFocusedElementInTrapZone=e.target)}),[V,S,j]),Z=r.useCallback((function(){if(h.focusStack=h.focusStack.filter((function(e){return y!==e})),_){var e=_.activeElement;A||!S.previouslyFocusedElementOutsideTrapZone||"function"!=typeof S.previouslyFocusedElementOutsideTrapZone.focus||!(0,a.t)(o.current,e)&&e!==_.body||S.previouslyFocusedElementOutsideTrapZone!==f.current&&S.previouslyFocusedElementOutsideTrapZone!==v.current&&(0,s.um)(S.previouslyFocusedElementOutsideTrapZone)}}),[_,y,A,S]),X=r.useCallback((function(e){if(!D&&h.focusStack.length&&y===h.focusStack[h.focusStack.length-1]){var t=e.target;(0,a.t)(o.current,t)||(U(),S.hasFocus=!0,e.preventDefault(),e.stopPropagation())}}),[D,y,U,S]),Q=r.useCallback((function(e){if(!D&&h.focusStack.length&&y===h.focusStack[h.focusStack.length-1]){var t=e.target;t&&!(0,a.t)(o.current,t)&&(U(),S.hasFocus=!0,e.preventDefault(),e.stopPropagation())}}),[D,y,U,S]),$=r.useCallback((function(){B&&!S.disposeFocusHandler?S.disposeFocusHandler=(0,l.on)(window,"focus",X,!0):!B&&S.disposeFocusHandler&&(S.disposeFocusHandler(),S.disposeFocusHandler=void 0),H||S.disposeClickHandler?H&&S.disposeClickHandler&&(S.disposeClickHandler(),S.disposeClickHandler=void 0):S.disposeClickHandler=(0,l.on)(window,"click",Q,!0)}),[Q,X,B,H,S]);return r.useEffect((function(){var e=o.current;return $(),function(){var t;D&&!B&&(0,a.t)(e,null===(t=_)||void 0===t?void 0:t.activeElement)||Z()}}),[$]),r.useEffect((function(){var e=void 0===B||B,t=void 0!==D&&D;if(!t||e){if(M)return;h.focusStack.push(y),S.previouslyFocusedElementOutsideTrapZone=R||_.activeElement,E||(0,a.t)(o.current,S.previouslyFocusedElementOutsideTrapZone)||U(),!S.unmodalize&&o.current&&q&&(S.unmodalize=(0,c.O)(o.current))}else e&&!t||(Z(),S.unmodalize&&S.unmodalize());R&&S.previouslyFocusedElementOutsideTrapZone!==R&&(S.previouslyFocusedElementOutsideTrapZone=R)}),[R,B,D]),g((function(){S.disposeClickHandler&&(S.disposeClickHandler(),S.disposeClickHandler=void 0),S.disposeFocusHandler&&(S.disposeFocusHandler(),S.disposeFocusHandler=void 0),S.unmodalize&&S.unmodalize(),delete S.previouslyFocusedElementInTrapZone,delete S.previouslyFocusedElementOutsideTrapZone})),function(e,t,o){r.useImperativeHandle(e,(function(){return{get previouslyFocusedElement(){return t},focus:o}}),[t,o])}(I,S.previouslyFocusedElementInTrapZone,U),r.createElement("div",(0,n.pi)({},C,{className:k,ref:b,"aria-labelledby":x,onFocusCapture:Y,onFocus:O,onBlur:W,onBlurCapture:J}),r.createElement("div",(0,n.pi)({},G,{ref:f})),w,r.createElement("div",(0,n.pi)({},G,{ref:v})))})),g=function(e){var t=r.useRef(e);t.current=e,r.useEffect((function(){return function(){t.current&&t.current()}}),[e])};h.displayName="FocusTrapZone",h.focusStack=[]},4734:(e,t,o)=>{"use strict";o.d(t,{z1:()=>u,xu:()=>d,Pw:()=>p});var n=o(7622),r=o(7002),i=o(3074),a=o(5094),s=o(8127),l=o(8088),c=o(9729),u=(0,a.NF)((function(e){var t=(0,c.q7)(e)||{subset:{},code:void 0},o=t.code,n=t.subset;return o?{children:o,iconClassName:n.className,fontFamily:n.fontFace&&n.fontFace.fontFamily}:null}),void 0,!0),d=function(e){var t=e.iconName,o=e.className,a=e.style,c=void 0===a?{}:a,d=u(t)||{},p=d.iconClassName,m=d.children,h=d.fontFamily,g=(0,s.pq)(e,s.iY),f=e["aria-label"]||e["aria-labelledby"]||e.title?{role:"img"}:{"aria-hidden":!0};return r.createElement("i",(0,n.pi)({"data-icon-name":t},f,g,{className:(0,l.i)(i.Sk,i.AK.root,p,!t&&i.AK.placeholder,o),style:(0,n.pi)({fontFamily:h},c)}),m)},p=(0,a.NF)((function(e,t,o){return d({iconName:e,className:t,"aria-label":o})}))},3874:(e,t,o)=>{"use strict";o.d(t,{A:()=>p});var n=o(7622),r=o(7002),i=o(6569),a=o(4861),s=o(6711),l=o(7300),c=o(8127),u=o(4734),d=(0,l.y)({cacheSize:100}),p=function(e){function t(t){var o=e.call(this,t)||this;return o._onImageLoadingStateChange=function(e){o.props.imageProps&&o.props.imageProps.onLoadingStateChange&&o.props.imageProps.onLoadingStateChange(e),e===s.U9.error&&o.setState({imageLoadError:!0})},o.state={imageLoadError:!1},o}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.children,o=e.className,s=e.styles,l=e.iconName,p=e.imageErrorAs,m=e.theme,h="string"==typeof l&&0===l.length,g=!!this.props.imageProps||this.props.iconType===i.T.image||this.props.iconType===i.T.Image,f=(0,u.z1)(l)||{},v=f.iconClassName,b=f.children,y=d(s,{theme:m,className:o,iconClassName:v,isImage:g,isPlaceholder:h}),_=g?"span":"i",C=(0,c.pq)(this.props,c.iY,["aria-label"]),S=this.state.imageLoadError,x=(0,n.pi)((0,n.pi)({},this.props.imageProps),{onLoadingStateChange:this._onImageLoadingStateChange}),k=S&&p||a.E,w=this.props["aria-label"]||this.props.ariaLabel,I=x.alt||w,D=I||this.props["aria-labelledby"]||x["aria-label"]||x["aria-labelledby"]?{role:g?void 0:"img","aria-label":g?void 0:I}:{"aria-hidden":!0};return r.createElement(_,(0,n.pi)({"data-icon-name":l},D,C,{className:y.root}),g?r.createElement(k,(0,n.pi)({},x)):t||b)},t}(r.Component)},9947:(e,t,o)=>{"use strict";o.d(t,{J:()=>a});var n=o(2002),r=o(3874),i=o(3074),a=(0,n.z)(r.A,i.Wi,void 0,{scope:"Icon"},!0);a.displayName="Icon"},3074:(e,t,o)=>{"use strict";o.d(t,{AK:()=>n,Sk:()=>r,Wi:()=>i});var n=(0,o(9729).ZC)({root:{display:"inline-block"},placeholder:["ms-Icon-placeHolder",{width:"1em"}],image:["ms-Icon-imageContainer",{overflow:"hidden"}]}),r="ms-Icon",i=function(e){var t=e.className,o=e.iconClassName,r=e.isPlaceholder,i=e.isImage,a=e.styles;return{root:[r&&n.placeholder,n.root,i&&n.image,o,t,a&&a.root,a&&a.imageContainer]}}},6569:(e,t,o)=>{"use strict";var n;o.d(t,{T:()=>n}),function(e){e[e.default=0]="default",e[e.image=1]="image",e[e.Default=1e5]="Default",e[e.Image=100001]="Image"}(n||(n={}))},7840:(e,t,o)=>{"use strict";o.d(t,{X:()=>c});var n=o(7622),r=o(7002),i=o(4861),a=o(8127),s=o(8088),l=o(3074),c=function(e){var t=e.className,o=e.imageProps,c=(0,a.pq)(e,a.iY,["aria-label","aria-labelledby","title","aria-describedby"]),u=o.alt||e["aria-label"],d=u||e["aria-labelledby"]||e.title||o["aria-label"]||o["aria-labelledby"]||o.title,p={"aria-labelledby":e["aria-labelledby"],"aria-describedby":e["aria-describedby"],title:e.title},m=d?{}:{"aria-hidden":!0};return r.createElement("div",(0,n.pi)({},m,c,{className:(0,s.i)(l.Sk,l.AK.root,l.AK.image,t)}),r.createElement(i.E,(0,n.pi)({},p,o,{alt:d?u:""})))}},9759:(e,t,o)=>{"use strict";o.d(t,{v:()=>d});var n=o(7622),r=o(7002),i=o(7300),a=o(8127),s=o(6711),l=o(9241),c=(0,i.y)(),u=/\.svg$/i,d=r.forwardRef((function(e,t){var o=r.useRef(),i=r.useRef(),d=function(e,t){var o=e.onLoadingStateChange,n=e.onLoad,i=e.onError,a=e.src,l=r.useState(s.U9.notLoaded),c=l[0],d=l[1];r.useLayoutEffect((function(){d(s.U9.notLoaded)}),[a]),r.useEffect((function(){c===s.U9.notLoaded&&t.current&&(a&&t.current.naturalWidth>0&&t.current.naturalHeight>0||t.current.complete&&u.test(a))&&d(s.U9.loaded)})),r.useEffect((function(){var e;null===(e=o)||void 0===e||e(c)}),[c]);var p=r.useCallback((function(e){var t;null===(t=n)||void 0===t||t(e),a&&d(s.U9.loaded)}),[a,n]),m=r.useCallback((function(e){var t;null===(t=i)||void 0===t||t(e),d(s.U9.error)}),[i]);return[c,p,m]}(e,i),p=d[0],m=d[1],h=d[2],g=(0,a.pq)(e,a.it,["width","height"]),f=e.src,v=e.alt,b=e.width,y=e.height,_=e.shouldFadeIn,C=void 0===_||_,S=e.shouldStartVisible,x=e.className,k=e.imageFit,w=e.role,I=e.maximizeFrame,D=e.styles,T=e.theme,E=e.loading,P=function(e,t,o,n){var i=r.useRef(t),a=r.useRef();return(void 0===a||i.current===s.U9.notLoaded&&t===s.U9.loaded)&&(a.current=function(e,t,o,n){var r=e.imageFit,i=e.width,a=e.height;if(void 0!==e.coverStyle)return e.coverStyle;if(t===s.U9.loaded&&(r===s.kQ.cover||r===s.kQ.contain||r===s.kQ.centerContain||r===s.kQ.centerCover)&&o.current&&n.current){var l;if(l="number"==typeof i&&"number"==typeof a&&r!==s.kQ.centerContain&&r!==s.kQ.centerCover?i/a:n.current.clientWidth/n.current.clientHeight,o.current.naturalWidth/o.current.naturalHeight>l)return s.yZ.landscape}return s.yZ.portrait}(e,t,o,n)),i.current=t,a.current}(e,p,i,o),M=c(D,{theme:T,className:x,width:b,height:y,maximizeFrame:I,shouldFadeIn:C,shouldStartVisible:S,isLoaded:p===s.U9.loaded||p===s.U9.notLoaded&&e.shouldStartVisible,isLandscape:P===s.yZ.landscape,isCenter:k===s.kQ.center,isCenterContain:k===s.kQ.centerContain,isCenterCover:k===s.kQ.centerCover,isContain:k===s.kQ.contain,isCover:k===s.kQ.cover,isNone:k===s.kQ.none,isError:p===s.U9.error,isNotImageFit:void 0===k});return r.createElement("div",{className:M.root,style:{width:b,height:y},ref:o},r.createElement("img",(0,n.pi)({},g,{onLoad:m,onError:h,key:"fabricImage"+e.src||"",className:M.image,ref:(0,l.r)(i,t),src:f,alt:v,role:w,loading:E})))}));d.displayName="ImageBase"},4861:(e,t,o)=>{"use strict";o.d(t,{E:()=>l});var n=o(2002),r=o(9759),i=o(9729),a=o(9757),s={root:"ms-Image",rootMaximizeFrame:"ms-Image--maximizeFrame",image:"ms-Image-image",imageCenter:"ms-Image-image--center",imageContain:"ms-Image-image--contain",imageCover:"ms-Image-image--cover",imageCenterContain:"ms-Image-image--centerContain",imageCenterCover:"ms-Image-image--centerCover",imageNone:"ms-Image-image--none",imageLandscape:"ms-Image-image--landscape",imagePortrait:"ms-Image-image--portrait"},l=(0,n.z)(r.v,(function(e){var t=e.className,o=e.width,n=e.height,r=e.maximizeFrame,l=e.isLoaded,c=e.shouldFadeIn,u=e.shouldStartVisible,d=e.isLandscape,p=e.isCenter,m=e.isContain,h=e.isCover,g=e.isCenterContain,f=e.isCenterCover,v=e.isNone,b=e.isError,y=e.isNotImageFit,_=e.theme,C=(0,i.Cn)(s,_),S={position:"absolute",left:"50% /* @noflip */",top:"50%",transform:"translate(-50%,-50%)"},x=(0,a.J)(),k=void 0!==x&&void 0===x.navigator.msMaxTouchPoints,w=m&&d||h&&!d?{width:"100%",height:"auto"}:{width:"auto",height:"100%"};return{root:[C.root,_.fonts.medium,{overflow:"hidden"},r&&[C.rootMaximizeFrame,{height:"100%",width:"100%"}],l&&c&&!u&&i.k4.fadeIn400,(p||m||h||g||f)&&{position:"relative"},t],image:[C.image,{display:"block",opacity:0},l&&["is-loaded",{opacity:1}],p&&[C.imageCenter,S],m&&[C.imageContain,k&&{width:"100%",height:"100%",objectFit:"contain"},!k&&w,!k&&S],h&&[C.imageCover,k&&{width:"100%",height:"100%",objectFit:"cover"},!k&&w,!k&&S],g&&[C.imageCenterContain,d&&{maxWidth:"100%"},!d&&{maxHeight:"100%"},S],f&&[C.imageCenterCover,d&&{maxHeight:"100%"},!d&&{maxWidth:"100%"},S],v&&[C.imageNone,{width:"auto",height:"auto"}],y&&[!!o&&!n&&{height:"auto",width:"100%"},!o&&!!n&&{height:"100%",width:"auto"},!!o&&!!n&&{height:"100%",width:"100%"}],d&&C.imageLandscape,!d&&C.imagePortrait,!l&&"is-notLoaded",c&&"is-fadeIn",b&&"is-error"]}}),void 0,{scope:"Image"},!0);l.displayName="Image"},6711:(e,t,o)=>{"use strict";var n,r,i;o.d(t,{kQ:()=>n,yZ:()=>r,U9:()=>i}),function(e){e[e.center=0]="center",e[e.contain=1]="contain",e[e.cover=2]="cover",e[e.none=3]="none",e[e.centerCover=4]="centerCover",e[e.centerContain=5]="centerContain"}(n||(n={})),function(e){e[e.landscape=0]="landscape",e[e.portrait=1]="portrait"}(r||(r={})),function(e){e[e.notLoaded=0]="notLoaded",e[e.loaded=1]="loaded",e[e.error=2]="error",e[e.errorLoaded=3]="errorLoaded"}(i||(i={}))},9949:(e,t,o)=>{"use strict";o.d(t,{a:()=>a});var n=o(7622),r=o(8128),i=o(2304),a=function(e){var t,o=e.children,a=(0,n._T)(e,["children"]),s=(0,i.c)(a),l=s.keytipId,c=s.ariaDescribedBy;return o(((t={})[r.fV]=l,t[r.ms]=l,t["aria-describedby"]=c,t))}},2304:(e,t,o)=>{"use strict";o.d(t,{c:()=>u});var n=o(7622),r=o(7002),i=o(7913),a=o(6876),s=o(9577),l=o(344),c=o(5325);function u(e){var t=r.useRef(),o=e.keytipProps?(0,n.pi)({disabled:e.disabled},e.keytipProps):void 0,u=(0,i.B)(l.K.getInstance()),d=(0,a.D)(e);r.useLayoutEffect((function(){var n,r;t.current&&o&&((null===(n=d)||void 0===n?void 0:n.keytipProps)!==e.keytipProps||(null===(r=d)||void 0===r?void 0:r.disabled)!==e.disabled)&&u.update(o,t.current)})),r.useLayoutEffect((function(){return o&&(t.current=u.register(o)),function(){o&&u.unregister(o,t.current)}}),[]);var p={ariaDescribedBy:void 0,keytipId:void 0};return o&&(p=function(e,t,o){var r=e.addParentOverflow(t),i=(0,s.I)(o,(0,c.w7)(r.keySequences)),a=(0,n.pr)(r.keySequences);return r.overflowSetSequence&&(a=(0,c.a1)(a,r.overflowSetSequence)),{ariaDescribedBy:i,keytipId:(0,c.aB)(a)}}(u,o,e.ariaDescribedBy)),p}},5424:(e,t,o)=>{"use strict";o.d(t,{E:()=>s});var n=o(7622),r=o(7002),i=o(8127),a=(0,o(7300).y)({cacheSize:100}),s=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.as,o=void 0===t?"label":t,s=e.children,l=e.className,c=e.disabled,u=e.styles,d=e.required,p=e.theme,m=a(u,{className:l,disabled:c,required:d,theme:p});return r.createElement(o,(0,n.pi)({},(0,i.pq)(this.props,i.n7),{className:m.root}),s)},t}(r.Component)},2052:(e,t,o)=>{"use strict";o.d(t,{_:()=>s});var n=o(2002),r=o(5424),i=o(7622),a=o(9729),s=(0,n.z)(r.E,(function(e){var t,o=e.theme,n=e.className,r=e.disabled,s=e.required,l=o.semanticColors,c=a.lq.semibold,u=l.bodyText,d=l.disabledBodyText,p=l.errorText;return{root:["ms-Label",o.fonts.medium,{fontWeight:c,color:u,boxSizing:"border-box",boxShadow:"none",margin:0,display:"block",padding:"5px 0",wordWrap:"break-word",overflowWrap:"break-word"},r&&{color:d,selectors:(t={},t[a.qJ]=(0,i.pi)({color:"GrayText"},(0,a.xM)()),t)},s&&{selectors:{"::after":{content:"' *'",color:p,paddingRight:12}}},n]}}),void 0,{scope:"Label"})},4555:(e,t,o)=>{"use strict";o.d(t,{s:()=>g});var n=o(7622),r=o(7002);const i=jsmodule["react-dom"];var a,s=o(3595),l=o(7300),c=o(8308),u=o(7829),d=o(6443),p=o(9241),m=o(8901),h=(0,l.y)(),g=r.forwardRef((function(e,t){var o=r.useState(),l=o[0],g=o[1],v=r.useRef(l);v.current=l;var b=r.useRef(null),y=(0,p.r)(b,t),_=(0,m.ky)(),C=e.eventBubblingEnabled,S=e.styles,x=e.theme,k=e.className,w=e.children,I=e.hostId,D=e.onLayerDidMount,T=void 0===D?function(){}:D,E=e.onLayerMounted,P=void 0===E?function(){}:E,M=e.onLayerWillUnmount,R=e.insertFirst,N=h(S,{theme:x,className:k,isNotHost:!I}),B=function(){var e;null===(e=M)||void 0===e||e();var t=v.current;if(t&&t.parentNode){var o=t.parentNode;o&&o.removeChild(t)}},F=function(){var e,t,o=function(){if(_){if(I)return _.getElementById(I);var e=(0,d.OJ)();return e?_.querySelector(e):_.body}}();if(_&&o){B();var n=_.createElement("div");n.className=N.root,(0,c.U)(n),(0,u.N)(n,b.current),R?o.insertBefore(n,o.firstChild):o.appendChild(n),g(n),null===(e=P)||void 0===e||e(),null===(t=T)||void 0===t||t()}};return r.useLayoutEffect((function(){return F(),I&&(0,d.Pc)(I,F),function(){B(),I&&(0,d.tq)(I,F)}}),[I]),r.createElement("span",{className:"ms-layer",ref:y},l&&i.createPortal(r.createElement(s.P,(0,n.pi)({},!C&&(a||(a={},["onClick","onContextMenu","onDoubleClick","onDrag","onDragEnd","onDragEnter","onDragExit","onDragLeave","onDragOver","onDragStart","onDrop","onMouseDown","onMouseEnter","onMouseLeave","onMouseMove","onMouseOver","onMouseOut","onMouseUp","onTouchMove","onTouchStart","onTouchCancel","onTouchEnd","onKeyDown","onKeyPress","onKeyUp","onFocus","onBlur","onChange","onInput","onInvalid","onSubmit"].forEach((function(e){return a[e]=f}))),a),{className:N.content}),w),l))}));g.displayName="LayerBase";var f=function(e){e.eventPhase===Event.BUBBLING_PHASE&&"mouseenter"!==e.type&&"mouseleave"!==e.type&&"touchstart"!==e.type&&"touchend"!==e.type&&e.stopPropagation()}},7513:(e,t,o)=>{"use strict";o.d(t,{m:()=>s});var n=o(2002),r=o(4555),i=o(9729),a={root:"ms-Layer",rootNoHost:"ms-Layer--fixed",content:"ms-Layer-content"},s=(0,n.z)(r.s,(function(e){var t=e.className,o=e.isNotHost,n=e.theme,r=(0,i.Cn)(a,n);return{root:[r.root,n.fonts.medium,o&&[r.rootNoHost,{position:"fixed",zIndex:i.bR.Layer,top:0,left:0,bottom:0,right:0,visibility:"hidden"}],t],content:[r.content,{visibility:"visible"}]}}),void 0,{scope:"Layer",fields:["hostId","theme","styles"]})},6443:(e,t,o)=>{"use strict";o.d(t,{Pc:()=>r,tq:()=>i,EQ:()=>a,OJ:()=>s});var n={};function r(e,t){n[e]||(n[e]=[]),n[e].push(t)}function i(e,t){if(n[e]){var o=n[e].indexOf(t);o>=0&&(n[e].splice(o,1),0===n[e].length&&delete n[e])}}function a(e){n[e]&&n[e].forEach((function(e){return e()}))}function s(){}},6178:(e,t,o)=>{"use strict";o.d(t,{R:()=>u});var n=o(7622),r=o(7002),i=o(7300),a=o(688),s=o(4948),l=o(8127),c=(0,i.y)(),u=function(e){function t(t){var o=e.call(this,t)||this;(0,a.l)(o);var n=o.props.allowTouchBodyScroll,r=void 0!==n&&n;return o._allowTouchBodyScroll=r,o}return(0,n.ZT)(t,e),t.prototype.componentDidMount=function(){!this._allowTouchBodyScroll&&(0,s.Qp)()},t.prototype.componentWillUnmount=function(){!this._allowTouchBodyScroll&&(0,s.tG)()},t.prototype.render=function(){var e=this.props,t=e.isDarkThemed,o=e.className,i=e.theme,a=e.styles,s=(0,l.pq)(this.props,l.n7),u=c(a,{theme:i,className:o,isDark:t});return r.createElement("div",(0,n.pi)({},s,{className:u.root}))},t}(r.Component)},4946:(e,t,o)=>{"use strict";o.d(t,{a:()=>s});var n=o(2002),r=o(6178),i=o(9729),a={root:"ms-Overlay",rootDark:"ms-Overlay--dark"},s=(0,n.z)(r.R,(function(e){var t,o=e.className,n=e.theme,r=e.isNone,s=e.isDark,l=n.palette,c=(0,i.Cn)(a,n);return{root:[c.root,n.fonts.medium,{backgroundColor:l.whiteTranslucent40,top:0,right:0,bottom:0,left:0,position:"absolute",selectors:(t={},t[i.qJ]={border:"1px solid WindowText",opacity:0},t)},r&&{visibility:"hidden"},s&&[c.rootDark,{backgroundColor:l.blackTranslucent40}],o]}}),void 0,{scope:"Overlay"})},5357:(e,t,o)=>{"use strict";o.d(t,{P:()=>k});var n,r=o(7622),i=o(7002),a=o(5758),s=o(7513),l=o(4946),c=o(752),u=o(7300),d=o(4948),p=o(8088),m=o(2167),h=o(9919),g=o(688),f=o(3129),v=o(2782),b=o(5951),y=o(8127),_=o(3345),C=o(6007),S=o(2758),x=(0,u.y)();!function(e){e[e.closed=0]="closed",e[e.animatingOpen=1]="animatingOpen",e[e.open=2]="open",e[e.animatingClosed=3]="animatingClosed"}(n||(n={}));var k=function(e){function t(t){var o=e.call(this,t)||this;o._panel=i.createRef(),o._animationCallback=null,o._hasCustomNavigation=!(!o.props.onRenderNavigation&&!o.props.onRenderNavigationContent),o.dismiss=function(e){o.props.onDismiss&&o.props.onDismiss(e),(!e||e&&!e.defaultPrevented)&&o.close()},o._allowScrollOnPanel=function(e){e?o._allowTouchBodyScroll?(0,d.eC)(e,o._events):(0,d.C7)(e,o._events):o._events.off(o._scrollableContent),o._scrollableContent=e},o._onRenderNavigation=function(e){if(!o.props.onRenderNavigationContent&&!o.props.onRenderNavigation&&!o.props.hasCloseButton)return null;var t=o.props.onRenderNavigationContent,n=void 0===t?o._onRenderNavigationContent:t;return i.createElement("div",{className:o._classNames.navigation},n(e,o._onRenderNavigationContent))},o._onRenderNavigationContent=function(e){var t,n=e.closeButtonAriaLabel,r=e.hasCloseButton,s=e.onRenderHeader,l=void 0===s?o._onRenderHeader:s;if(r){var c=null===(t=o._classNames.subComponentStyles)||void 0===t?void 0:t.closeButton();return i.createElement(i.Fragment,null,!o._hasCustomNavigation&&l(o.props,o._onRenderHeader,o._headerTextId),i.createElement(a.h,{styles:c,className:o._classNames.closeButton,onClick:o._onPanelClick,ariaLabel:n,title:n,"data-is-visible":!0,iconProps:{iconName:"Cancel"}}))}return null},o._onRenderHeader=function(e,t,n){var a=e.headerText,s=e.headerTextProps,l=void 0===s?{}:s;return a?i.createElement("div",{className:o._classNames.header},i.createElement("div",(0,r.pi)({id:n,role:"heading","aria-level":1},l,{className:(0,p.i)(o._classNames.headerText,l.className)}),a)):null},o._onRenderBody=function(e){return i.createElement("div",{className:o._classNames.content},e.children)},o._onRenderFooter=function(e){var t=o.props.onRenderFooterContent,n=void 0===t?null:t;return n?i.createElement("div",{className:o._classNames.footer},i.createElement("div",{className:o._classNames.footerInner},n())):null},o._animateTo=function(e){e===n.open&&o.props.onOpen&&o.props.onOpen(),o._animationCallback=o._async.setTimeout((function(){o.setState({visibility:e}),o._onTransitionComplete()}),200)},o._clearExistingAnimationTimer=function(){null!==o._animationCallback&&o._async.clearTimeout(o._animationCallback)},o._onPanelClick=function(e){o.dismiss(e)},o._onTransitionComplete=function(){o._updateFooterPosition(),o.state.visibility===n.open&&o.props.onOpened&&o.props.onOpened(),o.state.visibility===n.closed&&o.props.onDismissed&&o.props.onDismissed()};var s=o.props.allowTouchBodyScroll,l=void 0!==s&&s;return o._allowTouchBodyScroll=l,o._async=new m.e(o),o._events=new h.r(o),(0,g.l)(o),(0,f.b)("Panel",t,{ignoreExternalFocusing:"focusTrapZoneProps",forceFocusInsideTrap:"focusTrapZoneProps",firstFocusableSelector:"focusTrapZoneProps"}),o.state={isFooterSticky:!1,visibility:n.closed,id:(0,v.z)("Panel")},o}return(0,r.ZT)(t,e),t.getDerivedStateFromProps=function(e,t){return void 0===e.isOpen?null:!e.isOpen||t.visibility!==n.closed&&t.visibility!==n.animatingClosed?e.isOpen||t.visibility!==n.open&&t.visibility!==n.animatingOpen?null:{visibility:n.animatingClosed}:{visibility:n.animatingOpen}},t.prototype.componentDidMount=function(){this._events.on(window,"resize",this._updateFooterPosition),this._shouldListenForOuterClick(this.props)&&this._events.on(document.body,"mousedown",this._dismissOnOuterClick,!0),this.props.isOpen&&this.setState({visibility:n.animatingOpen})},t.prototype.componentDidUpdate=function(e,t){var o=this._shouldListenForOuterClick(this.props),r=this._shouldListenForOuterClick(e);this.state.visibility!==t.visibility&&(this._clearExistingAnimationTimer(),this.state.visibility===n.animatingOpen?this._animateTo(n.open):this.state.visibility===n.animatingClosed&&this._animateTo(n.closed)),o&&!r?this._events.on(document.body,"mousedown",this._dismissOnOuterClick,!0):!o&&r&&this._events.off(document.body,"mousedown",this._dismissOnOuterClick,!0)},t.prototype.componentWillUnmount=function(){this._async.dispose(),this._events.dispose()},t.prototype.render=function(){var e=this.props,t=e.className,o=void 0===t?"":t,a=e.elementToFocusOnDismiss,u=e.firstFocusableSelector,d=e.focusTrapZoneProps,p=e.forceFocusInsideTrap,m=e.hasCloseButton,h=e.headerText,g=e.headerClassName,f=void 0===g?"":g,v=e.ignoreExternalFocusing,_=e.isBlocking,k=e.isFooterAtBottom,w=e.isLightDismiss,I=e.isHiddenOnDismiss,D=e.layerProps,T=e.overlayProps,E=e.popupProps,P=e.type,M=e.styles,R=e.theme,N=e.customWidth,B=e.onLightDismissClick,F=void 0===B?this._onPanelClick:B,L=e.onRenderNavigation,A=void 0===L?this._onRenderNavigation:L,z=e.onRenderHeader,H=void 0===z?this._onRenderHeader:z,O=e.onRenderBody,W=void 0===O?this._onRenderBody:O,V=e.onRenderFooter,K=void 0===V?this._onRenderFooter:V,q=this.state,G=q.isFooterSticky,U=q.visibility,j=q.id,J=P===S.w.smallFixedNear||P===S.w.customNear,Y=(0,b.zg)(R)?J:!J,Z=P===S.w.custom||P===S.w.customNear?{width:N}:{},X=(0,y.pq)(this.props,y.n7),Q=this.isActive,$=U===n.animatingClosed||U===n.animatingOpen;if(this._headerTextId=h&&j+"-headerText",!Q&&!$&&!I)return null;this._classNames=x(M,{theme:R,className:o,focusTrapZoneClassName:d?d.className:void 0,hasCloseButton:m,headerClassName:f,isAnimating:$,isFooterSticky:G,isFooterAtBottom:k,isOnRightSide:Y,isOpen:Q,isHiddenOnDismiss:I,type:P,hasCustomNavigation:this._hasCustomNavigation});var ee,te=this._classNames,oe=this._allowTouchBodyScroll;return _&&Q&&(ee=i.createElement(l.a,(0,r.pi)({className:te.overlay,isDarkThemed:!1,onClick:w?F:void 0,allowTouchBodyScroll:oe},T))),i.createElement(s.m,(0,r.pi)({},D),i.createElement(c.G,(0,r.pi)({role:"dialog","aria-modal":"true",ariaLabelledBy:this._headerTextId?this._headerTextId:void 0,onDismiss:this.dismiss,className:te.hiddenPanel},E),i.createElement("div",(0,r.pi)({"aria-hidden":!Q&&$},X,{ref:this._panel,className:te.root}),ee,i.createElement(C.P,(0,r.pi)({ignoreExternalFocusing:v,forceFocusInsideTrap:!(!_||I&&!Q)&&p,firstFocusableSelector:u,isClickableOutsideFocusTrap:!0},d,{className:te.main,style:Z,elementToFocusOnDismiss:a}),i.createElement("div",{className:te.commands,"data-is-visible":!0},A(this.props,this._onRenderNavigation)),i.createElement("div",{className:te.contentInner},(this._hasCustomNavigation||!m)&&H(this.props,this._onRenderHeader,this._headerTextId),i.createElement("div",{ref:this._allowScrollOnPanel,className:te.scrollableContent,"data-is-scrollable":!0},W(this.props,this._onRenderBody)),K(this.props,this._onRenderFooter))))))},t.prototype.open=function(){void 0===this.props.isOpen&&(this.isActive||this.setState({visibility:n.animatingOpen}))},t.prototype.close=function(){void 0===this.props.isOpen&&this.isActive&&this.setState({visibility:n.animatingClosed})},Object.defineProperty(t.prototype,"isActive",{get:function(){return this.state.visibility===n.open||this.state.visibility===n.animatingOpen},enumerable:!0,configurable:!0}),t.prototype._shouldListenForOuterClick=function(e){return!!e.isBlocking&&!!e.isOpen},t.prototype._updateFooterPosition=function(){var e=this._scrollableContent;if(e){var t=e.clientHeight,o=e.scrollHeight;this.setState({isFooterSticky:t{"use strict";o.d(t,{s:()=>S});var n,r,i,a,s,l=o(2002),c=o(5357),u=o(7622),d=o(2758),p=o(9729),m={root:"ms-Panel",main:"ms-Panel-main",commands:"ms-Panel-commands",contentInner:"ms-Panel-contentInner",scrollableContent:"ms-Panel-scrollableContent",navigation:"ms-Panel-navigation",closeButton:"ms-Panel-closeButton ms-PanelAction-close",header:"ms-Panel-header",headerText:"ms-Panel-headerText",content:"ms-Panel-content",footer:"ms-Panel-footer",footerInner:"ms-Panel-footerInner",isOpen:"is-open",hasCloseButton:"ms-Panel--hasCloseButton",smallFluid:"ms-Panel--smFluid",smallFixedNear:"ms-Panel--smLeft",smallFixedFar:"ms-Panel--sm",medium:"ms-Panel--md",large:"ms-Panel--lg",largeFixed:"ms-Panel--fixed",extraLarge:"ms-Panel--xl",custom:"ms-Panel--custom",customNear:"ms-Panel--customLeft"},h="auto",g=((n={})["@media (min-width: "+p.dd+"px)"]={width:340},n),f=((r={})["@media (min-width: "+p.AV+"px)"]={width:592},r["@media (min-width: "+p.qv+"px)"]={width:644},r),v=((i={})["@media (min-width: "+p.bE+"px)"]={left:48,width:"auto"},i["@media (min-width: "+p.B+"px)"]={left:428},i),b=((a={})["@media (min-width: "+p.B+"px)"]={left:h,width:940},a),y=((s={})["@media (min-width: "+p.B+"px)"]={left:176},s),_=function(e){var t;switch(e){case d.w.smallFixedFar:t=(0,u.pi)({},g);break;case d.w.medium:t=(0,u.pi)((0,u.pi)({},g),f);break;case d.w.large:t=(0,u.pi)((0,u.pi)((0,u.pi)({},g),f),v);break;case d.w.largeFixed:t=(0,u.pi)((0,u.pi)((0,u.pi)((0,u.pi)({},g),f),v),b);break;case d.w.extraLarge:t=(0,u.pi)((0,u.pi)((0,u.pi)((0,u.pi)({},g),f),v),y)}return t},C={paddingLeft:"24px",paddingRight:"24px"},S=(0,l.z)(c.P,(function(e){var t,o=e.className,n=e.focusTrapZoneClassName,r=e.hasCloseButton,i=e.headerClassName,a=e.isAnimating,s=e.isFooterSticky,l=e.isFooterAtBottom,c=e.isOnRightSide,g=e.isOpen,f=e.isHiddenOnDismiss,v=e.hasCustomNavigation,b=e.theme,y=e.type,S=void 0===y?d.w.smallFixedFar:y,x=b.effects,k=b.fonts,w=b.semanticColors,I=(0,p.Cn)(m,b),D=S===d.w.custom||S===d.w.customNear;return{root:[I.root,b.fonts.medium,g&&I.isOpen,r&&I.hasCloseButton,{pointerEvents:"none",position:"absolute",top:0,left:0,right:0,bottom:0},D&&c&&I.custom,D&&!c&&I.customNear,o],overlay:[{pointerEvents:"auto",cursor:"pointer"},g&&a&&p.k4.fadeIn100,!g&&a&&p.k4.fadeOut100],hiddenPanel:[!g&&!a&&f&&{visibility:"hidden"}],main:[I.main,{backgroundColor:w.bodyBackground,boxShadow:x.elevation64,pointerEvents:"auto",position:"absolute",display:"flex",flexDirection:"column",overflowX:"hidden",overflowY:"auto",WebkitOverflowScrolling:"touch",bottom:0,top:0,left:h,right:0,width:"100%",selectors:(0,u.pi)((t={},t[p.qJ]={borderLeft:"3px solid "+w.variantBorder,borderRight:"3px solid "+w.variantBorder},t),_(S))},S===d.w.smallFluid&&{left:0},S===d.w.smallFixedNear&&{left:0,right:h,width:272},S===d.w.customNear&&{right:"auto",left:0},D&&{maxWidth:"100vw"},g&&a&&!c&&p.k4.slideRightIn40,g&&a&&c&&p.k4.slideLeftIn40,!g&&a&&!c&&p.k4.slideLeftOut40,!g&&a&&c&&p.k4.slideRightOut40,n],commands:[I.commands,{marginTop:18},v&&{marginTop:"inherit"}],navigation:[I.navigation,{display:"flex",justifyContent:"flex-end"},v&&{height:"44px"}],contentInner:[I.contentInner,{display:"flex",flexDirection:"column",flexGrow:1,overflowY:"hidden"}],header:[I.header,C,{alignSelf:"flex-start"},r&&!v&&{flexGrow:1},v&&{flexShrink:0}],headerText:[I.headerText,k.xLarge,{color:w.bodyText,lineHeight:"27px",overflowWrap:"break-word",wordWrap:"break-word",wordBreak:"break-word",hyphens:"auto"},i],scrollableContent:[I.scrollableContent,{overflowY:"auto"},l&&{flexGrow:1}],content:[I.content,C,{paddingBottom:20}],footer:[I.footer,{flexShrink:0,borderTop:"1px solid transparent",transition:"opacity "+p.D1.durationValue3+" "+p.D1.easeFunction2},s&&{background:w.bodyBackground,borderTopColor:w.variantBorder}],footerInner:[I.footerInner,C,{paddingBottom:16,paddingTop:16}],subComponentStyles:{closeButton:{root:[I.closeButton,{marginRight:14,color:b.palette.neutralSecondary,fontSize:p.ld.large},v&&{marginRight:0,height:"auto",width:"44px"}],rootHovered:{color:b.palette.neutralPrimary}}}}}),void 0,{scope:"Panel"})},2758:(e,t,o)=>{"use strict";var n;o.d(t,{w:()=>n}),function(e){e[e.smallFluid=0]="smallFluid",e[e.smallFixedFar=1]="smallFixedFar",e[e.smallFixedNear=2]="smallFixedNear",e[e.medium=3]="medium",e[e.large=4]="large",e[e.largeFixed=5]="largeFixed",e[e.extraLarge=6]="extraLarge",e[e.custom=7]="custom",e[e.customNear=8]="customNear"}(n||(n={}))},7047:(e,t,o)=>{"use strict";o.d(t,{R:()=>f});var n=o(7622),r=o(7002),i=o(7300),a=o(63),s=o(8127),l=o(5816),c=o(3967),u=o(6543),d=o(7481),p=o(9241),m=o(6628),h=(0,i.y)(),g={size:d.Ir.size48,presence:d.H_.none,imageAlt:""},f=r.forwardRef((function(e,t){var o=(0,a.j)(g,e),i=r.useRef(null),f=(0,p.r)(t,i),v=function(){return o.text||o.primaryText||""},b=function(e,t,n){return r.createElement("div",{dir:"auto",className:e},t&&t(o,n))},y=function(e){return e?function(){return r.createElement(l.G,{content:e,overflowMode:c.y.Parent,directionalHint:m.b.topLeftEdge},e)}:void 0},_=y(v()),C=y(o.secondaryText),S=y(o.tertiaryText),x=y(o.optionalText),k=o.hidePersonaDetails,w=o.onRenderOptionalText,I=void 0===w?x:w,D=o.onRenderPrimaryText,T=void 0===D?_:D,E=o.onRenderSecondaryText,P=void 0===E?C:E,M=o.onRenderTertiaryText,R=void 0===M?S:M,N=o.onRenderPersonaCoin,B=void 0===N?function(e){return r.createElement(u.t,(0,n.pi)({},e))}:N,F=o.size,L=o.allowPhoneInitials,A=o.className,z=o.coinProps,H=o.showUnknownPersonaCoin,O=o.coinSize,W=o.styles,V=o.imageAlt,K=o.imageInitials,q=o.imageShouldFadeIn,G=o.imageShouldStartVisible,U=o.imageUrl,j=o.initialsColor,J=o.initialsTextColor,Y=o.isOutOfOffice,Z=o.onPhotoLoadingStateChange,X=o.onRenderCoin,Q=o.onRenderInitials,$=o.presence,ee=o.presenceTitle,te=o.presenceColors,oe=o.showInitialsUntilImageLoads,ne=o.showSecondaryText,re=o.theme,ie=(0,n.pi)({allowPhoneInitials:L,showUnknownPersonaCoin:H,coinSize:O,imageAlt:V,imageInitials:K,imageShouldFadeIn:q,imageShouldStartVisible:G,imageUrl:U,initialsColor:j,initialsTextColor:J,onPhotoLoadingStateChange:Z,onRenderCoin:X,onRenderInitials:Q,presence:$,presenceTitle:ee,showInitialsUntilImageLoads:oe,size:F,text:v(),isOutOfOffice:Y,presenceColors:te},z),ae=h(W,{theme:re,className:A,showSecondaryText:ne,presence:$,size:F}),se=(0,s.pq)(o,s.n7),le=r.createElement("div",{className:ae.details},b(ae.primaryText,T,_),b(ae.secondaryText,P,C),b(ae.tertiaryText,R,S),b(ae.optionalText,I,x),o.children);return r.createElement("div",(0,n.pi)({},se,{ref:f,className:ae.root,style:O?{height:O,minWidth:O}:void 0}),B(ie,B),(!k||F===d.Ir.size8||F===d.Ir.size10||F===d.Ir.tiny)&&le)}));f.displayName="PersonaBase"},7665:(e,t,o)=>{"use strict";o.d(t,{I:()=>l});var n=o(2002),r=o(7047),i=o(9729),a=o(8337),s={root:"ms-Persona",size8:"ms-Persona--size8",size10:"ms-Persona--size10",size16:"ms-Persona--size16",size24:"ms-Persona--size24",size28:"ms-Persona--size28",size32:"ms-Persona--size32",size40:"ms-Persona--size40",size48:"ms-Persona--size48",size56:"ms-Persona--size56",size72:"ms-Persona--size72",size100:"ms-Persona--size100",size120:"ms-Persona--size120",available:"ms-Persona--online",away:"ms-Persona--away",blocked:"ms-Persona--blocked",busy:"ms-Persona--busy",doNotDisturb:"ms-Persona--donotdisturb",offline:"ms-Persona--offline",details:"ms-Persona-details",primaryText:"ms-Persona-primaryText",secondaryText:"ms-Persona-secondaryText",tertiaryText:"ms-Persona-tertiaryText",optionalText:"ms-Persona-optionalText",textContent:"ms-Persona-textContent"},l=(0,n.z)(r.R,(function(e){var t=e.className,o=e.showSecondaryText,n=e.theme,r=n.semanticColors,l=n.fonts,c=(0,i.Cn)(s,n),u=(0,a.yR)(e.size),d=(0,a.zx)(e.presence),p="16px",m={color:r.bodySubtext,fontWeight:i.lq.regular,fontSize:l.small.fontSize};return{root:[c.root,n.fonts.medium,i.Fv,{color:r.bodyText,position:"relative",height:a.or.size48,minWidth:a.or.size48,display:"flex",alignItems:"center",selectors:{".contextualHost":{display:"none"}}},u.isSize8&&[c.size8,{height:a.or.size8,minWidth:a.or.size8}],u.isSize10&&[c.size10,{height:a.or.size10,minWidth:a.or.size10}],u.isSize16&&[c.size16,{height:a.or.size16,minWidth:a.or.size16}],u.isSize24&&[c.size24,{height:a.or.size24,minWidth:a.or.size24}],u.isSize24&&o&&{height:"36px"},u.isSize28&&[c.size28,{height:a.or.size28,minWidth:a.or.size28}],u.isSize28&&o&&{height:"32px"},u.isSize32&&[c.size32,{height:a.or.size32,minWidth:a.or.size32}],u.isSize40&&[c.size40,{height:a.or.size40,minWidth:a.or.size40}],u.isSize48&&c.size48,u.isSize56&&[c.size56,{height:a.or.size56,minWidth:a.or.size56}],u.isSize72&&[c.size72,{height:a.or.size72,minWidth:a.or.size72}],u.isSize100&&[c.size100,{height:a.or.size100,minWidth:a.or.size100}],u.isSize120&&[c.size120,{height:a.or.size120,minWidth:a.or.size120}],d.isAvailable&&c.available,d.isAway&&c.away,d.isBlocked&&c.blocked,d.isBusy&&c.busy,d.isDoNotDisturb&&c.doNotDisturb,d.isOffline&&c.offline,t],details:[c.details,{padding:"0 24px 0 16px",minWidth:0,width:"100%",textAlign:"left",display:"flex",flexDirection:"column",justifyContent:"space-around"},(u.isSize8||u.isSize10)&&{paddingLeft:17},(u.isSize24||u.isSize28||u.isSize32)&&{padding:"0 8px"},(u.isSize40||u.isSize48)&&{padding:"0 12px"}],primaryText:[c.primaryText,i.jq,{color:r.bodyText,fontWeight:i.lq.regular,fontSize:l.medium.fontSize,selectors:{":hover":{color:r.inputTextHovered}}},o&&{height:p,lineHeight:p,overflowX:"hidden"},(u.isSize8||u.isSize10)&&{fontSize:l.small.fontSize,lineHeight:a.or.size8},u.isSize16&&{lineHeight:a.or.size28},(u.isSize24||u.isSize28||u.isSize32||u.isSize40||u.isSize48)&&o&&{height:18},(u.isSize56||u.isSize72||u.isSize100||u.isSize120)&&{fontSize:l.xLarge.fontSize},(u.isSize56||u.isSize72||u.isSize100||u.isSize120)&&o&&{height:22}],secondaryText:[c.secondaryText,i.jq,m,(u.isSize8||u.isSize10||u.isSize16||u.isSize24||u.isSize28||u.isSize32)&&{display:"none"},o&&{display:"block",height:p,lineHeight:p,overflowX:"hidden"},u.isSize24&&o&&{height:18},(u.isSize56||u.isSize72||u.isSize100||u.isSize120)&&{fontSize:l.medium.fontSize},(u.isSize56||u.isSize72||u.isSize100||u.isSize120)&&o&&{height:18}],tertiaryText:[c.tertiaryText,i.jq,m,{display:"none",fontSize:l.medium.fontSize},(u.isSize72||u.isSize100||u.isSize120)&&{display:"block"}],optionalText:[c.optionalText,i.jq,m,{display:"none",fontSize:l.medium.fontSize},(u.isSize100||u.isSize120)&&{display:"block"}],textContent:[c.textContent,i.jq]}}),void 0,{scope:"Persona"})},7481:(e,t,o)=>{"use strict";var n,r,i;o.d(t,{Ir:()=>n,H_:()=>r,z5:()=>i}),function(e){e[e.tiny=0]="tiny",e[e.extraExtraSmall=1]="extraExtraSmall",e[e.extraSmall=2]="extraSmall",e[e.small=3]="small",e[e.regular=4]="regular",e[e.large=5]="large",e[e.extraLarge=6]="extraLarge",e[e.size8=17]="size8",e[e.size10=9]="size10",e[e.size16=8]="size16",e[e.size24=10]="size24",e[e.size28=7]="size28",e[e.size32=11]="size32",e[e.size40=12]="size40",e[e.size48=13]="size48",e[e.size56=16]="size56",e[e.size72=14]="size72",e[e.size100=15]="size100",e[e.size120=18]="size120"}(n||(n={})),function(e){e[e.none=0]="none",e[e.offline=1]="offline",e[e.online=2]="online",e[e.away=3]="away",e[e.dnd=4]="dnd",e[e.blocked=5]="blocked",e[e.busy=6]="busy"}(r||(r={})),function(e){e[e.lightBlue=0]="lightBlue",e[e.blue=1]="blue",e[e.darkBlue=2]="darkBlue",e[e.teal=3]="teal",e[e.lightGreen=4]="lightGreen",e[e.green=5]="green",e[e.darkGreen=6]="darkGreen",e[e.lightPink=7]="lightPink",e[e.pink=8]="pink",e[e.magenta=9]="magenta",e[e.purple=10]="purple",e[e.black=11]="black",e[e.orange=12]="orange",e[e.red=13]="red",e[e.darkRed=14]="darkRed",e[e.transparent=15]="transparent",e[e.violet=16]="violet",e[e.lightRed=17]="lightRed",e[e.gold=18]="gold",e[e.burgundy=19]="burgundy",e[e.warmGray=20]="warmGray",e[e.coolGray=21]="coolGray",e[e.gray=22]="gray",e[e.cyan=23]="cyan",e[e.rust=24]="rust"}(i||(i={}))},867:(e,t,o)=>{"use strict";o.d(t,{z:()=>R});var n=o(7622),r=o(7002),i=o(7300),a=o(5094),s=o(63),l=o(8127),c=o(5951),u=o(6104),d=o(9729),p=o(2002),m=o(9947),h=o(7481),g=o(8337),f=o(9241),v=(0,i.y)({cacheSize:100}),b=r.forwardRef((function(e,t){var o=e.coinSize,n=e.isOutOfOffice,i=e.styles,a=e.presence,s=e.theme,l=e.presenceTitle,c=e.presenceColors,u=r.useRef(null),d=(0,f.r)(t,u),p=(0,g.yR)(e.size),b=!(p.isSize8||p.isSize10||p.isSize16||p.isSize24||p.isSize28||p.isSize32)&&(!o||o>32),_=o?o/3<40?o/3+"px":"40px":"",C=o?{fontSize:o?o/6<20?o/6+"px":"20px":"",lineHeight:_}:void 0,S=o?{width:_,height:_}:void 0,x=v(i,{theme:s,presence:a,size:e.size,isOutOfOffice:n,presenceColors:c});return a===h.H_.none?null:r.createElement("div",{role:"presentation",className:x.presence,style:S,title:l,ref:d},b&&r.createElement(m.J,{className:x.presenceIcon,iconName:y(e.presence,e.isOutOfOffice),style:C}))}));function y(e,t){if(e){var o="SkypeArrow";switch(h.H_[e]){case"online":return"SkypeCheck";case"away":return t?o:"SkypeClock";case"dnd":return"SkypeMinus";case"offline":return t?o:""}return""}}b.displayName="PersonaPresenceBase";var _={presence:"ms-Persona-presence",presenceIcon:"ms-Persona-presenceIcon"};function C(e){return{color:e,borderColor:e}}function S(e,t){return{selectors:{":before":{border:e+" solid "+t}}}}function x(e){return{height:e,width:e}}function k(e){return{backgroundColor:e}}var w=(0,p.z)(b,(function(e){var t,o,r,i,a,s,l=e.theme,c=e.presenceColors,u=l.semanticColors,p=l.fonts,m=(0,d.Cn)(_,l),h=(0,g.yR)(e.size),f=(0,g.zx)(e.presence),v=c&&c.available||"#6BB700",b=c&&c.away||"#FFAA44",y=c&&c.busy||"#C43148",w=c&&c.dnd||"#C50F1F",I=c&&c.offline||"#8A8886",D=c&&c.oof||"#B4009E",T=c&&c.background||u.bodyBackground,E=f.isOffline||e.isOutOfOffice&&(f.isAvailable||f.isBusy||f.isAway||f.isDoNotDisturb),P=h.isSize72||h.isSize100?"2px":"1px";return{presence:[m.presence,(0,n.pi)((0,n.pi)({position:"absolute",height:g.bw.size12,width:g.bw.size12,borderRadius:"50%",top:"auto",right:"-2px",bottom:"-2px",border:"2px solid "+T,textAlign:"center",boxSizing:"content-box",backgroundClip:"content-box"},(0,d.xM)()),{selectors:(t={},t[d.qJ]={borderColor:"Window",backgroundColor:"WindowText"},t)}),(h.isSize8||h.isSize10)&&{right:"auto",top:"7px",left:0,border:0,selectors:(o={},o[d.qJ]={top:"9px",border:"1px solid WindowText"},o)},(h.isSize8||h.isSize10||h.isSize24||h.isSize28||h.isSize32)&&x(g.bw.size8),(h.isSize40||h.isSize48)&&x(g.bw.size12),h.isSize16&&{height:g.bw.size6,width:g.bw.size6,borderWidth:"1.5px"},h.isSize56&&x(g.bw.size16),h.isSize72&&x(g.bw.size20),h.isSize100&&x(g.bw.size28),h.isSize120&&x(g.bw.size32),f.isAvailable&&{backgroundColor:v,selectors:(r={},r[d.qJ]=k("Highlight"),r)},f.isAway&&k(b),f.isBlocked&&[{selectors:(i={":after":h.isSize40||h.isSize48||h.isSize72||h.isSize100?{content:'""',width:"100%",height:P,backgroundColor:y,transform:"translateY(-50%) rotate(-45deg)",position:"absolute",top:"50%",left:0}:void 0},i[d.qJ]={selectors:{":after":{width:"calc(100% - 4px)",left:"2px",backgroundColor:"Window"}}},i)}],f.isBusy&&k(y),f.isDoNotDisturb&&k(w),f.isOffline&&k(I),(E||f.isBlocked)&&[{backgroundColor:T,selectors:(a={":before":{content:'""',width:"100%",height:"100%",position:"absolute",top:0,left:0,border:P+" solid "+y,borderRadius:"50%",boxSizing:"border-box"}},a[d.qJ]={backgroundColor:"WindowText",selectors:{":before":{width:"calc(100% - 2px)",height:"calc(100% - 2px)",top:"1px",left:"1px",borderColor:"Window"}}},a)}],E&&f.isAvailable&&S(P,v),E&&f.isBusy&&S(P,y),E&&f.isAway&&S(P,D),E&&f.isDoNotDisturb&&S(P,w),E&&f.isOffline&&S(P,I),E&&f.isOffline&&e.isOutOfOffice&&S(P,D)],presenceIcon:[m.presenceIcon,{color:T,fontSize:"6px",lineHeight:g.bw.size12,verticalAlign:"top",selectors:(s={},s[d.qJ]={color:"Window"},s)},h.isSize56&&{fontSize:"8px",lineHeight:g.bw.size16},h.isSize72&&{fontSize:p.small.fontSize,lineHeight:g.bw.size20},h.isSize100&&{fontSize:p.medium.fontSize,lineHeight:g.bw.size28},h.isSize120&&{fontSize:p.medium.fontSize,lineHeight:g.bw.size32},f.isAway&&{position:"relative",left:E?void 0:"1px"},E&&f.isAvailable&&C(v),E&&f.isBusy&&C(y),E&&f.isAway&&C(D),E&&f.isDoNotDisturb&&C(w),E&&f.isOffline&&C(I),E&&f.isOffline&&e.isOutOfOffice&&C(D)]}}),void 0,{scope:"PersonaPresence"}),I=o(6711),D=o(4861),T=o(4192),E=(0,i.y)({cacheSize:100}),P=(0,a.NF)((function(e,t,o,n,r,i){return(0,d.y0)(e,!i&&{backgroundColor:(0,T.g)({text:n,initialsColor:t,primaryText:r}),color:o})})),M={size:h.Ir.size48,presence:h.H_.none,imageAlt:""},R=r.forwardRef((function(e,t){var o=(0,s.j)(M,e),i=function(e){var t=e.onPhotoLoadingStateChange,o=e.imageUrl,n=r.useState(I.U9.notLoaded),i=n[0],a=n[1];return r.useEffect((function(){a(I.U9.notLoaded)}),[o]),[i,function(e){var o;a(e),null===(o=t)||void 0===o||o(e)}]}(o),a=i[0],c=i[1],u=N(c),d=o.className,p=o.coinProps,g=o.showUnknownPersonaCoin,f=o.coinSize,v=o.styles,b=o.imageUrl,y=o.initialsColor,_=o.initialsTextColor,C=o.isOutOfOffice,S=o.onRenderCoin,x=void 0===S?u:S,k=o.onRenderPersonaCoin,D=void 0===k?x:k,T=o.onRenderInitials,R=void 0===T?B:T,F=o.presence,L=o.presenceTitle,A=o.presenceColors,z=o.primaryText,H=o.showInitialsUntilImageLoads,O=o.text,W=o.theme,V=o.size,K=(0,l.pq)(o,l.n7),q=(0,l.pq)(p||{},l.n7),G=f?{width:f,height:f}:void 0,U=g,j={coinSize:f,isOutOfOffice:C,presence:F,presenceTitle:L,presenceColors:A,size:V,theme:W},J=E(v,{theme:W,className:p&&p.className?p.className:d,size:V,coinSize:f,showUnknownPersonaCoin:g}),Y=Boolean(a!==I.U9.loaded&&(H&&b||!b||a===I.U9.error||U));return r.createElement("div",(0,n.pi)({role:"presentation"},K,{className:J.coin,ref:t}),V!==h.Ir.size8&&V!==h.Ir.size10&&V!==h.Ir.tiny?r.createElement("div",(0,n.pi)({role:"presentation"},q,{className:J.imageArea,style:G}),Y&&r.createElement("div",{className:P(J.initials,y,_,O,z,g),style:G,"aria-hidden":"true"},R(o,B)),!U&&D(o,u),r.createElement(w,(0,n.pi)({},j))):o.presence?r.createElement(w,(0,n.pi)({},j)):r.createElement(m.J,{iconName:"Contact",className:J.size10WithoutPresenceIcon}),o.children)}));R.displayName="PersonaCoinBase";var N=function(e){return function(t){var o=t.coinSize,n=t.styles,i=t.imageUrl,a=t.imageAlt,s=t.imageShouldFadeIn,l=t.imageShouldStartVisible,c=t.theme,u=t.showUnknownPersonaCoin,d=t.size,p=void 0===d?M.size:d;if(!i)return null;var m=E(n,{theme:c,size:p,showUnknownPersonaCoin:u}),h=o||g.Y4[p];return r.createElement(D.E,{className:m.image,imageFit:I.kQ.cover,src:i,width:h,height:h,alt:a,shouldFadeIn:s,shouldStartVisible:l,onLoadingStateChange:e})}},B=function(e){var t=e.imageInitials,o=e.allowPhoneInitials,n=e.showUnknownPersonaCoin,i=e.text,a=e.primaryText,s=e.theme;if(n)return r.createElement(m.J,{iconName:"Help"});var l=(0,c.zg)(s);return""!==(t=t||(0,u.Q)(i||a||"",l,o))?r.createElement("span",null,t):r.createElement(m.J,{iconName:"Contact"})}},6543:(e,t,o)=>{"use strict";o.d(t,{t:()=>c});var n=o(2002),r=o(867),i=o(7622),a=o(9729),s=o(8337),l={coin:"ms-Persona-coin",imageArea:"ms-Persona-imageArea",image:"ms-Persona-image",initials:"ms-Persona-initials",size8:"ms-Persona--size8",size10:"ms-Persona--size10",size16:"ms-Persona--size16",size24:"ms-Persona--size24",size28:"ms-Persona--size28",size32:"ms-Persona--size32",size40:"ms-Persona--size40",size48:"ms-Persona--size48",size56:"ms-Persona--size56",size72:"ms-Persona--size72",size100:"ms-Persona--size100",size120:"ms-Persona--size120"},c=(0,n.z)(r.z,(function(e){var t,o=e.className,n=e.theme,r=e.coinSize,c=n.palette,u=n.fonts,d=(0,s.yR)(e.size),p=(0,a.Cn)(l,n),m=r||e.size&&s.Y4[e.size]||48;return{coin:[p.coin,u.medium,d.isSize8&&p.size8,d.isSize10&&p.size10,d.isSize16&&p.size16,d.isSize24&&p.size24,d.isSize28&&p.size28,d.isSize32&&p.size32,d.isSize40&&p.size40,d.isSize48&&p.size48,d.isSize56&&p.size56,d.isSize72&&p.size72,d.isSize100&&p.size100,d.isSize120&&p.size120,o],size10WithoutPresenceIcon:{fontSize:u.xSmall.fontSize,position:"absolute",top:"5px",right:"auto",left:0},imageArea:[p.imageArea,{position:"relative",textAlign:"center",flex:"0 0 auto",height:m,width:m},m<=10&&{overflow:"visible",background:"transparent",height:0,width:0}],image:[p.image,{marginRight:"10px",position:"absolute",top:0,left:0,width:"100%",height:"100%",border:0,borderRadius:"50%",perspective:"1px"},m<=10&&{overflow:"visible",background:"transparent",height:0,width:0},m>10&&{height:m,width:m}],initials:[p.initials,{borderRadius:"50%",color:e.showUnknownPersonaCoin?"rgb(168, 0, 0)":c.white,fontSize:u.large.fontSize,fontWeight:a.lq.semibold,lineHeight:48===m?46:m,height:m,selectors:(t={},t[a.qJ]=(0,i.pi)((0,i.pi)({border:"1px solid WindowText"},(0,a.xM)()),{color:"WindowText",boxSizing:"border-box",backgroundColor:"Window !important"}),t.i={fontWeight:a.lq.semibold},t)},e.showUnknownPersonaCoin&&{backgroundColor:"rgb(234, 234, 234)"},m<32&&{fontSize:u.xSmall.fontSize},m>=32&&m<40&&{fontSize:u.medium.fontSize},m>=40&&m<56&&{fontSize:u.mediumPlus.fontSize},m>=56&&m<72&&{fontSize:u.xLarge.fontSize},m>=72&&m<100&&{fontSize:u.xxLarge.fontSize},m>=100&&{fontSize:u.superLarge.fontSize}]}}),void 0,{scope:"PersonaCoin"})},8337:(e,t,o)=>{"use strict";o.d(t,{or:()=>r,bw:()=>i,yR:()=>s,Y4:()=>l,zx:()=>c});var n,r,i,a=o(7481);!function(e){e.size8="20px",e.size10="20px",e.size16="16px",e.size24="24px",e.size28="28px",e.size32="32px",e.size40="40px",e.size48="48px",e.size56="56px",e.size72="72px",e.size100="100px",e.size120="120px"}(r||(r={})),function(e){e.size6="6px",e.size8="8px",e.size12="12px",e.size16="16px",e.size20="20px",e.size28="28px",e.size32="32px",e.border="2px"}(i||(i={}));var s=function(e){return{isSize8:e===a.Ir.size8,isSize10:e===a.Ir.size10||e===a.Ir.tiny,isSize16:e===a.Ir.size16,isSize24:e===a.Ir.size24||e===a.Ir.extraExtraSmall,isSize28:e===a.Ir.size28||e===a.Ir.extraSmall,isSize32:e===a.Ir.size32,isSize40:e===a.Ir.size40||e===a.Ir.small,isSize48:e===a.Ir.size48||e===a.Ir.regular,isSize56:e===a.Ir.size56,isSize72:e===a.Ir.size72||e===a.Ir.large,isSize100:e===a.Ir.size100||e===a.Ir.extraLarge,isSize120:e===a.Ir.size120}},l=((n={})[a.Ir.tiny]=10,n[a.Ir.extraExtraSmall]=24,n[a.Ir.extraSmall]=28,n[a.Ir.small]=40,n[a.Ir.regular]=48,n[a.Ir.large]=72,n[a.Ir.extraLarge]=100,n[a.Ir.size8]=8,n[a.Ir.size10]=10,n[a.Ir.size16]=16,n[a.Ir.size24]=24,n[a.Ir.size28]=28,n[a.Ir.size32]=32,n[a.Ir.size40]=40,n[a.Ir.size48]=48,n[a.Ir.size56]=56,n[a.Ir.size72]=72,n[a.Ir.size100]=100,n[a.Ir.size120]=120,n),c=function(e){return{isAvailable:e===a.H_.online,isAway:e===a.H_.away,isBlocked:e===a.H_.blocked,isBusy:e===a.H_.busy,isDoNotDisturb:e===a.H_.dnd,isOffline:e===a.H_.offline}}},4192:(e,t,o)=>{"use strict";o.d(t,{g:()=>a});var n=o(7481),r=[n.z5.lightBlue,n.z5.blue,n.z5.darkBlue,n.z5.teal,n.z5.green,n.z5.darkGreen,n.z5.lightPink,n.z5.pink,n.z5.magenta,n.z5.purple,n.z5.orange,n.z5.lightRed,n.z5.darkRed,n.z5.violet,n.z5.gold,n.z5.burgundy,n.z5.warmGray,n.z5.cyan,n.z5.rust,n.z5.coolGray],i=r.length;function a(e){var t=e.primaryText,o=e.text,a=e.initialsColor;return"string"==typeof a?a:function(e){switch(e){case n.z5.lightBlue:return"#4F6BED";case n.z5.blue:return"#0078D4";case n.z5.darkBlue:return"#004E8C";case n.z5.teal:return"#038387";case n.z5.lightGreen:case n.z5.green:return"#498205";case n.z5.darkGreen:return"#0B6A0B";case n.z5.lightPink:return"#C239B3";case n.z5.pink:return"#E3008C";case n.z5.magenta:return"#881798";case n.z5.purple:return"#5C2E91";case n.z5.orange:return"#CA5010";case n.z5.red:return"#EE1111";case n.z5.lightRed:return"#D13438";case n.z5.darkRed:return"#A4262C";case n.z5.transparent:return"transparent";case n.z5.violet:return"#8764B8";case n.z5.gold:return"#986F0B";case n.z5.burgundy:return"#750B1C";case n.z5.warmGray:return"#7A7574";case n.z5.cyan:return"#005B70";case n.z5.rust:return"#8E562E";case n.z5.coolGray:return"#69797E";case n.z5.black:return"#1D1D1D";case n.z5.gray:return"#393939"}}(a=void 0!==a?a:function(e){var t=n.z5.blue;if(!e)return t;for(var o=0,a=e.length-1;a>=0;a--){var s=e.charCodeAt(a),l=a%8;o^=(s<>8-l)}return r[o%i]}(o||t))}},752:(e,t,o)=>{"use strict";o.d(t,{G:()=>g});var n=o(7622),r=o(7002),i=o(9757),a=o(5446),s=o(4553),l=o(8145),c=o(8127),u=o(3528),d=o(757),p=o(9241),m=o(8901);function h(e){var t=e.originalElement,o=e.containsFocus;t&&o&&t!==(0,i.J)()&&setTimeout((function(){var e,o;null===(o=(e=t).focus)||void 0===o||o.call(e)}),0)}var g=r.forwardRef((function(e,t){e=(0,n.pi)({shouldRestoreFocus:!0},e);var o=r.useRef(),i=(0,p.r)(o,t);!function(e,t){var o=e.onRestoreFocus,n=void 0===o?h:o,i=r.useRef(),l=r.useRef(!1);r.useEffect((function(){return i.current=(0,a.M)().activeElement,(0,s.WU)(t.current)&&(l.current=!0),function(){var e,t;null===(e=n)||void 0===e||e({originalElement:i.current,containsFocus:l.current,documentContainsFocus:(null===(t=(0,a.M)())||void 0===t?void 0:t.hasFocus())||!1}),i.current=void 0}}),[]),(0,d.d)(t,"focus",r.useCallback((function(){l.current=!0}),[]),!0),(0,d.d)(t,"blur",r.useCallback((function(e){t.current&&e.relatedTarget&&!t.current.contains(e.relatedTarget)&&(l.current=!1)}),[]),!0)}(e,o);var g=e.role,f=e.className,v=e.ariaLabel,b=e.ariaLabelledBy,y=e.ariaDescribedBy,_=e.style,C=e.children,S=e.onDismiss,x=function(e,t){var o=(0,u.r)(),n=r.useState(!1),i=n[0],a=n[1];return r.useEffect((function(){return o.requestAnimationFrame((function(){var o;if(!e.style||!e.style.overflowY){var n=!1;if(t&&t.current&&(null===(o=t.current)||void 0===o?void 0:o.firstElementChild)){var r=t.current.clientHeight,s=t.current.firstElementChild.clientHeight;r>0&&s>r&&(n=s-r>1)}i!==n&&a(n)}})),function(){return o.dispose()}})),i}(e,o),k=r.useCallback((function(e){switch(e.which){case l.m.escape:S&&(S(e),e.preventDefault(),e.stopPropagation())}}),[S]),w=(0,m.zY)();return(0,d.d)(w,"keydown",k),r.createElement("div",(0,n.pi)({ref:i},(0,c.pq)(e,c.n7),{className:f,role:g,"aria-label":v,"aria-labelledby":b,"aria-describedby":y,onKeyDown:k,style:(0,n.pi)({overflowY:x?"scroll":void 0,outline:"none"},_)}),C)}))},1405:(e,t,o)=>{"use strict";o.d(t,{x:()=>b});var n=o(7622),r=o(7002),i=o(7300),a=o(8127),s=o(8088),l=o(6953),c=o(9947),u=o(2998),d=o(7023),p=o(7813),m=o(4085),h=o(6548),g=(0,i.y)(),f=function(e){return r.createElement("div",{className:e.classNames.ratingStar},r.createElement(c.J,{className:e.classNames.ratingStarBack,iconName:e.icon}),!e.disabled&&r.createElement(c.J,{className:e.classNames.ratingStarFront,iconName:e.icon,style:{width:e.fillPercentage+"%"}}))},v=function(e,t){return e+"-star-"+(t-1)},b=r.forwardRef((function(e,t){var o,i=(0,m.M)("Rating"),c=(0,m.M)("RatingLabel"),b=e.ariaLabel,y=e.ariaLabelFormat,_=e.disabled,C=e.getAriaLabel,S=e.styles,x=e.min,k=void 0===x?e.allowZeroStars?0:1:x,w=e.max,I=void 0===w?5:w,D=e.readOnly,T=e.size,E=e.theme,P=e.icon,M=void 0===P?"FavoriteStarFill":P,R=e.unselectedIcon,N=void 0===R?"FavoriteStar":R,B=e.onRenderStar,F=Math.max(k,0),L=(0,h.G)(e.rating,e.defaultRating,e.onChange),A=L[0],z=L[1],H=function(e,t,o){return Math.min(Math.max(null!=e?e:t,t),o)}(A,F,I);!function(e,t){r.useImperativeHandle(e,(function(){return{rating:t}}),[t])}(e.componentRef,H);for(var O=(0,a.pq)(e,a.n7),W=g(S,{disabled:_,readOnly:D,theme:E}),V=null===(o=C)||void 0===o?void 0:o(H,I),K=b||V,q=[],G=function(e){var t,o,a=function(e,t){var o=Math.ceil(t),n=100;return e===t?n=100:e===o?n=t%1*100:e>o&&(n=0),n}(e,H),u=function(t){void 0!==A&&Math.ceil(A)===e||z(e,t)};q.push(r.createElement("button",(0,n.pi)({className:(0,s.i)(W.ratingButton,T===p.O.Large?W.ratingStarIsLarge:W.ratingStarIsSmall),id:v(i,e),key:e},e===Math.ceil(H)&&{"data-is-current":!0},{onFocus:u,onClick:u,disabled:!(!_&&!D),role:"radio","aria-hidden":D?"true":void 0,type:"button","aria-checked":e===Math.ceil(H)}),r.createElement("span",{id:c+"-"+e,className:W.labelText},(0,l.W)(y||"",e,I)),(t={fillPercentage:a,disabled:_,classNames:W,icon:a>0?M:N,starNum:e},(o=B)?o(t):r.createElement(f,(0,n.pi)({},t)))))},U=1;U<=I;U++)G(U);var j=T===p.O.Large?W.rootIsLarge:W.rootIsSmall;return r.createElement("div",(0,n.pi)({ref:t,className:(0,s.i)("ms-Rating-star",W.root,j),"aria-label":D?void 0:K,id:i,role:D?void 0:"radiogroup"},O),r.createElement(u.k,(0,n.pi)({direction:d.U.bidirectional,className:(0,s.i)(W.ratingFocusZone,j),defaultActiveElement:"#"+v(i,Math.ceil(H))},D&&{allowFocusRoot:!0,disabled:!0,role:"textbox","aria-label":V,"aria-readonly":!0,"data-is-focusable":!0,tabIndex:0}),q))}));b.displayName="RatingBase"},558:(e,t,o)=>{"use strict";o.d(t,{i:()=>l});var n=o(2002),r=o(9729),i={root:"ms-RatingStar-root",rootIsSmall:"ms-RatingStar-root--small",rootIsLarge:"ms-RatingStar-root--large",ratingStar:"ms-RatingStar-container",ratingStarBack:"ms-RatingStar-back",ratingStarFront:"ms-RatingStar-front",ratingButton:"ms-Rating-button",ratingStarIsSmall:"ms-Rating--small",ratingStartIsLarge:"ms-Rating--large",labelText:"ms-Rating-labelText",ratingFocusZone:"ms-Rating-focuszone"};function a(e,t){var o;return{color:e,selectors:(o={},o[r.qJ]={color:t},o)}}var s=o(1405),l=(0,n.z)(s.x,(function(e){var t=e.disabled,o=e.readOnly,n=e.theme,s=n.semanticColors,l=n.palette,c=(0,r.Cn)(i,n),u=l.neutralSecondary,d=l.themePrimary,p=l.themeDark,m=l.neutralPrimary,h=s.disabledBodySubtext;return{root:[c.root,n.fonts.medium,!t&&!o&&{selectors:{"&:hover":{selectors:{".ms-RatingStar-back":a(m,"Highlight")}}}}],rootIsSmall:[c.rootIsSmall,{height:"32px"}],rootIsLarge:[c.rootIsLarge,{height:"36px"}],ratingStar:[c.ratingStar,{display:"inline-block",position:"relative",height:"inherit"}],ratingStarBack:[c.ratingStarBack,{color:u,width:"100%"},t&&a(h,"GrayText")],ratingStarFront:[c.ratingStarFront,{position:"absolute",height:"100 %",left:"0",top:"0",textAlign:"center",verticalAlign:"middle",overflow:"hidden"},a(m,"Highlight")],ratingButton:[(0,r.GL)(n),c.ratingButton,{backgroundColor:"transparent",padding:"8px 2px",boxSizing:"content-box",margin:"0px",border:"none",cursor:"pointer",selectors:{"&:disabled":{cursor:"default"},"&[disabled]":{cursor:"default"}}},!t&&!o&&{selectors:{"&:hover ~ .ms-Rating-button":{selectors:{".ms-RatingStar-back":a(u,"WindowText"),".ms-RatingStar-front":a(u,"WindowText")}},"&:hover":{selectors:{".ms-RatingStar-back":{color:d},".ms-RatingStar-front":{color:p}}}}},t&&{cursor:"default"}],ratingStarIsSmall:[c.ratingStarIsSmall,{fontSize:"16px",lineHeight:"16px",height:"16px"}],ratingStarIsLarge:[c.ratingStartIsLarge,{fontSize:"20px",lineHeight:"20px",height:"20px"}],labelText:[c.labelText,r.ul],ratingFocusZone:[(0,r.GL)(n),c.ratingFocusZone,{display:"inline-block"}]}}),void 0,{scope:"Rating"})},7813:(e,t,o)=>{"use strict";var n;o.d(t,{O:()=>n}),function(e){e[e.Small=0]="Small",e[e.Large=1]="Large"}(n||(n={}))},3863:(e,t,o)=>{"use strict";o.d(t,{i:()=>b});var n=o(7622),r=o(7002),i=o(7300),a=o(8127),s=o(8145),l=o(6548),c=o(9241),u=o(4085),d=o(5758),p=o(9947),m="SearchBox",h={root:{height:"auto"},icon:{fontSize:"12px"}},g={iconName:"Clear"},f={ariaLabel:"Clear text"},v=(0,i.y)(),b=r.forwardRef((function(e,t){var o=e.defaultValue,i=void 0===o?"":o,b=r.useState(!1),y=b[0],_=b[1],C=(0,l.G)(e.value,i,e.onChange),S=C[0],x=C[1],k=String(S),w=r.useRef(null),I=r.useRef(null),D=(0,c.r)(w,t),T=(0,u.M)(m,e.id),E=e.ariaLabel,P=e.className,M=e.disabled,R=e.underlined,N=e.styles,B=e.labelText,F=e.placeholder,L=void 0===F?B:F,A=e.theme,z=e.clearButtonProps,H=void 0===z?f:z,O=e.disableAnimation,W=void 0!==O&&O,V=e.onClear,K=e.onBlur,q=e.onEscape,G=e.onSearch,U=e.onKeyDown,j=e.iconProps,J=e.role,Y=H.onClick,Z=v(N,{theme:A,className:P,underlined:R,hasFocus:y,disabled:M,hasInput:k.length>0,disableAnimation:W}),X=(0,a.pq)(e,a.Gg,["className","placeholder","onFocus","onBlur","value","role"]),Q=r.useCallback((function(e){var t,o;null===(t=V)||void 0===t||t(e),e.defaultPrevented||(x(""),null===(o=I.current)||void 0===o||o.focus(),e.stopPropagation(),e.preventDefault())}),[V,x]),$=r.useCallback((function(e){var t;null===(t=Y)||void 0===t||t(e),e.defaultPrevented||Q(e)}),[Y,Q]),ee=r.useCallback((function(e){var t;_(!1),null===(t=K)||void 0===t||t(e)}),[K]),te=function(e){x(e.target.value)};return function(e,t,o){r.useImperativeHandle(e,(function(){return{focus:function(){var e;return null===(e=t.current)||void 0===e?void 0:e.focus()},hasFocus:function(){return o}}}),[t,o])}(e.componentRef,I,y),r.createElement("div",{role:J,ref:D,className:Z.root,onFocusCapture:function(t){var o,n;_(!0),null===(n=(o=e).onFocus)||void 0===n||n.call(o,t)}},r.createElement("div",{className:Z.iconContainer,onClick:function(){I.current&&(I.current.focus(),I.current.selectionStart=I.current.selectionEnd=0)},"aria-hidden":!0},r.createElement(p.J,(0,n.pi)({iconName:"Search"},j,{className:Z.icon}))),r.createElement("input",(0,n.pi)({},X,{id:T,className:Z.field,placeholder:L,onChange:te,onInput:te,onBlur:ee,onKeyDown:function(e){var t,o;switch(e.which){case s.m.escape:null===(t=q)||void 0===t||t(e),k&&!e.defaultPrevented&&Q(e);break;case s.m.enter:G&&(G(k),e.preventDefault(),e.stopPropagation());break;default:null===(o=U)||void 0===o||o(e),e.defaultPrevented&&e.stopPropagation()}},value:k,disabled:M,role:"searchbox","aria-label":E,ref:I})),k.length>0&&r.createElement("div",{className:Z.clearButton},r.createElement(d.h,(0,n.pi)({onBlur:ee,styles:h,iconProps:g},H,{onClick:$}))))}));b.displayName=m},6419:(e,t,o)=>{"use strict";o.d(t,{R:()=>l});var n=o(2002),r=o(3863),i=o(9729),a=o(5951),s={root:"ms-SearchBox",iconContainer:"ms-SearchBox-iconContainer",icon:"ms-SearchBox-icon",clearButton:"ms-SearchBox-clearButton",field:"ms-SearchBox-field"},l=(0,n.z)(r.i,(function(e){var t,o,n,r,l=e.theme,c=e.underlined,u=e.disabled,d=e.hasFocus,p=e.className,m=e.hasInput,h=e.disableAnimation,g=l.palette,f=l.fonts,v=l.semanticColors,b=l.effects,y=(0,i.Cn)(s,l),_={color:v.inputPlaceholderText,opacity:1},C=g.neutralSecondary,S=g.neutralPrimary,x=g.neutralLighter,k=g.neutralLighter,w=g.neutralLighter;return{root:[y.root,f.medium,i.Fv,{color:v.inputText,backgroundColor:v.inputBackground,display:"flex",flexDirection:"row",flexWrap:"nowrap",alignItems:"stretch",padding:"1px 0 1px 4px",borderRadius:b.roundedCorner2,border:"1px solid "+v.inputBorder,height:32,selectors:(t={},t[i.qJ]={borderColor:"WindowText"},t[":hover"]={borderColor:v.inputBorderHovered,selectors:(o={},o[i.qJ]={borderColor:"Highlight"},o)},t[":hover ."+y.iconContainer]={color:v.inputIconHovered},t)},!d&&m&&{selectors:(n={},n[":hover ."+y.iconContainer]={width:4},n[":hover ."+y.icon]={opacity:0},n)},d&&["is-active",{position:"relative"},(0,i.$Y)(v.inputFocusBorderAlt,c?0:b.roundedCorner2,c?"borderBottom":"border")],u&&["is-disabled",{borderColor:x,backgroundColor:w,pointerEvents:"none",cursor:"default",selectors:(r={},r[i.qJ]={borderColor:"GrayText"},r)}],c&&["is-underlined",{borderWidth:"0 0 1px 0",borderRadius:0,padding:"1px 0 1px 8px"}],c&&u&&{backgroundColor:"transparent"},m&&"can-clear",p],iconContainer:[y.iconContainer,{display:"flex",flexDirection:"column",justifyContent:"center",flexShrink:0,fontSize:16,width:32,textAlign:"center",color:v.inputIcon,cursor:"text"},d&&{width:4},u&&{color:v.inputIconDisabled},!h&&{transition:"width "+i.D1.durationValue1}],icon:[y.icon,{opacity:1},d&&{opacity:0},!h&&{transition:"opacity "+i.D1.durationValue1+" 0s"}],clearButton:[y.clearButton,{display:"flex",flexDirection:"row",alignItems:"stretch",cursor:"pointer",flexBasis:"32px",flexShrink:0,padding:0,margin:"-1px 0px",selectors:{"&:hover .ms-Button":{backgroundColor:k},"&:hover .ms-Button-icon":{color:S},".ms-Button":{borderRadius:(0,a.zg)(l)?"1px 0 0 1px":"0 1px 1px 0"},".ms-Button-icon":{color:C}}}],field:[y.field,i.Fv,(0,i.Sv)(_),{backgroundColor:"transparent",border:"none",outline:"none",fontWeight:"inherit",fontFamily:"inherit",fontSize:"inherit",color:v.inputText,flex:"1 1 0px",minWidth:"0px",overflow:"hidden",textOverflow:"ellipsis",paddingBottom:.5,selectors:{"::-ms-clear":{display:"none"}}},u&&{color:v.disabledText}]}}),void 0,{scope:"SearchBox"})},9379:(e,t,o)=>{"use strict";o.d(t,{V:()=>y});var n=o(7622),r=o(7002),i=o(5480),a=o(2052),s=o(6548),l=o(4085),c=o(2861),u=o(7300),d=o(5951),p=o(8145),m=o(9251),h=o(8127),g=o(8088),f=(0,u.y)(),v=function(e){return function(t){var o;return(o={})[e]=t+"%",o}},b=function(e,t,o){return o===t?0:(e-t)/(o-t)*100},y=r.forwardRef((function(e,t){var o=function(e,t){var o=e.step,i=void 0===o?1:o,a=e.className,u=e.disabled,y=void 0!==u&&u,_=e.label,C=e.max,S=void 0===C?10:C,x=e.min,k=void 0===x?0:x,w=e.showValue,I=void 0===w||w,D=e.buttonProps,T=void 0===D?{}:D,E=e.vertical,P=void 0!==E&&E,M=e.valueFormat,R=e.styles,N=e.theme,B=e.originFromZero,F=e["aria-label"],L=e.ranged,A=r.useRef([]),z=r.useRef(null),H=(0,s.G)(e.value,e.defaultValue,(function(t,o){var n,r;return null===(r=(n=e).onChange)||void 0===r?void 0:r.call(n,o,L?[j,o]:void 0)})),O=H[0],W=H[1],V=(0,s.G)(e.lowerValue,e.defaultLowerValue,(function(t,o){var n,r;return null===(r=(n=e).onChange)||void 0===r?void 0:r.call(n,U,[o,U])})),K=V[0],q=V[1],G=r.useRef(!1),U=Math.max(k,Math.min(S,O||0)),j=Math.max(k,Math.min(U,K||0)),J=(0,l.M)("Slider"),Y=(0,c.k)(!0),Z=Y[0],X=Y[1].toggle,Q=f(R,{className:a,disabled:y,vertical:P,showTransitions:Z,showValue:I,ranged:L,theme:N}),$=r.useState(0),ee=$[0],te=$[1],oe=(S-k)/i,ne=function(){clearTimeout(ee)},re=function(t){ne(),te(setTimeout((function(){e.onChanged&&e.onChanged(t,U)}),1e3))},ie=function(t){var o=e.ariaValueText;if(void 0!==t)return o?o(t):t.toString()},ae=function(t,o){e.snapToStep;var n=0;if(isFinite(i))for(;Math.round(i*Math.pow(10,n))/Math.pow(10,n)!==i;)n++;var r=parseFloat(t.toFixed(n));L?G.current&&(B?r<=0:r<=U)?q(r):!G.current&&(B?r>=0:r>=j)&&W(r):W(r)},se=function(e,t){var o;switch(e.type){case"mousedown":case"mousemove":o=t?e.clientY:e.clientX;break;case"touchstart":case"touchmove":o=t?e.touches[0].clientY:e.touches[0].clientX}return o},le=function(t){if(z.current){var o,n=z.current.getBoundingClientRect(),r=(e.vertical?n.height:n.width)/oe;if(e.vertical){var i=se(t,e.vertical);o=(n.bottom-i)/r}else{var a=se(t,e.vertical);o=((0,d.zg)(e.theme)?n.right-a:a-n.left)/r}return o}},ce=function(e,t){var o,n=le(e);o=n>Math.floor(oe)?S:n<0?k:k+i*Math.round(n),ae(o),t||(e.preventDefault(),e.stopPropagation())},ue=function(e){if(L){var t=le(e),o=k+i*t;G.current=o<=j||o-j<=U-o}"mousedown"===e.type?A.current.push((0,m.on)(window,"mousemove",ce,!0),(0,m.on)(window,"mouseup",de,!0)):"touchstart"===e.type&&A.current.push((0,m.on)(window,"touchmove",ce,!0),(0,m.on)(window,"touchend",de,!0)),X(),ce(e,!0)},de=function(t){e.onChanged&&e.onChanged(t,U),X(),pe()},pe=function(){A.current.forEach((function(e){return e()})),A.current=[]},me=y?{}:{onMouseDown:ue},he=y?{}:{onTouchStart:ue},ge=y?{}:{onKeyDown:function(t){var o=G.current?j:U,n=0;switch(t.which){case(0,d.dP)(p.m.left,e.theme):case p.m.down:n=-i,ne(),re(t);break;case(0,d.dP)(p.m.right,e.theme):case p.m.up:n=i,ne(),re(t);break;case p.m.home:o=k;break;case p.m.end:o=S;break;default:return}var r=Math.min(S,Math.max(k,o+n));ae(r),t.preventDefault(),t.stopPropagation()}},fe=y?{}:{onFocus:function(e){G.current=e.target===ve.current}},ve=r.useRef(null),be=r.useRef(null);!function(e,t,o,n){r.useImperativeHandle(e.componentRef,(function(){return{get value(){return o},get range(){return e.ranged?n:void 0},focus:function(){t.current&&t.current.focus()}}}),[t,o,e.ranged,n])}(e,L&&!P?ve:be,U,[j,U]);var ye=function(e,t){return void 0===e&&(e=!1),void 0===t&&(t=!1),v(e?"bottom":t?"right":"left")}(P,(0,d.zg)(e.theme)),_e=function(e){return void 0===e&&(e=!1),v(e?"height":"width")}(P),Ce=B?0:k,Se=b(U,k,S),xe=b(j,k,S),ke=b(Ce,k,S),we=L?Se-xe:Math.abs(ke-Se),Ie=Math.min(100-Se,100-ke),De=L?xe:Math.min(Se,ke),Te={className:Q.root,ref:t},Ee=T?(0,h.pq)(T,h.n7):void 0,Pe={className:Q.titleLabel,children:_,disabled:y,htmlFor:F?void 0:J},Me=I?{className:Q.valueLabel,children:M?M(U):U,disabled:y}:void 0,Re=L&&I?{className:Q.valueLabel,children:M?M(j):j,disabled:y}:void 0,Ne=B?{className:Q.zeroTick,style:ye(ke)}:void 0,Be={className:(0,g.i)(Q.lineContainer,Q.activeSection),style:_e(we)},Fe={className:(0,g.i)(Q.lineContainer,Q.inactiveSection),style:_e(Ie)},Le={className:(0,g.i)(Q.lineContainer,Q.inactiveSection),style:_e(De)},Ae=(0,n.pi)((0,n.pi)((0,n.pi)((0,n.pi)({},me),he),ge),Ee),ze=(0,n.pi)({"aria-disabled":y,role:"slider",tabIndex:y?void 0:0},{"data-is-focusable":!y}),He=(0,n.pi)((0,n.pi)({id:J,className:(0,g.i)(Q.slideBox,T.className)},Ae),!L&&(0,n.pi)((0,n.pi)({},ze),{"aria-valuemin":k,"aria-valuemax":S,"aria-valuenow":U,"aria-valuetext":ie(U),"aria-label":F||_})),Oe=(0,n.pi)({ref:be,className:Q.thumb,style:ye(Se)},L&&(0,n.pi)((0,n.pi)((0,n.pi)((0,n.pi)({},ze),Ae),fe),{id:"max-"+J,"aria-valuemin":j,"aria-valuemax":S,"aria-valuenow":U,"aria-valuetext":ie(U),"aria-label":"max "+(F||_)})),We=L?(0,n.pi)((0,n.pi)((0,n.pi)((0,n.pi)({ref:ve,className:Q.thumb,style:ye(xe)},ze),Ae),fe),{id:"min-"+J,"aria-valuemin":k,"aria-valuemax":U,"aria-valuenow":j,"aria-valuetext":ie(j),"aria-label":"min "+(F||_)}):void 0;return{root:Te,label:Pe,sliderBox:He,container:{className:Q.container},valueLabel:Me,lowerValueLabel:Re,thumb:Oe,lowerValueThumb:We,zeroTick:Ne,activeTrack:Be,topInactiveTrack:Fe,bottomInactiveTrack:Le,sliderLine:{ref:z,className:Q.line}}}(e,t);return r.createElement("div",(0,n.pi)({},o.root),o&&r.createElement(a._,(0,n.pi)({},o.label)),r.createElement("div",(0,n.pi)({},o.container),e.ranged&&(e.vertical?o.valueLabel&&r.createElement(a._,(0,n.pi)({},o.valueLabel)):o.lowerValueLabel&&r.createElement(a._,(0,n.pi)({},o.lowerValueLabel))),r.createElement("div",(0,n.pi)({},o.sliderBox),r.createElement("div",(0,n.pi)({},o.sliderLine),e.ranged&&r.createElement("span",(0,n.pi)({},o.lowerValueThumb)),r.createElement("span",(0,n.pi)({},o.thumb)),o.zeroTick&&r.createElement("span",(0,n.pi)({},o.zeroTick)),r.createElement("span",(0,n.pi)({},o.bottomInactiveTrack)),r.createElement("span",(0,n.pi)({},o.activeTrack)),r.createElement("span",(0,n.pi)({},o.topInactiveTrack)))),e.ranged&&e.vertical?o.lowerValueLabel&&r.createElement(a._,(0,n.pi)({},o.lowerValueLabel)):o.valueLabel&&r.createElement(a._,(0,n.pi)({},o.valueLabel))),r.createElement(i.u,null))}));y.displayName="SliderBase"},4107:(e,t,o)=>{"use strict";o.d(t,{i:()=>c});var n=o(2002),r=o(9379),i=o(7622),a=o(9729),s=o(5951),l={root:"ms-Slider",enabled:"ms-Slider-enabled",disabled:"ms-Slider-disabled",row:"ms-Slider-row",column:"ms-Slider-column",container:"ms-Slider-container",slideBox:"ms-Slider-slideBox",line:"ms-Slider-line",thumb:"ms-Slider-thumb",activeSection:"ms-Slider-active",inactiveSection:"ms-Slider-inactive",valueLabel:"ms-Slider-value",showValue:"ms-Slider-showValue",showTransitions:"ms-Slider-showTransitions",zeroTick:"ms-Slider-zeroTick"},c=(0,n.z)(r.V,(function(e){var t,o,n,r,c,u,d,p,m,h,g,f,v,b=e.className,y=e.titleLabelClassName,_=e.theme,C=e.vertical,S=e.disabled,x=e.showTransitions,k=e.showValue,w=e.ranged,I=_.semanticColors,D=(0,a.Cn)(l,_),T=I.inputBackgroundCheckedHovered,E=I.inputBackgroundChecked,P=I.inputPlaceholderBackgroundChecked,M=I.smallInputBorder,R=I.disabledBorder,N=I.disabledText,B=I.disabledBackground,F=I.inputBackground,L=I.smallInputBorder,A=I.disabledBorder,z=!S&&{backgroundColor:T,selectors:(t={},t[a.qJ]={backgroundColor:"Highlight"},t)},H=!S&&{backgroundColor:P,selectors:(o={},o[a.qJ]={borderColor:"Highlight"},o)},O=!S&&{backgroundColor:E,selectors:(n={},n[a.qJ]={backgroundColor:"Highlight"},n)},W=!S&&{border:"2px solid "+T,selectors:(r={},r[a.qJ]={borderColor:"Highlight"},r)},V=!e.disabled&&{backgroundColor:I.inputPlaceholderBackgroundChecked,selectors:(c={},c[a.qJ]={backgroundColor:"Highlight"},c)};return{root:(0,i.pr)([D.root,_.fonts.medium,{userSelect:"none"},C&&{marginRight:8}],[S?void 0:D.enabled],[S?D.disabled:void 0],[C?void 0:D.row],[C?D.column:void 0],[b]),titleLabel:[{padding:0},y],container:[D.container,{display:"flex",flexWrap:"nowrap",alignItems:"center"},C&&{flexDirection:"column",height:"100%",textAlign:"center",margin:"8px 0"}],slideBox:(0,i.pr)([D.slideBox,!w&&(0,a.GL)(_),{background:"transparent",border:"none",flexGrow:1,lineHeight:28,display:"flex",alignItems:"center",selectors:(u={},u[":active ."+D.activeSection]=z,u[":hover ."+D.activeSection]=O,u[":active ."+D.inactiveSection]=H,u[":hover ."+D.inactiveSection]=H,u[":active ."+D.thumb]=W,u[":hover ."+D.thumb]=W,u[":active ."+D.zeroTick]=V,u[":hover ."+D.zeroTick]=V,u[a.qJ]={forcedColorAdjust:"none"},u)},C?{height:"100%",width:28,padding:"8px 0"}:{height:28,width:"auto",padding:"0 8px"}],[k?D.showValue:void 0],[x?D.showTransitions:void 0]),thumb:[D.thumb,w&&(0,a.GL)(_,{inset:-4}),{borderWidth:2,borderStyle:"solid",borderColor:L,borderRadius:10,boxSizing:"border-box",background:F,display:"block",width:16,height:16,position:"absolute"},C?{left:-6,margin:"0 auto",transform:"translateY(8px)"}:{top:-6,transform:(0,s.zg)(_)?"translateX(50%)":"translateX(-50%)"},x&&{transition:"left "+a.D1.durationValue3+" "+a.D1.easeFunction1},S&&{borderColor:A,selectors:(d={},d[a.qJ]={borderColor:"GrayText"},d)}],line:[D.line,{display:"flex",position:"relative"},C?{height:"100%",width:4,margin:"0 auto",flexDirection:"column-reverse"}:{width:"100%"}],lineContainer:[{borderRadius:4,boxSizing:"border-box"},C?{width:4,height:"100%"}:{height:4,width:"100%"}],activeSection:[D.activeSection,{background:M,selectors:(p={},p[a.qJ]={backgroundColor:"WindowText"},p)},x&&{transition:"width "+a.D1.durationValue3+" "+a.D1.easeFunction1},S&&{background:N,selectors:(m={},m[a.qJ]={backgroundColor:"GrayText",borderColor:"GrayText"},m)}],inactiveSection:[D.inactiveSection,{background:R,selectors:(h={},h[a.qJ]={border:"1px solid WindowText"},h)},x&&{transition:"width "+a.D1.durationValue3+" "+a.D1.easeFunction1},S&&{background:B,selectors:(g={},g[a.qJ]={borderColor:"GrayText"},g)}],zeroTick:[D.zeroTick,{position:"absolute",background:I.disabledBorder,selectors:(f={},f[a.qJ]={backgroundColor:"WindowText"},f)},e.disabled&&{background:I.disabledBackground,selectors:(v={},v[a.qJ]={backgroundColor:"GrayText"},v)},e.vertical?{width:"16px",height:"1px",transform:(0,s.zg)(_)?"translateX(6px)":"translateX(-6px)"}:{width:"1px",height:"16px",transform:"translateY(-6px)"}],valueLabel:[D.valueLabel,{flexShrink:1,width:30,lineHeight:"1"},C?{margin:"0 auto",whiteSpace:"nowrap",width:40}:{margin:"0 8px",whiteSpace:"nowrap",width:40}]}}),void 0,{scope:"Slider"})},3134:(e,t,o)=>{"use strict";o.d(t,{k:()=>P});var n=o(2002),r=o(7622),i=o(7002),a=o(5758),s=o(2052),l=o(9947),c=o(7300),u=o(63),d=o(8633),p=o(8127),m=o(8145),h=o(9729),g=o(5094),f=o(4568),v=(0,g.NF)((function(e){var t,o=e.semanticColors,n=o.disabledText,r=o.disabledBackground;return{backgroundColor:r,pointerEvents:"none",cursor:"default",color:n,selectors:(t={":after":{borderColor:r}},t[h.qJ]={color:"GrayText"},t)}})),b=(0,g.NF)((function(e,t,o){var n,r,i,a=e.palette,s=e.semanticColors,l=e.effects,c=a.neutralSecondary,u=s.buttonText,d=s.buttonText,p=s.buttonBackgroundHovered,m=s.buttonBackgroundPressed,g={root:{outline:"none",display:"block",height:"50%",width:23,padding:0,backgroundColor:"transparent",textAlign:"center",cursor:"default",color:c,selectors:{"&.ms-DownButton":{borderRadius:"0 0 "+l.roundedCorner2+" 0"},"&.ms-UpButton":{borderRadius:"0 "+l.roundedCorner2+" 0 0"}}},rootHovered:{backgroundColor:p,color:u},rootChecked:{backgroundColor:m,color:d,selectors:(n={},n[h.qJ]={backgroundColor:"Highlight",color:"HighlightText"},n)},rootPressed:{backgroundColor:m,color:d,selectors:(r={},r[h.qJ]={backgroundColor:"Highlight",color:"HighlightText"},r)},rootDisabled:{opacity:.5,selectors:(i={},i[h.qJ]={color:"GrayText",opacity:1},i)},icon:{fontSize:8,marginTop:0,marginRight:0,marginBottom:0,marginLeft:0}};return(0,h.E$)(g,{},o)})),y=o(998),_=o(4085),C=o(3528),S=o(6548),x=o(6876),k=(0,c.y)(),w={disabled:!1,label:"",step:1,labelPosition:f.L.start,incrementButtonIcon:{iconName:"ChevronUpSmall"},decrementButtonIcon:{iconName:"ChevronDownSmall"}},I=function(){},D=function(e,t){var o=t.min,n=t.max;return"number"==typeof n&&(e=Math.min(e,n)),"number"==typeof o&&(e=Math.max(e,o)),e},T=i.forwardRef((function(e,t){var o=(0,u.j)(w,e),n=o.disabled,c=o.label,h=o.min,g=o.max,v=o.step,T=o.defaultValue,P=o.value,M=o.precision,R=o.labelPosition,N=o.iconProps,B=o.incrementButtonIcon,F=o.incrementButtonAriaLabel,L=o.decrementButtonIcon,A=o.decrementButtonAriaLabel,z=o.ariaLabel,H=o.ariaDescribedBy,O=o.upArrowButtonStyles,W=o.downArrowButtonStyles,V=o.theme,K=o.ariaPositionInSet,q=o.ariaSetSize,G=o.ariaValueNow,U=o.ariaValueText,j=o.className,J=o.inputProps,Y=o.onDecrement,Z=o.onIncrement,X=o.iconButtonProps,Q=o.onValidate,$=o.onChange,ee=o.styles,te=i.useRef(null),oe=(0,_.M)("input"),ne=(0,_.M)("Label"),re=i.useState(!1),ie=re[0],ae=re[1],se=i.useState(y.T.notSpinning),le=se[0],ce=se[1],ue=(0,C.r)(),de=i.useMemo((function(){return null!=M?M:Math.max((0,d.oe)(v),0)}),[M,v]),pe=(0,S.G)(P,null!=T?T:String(h||0),$),me=pe[0],he=pe[1],ge=i.useState(),fe=ge[0],ve=ge[1],be=i.useRef({stepTimeoutHandle:-1,latestValue:void 0,latestIntermediateValue:void 0}).current;be.latestValue=me,be.latestIntermediateValue=fe;var ye=(0,x.D)(P);i.useEffect((function(){P!==ye&&void 0!==fe&&ve(void 0)}),[P,ye,fe]);var _e=k(ee,{theme:V,disabled:n,isFocused:ie,keyboardSpinDirection:le,labelPosition:R,className:j}),Ce=(0,p.pq)(o,p.n7,["onBlur","onFocus","className"]),Se=i.useCallback((function(e){var t=be.latestIntermediateValue;if(void 0!==t&&t!==be.latestValue){var o=void 0;Q?o=Q(t,e):t&&t.trim().length&&!isNaN(Number(t))&&(o=String(D(Number(t),{min:h,max:g}))),void 0!==o&&o!==be.latestValue&&he(o)}ve(void 0)}),[be,g,h,Q,he]),xe=i.useCallback((function(){be.stepTimeoutHandle>=0&&(ue.clearTimeout(be.stepTimeoutHandle),be.stepTimeoutHandle=-1),(be.spinningByMouse||le!==y.T.notSpinning)&&(be.spinningByMouse=!1,ce(y.T.notSpinning))}),[be,le,ue]),ke=i.useCallback((function(e,t){if(t.persist(),void 0!==be.latestIntermediateValue)return"keydown"===t.type&&Se(t),void ue.requestAnimationFrame((function(){ke(e,t)}));var o=e(be.latestValue||"",t);void 0!==o&&o!==be.latestValue&&he(o);var n=be.spinningByMouse;be.spinningByMouse="mousedown"===t.type,be.spinningByMouse&&(be.stepTimeoutHandle=ue.setTimeout((function(){ke(e,t)}),n?75:400))}),[be,ue,Se,he]),we=i.useCallback((function(e){if(Z)return Z(e);var t=D(Number(e)+Number(v),{max:g});return t=(0,d.F0)(t,de),String(t)}),[de,g,Z,v]),Ie=i.useCallback((function(e){if(Y)return Y(e);var t=D(Number(e)-Number(v),{min:h});return t=(0,d.F0)(t,de),String(t)}),[de,h,Y,v]),De=i.useCallback((function(e){(n||e.which===m.m.up||e.which===m.m.down)&&xe()}),[n,xe]),Te=i.useCallback((function(e){ke(we,e)}),[we,ke]),Ee=i.useCallback((function(e){ke(Ie,e)}),[Ie,ke]);!function(e,t,o){i.useImperativeHandle(e.componentRef,(function(){return{get value(){return o},focus:function(){t.current&&t.current.focus()}}}),[t,o])}(o,te,me),E(o);var Pe=!!me&&!isNaN(Number(me)),Me=(N||c)&&i.createElement("div",{className:_e.labelWrapper},N&&i.createElement(l.J,(0,r.pi)({},N,{className:_e.icon,"aria-hidden":"true"})),c&&i.createElement(s._,{id:ne,htmlFor:oe,className:_e.label,disabled:n},c));return i.createElement("div",{className:_e.root,ref:t},R!==f.L.bottom&&Me,i.createElement("div",(0,r.pi)({},Ce,{className:_e.spinButtonWrapper,"aria-label":z&&z,"aria-posinset":K,"aria-setsize":q,"data-ktp-target":!0}),i.createElement("input",(0,r.pi)({value:null!=fe?fe:me,id:oe,onChange:I,onInput:function(e){ve(e.target.value)},className:_e.input,type:"text",autoComplete:"off",role:"spinbutton","aria-labelledby":c&&ne,"aria-valuenow":null!=G?G:Pe?Number(me):void 0,"aria-valuetext":null!=U?U:Pe?void 0:me,"aria-valuemin":h,"aria-valuemax":g,"aria-describedby":H,onBlur:function(e){var t,n;Se(e),ae(!1),null===(n=(t=o).onBlur)||void 0===n||n.call(t,e)},ref:te,onFocus:function(e){var t,n;te.current&&((be.spinningByMouse||le!==y.T.notSpinning)&&xe(),te.current.select(),ae(!0),null===(n=(t=o).onFocus)||void 0===n||n.call(t,e))},onKeyDown:function(e){if(e.which!==m.m.up&&e.which!==m.m.down&&e.which!==m.m.enter||(e.preventDefault(),e.stopPropagation()),n)xe();else{var t=y.T.notSpinning;switch(e.which){case m.m.up:t=y.T.up,ke(we,e);break;case m.m.down:t=y.T.down,ke(Ie,e);break;case m.m.enter:Se(e);break;case m.m.escape:ve(void 0)}le!==t&&ce(t)}},onKeyUp:De,disabled:n,"aria-disabled":n,"data-lpignore":!0,"data-ktp-execute-target":!0},J)),i.createElement("span",{className:_e.arrowButtonsContainer},i.createElement(a.h,(0,r.pi)({styles:b(V,!0,O),className:"ms-UpButton",checked:le===y.T.up,disabled:n,iconProps:B,onMouseDown:Te,onMouseLeave:xe,onMouseUp:xe,tabIndex:-1,ariaLabel:F,"data-is-focusable":!1},X)),i.createElement(a.h,(0,r.pi)({styles:b(V,!1,W),className:"ms-DownButton",checked:le===y.T.down,disabled:n,iconProps:L,onMouseDown:Ee,onMouseLeave:xe,onMouseUp:xe,tabIndex:-1,ariaLabel:A,"data-is-focusable":!1},X)))),R===f.L.bottom&&Me)}));T.displayName="SpinButton";var E=function(e){},P=(0,n.z)(T,(function(e){var t,o,n=e.theme,r=e.className,i=e.labelPosition,a=e.disabled,s=e.isFocused,l=n.palette,c=n.semanticColors,u=n.effects,d=n.fonts,p=c.inputBorder,m=c.inputBackground,g=c.inputBorderHovered,b=c.inputFocusBorderAlt,y=c.inputText,_=l.white,C=c.inputBackgroundChecked,S=c.disabledText;return{root:[d.medium,{outline:"none",width:"100%",minWidth:86},r],labelWrapper:[{display:"inline-flex",alignItems:"center"},i===f.L.start&&{height:32,float:"left",marginRight:10},i===f.L.end&&{height:32,float:"right",marginLeft:10},i===f.L.top&&{marginBottom:-1}],icon:[{padding:"0 5px",fontSize:h.ld.large},a&&{color:S}],label:{pointerEvents:"none",lineHeight:h.ld.large},spinButtonWrapper:[{display:"flex",position:"relative",boxSizing:"border-box",height:32,minWidth:86,selectors:{":after":{pointerEvents:"none",content:"''",position:"absolute",left:0,top:0,bottom:0,right:0,borderWidth:"1px",borderStyle:"solid",borderColor:p,borderRadius:u.roundedCorner2}}},(i===f.L.top||i===f.L.bottom)&&{width:"100%"},!a&&[{selectors:{":hover":{selectors:(t={":after":{borderColor:g}},t[h.qJ]={selectors:{":after":{borderColor:"Highlight"}}},t)}}},s&&{selectors:{"&&":(0,h.$Y)(b,u.roundedCorner2)}}],a&&v(n)],input:["ms-spinButton-input",{boxSizing:"border-box",boxShadow:"none",borderStyle:"none",flex:1,margin:0,fontSize:d.medium.fontSize,fontFamily:"inherit",color:y,backgroundColor:m,height:"100%",padding:"0 8px 0 9px",outline:0,display:"block",minWidth:61,whiteSpace:"nowrap",textOverflow:"ellipsis",overflow:"hidden",cursor:"text",userSelect:"text",borderRadius:u.roundedCorner2+" 0 0 "+u.roundedCorner2},!a&&{selectors:{"::selection":{backgroundColor:C,color:_,selectors:(o={},o[h.qJ]={backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},o)}}},a&&v(n)],arrowButtonsContainer:[{display:"block",height:"100%",cursor:"default"},a&&v(n)]}}),void 0,{scope:"SpinButton"})},998:(e,t,o)=>{"use strict";var n;o.d(t,{T:()=>n}),function(e){e[e.down=-1]="down",e[e.notSpinning=0]="notSpinning",e[e.up=1]="up"}(n||(n={}))},6315:(e,t,o)=>{"use strict";o.d(t,{G:()=>u});var n=o(7622),r=o(7002),i=o(6362),a=o(7300),s=o(8127),l=o(6055),c=(0,a.y)(),u=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.type,o=e.size,a=e.ariaLabel,u=e.ariaLive,d=e.styles,p=e.label,m=e.theme,h=e.className,g=e.labelPosition,f=a,v=(0,s.pq)(this.props,s.n7,["size"]),b=o;void 0===b&&void 0!==t&&(b=t===i.d.large?i.E.large:i.E.medium);var y=c(d,{theme:m,size:b,className:h,labelPosition:g});return r.createElement("div",(0,n.pi)({},v,{className:y.root}),r.createElement("div",{className:y.circle}),p&&r.createElement("div",{className:y.label},p),f&&r.createElement("div",{role:"status","aria-live":u},r.createElement(l.U,null,r.createElement("div",{className:y.screenReaderText},f))))},t.defaultProps={size:i.E.medium,ariaLive:"polite",labelPosition:"bottom"},t}(r.Component)},76:(e,t,o)=>{"use strict";o.d(t,{$:()=>d});var n=o(2002),r=o(6315),i=o(7622),a=o(6362),s=o(9729),l=o(5094),c={root:"ms-Spinner",circle:"ms-Spinner-circle",label:"ms-Spinner-label"},u=(0,l.NF)((function(){return(0,s.F4)({"0%":{transform:"rotate(0deg)"},"100%":{transform:"rotate(360deg)"}})})),d=(0,n.z)(r.G,(function(e){var t,o=e.theme,n=e.size,r=e.className,l=e.labelPosition,d=o.palette,p=(0,s.Cn)(c,o);return{root:[p.root,{display:"flex",flexDirection:"column",alignItems:"center",justifyContent:"center"},"top"===l&&{flexDirection:"column-reverse"},"right"===l&&{flexDirection:"row"},"left"===l&&{flexDirection:"row-reverse"},r],circle:[p.circle,{boxSizing:"border-box",borderRadius:"50%",border:"1.5px solid "+d.themeLight,borderTopColor:d.themePrimary,animationName:u(),animationDuration:"1.3s",animationIterationCount:"infinite",animationTimingFunction:"cubic-bezier(.53,.21,.29,.67)",selectors:(t={},t[s.qJ]=(0,i.pi)({borderTopColor:"Highlight"},(0,s.xM)()),t)},n===a.E.xSmall&&["ms-Spinner--xSmall",{width:12,height:12}],n===a.E.small&&["ms-Spinner--small",{width:16,height:16}],n===a.E.medium&&["ms-Spinner--medium",{width:20,height:20}],n===a.E.large&&["ms-Spinner--large",{width:28,height:28}]],label:[p.label,o.fonts.small,{color:d.themePrimary,margin:"8px 0 0",textAlign:"center"},"top"===l&&{margin:"0 0 8px"},"right"===l&&{margin:"0 0 0 8px"},"left"===l&&{margin:"0 8px 0 0"}],screenReaderText:s.ul}}),void 0,{scope:"Spinner"})},6362:(e,t,o)=>{"use strict";var n,r;o.d(t,{E:()=>n,d:()=>r}),function(e){e[e.xSmall=0]="xSmall",e[e.small=1]="small",e[e.medium=2]="medium",e[e.large=3]="large"}(n||(n={})),function(e){e[e.normal=0]="normal",e[e.large=1]="large"}(r||(r={}))},1565:(e,t,o)=>{"use strict";o.d(t,{t:()=>m});var n=o(7002),r=o(9729),i=o(7300),a=o(5094),s=o(7375),l=o(634),c=o(3608),u=(0,i.y)(),d=function(e){var t;return"ffffff"===(null===(t=(0,s.T)(e))||void 0===t?void 0:t.hex)},p=(0,a.NF)((function(e,t,o,n,i,a,s,l,u){var d=(0,c.W)(e);return(0,r.ZC)({root:["ms-Button",d.root,o,t,s&&["is-checked",d.rootChecked],a&&["is-disabled",d.rootDisabled],!a&&!s&&{selectors:{":hover":d.rootHovered,":focus":d.rootFocused,":active":d.rootPressed}},a&&s&&[d.rootCheckedDisabled],!a&&s&&{selectors:{":hover":d.rootCheckedHovered,":active":d.rootCheckedPressed}}],flexContainer:["ms-Button-flexContainer",d.flexContainer]})})),m=function(e){var t=e.item,o=e.idPrefix,r=void 0===o?e.id:o,i=e.selected,a=void 0!==i&&i,c=e.disabled,m=void 0!==c&&c,h=e.styles,g=e.circle,f=void 0===g||g,v=e.color,b=e.onClick,y=e.onHover,_=e.onFocus,C=e.onMouseEnter,S=e.onMouseMove,x=e.onMouseLeave,k=e.onWheel,w=e.onKeyDown,I=e.height,D=e.width,T=e.borderWidth,E=u(h,{theme:e.theme,disabled:m,selected:a,circle:f,isWhite:d(v),height:I,width:D,borderWidth:T});return n.createElement(l.U,{item:t,id:r+"-"+t.id+"-"+t.index,key:t.id,disabled:m,role:"gridcell",onRenderItem:function(e){var t,o=E.svg;return n.createElement("svg",{className:o,viewBox:"0 0 20 20",fill:null===(t=(0,s.T)(e.color))||void 0===t?void 0:t.str},f?n.createElement("circle",{cx:"50%",cy:"50%",r:"50%"}):n.createElement("rect",{width:"100%",height:"100%"}))},selected:a,onClick:b,onHover:y,onFocus:_,label:t.label,className:E.colorCell,getClassNames:p,index:t.index,onMouseEnter:C,onMouseMove:S,onMouseLeave:x,onWheel:k,onKeyDown:w})}},3624:(e,t,o)=>{"use strict";o.d(t,{h:()=>l});var n=o(2002),r=o(1565),i=o(6145),a=o(9729),s={left:-2,top:-2,bottom:-2,right:-2,border:"none",outlineColor:"ButtonText"},l=(0,n.z)(r.t,(function(e){var t,o,n,r,l,c=e.theme,u=e.disabled,d=e.selected,p=e.circle,m=e.isWhite,h=e.height,g=void 0===h?20:h,f=e.width,v=void 0===f?20:f,b=e.borderWidth,y=c.semanticColors,_=c.palette,C=_.neutralLighter,S=_.neutralLight,x=_.neutralSecondary,k=_.neutralTertiary,w=b||(v<24?2:4);return{colorCell:[(0,a.GL)(c,{inset:-1,position:"relative",highContrastStyle:s}),{backgroundColor:y.bodyBackground,padding:0,position:"relative",boxSizing:"border-box",display:"inline-block",cursor:"pointer",userSelect:"none",borderRadius:0,border:"none",height:g,width:v},!p&&{selectors:(t={},t["."+i.G$+" &:focus::after"]={outlineOffset:w-1+"px"},t)},p&&{borderRadius:"50%",selectors:(o={},o["."+i.G$+" &:focus::after"]={outline:"none",borderColor:y.focusBorder,borderRadius:"50%",left:-w,right:-w,top:-w,bottom:-w,selectors:(n={},n[a.qJ]={outline:"1px solid ButtonText"},n)},o)},d&&{padding:2,border:w+"px solid "+S,selectors:(r={},r["&:hover::before"]={content:'""',height:g,width:v,position:"absolute",top:-w,left:-w,borderRadius:p?"50%":"default",boxShadow:"inset 0 0 0 1px "+x},r)},!d&&{selectors:(l={},l["&:hover, &:active, &:focus"]={backgroundColor:y.bodyBackground,padding:2,border:w+"px solid "+C},l["&:focus"]={borderColor:y.bodyBackground,padding:0,selectors:{":hover":{borderColor:c.palette.neutralLight,padding:2}}},l)},u&&{color:y.disabledBodyText,pointerEvents:"none",opacity:.3},m&&!d&&{backgroundColor:k,padding:1}],svg:[{width:"100%",height:"100%"},p&&{borderRadius:"50%"}]}}),void 0,{scope:"ColorPickerGridCell"},!0)},8621:(e,t,o)=>{"use strict";o.d(t,{_:()=>h});var n=o(7622),r=o(7002),i=o(7300),a=o(8145),s=o(2836),l=o(3624),c=o(4085),u=o(7913),d=o(5646),p=o(6548),m=(0,i.y)(),h=r.forwardRef((function(e,t){var o=(0,c.M)("swatchColorPicker"),i=e.id||o,h=(0,u.B)({isNavigationIdle:!0,cellFocused:!1,navigationIdleTimeoutId:void 0,navigationIdleDelay:250}),g=(0,d.L)(),f=g.setTimeout,v=g.clearTimeout,b=e.colorCells,y=e.cellShape,_=void 0===y?"circle":y,C=e.columnCount,S=e.shouldFocusCircularNavigate,x=void 0===S||S,k=e.className,w=e.disabled,I=void 0!==w&&w,D=e.doNotContainWithinFocusZone,T=e.styles,E=e.cellMargin,P=void 0===E?10:E,M=e.defaultSelectedId,R=e.focusOnHover,N=e.mouseLeaveParentSelector,B=e.onChange,F=e.onColorChanged,L=e.onCellHovered,A=e.onCellFocused,z=e.getColorGridCellStyles,H=e.cellHeight,O=e.cellWidth,W=e.cellBorderWidth,V=r.useMemo((function(){return b.map((function(e,t){return(0,n.pi)((0,n.pi)({},e),{index:t})}))}),[b]),K=r.useCallback((function(e,t){var o,n,r,i=null===(o=b.filter((function(e){return e.id===t}))[0])||void 0===o?void 0:o.color;null===(n=B)||void 0===n||n(e,t,i),null===(r=F)||void 0===r||r(t,i)}),[B,F,b]),q=(0,p.G)(e.selectedId,M,K),G=q[0],U=q[1],j=m(T,{theme:e.theme,className:k,cellMargin:P}),J={root:j.root,tableCell:j.tableCell,focusedContainer:j.focusedContainer},Y=r.useCallback((function(){A&&(h.cellFocused=!1,A())}),[h,A]),Z=r.useCallback((function(e){return R?(h.isNavigationIdle&&!I&&e.currentTarget.focus(),!0):!h.isNavigationIdle||!!I}),[R,h,I]),X=r.useCallback((function(e){if(!R)return!h.isNavigationIdle||!!I;var t=e.currentTarget;return!h.isNavigationIdle||document&&t===document.activeElement||t.focus(),!0}),[R,h,I]),Q=r.useCallback((function(e){var t=N;if(R&&t&&h.isNavigationIdle&&!I)for(var o=document.querySelectorAll(t),n=0;n{"use strict";o.d(t,{U:()=>s});var n=o(2002),r=o(8621),i=o(9729),a={focusedContainer:"ms-swatchColorPickerBodyContainer"},s=(0,n.z)(r._,(function(e){var t=e.className,o=e.theme;return{root:{margin:"8px 0",borderCollapse:"collapse"},tableCell:{padding:e.cellMargin/2},focusedContainer:[(0,i.Cn)(a,o).focusedContainer,{clear:"both",display:"block",minWidth:"180px"},t]}}),void 0,{scope:"SwatchColorPicker"})},5229:(e,t,o)=>{"use strict";o.d(t,{P:()=>C});var n,r=o(7622),i=o(7002),a=o(2052),s=o(9947),l=o(7300),c=o(688),u=o(2167),d=o(2782),p=o(6055),m=o(5301),h=o(687),g=o(3128),f=o(8127),v=o(9757),b=o(5036),y=(0,l.y)(),_="TextField",C=function(e){function t(t){var o=e.call(this,t)||this;o._textElement=i.createRef(),o._onFocus=function(e){o.props.onFocus&&o.props.onFocus(e),o.setState({isFocused:!0},(function(){o.props.validateOnFocusIn&&o._validate(o.value)}))},o._onBlur=function(e){o.props.onBlur&&o.props.onBlur(e),o.setState({isFocused:!1},(function(){o.props.validateOnFocusOut&&o._validate(o.value)}))},o._onRenderLabel=function(e){var t=e.label,n=e.required,r=o._classNames.subComponentStyles?o._classNames.subComponentStyles.label:void 0;return t?i.createElement(a._,{required:n,htmlFor:o._id,styles:r,disabled:e.disabled,id:o._labelId},e.label):null},o._onRenderDescription=function(e){return e.description?i.createElement("span",{className:o._classNames.description},e.description):null},o._onRevealButtonClick=function(e){o.setState((function(e){return{isRevealingPassword:!e.isRevealingPassword}}))},o._onInputChange=function(e){var t,n,r=e.target.value,i=S(o.props,o.state)||"";void 0!==r&&r!==o._lastChangeValue&&r!==i?(o._lastChangeValue=r,null===(n=(t=o.props).onChange)||void 0===n||n.call(t,e,r),o._isControlled||o.setState({uncontrolledValue:r})):o._lastChangeValue=void 0},(0,c.l)(o),o._async=new u.e(o),o._fallbackId=(0,d.z)(_),o._descriptionId=(0,d.z)("TextFieldDescription"),o._labelId=(0,d.z)("TextFieldLabel"),o._warnControlledUsage();var n=t.defaultValue,r=void 0===n?"":n;return"number"==typeof r&&(r=String(r)),o.state={uncontrolledValue:o._isControlled?void 0:r,isFocused:!1,errorMessage:""},o._delayedValidate=o._async.debounce(o._validate,o.props.deferredValidationTime),o._lastValidation=0,o}return(0,r.ZT)(t,e),Object.defineProperty(t.prototype,"value",{get:function(){return S(this.props,this.state)},enumerable:!0,configurable:!0}),t.prototype.componentDidMount=function(){this._adjustInputHeight(),this.props.validateOnLoad&&this._validate(this.value)},t.prototype.componentWillUnmount=function(){this._async.dispose()},t.prototype.getSnapshotBeforeUpdate=function(e,t){return{selection:[this.selectionStart,this.selectionEnd]}},t.prototype.componentDidUpdate=function(e,t,o){var n=this.props,r=(o||{}).selection,i=void 0===r?[null,null]:r,a=i[0],s=i[1];!!e.multiline!=!!n.multiline&&t.isFocused&&(this.focus(),null!==a&&null!==s&&a>=0&&s>=0&&this.setSelectionRange(a,s)),e.value!==n.value&&(this._lastChangeValue=void 0);var l=S(e,t),c=this.value;l!==c&&(this._warnControlledUsage(e),this.state.errorMessage&&!n.errorMessage&&this.setState({errorMessage:""}),this._adjustInputHeight(),x(n)&&this._delayedValidate(c))},t.prototype.render=function(){var e=this.props,t=e.borderless,o=e.className,a=e.disabled,l=e.iconProps,c=e.inputClassName,u=e.label,d=e.multiline,m=e.required,h=e.underlined,g=e.prefix,f=e.resizable,_=e.suffix,C=e.theme,S=e.styles,x=e.autoAdjustHeight,k=e.canRevealPassword,w=e.type,I=e.onRenderPrefix,D=void 0===I?this._onRenderPrefix:I,T=e.onRenderSuffix,E=void 0===T?this._onRenderSuffix:T,P=e.onRenderLabel,M=void 0===P?this._onRenderLabel:P,R=e.onRenderDescription,N=void 0===R?this._onRenderDescription:R,B=this.state,F=B.isFocused,L=B.isRevealingPassword,A=this._errorMessage,z=!!k&&"password"===w&&function(){var e;if("boolean"!=typeof n){var t=(0,v.J)();if(null===(e=t)||void 0===e?void 0:e.navigator){var o=/Edg/.test(t.navigator.userAgent||"");n=!((0,b.f)()||o)}else n=!0}return n}(),H=this._classNames=y(S,{theme:C,className:o,disabled:a,focused:F,required:m,multiline:d,hasLabel:!!u,hasErrorMessage:!!A,borderless:t,resizable:f,hasIcon:!!l,underlined:h,inputClassName:c,autoAdjustHeight:x,hasRevealButton:z});return i.createElement("div",{ref:this.props.elementRef,className:H.root},i.createElement("div",{className:H.wrapper},M(this.props,this._onRenderLabel),i.createElement("div",{className:H.fieldGroup},(void 0!==g||this.props.onRenderPrefix)&&i.createElement("div",{className:H.prefix},D(this.props,this._onRenderPrefix)),d?this._renderTextArea():this._renderInput(),l&&i.createElement(s.J,(0,r.pi)({className:H.icon},l)),z&&i.createElement("button",{className:H.revealButton,onClick:this._onRevealButtonClick,type:"button"},i.createElement("span",{className:H.revealSpan},i.createElement(s.J,{className:H.revealIcon,iconName:L?"Hide":"RedEye"}))),(void 0!==_||this.props.onRenderSuffix)&&i.createElement("div",{className:H.suffix},E(this.props,this._onRenderSuffix)))),this._isDescriptionAvailable&&i.createElement("span",{id:this._descriptionId},N(this.props,this._onRenderDescription),A&&i.createElement("div",{role:"alert"},i.createElement(p.U,null,this._renderErrorMessage()))))},t.prototype.focus=function(){this._textElement.current&&this._textElement.current.focus()},t.prototype.blur=function(){this._textElement.current&&this._textElement.current.blur()},t.prototype.select=function(){this._textElement.current&&this._textElement.current.select()},t.prototype.setSelectionStart=function(e){this._textElement.current&&(this._textElement.current.selectionStart=e)},t.prototype.setSelectionEnd=function(e){this._textElement.current&&(this._textElement.current.selectionEnd=e)},Object.defineProperty(t.prototype,"selectionStart",{get:function(){return this._textElement.current?this._textElement.current.selectionStart:-1},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"selectionEnd",{get:function(){return this._textElement.current?this._textElement.current.selectionEnd:-1},enumerable:!0,configurable:!0}),t.prototype.setSelectionRange=function(e,t){this._textElement.current&&this._textElement.current.setSelectionRange(e,t)},t.prototype._warnControlledUsage=function(e){(0,m.Q)({componentId:this._id,componentName:_,props:this.props,oldProps:e,valueProp:"value",defaultValueProp:"defaultValue",onChangeProp:"onChange",readOnlyProp:"readOnly"}),null!==this.props.value||this._hasWarnedNullValue||(this._hasWarnedNullValue=!0,(0,h.Z)("Warning: 'value' prop on 'TextField' should not be null. Consider using an empty string to clear the component or undefined to indicate an uncontrolled component."))},Object.defineProperty(t.prototype,"_id",{get:function(){return this.props.id||this._fallbackId},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"_isControlled",{get:function(){return(0,g.s)(this.props,"value")},enumerable:!0,configurable:!0}),t.prototype._onRenderPrefix=function(e){var t=e.prefix;return i.createElement("span",{style:{paddingBottom:"1px"}},t)},t.prototype._onRenderSuffix=function(e){var t=e.suffix;return i.createElement("span",{style:{paddingBottom:"1px"}},t)},Object.defineProperty(t.prototype,"_errorMessage",{get:function(){var e=this.props.errorMessage;return(void 0===e?this.state.errorMessage:e)||""},enumerable:!0,configurable:!0}),t.prototype._renderErrorMessage=function(){var e=this._errorMessage;return e?"string"==typeof e?i.createElement("p",{className:this._classNames.errorMessage},i.createElement("span",{"data-automation-id":"error-message"},e)):i.createElement("div",{className:this._classNames.errorMessage,"data-automation-id":"error-message"},e):null},Object.defineProperty(t.prototype,"_isDescriptionAvailable",{get:function(){var e=this.props;return!!(e.onRenderDescription||e.description||this._errorMessage)},enumerable:!0,configurable:!0}),t.prototype._renderTextArea=function(){var e=(0,f.pq)(this.props,f.FI,["defaultValue"]),t=this.props["aria-labelledby"]||(this.props.label?this._labelId:void 0);return i.createElement("textarea",(0,r.pi)({id:this._id},e,{ref:this._textElement,value:this.value||"",onInput:this._onInputChange,onChange:this._onInputChange,className:this._classNames.field,"aria-labelledby":t,"aria-describedby":this._isDescriptionAvailable?this._descriptionId:this.props["aria-describedby"],"aria-invalid":!!this._errorMessage,"aria-label":this.props.ariaLabel,readOnly:this.props.readOnly,onFocus:this._onFocus,onBlur:this._onBlur}))},t.prototype._renderInput=function(){var e,t=(0,f.pq)(this.props,f.Gg,["defaultValue","type"]),o=this.props["aria-labelledby"]||(this.props.label?this._labelId:void 0),n=this.state.isRevealingPassword?"text":null!=(e=this.props.type)?e:"text";return i.createElement("input",(0,r.pi)({type:n,id:this._id,"aria-labelledby":o},t,{ref:this._textElement,value:this.value||"",onInput:this._onInputChange,onChange:this._onInputChange,className:this._classNames.field,"aria-label":this.props.ariaLabel,"aria-describedby":this._isDescriptionAvailable?this._descriptionId:this.props["aria-describedby"],"aria-invalid":!!this._errorMessage,readOnly:this.props.readOnly,onFocus:this._onFocus,onBlur:this._onBlur}))},t.prototype._validate=function(e){var t=this;if(this._latestValidateValue!==e||!x(this.props)){this._latestValidateValue=e;var o=this.props.onGetErrorMessage,n=o&&o(e||"");if(void 0!==n)if("string"!=typeof n&&"then"in n){var r=++this._lastValidation;n.then((function(o){r===t._lastValidation&&t.setState({errorMessage:o}),t._notifyAfterValidate(e,o)}))}else this.setState({errorMessage:n}),this._notifyAfterValidate(e,n);else this._notifyAfterValidate(e,"")}},t.prototype._notifyAfterValidate=function(e,t){e===this.value&&this.props.onNotifyValidationResult&&this.props.onNotifyValidationResult(t,e)},t.prototype._adjustInputHeight=function(){if(this._textElement.current&&this.props.autoAdjustHeight&&this.props.multiline){var e=this._textElement.current;e.style.height="",e.style.height=e.scrollHeight+"px"}},t.defaultProps={resizable:!0,deferredValidationTime:200,validateOnLoad:!0},t}(i.Component);function S(e,t){var o=e.value,n=void 0===o?t.uncontrolledValue:o;return"number"==typeof n?String(n):n}function x(e){return!(e.validateOnFocusIn||e.validateOnFocusOut)}},8623:(e,t,o)=>{"use strict";o.d(t,{n:()=>c});var n=o(2002),r=o(5229),i=o(7622),a=o(9729),s={root:"ms-TextField",description:"ms-TextField-description",errorMessage:"ms-TextField-errorMessage",field:"ms-TextField-field",fieldGroup:"ms-TextField-fieldGroup",prefix:"ms-TextField-prefix",suffix:"ms-TextField-suffix",wrapper:"ms-TextField-wrapper",revealButton:"ms-TextField-reveal",multiline:"ms-TextField--multiline",borderless:"ms-TextField--borderless",underlined:"ms-TextField--underlined",unresizable:"ms-TextField--unresizable",required:"is-required",disabled:"is-disabled",active:"is-active"};function l(e){var t=e.underlined,o=e.disabled,n=e.focused,r=e.theme,i=r.palette,s=r.fonts;return function(){var e;return{root:[t&&o&&{color:i.neutralTertiary},t&&{fontSize:s.medium.fontSize,marginRight:8,paddingLeft:12,paddingRight:0,lineHeight:"22px",height:32},t&&n&&{selectors:(e={},e[a.qJ]={height:31},e)}]}}}var c=(0,n.z)(r.P,(function(e){var t,o,n,r,c,u,d,p,m,h,g,f,v=e.theme,b=e.className,y=e.disabled,_=e.focused,C=e.required,S=e.multiline,x=e.hasLabel,k=e.borderless,w=e.underlined,I=e.hasIcon,D=e.resizable,T=e.hasErrorMessage,E=e.inputClassName,P=e.autoAdjustHeight,M=e.hasRevealButton,R=v.semanticColors,N=v.effects,B=v.fonts,F=(0,a.Cn)(s,v),L={background:R.disabledBackground,color:y?R.disabledText:R.inputPlaceholderText,display:"flex",alignItems:"center",padding:"0 10px",lineHeight:1,whiteSpace:"nowrap",flexShrink:0,selectors:(t={},t[a.qJ]={background:"Window",color:y?"GrayText":"WindowText"},t)},A=[B.medium,{color:R.inputPlaceholderText,opacity:1,selectors:(o={},o[a.qJ]={color:"GrayText"},o)}],z={color:R.disabledText,selectors:(n={},n[a.qJ]={color:"GrayText"},n)};return{root:[F.root,B.medium,C&&F.required,y&&F.disabled,_&&F.active,S&&F.multiline,k&&F.borderless,w&&F.underlined,a.Fv,{position:"relative"},b],wrapper:[F.wrapper,w&&[{display:"flex",borderBottom:"1px solid "+(T?R.errorText:R.inputBorder),width:"100%"},y&&{borderBottomColor:R.disabledBackground,selectors:(r={},r[a.qJ]=(0,i.pi)({borderColor:"GrayText"},(0,a.xM)()),r)},!y&&{selectors:{":hover":{borderBottomColor:T?R.errorText:R.inputBorderHovered,selectors:(c={},c[a.qJ]=(0,i.pi)({borderBottomColor:"Highlight"},(0,a.xM)()),c)}}},_&&[{position:"relative"},(0,a.$Y)(T?R.errorText:R.inputFocusBorderAlt,0,"borderBottom")]]],fieldGroup:[F.fieldGroup,a.Fv,{border:"1px solid "+R.inputBorder,borderRadius:N.roundedCorner2,background:R.inputBackground,cursor:"text",height:32,display:"flex",flexDirection:"row",alignItems:"stretch",position:"relative"},S&&{minHeight:"60px",height:"auto",display:"flex"},!_&&!y&&{selectors:{":hover":{borderColor:R.inputBorderHovered,selectors:(u={},u[a.qJ]=(0,i.pi)({borderColor:"Highlight"},(0,a.xM)()),u)}}},_&&!w&&(0,a.$Y)(T?R.errorText:R.inputFocusBorderAlt,N.roundedCorner2),y&&{borderColor:R.disabledBackground,selectors:(d={},d[a.qJ]=(0,i.pi)({borderColor:"GrayText"},(0,a.xM)()),d),cursor:"default"},k&&{border:"none"},k&&_&&{border:"none",selectors:{":after":{border:"none"}}},w&&{flex:"1 1 0px",border:"none",textAlign:"left"},w&&y&&{backgroundColor:"transparent"},T&&!w&&{borderColor:R.errorText,selectors:{"&:hover":{borderColor:R.errorText}}},!x&&C&&{selectors:(p={":before":{content:"'*'",color:R.errorText,position:"absolute",top:-5,right:-10}},p[a.qJ]={selectors:{":before":{color:"WindowText",right:-14}}},p)}],field:[B.medium,F.field,a.Fv,{borderRadius:0,border:"none",background:"none",backgroundColor:"transparent",color:R.inputText,padding:"0 8px",width:"100%",minWidth:0,textOverflow:"ellipsis",outline:0,selectors:(m={"&:active, &:focus, &:hover":{outline:0},"::-ms-clear":{display:"none"}},m[a.qJ]={background:"Window",color:y?"GrayText":"WindowText"},m)},(0,a.Sv)(A),S&&!D&&[F.unresizable,{resize:"none"}],S&&{minHeight:"inherit",lineHeight:17,flexGrow:1,paddingTop:6,paddingBottom:6,overflow:"auto",width:"100%"},S&&P&&{overflow:"hidden"},I&&!M&&{paddingRight:24},S&&I&&{paddingRight:40},y&&[{backgroundColor:R.disabledBackground,color:R.disabledText,borderColor:R.disabledBackground},(0,a.Sv)(z)],w&&{textAlign:"left"},_&&!k&&{selectors:(h={},h[a.qJ]={paddingLeft:11,paddingRight:11},h)},_&&S&&!k&&{selectors:(g={},g[a.qJ]={paddingTop:4},g)},E],icon:[S&&{paddingRight:24,alignItems:"flex-end"},{pointerEvents:"none",position:"absolute",bottom:6,right:8,top:"auto",fontSize:a.ld.medium,lineHeight:18},y&&{color:R.disabledText}],description:[F.description,{color:R.bodySubtext,fontSize:B.xSmall.fontSize}],errorMessage:[F.errorMessage,a.k4.slideDownIn20,B.small,{color:R.errorText,margin:0,paddingTop:5,display:"flex",alignItems:"center"}],prefix:[F.prefix,L],suffix:[F.suffix,L],revealButton:[F.revealButton,"ms-Button","ms-Button--icon",{height:30,width:32,border:"none",padding:"0px 4px",backgroundColor:"transparent",color:R.link,selectors:{":hover":{outline:0,color:R.primaryButtonBackgroundHovered,backgroundColor:R.buttonBackgroundHovered,selectors:(f={},f[a.qJ]={borderColor:"Highlight",color:"Highlight"},f)},":focus":{outline:0}}},I&&{marginRight:28}],revealSpan:{display:"flex",height:"100%",alignItems:"center"},revealIcon:{margin:"0px 4px",pointerEvents:"none",bottom:6,right:8,top:"auto",fontSize:a.ld.medium,lineHeight:18},subComponentStyles:{label:l(e)}}}),void 0,{scope:"TextField"})},5637:(e,t,o)=>{"use strict";o.d(t,{s:()=>p});var n=o(7622),r=o(7002),i=o(6548),a=o(4085),s=o(7300),l=o(8127),c=o(5480),u=o(2052),d=(0,s.y)(),p=r.forwardRef((function(e,t){var o=e.as,s=void 0===o?"div":o,p=e.ariaLabel,h=e.checked,g=e.className,f=e.defaultChecked,v=void 0!==f&&f,b=e.disabled,y=e.inlineLabel,_=e.label,C=e.offAriaLabel,S=e.offText,x=e.onAriaLabel,k=e.onChange,w=e.onChanged,I=e.onClick,D=e.onText,T=e.role,E=e.styles,P=e.theme,M=(0,i.G)(h,v,r.useCallback((function(e,t){var o,n;null===(o=k)||void 0===o||o(e,t),null===(n=w)||void 0===n||n(t)}),[k,w])),R=M[0],N=M[1],B=d(E,{theme:P,className:g,disabled:b,checked:R,inlineLabel:y,onOffMissing:!D&&!S}),F=R?x:C,L=(0,a.M)("Toggle",e.id),A=L+"-label",z=L+"-stateText",H=R?D:S,O=(0,l.pq)(e,l.Gg,["defaultChecked"]),W=void 0;p||F||(_&&(W=A),H&&(W=W?W+" "+z:z));var V=r.useRef(null);(0,c.P)(V),m(e,R,V);var K={root:{className:B.root,hidden:O.hidden},label:{children:_,className:B.label,htmlFor:L,id:A},container:{className:B.container},pill:(0,n.pi)((0,n.pi)({},O),{"aria-disabled":b,"aria-checked":R,"aria-label":p||F,"aria-labelledby":W,className:B.pill,"data-is-focusable":!0,"data-ktp-target":!0,disabled:b,id:L,onClick:function(e){b||(N(!R),I&&I(e))},ref:V,role:T||"switch",type:"button"}),thumb:{className:B.thumb},stateText:{children:H,className:B.text,htmlFor:L,id:z}};return r.createElement(s,(0,n.pi)({ref:t},K.root),_&&r.createElement(u._,(0,n.pi)({},K.label)),r.createElement("div",(0,n.pi)({},K.container),r.createElement("button",(0,n.pi)({},K.pill),r.createElement("span",(0,n.pi)({},K.thumb))),(R&&D||S)&&r.createElement(u._,(0,n.pi)({},K.stateText))))}));p.displayName="ToggleBase";var m=function(e,t,o){r.useImperativeHandle(e.componentRef,(function(){return{get checked(){return!!t},focus:function(){o.current&&o.current.focus()}}}),[t,o])}},1431:(e,t,o)=>{"use strict";o.d(t,{Z:()=>s});var n=o(2002),r=o(5637),i=o(7622),a=o(9729),s=(0,n.z)(r.s,(function(e){var t,o,n,r,s,l,c,u=e.theme,d=e.className,p=e.disabled,m=e.checked,h=e.inlineLabel,g=e.onOffMissing,f=u.semanticColors,v=u.palette,b=f.bodyBackground,y=f.inputBackgroundChecked,_=f.inputBackgroundCheckedHovered,C=v.neutralDark,S=f.disabledBodySubtext,x=f.smallInputBorder,k=f.inputForegroundChecked,w=f.disabledBodySubtext,I=f.disabledBackground,D=f.smallInputBorder,T=f.inputBorderHovered,E=f.disabledBodySubtext,P=f.disabledText;return{root:["ms-Toggle",m&&"is-checked",!p&&"is-enabled",p&&"is-disabled",u.fonts.medium,{marginBottom:"8px"},h&&{display:"flex",alignItems:"center"},d],label:["ms-Toggle-label",{display:"inline-block"},p&&{color:P,selectors:(t={},t[a.qJ]={color:"GrayText"},t)},h&&!g&&{marginRight:16},g&&h&&{order:1,marginLeft:16},h&&{wordBreak:"break-all"}],container:["ms-Toggle-innerContainer",{display:"flex",position:"relative"}],pill:["ms-Toggle-background",(0,a.GL)(u,{inset:-3}),{fontSize:"20px",boxSizing:"border-box",width:40,height:20,borderRadius:10,transition:"all 0.1s ease",border:"1px solid "+D,background:b,cursor:"pointer",display:"flex",alignItems:"center",padding:"0 3px"},!p&&[!m&&{selectors:{":hover":[{borderColor:T}],":hover .ms-Toggle-thumb":[{backgroundColor:C,selectors:(o={},o[a.qJ]={borderColor:"Highlight"},o)}]}},m&&[{background:y,borderColor:"transparent",justifyContent:"flex-end"},{selectors:(n={":hover":[{backgroundColor:_,borderColor:"transparent",selectors:(r={},r[a.qJ]={backgroundColor:"Highlight"},r)}]},n[a.qJ]=(0,i.pi)({backgroundColor:"Highlight"},(0,a.xM)()),n)}]],p&&[{cursor:"default"},!m&&[{borderColor:E}],m&&[{backgroundColor:S,borderColor:"transparent",justifyContent:"flex-end"}]],!p&&{selectors:{"&:hover":{selectors:(s={},s[a.qJ]={borderColor:"Highlight"},s)}}}],thumb:["ms-Toggle-thumb",{display:"block",width:12,height:12,borderRadius:"50%",transition:"all 0.1s ease",backgroundColor:x,borderColor:"transparent",borderWidth:6,borderStyle:"solid",boxSizing:"border-box"},!p&&m&&[{backgroundColor:k,selectors:(l={},l[a.qJ]={backgroundColor:"Window",borderColor:"Window"},l)}],p&&[!m&&[{backgroundColor:w}],m&&[{backgroundColor:I}]]],text:["ms-Toggle-stateText",{selectors:{"&&":{padding:"0",margin:"0 8px",userSelect:"none",fontWeight:a.lq.regular}}},p&&{selectors:{"&&":{color:P,selectors:(c={},c[a.qJ]={color:"GrayText"},c)}}}]}}),void 0,{scope:"Toggle"})},3860:(e,t,o)=>{"use strict";o.d(t,{P:()=>u});var n=o(7622),r=o(7002),i=o(7300),a=o(8127),s=o(5953),l=o(6628),c=(0,i.y)(),u=function(e){function t(){var t=null!==e&&e.apply(this,arguments)||this;return t._onRenderContent=function(e){return r.createElement("p",{className:t._classNames.subText},e.content)},t}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.className,o=e.calloutProps,i=e.directionalHint,l=e.directionalHintForRTL,u=e.styles,d=e.id,p=e.maxWidth,m=e.onRenderContent,h=void 0===m?this._onRenderContent:m,g=e.targetElement,f=e.theme;return this._classNames=c(u,{theme:f,className:t||o&&o.className,beakWidth:o&&o.beakWidth,gapSpace:o&&o.gapSpace,maxWidth:p}),r.createElement(s.U,(0,n.pi)({target:g,directionalHint:i,directionalHintForRTL:l},o,(0,a.pq)(this.props,a.n7,["id"]),{className:this._classNames.root}),r.createElement("div",{className:this._classNames.content,id:d,role:"tooltip",onMouseEnter:this.props.onMouseEnter,onMouseLeave:this.props.onMouseLeave},h(this.props,this._onRenderContent)))},t.defaultProps={directionalHint:l.b.topCenter,maxWidth:"364px",calloutProps:{isBeakVisible:!0,beakWidth:16,gapSpace:0,setInitialFocus:!0,doNotLayer:!1}},t}(r.Component)},1594:(e,t,o)=>{"use strict";o.d(t,{u:()=>a});var n=o(2002),r=o(3860),i=o(9729),a=(0,n.z)(r.P,(function(e){var t=e.className,o=e.beakWidth,n=void 0===o?16:o,r=e.gapSpace,a=void 0===r?0:r,s=e.maxWidth,l=e.theme,c=l.semanticColors,u=l.fonts,d=l.effects,p=-(Math.sqrt(n*n/2)+a)+1/window.devicePixelRatio;return{root:["ms-Tooltip",l.fonts.medium,i.k4.fadeIn200,{background:c.menuBackground,boxShadow:d.elevation8,padding:"8px",maxWidth:s,selectors:{":after":{content:"''",position:"absolute",bottom:p,left:p,right:p,top:p,zIndex:0}}},t],content:["ms-Tooltip-content",u.small,{position:"relative",zIndex:1,color:c.menuItemText,wordWrap:"break-word",overflowWrap:"break-word",overflow:"hidden"}],subText:["ms-Tooltip-subtext",{fontSize:"inherit",fontWeight:"inherit",color:"inherit",margin:0}]}}),void 0,{scope:"Tooltip"})},1180:(e,t,o)=>{"use strict";var n;o.d(t,{j:()=>n}),function(e){e[e.zero=0]="zero",e[e.medium=1]="medium",e[e.long=2]="long"}(n||(n={}))},154:(e,t,o)=>{"use strict";o.d(t,{Z:()=>y});var n=o(7622),r=o(7002),i=o(9729),a=o(7300),s=o(2782),l=o(6670),c=o(7466),u=o(8145),d=o(688),p=o(2167),m=o(2447),h=o(8127),g=o(3967),f=o(1594),v=o(1180),b=(0,a.y)(),y=function(e){function t(o){var n=e.call(this,o)||this;return n._tooltipHost=r.createRef(),n._defaultTooltipId=(0,s.z)("tooltip"),n.show=function(){n._toggleTooltip(!0)},n.dismiss=function(){n._hideTooltip()},n._getTargetElement=function(){if(n._tooltipHost.current){var e=n.props.overflowMode;if(void 0!==e)switch(e){case g.y.Parent:return n._tooltipHost.current.parentElement;case g.y.Self:return n._tooltipHost.current}return n._tooltipHost.current}},n._onTooltipMouseEnter=function(e){var o=n.props,r=o.overflowMode,i=o.delay;if(t._currentVisibleTooltip&&t._currentVisibleTooltip!==n&&t._currentVisibleTooltip.dismiss(),t._currentVisibleTooltip=n,void 0!==r){var a=n._getTargetElement();if(a&&!(0,l.zS)(a))return}if(!e.target||!(0,c.w)(e.target,n._getTargetElement()))if(n._clearDismissTimer(),n._clearOpenTimer(),i!==v.j.zero){n.setState({isAriaPlaceholderRendered:!0});var s=n._getDelayTime(i);n._openTimerId=n._async.setTimeout((function(){n._toggleTooltip(!0)}),s)}else n._toggleTooltip(!0)},n._onTooltipMouseLeave=function(e){var o=n.props.closeDelay;n._clearDismissTimer(),n._clearOpenTimer(),o?n._dismissTimerId=n._async.setTimeout((function(){n._toggleTooltip(!1)}),o):n._toggleTooltip(!1),t._currentVisibleTooltip===n&&(t._currentVisibleTooltip=void 0)},n._onTooltipKeyDown=function(e){(e.which===u.m.escape||e.ctrlKey)&&n.state.isTooltipVisible&&(n._hideTooltip(),e.stopPropagation())},n._clearDismissTimer=function(){n._async.clearTimeout(n._dismissTimerId)},n._clearOpenTimer=function(){n._async.clearTimeout(n._openTimerId)},n._hideTooltip=function(){n._clearOpenTimer(),n._clearDismissTimer(),n._toggleTooltip(!1)},n._toggleTooltip=function(e){n.state.isTooltipVisible!==e&&n.setState({isAriaPlaceholderRendered:!1,isTooltipVisible:e},(function(){return n.props.onTooltipToggle&&n.props.onTooltipToggle(e)}))},n._getDelayTime=function(e){switch(e){case v.j.medium:return 300;case v.j.long:return 500;default:return 0}},(0,d.l)(n),n.state={isAriaPlaceholderRendered:!1,isTooltipVisible:!1},n._async=new p.e(n),n}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.calloutProps,o=e.children,a=e.content,s=e.directionalHint,l=e.directionalHintForRTL,c=e.hostClassName,u=e.id,d=e.setAriaDescribedBy,p=void 0===d||d,g=e.tooltipProps,v=e.styles,y=e.theme;this._classNames=b(v,{theme:y,className:c});var _=this.state,C=_.isAriaPlaceholderRendered,S=_.isTooltipVisible,x=u||this._defaultTooltipId,k=!!(a||g&&g.onRenderContent&&g.onRenderContent()),w=S&&k,I=p&&S&&k?x:void 0;return r.createElement("div",(0,n.pi)({className:this._classNames.root,ref:this._tooltipHost},{onFocusCapture:this._onTooltipMouseEnter},{onBlurCapture:this._hideTooltip},{onMouseEnter:this._onTooltipMouseEnter,onMouseLeave:this._onTooltipMouseLeave,onKeyDown:this._onTooltipKeyDown,"aria-describedby":I}),o,w&&r.createElement(f.u,(0,n.pi)({id:x,content:a,targetElement:this._getTargetElement(),directionalHint:s,directionalHintForRTL:l,calloutProps:(0,m.f0)({},t,{onDismiss:this._hideTooltip,onMouseEnter:this._onTooltipMouseEnter,onMouseLeave:this._onTooltipMouseLeave}),onMouseEnter:this._onTooltipMouseEnter,onMouseLeave:this._onTooltipMouseLeave},(0,h.pq)(this.props,h.n7),g)),C&&r.createElement("div",{id:x,style:i.ul},a))},t.prototype.componentWillUnmount=function(){t._currentVisibleTooltip&&t._currentVisibleTooltip===this&&(t._currentVisibleTooltip=void 0),this._async.dispose()},t.defaultProps={delay:v.j.medium},t}(r.Component)},5816:(e,t,o)=>{"use strict";o.d(t,{G:()=>s});var n=o(2002),r=o(154),i=o(9729),a={root:"ms-TooltipHost",ariaPlaceholder:"ms-TooltipHost-aria-placeholder"},s=(0,n.z)(r.Z,(function(e){var t=e.className,o=e.theme;return{root:[(0,i.Cn)(a,o).root,{display:"inline"},t]}}),void 0,{scope:"TooltipHost"})},3967:(e,t,o)=>{"use strict";var n;o.d(t,{y:()=>n}),function(e){e[e.Parent=0]="Parent",e[e.Self=1]="Self"}(n||(n={}))},8976:(e,t,o)=>{"use strict";o.d(t,{d:()=>L,Y:()=>A});var n={};o.r(n),o.d(n,{inputDisabled:()=>P,inputFocused:()=>E,pickerInput:()=>M,pickerItems:()=>R,pickerText:()=>T,screenReaderOnly:()=>N});var r=o(7622),i=o(7002),a=o(7300),s=o(2002),l=o(8145),c=o(3345),u=o(688),d=o(2167),p=o(2782),m=o(8088),h=o(2998),g=o(7023),f=o(5953),v=o(3297),b=o(4449),y=o(5238),_=o(6628),C=o(4800),S=o(9729),x={root:"ms-Suggestions",suggestionsContainer:"ms-Suggestions-container",title:"ms-Suggestions-title",forceResolveButton:"ms-forceResolve-button",searchForMoreButton:"ms-SearchMore-button",spinner:"ms-Suggestions-spinner",noSuggestions:"ms-Suggestions-none",suggestionsAvailable:"ms-Suggestions-suggestionsAvailable",isSelected:"is-selected"};function k(e){var t,o=e.className,n=e.suggestionsClassName,i=e.theme,a=e.forceResolveButtonSelected,s=e.searchForMoreButtonSelected,l=i.palette,c=i.semanticColors,u=i.fonts,d=(0,S.Cn)(x,i),p={backgroundColor:"transparent",border:0,cursor:"pointer",margin:0,paddingLeft:8,position:"relative",borderTop:"1px solid "+l.neutralLight,height:40,textAlign:"left",width:"100%",fontSize:u.small.fontSize,selectors:{":hover":{backgroundColor:c.menuItemBackgroundPressed,cursor:"pointer"},":focus, :active":{backgroundColor:l.themeLight},".ms-Button-icon":{fontSize:u.mediumPlus.fontSize,width:25},".ms-Button-label":{margin:"0 4px 0 9px"}}},m={backgroundColor:l.themeLight,selectors:(t={},t[S.qJ]=(0,r.pi)({backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},(0,S.xM)()),t)};return{root:[d.root,{minWidth:260},o],suggestionsContainer:[d.suggestionsContainer,{overflowY:"auto",overflowX:"hidden",maxHeight:300,transform:"translate3d(0,0,0)"},n],title:[d.title,{padding:"0 12px",fontSize:u.small.fontSize,color:l.themePrimary,lineHeight:40,borderBottom:"1px solid "+c.menuItemBackgroundPressed}],forceResolveButton:[d.forceResolveButton,p,a&&[d.isSelected,m]],searchForMoreButton:[d.searchForMoreButton,p,s&&[d.isSelected,m]],noSuggestions:[d.noSuggestions,{textAlign:"center",color:l.neutralSecondary,fontSize:u.small.fontSize,lineHeight:30}],suggestionsAvailable:[d.suggestionsAvailable,S.ul],subComponentStyles:{spinner:{root:[d.spinner,{margin:"5px 0",paddingLeft:14,textAlign:"left",whiteSpace:"nowrap",lineHeight:20,fontSize:u.small.fontSize}],circle:{display:"inline-block",verticalAlign:"middle"},label:{display:"inline-block",verticalAlign:"middle",margin:"0 10px 0 16px"}}}}}var w=o(6920),I=o(7115),D=o(5767);(0,o(4976).RM)([{rawString:".pickerText_9da47ae5{display:-webkit-box;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;-webkit-box-align:center;-ms-flex-align:center;align-items:center;-webkit-box-sizing:border-box;box-sizing:border-box;border:1px solid "},{theme:"neutralTertiary",defaultValue:"#a19f9d"},{rawString:";min-width:180px;min-height:30px}.pickerText_9da47ae5:hover{border-color:"},{theme:"inputBorderHovered",defaultValue:"#323130"},{rawString:"}.pickerText_9da47ae5.inputFocused_9da47ae5{position:relative;border-color:"},{theme:"inputFocusBorderAlt",defaultValue:"#0078d4"},{rawString:"}.pickerText_9da47ae5.inputFocused_9da47ae5:after{pointer-events:none;content:'';position:absolute;left:-1px;top:-1px;bottom:-1px;right:-1px;border:2px solid "},{theme:"inputFocusBorderAlt",defaultValue:"#0078d4"},{rawString:"}@media screen and (-ms-high-contrast:active){.pickerText_9da47ae5.inputDisabled_9da47ae5{position:relative;border-color:GrayText}.pickerText_9da47ae5.inputDisabled_9da47ae5:after{pointer-events:none;content:'';position:absolute;left:0;top:0;bottom:0;right:0;background-color:Window}}.pickerInput_9da47ae5{height:34px;border:none;-webkit-box-flex:1;-ms-flex-positive:1;flex-grow:1;outline:0;padding:0 6px 0;-ms-flex-item-align:end;align-self:flex-end}.pickerItems_9da47ae5{display:-webkit-box;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;max-width:100%}.screenReaderOnly_9da47ae5{position:absolute;width:1px;height:1px;padding:0;margin:-1px;overflow:hidden;clip:rect(0,0,0,0);border:0}"}]);var T="pickerText_9da47ae5",E="inputFocused_9da47ae5",P="inputDisabled_9da47ae5",M="pickerInput_9da47ae5",R="pickerItems_9da47ae5",N="screenReaderOnly_9da47ae5",B=n,F=(0,a.y)(),L=function(e){function t(t){var o,n=e.call(this,t)||this;n.root=i.createRef(),n.input=i.createRef(),n.focusZone=i.createRef(),n.suggestionElement=i.createRef(),n.SuggestionOfProperType=C.D,n._styledSuggestions=(o=n.SuggestionOfProperType,(0,s.z)(o,k,void 0,{scope:"Suggestions"})),n.dismissSuggestions=function(e){var t=function(){var t=!0;n.props.onDismiss&&(t=n.props.onDismiss(e,n.suggestionStore.currentSuggestion?n.suggestionStore.currentSuggestion.item:void 0)),(!e||e&&!e.defaultPrevented)&&!1!==t&&n.canAddItems()&&n.suggestionStore.hasSelectedSuggestion()&&n.state.suggestedDisplayValue&&n.addItemByIndex(0)};n.currentPromise?n.currentPromise.then((function(){return t()})):t(),n.setState({suggestionsVisible:!1})},n.refocusSuggestions=function(e){n.resetFocus(),n.suggestionStore.suggestions&&n.suggestionStore.suggestions.length>0&&(e===l.m.up?n.suggestionStore.setSelectedSuggestion(n.suggestionStore.suggestions.length-1):e===l.m.down&&n.suggestionStore.setSelectedSuggestion(0))},n.onInputChange=function(e){n.updateValue(e),n.setState({moreSuggestionsAvailable:!0,isMostRecentlyUsedVisible:!1})},n.onSuggestionClick=function(e,t,o){n.addItemByIndex(o)},n.onSuggestionRemove=function(e,t,o){n.props.onRemoveSuggestion&&n.props.onRemoveSuggestion(t),n.suggestionStore.removeSuggestion(o)},n.onInputFocus=function(e){n.selection.setAllSelected(!1),n.state.isFocused||(n.setState({isFocused:!0}),n._userTriggeredSuggestions(),n.props.inputProps&&n.props.inputProps.onFocus&&n.props.inputProps.onFocus(e))},n.onInputBlur=function(e){n.props.inputProps&&n.props.inputProps.onBlur&&n.props.inputProps.onBlur(e)},n.onBlur=function(e){if(n.state.isFocused){var t=e.relatedTarget;null===e.relatedTarget&&(t=document.activeElement),t&&!(0,c.t)(n.root.current,t)&&(n.setState({isFocused:!1}),n.props.onBlur&&n.props.onBlur(e))}},n.onClick=function(e){void 0!==n.props.inputProps&&void 0!==n.props.inputProps.onClick&&n.props.inputProps.onClick(e),0===e.button&&n._userTriggeredSuggestions()},n.onKeyDown=function(e){var t=e.which;switch(t){case l.m.escape:n.state.suggestionsVisible&&(n.setState({suggestionsVisible:!1}),e.preventDefault(),e.stopPropagation());break;case l.m.tab:case l.m.enter:n.suggestionElement.current&&n.suggestionElement.current.hasSuggestedActionSelected()?n.suggestionElement.current.executeSelectedAction():!e.shiftKey&&n.suggestionStore.hasSelectedSuggestion()&&n.state.suggestionsVisible?(n.completeSuggestion(),e.preventDefault(),e.stopPropagation()):n._completeGenericSuggestion();break;case l.m.backspace:n.props.disabled||n.onBackspace(e),e.stopPropagation();break;case l.m.del:n.props.disabled||(n.input.current&&e.target===n.input.current.inputElement&&n.state.suggestionsVisible&&-1!==n.suggestionStore.currentIndex?(n.props.onRemoveSuggestion&&n.props.onRemoveSuggestion(n.suggestionStore.currentSuggestion.item),n.suggestionStore.removeSuggestion(n.suggestionStore.currentIndex),n.forceUpdate()):n.onBackspace(e)),e.stopPropagation();break;case l.m.up:n.input.current&&e.target===n.input.current.inputElement&&n.state.suggestionsVisible&&(n.suggestionElement.current&&n.suggestionElement.current.tryHandleKeyDown(t,n.suggestionStore.currentIndex)?(e.preventDefault(),e.stopPropagation(),n.forceUpdate()):n.suggestionElement.current&&n.suggestionElement.current.hasSuggestedAction()&&0===n.suggestionStore.currentIndex?(e.preventDefault(),e.stopPropagation(),n.suggestionElement.current.focusAboveSuggestions(),n.suggestionStore.deselectAllSuggestions(),n.forceUpdate()):n.suggestionStore.previousSuggestion()&&(e.preventDefault(),e.stopPropagation(),n.onSuggestionSelect()));break;case l.m.down:n.input.current&&e.target===n.input.current.inputElement&&n.state.suggestionsVisible&&(n.suggestionElement.current&&n.suggestionElement.current.tryHandleKeyDown(t,n.suggestionStore.currentIndex)?(e.preventDefault(),e.stopPropagation(),n.forceUpdate()):n.suggestionElement.current&&n.suggestionElement.current.hasSuggestedAction()&&n.suggestionStore.currentIndex+1===n.suggestionStore.suggestions.length?(e.preventDefault(),e.stopPropagation(),n.suggestionElement.current.focusBelowSuggestions(),n.suggestionStore.deselectAllSuggestions(),n.forceUpdate()):n.suggestionStore.nextSuggestion()&&(e.preventDefault(),e.stopPropagation(),n.onSuggestionSelect()))}},n.onItemChange=function(e,t){var o=n.state.items;if(t>=0){var r=o;r[t]=e,n._updateSelectedItems(r)}},n.onGetMoreResults=function(){n.setState({isSearching:!0},(function(){if(n.props.onGetMoreResults&&n.input.current){var e=n.props.onGetMoreResults(n.input.current.value,n.state.items),t=e,o=e;Array.isArray(t)?(n.updateSuggestions(t),n.setState({isSearching:!1})):o.then&&o.then((function(e){n.updateSuggestions(e),n.setState({isSearching:!1})}))}else n.setState({isSearching:!1});n.input.current&&n.input.current.focus(),n.setState({moreSuggestionsAvailable:!1,isResultsFooterVisible:!0})}))},n.completeSelection=function(e){n.addItem(e),n.updateValue(""),n.input.current&&n.input.current.clear(),n.setState({suggestionsVisible:!1})},n.addItemByIndex=function(e){n.completeSelection(n.suggestionStore.getSuggestionAtIndex(e).item)},n.addItem=function(e){var t=n.props.onItemSelected?n.props.onItemSelected(e):e;if(null!==t){var o=t,r=t;if(r&&r.then)r.then((function(e){var t=n.state.items.concat([e]);n._updateSelectedItems(t)}));else{var i=n.state.items.concat([o]);n._updateSelectedItems(i)}n.setState({suggestedDisplayValue:""})}},n.removeItem=function(e,t){var o=n.state.items,r=o.indexOf(e);if(r>=0){var i=o.slice(0,r).concat(o.slice(r+1));n._updateSelectedItems(i)}},n.removeItems=function(e){var t=n.state.items.filter((function(t){return-1===e.indexOf(t)}));n._updateSelectedItems(t)},n._shouldFocusZoneEnterInnerZone=function(e){if(n.state.suggestionsVisible)switch(e.which){case l.m.up:case l.m.down:return!0}return e.which===l.m.enter},n._onResolveSuggestions=function(e){var t=n.props.onResolveSuggestions(e,n.state.items);null!==t&&n.updateSuggestionsList(t,e)},n._completeGenericSuggestion=function(){if(n.props.onValidateInput&&n.input.current&&n.props.onValidateInput(n.input.current.value)!==I.Y.invalid&&n.props.createGenericItem){var e=n.props.createGenericItem(n.input.current.value,n.props.onValidateInput(n.input.current.value));n.suggestionStore.createGenericSuggestion(e),n.completeSuggestion()}},n._userTriggeredSuggestions=function(){if(!n.state.suggestionsVisible){var e=n.input.current?n.input.current.value:"";e?0===n.suggestionStore.suggestions.length?n._onResolveSuggestions(e):n.setState({isMostRecentlyUsedVisible:!1,suggestionsVisible:!0}):n.onEmptyInputFocus()}},(0,u.l)(n),n._async=new d.e(n);var r=t.selectedItems||t.defaultSelectedItems||[];return n._id=(0,p.z)(),n._ariaMap={selectedItems:"selected-items-"+n._id,selectedSuggestionAlert:"selected-suggestion-alert-"+n._id,suggestionList:"suggestion-list-"+n._id,combobox:"combobox-"+n._id},n.suggestionStore=new w.Z,n.selection=new v.Y({onSelectionChanged:function(){return n.onSelectionChange()}}),n.selection.setItems(r),n.state={items:r,suggestedDisplayValue:"",isMostRecentlyUsedVisible:!1,moreSuggestionsAvailable:!1,isFocused:!1,isSearching:!1,selectedIndices:[]},n}return(0,r.ZT)(t,e),t.getDerivedStateFromProps=function(e){return e.selectedItems?{items:e.selectedItems}:null},Object.defineProperty(t.prototype,"items",{get:function(){return this.state.items},enumerable:!0,configurable:!0}),t.prototype.componentDidMount=function(){this.selection.setItems(this.state.items),this._onResolveSuggestions=this._async.debounce(this._onResolveSuggestions,this.props.resolveDelay)},t.prototype.componentDidUpdate=function(e,t){if(this.state.items&&this.state.items!==t.items){var o=this.selection.getSelectedIndices()[0];this.selection.setItems(this.state.items),this.state.isFocused&&this.state.items.length0?"listbox":"dialog"},this.getSuggestionsAlert(_.screenReaderText),i.createElement(b.i,{selection:this.selection,selectionMode:y.oW.multiple},i.createElement("div",{className:_.text,role:"presentation"},n.length>0&&i.createElement("span",{id:this._ariaMap.selectedItems,className:_.itemsWrapper,role:"list"},this.renderItems()),this.canAddItems()&&i.createElement(D.G,(0,r.pi)({spellCheck:!1},l,{className:_.input,componentRef:this.input,onClick:this.onClick,onFocus:this.onInputFocus,onBlur:this.onInputBlur,onInputValueChange:this.onInputChange,suggestedDisplayValue:t,"aria-describedby":n.length>0?this._ariaMap.selectedItems:void 0,"aria-controls":f+" "+p||void 0,"aria-activedescendant":this.getActiveDescendant(),"aria-labelledby":this.props["aria-label"]?this._ariaMap.combobox:void 0,role:"textbox",disabled:c,onInputChange:this.props.onInputChange}))))),this.renderSuggestions())},t.prototype.canAddItems=function(){var e=this.state.items,t=this.props.itemLimit;return void 0===t||e.length=0){var o=this.root.current&&this.root.current.querySelectorAll("[data-selection-index]")[Math.min(e,t.length-1)];o&&this.focusZone.current&&this.focusZone.current.focusElement(o)}else this.canAddItems()?this.input.current&&this.input.current.focus():this.resetFocus(t.length-1)},t.prototype.onSuggestionSelect=function(){if(this.suggestionStore.currentSuggestion){var e=this.input.current?this.input.current.value:"",t=this._getTextFromItem(this.suggestionStore.currentSuggestion.item,e);this.setState({suggestedDisplayValue:t})}},t.prototype.onSelectionChange=function(){this.setState({selectedIndices:this.selection.getSelectedIndices()})},t.prototype.updateSuggestions=function(e){this.suggestionStore.updateSuggestions(e,0),this.forceUpdate()},t.prototype.onEmptyInputFocus=function(){var e=this.props.onEmptyResolveSuggestions?this.props.onEmptyResolveSuggestions:this.props.onEmptyInputFocus;if(e){var t=e(this.state.items);this.updateSuggestionsList(t),this.setState({isMostRecentlyUsedVisible:!0,suggestionsVisible:!0,moreSuggestionsAvailable:!1})}},t.prototype.updateValue=function(e){this._onResolveSuggestions(e)},t.prototype.updateSuggestionsList=function(e,t){var o=this,n=e,r=e;if(Array.isArray(n))this._updateAndResolveValue(t,n);else if(r&&r.then){this.setState({suggestionsLoading:!0}),this.suggestionStore.updateSuggestions([]),void 0!==t?this.setState({suggestionsVisible:this._getShowSuggestions()}):this.setState({suggestionsVisible:this.input.current&&this.input.current.inputElement===document.activeElement});var i=this.currentPromise=r;i.then((function(e){i===o.currentPromise&&o._updateAndResolveValue(t,e)}))}},t.prototype.resolveNewValue=function(e,t){var o=this;this.updateSuggestions(t);var n=void 0;this.suggestionStore.currentSuggestion&&(n=this._getTextFromItem(this.suggestionStore.currentSuggestion.item,e)),this.setState({suggestedDisplayValue:n,suggestionsVisible:this._getShowSuggestions()},(function(){return o.setState({suggestionsLoading:!1})}))},t.prototype.onChange=function(e){this.props.onChange&&this.props.onChange(e)},t.prototype.onBackspace=function(e){(this.state.items.length&&!this.input.current||this.input.current&&!this.input.current.isValueSelected&&0===this.input.current.cursorLocation)&&(this.selection.getSelectedCount()>0?this.removeItems(this.selection.getSelection()):this.removeItem(this.state.items[this.state.items.length-1]))},t.prototype.getActiveDescendant=function(){if(!this.state.suggestionsLoading){var e=this.suggestionStore.currentIndex;return e<0&&this.suggestionElement.current&&this.suggestionElement.current.hasSuggestedAction()?"sug-selectedAction":e>-1&&!this.state.suggestionsLoading?"sug-"+e:void 0}},t.prototype.getSuggestionsAlert=function(e){void 0===e&&(e=B.screenReaderOnly);var t=this.suggestionStore.currentIndex;if(this.props.enableSelectedSuggestionAlert){var o=t>-1?this.suggestionStore.getSuggestionAtIndex(this.suggestionStore.currentIndex):void 0,n=o?o.ariaLabel:void 0;return i.createElement("div",{className:e,role:"alert",id:this._ariaMap.selectedSuggestionAlert,"aria-live":"assertive"},n," ")}},t.prototype._updateAndResolveValue=function(e,t){void 0!==e?this.resolveNewValue(e,t):(this.suggestionStore.updateSuggestions(t,-1),this.state.suggestionsLoading&&this.setState({suggestionsLoading:!1}))},t.prototype._updateSelectedItems=function(e){var t=this;this.props.selectedItems?this.onChange(e):this.setState({items:e},(function(){t._onSelectedItemsUpdated(e)}))},t.prototype._onSelectedItemsUpdated=function(e){this.onChange(e)},t.prototype._getShowSuggestions=function(){return void 0!==this.input.current&&null!==this.input.current&&this.input.current.inputElement===document.activeElement&&""!==this.input.current.value},t.prototype._getTextFromItem=function(e,t){return this.props.getTextFromItem?this.props.getTextFromItem(e,t):""},t}(i.Component),A=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,r.ZT)(t,e),t.prototype.render=function(){var e=this.state,t=e.suggestedDisplayValue,o=e.isFocused,n=this.props,a=n.className,s=n.inputProps,l=n.disabled,c=n.theme,u=n.styles,d=this.props.enableSelectedSuggestionAlert?this._ariaMap.selectedSuggestionAlert:"",p=this.state.suggestionsVisible?this._ariaMap.suggestionList:"",f=u?F(u,{theme:c,className:a,isFocused:o,inputClassName:s&&s.className}):{root:(0,m.i)("ms-BasePicker",a||""),text:(0,m.i)("ms-BasePicker-text",B.pickerText,this.state.isFocused&&B.inputFocused,l&&B.inputDisabled),itemsWrapper:B.pickerItems,input:(0,m.i)("ms-BasePicker-input",B.pickerInput,s&&s.className),screenReaderText:B.screenReaderOnly};return i.createElement("div",{ref:this.root,onBlur:this.onBlur},i.createElement("div",{className:f.root,onKeyDown:this.onKeyDown},this.getSuggestionsAlert(f.screenReaderText),i.createElement("div",{className:f.text,"aria-owns":p||void 0,"aria-expanded":!!this.state.suggestionsVisible,"aria-haspopup":p&&this.suggestionStore.suggestions.length>0?"listbox":"dialog",role:"combobox"},i.createElement(D.G,(0,r.pi)({},s,{className:f.input,componentRef:this.input,onFocus:this.onInputFocus,onBlur:this.onInputBlur,onClick:this.onClick,onInputValueChange:this.onInputChange,suggestedDisplayValue:t,"aria-activedescendant":this.getActiveDescendant(),role:"textbox",disabled:l,"aria-controls":p+" "+d||void 0,onInputChange:this.props.onInputChange})))),this.renderSuggestions(),i.createElement(b.i,{selection:this.selection,selectionMode:y.oW.single},i.createElement(h.k,{componentRef:this.focusZone,className:"ms-BasePicker-selectedItems",isCircularNavigation:!0,direction:g.U.bidirectional,shouldEnterInnerZone:this._shouldFocusZoneEnterInnerZone,id:this._ariaMap.selectedItems,role:"list"},this.renderItems())))},t.prototype.onBackspace=function(e){},t}(L)},9378:(e,t,o)=>{"use strict";o.d(t,{W:()=>i});var n=o(9729),r={root:"ms-BasePicker",text:"ms-BasePicker-text",itemsWrapper:"ms-BasePicker-itemsWrapper",input:"ms-BasePicker-input"};function i(e){var t,o=e.className,i=e.theme,a=e.isFocused,s=e.inputClassName,l=e.disabled;if(!i)throw new Error("theme is undefined or null in base BasePicker getStyles function.");var c=i.semanticColors,u=i.effects,d=i.fonts,p=c.inputBorder,m=c.inputBorderHovered,h=c.inputFocusBorderAlt,g=(0,n.Cn)(r,i),f="rgba(218, 218, 218, 0.29)";return{root:[g.root,o],text:[g.text,{display:"flex",position:"relative",flexWrap:"wrap",alignItems:"center",boxSizing:"border-box",minWidth:180,minHeight:30,border:"1px solid "+p,borderRadius:u.roundedCorner2},!a&&!l&&{selectors:{":hover":{borderColor:m}}},a&&!l&&(0,n.$Y)(h,u.roundedCorner2),l&&{borderColor:f,selectors:(t={":after":{content:'""',position:"absolute",top:0,right:0,bottom:0,left:0,background:f}},t[n.qJ]={borderColor:"GrayText",selectors:{":after":{background:"none"}}},t)}],itemsWrapper:[g.itemsWrapper,{display:"flex",flexWrap:"wrap",maxWidth:"100%"}],input:[g.input,d.medium,{height:30,border:"none",flexGrow:1,outline:"none",padding:"0 6px 0",alignSelf:"flex-end",borderRadius:u.roundedCorner2,backgroundColor:"transparent",color:c.inputText,selectors:{"::-ms-clear":{display:"none"}}},s],screenReaderText:n.ul}}},7115:(e,t,o)=>{"use strict";var n;o.d(t,{Y:()=>n}),function(e){e[e.valid=0]="valid",e[e.warning=1]="warning",e[e.invalid=2]="invalid"}(n||(n={}))},9318:(e,t,o)=>{"use strict";o.d(t,{UM:()=>m,Aj:()=>h,fK:()=>g,eT:()=>f,XF:()=>v,IV:()=>b,cA:()=>y,V1:()=>_,CV:()=>C});var n=o(7622),r=o(7002),i=o(6104),a=o(5951),s=o(2002),l=o(8976),c=o(7115),u=o(4885),d=o(2535),p=o(9378),m=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t}(l.d),h=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t}(l.Y),g=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.defaultProps={onRenderItem:function(e){return r.createElement(u.A,(0,n.pi)({},e))},onRenderSuggestionsItem:function(e,t){return r.createElement(d.E,{personaProps:e,suggestionsProps:t})},createGenericItem:b},t}(m),f=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.defaultProps={onRenderItem:function(e){return r.createElement(u.A,(0,n.pi)({},e))},onRenderSuggestionsItem:function(e,t){return r.createElement(d.E,{personaProps:e,suggestionsProps:t,compact:!0})},createGenericItem:b},t}(m),v=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.defaultProps={onRenderItem:function(e){return r.createElement(u.A,(0,n.pi)({},e))},onRenderSuggestionsItem:function(e,t){return r.createElement(d.E,{personaProps:e,suggestionsProps:t})},createGenericItem:b},t}(h);function b(e,t){var o={key:e,primaryText:e,imageInitials:"!",ValidationState:t};return t!==c.Y.warning&&(o.imageInitials=(0,i.Q)(e,(0,a.zg)())),o}var y=(0,s.z)(g,p.W,void 0,{scope:"NormalPeoplePicker"}),_=(0,s.z)(f,p.W,void 0,{scope:"CompactPeoplePicker"}),C=(0,s.z)(v,p.W,void 0,{scope:"ListPeoplePickerBase"})},4885:(e,t,o)=>{"use strict";o.d(t,{A:()=>v,u:()=>f});var n=o(7622),r=o(7002),i=o(7300),a=o(2782),s=o(2002),l=o(7665),c=o(7481),u=o(5758),d=o(7115),p=o(9729),m=o(2657),h={root:"ms-PickerPersona-container",itemContent:"ms-PickerItem-content",removeButton:"ms-PickerItem-removeButton",isSelected:"is-selected",isInvalid:"is-invalid"},g=(0,i.y)(),f=function(e){var t=e.item,o=e.onRemoveItem,i=e.index,s=e.selected,p=e.removeButtonAriaLabel,m=e.styles,h=e.theme,f=e.className,v=e.disabled,b=(0,a.z)(),y=g(m,{theme:h,className:f,selected:s,disabled:v,invalid:t.ValidationState===d.Y.warning}),_=y.subComponentStyles?y.subComponentStyles.persona:void 0,C=y.subComponentStyles?y.subComponentStyles.personaCoin:void 0;return r.createElement("div",{className:y.root,"data-is-focusable":!v,"data-is-sub-focuszone":!0,"data-selection-index":i,role:"listitem","aria-labelledby":"selectedItemPersona-"+b},r.createElement("div",{className:y.itemContent,id:"selectedItemPersona-"+b},r.createElement(l.I,(0,n.pi)({size:c.Ir.size24,styles:_,coinProps:{styles:C}},t))),r.createElement(u.h,{onClick:o,disabled:v,iconProps:{iconName:"Cancel",styles:{root:{fontSize:"12px"}}},className:y.removeButton,ariaLabel:p}))},v=(0,s.z)(f,(function(e){var t,o,r,i,a,s,l,c=e.className,u=e.theme,d=e.selected,g=e.invalid,f=e.disabled,v=u.palette,b=u.semanticColors,y=u.fonts,_=(0,p.Cn)(h,u),C=[d&&!g&&!f&&{color:v.white,selectors:(t={":hover":{color:v.white}},t[p.qJ]={color:"HighlightText"},t)},(g&&!d||g&&d&&f)&&{color:v.redDark,borderBottom:"2px dotted "+v.redDark,selectors:(o={},o["."+_.root+":hover &"]={color:v.redDark},o)},g&&d&&!f&&{color:v.white,borderBottom:"2px dotted "+v.white},f&&{selectors:(r={},r[p.qJ]={color:"GrayText"},r)}],S=[g&&{fontSize:y.xLarge.fontSize}];return{root:[_.root,(0,p.GL)(u,{inset:-2}),{borderRadius:15,display:"inline-flex",alignItems:"center",background:v.neutralLighter,margin:"1px 2px",cursor:"default",userSelect:"none",maxWidth:300,verticalAlign:"middle",minWidth:0,selectors:(i={":hover":{background:d||f?"":v.neutralLight}},i[p.qJ]=[{border:"1px solid WindowText"},f&&{borderColor:"GrayText"}],i)},d&&!f&&[_.isSelected,{background:v.themePrimary,selectors:(a={},a[p.qJ]=(0,n.pi)({borderColor:"HighLight",background:"Highlight"},(0,p.xM)()),a)}],g&&[_.isInvalid],g&&d&&!f&&{background:v.redDark},c],itemContent:[_.itemContent,{flex:"0 1 auto",minWidth:0,maxWidth:"100%",overflow:"hidden"}],removeButton:[_.removeButton,{borderRadius:15,color:v.neutralPrimary,flex:"0 0 auto",width:24,height:24,selectors:{":hover":{background:v.neutralTertiaryAlt,color:v.neutralDark}}},d&&[{color:v.white,selectors:(s={":hover":{color:v.white,background:v.themeDark},":active":{color:v.white,background:v.themeDarker}},s[p.qJ]={color:"HighlightText"},s)},g&&{selectors:{":hover":{background:v.red},":active":{background:v.redDark}}}],f&&{selectors:(l={},l["."+m.n.msButtonIcon]={color:b.buttonText},l)}],subComponentStyles:{persona:{primaryText:C},personaCoin:{initials:S}}}}),void 0,{scope:"PeoplePickerItem"})},2535:(e,t,o)=>{"use strict";o.d(t,{E:()=>h,R:()=>m});var n=o(7622),r=o(7002),i=o(7300),a=o(2002),s=o(7665),l=o(7481),c=o(9729),u=o(4010),d={root:"ms-PeoplePicker-personaContent",personaWrapper:"ms-PeoplePicker-Persona"},p=(0,i.y)(),m=function(e){var t=e.personaProps,o=e.suggestionsProps,i=e.compact,a=e.styles,c=e.theme,u=e.className,d=p(a,{theme:c,className:o&&o.suggestionsItemClassName||u}),m=d.subComponentStyles&&d.subComponentStyles.persona?d.subComponentStyles.persona:void 0;return r.createElement("div",{className:d.root},r.createElement(s.I,(0,n.pi)({size:l.Ir.size24,styles:m,className:d.personaWrapper,showSecondaryText:!i},t)))},h=(0,a.z)(m,(function(e){var t,o,n,r=e.className,i=e.theme,a=(0,c.Cn)(d,i),s={selectors:(t={},t["."+u.k.isSuggested+" &"]={selectors:(o={},o[c.qJ]={color:"HighlightText"},o)},t["."+a.root+":hover &"]={selectors:(n={},n[c.qJ]={color:"HighlightText"},n)},t)};return{root:[a.root,{width:"100%",padding:"4px 12px"},r],personaWrapper:[a.personaWrapper,{width:180}],subComponentStyles:{persona:{primaryText:s,secondaryText:s}}}}),void 0,{scope:"PeoplePickerItemSuggestion"})},4800:(e,t,o)=>{"use strict";o.d(t,{D:()=>y});var n=o(7622),r=o(7002),i=o(7300),a=o(2002),s=o(8145),l=o(688),c=o(8088),u=o(990),d=o(76),p=o(3945),m=o(9862),h=o(7420),g=o(4010),f=o(8463),v=(0,i.y)(),b=(0,a.z)(h.S,g.W,void 0,{scope:"SuggestionItem"}),y=function(e){function t(t){var o=e.call(this,t)||this;return o._forceResolveButton=r.createRef(),o._searchForMoreButton=r.createRef(),o._selectedElement=r.createRef(),o.tryHandleKeyDown=function(e,t){var n=!1,r=null,i=o.state.selectedActionType,a=o.props.suggestions.length;if(e===s.m.down)switch(i){case m.L.forceResolve:a>0?(o._refocusOnSuggestions(e),r=m.L.none):r=o._searchForMoreButton.current?m.L.searchMore:m.L.forceResolve;break;case m.L.searchMore:o._forceResolveButton.current?r=m.L.forceResolve:a>0?(o._refocusOnSuggestions(e),r=m.L.none):r=m.L.searchMore;break;case m.L.none:-1===t&&o._forceResolveButton.current&&(r=m.L.forceResolve)}else if(e===s.m.up)switch(i){case m.L.forceResolve:o._searchForMoreButton.current?r=m.L.searchMore:a>0&&(o._refocusOnSuggestions(e),r=m.L.none);break;case m.L.searchMore:a>0?(o._refocusOnSuggestions(e),r=m.L.none):o._forceResolveButton.current&&(r=m.L.forceResolve);break;case m.L.none:-1===t&&o._searchForMoreButton.current&&(r=m.L.searchMore)}return null!==r&&(o.setState({selectedActionType:r}),n=!0),n},o._getAlertText=function(){var e=o.props,t=e.isLoading,n=e.isSearching,r=e.suggestions,i=e.suggestionsAvailableAlertText,a=e.noResultsFoundText;if(!t&&!n){if(r.length>0)return i||"";if(a)return a}return""},o._getMoreResults=function(){o.props.onGetMoreResults&&o.props.onGetMoreResults()},o._forceResolve=function(){o.props.createGenericItem&&o.props.createGenericItem()},o._shouldShowForceResolve=function(){return!!o.props.showForceResolve&&o.props.showForceResolve()},o._onClickTypedSuggestionsItem=function(e,t){return function(n){o.props.onSuggestionClick(n,e,t)}},o._refocusOnSuggestions=function(e){"function"==typeof o.props.refocusSuggestions&&o.props.refocusSuggestions(e)},o._onRemoveTypedSuggestionsItem=function(e,t){return function(n){(0,o.props.onSuggestionRemove)(n,e,t),n.stopPropagation()}},(0,l.l)(o),o.state={selectedActionType:m.L.none},o}return(0,n.ZT)(t,e),t.prototype.componentDidMount=function(){this.scrollSelected(),this.activeSelectedElement=this._selectedElement?this._selectedElement.current:null},t.prototype.componentDidUpdate=function(){this._selectedElement.current&&this.activeSelectedElement!==this._selectedElement.current&&(this.scrollSelected(),this.activeSelectedElement=this._selectedElement.current)},t.prototype.render=function(){var e,t,o=this,i=this.props,a=i.forceResolveText,s=i.mostRecentlyUsedHeaderText,l=i.searchForMoreText,h=i.className,g=i.moreSuggestionsAvailable,b=i.noResultsFoundText,y=i.suggestions,_=i.isLoading,C=i.isSearching,S=i.loadingText,x=i.onRenderNoResultFound,k=i.searchingText,w=i.isMostRecentlyUsedVisible,I=i.resultsMaximumNumber,D=i.resultsFooterFull,T=i.resultsFooter,E=i.isResultsFooterVisible,P=void 0===E||E,M=i.suggestionsHeaderText,R=i.suggestionsClassName,N=i.theme,B=i.styles,F=i.suggestionsListId;this._classNames=B?v(B,{theme:N,className:h,suggestionsClassName:R,forceResolveButtonSelected:this.state.selectedActionType===m.L.forceResolve,searchForMoreButtonSelected:this.state.selectedActionType===m.L.searchMore}):{root:(0,c.i)("ms-Suggestions",h,f.root),title:(0,c.i)("ms-Suggestions-title",f.suggestionsTitle),searchForMoreButton:(0,c.i)("ms-SearchMore-button",f.actionButton,(e={},e["is-selected "+f.buttonSelected]=this.state.selectedActionType===m.L.searchMore,e)),forceResolveButton:(0,c.i)("ms-forceResolve-button",f.actionButton,(t={},t["is-selected "+f.buttonSelected]=this.state.selectedActionType===m.L.forceResolve,t)),suggestionsAvailable:(0,c.i)("ms-Suggestions-suggestionsAvailable",f.suggestionsAvailable),suggestionsContainer:(0,c.i)("ms-Suggestions-container",f.suggestionsContainer,R),noSuggestions:(0,c.i)("ms-Suggestions-none",f.suggestionsNone)};var L=this._classNames.subComponentStyles?this._classNames.subComponentStyles.spinner:void 0,A=B?{styles:L}:{className:(0,c.i)("ms-Suggestions-spinner",f.suggestionsSpinner)},z=function(){return b?r.createElement("div",{className:o._classNames.noSuggestions},b):null},H=M;w&&s&&(H=s);var O=void 0;P&&(O=y.length>=I?D:T);var W=!(y&&y.length||_),V=W||_?{role:"dialog",id:F}:{},K=this.state.selectedActionType===m.L.forceResolve?"sug-selectedAction":void 0,q=this.state.selectedActionType===m.L.searchMore?"sug-selectedAction":void 0;return r.createElement("div",(0,n.pi)({className:this._classNames.root},V),r.createElement(p.O,{message:this._getAlertText(),"aria-live":"polite"}),H?r.createElement("div",{className:this._classNames.title},H):null,a&&this._shouldShowForceResolve()&&r.createElement(u.M,{componentRef:this._forceResolveButton,className:this._classNames.forceResolveButton,id:K,onClick:this._forceResolve,"data-automationid":"sug-forceResolve"},a),_&&r.createElement(d.$,(0,n.pi)({},A,{label:S})),W?x?x(void 0,z):z():this._renderSuggestions(),l&&g&&r.createElement(u.M,{componentRef:this._searchForMoreButton,className:this._classNames.searchForMoreButton,iconProps:{iconName:"Search"},id:q,onClick:this._getMoreResults,"data-automationid":"sug-searchForMore"},l),C?r.createElement(d.$,(0,n.pi)({},A,{label:k})):null,!O||g||w||C?null:r.createElement("div",{className:this._classNames.title},O(this.props)))},t.prototype.hasSuggestedAction=function(){return!!this._searchForMoreButton.current||!!this._forceResolveButton.current},t.prototype.hasSuggestedActionSelected=function(){return this.state.selectedActionType!==m.L.none},t.prototype.executeSelectedAction=function(){switch(this.state.selectedActionType){case m.L.forceResolve:this._forceResolve();break;case m.L.searchMore:this._getMoreResults()}},t.prototype.focusAboveSuggestions=function(){this._forceResolveButton.current?this.setState({selectedActionType:m.L.forceResolve}):this._searchForMoreButton.current&&this.setState({selectedActionType:m.L.searchMore})},t.prototype.focusBelowSuggestions=function(){this._searchForMoreButton.current?this.setState({selectedActionType:m.L.searchMore}):this._forceResolveButton.current&&this.setState({selectedActionType:m.L.forceResolve})},t.prototype.focusSearchForMoreButton=function(){this._searchForMoreButton.current&&this._searchForMoreButton.current.focus()},t.prototype.scrollSelected=function(){this._selectedElement.current&&void 0!==this._selectedElement.current.scrollIntoView&&this._selectedElement.current.scrollIntoView(!1)},t.prototype._renderSuggestions=function(){var e=this,t=this.props,o=t.onRenderSuggestion,n=t.removeSuggestionAriaLabel,i=t.suggestionsItemClassName,a=t.resultsMaximumNumber,s=t.showRemoveButtons,l=t.suggestionsContainerAriaLabel,c=t.suggestionsListId,u=this.props.suggestions,d=b,p=-1;return u.some((function(e,t){return!!e.selected&&(p=t,!0)})),a&&(u=p>=a?u.slice(p-a+1,p+1):u.slice(0,a)),0===u.length?null:r.createElement("div",{className:this._classNames.suggestionsContainer,id:c,role:"listbox","aria-label":l},u.map((function(t,a){return r.createElement("div",{ref:t.selected?e._selectedElement:void 0,key:t.item.key?t.item.key:a},r.createElement(d,{suggestionModel:t,RenderSuggestion:o,onClick:e._onClickTypedSuggestionsItem(t.item,a),className:i,showRemoveButton:s,removeButtonAriaLabel:n,onRemoveItem:e._onRemoveTypedSuggestionsItem(t.item,a),id:"sug-"+a}))})))},t}(r.Component)},8463:(e,t,o)=>{"use strict";o.r(t),o.d(t,{root:()=>n,suggestionsItem:()=>r,closeButton:()=>i,suggestionsItemIsSuggested:()=>a,itemButton:()=>s,actionButton:()=>l,buttonSelected:()=>c,suggestionsTitle:()=>u,suggestionsContainer:()=>d,suggestionsNone:()=>p,suggestionsSpinner:()=>m,suggestionsAvailable:()=>h}),(0,o(4976).RM)([{rawString:".root_744a4167{min-width:260px}.suggestionsItem_744a4167{display:-webkit-box;display:-ms-flexbox;display:flex;-webkit-box-align:stretch;-ms-flex-align:stretch;align-items:stretch;-webkit-box-sizing:border-box;box-sizing:border-box;width:100%;position:relative;overflow:hidden}.suggestionsItem_744a4167:hover{background:"},{theme:"neutralLighter",defaultValue:"#f3f2f1"},{rawString:"}.suggestionsItem_744a4167:hover .closeButton_744a4167{display:block}.suggestionsItem_744a4167.suggestionsItemIsSuggested_744a4167{background:"},{theme:"neutralLight",defaultValue:"#edebe9"},{rawString:"}.suggestionsItem_744a4167.suggestionsItemIsSuggested_744a4167:hover{background:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c6c4"},{rawString:"}@media screen and (-ms-high-contrast:active){.suggestionsItem_744a4167.suggestionsItemIsSuggested_744a4167:hover{background:Highlight;color:HighlightText}}@media screen and (-ms-high-contrast:active){.suggestionsItem_744a4167.suggestionsItemIsSuggested_744a4167{background:Highlight;color:HighlightText;-ms-high-contrast-adjust:none}}.suggestionsItem_744a4167.suggestionsItemIsSuggested_744a4167 .closeButton_744a4167:hover{background:"},{theme:"neutralTertiary",defaultValue:"#a19f9d"},{rawString:";color:"},{theme:"neutralPrimary",defaultValue:"#323130"},{rawString:"}@media screen and (-ms-high-contrast:active){.suggestionsItem_744a4167.suggestionsItemIsSuggested_744a4167 .itemButton_744a4167{color:HighlightText}}.suggestionsItem_744a4167 .closeButton_744a4167{display:none;color:"},{theme:"neutralSecondary",defaultValue:"#605e5c"},{rawString:"}.suggestionsItem_744a4167 .closeButton_744a4167:hover{background:"},{theme:"neutralLight",defaultValue:"#edebe9"},{rawString:"}.actionButton_744a4167{background-color:transparent;border:0;cursor:pointer;margin:0;position:relative;border-top:1px solid "},{theme:"neutralLight",defaultValue:"#edebe9"},{rawString:";height:40px;width:100%;font-size:12px}[dir=ltr] .actionButton_744a4167{padding-left:8px}[dir=rtl] .actionButton_744a4167{padding-right:8px}html[dir=ltr] .actionButton_744a4167{text-align:left}html[dir=rtl] .actionButton_744a4167{text-align:right}.actionButton_744a4167:hover{background-color:"},{theme:"neutralLight",defaultValue:"#edebe9"},{rawString:";cursor:pointer}.actionButton_744a4167:active,.actionButton_744a4167:focus{background-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:"}.actionButton_744a4167 .ms-Button-icon{font-size:16px;width:25px}.actionButton_744a4167 .ms-Button-label{margin:0 4px 0 9px}html[dir=rtl] .actionButton_744a4167 .ms-Button-label{margin:0 9px 0 4px}.buttonSelected_744a4167{background-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:"}.suggestionsTitle_744a4167{padding:0 12px;color:"},{theme:"themePrimary",defaultValue:"#0078d4"},{rawString:";font-size:12px;line-height:40px;border-bottom:1px solid "},{theme:"neutralLight",defaultValue:"#edebe9"},{rawString:"}.suggestionsContainer_744a4167{overflow-y:auto;overflow-x:hidden;max-height:300px;border-bottom:1px solid "},{theme:"neutralLight",defaultValue:"#edebe9"},{rawString:"}.suggestionsNone_744a4167{text-align:center;color:#797775;font-size:12px;line-height:30px}.suggestionsSpinner_744a4167{margin:5px 0;white-space:nowrap;line-height:20px;font-size:12px}html[dir=ltr] .suggestionsSpinner_744a4167{padding-left:14px}html[dir=rtl] .suggestionsSpinner_744a4167{padding-right:14px}html[dir=ltr] .suggestionsSpinner_744a4167{text-align:left}html[dir=rtl] .suggestionsSpinner_744a4167{text-align:right}.suggestionsSpinner_744a4167 .ms-Spinner-circle{display:inline-block;vertical-align:middle}.suggestionsSpinner_744a4167 .ms-Spinner-label{display:inline-block;margin:0 10px 0 16px;vertical-align:middle}html[dir=rtl] .suggestionsSpinner_744a4167 .ms-Spinner-label{margin:0 16px 0 10px}.itemButton_744a4167.itemButton_744a4167{width:100%;padding:0;min-width:0;height:100%}@media screen and (-ms-high-contrast:active){.itemButton_744a4167.itemButton_744a4167{color:WindowText}}.itemButton_744a4167.itemButton_744a4167:hover{color:"},{theme:"neutralDark",defaultValue:"#201f1e"},{rawString:"}.closeButton_744a4167.closeButton_744a4167{padding:0 4px;height:auto;width:32px}@media screen and (-ms-high-contrast:active){.closeButton_744a4167.closeButton_744a4167{color:WindowText}}.closeButton_744a4167.closeButton_744a4167:hover{background:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c6c4"},{rawString:";color:"},{theme:"neutralDark",defaultValue:"#201f1e"},{rawString:"}.suggestionsAvailable_744a4167{position:absolute;width:1px;height:1px;padding:0;margin:-1px;overflow:hidden;clip:rect(0,0,0,0);border:0}"}]);var n="root_744a4167",r="suggestionsItem_744a4167",i="closeButton_744a4167",a="suggestionsItemIsSuggested_744a4167",s="itemButton_744a4167",l="actionButton_744a4167",c="buttonSelected_744a4167",u="suggestionsTitle_744a4167",d="suggestionsContainer_744a4167",p="suggestionsNone_744a4167",m="suggestionsSpinner_744a4167",h="suggestionsAvailable_744a4167"},9862:(e,t,o)=>{"use strict";var n;o.d(t,{L:()=>n}),function(e){e[e.none=0]="none",e[e.forceResolve=1]="forceResolve",e[e.searchMore=2]="searchMore"}(n||(n={}))},6920:(e,t,o)=>{"use strict";o.d(t,{Z:()=>n});var n=function(){function e(){var e=this;this._isSuggestionModel=function(e){return void 0!==e.item},this._ensureSuggestionModel=function(t){return e._isSuggestionModel(t)?t:{item:t,selected:!1,ariaLabel:t.name||t.primaryText}},this.suggestions=[],this.currentIndex=-1}return e.prototype.updateSuggestions=function(e,t){e&&e.length>0?(this.suggestions=this.convertSuggestionsToSuggestionItems(e),this.currentIndex=t||0,-1===t?this.currentSuggestion=void 0:void 0!==t&&(this.suggestions[t].selected=!0,this.currentSuggestion=this.suggestions[t])):(this.suggestions=[],this.currentIndex=-1,this.currentSuggestion=void 0)},e.prototype.nextSuggestion=function(){if(this.suggestions&&this.suggestions.length){if(this.currentIndex0)return this.setSelectedSuggestion(this.currentIndex-1),!0;if(0===this.currentIndex)return this.setSelectedSuggestion(this.suggestions.length-1),!0}return!1},e.prototype.getSuggestions=function(){return this.suggestions},e.prototype.getCurrentItem=function(){return this.currentSuggestion},e.prototype.getSuggestionAtIndex=function(e){return this.suggestions[e]},e.prototype.hasSelectedSuggestion=function(){return!!this.currentSuggestion},e.prototype.removeSuggestion=function(e){this.suggestions.splice(e,1)},e.prototype.createGenericSuggestion=function(e){var t=this.convertSuggestionsToSuggestionItems([e])[0];this.currentSuggestion=t},e.prototype.convertSuggestionsToSuggestionItems=function(e){return Array.isArray(e)?e.map(this._ensureSuggestionModel):[]},e.prototype.deselectAllSuggestions=function(){this.currentIndex>-1&&(this.suggestions[this.currentIndex].selected=!1,this.currentIndex=-1)},e.prototype.setSelectedSuggestion=function(e){e>this.suggestions.length-1||e<0?(this.currentIndex=0,this.currentSuggestion.selected=!1,this.currentSuggestion=this.suggestions[0],this.currentSuggestion.selected=!0):(this.currentIndex>-1&&(this.suggestions[this.currentIndex].selected=!1),this.suggestions[e].selected=!0,this.currentIndex=e,this.currentSuggestion=this.suggestions[e])},e}()},7420:(e,t,o)=>{"use strict";o.d(t,{S:()=>p});var n=o(7622),r=o(7002),i=o(7300),a=o(688),s=o(8088),l=o(990),c=o(5758),u=o(8463),d=(0,i.y)(),p=function(e){function t(t){var o=e.call(this,t)||this;return(0,a.l)(o),o}return(0,n.ZT)(t,e),t.prototype.render=function(){var e,t=this.props,o=t.suggestionModel,n=t.RenderSuggestion,i=t.onClick,a=t.className,p=t.id,m=t.onRemoveItem,h=t.isSelectedOverride,g=t.removeButtonAriaLabel,f=t.styles,v=t.theme,b=f?d(f,{theme:v,className:a,suggested:o.selected||h}):{root:(0,s.i)("ms-Suggestions-item",u.suggestionsItem,(e={},e["is-suggested "+u.suggestionsItemIsSuggested]=o.selected||h,e),a),itemButton:(0,s.i)("ms-Suggestions-itemButton",u.itemButton),closeButton:(0,s.i)("ms-Suggestions-closeButton",u.closeButton)};return r.createElement("div",{className:b.root},r.createElement(l.M,{onClick:i,className:b.itemButton,id:p,"aria-selected":o.selected,role:"option","aria-label":o.ariaLabel},n(o.item,this.props)),this.props.showRemoveButton?r.createElement(c.h,{iconProps:{iconName:"Cancel",styles:{root:{fontSize:"12px"}}},title:g,ariaLabel:g,onClick:m,className:b.closeButton}):null)},t}(r.Component)},4010:(e,t,o)=>{"use strict";o.d(t,{k:()=>a,W:()=>s});var n=o(7622),r=o(9729),i=o(6145),a={root:"ms-Suggestions-item",itemButton:"ms-Suggestions-itemButton",closeButton:"ms-Suggestions-closeButton",isSuggested:"is-suggested"};function s(e){var t,o,s,l,c,u,d=e.className,p=e.theme,m=e.suggested,h=p.palette,g=p.semanticColors,f=(0,r.Cn)(a,p);return{root:[f.root,{display:"flex",alignItems:"stretch",boxSizing:"border-box",width:"100%",position:"relative",selectors:{"&:hover":{background:g.menuItemBackgroundHovered},"&:hover .ms-Suggestions-closeButton":{display:"block"}}},m&&{selectors:(t={},t["."+i.G$+" &"]={selectors:(o={},o["."+f.closeButton]={display:"block",background:g.menuItemBackgroundPressed},o)},t[":after"]={pointerEvents:"none",content:'""',position:"absolute",left:0,top:0,bottom:0,right:0,border:"1px solid "+p.semanticColors.focusBorder},t)},d],itemButton:[f.itemButton,{width:"100%",padding:0,border:"none",height:"100%",minWidth:0,overflow:"hidden",selectors:(s={},s[r.qJ]={color:"WindowText",selectors:{":hover":(0,n.pi)({background:"Highlight",color:"HighlightText"},(0,r.xM)())}},s[":hover"]={color:g.menuItemTextHovered},s)},m&&[f.isSuggested,{background:g.menuItemBackgroundPressed,selectors:(l={":hover":{background:g.menuDivider}},l[r.qJ]=(0,n.pi)({background:"Highlight",color:"HighlightText"},(0,r.xM)()),l)}]],closeButton:[f.closeButton,{display:"none",color:h.neutralSecondary,padding:"0 4px",height:"auto",width:32,selectors:(c={":hover, :active":{background:h.neutralTertiaryAlt,color:h.neutralDark}},c[r.qJ]={color:"WindowText"},c)},m&&(u={},u["."+i.G$+" &"]={selectors:{":hover, :active":{background:h.neutralTertiary}}},u.selectors={":hover, :active":{background:h.neutralTertiary,color:h.neutralPrimary}},u)]}}},6826:(e,t,o)=>{"use strict";o.r(t),o.d(t,{ActionButton:()=>_e.K,ActivityItem:()=>S,AnimationClassNames:()=>u.k4,AnimationDirection:()=>Be.s,AnimationStyles:()=>u.Ic,AnimationVariables:()=>u.D1,Announced:()=>k.O,AnnouncedBase:()=>w.d,Async:()=>bo.e,AutoScroll:()=>Ws,Autofill:()=>x.G,BaseButton:()=>ve.Y,BaseComponent:()=>Ie.H,BaseExtendedPeoplePicker:()=>na,BaseExtendedPicker:()=>ta,BaseFloatingPeoplePicker:()=>Ba,BaseFloatingPicker:()=>Ra,BasePeoplePicker:()=>wl.UM,BasePeopleSelectedItemsList:()=>Bc,BasePicker:()=>xl.d,BasePickerListBelow:()=>xl.Y,BaseSelectedItemsList:()=>fc,BaseSlots:()=>np,Breadcrumb:()=>fe,BreadcrumbBase:()=>ue,Button:()=>xe,ButtonGrid:()=>Me._,ButtonGridCell:()=>Re.U,ButtonType:()=>ne,COACHMARK_ATTRIBUTE_NAME:()=>xt,Calendar:()=>Ne.f,Callout:()=>Ae.U,CalloutContent:()=>ze.N,CalloutContentBase:()=>He.H,Check:()=>je,CheckBase:()=>qe,Checkbox:()=>Je.X,CheckboxBase:()=>Ye.A,CheckboxVisibility:()=>un,ChoiceGroup:()=>Ze.F,ChoiceGroupBase:()=>Xe.q,ChoiceGroupOption:()=>Qe.c,Coachmark:()=>Dt,CoachmarkBase:()=>wt,CollapseAllVisibility:()=>zo,ColorClassNames:()=>u.JJ,ColorPicker:()=>go.z,ColorPickerBase:()=>fo.T,ColorPickerGridCell:()=>qu.h,ColorPickerGridCellBase:()=>Gu.t,ColumnActionsMode:()=>an,ColumnDragEndLocation:()=>ln,ComboBox:()=>vo.C,CommandBar:()=>qo,CommandBarBase:()=>Ko,CommandBarButton:()=>ke.Q,CommandButton:()=>we.M,CommunicationColors:()=>vd,CompactPeoplePicker:()=>wl.V1,CompactPeoplePickerBase:()=>wl.eT,CompoundButton:()=>Ce.W,ConstrainMode:()=>sn,ContextualMenu:()=>Go.r,ContextualMenuBase:()=>Uo.MK,ContextualMenuItem:()=>Jo.W,ContextualMenuItemBase:()=>Yo.b,ContextualMenuItemType:()=>jo.n,Customizations:()=>Du.X,Customizer:()=>wp.N,CustomizerContext:()=>Iu.i,DATAKTP_ARIA_TARGET:()=>hs.A4,DATAKTP_EXECUTE_TARGET:()=>hs.ms,DATAKTP_TARGET:()=>hs.fV,DATA_IS_SCROLLABLE_ATTRIBUTE:()=>yo.c6,DATA_PORTAL_ATTRIBUTE:()=>Fp.Y,DAYS_IN_WEEK:()=>Le.NA,DEFAULT_CELL_STYLE_PROPS:()=>hn,DEFAULT_MASK_CHAR:()=>gd,DEFAULT_ROW_HEIGHTS:()=>gn,DatePicker:()=>Xo.M,DatePickerBase:()=>Qo.R,DateRangeType:()=>Le.NU,DayOfWeek:()=>Le.eO,DefaultButton:()=>ye.a,DefaultEffects:()=>u.rN,DefaultFontStyles:()=>u.ir,DefaultPalette:()=>u.UK,DefaultSpacing:()=>wd.C,DelayedRender:()=>Us.U,Depths:()=>kd.N,DetailsColumnBase:()=>En,DetailsHeader:()=>Hn,DetailsHeaderBase:()=>Bn,DetailsList:()=>xr,DetailsListBase:()=>br,DetailsListLayoutMode:()=>cn,DetailsRow:()=>Gn,DetailsRowBase:()=>Kn,DetailsRowCheck:()=>In,DetailsRowFields:()=>On,DetailsRowGlobalClassNames:()=>mn,Dialog:()=>ni,DialogBase:()=>ti,DialogContent:()=>Xr,DialogContentBase:()=>Yr,DialogFooter:()=>Ur,DialogFooterBase:()=>qr,DialogType:()=>Cr,DirectionalHint:()=>K.b,DocumentCard:()=>mi,DocumentCardActions:()=>vi,DocumentCardActivity:()=>_i,DocumentCardDetails:()=>ki,DocumentCardImage:()=>Li,DocumentCardLocation:()=>Di,DocumentCardLogo:()=>Ki,DocumentCardPreview:()=>Mi,DocumentCardStatus:()=>ji,DocumentCardTitle:()=>Hi,DocumentCardType:()=>ri,DragDropHelper:()=>Dn,Dropdown:()=>Ji.L,DropdownBase:()=>Yi.P,DropdownMenuItemType:()=>Zi.F,EdgeChromiumHighContrastSelector:()=>u.Ox,ElementType:()=>oe,EventGroup:()=>at.r,ExpandingCard:()=>ja,ExpandingCardBase:()=>Ua,ExpandingCardMode:()=>Va,ExtendedPeoplePicker:()=>ra,ExtendedSelectedItem:()=>Ec,Fabric:()=>ia.P,FabricBase:()=>aa.d,FabricPerformance:()=>fp,FabricSlots:()=>rp,Facepile:()=>ha,FacepileBase:()=>pa,FirstWeekOfYear:()=>Le.On,FloatingPeoplePicker:()=>Fa,FluentTheme:()=>Vd,FocusRects:()=>B.u,FocusTrapCallout:()=>We,FocusTrapZone:()=>Oe.P,FocusZone:()=>M.k,FocusZoneDirection:()=>R.U,FocusZoneTabbableElements:()=>R.J,FontClassNames:()=>u.yV,FontIcon:()=>Ve.xu,FontSizes:()=>u.TS,FontWeights:()=>u.lq,GlobalSettings:()=>vp.D,GroupFooter:()=>ir,GroupHeader:()=>$n,GroupShowAll:()=>or,GroupSpacer:()=>pn,GroupedList:()=>dr,GroupedListBase:()=>ur,GroupedListSection:()=>ar,HEX_REGEX:()=>Tt.lX,HighContrastSelector:()=>u.qJ,HighContrastSelectorBlack:()=>u.$v,HighContrastSelectorWhite:()=>u.bO,HoverCard:()=>es,HoverCardBase:()=>$a,HoverCardType:()=>Oa,Icon:()=>W.J,IconBase:()=>ts.A,IconButton:()=>V.h,IconFontSizes:()=>u.ld,IconType:()=>os.T,Image:()=>Ti.E,ImageBase:()=>is.v,ImageCoverStyle:()=>as.yZ,ImageFit:()=>as.kQ,ImageIcon:()=>ns.X,ImageLoadState:()=>as.U9,InjectionMode:()=>u.qS,IsFocusVisibleClassName:()=>de.G$,KTP_ARIA_SEPARATOR:()=>hs.Tc,KTP_FULL_PREFIX:()=>hs.L7,KTP_LAYER_ID:()=>hs.nK,KTP_PREFIX:()=>hs.ww,KTP_SEPARATOR:()=>hs.by,KeyCodes:()=>rt.m,KeyboardSpinDirection:()=>fu.T,Keytip:()=>ps,KeytipData:()=>ms.a,KeytipEvents:()=>hs.Tj,KeytipLayer:()=>Es,KeytipLayerBase:()=>Ts,KeytipManager:()=>Bo.K,Label:()=>Ns._,LabelBase:()=>Rs.E,Layer:()=>dt.m,LayerBase:()=>Ls.s,LayerHost:()=>zs,Link:()=>O,LinkBase:()=>A,List:()=>Eo,ListPeoplePicker:()=>wl.CV,ListPeoplePickerBase:()=>wl.XF,LocalizedFontFamilies:()=>Od.II,LocalizedFontNames:()=>Od.Qm,MAX_COLOR_ALPHA:()=>Tt.c5,MAX_COLOR_HUE:()=>Tt.a_,MAX_COLOR_RGB:()=>Tt.uc,MAX_COLOR_RGBA:()=>Tt.WC,MAX_COLOR_SATURATION:()=>Tt.fr,MAX_COLOR_VALUE:()=>Tt.uw,MAX_HEX_LENGTH:()=>Tt.fG,MAX_RGBA_LENGTH:()=>Tt.jU,MIN_HEX_LENGTH:()=>Tt.yE,MIN_RGBA_LENGTH:()=>Tt.HT,MarqueeSelection:()=>Gs,MaskedTextField:()=>fd,MeasuredContext:()=>Z,MemberListPeoplePicker:()=>wl.Aj,MessageBar:()=>il,MessageBarBase:()=>$s,MessageBarButton:()=>Ee,MessageBarType:()=>Bs,Modal:()=>Wr,ModalBase:()=>Or,MonthOfYear:()=>Le.m2,MotionAnimations:()=>xd,MotionDurations:()=>Cd,MotionTimings:()=>Sd,Nav:()=>dl,NavBase:()=>ul,NeutralColors:()=>bd,NormalPeoplePicker:()=>wl.cA,NormalPeoplePickerBase:()=>wl.fK,OpenCardMode:()=>Ha,OverflowButtonType:()=>oa,OverflowSet:()=>Oo,OverflowSetBase:()=>Ao,Overlay:()=>Ir.a,OverlayBase:()=>pl.R,Panel:()=>ml.s,PanelBase:()=>hl.P,PanelType:()=>gl.w,PeoplePickerItem:()=>Il.A,PeoplePickerItemBase:()=>Il.u,PeoplePickerItemSuggestion:()=>Dl.E,PeoplePickerItemSuggestionBase:()=>Dl.R,Persona:()=>ua.I,PersonaBase:()=>fl.R,PersonaCoin:()=>_.t,PersonaCoinBase:()=>vl.z,PersonaInitialsColor:()=>C.z5,PersonaPresence:()=>C.H_,PersonaSize:()=>C.Ir,Pivot:()=>Xl,PivotBase:()=>Ul,PivotItem:()=>Vl,PivotLinkFormat:()=>jl,PivotLinkSize:()=>Jl,PlainCard:()=>Xa,PlainCardBase:()=>Za,Popup:()=>Dr.G,Position:()=>lt.L,PositioningContainer:()=>bt,PrimaryButton:()=>Se.K,ProgressIndicator:()=>nc,ProgressIndicatorBase:()=>$l,PulsingBeaconAnimationStyles:()=>u.a1,RGBA_REGEX:()=>Tt.Xb,Rating:()=>rc.i,RatingBase:()=>ic.x,RatingSize:()=>ac.O,Rectangle:()=>bp.A,RectangleEdge:()=>lt.z,ResizeGroup:()=>re,ResizeGroupBase:()=>te,ResizeGroupDirection:()=>z,ResponsiveMode:()=>Er.eD,SELECTION_CHANGE:()=>on.F5,ScreenWidthMaxLarge:()=>u.P$,ScreenWidthMaxMedium:()=>u.yp,ScreenWidthMaxSmall:()=>u.mV,ScreenWidthMaxXLarge:()=>u.yO,ScreenWidthMaxXXLarge:()=>u.CQ,ScreenWidthMinLarge:()=>u.AV,ScreenWidthMinMedium:()=>u.dd,ScreenWidthMinSmall:()=>u.QQ,ScreenWidthMinUhfMobile:()=>u.bE,ScreenWidthMinXLarge:()=>u.qv,ScreenWidthMinXXLarge:()=>u.B,ScreenWidthMinXXXLarge:()=>u.F1,ScrollToMode:()=>xo,ScrollablePane:()=>pc,ScrollablePaneBase:()=>dc,ScrollablePaneContext:()=>cc,ScrollbarVisibility:()=>lc,SearchBox:()=>mc.R,SearchBoxBase:()=>hc.i,SelectAllVisibility:()=>wn,SelectableOptionMenuItemType:()=>Zi.F,SelectedPeopleList:()=>Fc,Selection:()=>nn.Y,SelectionDirection:()=>on.a$,SelectionMode:()=>on.oW,SelectionZone:()=>rn.i,SemanticColorSlots:()=>ip,Separator:()=>zc,SeparatorBase:()=>Ac,Shade:()=>Yt,SharedColors:()=>yd,Shimmer:()=>cu,ShimmerBase:()=>lu,ShimmerCircle:()=>tu,ShimmerCircleBase:()=>eu,ShimmerElementType:()=>Hc,ShimmerElementsDefaultHeights:()=>Oc,ShimmerElementsGroup:()=>au,ShimmerElementsGroupBase:()=>nu,ShimmerGap:()=>Xc,ShimmerGapBase:()=>Yc,ShimmerLine:()=>jc,ShimmerLineBase:()=>Gc,ShimmeredDetailsList:()=>pu,ShimmeredDetailsListBase:()=>du,Slider:()=>mu.i,SliderBase:()=>hu.V,SpinButton:()=>gu.k,Spinner:()=>Yn.$,SpinnerBase:()=>vu.G,SpinnerSize:()=>bu.E,SpinnerType:()=>bu.d,Stack:()=>Hu,StackItem:()=>Nu,Sticky:()=>Ou,StickyPositionType:()=>Pu,Stylesheet:()=>u.Ye,SuggestionActionType:()=>Cl.L,SuggestionItemType:()=>_a,Suggestions:()=>_l.D,SuggestionsControl:()=>Pa,SuggestionsController:()=>Sl.Z,SuggestionsCore:()=>ya,SuggestionsHeaderFooterItem:()=>Ea,SuggestionsItem:()=>fa.S,SuggestionsStore:()=>Aa,SwatchColorPicker:()=>Vu.U,SwatchColorPickerBase:()=>Ku._,TagItem:()=>Nl,TagItemBase:()=>Rl,TagItemSuggestion:()=>Al,TagItemSuggestionBase:()=>Ll,TagPicker:()=>Hl,TagPickerBase:()=>zl,TeachingBubble:()=>nd,TeachingBubbleBase:()=>od,TeachingBubbleContent:()=>$u,TeachingBubbleContentBase:()=>ju,Text:()=>ad,TextField:()=>sd.n,TextFieldBase:()=>ld.P,TextStyles:()=>id,TextView:()=>rd,ThemeContext:()=>qd,ThemeGenerator:()=>sp,ThemeProvider:()=>op,ThemeSettingName:()=>u.Jw,TimeConstants:()=>tn.r,Toggle:()=>cp.Z,ToggleBase:()=>up.s,Tooltip:()=>dp.u,TooltipBase:()=>pp.P,TooltipDelay:()=>mp.j,TooltipHost:()=>ie.G,TooltipHostBase:()=>hp.Z,TooltipOverflowMode:()=>ae.y,ValidationState:()=>kl.Y,VerticalDivider:()=>ii.p,VirtualizedComboBox:()=>Mo,WeeklyDayPicker:()=>hm,WindowContext:()=>j.Hn,WindowProvider:()=>j.WU,ZIndexes:()=>u.bR,addDays:()=>en.E4,addDirectionalKeyCode:()=>Op.e,addElementAtIndex:()=>Co.OA,addMonths:()=>en.zI,addWeeks:()=>en.jh,addYears:()=>en.Bc,allowOverscrollOnElement:()=>yo.eC,allowScrollOnElement:()=>yo.C7,anchorProperties:()=>E.h2,appendFunction:()=>yp.Z,arraysEqual:()=>Co.cO,asAsync:()=>Sp,assertNever:()=>xp,assign:()=>Xt.f0,audioProperties:()=>E.vF,baseElementEvents:()=>E.WO,baseElementProperties:()=>E.Nf,buildClassMap:()=>u.$O,buildColumns:()=>yr,buildKeytipConfigMap:()=>Ps,buttonProperties:()=>E.Yq,calculatePrecision:()=>Vs.oe,canAnyMenuItemsCheck:()=>Uo.Hl,clamp:()=>Mt.u,classNamesFunction:()=>D.y,colGroupProperties:()=>E.YG,colProperties:()=>E.qi,compareDatePart:()=>en.NJ,compareDates:()=>en.aN,composeComponentAs:()=>No,composeRenderFunction:()=>ko.k,concatStyleSets:()=>u.E$,concatStyleSetsWithProps:()=>u.l7,constructKeytip:()=>Ms,correctHSV:()=>Jt,correctHex:()=>Zt.L,correctRGB:()=>jt.k,createArray:()=>Co.Ri,createFontStyles:()=>u.FF,createGenericItem:()=>wl.IV,createItem:()=>La,createMemoizer:()=>d.Ct,createMergedRef:()=>am.S,createTheme:()=>u.jG,css:()=>pt.i,cssColor:()=>Et.r,customizable:()=>De.a,defaultCalendarNavigationIcons:()=>Fe.XU,defaultCalendarStrings:()=>Fe.V3,defaultDatePickerStrings:()=>$o.f,defaultDayPickerStrings:()=>Fe.GC,defaultWeeklyDayPickerNavigationIcons:()=>um,defaultWeeklyDayPickerStrings:()=>cm,disableBodyScroll:()=>yo.Qp,divProperties:()=>E.n7,doesElementContainFocus:()=>ot.WU,elementContains:()=>it.t,elementContainsAttribute:()=>Tp.j,enableBodyScroll:()=>yo.tG,extendComponent:()=>Ap.c,filteredAssign:()=>Xt.lW,find:()=>Co.sE,findElementRecursive:()=>Ep.X,findIndex:()=>Co.cx,findScrollableParent:()=>yo.zj,fitContentToBounds:()=>Vs.nK,flatten:()=>Co.xH,focusAsync:()=>ot.um,focusClear:()=>u.e2,focusFirstChild:()=>ot.uo,fontFace:()=>u.jN,formProperties:()=>E.NX,format:()=>ap.W,getAllSelectedOptions:()=>gc.t,getAriaDescribedBy:()=>ss.w7,getBackgroundShade:()=>po,getBoundsFromTargetWindow:()=>ct.qE,getChildren:()=>Mp,getColorFromHSV:()=>Wt,getColorFromRGBA:()=>Ht.N,getColorFromString:()=>zt.T,getContrastRatio:()=>mo,getDatePartHashValue:()=>en.c8,getDateRangeArray:()=>en.e0,getDetailsRowStyles:()=>vn,getDistanceBetweenPoints:()=>Vs.Iw,getDocument:()=>nt.M,getEdgeChromiumNoHighContrastAdjustSelector:()=>u.h4,getElementIndexPath:()=>ot.xu,getEndDateOfWeek:()=>en.Hx,getFadedOverflowStyle:()=>u.$X,getFirstFocusable:()=>ot.ft,getFirstTabbable:()=>ot.RK,getFocusOutlineStyle:()=>u.jx,getFocusStyle:()=>u.GL,getFocusableByIndexPath:()=>ot.bF,getFontIcon:()=>Ve.Pw,getFullColorString:()=>Vt.p,getGlobalClassNames:()=>u.Cn,getHighContrastNoAdjustStyle:()=>u.xM,getIcon:()=>u.q7,getIconClassName:()=>u.Wx,getIconContent:()=>Ve.z1,getId:()=>dn.z,getInitialResponsiveMode:()=>Er.K7,getInitials:()=>Na.Q,getInputFocusStyle:()=>u.$Y,getLanguage:()=>Gp.G,getLastFocusable:()=>ot.TE,getLastTabbable:()=>ot.xY,getMaxHeight:()=>ct.DC,getMeasurementCache:()=>J,getMenuItemStyles:()=>Zo.w,getMonthEnd:()=>en.D7,getMonthStart:()=>en.pU,getNativeElementProps:()=>$d,getNativeProps:()=>E.pq,getNextElement:()=>ot.dc,getNextResizeGroupStateProvider:()=>Y,getOppositeEdge:()=>ct.bv,getParent:()=>_o.G,getPersonaInitialsColor:()=>yl.g,getPlaceholderStyles:()=>u.Sv,getPreviousElement:()=>ot.TD,getPropsWithDefaults:()=>st.j,getRTL:()=>T.zg,getRTLSafeKeyCode:()=>T.dP,getRect:()=>mr,getResourceUrl:()=>Xp,getResponsiveMode:()=>Er.tc,getScreenSelector:()=>u.sK,getScrollbarWidth:()=>yo.np,getShade:()=>uo,getSplitButtonClassNames:()=>Pe.W,getStartDateOfWeek:()=>en.wu,getSubmenuItems:()=>Uo.Nb,getTheme:()=>u.gh,getThemedContext:()=>u.Nf,getVirtualParent:()=>Rp.r,getWeekNumber:()=>en.uW,getWeekNumbersInMonth:()=>en.iU,getWindow:()=>So.J,getYearEnd:()=>en.Q9,getYearStart:()=>en.W8,hasHorizontalOverflow:()=>Yp.b5,hasOverflow:()=>Yp.zS,hasVerticalOverflow:()=>Yp.cs,hiddenContentStyle:()=>u.ul,hoistMethods:()=>zp.W,hoistStatics:()=>Hp.f,hsl2hsv:()=>Nt.E,hsl2rgb:()=>Rt.w,hsv2hex:()=>Ft.d,hsv2hsl:()=>At,hsv2rgb:()=>Bt.X,htmlElementProperties:()=>E.iY,iframeProperties:()=>E.SZ,imageProperties:()=>E.X7,imgProperties:()=>E.it,initializeComponentRef:()=>P.l,initializeFocusRects:()=>Wp,initializeIcons:()=>rs.l,initializeResponsiveMode:()=>Er.LF,inputProperties:()=>E.Gg,isControlled:()=>kp.s,isDark:()=>co,isDirectionalKeyCode:()=>Op.L,isElementFocusSubZone:()=>ot.gc,isElementFocusZone:()=>ot.jz,isElementTabbable:()=>ot.MW,isElementVisible:()=>ot.Jv,isIE11:()=>rm.f,isIOS:()=>jp.g,isInDateRangeArray:()=>en.le,isMac:()=>_s.V,isRelativeUrl:()=>ll,isValidShade:()=>ao,isVirtualElement:()=>Pp.r,keyframes:()=>u.F4,ktpTargetFromId:()=>ss._l,ktpTargetFromSequences:()=>ss.eX,labelProperties:()=>E.mp,liProperties:()=>E.PT,loadTheme:()=>u.jz,makeStyles:()=>Zd,mapEnumByName:()=>Xt.vT,memoize:()=>d.HP,memoizeFunction:()=>d.NF,merge:()=>Up.T,mergeAriaAttributeValues:()=>_p.I,mergeCustomizations:()=>Ip.u,mergeOverflows:()=>ss.a1,mergeScopedSettings:()=>Dp.J,mergeSettings:()=>Dp.O,mergeStyleSets:()=>u.ZC,mergeStyles:()=>u.y0,mergeThemes:()=>_d.I,modalize:()=>Jp.O,noWrap:()=>u.jq,normalize:()=>u.Fv,nullRender:()=>Ie.S,olProperties:()=>E.t$,omit:()=>Xt.CE,on:()=>Mr.on,optionProperties:()=>E.Qy,personaPresenceSize:()=>bl.bw,personaSize:()=>bl.or,portalContainsElement:()=>Np.w,positionCallout:()=>ct.c5,positionCard:()=>ct.Su,positionElement:()=>ct.p$,precisionRound:()=>Vs.F0,presenceBoolean:()=>bl.zx,raiseClick:()=>Bp.x,registerDefaultFontFaces:()=>u.Kq,registerIconAlias:()=>u.M_,registerIcons:()=>u.fm,registerOnThemeChangeCallback:()=>u.tj,removeIndex:()=>Co.$E,removeOnThemeChangeCallback:()=>u.sw,replaceElement:()=>Co.wm,resetControlledWarnings:()=>om.G,resetIds:()=>dn._,resetMemoizations:()=>d.du,rgb2hex:()=>Pt.C,rgb2hsv:()=>Lt.D,safeRequestAnimationFrame:()=>$p.J,safeSetTimeout:()=>em,selectProperties:()=>E.bL,sequencesToID:()=>ss.aB,setBaseUrl:()=>Qp,setFocusVisibility:()=>de.MU,setIconOptions:()=>u.yN,setLanguage:()=>Gp.m,setMemoizeWeakMap:()=>d.rQ,setMonth:()=>en.q0,setPortalAttribute:()=>Fp.U,setRTL:()=>T.ok,setResponsiveMode:()=>Er.kd,setSSR:()=>im.T,setVirtualParent:()=>Lp.N,setWarningCallback:()=>be.U,shallowCompare:()=>Xt.Vv,shouldWrapFocus:()=>ot.mM,sizeBoolean:()=>bl.yR,sizeToPixels:()=>bl.Y4,styled:()=>I.z,tableProperties:()=>E.$B,tdProperties:()=>E.IX,textAreaProperties:()=>E.FI,thProperties:()=>E.fI,themeRulesStandardCreator:()=>lp,toMatrix:()=>Co.QC,trProperties:()=>E.PC,transitionKeysAreEqual:()=>Ss,transitionKeysContain:()=>xs,unhoistMethods:()=>zp.e,unregisterIcons:()=>u.Kf,updateA:()=>Ut.R,updateH:()=>qt.i,updateRGB:()=>Gt,updateSV:()=>Kt.d,updateT:()=>ho.X,useCustomizationSettings:()=>Kd.D,useDocument:()=>j.ky,useFocusRects:()=>B.P,useHeightOffset:()=>vt,useKeytipRef:()=>fs,useResponsiveMode:()=>Tr.q,useTheme:()=>Gd,useWindow:()=>j.zY,values:()=>Xt.VO,videoProperties:()=>E.NI,warn:()=>be.Z,warnConditionallyRequiredProps:()=>tm.w,warnControlledUsage:()=>om.Q,warnDeprecations:()=>Vr.b,warnMutuallyExclusive:()=>nm.L,withResponsiveMode:()=>Er.Ae});var n={};o.r(n),o.d(n,{pickerInput:()=>$i,pickerText:()=>Qi});var r={};o.r(r),o.d(r,{callout:()=>ga});var i={};o.r(i),o.d(i,{suggestionsContainer:()=>va});var a={};o.r(a),o.d(a,{actionButton:()=>Sa,buttonSelected:()=>xa,itemButton:()=>Ia,root:()=>Ca,screenReaderOnly:()=>Da,suggestionsSpinner:()=>wa,suggestionsTitle:()=>ka});var s={};o.r(s),o.d(s,{actionButton:()=>yc,expandButton:()=>kc,hover:()=>bc,itemContainer:()=>Dc,itemContent:()=>Sc,personaContainer:()=>vc,personaContainerIsSelected:()=>_c,personaDetails:()=>Ic,personaWrapper:()=>wc,removeButton:()=>xc,validationError:()=>Cc});var l=o(7622),c=o(7002),u=o(9729),d=o(5094),p=(0,d.NF)((function(e,t,o,n){return{root:(0,u.y0)("ms-ActivityItem",t,e.root,n&&e.isCompactRoot),pulsingBeacon:(0,u.y0)("ms-ActivityItem-pulsingBeacon",e.pulsingBeacon),personaContainer:(0,u.y0)("ms-ActivityItem-personaContainer",e.personaContainer,n&&e.isCompactPersonaContainer),activityPersona:(0,u.y0)("ms-ActivityItem-activityPersona",e.activityPersona,n&&e.isCompactPersona,!n&&o&&2===o.length&&e.doublePersona),activityTypeIcon:(0,u.y0)("ms-ActivityItem-activityTypeIcon",e.activityTypeIcon,n&&e.isCompactIcon),activityContent:(0,u.y0)("ms-ActivityItem-activityContent",e.activityContent,n&&e.isCompactContent),activityText:(0,u.y0)("ms-ActivityItem-activityText",e.activityText),commentText:(0,u.y0)("ms-ActivityItem-commentText",e.commentText),timeStamp:(0,u.y0)("ms-ActivityItem-timeStamp",e.timeStamp,n&&e.isCompactTimeStamp)}})),m="32px",h="16px",g="16px",f="13px",v=(0,d.NF)((function(){return(0,u.F4)({from:{opacity:0},to:{opacity:1}})})),b=(0,d.NF)((function(){return(0,u.F4)({from:{transform:"translateX(-10px)"},to:{transform:"translateX(0)"}})})),y=(0,d.NF)((function(e,t,o,n,r,i){var a;void 0===e&&(e=(0,u.gh)());var s={animationName:u.a1.continuousPulseAnimationSingle(n||e.palette.themePrimary,r||e.palette.themeTertiary,"4px","28px","4px"),animationIterationCount:"1",animationDuration:".8s",zIndex:1},l={animationName:b(),animationIterationCount:"1",animationDuration:".5s"},c={animationName:v(),animationIterationCount:"1",animationDuration:".5s"},d={root:[e.fonts.small,{display:"flex",justifyContent:"flex-start",alignItems:"flex-start",boxSizing:"border-box",color:e.palette.neutralSecondary},i&&o&&c],pulsingBeacon:[{position:"absolute",top:"50%",left:"50%",transform:"translate(-50%, -50%)",width:"0px",height:"0px",borderRadius:"225px",borderStyle:"solid",opacity:0},i&&o&&s],isCompactRoot:{alignItems:"center"},personaContainer:{display:"flex",flexWrap:"wrap",minWidth:m,width:m,height:m},isCompactPersonaContainer:{display:"inline-flex",flexWrap:"nowrap",flexBasis:"auto",height:h,width:"auto",minWidth:"0",paddingRight:"6px"},activityTypeIcon:{height:m,fontSize:g,lineHeight:g,marginTop:"3px"},isCompactIcon:{height:h,minWidth:h,fontSize:f,lineHeight:f,color:e.palette.themePrimary,marginTop:"1px",position:"relative",display:"flex",justifyContent:"center",alignItems:"center",selectors:{".ms-Persona-imageArea":{margin:"-2px 0 0 -2px",border:"2px solid"+e.palette.white,borderRadius:"50%",selectors:(a={},a[u.qJ]={border:"none",margin:"0"},a)}}},activityPersona:{display:"block"},doublePersona:{selectors:{":first-child":{alignSelf:"flex-end"}}},isCompactPersona:{display:"inline-block",width:"8px",minWidth:"8px",overflow:"visible"},activityContent:[{padding:"0 8px"},i&&o&&l],activityText:{display:"inline"},isCompactContent:{flex:"1",padding:"0 4px",whiteSpace:"nowrap",textOverflow:"ellipsis",overflowX:"hidden"},commentText:{color:e.palette.neutralPrimary},timeStamp:[e.fonts.tiny,{fontWeight:400,color:e.palette.neutralSecondary}],isCompactTimeStamp:{display:"inline-block",paddingLeft:"0.3em",fontSize:"1em"}};return(0,u.E$)(d,t)})),_=o(6543),C=o(7481),S=function(e){function t(t){var o=e.call(this,t)||this;return o._onRenderIcon=function(e){return e.activityPersonas?o._onRenderPersonaArray(e):o.props.activityIcon},o._onRenderActivityDescription=function(e){var t=o._getClassNames(e),n=e.activityDescription||e.activityDescriptionText;return n?c.createElement("span",{className:t.activityText},n):null},o._onRenderComments=function(e){var t=o._getClassNames(e),n=e.comments||e.commentText;return!e.isCompact&&n?c.createElement("div",{className:t.commentText},n):null},o._onRenderTimeStamp=function(e){var t=o._getClassNames(e);return!e.isCompact&&e.timeStamp?c.createElement("div",{className:t.timeStamp},e.timeStamp):null},o._onRenderPersonaArray=function(e){var t=o._getClassNames(e),n=null,r=e.activityPersonas;if(r[0].imageUrl||r[0].imageInitials){var i=[],a=r.length>1||e.isCompact,s=e.isCompact?3:4,u=void 0;e.isCompact&&(u={display:"inline-block",width:"10px",minWidth:"10px",overflow:"visible"}),r.filter((function(e,t){return tt;){var l=r(a);if(void 0===l)return{renderedData:a,resizeDirection:void 0,dataToMeasure:void 0};if(void 0===(s=o.getCachedMeasurement(l)))return{dataToMeasure:l,resizeDirection:"shrink"};a=l}return{renderedData:a,resizeDirection:void 0,dataToMeasure:void 0}}return{getNextState:function(e,i,a,s){if(void 0!==s||void 0!==i.dataToMeasure){if(s){if(t&&i.renderedData&&!i.dataToMeasure)return(0,l.pi)((0,l.pi)({},i),function(e,o,n,r){var i;return i=e>t?r?{resizeDirection:"grow",dataToMeasure:r(n)}:{resizeDirection:"shrink",dataToMeasure:o}:{resizeDirection:"shrink",dataToMeasure:n},t=e,(0,l.pi)((0,l.pi)({},i),{measureContainer:!1})}(s,e.data,i.renderedData,e.onGrowData));t=s}var c=(0,l.pi)((0,l.pi)({},i),{measureContainer:!1});return i.dataToMeasure&&(c="grow"===i.resizeDirection&&e.onGrowData?(0,l.pi)((0,l.pi)({},c),function(e,i,a,s){for(var c=e,u=n(e,a);u=i))return(t=(0,l.pr)(t)).splice(r,0,a),(0,l.pi)((0,l.pi)({},e),{renderedItems:t,renderedOverflowItems:o})},o._onRenderBreadcrumb=function(e){var t=e.props,n=t.ariaLabel,r=t.dividerAs,i=void 0===r?W.J:r,a=t.onRenderItem,s=void 0===a?o._onRenderItem:a,u=t.overflowAriaLabel,d=t.overflowIndex,p=t.onRenderOverflowIcon,m=t.overflowButtonAs,h=e.renderedOverflowItems,g=e.renderedItems,f=h.map((function(e){var t=!(!e.onClick&&!e.href);return{text:e.text,name:e.text,key:e.key,onClick:e.onClick?o._onBreadcrumbClicked.bind(o,e):null,href:e.href,disabled:!t,itemProps:t?void 0:ce}})),v=g.length-1,b=h&&0!==h.length,y=g.map((function(e,t){return c.createElement("li",{className:o._classNames.listItem,key:e.key||String(t)},s(e,o._onRenderItem),(t!==v||b&&t===d-1)&&c.createElement(i,{className:o._classNames.chevron,iconName:(0,T.zg)(o.props.theme)?"ChevronLeft":"ChevronRight",item:e}))}));if(b){var _=p?{}:{iconName:"More"},C=p||le,S=m||V.h;y.splice(d,0,c.createElement("li",{className:o._classNames.overflow,key:"overflow"},c.createElement(S,{className:o._classNames.overflowButton,iconProps:_,role:"button","aria-haspopup":"true",ariaLabel:u,onRenderMenuIcon:C,menuProps:{items:f,directionalHint:K.b.bottomLeftEdge}}),d!==v+1&&c.createElement(i,{className:o._classNames.chevron,iconName:(0,T.zg)(o.props.theme)?"ChevronLeft":"ChevronRight",item:h[h.length-1]})))}var x=(0,E.pq)(o.props,E.iY,["className"]);return c.createElement("div",(0,l.pi)({className:o._classNames.root,role:"navigation","aria-label":n},x),c.createElement(M.k,(0,l.pi)({componentRef:o._focusZone,direction:R.U.horizontal},o.props.focusZoneProps),c.createElement("ol",{className:o._classNames.list},y)))},o._onRenderItem=function(e){var t=e.as,n=e.href,r=e.onClick,i=e.isCurrentItem,a=e.text,s=(0,l._T)(e,["as","href","onClick","isCurrentItem","text"]);if(r||n)return c.createElement(O,(0,l.pi)({},s,{as:t,className:o._classNames.itemLink,href:n,"aria-current":i?"page":void 0,onClick:o._onBreadcrumbClicked.bind(o,e)}),c.createElement(ie.G,(0,l.pi)({content:a,overflowMode:ae.y.Parent},o.props.tooltipHostProps),a));var u=t||"span";return c.createElement(u,(0,l.pi)({},s,{className:o._classNames.item}),c.createElement(ie.G,(0,l.pi)({content:a,overflowMode:ae.y.Parent},o.props.tooltipHostProps),a))},o._onBreadcrumbClicked=function(e,t){e.onClick&&e.onClick(t,e)},(0,P.l)(o),o._validateProps(t),o}return(0,l.ZT)(t,e),t.prototype.focus=function(){this._focusZone.current&&this._focusZone.current.focus()},t.prototype.render=function(){this._validateProps(this.props);var e=this.props,t=e.onReduceData,o=void 0===t?this._onReduceData:t,n=e.onGrowData,r=void 0===n?this._onGrowData:n,i=e.overflowIndex,a=e.maxDisplayedItems,s=e.items,u=e.className,d=e.theme,p=e.styles,m=(0,l.pr)(s),h=m.splice(i,m.length-a),g={props:this.props,renderedItems:m,renderedOverflowItems:h};return this._classNames=se(p,{className:u,theme:d}),c.createElement(re,{onRenderData:this._onRenderBreadcrumb,onReduceData:o,onGrowData:r,data:g})},t.prototype._validateProps=function(e){var t=e.maxDisplayedItems,o=e.overflowIndex,n=e.items;if(o<0||t>1&&o>t-1||n.length>0&&o>n.length-1)throw new Error("Breadcrumb: overflowIndex out of range")},t.defaultProps={items:[],maxDisplayedItems:999,overflowIndex:0},t}(c.Component),de=o(6145),pe={root:"ms-Breadcrumb",list:"ms-Breadcrumb-list",listItem:"ms-Breadcrumb-listItem",chevron:"ms-Breadcrumb-chevron",overflow:"ms-Breadcrumb-overflow",overflowButton:"ms-Breadcrumb-overflowButton",itemLink:"ms-Breadcrumb-itemLink",item:"ms-Breadcrumb-item"},me={whiteSpace:"nowrap",textOverflow:"ellipsis",overflow:"hidden"},he=(0,u.sK)(0,u.mV),ge=(0,u.sK)(u.dd,u.yp),fe=(0,I.z)(ue,(function(e){var t,o,n,r,i=e.className,a=e.theme,s=a.palette,c=a.semanticColors,d=a.fonts,p=(0,u.Cn)(pe,a),m=c.menuItemBackgroundHovered,h=c.menuItemBackgroundPressed,g=s.neutralSecondary,f=u.lq.regular,v=s.neutralPrimary,b=s.neutralPrimary,y=u.lq.semibold,_=s.neutralSecondary,C=s.neutralSecondary,S={fontWeight:y,color:b},x={":hover":{color:v,backgroundColor:m,cursor:"pointer",selectors:(t={},t[u.qJ]={color:"Highlight"},t)},":active":{backgroundColor:h,color:v},"&:active:hover":{color:v,backgroundColor:h},"&:active, &:hover, &:active:hover":{textDecoration:"none"}},k={color:g,padding:"0 8px",lineHeight:36,fontSize:18,fontWeight:f};return{root:[p.root,d.medium,{margin:"11px 0 1px"},i],list:[p.list,{whiteSpace:"nowrap",padding:0,margin:0,display:"flex",alignItems:"stretch"}],listItem:[p.listItem,{listStyleType:"none",margin:"0",padding:"0",display:"flex",position:"relative",alignItems:"center",selectors:{"&:last-child .ms-Breadcrumb-itemLink":S,"&:last-child .ms-Breadcrumb-item":S}}],chevron:[p.chevron,{color:_,fontSize:d.small.fontSize,selectors:(o={},o[u.qJ]=(0,l.pi)({color:"WindowText"},(0,u.xM)()),o[ge]={fontSize:8},o[he]={fontSize:8},o)}],overflow:[p.overflow,{position:"relative",display:"flex",alignItems:"center"}],overflowButton:[p.overflowButton,(0,u.GL)(a),me,{fontSize:16,color:C,height:"100%",cursor:"pointer",selectors:(0,l.pi)((0,l.pi)({},x),(n={},n[he]={padding:"4px 6px"},n[ge]={fontSize:d.mediumPlus.fontSize},n))}],itemLink:[p.itemLink,(0,u.GL)(a),me,(0,l.pi)((0,l.pi)({},k),{selectors:(0,l.pi)((r={":focus":{color:s.neutralDark}},r["."+de.G$+" &:focus"]={outline:"none"},r),x)})],item:[p.item,(0,l.pi)((0,l.pi)({},k),{selectors:{":hover":{cursor:"default"}}})]}}),void 0,{scope:"Breadcrumb"}),ve=o(4968);!function(e){e[e.button=0]="button",e[e.anchor=1]="anchor"}(oe||(oe={})),function(e){e[e.normal=0]="normal",e[e.primary=1]="primary",e[e.hero=2]="hero",e[e.compound=3]="compound",e[e.command=4]="command",e[e.icon=5]="icon",e[e.default=6]="default"}(ne||(ne={}));var be=o(687),ye=o(9632),_e=o(2898),Ce=o(8959),Se=o(8924),xe=function(e){function t(t){var o=e.call(this,t)||this;return(0,be.Z)("The Button component has been deprecated. Use specific variants instead. (PrimaryButton, DefaultButton, IconButton, ActionButton, etc.)"),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props;switch(e.buttonType){case ne.command:return c.createElement(_e.K,(0,l.pi)({},e));case ne.compound:return c.createElement(Ce.W,(0,l.pi)({},e));case ne.icon:return c.createElement(V.h,(0,l.pi)({},e));case ne.primary:return c.createElement(Se.K,(0,l.pi)({},e));default:return c.createElement(ye.a,(0,l.pi)({},e))}},t}(c.Component),ke=o(1420),we=o(990),Ie=o(9013),De=o(6053),Te=(0,d.NF)((function(e,t){return(0,u.E$)({root:[(0,u.GL)(e,{inset:1,highContrastStyle:{outlineOffset:"-4px",outline:"1px solid Window"},borderColor:"transparent"}),{height:24}]},t)})),Ee=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.theme;return c.createElement(ye.a,(0,l.pi)({},this.props,{styles:Te(o,t),onRenderDescription:Ie.S}))},(0,l.gn)([(0,De.a)("MessageBarButton",["theme","styles"],!0)],t)}(c.Component),Pe=o(5032),Me=o(2836),Re=o(634),Ne=o(4977),Be=o(716),Fe=o(6883),Le=o(1093),Ae=o(5953),ze=o(4941),He=o(5666),Oe=o(6007),We=function(e){return c.createElement(Ae.U,(0,l.pi)({},e),c.createElement(Oe.P,(0,l.pi)({disabled:e.hidden},e.focusTrapProps),e.children))},Ve=o(4734),Ke=(0,D.y)(),qe=c.forwardRef((function(e,t){var o=e.checked,n=void 0!==o&&o,r=e.className,i=e.theme,a=e.styles,s=e.useFastIcons,l=void 0===s||s,u=Ke(a,{theme:i,className:r,checked:n}),d=l?Ve.xu:W.J;return c.createElement("div",{className:u.root,ref:t},c.createElement(d,{iconName:"CircleRing",className:u.circle}),c.createElement(d,{iconName:"StatusCircleCheckmark",className:u.check}))}));qe.displayName="CheckBase";var Ge,Ue={root:"ms-Check",circle:"ms-Check-circle",check:"ms-Check-check",checkHost:"ms-Check-checkHost"},je=(0,I.z)(qe,(function(e){var t,o,n,r,i,a=e.height,s=void 0===a?e.checkBoxHeight||"18px":a,c=e.checked,d=e.className,p=e.theme,m=p.palette,h=p.semanticColors,g=p.fonts,f=(0,T.zg)(p),v=(0,u.Cn)(Ue,p),b={fontSize:s,position:"absolute",left:0,top:0,width:s,height:s,textAlign:"center",verticalAlign:"middle"};return{root:[v.root,g.medium,{lineHeight:"1",width:s,height:s,verticalAlign:"top",position:"relative",userSelect:"none",selectors:(t={":before":{content:'""',position:"absolute",top:"1px",right:"1px",bottom:"1px",left:"1px",borderRadius:"50%",opacity:1,background:h.bodyBackground}},t["."+v.checkHost+":hover &, ."+v.checkHost+":focus &, &:hover, &:focus"]={opacity:1},t)},c&&["is-checked",{selectors:{":before":{background:m.themePrimary,opacity:1,selectors:(o={},o[u.qJ]={background:"Window"},o)}}}],d],circle:[v.circle,b,{color:m.neutralSecondary,selectors:(n={},n[u.qJ]={color:"WindowText"},n)},c&&{color:m.white}],check:[v.check,b,{opacity:0,color:m.neutralSecondary,fontSize:u.ld.medium,left:f?"-0.5px":".5px",selectors:(r={":hover":{opacity:1}},r[u.qJ]=(0,l.pi)({},(0,u.xM)()),r)},c&&{opacity:1,color:m.white,fontWeight:900,selectors:(i={},i[u.qJ]={border:"none",color:"WindowText"},i)}],checkHost:v.checkHost}}),void 0,{scope:"Check"},!0),Je=o(2777),Ye=o(5790),Ze=o(9240),Xe=o(5554),Qe=o(1351),$e=(0,d.NF)((function(){return(0,u.F4)({"0%":{transform:"translate(0, 0)",animationTimingFunction:"linear"},"78.57%":{transform:"translate(0, 0)",animationTimingFunction:"cubic-bezier(0.62, 0, 0.56, 1)"},"82.14%":{transform:"translate(0, -5px)",animationTimingFunction:"cubic-bezier(0.58, 0, 0, 1)"},"84.88%":{transform:"translate(0, 9px)",animationTimingFunction:"cubic-bezier(1, 0, 0.56, 1)"},"88.1%":{transform:"translate(0, -2px)",animationTimingFunction:"cubic-bezier(0.58, 0, 0.67, 1)"},"90.12%":{transform:"translate(0, 0)",animationTimingFunction:"linear"},"100%":{transform:"translate(0, 0)"}})})),et=(0,d.NF)((function(){return(0,u.F4)({"0%":{transform:" scale(0)",animationTimingFunction:"linear"},"14.29%":{transform:"scale(0)",animationTimingFunction:"cubic-bezier(0.84, 0, 0.52, 0.99)"},"16.67%":{transform:"scale(1.15)",animationTimingFunction:"cubic-bezier(0.48, -0.01, 0.52, 1.01)"},"19.05%":{transform:"scale(0.95)",animationTimingFunction:"cubic-bezier(0.48, 0.02, 0.52, 0.98)"},"21.43%":{transform:"scale(1)",animationTimingFunction:"linear"},"42.86%":{transform:"scale(1)",animationTimingFunction:"cubic-bezier(0.48, -0.02, 0.52, 1.02)"},"45.71%":{transform:"scale(0.8)",animationTimingFunction:"cubic-bezier(0.48, 0.01, 0.52, 0.99)"},"50%":{transform:"scale(1)",animationTimingFunction:"linear"},"90.12%":{transform:"scale(1)",animationTimingFunction:"cubic-bezier(0.48, -0.02, 0.52, 1.02)"},"92.98%":{transform:"scale(0.8)",animationTimingFunction:"cubic-bezier(0.48, 0.01, 0.52, 0.99)"},"97.26%":{transform:"scale(1)",animationTimingFunction:"linear"},"100%":{transform:"scale(1)"}})})),tt=(0,d.NF)((function(){return(0,u.F4)({"0%":{transform:"rotate(0deg)",animationTimingFunction:"linear"},"83.33%":{transform:" rotate(0deg)",animationTimingFunction:"cubic-bezier(0.33, 0, 0.67, 1)"},"83.93%":{transform:"rotate(15deg)",animationTimingFunction:"cubic-bezier(0.33, 0, 0.67, 1)"},"84.52%":{transform:"rotate(-15deg)",animationTimingFunction:"cubic-bezier(0.33, 0, 0.67, 1)"},"85.12%":{transform:"rotate(15deg)",animationTimingFunction:"cubic-bezier(0.33, 0, 0.67, 1)"},"85.71%":{transform:"rotate(-15deg)",animationTimingFunction:"cubic-bezier(0.33, 0, 0.67, 1)"},"86.31%":{transform:"rotate(0deg)",animationTimingFunction:"linear"},"100%":{transform:"rotate(0deg)"}})})),ot=o(4553),nt=o(5446),rt=o(8145),it=o(3345),at=o(9919),st=o(63),lt=o(4568),ct=o(6591),ut=(0,d.NF)((function(){var e;return(0,u.ZC)({root:[{position:"absolute",boxSizing:"border-box",border:"1px solid ${}",selectors:(e={},e[u.qJ]={border:"1px solid WindowText"},e)},(0,u.e2)()],container:{position:"relative"},main:{backgroundColor:"#ffffff",overflowX:"hidden",overflowY:"hidden",position:"relative"},overFlowYHidden:{overflowY:"hidden"}})})),dt=o(7513),pt=o(8088),mt=o(2674),ht={opacity:0},gt=((Ge={})[lt.z.top]="slideUpIn20",Ge[lt.z.bottom]="slideDownIn20",Ge[lt.z.left]="slideLeftIn20",Ge[lt.z.right]="slideRightIn20",Ge),ft={preventDismissOnScroll:!1,offsetFromTarget:0,minPagePadding:8,directionalHint:K.b.bottomAutoEdge};function vt(e,t){var o=e.finalHeight,n=c.useState(0),r=n[0],i=n[1],a=(0,G.r)(),s=c.useRef(0),l=function(){t&&o&&(s.current=a.requestAnimationFrame((function(){if(t.current){var e=t.current.lastChild,n=e.scrollHeight,c=e.offsetHeight;i(r+(n-c)),e.offsetHeightk?k:_,I=c.createElement("div",{ref:i,className:(0,pt.i)("ms-PositioningContainer",S.container)},c.createElement("div",{className:(0,u.y0)("ms-PositioningContainer-layerHost",S.root,b,x,!!y&&{width:y}),style:h?h.elementPosition:ht,tabIndex:-1,ref:n},C,w));return o.doNotLayer?I:c.createElement(dt.m,null,I)}));function yt(e){return{root:[{position:"absolute",boxShadow:"inherit",border:"none",boxSizing:"border-box",transform:e.transform,width:e.width,height:e.height,left:e.left,top:e.top,right:e.right,bottom:e.bottom}],beak:{fill:e.color,display:"block"}}}bt.displayName="PositioningContainer";var _t=c.forwardRef((function(e,t){var o,n,r,i,a,s,l=e.left,u=e.top,d=e.bottom,p=e.right,m=e.color,h=e.direction,g=void 0===h?lt.z.top:h;switch(g===lt.z.top||g===lt.z.bottom?(o=10,n=18):(o=18,n=10),g){case lt.z.top:default:r="9, 0",i="18, 10",a="0, 10",s="translateY(-100%)";break;case lt.z.right:r="0, 0",i="10, 10",a="0, 18",s="translateX(100%)";break;case lt.z.bottom:r="0, 0",i="18, 0",a="9, 10",s="translateY(100%)";break;case lt.z.left:r="10, 0",i="0, 10",a="10, 18",s="translateX(-100%)"}var f=(0,D.y)()(yt,{left:l,top:u,bottom:d,right:p,height:o+"px",width:n+"px",transform:s,color:m});return c.createElement("div",{className:f.root,role:"presentation",ref:t},c.createElement("svg",{height:o,width:n,className:f.beak},c.createElement("polygon",{points:r+" "+i+" "+a})))}));_t.displayName="Beak";var Ct=o(5646),St=(0,D.y)(),xt="data-coachmarkid",kt={isCollapsed:!0,mouseProximityOffset:10,delayBeforeMouseOpen:3600,delayBeforeCoachmarkAnimation:0,isPositionForced:!0,positioningContainerProps:{directionalHint:K.b.bottomAutoEdge}},wt=c.forwardRef((function(e,t){var o=(0,st.j)(kt,e),n=c.useRef(null),r=c.useRef(null),i=function(){var e=(0,G.r)(),t=c.useState(),o=t[0],n=t[1],r=c.useState(),i=r[0],a=r[1];return[o,i,function(t){var o=t.alignmentEdge,r=t.targetEdge;return e.requestAnimationFrame((function(){n(o),a(r)}))}]}(),a=i[0],s=i[1],u=i[2],d=function(e,t){var o=e.isCollapsed,n=e.onAnimationOpenStart,r=e.onAnimationOpenEnd,i=c.useState(!!o),a=i[0],s=i[1],l=(0,Ct.L)().setTimeout,u=c.useRef(!a),d=c.useCallback((function(){var e,o,i,a;u.current||(s(!1),null===(e=n)||void 0===e||e(),null===(a=null===(o=t.current)||void 0===o?void 0:(i=o).addEventListener)||void 0===a||a.call(i,"transitionend",(function(){var e;l((function(){t.current&&(0,ot.uo)(t.current)}),1e3),null===(e=r)||void 0===e||e()})),u.current=!0)}),[t,r,n,l]);return c.useEffect((function(){o||d()}),[o]),[a,d]}(o,n),p=d[0],m=d[1],h=function(e,t,o){var n=(0,T.zg)(e.theme);return c.useMemo((function(){var e,r,i=void 0===o?lt.z.bottom:(0,ct.bv)(o),a={direction:i},s="3px";switch(i){case lt.z.top:case lt.z.bottom:t?t===lt.z.left?(a.left="7px",e="left"):(a.right="7px",e="right"):(a.left="calc(50% - 9px)",e="center"),i===lt.z.top?(a.top=s,r="top"):(a.bottom=s,r="bottom");break;case lt.z.left:case lt.z.right:t?t===lt.z.top?(a.top="7px",r="top"):(a.bottom="7px",r="bottom"):(a.top="calc(50% - 9px)",r="center"),i===lt.z.left?(n?a.right=s:a.left=s,e="left"):(n?a.left=s:a.right=s,e="right")}return[a,e+" "+r]}),[t,o,n])}(o,a,s),g=h[0],f=h[1],v=function(e,t){var o=c.useState(!!e.isCollapsed),n=o[0],r=o[1],i=c.useState(e.isCollapsed?{width:0,height:0}:{}),a=i[0],s=i[1],l=(0,G.r)();return c.useEffect((function(){l.requestAnimationFrame((function(){t.current&&(s({width:t.current.offsetWidth,height:t.current.offsetHeight}),r(!1))}))}),[]),[n,a]}(o,n),b=v[0],y=v[1],_=function(e){var t=e.ariaAlertText,o=(0,G.r)(),n=c.useState(),r=n[0],i=n[1];return c.useEffect((function(){o.requestAnimationFrame((function(){i(t)}))}),[]),r}(o),C=function(e){var t=e.preventFocusOnMount,o=(0,Ct.L)().setTimeout,n=c.useRef(null);return c.useEffect((function(){t||o((function(){var e;return null===(e=n.current)||void 0===e?void 0:e.focus()}),1e3)}),[]),n}(o);!function(e,t,o){var n,r=null===(n=(0,nt.M)())||void 0===n?void 0:n.documentElement;(0,U.d)(r,"keydown",(function(e){var n,r,i;(e.altKey&&e.which===rt.m.c||e.which===rt.m.enter&&(null===(i=null===(n=t.current)||void 0===n?void 0:(r=n).contains)||void 0===i?void 0:i.call(r,e.target)))&&o()}),!0);var i=function(o){var n,r;if(e.preventDismissOnLostFocus){var i=o.target,a=t.current&&!(0,it.t)(t.current,i),s=e.target;a&&i!==s&&!(0,it.t)(s,i)&&(null===(r=(n=e).onDismiss)||void 0===r||r.call(n,o))}};(0,U.d)(r,"click",i,!0),(0,U.d)(r,"focus",i,!0)}(o,r,m),function(e){var t=e.onDismiss;c.useImperativeHandle(e.componentRef,(function(e){return{dismiss:function(){var o;null===(o=t)||void 0===o||o(e)}}}),[t])}(o),function(e,t,o){var n=(0,Ct.L)(),r=n.setTimeout,i=n.clearTimeout,a=c.useRef();c.useEffect((function(){var n=function(){t.current&&(a.current=t.current.getBoundingClientRect())},s=new at.r({});return r((function(){var t=e.mouseProximityOffset,l=void 0===t?0:t,c=[];r((function(){n(),s.on(window,"resize",(function(){c.forEach((function(e){i(e)})),c.splice(0,c.length),c.push(r((function(){n()}),100))}))}),10),s.on(document,"mousemove",(function(t){var r,i,s=t.clientY,c=t.clientX;n(),function(e,t,o,n){return void 0===n&&(n=0),t>e.left-n&&te.top-n&&o=Yt.Unshaded&&e<=Yt.Shade8}function so(e,t){return{h:e.h,s:e.s,v:(0,Mt.u)(e.v-e.v*t,100,0)}}function lo(e,t){return{h:e.h,s:(0,Mt.u)(e.s-e.s*t,100,0),v:(0,Mt.u)(e.v+(100-e.v)*t,100,0)}}function co(e){return At(e.h,e.s,e.v).l<50}function uo(e,t,o){if(void 0===o&&(o=!1),!e)return null;if(t===Yt.Unshaded||!ao(t))return e;var n=At(e.h,e.s,e.v),r={h:e.h,s:e.s,v:e.v},i=t-1,a=lo,s=so;return o&&(a=so,s=lo),r=function(e){return e.r===Tt.uc&&e.g===Tt.uc&&e.b===Tt.uc}(e)?so(r,eo[i]):function(e){return 0===e.r&&0===e.g&&0===e.b}(e)?lo(r,to[i]):n.l/100>.8?s(r,no[i]):n.l/100<.2?a(r,oo[i]):i1?n/r:r/n}!function(e){e[e.Unshaded=0]="Unshaded",e[e.Shade1=1]="Shade1",e[e.Shade2=2]="Shade2",e[e.Shade3=3]="Shade3",e[e.Shade4=4]="Shade4",e[e.Shade5=5]="Shade5",e[e.Shade6=6]="Shade6",e[e.Shade7=7]="Shade7",e[e.Shade8=8]="Shade8"}(Yt||(Yt={}));var ho=o(1332),go=o(6847),fo=o(1958),vo=o(610),bo=o(2167),yo=o(4948),_o=o(6840),Co=o(2470),So=o(9757),xo={auto:0,top:1,bottom:2,center:3},ko=o(8826),wo={top:-1,bottom:-1,left:-1,right:-1,width:0,height:0},Io=function(e){return e.getBoundingClientRect()},Do=Io,To=Io,Eo=function(e){function t(t){var o=e.call(this,t)||this;return o._root=c.createRef(),o._surface=c.createRef(),o._pageRefs={},o._getDerivedStateFromProps=function(e,t){return e.items!==o.props.items||e.renderCount!==o.props.renderCount||e.startIndex!==o.props.startIndex||e.version!==o.props.version?(o._resetRequiredWindows(),o._requiredRect=null,o._measureVersion++,o._invalidatePageCache(),o._updatePages(e,t)):t},o._onRenderRoot=function(e){var t=e.rootRef,o=e.surfaceElement,n=e.divProps;return c.createElement("div",(0,l.pi)({ref:t},n),o)},o._onRenderSurface=function(e){var t=e.surfaceRef,o=e.pageElements,n=e.divProps;return c.createElement("div",(0,l.pi)({ref:t},n),o)},o._onRenderPage=function(e,t){for(var n=o.props,r=n.onRenderCell,i=n.role,a=e.page,s=a.items,u=void 0===s?[]:s,d=a.startIndex,p=(0,l._T)(e,["page"]),m=void 0===i?"listitem":"presentation",h=[],g=0;ge){if(t&&this._scrollElement){for(var d=To(this._scrollElement),p={top:this._scrollElement.scrollTop,bottom:this._scrollElement.scrollTop+d.height},m=e-l,h=0;h=p.top&&g<=p.bottom)return;ap.bottom&&(a=g-d.height)}return void(this._scrollElement.scrollTop=a)}a+=u}},t.prototype.getStartItemIndexInView=function(e){for(var t=0,o=this.state.pages||[];t=n.top&&(this._scrollTop||0)<=n.top+n.height){if(!e){var r=Math.floor(n.height/n.itemCount);return n.startIndex+Math.floor((this._scrollTop-n.top)/r)}for(var i=0,a=n.startIndex;a0?n:void 0})})},t.prototype._shouldVirtualize=function(e){void 0===e&&(e=this.props);var t=e.onShouldVirtualize;return!t||t(e)},t.prototype._invalidatePageCache=function(){this._pageCache={}},t.prototype._renderPage=function(e){var t,o=this,n=this.props.usePageCache;if(n&&(t=this._pageCache[e.key])&&t.pageElement)return t.pageElement;var r=this._getPageStyle(e),i=this.props.onRenderPage,a=(void 0===i?this._onRenderPage:i)({page:e,className:"ms-List-page",key:e.key,ref:function(t){o._pageRefs[e.key]=t},style:r,role:"presentation"},this._onRenderPage);return n&&0===e.startIndex&&(this._pageCache[e.key]={page:e,pageElement:a}),a},t.prototype._getPageStyle=function(e){var t=this.props.getPageStyle;return(0,l.pi)((0,l.pi)({},t?t(e):{}),e.items?{}:{height:e.height})},t.prototype._onFocus=function(e){for(var t=e.target;t!==this._surface.current;){var o=t.getAttribute("data-list-index");if(o){this._focusedIndex=Number(o);break}t=(0,_o.G)(t)}},t.prototype._onScroll=function(){this.state.isScrolling||this.props.ignoreScrollingState||this.setState({isScrolling:!0}),this._resetRequiredWindows(),this._onScrollingDone()},t.prototype._resetRequiredWindows=function(){this._requiredWindowsAhead=0,this._requiredWindowsBehind=0},t.prototype._onAsyncScroll=function(){var e,t;this._updateRenderRects(this.props,this.state),this._materializedRect&&(e=this._requiredRect,t=this._materializedRect,e.top>=t.top&&e.left>=t.left&&e.bottom<=t.bottom&&e.right<=t.right)||this.setState(this._updatePages(this.props,this.state))},t.prototype._onAsyncIdle=function(){var e=this.props,t=e.renderedWindowsAhead,o=e.renderedWindowsBehind,n=this._requiredWindowsAhead,r=this._requiredWindowsBehind,i=Math.min(t,n+1),a=Math.min(o,r+1);i===n&&a===r||(this._requiredWindowsAhead=i,this._requiredWindowsBehind=a,this._updateRenderRects(this.props,this.state),this.setState(this._updatePages(this.props,this.state))),(t>i||o>a)&&this._onAsyncIdle()},t.prototype._onScrollingDone=function(){this.props.ignoreScrollingState||this.setState({isScrolling:!1})},t.prototype._onAsyncResize=function(){this.forceUpdate()},t.prototype._updatePages=function(e,t){this._requiredRect||this._updateRenderRects(e,t);var o=this._buildPages(e,t),n=t.pages;return this._notifyPageChanges(n,o.pages,this.props),(0,l.pi)((0,l.pi)({},t),o)},t.prototype._notifyPageChanges=function(e,t,o){var n=o.onPageAdded,r=o.onPageRemoved;if(n||r){for(var i={},a=0,s=e;a-1,x=!f||C>=f.top&&u<=f.bottom,k=!b._requiredRect||C>=b._requiredRect.top&&u<=b._requiredRect.bottom;if(!g&&(k||x&&S)||!h||p>=e&&p=b._visibleRect.top&&u<=b._visibleRect.bottom),s.push(I),k&&b._allowedRect&&(y=a,_={top:u,bottom:C,height:i,left:f.left,right:f.right,width:f.width},y.top=_.topy.bottom||-1===y.bottom?_.bottom:y.bottom,y.right=_.right>y.right||-1===y.right?_.right:y.right,y.width=y.right-y.left+1,y.height=y.bottom-y.top+1)}else d||(d=b._createPage("spacer-"+e,void 0,e,0,void 0,l,!0)),d.height=(d.height||0)+(C-u)+1,d.itemCount+=c;if(u+=C-u+1,g&&h)return"break"},b=this,y=r;ythis._estimatedPageHeight/3)&&(a=this._surfaceRect=Do(this._surface.current),this._scrollTop=c),!o&&s&&s===this._scrollHeight||this._measureVersion++,this._scrollHeight=s;var u=Math.max(0,-a.top),d=(0,So.J)(this._root.current),p={top:u,left:a.left,bottom:u+d.innerHeight,right:a.right,width:a.width,height:d.innerHeight};this._requiredRect=Po(p,this._requiredWindowsBehind,this._requiredWindowsAhead),this._allowedRect=Po(p,r,n),this._visibleRect=p}},t.defaultProps={startIndex:0,onRenderCell:function(e,t,o){return c.createElement(c.Fragment,null,e&&e.name||"")},renderedWindowsAhead:2,renderedWindowsBehind:2},t}(c.Component);function Po(e,t,o){var n=e.top-t*e.height,r=e.height+(t+o)*e.height;return{top:n,bottom:n+r,height:r,left:e.left,right:e.right,width:e.width}}var Mo=function(e){function t(t){var o=e.call(this,t)||this;return o._comboBox=c.createRef(),o._list=c.createRef(),o._onRenderList=function(e){var t=e.onRenderItem;return c.createElement(Eo,{componentRef:o._list,role:"listbox",items:e.options,onRenderCell:t?function(e){return t(e)}:function(){return null}})},o._onScrollToItem=function(e){o._list.current&&o._list.current.scrollToIndex(e)},(0,P.l)(o),o}return(0,l.ZT)(t,e),Object.defineProperty(t.prototype,"selectedOptions",{get:function(){return this._comboBox.current?this._comboBox.current.selectedOptions:[]},enumerable:!0,configurable:!0}),t.prototype.dismissMenu=function(){if(this._comboBox.current)return this._comboBox.current.dismissMenu()},t.prototype.focus=function(e,t){return!!this._comboBox.current&&(this._comboBox.current.focus(e,t),!0)},t.prototype.render=function(){return c.createElement(vo.C,(0,l.pi)({},this.props,{componentRef:this._comboBox,onRenderList:this._onRenderList,onScrollToItem:this._onScrollToItem}))},t}(c.Component),Ro=(0,d.Ct)((function(e){var t=e;return(0,d.Ct)((function(o){if(e===o)throw new Error("Attempted to compose a component with itself.");var n=o,r=(0,d.Ct)((function(e){return function(t){return c.createElement(n,(0,l.pi)({},t,{defaultRender:e}))}}));return function(e){var o=e.defaultRender;return c.createElement(t,(0,l.pi)({},e,{defaultRender:o?r(o):n}))}}))}));function No(e,t){return Ro(e)(t)}var Bo=o(344),Fo=function(e){var t=Bo.K.getInstance(),o=e.className,n=e.overflowItems,r=e.keytipSequences,i=e.itemSubMenuProvider,a=e.onRenderOverflowButton,s=(0,q.B)({}),u=c.useCallback((function(e){return i?i(e):e.subMenuProps?e.subMenuProps.items:void 0}),[i]),d=c.useMemo((function(){var e,o=[];return r?null===(e=n)||void 0===e||e.forEach((function(e){var n,i,a,c,d=e.keytipProps;if(d){var p={content:d.content,keySequences:d.keySequences,disabled:d.disabled||!(!e.disabled&&!e.isDisabled),hasDynamicChildren:d.hasDynamicChildren,hasMenu:d.hasMenu};d.hasDynamicChildren||u(e)?p.onExecute=t.menuExecute.bind(t,r,null===(i=null===(n=e)||void 0===n?void 0:n.keytipProps)||void 0===i?void 0:i.keySequences):p.onExecute=d.onExecute,s[p.content]=p;var m=(0,l.pi)((0,l.pi)({},e),{keytipProps:(0,l.pi)((0,l.pi)({},d),{overflowSetSequence:r})});null===(a=o)||void 0===a||a.push(m)}else null===(c=o)||void 0===c||c.push(e)})):o=n,o}),[n,u,t,r,s]);return function(e,t){c.useEffect((function(){return Object.keys(e).forEach((function(o){var n=e[o],r=t.register(n,!0);e[r]=n,delete e[o]})),function(){Object.keys(e).forEach((function(o){t.unregister(e[o],o,!0),delete e[o]}))}}),[e,t])}(s,t),c.createElement("div",{className:o},a(d))},Lo=(0,D.y)(),Ao=c.forwardRef((function(e,t){var o=c.useRef(null),n=(0,N.r)(o,t);!function(e,t){c.useImperativeHandle(e.componentRef,(function(){return{focus:function(){var e=!1;return t.current&&(e=(0,ot.uo)(t.current)),e},focusElement:function(e){var o=!1;return!!e&&(t.current&&(0,it.t)(t.current,e)&&(e.focus(),o=document.activeElement===e),o)}}}),[t])}(e,o);var r=e.items,i=e.overflowItems,a=e.className,s=e.styles,u=e.vertical,d=e.role,p=e.overflowSide,m=void 0===p?"end":p,h=e.onRenderItem,g=Lo(s,{className:a,vertical:u}),f=!!i&&i.length>0;return c.createElement("div",(0,l.pi)({},(0,E.pq)(e,E.n7),{role:d||"group","aria-orientation":"menubar"===d?!0===u?"vertical":"horizontal":void 0,className:g.root,ref:n}),"start"===m&&f&&c.createElement(Fo,(0,l.pi)({},e,{className:g.overflowButton})),r&&r.map((function(e,t){return c.createElement("div",{className:g.item,key:e.key},h(e))})),"end"===m&&f&&c.createElement(Fo,(0,l.pi)({},e,{className:g.overflowButton})))}));Ao.displayName="OverflowSet";var zo,Ho={flexShrink:0,display:"inherit"},Oo=(0,I.z)(Ao,(function(e){var t=e.className;return{root:["ms-OverflowSet",{position:"relative",display:"flex",flexWrap:"nowrap"},e.vertical&&{flexDirection:"column"},t],item:["ms-OverflowSet-item",Ho],overflowButton:["ms-OverflowSet-overflowButton",Ho]}}),void 0,{scope:"OverflowSet"}),Wo=(0,d.NF)((function(e){var t={height:"100%"},o={whiteSpace:"nowrap"},n=e||{},r=n.root,i=n.label,a=(0,l._T)(n,["root","label"]);return(0,l.pi)((0,l.pi)({},a),{root:r?[t,r]:t,label:i?[o,i]:o})})),Vo=(0,D.y)(),Ko=function(e){function t(t){var o=e.call(this,t)||this;return o._overflowSet=c.createRef(),o._resizeGroup=c.createRef(),o._onRenderData=function(e){return c.createElement(M.k,{className:(0,pt.i)(o._classNames.root),direction:R.U.horizontal,role:"menubar","aria-label":o.props.ariaLabel},c.createElement(Oo,{role:"none",componentRef:o._overflowSet,className:(0,pt.i)(o._classNames.primarySet),items:e.primaryItems,overflowItems:e.overflowItems.length?e.overflowItems:void 0,onRenderItem:o._onRenderItem,onRenderOverflowButton:o._onRenderOverflowButton}),e.farItems&&e.farItems.length>0&&c.createElement(Oo,{role:"none",className:(0,pt.i)(o._classNames.secondarySet),items:e.farItems,onRenderItem:o._onRenderItem,onRenderOverflowButton:Ie.S}))},o._onRenderItem=function(e){if(e.onRender)return e.onRender(e,(function(){}));var t=e.text||e.name,n=(0,l.pi)((0,l.pi)({allowDisabledFocus:!0,role:"menuitem"},e),{styles:Wo(e.buttonStyles),className:(0,pt.i)("ms-CommandBarItem-link",e.className),text:e.iconOnly?void 0:t,menuProps:e.subMenuProps,onClick:o._onButtonClick(e)});return e.iconOnly&&(void 0!==t||e.tooltipHostProps)?c.createElement(ie.G,(0,l.pi)({content:t},e.tooltipHostProps),o._commandButton(e,n)):o._commandButton(e,n)},o._commandButton=function(e,t){var n=o.props.buttonAs,r=e.commandBarButtonAs,i=ke.Q;return r&&(i=No(r,i)),n&&(i=No(n,i)),c.createElement(i,(0,l.pi)({},t))},o._onRenderOverflowButton=function(e){var t=o.props.overflowButtonProps,n=void 0===t?{}:t,r=(0,l.pr)(n.menuProps?n.menuProps.items:[],e),i=(0,l.pi)((0,l.pi)({role:"menuitem"},n),{styles:(0,l.pi)({menuIcon:{fontSize:"17px"}},n.styles),className:(0,pt.i)("ms-CommandBar-overflowButton",n.className),menuProps:(0,l.pi)((0,l.pi)({},n.menuProps),{items:r}),menuIconProps:(0,l.pi)({iconName:"More"},n.menuIconProps)}),a=o.props.overflowButtonAs?No(o.props.overflowButtonAs,ke.Q):ke.Q;return c.createElement(a,(0,l.pi)({},i))},o._onReduceData=function(e){var t=o.props,n=t.shiftOnReduce,r=t.onDataReduced,i=e.primaryItems,a=e.overflowItems,s=e.cacheKey,c=i[n?0:i.length-1];if(void 0!==c){c.renderedInOverflow=!0,a=(0,l.pr)([c],a),i=n?i.slice(1):i.slice(0,-1);var u=(0,l.pi)((0,l.pi)({},e),{primaryItems:i,overflowItems:a});return s=o._computeCacheKey({primaryItems:i,overflow:a.length>0}),r&&r(c),u.cacheKey=s,u}},o._onGrowData=function(e){var t=o.props,n=t.shiftOnReduce,r=t.onDataGrown,i=e.minimumOverflowItems,a=e.primaryItems,s=e.overflowItems,c=e.cacheKey,u=s[0];if(void 0!==u&&s.length>i){u.renderedInOverflow=!1,s=s.slice(1),a=n?(0,l.pr)([u],a):(0,l.pr)(a,[u]);var d=(0,l.pi)((0,l.pi)({},e),{primaryItems:a,overflowItems:s});return c=o._computeCacheKey({primaryItems:a,overflow:s.length>0}),r&&r(u),d.cacheKey=c,d}},(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.items,o=e.overflowItems,n=e.farItems,r=e.styles,i=e.theme,a=e.dataDidRender,s=e.onReduceData,u=void 0===s?this._onReduceData:s,d=e.onGrowData,p=void 0===d?this._onGrowData:d,m={primaryItems:(0,l.pr)(t),overflowItems:(0,l.pr)(o),minimumOverflowItems:(0,l.pr)(o).length,farItems:n,cacheKey:this._computeCacheKey({primaryItems:(0,l.pr)(t),overflow:o&&o.length>0})};this._classNames=Vo(r,{theme:i});var h=(0,E.pq)(this.props,E.n7);return c.createElement(re,(0,l.pi)({},h,{componentRef:this._resizeGroup,data:m,onReduceData:u,onGrowData:p,onRenderData:this._onRenderData,dataDidRender:a}))},t.prototype.focus=function(){var e=this._overflowSet.current;e&&e.focus()},t.prototype.remeasure=function(){this._resizeGroup.current&&this._resizeGroup.current.remeasure()},t.prototype._onButtonClick=function(e){return function(t){e.inactive||e.onClick&&e.onClick(t,e)}},t.prototype._computeCacheKey=function(e){var t=e.primaryItems,o=e.overflow;return[t&&t.reduce((function(e,t){var o=t.cacheKey;return e+(void 0===o?t.key:o)}),""),o?"overflow":""].join("")},t.defaultProps={items:[],overflowItems:[]},t}(c.Component),qo=(0,I.z)(Ko,(function(e){var t=e.className,o=e.theme,n=o.semanticColors;return{root:[o.fonts.medium,"ms-CommandBar",{display:"flex",backgroundColor:n.bodyBackground,padding:"0 14px 0 24px",height:44},t],primarySet:["ms-CommandBar-primaryCommand",{flexGrow:"1",display:"flex",alignItems:"stretch"}],secondarySet:["ms-CommandBar-secondaryCommand",{flexShrink:"0",display:"flex",alignItems:"stretch"}]}}),void 0,{scope:"CommandBar"}),Go=o(9134),Uo=o(7817),jo=o(5183),Jo=o(6662),Yo=o(1839),Zo=o(668),Xo=o(127),Qo=o(6381),$o=o(1194),en=o(6974),tn=o(7433),on=o(5238),nn=o(3297),rn=o(4449);!function(e){e[e.hidden=0]="hidden",e[e.visible=1]="visible"}(zo||(zo={}));var an,sn,ln,cn,un,dn=o(2782);!function(e){e[e.disabled=0]="disabled",e[e.clickable=1]="clickable",e[e.hasDropdown=2]="hasDropdown"}(an||(an={})),function(e){e[e.unconstrained=0]="unconstrained",e[e.horizontalConstrained=1]="horizontalConstrained"}(sn||(sn={})),function(e){e[e.outside=0]="outside",e[e.surface=1]="surface",e[e.header=2]="header"}(ln||(ln={})),function(e){e[e.fixedColumns=0]="fixedColumns",e[e.justified=1]="justified"}(cn||(cn={})),function(e){e[e.onHover=0]="onHover",e[e.always=1]="always",e[e.hidden=2]="hidden"}(un||(un={}));var pn=function(e){var t=e.count,o=e.indentWidth,n=void 0===o?36:o,r=e.role,i=void 0===r?"presentation":r,a=t*n;return t>0?c.createElement("span",{className:"ms-GroupSpacer",style:{display:"inline-block",width:a},role:i}):null},mn={root:"ms-DetailsRow",compact:"ms-DetailsList--Compact",cell:"ms-DetailsRow-cell",cellAnimation:"ms-DetailsRow-cellAnimation",cellCheck:"ms-DetailsRow-cellCheck",check:"ms-DetailsRow-check",cellMeasurer:"ms-DetailsRow-cellMeasurer",listCellFirstChild:"ms-List-cell:first-child",isContentUnselectable:"is-contentUnselectable",isSelected:"is-selected",isCheckVisible:"is-check-visible",isRowHeader:"is-row-header",fields:"ms-DetailsRow-fields"},hn={cellLeftPadding:12,cellRightPadding:8,cellExtraRightPadding:24},gn={rowHeight:42,compactRowHeight:32},fn=(0,l.pi)((0,l.pi)({},gn),{rowVerticalPadding:11,compactRowVerticalPadding:6}),vn=function(e){var t,o,n,r,i,a,s,c,d,p,m,h,g=e.theme,f=e.isSelected,v=e.canSelect,b=e.droppingClassName,y=e.anySelected,_=e.isCheckVisible,C=e.checkboxCellClassName,S=e.compact,x=e.className,k=e.cellStyleProps,w=void 0===k?hn:k,I=e.enableUpdateAnimations,D=g.palette,T=g.fonts,E=D.neutralPrimary,P=D.white,M=D.neutralSecondary,R=D.neutralLighter,N=D.neutralLight,B=D.neutralDark,F=D.neutralQuaternaryAlt,L=g.semanticColors.focusBorder,A=(0,u.Cn)(mn,g),z={defaultHeaderText:E,defaultMetaText:M,defaultBackground:P,defaultHoverHeaderText:B,defaultHoverMetaText:E,defaultHoverBackground:R,selectedHeaderText:B,selectedMetaText:E,selectedBackground:N,selectedHoverHeaderText:B,selectedHoverMetaText:E,selectedHoverBackground:F,focusHeaderText:B,focusMetaText:E,focusBackground:N,focusHoverBackground:F},H=[(0,u.GL)(g,{inset:-1,borderColor:L,outlineColor:P}),A.isSelected,{color:z.selectedMetaText,background:z.selectedBackground,borderBottom:"1px solid "+P,selectors:(t={"&:before":{position:"absolute",display:"block",top:-1,height:1,bottom:0,left:0,right:0,content:"",borderTop:"1px solid "+P},"&:hover":{background:z.selectedHoverBackground,color:z.selectedHoverMetaText,selectors:(o={},o["."+A.cell+" "+u.qJ]={color:"HighlightText",selectors:{"> a":{color:"HighlightText"}}},o["."+A.isRowHeader]={color:z.selectedHoverHeaderText,selectors:(n={},n[u.qJ]={color:"HighlightText"},n)},o[u.qJ]={background:"Highlight"},o)},"&:focus":{background:z.focusBackground,selectors:(r={},r["."+A.cell]={color:z.focusMetaText,selectors:(i={},i[u.qJ]={color:"HighlightText",selectors:{"> a":{color:"HighlightText"}}},i)},r["."+A.isRowHeader]={color:z.focusHeaderText,selectors:(a={},a[u.qJ]={color:"HighlightText"},a)},r[u.qJ]={background:"Highlight"},r)}},t[u.qJ]=(0,l.pi)((0,l.pi)({background:"Highlight",color:"HighlightText"},(0,u.xM)()),{selectors:{a:{color:"HighlightText"}}}),t["&:focus:hover"]={background:z.focusHoverBackground},t)}],O=[A.isContentUnselectable,{userSelect:"none",cursor:"default"}],W={minHeight:fn.compactRowHeight,border:0},V={minHeight:fn.compactRowHeight,paddingTop:fn.compactRowVerticalPadding,paddingBottom:fn.compactRowVerticalPadding,paddingLeft:w.cellLeftPadding+"px"},K=[(0,u.GL)(g,{inset:-1}),A.cell,{display:"inline-block",position:"relative",boxSizing:"border-box",minHeight:fn.rowHeight,verticalAlign:"top",whiteSpace:"nowrap",overflow:"hidden",textOverflow:"ellipsis",paddingTop:fn.rowVerticalPadding,paddingBottom:fn.rowVerticalPadding,paddingLeft:w.cellLeftPadding+"px",selectors:(s={"& > button":{maxWidth:"100%"}},s["[data-is-focusable='true']"]=(0,u.GL)(g,{inset:-1,borderColor:M,outlineColor:P}),s)},f&&{selectors:(c={},c[u.qJ]=(0,l.pi)((0,l.pi)({background:"Highlight",color:"HighlightText"},(0,u.xM)()),{selectors:{a:{color:"HighlightText"}}}),c)},S&&V];return{root:[A.root,u.k4.fadeIn400,b,g.fonts.small,_&&A.isCheckVisible,(0,u.GL)(g,{borderColor:L,outlineColor:P}),{borderBottom:"1px solid "+R,background:z.defaultBackground,color:z.defaultMetaText,display:"inline-flex",minWidth:"100%",minHeight:fn.rowHeight,whiteSpace:"nowrap",padding:0,boxSizing:"border-box",verticalAlign:"top",textAlign:"left",selectors:(d={},d["."+A.listCellFirstChild+" &:before"]={display:"none"},d["&:hover"]={background:z.defaultHoverBackground,color:z.defaultHoverMetaText,selectors:(p={},p["."+A.isRowHeader]={color:z.defaultHoverHeaderText},p)},d["&:hover ."+A.check]={opacity:1},d["."+de.G$+" &:focus ."+A.check]={opacity:1},d[".ms-GroupSpacer"]={flexShrink:0,flexGrow:0},d)},f&&H,!v&&O,S&&W,x],cellUnpadded:{paddingRight:w.cellRightPadding+"px"},cellPadded:{paddingRight:w.cellExtraRightPadding+w.cellRightPadding+"px",selectors:(m={},m["&."+A.cellCheck]={paddingRight:0},m)},cell:K,cellAnimation:I&&u.Ic.slideLeftIn40,cellMeasurer:[A.cellMeasurer,{overflow:"visible",whiteSpace:"nowrap"}],checkCell:[K,A.cellCheck,C,{padding:0,paddingTop:1,marginTop:-1,flexShrink:0}],checkCover:{position:"absolute",top:-1,left:0,bottom:0,right:0,display:y?"block":"none"},fields:[A.fields,{display:"flex",alignItems:"stretch"}],isRowHeader:[A.isRowHeader,{color:z.defaultHeaderText,fontSize:T.medium.fontSize},f&&{color:z.selectedHeaderText,fontWeight:u.lq.semibold,selectors:(h={},h[u.qJ]={color:"HighlightText"},h)}],isMultiline:[K,{whiteSpace:"normal",wordBreak:"break-word",textOverflow:"clip"}],check:[A.check]}},bn={tooltipHost:"ms-TooltipHost",root:"ms-DetailsHeader",cell:"ms-DetailsHeader-cell",cellIsCheck:"ms-DetailsHeader-cellIsCheck",collapseButton:"ms-DetailsHeader-collapseButton",isCollapsed:"is-collapsed",isAllSelected:"is-allSelected",isSelectAllHidden:"is-selectAllHidden",isResizingColumn:"is-resizingColumn",cellSizer:"ms-DetailsHeader-cellSizer",isResizing:"is-resizing",dropHintCircleStyle:"ms-DetailsHeader-dropHintCircleStyle",dropHintCaretStyle:"ms-DetailsHeader-dropHintCaretStyle",dropHintLineStyle:"ms-DetailsHeader-dropHintLineStyle",cellTitle:"ms-DetailsHeader-cellTitle",cellName:"ms-DetailsHeader-cellName",filterChevron:"ms-DetailsHeader-filterChevron",gripperBarVertical:"ms-DetailsColumn-gripperBarVertical",checkTooltip:"ms-DetailsHeader-checkTooltip",check:"ms-DetailsHeader-check"},yn=function(e){var t=e.theme,o=e.cellStyleProps,n=void 0===o?hn:o,r=t.semanticColors;return[(0,u.Cn)(bn,t).cell,(0,u.GL)(t),{color:r.bodyText,position:"relative",display:"inline-block",boxSizing:"border-box",padding:"0 "+n.cellRightPadding+"px 0 "+n.cellLeftPadding+"px",lineHeight:"inherit",margin:"0",height:42,verticalAlign:"top",whiteSpace:"nowrap",textOverflow:"ellipsis",textAlign:"left"}]},_n={root:"ms-DetailsRow-check",isDisabled:"ms-DetailsRow-check--isDisabled",isHeader:"ms-DetailsRow-check--isHeader"},Cn=(0,D.y)(),Sn=c.memo((function(e){return c.createElement(je,{theme:e.theme,checked:e.checked,className:e.className,useFastIcons:!0})}));function xn(e){return c.createElement(je,{checked:e.checked})}function kn(e){return c.createElement(Sn,{theme:e.theme,checked:e.checked})}var wn,In=(0,I.z)((function(e){var t=e.isVisible,o=void 0!==t&&t,n=e.canSelect,r=void 0!==n&&n,i=e.anySelected,a=void 0!==i&&i,s=e.selected,u=void 0!==s&&s,d=e.isHeader,p=void 0!==d&&d,m=e.className,h=(e.checkClassName,e.styles),g=e.theme,f=e.compact,v=e.onRenderDetailsCheckbox,b=e.useFastIcons,y=void 0===b||b,_=(0,l._T)(e,["isVisible","canSelect","anySelected","selected","isHeader","className","checkClassName","styles","theme","compact","onRenderDetailsCheckbox","useFastIcons"]),C=y?kn:xn,S=v?(0,ko.k)(v,C):C,x=Cn(h,{theme:g,canSelect:r,selected:u,anySelected:a,className:m,isHeader:p,isVisible:o,compact:f}),k={checked:u,theme:g};return r?c.createElement("div",(0,l.pi)({},_,{role:"checkbox",className:(0,pt.i)(x.root,x.check),"aria-checked":u,"data-selection-toggle":!0,"data-automationid":"DetailsRowCheck"}),S(k)):c.createElement("div",(0,l.pi)({},_,{className:(0,pt.i)(x.root,x.check)}))}),(function(e){var t=e.theme,o=e.className,n=e.isHeader,r=e.selected,i=e.anySelected,a=e.canSelect,s=e.compact,l=e.isVisible,c=(0,u.Cn)(_n,t),d=gn.rowHeight,p=gn.compactRowHeight,m=n?42:s?p:d,h=l||r||i;return{root:[c.root,o],check:[!a&&c.isDisabled,n&&c.isHeader,(0,u.GL)(t),t.fonts.small,Ue.checkHost,{display:"flex",alignItems:"center",justifyContent:"center",cursor:"default",boxSizing:"border-box",verticalAlign:"top",background:"none",backgroundColor:"transparent",border:"none",opacity:h?1:0,height:m,width:48,padding:0,margin:0}],isDisabled:[]}}),void 0,{scope:"DetailsRowCheck"},!0),Dn=function(){function e(e){this._selection=e.selection,this._dragEnterCounts={},this._activeTargets={},this._lastId=0,this._initialized=!1}return e.prototype.dispose=function(){this._events&&this._events.dispose()},e.prototype.subscribe=function(e,t,o){var n=this;if(!this._initialized){this._events=new at.r(this);var r=(0,nt.M)();r&&(this._events.on(r.body,"mouseup",this._onMouseUp.bind(this),!0),this._events.on(r,"mouseup",this._onDocumentMouseUp.bind(this),!0)),this._initialized=!0}var i,a,s,l,c,u,d,p,m,h,g=o.key,f=void 0===g?""+ ++this._lastId:g,v=[];if(o&&e){var b=o.eventMap,y=o.context,_=o.updateDropState,C={root:e,options:o,key:f};if(p=this._isDraggable(C),m=this._isDroppable(C),(p||m)&&b)for(var S=0,x=b;S0&&(at.r.raise(this._dragData.dropTarget.root,"dragleave"),at.r.raise(r,"dragenter"),this._dragData.dropTarget=e)}},e.prototype._onMouseLeave=function(e,t){this._isDragging&&this._dragData&&this._dragData.dropTarget&&this._dragData.dropTarget.key===e.key&&(at.r.raise(e.root,"dragleave"),this._dragData.dropTarget=void 0)},e.prototype._onMouseDown=function(e,t){if(0===t.button)if(this._isDraggable(e)){this._dragData={clientX:t.clientX,clientY:t.clientY,eventTarget:t.target,dragTarget:e};for(var o=0,n=Object.keys(this._activeTargets);o=0&&"drop"!==t.type&&!e&&o._resetDropHints()},o._onDragOver=function(e,t){o._draggedColumnIndex>=0&&(t.stopPropagation(),o._computeDropHintToBeShown(t.clientX))},o._onDrop=function(e,t){var n=o._getColumnReorderProps();if(o._draggedColumnIndex>=0&&t){var r=o._draggedColumnIndex>o._currentDropHintIndex?o._currentDropHintIndex:o._currentDropHintIndex-1,i=o._isValidCurrentDropHintIndex();if(t.stopPropagation(),i)if(o._onDropIndexInfo.sourceIndex=o._draggedColumnIndex,o._onDropIndexInfo.targetIndex=r,n.onColumnDrop){var a={draggedIndex:o._draggedColumnIndex,targetIndex:r};n.onColumnDrop(a)}else n.handleColumnReorder&&n.handleColumnReorder(o._draggedColumnIndex,r)}o._resetDropHints(),o._dropHintDetails={},o._draggedColumnIndex=-1},o._updateDragInfo=function(e,t){var n=o._getColumnReorderProps(),r=e.itemIndex;if(r>=0)o._draggedColumnIndex=o._isCheckboxColumnHidden()?r-1:r-2,o._getDropHintPositions(),n.onColumnDragStart&&n.onColumnDragStart(!0);else if(t&&o._draggedColumnIndex>=0&&(o._resetDropHints(),o._draggedColumnIndex=-1,o._dropHintDetails={},n.onColumnDragEnd)){var i=o._isEventOnHeader(t);n.onColumnDragEnd({dropLocation:i},t)}},o._getDropHintPositions=function(){for(var e,t=o.props.columns,n=void 0===t?Nn:t,r=o._getColumnReorderProps(),i=0,a=0,s=r.frozenColumnCountFromStart||0,l=r.frozenColumnCountFromEnd||0,c=s;c=0&&(o._resetDropHints(),o._updateDropHintElement(o._dropHintDetails[p].dropHintElementRef,"inline-block"),o._currentDropHintIndex=p)}},o._renderColumnSizer=function(e){var t,n=e.columnIndex,r=o.props.columns,i=void 0===r?Nn:r,a=i[n],s=o.state.columnResizeDetails,l=o._classNames;return a.isResizable?c.createElement("div",{key:a.key+"_sizer","aria-hidden":!0,role:"button","data-is-focusable":!1,onClick:zn,"data-sizer-index":n,onBlur:o._onSizerBlur,className:(0,pt.i)(l.cellSizer,n=0&&this._onDropIndexInfo.targetIndex>=0){var t=e.columns,o=void 0===t?Nn:t,n=this.props.columns,r=void 0===n?Nn:n;o[this._onDropIndexInfo.sourceIndex].key===r[this._onDropIndexInfo.targetIndex].key&&(this._onDropIndexInfo={sourceIndex:-1,targetIndex:-1})}this.props.isAllCollapsed!==e.isAllCollapsed&&this.setState({isAllCollapsed:this.props.isAllCollapsed})},t.prototype.componentWillUnmount=function(){this._subscriptionObject&&(this._subscriptionObject.dispose(),delete this._subscriptionObject),this._dragDropHelper.dispose(),this._events.dispose()},t.prototype.render=function(){var e=this,t=this.props,o=t.columns,n=void 0===o?Nn:o,r=t.ariaLabel,i=t.ariaLabelForToggleAllGroupsButton,a=t.ariaLabelForSelectAllCheckbox,s=t.selectAllVisibility,l=t.ariaLabelForSelectionColumn,u=t.indentWidth,d=t.onColumnClick,p=t.onColumnContextMenu,m=t.onRenderColumnHeaderTooltip,h=void 0===m?this._onRenderColumnHeaderTooltip:m,g=t.styles,f=t.selectionMode,v=t.theme,b=t.onRenderDetailsCheckbox,y=t.groupNestingDepth,_=t.useFastIcons,C=t.checkboxVisibility,S=t.className,x=this.state,k=x.isAllSelected,w=x.columnResizeDetails,I=x.isSizing,D=x.isAllCollapsed,E=s!==wn.none,P=s===wn.hidden,N=C===un.always,B=this._getColumnReorderProps(),F=B&&B.frozenColumnCountFromStart?B.frozenColumnCountFromStart:0,L=B&&B.frozenColumnCountFromEnd?B.frozenColumnCountFromEnd:0;this._classNames=Rn(g,{theme:v,isAllSelected:k,isSelectAllHidden:s===wn.hidden,isResizingColumn:!!w&&I,isSizing:I,isAllCollapsed:D,isCheckboxHidden:P,className:S});var A=this._classNames,z=_?Ve.xu:W.J,H=(0,T.zg)(v);return c.createElement(M.k,{role:"row","aria-label":r,className:A.root,componentRef:this._rootComponent,elementRef:this._rootElement,onMouseMove:this._onRootMouseMove,"data-automationid":"DetailsHeader",direction:R.U.horizontal},E?[c.createElement("div",{key:"__checkbox",className:A.cellIsCheck,"aria-labelledby":this._id+"-check",onClick:P?void 0:this._onSelectAllClicked,"aria-colindex":1,role:"columnheader"},h({hostClassName:A.checkTooltip,id:this._id+"-checkTooltip",setAriaDescribedBy:!1,content:a,children:c.createElement(In,{id:this._id+"-check","aria-label":f===on.oW.multiple?a:l,"aria-describedby":P?l&&!this.props.onRenderColumnHeaderTooltip?this._id+"-checkTooltip":void 0:a&&!this.props.onRenderColumnHeaderTooltip?this._id+"-checkTooltip":void 0,"data-is-focusable":!P||void 0,isHeader:!0,selected:k,anySelected:!1,canSelect:!P,className:A.check,onRenderDetailsCheckbox:b,useFastIcons:_,isVisible:N})},this._onRenderColumnHeaderTooltip)),this.props.onRenderColumnHeaderTooltip?null:a&&!P?c.createElement("label",{key:"__checkboxLabel",id:this._id+"-checkTooltip",className:A.accessibleLabel,"aria-hidden":!0},a):l&&P?c.createElement("label",{key:"__checkboxLabel",id:this._id+"-checkTooltip",className:A.accessibleLabel,"aria-hidden":!0},l):null]:null,y>0&&this.props.collapseAllVisibility===zo.visible?c.createElement("div",{className:A.cellIsGroupExpander,onClick:this._onToggleCollapseAll,"data-is-focusable":!0,"aria-label":i,"aria-expanded":!D,role:"columnheader"},c.createElement(z,{className:A.collapseButton,iconName:H?"ChevronLeftMed":"ChevronRightMed"})):null,c.createElement(pn,{indentWidth:u,role:"gridcell",count:y-1}),n.map((function(t,o){var r=!!B&&o>=F&&o=0},t.prototype._isCheckboxColumnHidden=function(){var e=this.props,t=e.selectionMode,o=e.checkboxVisibility;return t===on.oW.none||o===un.hidden},t.prototype._resetDropHints=function(){this._currentDropHintIndex>=0&&(this._updateDropHintElement(this._dropHintDetails[this._currentDropHintIndex].dropHintElementRef,"none"),this._currentDropHintIndex=-1)},t.prototype._updateDropHintElement=function(e,t){e.childNodes[1].style.display=t,e.childNodes[0].style.display=t},t.prototype._isEventOnHeader=function(e){if(this._rootElement.current){var t=this._rootElement.current.getBoundingClientRect();if(e.clientX>t.left&&e.clientXt.top&&e.clientY=n:t>=o&&t<=n}function Ln(e,t,o){return e?t>=o:t<=o}function An(e,t,o){return e?t<=o:t>=o}function zn(e){e.stopPropagation()}var Hn=(0,I.z)(Bn,(function(e){var t,o,n,r,i=e.theme,a=e.className,s=e.isAllSelected,c=e.isResizingColumn,d=e.isSizing,p=e.isAllCollapsed,m=e.cellStyleProps,h=void 0===m?hn:m,g=i.semanticColors,f=i.palette,v=i.fonts,b=(0,u.Cn)(bn,i),y={iconForegroundColor:g.bodySubtext,headerForegroundColor:g.bodyText,headerBackgroundColor:g.bodyBackground,resizerColor:f.neutralTertiaryAlt},_={opacity:1,transition:"opacity 0.3s linear"},C=yn(e);return{root:[b.root,v.small,{display:"inline-block",background:y.headerBackgroundColor,position:"relative",minWidth:"100%",verticalAlign:"top",height:42,lineHeight:42,whiteSpace:"nowrap",boxSizing:"content-box",paddingBottom:"1px",paddingTop:"16px",borderBottom:"1px solid "+g.bodyDivider,cursor:"default",userSelect:"none",selectors:(t={},t["&:hover ."+b.check]={opacity:1},t["& ."+b.tooltipHost+" ."+b.checkTooltip]={display:"block"},t)},s&&b.isAllSelected,c&&b.isResizingColumn,a],check:[b.check,{height:42},{selectors:(o={},o["."+de.G$+" &:focus"]={opacity:1},o)}],cellWrapperPadded:{paddingRight:h.cellExtraRightPadding+h.cellRightPadding},cellIsCheck:[C,b.cellIsCheck,{position:"relative",padding:0,margin:0,display:"inline-flex",alignItems:"center",border:"none"},s&&{opacity:1}],cellIsGroupExpander:[C,{display:"inline-flex",alignItems:"center",justifyContent:"center",fontSize:v.small.fontSize,padding:0,border:"none",width:36,color:f.neutralSecondary,selectors:{":hover":{backgroundColor:f.neutralLighter},":active":{backgroundColor:f.neutralLight}}}],cellIsActionable:{selectors:{":hover":{color:g.bodyText,background:g.listHeaderBackgroundHovered},":active":{background:g.listHeaderBackgroundPressed}}},cellIsEmpty:{textOverflow:"clip"},cellSizer:[b.cellSizer,(0,u.e2)(),{display:"inline-block",position:"relative",cursor:"ew-resize",bottom:0,top:0,overflow:"hidden",height:"inherit",background:"transparent",zIndex:1,width:16,selectors:(n={":after":{content:'""',position:"absolute",top:0,bottom:0,width:1,background:y.resizerColor,opacity:0,left:"50%"},":focus:after":_,":hover:after":_},n["&."+b.isResizing+":after"]=[_,{boxShadow:"0 0 5px 0 rgba(0, 0, 0, 0.4)"}],n)}],cellIsResizing:b.isResizing,cellSizerStart:{margin:"0 -8px"},cellSizerEnd:{margin:0,marginLeft:-16},collapseButton:[b.collapseButton,{transformOrigin:"50% 50%",transition:"transform .1s linear"},p?[b.isCollapsed,{transform:"rotate(0deg)"}]:{transform:(0,T.zg)(i)?"rotate(-90deg)":"rotate(90deg)"}],checkTooltip:b.checkTooltip,sizingOverlay:d&&{position:"absolute",left:0,top:0,right:0,bottom:0,cursor:"ew-resize",background:"rgba(255, 255, 255, 0)",selectors:(r={},r[u.qJ]=(0,l.pi)({background:"transparent"},(0,u.xM)()),r)},accessibleLabel:u.ul,dropHintCircleStyle:[b.dropHintCircleStyle,{display:"inline-block",visibility:"hidden",position:"absolute",bottom:0,height:9,width:9,borderRadius:"50%",marginLeft:-5,top:34,overflow:"visible",zIndex:10,border:"1px solid "+f.themePrimary,background:f.white}],dropHintCaretStyle:[b.dropHintCaretStyle,{display:"none",position:"absolute",top:-28,left:-6.5,fontSize:v.medium.fontSize,color:f.themePrimary,overflow:"visible",zIndex:10}],dropHintLineStyle:[b.dropHintLineStyle,{display:"none",position:"absolute",bottom:0,top:0,overflow:"hidden",height:42,width:1,background:f.themePrimary,zIndex:10}],dropHintStyle:{display:"inline-block",position:"absolute"}}}),void 0,{scope:"DetailsHeader"}),On=function(e){var t=e.columns,o=e.columnStartIndex,n=e.rowClassNames,r=e.cellStyleProps,i=void 0===r?hn:r,a=e.item,s=e.itemIndex,l=e.onRenderItemColumn,u=e.getCellValueKey,d=e.cellsByColumn,p=e.enableUpdateAnimations,m=c.useRef(),h=m.current||(m.current={});return c.createElement("div",{className:n.fields,"data-automationid":"DetailsRowFields",role:"presentation"},t.map((function(e,t){var r=void 0===e.calculatedWidth?"auto":e.calculatedWidth+i.cellLeftPadding+i.cellRightPadding+(e.isPadded?i.cellExtraRightPadding:0),m=e.onRender,g=void 0===m?l:m,f=e.getValueKey,v=void 0===f?u:f,b=d&&e.key in d?d[e.key]:g?g(a,s,e):function(e,t){var o=e&&t&&t.fieldName?e[t.fieldName]:"";return null==o&&(o=""),"boolean"==typeof o?o.toString():o}(a,e),y=h[e.key],_=p&&v?v(a,s,e):void 0,C=!1;void 0!==_&&void 0!==y&&_!==y&&(C=!0),h[e.key]=_;var S=e.key+(void 0!==_?"-"+_:"");return c.createElement("div",{key:S,role:e.isRowHeader?"rowheader":"gridcell","aria-readonly":!0,"aria-colindex":t+o+1,className:(0,pt.i)(e.className,e.isMultiline&&n.isMultiline,e.isRowHeader&&n.isRowHeader,n.cell,e.isPadded?n.cellPadded:n.cellUnpadded,C&&n.cellAnimation),style:{width:r},"data-automationid":"DetailsRowCell","data-automation-key":e.key},b)})))},Wn=(0,D.y)(),Vn=[],Kn=function(e){function t(t){var o=e.call(this,t)||this;return o._root=c.createRef(),o._cellMeasurer=c.createRef(),o._focusZone=c.createRef(),o._onSelectionChanged=function(){var e=qn(o.props);(0,Xt.Vv)(e,o.state.selectionState)||o.setState({selectionState:e})},o._updateDroppingState=function(e,t){var n=o.state.isDropping,r=o.props,i=r.dragDropEvents,a=r.item;e?i.onDragEnter&&(o._droppingClassNames=i.onDragEnter(a,t)):i.onDragLeave&&i.onDragLeave(a,t),n!==e&&o.setState({isDropping:e})},(0,P.l)(o),o._events=new at.r(o),o.state={selectionState:qn(t),columnMeasureInfo:void 0,isDropping:!1},o._droppingClassNames="",o}return(0,l.ZT)(t,e),t.getDerivedStateFromProps=function(e,t){return(0,l.pi)((0,l.pi)({},t),{selectionState:qn(e)})},t.prototype.componentDidMount=function(){var e=this.props,t=e.dragDropHelper,o=e.selection,n=e.item,r=e.onDidMount;t&&this._root.current&&(this._dragDropSubscription=t.subscribe(this._root.current,this._events,this._getRowDragDropOptions())),o&&this._events.on(o,on.F5,this._onSelectionChanged),r&&n&&(this._onDidMountCalled=!0,r(this))},t.prototype.componentDidUpdate=function(e){var t=this.state,o=this.props,n=o.item,r=o.onDidMount,i=t.columnMeasureInfo;if(this.props.itemIndex===e.itemIndex&&this.props.item===e.item&&this.props.dragDropHelper===e.dragDropHelper||(this._dragDropSubscription&&(this._dragDropSubscription.dispose(),delete this._dragDropSubscription),this.props.dragDropHelper&&this._root.current&&(this._dragDropSubscription=this.props.dragDropHelper.subscribe(this._root.current,this._events,this._getRowDragDropOptions()))),i&&i.index>=0&&this._cellMeasurer.current){var a=this._cellMeasurer.current.getBoundingClientRect().width;i.onMeasureDone(a),this.setState({columnMeasureInfo:void 0})}n&&r&&!this._onDidMountCalled&&(this._onDidMountCalled=!0,r(this))},t.prototype.componentWillUnmount=function(){var e=this.props,t=e.item,o=e.onWillUnmount;o&&t&&o(this),this._dragDropSubscription&&(this._dragDropSubscription.dispose(),delete this._dragDropSubscription),this._events.dispose()},t.prototype.shouldComponentUpdate=function(e,t){if(this.props.useReducedRowRenderer){var o=qn(e);return this.state.selectionState.isSelected!==o.isSelected||!(0,Xt.Vv)(this.props,e)}return!0},t.prototype.render=function(){var e=this.props,t=e.className,o=e.columns,n=void 0===o?Vn:o,r=e.dragDropEvents,i=e.item,a=e.itemIndex,s=e.flatIndexOffset,u=void 0===s?2:s,d=e.onRenderCheck,p=void 0===d?this._onRenderCheck:d,m=e.onRenderDetailsCheckbox,h=e.onRenderItemColumn,g=e.getCellValueKey,f=e.selectionMode,v=e.rowWidth,b=void 0===v?0:v,y=e.checkboxVisibility,_=e.getRowAriaLabel,C=e.getRowAriaDescribedBy,S=e.checkButtonAriaLabel,x=e.checkboxCellClassName,k=e.rowFieldsAs,w=void 0===k?On:k,I=e.selection,D=e.indentWidth,T=e.enableUpdateAnimations,P=e.compact,N=e.theme,B=e.styles,F=e.cellsByColumn,L=e.groupNestingDepth,A=e.useFastIcons,z=void 0===A||A,H=e.cellStyleProps,O=this.state,W=O.columnMeasureInfo,V=O.isDropping,K=this.state.selectionState,q=K.isSelected,G=void 0!==q&&q,U=K.isSelectionModal,j=void 0!==U&&U,J=r?!(!r.canDrag||!r.canDrag(i)):void 0,Y=V?this._droppingClassNames||"is-dropping":"",Z=_?_(i):void 0,X=C?C(i):void 0,Q=!!I&&I.canSelectItem(i,a),$=f===on.oW.multiple,ee=f!==on.oW.none&&y!==un.hidden,te=f===on.oW.none?void 0:G;this._classNames=(0,l.pi)((0,l.pi)({},this._classNames),Wn(B,{theme:N,isSelected:G,canSelect:!$,anySelected:j,checkboxCellClassName:x,droppingClassName:Y,className:t,compact:P,enableUpdateAnimations:T,cellStyleProps:H}));var oe={isMultiline:this._classNames.isMultiline,isRowHeader:this._classNames.isRowHeader,cell:this._classNames.cell,cellAnimation:this._classNames.cellAnimation,cellPadded:this._classNames.cellPadded,cellUnpadded:this._classNames.cellUnpadded,fields:this._classNames.fields};(0,Xt.Vv)(this._rowClassNames||{},oe)||(this._rowClassNames=oe);var ne=c.createElement(w,{rowClassNames:this._rowClassNames,cellsByColumn:F,columns:n,item:i,itemIndex:a,columnStartIndex:(ee?1:0)+(L?1:0),onRenderItemColumn:h,getCellValueKey:g,enableUpdateAnimations:T,cellStyleProps:H});return c.createElement(M.k,(0,l.pi)({"data-is-focusable":!0},(0,E.pq)(this.props,E.n7),"boolean"==typeof J?{"data-is-draggable":J,draggable:J}:{},{direction:R.U.horizontal,elementRef:this._root,componentRef:this._focusZone,role:"row","aria-label":Z,"aria-describedby":X,className:this._classNames.root,"data-selection-index":a,"data-selection-touch-invoke":!0,"data-item-index":a,"aria-rowindex":L?void 0:a+u,"aria-level":L&&L+1||void 0,"data-automationid":"DetailsRow",style:{minWidth:b},"aria-selected":te,allowFocusRoot:!0}),ee&&c.createElement("div",{role:"gridcell","aria-colindex":1,"data-selection-toggle":!0,className:this._classNames.checkCell},p({selected:G,anySelected:j,"aria-label":S,canSelect:Q,compact:P,className:this._classNames.check,theme:N,isVisible:y===un.always,onRenderDetailsCheckbox:m,useFastIcons:z})),c.createElement(pn,{indentWidth:D,role:"gridcell",count:L-(this.props.collapseAllVisibility===zo.hidden?1:0)}),i&&ne,W&&c.createElement("span",{role:"presentation",className:(0,pt.i)(this._classNames.cellMeasurer,this._classNames.cell),ref:this._cellMeasurer},c.createElement(w,{rowClassNames:this._rowClassNames,columns:[W.column],item:i,itemIndex:a,columnStartIndex:(ee?1:0)+(L?1:0)+n.length,onRenderItemColumn:h,getCellValueKey:g})),c.createElement("span",{role:"checkbox",className:this._classNames.checkCover,"aria-checked":G,"data-selection-toggle":!0}))},t.prototype.measureCell=function(e,t){var o=this.props.columns,n=void 0===o?Vn:o,r=(0,l.pi)({},n[e]);r.minWidth=0,r.maxWidth=999999,delete r.calculatedWidth,this.setState({columnMeasureInfo:{index:e,column:r,onMeasureDone:t}})},t.prototype.focus=function(e){var t;return void 0===e&&(e=!1),!!(null===(t=this._focusZone.current)||void 0===t?void 0:t.focus(e))},t.prototype._onRenderCheck=function(e){return c.createElement(In,(0,l.pi)({},e))},t.prototype._getRowDragDropOptions=function(){var e=this.props,t=e.item,o=e.itemIndex,n=e.dragDropEvents;return{eventMap:e.eventsToRegister,selectionIndex:o,context:{data:t,index:o},canDrag:n.canDrag,canDrop:n.canDrop,onDragStart:n.onDragStart,updateDropState:this._updateDroppingState,onDrop:n.onDrop,onDragEnd:n.onDragEnd,onDragOver:n.onDragOver}},t}(c.Component);function qn(e){var t,o,n,r,i=e.itemIndex,a=e.selection;return{isSelected:!!(null===(t=a)||void 0===t?void 0:t.isIndexSelected(i)),isSelectionModal:!!(null===(r=null===(o=a)||void 0===o?void 0:(n=o).isModal)||void 0===r?void 0:r.call(n))}}var Gn=(0,I.z)(Kn,vn,void 0,{scope:"DetailsRow"}),Un={root:"ms-GroupedList",compact:"ms-GroupedList--Compact",group:"ms-GroupedList-group",link:"ms-Link",listCell:"ms-List-cell"},jn={root:"ms-GroupHeader",compact:"ms-GroupHeader--compact",check:"ms-GroupHeader-check",dropIcon:"ms-GroupHeader-dropIcon",expand:"ms-GroupHeader-expand",isCollapsed:"is-collapsed",title:"ms-GroupHeader-title",isSelected:"is-selected",iconTag:"ms-Icon--Tag",group:"ms-GroupedList-group",isDropping:"is-dropping"},Jn="cubic-bezier(0.390, 0.575, 0.565, 1.000)",Yn=o(76),Zn=(0,D.y)(),Xn=function(e){function t(t){var o=e.call(this,t)||this;return o._toggleCollapse=function(){var e=o.props,t=e.group,n=e.onToggleCollapse,r=e.isGroupLoading,i=!o.state.isCollapsed,a=!i&&r&&r(t);o.setState({isCollapsed:i,isLoadingVisible:a}),n&&n(t)},o._onKeyUp=function(e){var t=o.props,n=t.group,r=t.onGroupHeaderKeyUp;if(r&&r(e,n),!e.defaultPrevented){var i=o.state.isCollapsed&&e.which===(0,T.dP)(rt.m.right,o.props.theme);(!o.state.isCollapsed&&e.which===(0,T.dP)(rt.m.left,o.props.theme)||i)&&(o._toggleCollapse(),e.stopPropagation(),e.preventDefault())}},o._onToggleClick=function(e){o._toggleCollapse(),e.stopPropagation(),e.preventDefault()},o._onToggleSelectGroupClick=function(e){var t=o.props,n=t.onToggleSelectGroup,r=t.group;n&&n(r),e.preventDefault(),e.stopPropagation()},o._onHeaderClick=function(){var e=o.props,t=e.group,n=e.onGroupHeaderClick,r=e.onToggleSelectGroup;n?n(t):r&&r(t)},o._onRenderTitle=function(e){var t=e.group,n=e.ariaColSpan;return t?c.createElement("div",{className:o._classNames.title,id:o._id,role:"gridcell","aria-colspan":n},c.createElement("span",null,t.name),c.createElement("span",{className:o._classNames.headerCount},"(",t.count,t.hasMoreData&&"+",")")):null},o._id=(0,dn.z)("GroupHeader"),o.state={isCollapsed:o.props.group&&o.props.group.isCollapsed,isLoadingVisible:!1},o}return(0,l.ZT)(t,e),t.getDerivedStateFromProps=function(e,t){if(e.group){var o=e.group.isCollapsed,n=e.isGroupLoading,r=!o&&n&&n(e.group);return(0,l.pi)((0,l.pi)({},t),{isCollapsed:o||!1,isLoadingVisible:r||!1})}return t},t.prototype.render=function(){var e=this.props,t=e.group,o=e.groupLevel,n=void 0===o?0:o,r=e.viewport,i=e.selectionMode,a=e.loadingText,s=e.isSelected,u=void 0!==s&&s,d=e.selected,p=void 0!==d&&d,m=e.indentWidth,h=e.onRenderTitle,g=void 0===h?this._onRenderTitle:h,f=e.onRenderGroupHeaderCheckbox,v=e.isCollapsedGroupSelectVisible,b=void 0===v||v,y=e.expandButtonProps,_=e.expandButtonIcon,C=e.selectAllButtonProps,S=e.theme,x=e.styles,k=e.className,w=e.compact,I=e.ariaPosInSet,D=e.ariaSetSize,E=e.useFastIcons?this._fastDefaultCheckboxRender:this._defaultCheckboxRender,P=f?(0,ko.k)(f,E):E,M=this.state,R=M.isCollapsed,N=M.isLoadingVisible,B=i===on.oW.multiple,F=B&&(b||!(t&&t.isCollapsed)),L=p||u,A=(0,T.zg)(S);return this._classNames=Zn(x,{theme:S,className:k,selected:L,isCollapsed:R,compact:w}),t?c.createElement("div",{className:this._classNames.root,style:r?{minWidth:r.width}:{},onClick:this._onHeaderClick,role:"row","aria-setsize":D,"aria-posinset":I,"data-is-focusable":!0,onKeyUp:this._onKeyUp,"aria-label":t.ariaLabel,"aria-labelledby":t.ariaLabel?void 0:this._id,"aria-expanded":!this.state.isCollapsed,"aria-selected":B?L:void 0,"aria-level":n+1},c.createElement("div",{className:this._classNames.groupHeaderContainer,role:"presentation"},F?c.createElement("div",{role:"gridcell"},c.createElement("button",(0,l.pi)({"data-is-focusable":!1,type:"button",className:this._classNames.check,role:"checkbox","aria-checked":L,"data-selection-toggle":!0,onClick:this._onToggleSelectGroupClick},C),P({checked:L,theme:S},P))):i!==on.oW.none&&c.createElement(pn,{indentWidth:48,count:1}),c.createElement(pn,{indentWidth:m,count:n}),c.createElement("div",{className:this._classNames.dropIcon,role:"presentation"},c.createElement(W.J,{iconName:"Tag"})),c.createElement("div",{role:"gridcell"},c.createElement("button",(0,l.pi)({"data-is-focusable":!1,type:"button",className:this._classNames.expand,onClick:this._onToggleClick,"aria-expanded":!this.state.isCollapsed},y),c.createElement(W.J,{className:this._classNames.expandIsCollapsed,iconName:_||(A?"ChevronLeftMed":"ChevronRightMed")}))),g(this.props,this._onRenderTitle),N&&c.createElement(Yn.$,{label:a}))):null},t.prototype._defaultCheckboxRender=function(e){return c.createElement(je,{checked:e.checked})},t.prototype._fastDefaultCheckboxRender=function(e){return c.createElement(Qn,{theme:e.theme,checked:e.checked})},t.defaultProps={expandButtonProps:{"aria-label":"expand collapse group"}},t}(c.Component),Qn=c.memo((function(e){return c.createElement(je,{theme:e.theme,checked:e.checked,className:e.className,useFastIcons:!0})})),$n=(0,I.z)(Xn,(function(e){var t,o,n,r,i,a=e.theme,s=e.className,l=e.selected,c=e.isCollapsed,d=e.compact,p=hn.cellLeftPadding,m=d?40:48,h=a.semanticColors,g=a.palette,f=a.fonts,v=(0,u.Cn)(jn,a),b=[(0,u.GL)(a),{cursor:"default",background:"none",backgroundColor:"transparent",border:"none",padding:0}];return{root:[v.root,(0,u.GL)(a),a.fonts.medium,{borderBottom:"1px solid "+h.listBackground,cursor:"default",userSelect:"none",selectors:(t={":hover":{background:h.listItemBackgroundHovered,color:h.actionLinkHovered}},t["&:hover ."+v.check]={opacity:1},t["."+de.G$+" &:focus ."+v.check]={opacity:1},t[":global(."+v.group+"."+v.isDropping+")"]={selectors:(o={},o["& > ."+v.root+" ."+v.dropIcon]={transition:"transform "+u.D1.durationValue4+" cubic-bezier(0.075, 0.820, 0.165, 1.000) opacity "+u.D1.durationValue1+" "+Jn,transitionDelay:u.D1.durationValue3,opacity:1,transform:"rotate(0.2deg) scale(1);"},o["."+v.check]={opacity:0},o)},t)},l&&[v.isSelected,{background:h.listItemBackgroundChecked,selectors:(n={":hover":{background:h.listItemBackgroundCheckedHovered}},n[""+v.check]={opacity:1},n)}],d&&[v.compact,{border:"none"}],s],groupHeaderContainer:[{display:"flex",alignItems:"center",height:m}],headerCount:[{padding:"0px 4px"}],check:[v.check,b,{display:"flex",alignItems:"center",justifyContent:"center",paddingTop:1,marginTop:-1,opacity:0,width:48,height:m,selectors:(r={},r["."+de.G$+" &:focus"]={opacity:1},r)}],expand:[v.expand,b,{display:"flex",alignItems:"center",justifyContent:"center",fontSize:f.small.fontSize,width:36,height:m,color:l?g.neutralPrimary:g.neutralSecondary,selectors:{":hover":{backgroundColor:l?g.neutralQuaternary:g.neutralLight},":active":{backgroundColor:l?g.neutralTertiaryAlt:g.neutralQuaternaryAlt}}}],expandIsCollapsed:[c?[v.isCollapsed,{transform:"rotate(0deg)",transformOrigin:"50% 50%",transition:"transform .1s linear"}]:{transform:(0,T.zg)(a)?"rotate(-90deg)":"rotate(90deg)",transformOrigin:"50% 50%",transition:"transform .1s linear"}],title:[v.title,{paddingLeft:p,fontSize:d?f.medium.fontSize:f.mediumPlus.fontSize,fontWeight:c?u.lq.regular:u.lq.semibold,cursor:"pointer",outline:0,whiteSpace:"nowrap",textOverflow:"ellipsis"}],dropIcon:[v.dropIcon,{position:"absolute",left:-26,fontSize:u.ld.large,color:g.neutralSecondary,transition:"transform "+u.D1.durationValue2+" cubic-bezier(0.600, -0.280, 0.735, 0.045), opacity "+u.D1.durationValue4+" "+Jn,opacity:0,transform:"rotate(0.2deg) scale(0.65)",transformOrigin:"10px 10px",selectors:(i={},i[":global(."+v.iconTag+")"]={position:"absolute"},i)}]}}),void 0,{scope:"GroupHeader"}),er={root:"ms-GroupShowAll",link:"ms-Link"},tr=(0,D.y)(),or=(0,I.z)((function(e){var t=e.group,o=e.groupLevel,n=e.showAllLinkText,r=void 0===n?"Show All":n,i=e.styles,a=e.theme,s=e.onToggleSummarize,l=tr(i,{theme:a}),u=(0,c.useCallback)((function(e){s(t),e.stopPropagation(),e.preventDefault()}),[s,t]);return t?c.createElement("div",{className:l.root},c.createElement(pn,{count:o}),c.createElement(O,{onClick:u},r)):null}),(function(e){var t,o=e.theme,n=o.fonts,r=(0,u.Cn)(er,o);return{root:[r.root,{position:"relative",padding:"10px 84px",cursor:"pointer",selectors:(t={},t["."+r.link]={fontSize:n.small.fontSize},t)}]}}),void 0,{scope:"GroupShowAll"}),nr={root:"ms-groupFooter"},rr=(0,D.y)(),ir=(0,I.z)((function(e){var t=e.group,o=e.groupLevel,n=e.footerText,r=e.indentWidth,i=e.styles,a=e.theme,s=rr(i,{theme:a});return t&&n?c.createElement("div",{className:s.root},c.createElement(pn,{indentWidth:r,count:o}),n):null}),(function(e){var t=e.theme,o=e.className,n=(0,u.Cn)(nr,t);return{root:[t.fonts.medium,n.root,{position:"relative",padding:"5px 38px"},o]}}),void 0,{scope:"GroupFooter"}),ar=function(e){function t(o){var n=e.call(this,o)||this;n._root=c.createRef(),n._list=c.createRef(),n._subGroupRefs={},n._droppingClassName="",n._onRenderGroupHeader=function(e){return c.createElement($n,(0,l.pi)({},e))},n._onRenderGroupShowAll=function(e){return c.createElement(or,(0,l.pi)({},e))},n._onRenderGroupFooter=function(e){return c.createElement(ir,(0,l.pi)({},e))},n._renderSubGroup=function(e,o){var r=n.props,i=r.dragDropEvents,a=r.dragDropHelper,s=r.eventsToRegister,l=r.getGroupItemLimit,u=r.groupNestingDepth,d=r.groupProps,p=r.items,m=r.headerProps,h=r.showAllProps,g=r.footerProps,f=r.listProps,v=r.onRenderCell,b=r.selection,y=r.selectionMode,_=r.viewport,C=r.onRenderGroupHeader,S=r.onRenderGroupShowAll,x=r.onRenderGroupFooter,k=r.onShouldVirtualize,w=r.group,I=r.compact,D=e.level?e.level+1:u;return!e||e.count>0||d&&d.showEmptyGroups?c.createElement(t,{ref:function(e){return n._subGroupRefs["subGroup_"+o]=e},key:n._getGroupKey(e,o),dragDropEvents:i,dragDropHelper:a,eventsToRegister:s,footerProps:g,getGroupItemLimit:l,group:e,groupIndex:o,groupNestingDepth:D,groupProps:d,headerProps:m,items:p,listProps:f,onRenderCell:v,selection:b,selectionMode:y,showAllProps:h,viewport:_,onRenderGroupHeader:C,onRenderGroupShowAll:S,onRenderGroupFooter:x,onShouldVirtualize:k,groups:w?w.children:[],compact:I}):null},n._getGroupDragDropOptions=function(){var e=n.props,t=e.group,o=e.groupIndex,r=e.dragDropEvents;return{eventMap:e.eventsToRegister,selectionIndex:-1,context:{data:t,index:o,isGroup:!0},updateDropState:n._updateDroppingState,canDrag:r.canDrag,canDrop:r.canDrop,onDrop:r.onDrop,onDragStart:r.onDragStart,onDragEnter:r.onDragEnter,onDragLeave:r.onDragLeave,onDragEnd:r.onDragEnd,onDragOver:r.onDragOver}},n._updateDroppingState=function(e,t){var o=n.state.isDropping,r=n.props,i=r.dragDropEvents,a=r.group;o!==e&&(o?i&&i.onDragLeave&&i.onDragLeave(a,t):i&&i.onDragEnter&&(n._droppingClassName=i.onDragEnter(a,t)),n.setState({isDropping:e}))};var r=o.selection,i=o.group;return(0,P.l)(n),n._id=(0,dn.z)("GroupedListSection"),n.state={isDropping:!1,isSelected:!(!r||!i)&&r.isRangeSelected(i.startIndex,i.count)},n._events=new at.r(n),n}return(0,l.ZT)(t,e),t.prototype.componentDidMount=function(){var e=this.props,t=e.dragDropHelper,o=e.selection;t&&this._root.current&&(this._dragDropSubscription=t.subscribe(this._root.current,this._events,this._getGroupDragDropOptions())),o&&this._events.on(o,on.F5,this._onSelectionChange)},t.prototype.componentWillUnmount=function(){this._events.dispose(),this._dragDropSubscription&&this._dragDropSubscription.dispose()},t.prototype.componentDidUpdate=function(e){this.props.group===e.group&&this.props.groupIndex===e.groupIndex&&this.props.dragDropHelper===e.dragDropHelper||(this._dragDropSubscription&&(this._dragDropSubscription.dispose(),delete this._dragDropSubscription),this.props.dragDropHelper&&this._root.current&&(this._dragDropSubscription=this.props.dragDropHelper.subscribe(this._root.current,this._events,this._getGroupDragDropOptions())))},t.prototype.render=function(){var e=this.props,t=e.getGroupItemLimit,o=e.group,n=e.groupIndex,r=e.headerProps,i=e.showAllProps,a=e.footerProps,s=e.viewport,u=e.selectionMode,d=e.onRenderGroupHeader,p=void 0===d?this._onRenderGroupHeader:d,m=e.onRenderGroupShowAll,h=void 0===m?this._onRenderGroupShowAll:m,g=e.onRenderGroupFooter,f=void 0===g?this._onRenderGroupFooter:g,v=e.onShouldVirtualize,b=e.groupedListClassNames,y=e.groups,_=e.compact,C=e.listProps,S=void 0===C?{}:C,x=this.state.isSelected,k=o&&t?t(o):1/0,w=o&&!o.children&&!o.isCollapsed&&!o.isShowingAll&&(o.count>k||o.hasMoreData),I=o&&o.children&&o.children.length>0,D=S.version,T={group:o,groupIndex:n,groupLevel:o?o.level:0,isSelected:x,selected:x,viewport:s,selectionMode:u,groups:y,compact:_},E={groupedListId:this._id,ariaSetSize:y?y.length:void 0,ariaPosInSet:void 0!==n?n+1:void 0},P=(0,l.pi)((0,l.pi)((0,l.pi)({},r),T),E),M=(0,l.pi)((0,l.pi)({},i),T),R=(0,l.pi)((0,l.pi)({},a),T),N=!!this.props.dragDropHelper&&this._getGroupDragDropOptions().canDrag(o)&&!!this.props.dragDropEvents.canDragGroups;return c.createElement("div",(0,l.pi)({ref:this._root},N&&{draggable:!0},{className:(0,pt.i)(b&&b.group,this._getDroppingClassName()),role:"presentation"}),p(P,this._onRenderGroupHeader),o&&o.isCollapsed?null:I?c.createElement(Eo,{role:"presentation",ref:this._list,items:o?o.children:[],onRenderCell:this._renderSubGroup,getItemCountForPage:this._returnOne,onShouldVirtualize:v,version:D,id:this._id}):this._onRenderGroup(k),o&&o.isCollapsed?null:w&&h(M,this._onRenderGroupShowAll),f(R,this._onRenderGroupFooter))},t.prototype.forceUpdate=function(){e.prototype.forceUpdate.call(this),this.forceListUpdate()},t.prototype.forceListUpdate=function(){var e=this.props.group;if(this._list.current){if(this._list.current.forceUpdate(),e&&e.children&&e.children.length>0)for(var t=e.children.length,o=0;o0&&(r&&r(e),this._setGroupsCollapsedState(o,e),this._updateIsSomeGroupExpanded(),this.forceUpdate())},t.prototype._setGroupsCollapsedState=function(e,t){for(var o=0;o0;)e++,t=t[0].children;return e},t.prototype._forceListUpdates=function(e){this.setState({version:{}})},t.prototype._computeIsSomeGroupExpanded=function(e){var t=this;return!(!e||!e.some((function(e){return e.children?t._computeIsSomeGroupExpanded(e.children):!e.isCollapsed})))},t.prototype._updateIsSomeGroupExpanded=function(){var e=this.state.groups,t=this.props.onGroupExpandStateChanged,o=this._computeIsSomeGroupExpanded(e);this._isSomeGroupExpanded!==o&&(t&&t(o),this._isSomeGroupExpanded=o)},t.defaultProps={selectionMode:on.oW.multiple,isHeaderVisible:!0,groupProps:{},compact:!1},t}(c.Component),dr=(0,I.z)(ur,(function(e){var t,o,n=e.theme,r=e.className,i=e.compact,a=n.palette,s=(0,u.Cn)(Un,n);return{root:[s.root,n.fonts.small,{position:"relative",selectors:(t={},t["."+s.listCell]={minHeight:38},t)},i&&[s.compact,{selectors:(o={},o["."+s.listCell]={minHeight:32},o)}],r],group:[s.group,{transition:"background-color "+u.D1.durationValue2+" cubic-bezier(0.445, 0.050, 0.550, 0.950)"}],groupIsDropping:{backgroundColor:a.neutralLight}}}),void 0,{scope:"GroupedList"}),pr=o(1071);function mr(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 hr(e){return function(t){function o(e){var o=t.call(this,e)||this;return o._root=c.createRef(),o._registerResizeObserver=function(){var e=(0,So.J)(o._root.current);o._viewportResizeObserver=new e.ResizeObserver(o._onAsyncResize),o._viewportResizeObserver.observe(o._root.current)},o._unregisterResizeObserver=function(){o._viewportResizeObserver&&(o._viewportResizeObserver.disconnect(),delete o._viewportResizeObserver)},o._updateViewport=function(e){var t=o.state.viewport,n=o._root.current,r=mr((0,yo.zj)(n)),i=mr(n);((i&&i.width)!==t.width||(r&&r.height)!==t.height)&&o._resizeAttempts<3&&i&&r?(o._resizeAttempts++,o.setState({viewport:{width:i.width,height:r.height}},(function(){o._updateViewport(e)}))):(o._resizeAttempts=0,e&&o._composedComponentInstance&&o._composedComponentInstance.forceUpdate())},o._async=new bo.e(o),o._events=new at.r(o),o._resizeAttempts=0,o.state={viewport:{width:0,height:0}},o}return(0,l.ZT)(o,t),o.prototype.componentDidMount=function(){var e=this.props,t=e.skipViewportMeasures,o=e.disableResizeObserver,n=(0,So.J)(this._root.current);this._onAsyncResize=this._async.debounce(this._onAsyncResize,500,{leading:!1}),t||(!o&&this._isResizeObserverAvailable()?this._registerResizeObserver():this._events.on(n,"resize",this._onAsyncResize),this._updateViewport())},o.prototype.componentDidUpdate=function(e){var t=e.skipViewportMeasures,o=this.props,n=o.skipViewportMeasures,r=o.disableResizeObserver,i=(0,So.J)(this._root.current);n!==t&&(n?(this._unregisterResizeObserver(),this._events.off(i,"resize",this._onAsyncResize)):(!r&&this._isResizeObserverAvailable()?this._viewportResizeObserver||this._registerResizeObserver():this._events.on(i,"resize",this._onAsyncResize),this._updateViewport()))},o.prototype.componentWillUnmount=function(){this._events.dispose(),this._async.dispose(),this._unregisterResizeObserver()},o.prototype.render=function(){var t=this.state.viewport,o=t.width>0&&t.height>0?t:void 0;return c.createElement("div",{className:"ms-Viewport",ref:this._root,style:{minWidth:1,minHeight:1}},c.createElement(e,(0,l.pi)({ref:this._updateComposedComponentRef,viewport:o},this.props)))},o.prototype.forceUpdate=function(){this._updateViewport(!0)},o.prototype._onAsyncResize=function(){this._updateViewport()},o.prototype._isResizeObserverAvailable=function(){var e=(0,So.J)(this._root.current);return e&&e.ResizeObserver},o}(pr.P)}var gr=(0,D.y)(),fr=100,vr=function(e){var t=e.selection,o=e.ariaLabelForListHeader,n=e.ariaLabelForSelectAllCheckbox,r=e.ariaLabelForSelectionColumn,i=e.className,a=e.checkboxVisibility,s=e.compact,u=e.constrainMode,p=e.dragDropEvents,m=e.groups,h=e.groupProps,g=e.indentWidth,f=e.items,v=e.isPlaceholderData,b=e.isHeaderVisible,y=e.layoutMode,_=e.onItemInvoked,C=e.onItemContextMenu,S=e.onColumnHeaderClick,x=e.onColumnHeaderContextMenu,k=e.selectionMode,w=void 0===k?t.mode:k,I=e.selectionPreservedOnEmptyClick,D=e.selectionZoneProps,E=e.ariaLabel,P=e.ariaLabelForGrid,N=e.rowElementEventMap,F=e.shouldApplyApplicationRole,L=void 0!==F&&F,A=e.getKey,z=e.listProps,H=e.usePageCache,O=e.onShouldVirtualize,W=e.viewport,V=e.minimumPixelsForDrag,K=e.getGroupHeight,G=e.styles,U=e.theme,j=e.cellStyleProps,J=void 0===j?hn:j,Y=e.onRenderCheckbox,Z=e.useFastIcons,X=e.dragDropHelper,Q=e.adjustedColumns,$=e.isCollapsed,ee=e.isSizing,te=e.isSomeGroupExpanded,oe=e.version,ne=e.rootRef,re=e.listRef,ie=e.focusZoneRef,ae=e.columnReorderOptions,se=e.groupedListRef,le=e.headerRef,ce=e.onGroupExpandStateChanged,ue=e.onColumnIsSizingChanged,de=e.onRowDidMount,pe=e.onRowWillUnmount,me=e.disableSelectionZone,he=e.onColumnResized,ge=e.onColumnAutoResized,fe=e.onToggleCollapse,ve=e.onActiveRowChanged,be=e.onBlur,ye=e.rowElementEventMap,_e=e.onRenderMissingItem,Ce=e.onRenderItemColumn,Se=e.getCellValueKey,xe=e.getRowAriaLabel,ke=e.getRowAriaDescribedBy,we=e.checkButtonAriaLabel,Ie=e.checkboxCellClassName,De=e.useReducedRowRenderer,Te=e.enableUpdateAnimations,Ee=e.enterModalSelectionOnTouch,Pe=e.onRenderDefaultRow,Me=e.selectionZoneRef,Re=function(e){for(var t=0,o=e;o&&o.length>0;)t++,o=o[0].children;return t}(m),Ne=c.useMemo((function(){return(0,l.pi)({renderedWindowsAhead:ee?0:2,renderedWindowsBehind:ee?0:2,getKey:A,version:oe},z)}),[ee,A,oe,z]),Be=wn.none;if(w===on.oW.single&&(Be=wn.hidden),w===on.oW.multiple){var Fe=h&&h.headerProps&&h.headerProps.isCollapsedGroupSelectVisible;void 0===Fe&&(Fe=!0),Be=Fe||!m||te?wn.visible:wn.hidden}a===un.hidden&&(Be=wn.none);var Le=c.useCallback((function(e){return c.createElement(Hn,(0,l.pi)({},e))}),[]),Ae=c.useCallback((function(){return null}),[]),ze=e.onRenderDetailsHeader,He=c.useMemo((function(){return ze?(0,ko.k)(ze,Le):Le}),[ze,Le]),Oe=e.onRenderDetailsFooter,We=c.useMemo((function(){return Oe?(0,ko.k)(Oe,Ae):Ae}),[Oe,Ae]),Ve=c.useMemo((function(){return{columns:Q,groupNestingDepth:Re,selection:t,selectionMode:w,viewport:W,checkboxVisibility:a,indentWidth:g,cellStyleProps:J}}),[Q,Re,t,w,W,a,g,J]),Ke=ae&&ae.onDragEnd,qe=c.useCallback((function(e,t){var o=e.dropLocation,n=ln.outside;if(Ke){if(o&&o!==ln.header)n=o;else if(ne.current){var r=ne.current.getBoundingClientRect();t.clientX>r.left&&t.clientXr.top&&t.clientY0;)++t,(n=o.pop())&&n.children&&o.push.apply(o,n.children);return t}(m)+(f?f.length:0),je=(Be!==wn.none?1:0)+(Q?Q.length:0)+(m?1:0),Je=c.useMemo((function(){return gr(G,{theme:U,compact:s,isFixed:y===cn.fixedColumns,isHorizontalConstrained:u===sn.horizontalConstrained,className:i})}),[G,U,s,y,u,i]),Ye=h&&h.onRenderFooter,Ze=c.useMemo((function(){return Ye?function(e,o){return Ye((0,l.pi)((0,l.pi)({},e),{columns:Q,groupNestingDepth:Re,indentWidth:g,selection:t,selectionMode:w,viewport:W,checkboxVisibility:a,cellStyleProps:J}),o)}:void 0}),[Ye,Q,Re,g,t,w,W,a,J]),Xe=h&&h.onRenderHeader,Qe=c.useMemo((function(){return Xe?function(e,o){var n=e.ariaPosInSet,r=e.ariaSetSize;return Xe((0,l.pi)((0,l.pi)({},e),{columns:Q,groupNestingDepth:Re,indentWidth:g,selection:t,selectionMode:w,viewport:W,checkboxVisibility:a,cellStyleProps:J,ariaColSpan:Q.length,ariaPosInSet:void 0,ariaSetSize:void 0,ariaRowCount:r?r+(b?1:0):void 0,ariaRowIndex:n?n+(b?1:0):void 0}),o)}:function(e,t){var o=e.ariaPosInSet,n=e.ariaSetSize;return t((0,l.pi)((0,l.pi)({},e),{ariaColSpan:Q.length,ariaPosInSet:void 0,ariaSetSize:void 0,ariaRowCount:n?n+(b?1:0):void 0,ariaRowIndex:o?o+(b?1:0):void 0}))}}),[Xe,Q,Re,g,b,t,w,W,a,J]),$e=c.useMemo((function(){return(0,l.pi)((0,l.pi)({},h),{role:"rowgroup",onRenderFooter:Ze,onRenderHeader:Qe})}),[h,Ze,Qe]),et=(0,q.B)((function(){return(0,d.NF)((function(e){var t=0;return e.forEach((function(e){return t+=e.calculatedWidth||e.minWidth})),t}))})),tt=h&&h.collapseAllVisibility,ot=c.useMemo((function(){return et(Q)}),[Q,et]),nt=c.useCallback((function(o,n,r){var i=e.onRenderRow?(0,ko.k)(e.onRenderRow,Pe):Pe,l={item:n,itemIndex:r,flatIndexOffset:b?2:1,compact:s,columns:Q,groupNestingDepth:o,selectionMode:w,selection:t,onDidMount:de,onWillUnmount:pe,onRenderItemColumn:Ce,getCellValueKey:Se,eventsToRegister:ye,dragDropEvents:p,dragDropHelper:X,viewport:W,checkboxVisibility:a,collapseAllVisibility:tt,getRowAriaLabel:xe,getRowAriaDescribedBy:ke,checkButtonAriaLabel:we,checkboxCellClassName:Ie,useReducedRowRenderer:De,indentWidth:g,cellStyleProps:J,onRenderDetailsCheckbox:Y,enableUpdateAnimations:Te,rowWidth:ot,useFastIcons:Z};return n?i(l):_e?_e(r,l):null}),[s,Q,w,t,de,pe,Ce,Se,ye,p,X,W,a,tt,xe,ke,b,we,Ie,De,g,J,Y,Te,Z,Pe,_e,e.onRenderRow,ot]),it=c.useCallback((function(e){return function(t,o){return nt(e,t,o)}}),[nt]),at=c.useCallback((function(e){return e.which===(0,T.dP)(rt.m.right,U)}),[U]),st={componentRef:ie,className:Je.focusZone,direction:R.U.vertical,shouldEnterInnerZone:at,onActiveElementChanged:ve,shouldRaiseClicks:!1,onBlur:be},lt=m?c.createElement(dr,{focusZoneProps:st,componentRef:se,groups:m,groupProps:$e,items:f,onRenderCell:nt,role:"presentation",selection:t,selectionMode:a!==un.hidden?w:on.oW.none,dragDropEvents:p,dragDropHelper:X,eventsToRegister:N,listProps:Ne,onGroupExpandStateChanged:ce,usePageCache:H,onShouldVirtualize:O,getGroupHeight:K,compact:s}):c.createElement(M.k,(0,l.pi)({},st),c.createElement(Eo,(0,l.pi)({ref:re,role:"presentation",items:f,onRenderCell:it(0),usePageCache:H,onShouldVirtualize:O},Ne))),ct=c.useCallback((function(e){e.which===rt.m.down&&ie.current&&ie.current.focus()&&(0===t.getSelectedIndices().length&&t.setIndexSelected(0,!0,!1),e.preventDefault(),e.stopPropagation())}),[t,ie]),ut=c.useCallback((function(e){e.which!==rt.m.up||e.altKey||le.current&&le.current.focus()&&(e.preventDefault(),e.stopPropagation())}),[le]);return c.createElement("div",(0,l.pi)({ref:ne,className:Je.root,"data-automationid":"DetailsList","data-is-scrollable":"false","aria-label":E},L?{role:"application"}:{}),c.createElement(B.u,null),c.createElement("div",{role:"grid","aria-label":P,"aria-rowcount":v?-1:Ue,"aria-colcount":je,"aria-readonly":"true","aria-busy":v},c.createElement("div",{onKeyDown:ct,role:"presentation",className:Je.headerWrapper},b&&He({componentRef:le,selectionMode:w,layoutMode:y,selection:t,columns:Q,onColumnClick:S,onColumnContextMenu:x,onColumnResized:he,onColumnIsSizingChanged:ue,onColumnAutoResized:ge,groupNestingDepth:Re,isAllCollapsed:$,onToggleCollapseAll:fe,ariaLabel:o,ariaLabelForSelectAllCheckbox:n,ariaLabelForSelectionColumn:r,selectAllVisibility:Be,collapseAllVisibility:h&&h.collapseAllVisibility,viewport:W,columnReorderProps:Ge,minimumPixelsForDrag:V,cellStyleProps:J,checkboxVisibility:a,indentWidth:g,onRenderDetailsCheckbox:Y,rowWidth:et(Q),useFastIcons:Z},He)),c.createElement("div",{onKeyDown:ut,role:"presentation",className:Je.contentWrapper},me?lt:c.createElement(rn.i,(0,l.pi)({ref:Me,selection:t,selectionPreservedOnEmptyClick:I,selectionMode:w,onItemInvoked:_,onItemContextMenu:C,enterModalOnTouch:Ee},D||{}),lt)),We((0,l.pi)({},Ve))))},br=function(e){function t(t){var o=e.call(this,t)||this;return o._root=c.createRef(),o._header=c.createRef(),o._groupedList=c.createRef(),o._list=c.createRef(),o._focusZone=c.createRef(),o._selectionZone=c.createRef(),o._onRenderRow=function(e,t){return c.createElement(Gn,(0,l.pi)({},e))},o._getDerivedStateFromProps=function(e,t){var n=o.props,r=n.checkboxVisibility,i=n.items,a=n.setKey,s=n.selectionMode,c=void 0===s?o._selection.mode:s,u=n.columns,d=n.viewport,p=n.compact,m=n.dragDropEvents,h=(o.props.groupProps||{}).isAllGroupsCollapsed,g=void 0===h?void 0:h,f=e.viewport&&e.viewport.width||0,v=d&&d.width||0,b=e.setKey!==a||void 0===e.setKey,y=!1;e.layoutMode!==o.props.layoutMode&&(y=!0);var _=t;return b&&(o._initialFocusedIndex=e.initialFocusedIndex,_=(0,l.pi)((0,l.pi)({},_),{focusedItemIndex:void 0!==o._initialFocusedIndex?o._initialFocusedIndex:-1})),o.props.disableSelectionZone||e.items===i||o._selection.setItems(e.items,b),e.checkboxVisibility===r&&e.columns===u&&f===v&&e.compact===p||(y=!0),_=(0,l.pi)((0,l.pi)({},_),o._adjustColumns(e,_,!0)),e.selectionMode!==c&&(y=!0),void 0===g&&e.groupProps&&void 0!==e.groupProps.isAllGroupsCollapsed&&(_=(0,l.pi)((0,l.pi)({},_),{isCollapsed:e.groupProps.isAllGroupsCollapsed,isSomeGroupExpanded:!e.groupProps.isAllGroupsCollapsed})),e.dragDropEvents!==m&&(o._dragDropHelper&&o._dragDropHelper.dispose(),o._dragDropHelper=e.dragDropEvents?new Dn({selection:o._selection,minimumPixelsForDrag:e.minimumPixelsForDrag}):void 0,y=!0),y&&(_=(0,l.pi)((0,l.pi)({},_),{version:{}})),_},o._onGroupExpandStateChanged=function(e){o.setState({isSomeGroupExpanded:e})},o._onColumnIsSizingChanged=function(e,t){o.setState({isSizing:t})},o._onRowDidMount=function(e){var t=e.props,n=t.item,r=t.itemIndex,i=o._getItemKey(n,r);o._activeRows[i]=e,o._setFocusToRowIfPending(e);var a=o.props.onRowDidMount;a&&a(n,r)},o._onRowWillUnmount=function(e){var t=o.props.onRowWillUnmount,n=e.props,r=n.item,i=n.itemIndex,a=o._getItemKey(r,i);delete o._activeRows[a],t&&t(r,i)},o._onToggleCollapse=function(e){o.setState({isCollapsed:e}),o._groupedList.current&&o._groupedList.current.toggleCollapseAll(e)},o._onColumnResized=function(e,t,n){var r=Math.max(e.minWidth||fr,t);o.props.onColumnResize&&o.props.onColumnResize(e,r,n),o._rememberCalculatedWidth(e,r),o.setState((0,l.pi)((0,l.pi)({},o._adjustColumns(o.props,o.state,!0,n)),{version:{}}))},o._onColumnAutoResized=function(e,t){var n=0,r=0,i=Object.keys(o._activeRows).length;for(var a in o._activeRows)o._activeRows.hasOwnProperty(a)&&o._activeRows[a].measureCell(t,(function(a){n=Math.max(n,a),++r===i&&o._onColumnResized(e,n,t)}))},o._onActiveRowChanged=function(e,t){var n=o.props,r=n.items,i=n.onActiveItemChanged;if(e&&e.getAttribute("data-item-index")){var a=Number(e.getAttribute("data-item-index"));a>=0&&(i&&i(r[a],a,t),o.setState({focusedItemIndex:a}))}},o._onBlur=function(e){o.setState({focusedItemIndex:-1})},(0,P.l)(o),o._async=new bo.e(o),o._activeRows={},o._columnOverrides={},o.state={focusedItemIndex:-1,lastWidth:0,adjustedColumns:o._getAdjustedColumns(t,void 0),isSizing:!1,isCollapsed:t.groupProps&&t.groupProps.isAllGroupsCollapsed,isSomeGroupExpanded:t.groupProps&&!t.groupProps.isAllGroupsCollapsed,version:{},getDerivedStateFromProps:o._getDerivedStateFromProps},o._selection=t.selection||new nn.Y({onSelectionChanged:void 0,getKey:t.getKey,selectionMode:t.selectionMode}),o.props.disableSelectionZone||o._selection.setItems(t.items,!1),o._dragDropHelper=t.dragDropEvents?new Dn({selection:o._selection,minimumPixelsForDrag:t.minimumPixelsForDrag}):void 0,o._initialFocusedIndex=t.initialFocusedIndex,o}return(0,l.ZT)(t,e),t.getDerivedStateFromProps=function(e,t){return t.getDerivedStateFromProps(e,t)},t.prototype.scrollToIndex=function(e,t,o){this._list.current&&this._list.current.scrollToIndex(e,t,o),this._groupedList.current&&this._groupedList.current.scrollToIndex(e,t,o)},t.prototype.focusIndex=function(e,t,o,n){void 0===t&&(t=!1);var r=this.props.items[e];if(r){this.scrollToIndex(e,o,n);var i=this._getItemKey(r,e),a=this._activeRows[i];a&&this._setFocusToRow(a,t)}},t.prototype.getStartItemIndexInView=function(){return this._list&&this._list.current?this._list.current.getStartItemIndexInView():this._groupedList&&this._groupedList.current?this._groupedList.current.getStartItemIndexInView():0},t.prototype.componentWillUnmount=function(){this._dragDropHelper&&this._dragDropHelper.dispose(),this._async.dispose()},t.prototype.componentDidUpdate=function(e,t){if(this._notifyColumnsResized(),void 0!==this._initialFocusedIndex&&(i=this.props.items[this._initialFocusedIndex])){var o=this._getItemKey(i,this._initialFocusedIndex);(n=this._activeRows[o])&&this._setFocusToRowIfPending(n)}if(this.props.items!==e.items&&this.props.items.length>0&&-1!==this.state.focusedItemIndex&&!(0,it.t)(this._root.current,document.activeElement,!1)){var n,r=this.state.focusedItemIndex0;)e++,t=t[0].children;return e},t.prototype._setFocusToRowIfPending=function(e){var t=e.props.itemIndex;void 0!==this._initialFocusedIndex&&t===this._initialFocusedIndex&&(this._setFocusToRow(e),delete this._initialFocusedIndex)},t.prototype._setFocusToRow=function(e,t){void 0===t&&(t=!1),this._selectionZone.current&&this._selectionZone.current.ignoreNextFocus(),this._async.setTimeout((function(){e.focus(t)}),0)},t.prototype._forceListUpdates=function(){this._groupedList.current&&this._groupedList.current.forceUpdate(),this._list.current&&this._list.current.forceUpdate()},t.prototype._notifyColumnsResized=function(){this.state.adjustedColumns.forEach((function(e){e.onColumnResize&&e.onColumnResize(e.currentWidth)}))},t.prototype._adjustColumns=function(e,t,o,n){var r=this._getAdjustedColumns(e,t,o,n),i=this.props.viewport,a=i&&i.width?i.width:0;return(0,l.pi)((0,l.pi)({},t),{adjustedColumns:r,lastWidth:a})},t.prototype._getAdjustedColumns=function(e,t,o,n){var r,i=this,a=e.items,s=e.layoutMode,l=e.selectionMode,c=e.viewport,u=c&&c.width?c.width:0,d=e.columns,p=this.props?this.props.columns:[],m=t?t.lastWidth:-1,h=t?t.lastSelectionMode:void 0;return o||m!==u||h!==l||p&&d!==p?(d=d||yr(a,!0),s===cn.fixedColumns?(r=this._getFixedColumns(d)).forEach((function(e){i._rememberCalculatedWidth(e,e.calculatedWidth)})):(r=void 0!==n?this._getJustifiedColumnsAfterResize(d,u,e,n):this._getJustifiedColumns(d,u,e,0)).forEach((function(e){i._getColumnOverride(e.key).currentWidth=e.calculatedWidth})),r):d||[]},t.prototype._getFixedColumns=function(e){var t=this;return e.map((function(e){var o=(0,l.pi)((0,l.pi)({},e),t._columnOverrides[e.key]);return o.calculatedWidth||(o.calculatedWidth=o.maxWidth||o.minWidth||fr),o}))},t.prototype._getJustifiedColumnsAfterResize=function(e,t,o,n){var r=this,i=e.slice(0,n);i.forEach((function(e){return e.calculatedWidth=r._getColumnOverride(e.key).currentWidth}));var a=i.reduce((function(e,t,n){return e+_r(t,0,o)}),0),s=e.slice(n),c=t-a;return(0,l.pr)(i,this._getJustifiedColumns(s,c,o,n))},t.prototype._getJustifiedColumns=function(e,t,o,n){for(var r=this,i=o.selectionMode,a=void 0===i?this._selection.mode:i,s=o.checkboxVisibility,c=a!==on.oW.none&&s!==un.hidden?48:0,u=36*this._getGroupNestingDepth(),d=0,p=t-(c+u),m=e.map((function(e,t){var n=(0,l.pi)((0,l.pi)((0,l.pi)({},e),{calculatedWidth:e.minWidth||fr}),r._columnOverrides[e.key]);return d+=_r(n,0,o),n})),h=m.length-1;h>0&&d>p;){var g=(y=m[h]).minWidth||fr,f=d-p;if(y.calculatedWidth-g>=f||!y.isCollapsible&&!y.isCollapsable){var v=y.calculatedWidth;y.calculatedWidth=Math.max(y.calculatedWidth-f,g),d-=v-y.calculatedWidth}else d-=_r(y,0,o),m.splice(h,1);h--}for(var b=0;b=(E||Er.eD.small)&&c.createElement(dt.m,(0,l.pi)({ref:H},ve),c.createElement(Dr.G,{role:M||!v?"dialog":"alertdialog","aria-modal":!M,ariaLabelledBy:k,ariaDescribedBy:I,onDismiss:_,shouldRestoreFocus:!f},c.createElement("div",{className:fe.root,role:M?void 0:"document"},!M&&c.createElement(Ir.a,(0,l.pi)({isDarkThemed:y,onClick:v?void 0:_,allowTouchBodyScroll:a},S)),R?c.createElement(Br,{handleSelector:R.dragHandleSelector||"#"+V,preventDragSelector:"button",onStart:Se,onDragChange:xe,onStop:ke,position:ne},we):we)))||null}));Or.displayName="Modal";var Wr=(0,I.z)(Or,(function(e){var t,o=e.className,n=e.containerClassName,r=e.scrollableContentClassName,i=e.isOpen,a=e.isVisible,s=e.hasBeenOpened,l=e.modalRectangleTop,c=e.theme,d=e.topOffsetFixed,p=e.isModeless,m=e.layerClassName,h=e.isDefaultDragHandle,g=e.windowInnerHeight,f=c.palette,v=c.effects,b=c.fonts,y=(0,u.Cn)(wr,c);return{root:[y.root,b.medium,{backgroundColor:"transparent",position:p?"absolute":"fixed",height:"100%",width:"100%",display:"flex",alignItems:"center",justifyContent:"center",opacity:0,pointerEvents:"none",transition:"opacity "+kr},d&&s&&{alignItems:"flex-start"},i&&y.isOpen,a&&{opacity:1,pointerEvents:"auto"},o],main:[y.main,{boxShadow:v.elevation64,borderRadius:v.roundedCorner2,backgroundColor:f.white,boxSizing:"border-box",position:"relative",textAlign:"left",outline:"3px solid transparent",maxHeight:"calc(100% - 32px)",maxWidth:"calc(100% - 32px)",minHeight:"176px",minWidth:"288px",overflowY:"auto",zIndex:p?u.bR.Layer:void 0},d&&s&&{top:l},h&&{cursor:"move"},n],scrollableContent:[y.scrollableContent,{overflowY:"auto",flexGrow:1,maxHeight:"100vh",selectors:(t={},t["@supports (-webkit-overflow-scrolling: touch)"]={maxHeight:g},t)},r],layer:p&&[m,y.layer,{position:"static",width:"unset",height:"unset"}],keyboardMoveIconContainer:{position:"absolute",display:"flex",justifyContent:"center",width:"100%",padding:"3px 0px"},keyboardMoveIcon:{fontSize:b.xLargePlus.fontSize,width:"24px"}}}),void 0,{scope:"Modal",fields:["theme","styles","enableAriaHiddenSiblings"]});Wr.displayName="Modal";var Vr=o(3129),Kr=(0,D.y)(),qr=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.className,o=e.styles,n=e.theme;return this._classNames=Kr(o,{theme:n,className:t}),c.createElement("div",{className:this._classNames.actions},c.createElement("div",{className:this._classNames.actionsRight},this._renderChildrenAsActions()))},t.prototype._renderChildrenAsActions=function(){var e=this;return c.Children.map(this.props.children,(function(t){return t?c.createElement("span",{className:e._classNames.action},t):null}))},t}(c.Component),Gr={actions:"ms-Dialog-actions",action:"ms-Dialog-action",actionsRight:"ms-Dialog-actionsRight"},Ur=(0,I.z)(qr,(function(e){var t=e.className,o=e.theme,n=(0,u.Cn)(Gr,o);return{actions:[n.actions,{position:"relative",width:"100%",minHeight:"24px",lineHeight:"24px",margin:"16px 0 0",fontSize:"0",selectors:{".ms-Button":{lineHeight:"normal"}}},t],action:[n.action,{margin:"0 4px"}],actionsRight:[n.actionsRight,{textAlign:"right",marginRight:"-4px",fontSize:"0"}]}}),void 0,{scope:"DialogFooter"}),jr=(0,D.y)(),Jr=c.createElement(Ur,null).type,Yr=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),(0,Vr.b)("DialogContent",t,{titleId:"titleProps.id"}),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e,t=this.props,o=t.showCloseButton,n=t.className,r=t.closeButtonAriaLabel,i=t.onDismiss,a=t.subTextId,s=t.subText,u=t.titleProps,d=void 0===u?{}:u,p=t.titleId,m=t.title,h=t.type,g=t.styles,f=t.theme,v=t.draggableHeaderClassName,b=jr(g,{theme:f,className:n,isLargeHeader:h===Cr.largeHeader,isClose:h===Cr.close,draggableHeaderClassName:v}),y=this._groupChildren();return s&&(e=c.createElement("p",{className:b.subText,id:a},s)),c.createElement("div",{className:b.content},c.createElement("div",{className:b.header},c.createElement("div",(0,l.pi)({id:p,role:"heading","aria-level":1},d,{className:(0,pt.i)(b.title,d.className)}),m),c.createElement("div",{className:b.topButton},this.props.topButtonsProps.map((function(e,t){return c.createElement(V.h,(0,l.pi)({key:e.uniqueId||t},e))})),(h===Cr.close||o&&h!==Cr.largeHeader)&&c.createElement(V.h,{className:b.button,iconProps:{iconName:"Cancel"},ariaLabel:r,onClick:i,title:r}))),c.createElement("div",{className:b.inner},c.createElement("div",{className:b.innerContent},e,y.contents),y.footers))},t.prototype._groupChildren=function(){var e={footers:[],contents:[]};return c.Children.map(this.props.children,(function(t){"object"==typeof t&&null!==t&&t.type===Jr?e.footers.push(t):e.contents.push(t)})),e},t.defaultProps={showCloseButton:!1,className:"",topButtonsProps:[],closeButtonAriaLabel:"Close"},(0,l.gn)([Er.Ae],t)}(c.Component),Zr={contentLgHeader:"ms-Dialog-lgHeader",close:"ms-Dialog--close",subText:"ms-Dialog-subText",header:"ms-Dialog-header",headerLg:"ms-Dialog--lgHeader",button:"ms-Dialog-button ms-Dialog-button--close",inner:"ms-Dialog-inner",content:"ms-Dialog-content",title:"ms-Dialog-title"},Xr=(0,I.z)(Yr,(function(e){var t,o,n,r=e.className,i=e.theme,a=e.isLargeHeader,s=e.isClose,l=e.hidden,c=e.isMultiline,d=e.draggableHeaderClassName,p=i.palette,m=i.fonts,h=i.effects,g=i.semanticColors,f=(0,u.Cn)(Zr,i);return{content:[a&&[f.contentLgHeader,{borderTop:"4px solid "+p.themePrimary}],s&&f.close,{flexGrow:1,overflowY:"hidden"},r],subText:[f.subText,m.medium,{margin:"0 0 24px 0",color:g.bodySubtext,lineHeight:"1.5",wordWrap:"break-word",fontWeight:u.lq.regular}],header:[f.header,{position:"relative",width:"100%",boxSizing:"border-box"},s&&f.close,d&&[d,{cursor:"move"}]],button:[f.button,l&&{selectors:{".ms-Icon.ms-Icon--Cancel":{color:g.buttonText,fontSize:u.ld.medium}}}],inner:[f.inner,{padding:"0 24px 24px",selectors:(t={},t["@media (min-width: "+u.QQ+"px) and (max-width: "+u.mV+"px)"]={padding:"0 16px 16px"},t)}],innerContent:[f.content,{position:"relative",width:"100%"}],title:[f.title,m.xLarge,{color:g.bodyText,margin:"0",minHeight:m.xLarge.fontSize,padding:"16px 46px 20px 24px",lineHeight:"normal",selectors:(o={},o["@media (min-width: "+u.QQ+"px) and (max-width: "+u.mV+"px)"]={padding:"16px 46px 16px 16px"},o)},a&&{color:g.menuHeader},c&&{fontSize:m.xxLarge.fontSize}],topButton:[{display:"flex",flexDirection:"row",flexWrap:"nowrap",position:"absolute",top:"0",right:"0",padding:"15px 15px 0 0",selectors:(n={"> *":{flex:"0 0 auto"},".ms-Dialog-button":{color:g.buttonText},".ms-Dialog-button:hover":{color:g.buttonTextHovered,borderRadius:h.roundedCorner2}},n["@media (min-width: "+u.QQ+"px) and (max-width: "+u.mV+"px)"]={padding:"15px 8px 0 0"},n)}]}}),void 0,{scope:"DialogContent"}),Qr=(0,D.y)(),$r={isDarkOverlay:!1,isBlocking:!1,className:"",containerClassName:"",topOffsetFixed:!1},ei={type:Cr.normal,className:"",topButtonsProps:[]},ti=function(e){function t(t){var o=e.call(this,t)||this;return o._getSubTextId=function(){var e=o.props,t=e.ariaDescribedById,n=e.modalProps,r=e.dialogContentProps,i=e.subText,a=n&&n.subtitleAriaId||t;return a||(a=(r&&r.subText||i)&&o._defaultSubTextId),a},o._getTitleTextId=function(){var e=o.props,t=e.ariaLabelledById,n=e.modalProps,r=e.dialogContentProps,i=e.title,a=n&&n.titleAriaId||t;return a||(a=(r&&r.title||i)&&o._defaultTitleTextId),a},o._id=(0,dn.z)("Dialog"),o._defaultTitleTextId=o._id+"-title",o._defaultSubTextId=o._id+"-subText",o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e,t,o,n,r=this.props,i=r.className,a=r.containerClassName,s=r.contentClassName,u=r.elementToFocusOnDismiss,d=r.firstFocusableSelector,p=r.forceFocusInsideTrap,m=r.styles,h=r.hidden,g=r.ignoreExternalFocusing,f=r.isBlocking,v=r.isClickableOutsideFocusTrap,b=r.isDarkOverlay,y=r.isOpen,_=r.onDismiss,C=r.onDismissed,S=r.onLayerDidMount,x=r.responsiveMode,k=r.subText,w=r.theme,I=r.title,D=r.topButtonsProps,T=r.type,E=r.minWidth,P=r.maxWidth,M=r.modalProps,R=(0,l.pi)({},M?M.layerProps:{onLayerDidMount:S});S&&!R.onLayerDidMount&&(R.onLayerDidMount=S),M&&M.dragOptions&&!M.dragOptions.dragHandleSelector?(o="ms-Dialog-draggable-header",n=(0,l.pi)((0,l.pi)({},M.dragOptions),{dragHandleSelector:"."+o})):n=M&&M.dragOptions;var N=(0,l.pi)((0,l.pi)((0,l.pi)((0,l.pi)({},$r),{className:i,containerClassName:a,isBlocking:f,isDarkOverlay:b,onDismissed:C}),M),{layerProps:R,dragOptions:n}),B=(0,l.pi)((0,l.pi)((0,l.pi)({className:s,subText:k,title:I,topButtonsProps:D,type:T},ei),this.props.dialogContentProps),{draggableHeaderClassName:o,titleProps:(0,l.pi)({id:(null===(e=this.props.dialogContentProps)||void 0===e?void 0:e.titleId)||this._defaultTitleTextId},null===(t=this.props.dialogContentProps)||void 0===t?void 0:t.titleProps)}),F=Qr(m,{theme:w,className:N.className,containerClassName:N.containerClassName,hidden:h,dialogDefaultMinWidth:E,dialogDefaultMaxWidth:P});return c.createElement(Wr,(0,l.pi)({elementToFocusOnDismiss:u,firstFocusableSelector:d,forceFocusInsideTrap:p,ignoreExternalFocusing:g,isClickableOutsideFocusTrap:v,onDismissed:N.onDismissed,responsiveMode:x},N,{isDarkOverlay:N.isDarkOverlay,isBlocking:N.isBlocking,isOpen:void 0!==y?y:!h,className:F.root,containerClassName:F.main,onDismiss:_||N.onDismiss,subtitleAriaId:this._getSubTextId(),titleAriaId:this._getTitleTextId()}),c.createElement(Xr,(0,l.pi)({subTextId:this._defaultSubTextId,title:B.title,subText:B.subText,showCloseButton:N.isBlocking,topButtonsProps:B.topButtonsProps,type:B.type,onDismiss:_||B.onDismiss,className:B.className},B),this.props.children))},t.defaultProps={hidden:!0},(0,l.gn)([Er.Ae],t)}(c.Component),oi={root:"ms-Dialog"},ni=(0,I.z)(ti,(function(e){var t,o=e.className,n=e.containerClassName,r=e.dialogDefaultMinWidth,i=void 0===r?"288px":r,a=e.dialogDefaultMaxWidth,s=void 0===a?"340px":a,l=e.hidden,c=e.theme;return{root:[(0,u.Cn)(oi,c).root,c.fonts.medium,o],main:[{width:i,outline:"3px solid transparent",selectors:(t={},t["@media (min-width: "+u.dd+"px)"]={width:"auto",maxWidth:s,minWidth:i},t)},!l&&{display:"flex"},n]}}),void 0,{scope:"Dialog"});ni.displayName="Dialog";var ri,ii=o(8386);!function(e){e[e.normal=0]="normal",e[e.compact=1]="compact"}(ri||(ri={}));var ai=(0,D.y)(),si=function(e){function t(t){var o=e.call(this,t)||this;return o._rootElement=c.createRef(),o._onClick=function(e){o._onAction(e)},o._onKeyDown=function(e){e.which!==rt.m.enter&&e.which!==rt.m.space||o._onAction(e)},o._onAction=function(e){var t=o.props,n=t.onClick,r=t.onClickHref,i=t.onClickTarget;n?n(e):!n&&r&&(i?window.open(r,i,"noreferrer noopener nofollow"):window.location.href=r,e.preventDefault(),e.stopPropagation())},(0,P.l)(o),(0,Vr.b)("DocumentCard",t,{accentColor:void 0}),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e,t=this.props,o=t.onClick,n=t.onClickHref,r=t.children,i=t.type,a=t.accentColor,s=t.styles,u=t.theme,d=t.className,p=(0,E.pq)(this.props,E.n7,["className","onClick","type","role"]),m=!(!o&&!n);this._classNames=ai(s,{theme:u,className:d,actionable:m,compact:i===ri.compact}),i===ri.compact&&a&&(e={borderBottomColor:a});var h=this.props.role||(m?o?"button":"link":void 0),g=m?0:void 0;return c.createElement("div",(0,l.pi)({ref:this._rootElement,tabIndex:g,"data-is-focusable":m,role:h,className:this._classNames.root,onKeyDown:m?this._onKeyDown:void 0,onClick:m?this._onClick:void 0,style:e},p),r)},t.prototype.focus=function(){this._rootElement.current&&this._rootElement.current.focus()},t.defaultProps={type:ri.normal},t}(c.Component),li={root:"ms-DocumentCardPreview",icon:"ms-DocumentCardPreview-icon",iconContainer:"ms-DocumentCardPreview-iconContainer"},ci={root:"ms-DocumentCardActivity",multiplePeople:"ms-DocumentCardActivity--multiplePeople",details:"ms-DocumentCardActivity-details",name:"ms-DocumentCardActivity-name",activity:"ms-DocumentCardActivity-activity",avatars:"ms-DocumentCardActivity-avatars",avatar:"ms-DocumentCardActivity-avatar"},ui={root:"ms-DocumentCardTitle"},di={root:"ms-DocumentCardLocation"},pi={root:"ms-DocumentCard",rootActionable:"ms-DocumentCard--actionable",rootCompact:"ms-DocumentCard--compact"},mi=(0,I.z)(si,(function(e){var t,o,n=e.className,r=e.theme,i=e.actionable,a=e.compact,s=r.palette,l=r.fonts,c=r.effects,d=(0,u.Cn)(pi,r);return{root:[d.root,{WebkitFontSmoothing:"antialiased",backgroundColor:s.white,border:"1px solid "+s.neutralLight,maxWidth:"320px",minWidth:"206px",userSelect:"none",position:"relative",selectors:(t={":focus":{outline:"0px solid"}},t["."+de.G$+" &:focus"]=(0,u.$Y)(s.neutralSecondary,c.roundedCorner2),t["."+di.root+" + ."+ui.root]={paddingTop:"4px"},t)},i&&[d.rootActionable,{selectors:{":hover":{cursor:"pointer",borderColor:s.neutralTertiaryAlt},":hover:after":{content:'" "',position:"absolute",top:0,right:0,bottom:0,left:0,border:"1px solid "+s.neutralTertiaryAlt,pointerEvents:"none"}}}],a&&[d.rootCompact,{display:"flex",maxWidth:"480px",height:"108px",selectors:(o={},o["."+li.root]={borderRight:"1px solid "+s.neutralLight,borderBottom:0,maxHeight:"106px",maxWidth:"144px"},o["."+li.icon]={maxHeight:"32px",maxWidth:"32px"},o["."+ci.root]={paddingBottom:"12px"},o["."+ui.root]={paddingBottom:"12px 16px 8px 16px",fontSize:l.mediumPlus.fontSize,lineHeight:"16px"},o)}],n]}}),void 0,{scope:"DocumentCard"}),hi=(0,D.y)(),gi=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this,t=this.props,o=t.actions,n=t.views,r=t.styles,i=t.theme,a=t.className;return this._classNames=hi(r,{theme:i,className:a}),c.createElement("div",{className:this._classNames.root},o&&o.map((function(t,o){return c.createElement("div",{className:e._classNames.action,key:o},c.createElement(V.h,(0,l.pi)({},t)))})),n>0&&c.createElement("div",{className:this._classNames.views},c.createElement(W.J,{iconName:"View",className:this._classNames.viewsIcon}),n))},t}(c.Component),fi={root:"ms-DocumentCardActions",action:"ms-DocumentCardActions-action",views:"ms-DocumentCardActions-views"},vi=(0,I.z)(gi,(function(e){var t=e.className,o=e.theme,n=o.palette,r=o.fonts,i=(0,u.Cn)(fi,o);return{root:[i.root,{height:"34px",padding:"4px 12px",position:"relative"},t],action:[i.action,{float:"left",marginRight:"4px",color:n.neutralSecondary,cursor:"pointer",selectors:{".ms-Button":{fontSize:r.mediumPlus.fontSize,height:34,width:34},".ms-Button:hover .ms-Button-icon":{color:o.semanticColors.buttonText,cursor:"pointer"}}}],views:[i.views,{textAlign:"right",lineHeight:34}],viewsIcon:{marginRight:"8px",fontSize:r.medium.fontSize,verticalAlign:"top"}}}),void 0,{scope:"DocumentCardActions"}),bi=(0,D.y)(),yi=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.activity,o=e.people,n=e.styles,r=e.theme,i=e.className;return this._classNames=bi(n,{theme:r,className:i,multiplePeople:o.length>1}),o&&0!==o.length?c.createElement("div",{className:this._classNames.root},this._renderAvatars(o),c.createElement("div",{className:this._classNames.details},c.createElement("span",{className:this._classNames.name},this._getNameString(o)),c.createElement("span",{className:this._classNames.activity},t))):null},t.prototype._renderAvatars=function(e){return c.createElement("div",{className:this._classNames.avatars},e.length>1?this._renderAvatar(e[1]):null,this._renderAvatar(e[0]))},t.prototype._renderAvatar=function(e){return c.createElement("div",{className:this._classNames.avatar},c.createElement(_.t,{imageInitials:e.initials,text:e.name,imageUrl:e.profileImageSrc,initialsColor:e.initialsColor,allowPhoneInitials:e.allowPhoneInitials,role:"presentation",size:C.Ir.size32}))},t.prototype._getNameString=function(e){var t=e[0].name;return e.length>=2&&(t+=" +"+(e.length-1)),t},t}(c.Component),_i=(0,I.z)(yi,(function(e){var t=e.theme,o=e.className,n=e.multiplePeople,r=t.palette,i=t.fonts,a=(0,u.Cn)(ci,t);return{root:[a.root,n&&a.multiplePeople,{padding:"8px 16px",position:"relative"},o],avatars:[a.avatars,{marginLeft:"-2px",height:"32px"}],avatar:[a.avatar,{display:"inline-block",verticalAlign:"top",position:"relative",textAlign:"center",width:32,height:32,selectors:{"&:after":{content:'" "',position:"absolute",left:"-1px",top:"-1px",right:"-1px",bottom:"-1px",border:"2px solid "+r.white,borderRadius:"50%"},":nth-of-type(2)":n&&{marginLeft:"-16px"}}}],details:[a.details,{left:n?"72px":"56px",height:32,position:"absolute",top:8,width:"calc(100% - 72px)"}],name:[a.name,{display:"block",fontSize:i.small.fontSize,lineHeight:"15px",height:"15px",overflow:"hidden",textOverflow:"ellipsis",whiteSpace:"nowrap",color:r.neutralPrimary,fontWeight:u.lq.semibold}],activity:[a.activity,{display:"block",fontSize:i.small.fontSize,lineHeight:"15px",height:"15px",overflow:"hidden",textOverflow:"ellipsis",whiteSpace:"nowrap",color:r.neutralSecondary}]}}),void 0,{scope:"DocumentCardActivity"}),Ci=(0,D.y)(),Si=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.children,o=e.styles,n=e.theme,r=e.className;return this._classNames=Ci(o,{theme:n,className:r}),c.createElement("div",{className:this._classNames.root},t)},t}(c.Component),xi={root:"ms-DocumentCardDetails"},ki=(0,I.z)(Si,(function(e){var t=e.className,o=e.theme;return{root:[(0,u.Cn)(xi,o).root,{display:"flex",flexDirection:"column",flex:1,justifyContent:"space-between",overflow:"hidden"},t]}}),void 0,{scope:"DocumentCardDetails"}),wi=(0,D.y)(),Ii=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.location,o=e.locationHref,n=e.ariaLabel,r=e.onClick,i=e.styles,a=e.theme,s=e.className;return this._classNames=wi(i,{theme:a,className:s}),c.createElement("a",{className:this._classNames.root,href:o,onClick:r,"aria-label":n},t)},t}(c.Component),Di=(0,I.z)(Ii,(function(e){var t=e.theme,o=e.className,n=t.palette,r=t.fonts;return{root:[(0,u.Cn)(di,t).root,r.small,{color:n.themePrimary,display:"block",fontWeight:u.lq.semibold,overflow:"hidden",padding:"8px 16px",position:"relative",textDecoration:"none",textOverflow:"ellipsis",whiteSpace:"nowrap",selectors:{":hover":{color:n.themePrimary,cursor:"pointer"}}},o]}}),void 0,{scope:"DocumentCardLocation"}),Ti=o(4861),Ei=(0,D.y)(),Pi=function(e){function t(t){var o=e.call(this,t)||this;return o._renderPreviewList=function(e){var t=o.props,n=t.getOverflowDocumentCountText,r=t.maxDisplayCount,i=void 0===r?3:r,a=e.length-i,s=a?n?n(a):"+"+a:null,u=e.slice(0,i).map((function(e,t){return c.createElement("li",{key:t},c.createElement(Ti.E,{className:o._classNames.fileListIcon,src:e.iconSrc,role:"presentation",alt:"",width:"16px",height:"16px"}),c.createElement(O,(0,l.pi)({className:o._classNames.fileListLink},(e.linkProps,{href:e.linkProps&&e.linkProps.href||e.url})),e.name))}));return c.createElement("div",null,c.createElement("ul",{className:o._classNames.fileList},u),s&&c.createElement("span",{className:o._classNames.fileListOverflowText},s))},(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e,t,o=this.props,n=o.previewImages,r=o.styles,i=o.theme,a=o.className,s=n.length>1;return this._classNames=Ei(r,{theme:i,className:a,isFileList:s}),n.length>1?t=this._renderPreviewList(n):1===n.length&&(t=this._renderPreviewImage(n[0]),n[0].accentColor&&(e={borderBottomColor:n[0].accentColor})),c.createElement("div",{className:this._classNames.root,style:e},t)},t.prototype._renderPreviewImage=function(e){var t=e.width,o=e.height,n=e.imageFit,r=e.previewIconProps,i=e.previewIconContainerClass;if(r)return c.createElement("div",{className:(0,pt.i)(this._classNames.previewIcon,i),style:{width:t,height:o}},c.createElement(W.J,(0,l.pi)({},r)));var a,s=c.createElement(Ti.E,{width:t,height:o,imageFit:n,src:e.previewImageSrc,role:"presentation",alt:""});return e.iconSrc&&(a=c.createElement(Ti.E,{className:this._classNames.icon,src:e.iconSrc,role:"presentation",alt:""})),c.createElement("div",null,s,a)},t}(c.Component),Mi=(0,I.z)(Pi,(function(e){var t,o,n=e.theme,r=e.className,i=e.isFileList,a=n.palette,s=n.fonts,l=(0,u.Cn)(li,n);return{root:[l.root,s.small,{backgroundColor:i?a.white:a.neutralLighterAlt,borderBottom:"1px solid "+a.neutralLight,overflow:"hidden",position:"relative"},r],previewIcon:[l.iconContainer,{display:"flex",alignItems:"center",justifyContent:"center",height:"100%"}],icon:[l.icon,{left:"10px",bottom:"10px",position:"absolute"}],fileList:{padding:"16px 16px 0 16px",listStyleType:"none",margin:0,selectors:{li:{height:"16px",lineHeight:"16px",marginBottom:"8px",overflow:"hidden"}}},fileListIcon:{display:"inline-block",marginRight:"8px"},fileListLink:[(0,u.GL)(n,{highContrastStyle:{border:"1px solid WindowText",outline:"none"}}),{boxSizing:"border-box",color:a.neutralDark,overflow:"hidden",display:"inline-block",textDecoration:"none",textOverflow:"ellipsis",whiteSpace:"nowrap",width:"calc(100% - 24px)",selectors:(t={":hover":{color:a.themePrimary}},t["."+de.G$+" &:focus"]={selectors:(o={},o[u.qJ]={outline:"none"},o)},t)}],fileListOverflowText:{padding:"0px 16px 8px 16px",display:"block"}}}),void 0,{scope:"DocumentCardPreview"}),Ri=(0,D.y)(),Ni=function(e){function t(t){var o=e.call(this,t)||this;return o._onImageLoad=function(){o.setState({imageHasLoaded:!0})},(0,P.l)(o),o.state={imageHasLoaded:!1},o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.width,n=e.height,r=e.imageFit,i=e.imageSrc;return this._classNames=Ri(t,this.props),c.createElement("div",{className:this._classNames.root},i&&c.createElement(Ti.E,{width:o,height:n,imageFit:r,src:i,role:"presentation",alt:"",onLoad:this._onImageLoad}),this.state.imageHasLoaded?this._renderCornerIcon():this._renderCenterIcon())},t.prototype._renderCenterIcon=function(){var e=this.props.iconProps;return c.createElement("div",{className:this._classNames.centeredIconWrapper},c.createElement(W.J,(0,l.pi)({className:this._classNames.centeredIcon},e)))},t.prototype._renderCornerIcon=function(){var e=this.props.iconProps;return c.createElement(W.J,(0,l.pi)({className:this._classNames.cornerIcon},e))},t}(c.Component),Bi="42px",Fi="32px",Li=(0,I.z)(Ni,(function(e){var t=e.theme,o=e.className,n=e.height,r=e.width,i=t.palette;return{root:[{borderBottom:"1px solid "+i.neutralLight,position:"relative",backgroundColor:i.neutralLighterAlt,overflow:"hidden",height:n&&n+"px",width:r&&r+"px"},o],centeredIcon:[{height:Bi,width:Bi,fontSize:Bi}],centeredIconWrapper:[{display:"flex",alignItems:"center",justifyContent:"center",height:"100%",width:"100%",position:"absolute",top:0,left:0}],cornerIcon:[{left:"10px",bottom:"10px",height:Fi,width:Fi,fontSize:Fi,position:"absolute",overflow:"visible"}]}}),void 0,{scope:"DocumentCardImage"}),Ai=(0,D.y)(),zi=function(e){function t(t){var o=e.call(this,t)||this;return o._titleElement=c.createRef(),o._measureTitleElement=c.createRef(),o._truncateTitle=function(){o.state.needMeasurement&&o._async.requestAnimationFrame(o._truncateWhenInAnimation)},o._truncateWhenInAnimation=function(){var e=o.props.title,t=o._measureTitleElement.current;if(t){var n=getComputedStyle(t);if(n.width&&n.lineHeight&&n.height){var r=t.clientWidth,i=t.scrollWidth,a=Math.floor((parseInt(n.height,10)+5)/parseInt(n.lineHeight,10)),s=i/(parseInt(n.width,10)*a);if(s>1){var l=e.length/s-3;return o.setState({truncatedTitleFirstPiece:e.slice(0,l/2),truncatedTitleSecondPiece:e.slice(e.length-l/2),clientWidth:r,needMeasurement:!1})}}}return o.setState({needMeasurement:!1})},o._shrinkTitle=function(){var e=o.state,t=e.truncatedTitleFirstPiece,n=e.truncatedTitleSecondPiece;if(t&&n){var r=o._titleElement.current;if(!r)return;(r.scrollHeight>r.clientHeight+5||r.scrollWidth>r.clientWidth)&&o.setState({truncatedTitleFirstPiece:t.slice(0,t.length-1),truncatedTitleSecondPiece:n.slice(1)})}},(0,P.l)(o),o._async=new bo.e(o),o._events=new at.r(o),o.state={truncatedTitleFirstPiece:"",truncatedTitleSecondPiece:"",previousTitle:t.title,needMeasurement:!!t.shouldTruncate},o}return(0,l.ZT)(t,e),t.prototype.componentDidUpdate=function(){this.props.title!==this.state.previousTitle&&this.setState({truncatedTitleFirstPiece:void 0,truncatedTitleSecondPiece:void 0,clientWidth:void 0,previousTitle:this.props.title,needMeasurement:!!this.props.shouldTruncate}),this._events.off(window,"resize",this._updateTruncation),this.props.shouldTruncate&&(this._truncateTitle(),requestAnimationFrame(this._shrinkTitle),this._events.on(window,"resize",this._updateTruncation))},t.prototype.componentDidMount=function(){this.props.shouldTruncate&&(this._truncateTitle(),this._events.on(window,"resize",this._updateTruncation))},t.prototype.componentWillUnmount=function(){this._events.dispose(),this._async.dispose()},t.prototype.render=function(){var e=this.props,t=e.title,o=e.shouldTruncate,n=e.showAsSecondaryTitle,r=e.styles,i=e.theme,a=e.className,s=this.state,l=s.truncatedTitleFirstPiece,u=s.truncatedTitleSecondPiece,d=s.needMeasurement;return this._classNames=Ai(r,{theme:i,className:a,showAsSecondaryTitle:n}),d?c.createElement("div",{className:this._classNames.root,ref:this._measureTitleElement,title:t,style:{whiteSpace:"nowrap"}},t):o&&l&&u?c.createElement("div",{className:this._classNames.root,ref:this._titleElement,title:t},l,"…",u):c.createElement("div",{className:this._classNames.root,ref:this._titleElement,title:t},t)},t.prototype._updateTruncation=function(){var e=this;this._async.requestAnimationFrame((function(){if(e._titleElement.current){var t=e._titleElement.current.clientWidth;clearTimeout(e._titleTruncationTimer),e.state.clientWidth!==t&&(e._titleTruncationTimer=e._async.setTimeout((function(){return e.setState({truncatedTitleFirstPiece:void 0,truncatedTitleSecondPiece:void 0,needMeasurement:!0})}),250))}}))},t}(c.Component),Hi=(0,I.z)(zi,(function(e){var t=e.theme,o=e.className,n=e.showAsSecondaryTitle,r=t.palette,i=t.fonts;return{root:[(0,u.Cn)(ui,t).root,n?i.medium:i.large,{padding:"8px 16px",display:"block",overflow:"hidden",wordWrap:"break-word",height:n?"45px":"38px",lineHeight:n?"18px":"21px",color:n?r.neutralSecondary:r.neutralPrimary},o]}}),void 0,{scope:"DocumentCardTitle"}),Oi=(0,D.y)(),Wi=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.logoIcon,o=e.styles,n=e.theme,r=e.className;return this._classNames=Oi(o,{theme:n,className:r}),c.createElement("div",{className:this._classNames.root},c.createElement(W.J,{iconName:t}))},t}(c.Component),Vi={root:"ms-DocumentCardLogo"},Ki=(0,I.z)(Wi,(function(e){var t=e.theme,o=e.className,n=t.palette,r=t.fonts;return{root:[(0,u.Cn)(Vi,t).root,{fontSize:r.xxLargePlus.fontSize,color:n.themePrimary,display:"block",padding:"16px 16px 0 16px"},o]}}),void 0,{scope:"DocumentCardLogo"}),qi=(0,D.y)(),Gi=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.statusIcon,o=e.status,n=e.styles,r=e.theme,i=e.className,a={iconName:t,styles:{root:{padding:"8px"}}};return this._classNames=qi(n,{theme:r,className:i}),c.createElement("div",{className:this._classNames.root},t&&c.createElement(W.J,(0,l.pi)({},a)),o)},t}(c.Component),Ui={root:"ms-DocumentCardStatus"},ji=(0,I.z)(Gi,(function(e){var t=e.className,o=e.theme,n=o.palette,r=o.fonts;return{root:[(0,u.Cn)(Ui,o).root,r.medium,{margin:"8px 16px",color:n.neutralPrimary,backgroundColor:n.neutralLighter,height:"32px"},t]}}),void 0,{scope:"DocumentCardStatus"}),Ji=o(4004),Yi=o(8982),Zi=o(2703),Xi=o(4976);(0,Xi.RM)([{rawString:".pickerText_43ffcad1{display:-webkit-box;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;-webkit-box-align:center;-ms-flex-align:center;align-items:center;-webkit-box-sizing:border-box;box-sizing:border-box;border:1px solid "},{theme:"neutralTertiary",defaultValue:"#a19f9d"},{rawString:";min-width:180px;padding:1px;min-height:32px}.pickerText_43ffcad1:hover{border-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:"}.pickerInput_43ffcad1{height:34px;border:none;-webkit-box-flex:1;-ms-flex-positive:1;flex-grow:1;outline:0;padding:0 6px 0;margin:1px}.pickerInput_43ffcad1::-ms-clear{display:none}"}]);var Qi="pickerText_43ffcad1",$i="pickerInput_43ffcad1",ea=n,ta=function(e){function t(t){var o=e.call(this,t)||this;return o.floatingPicker=c.createRef(),o.selectedItemsList=c.createRef(),o.root=c.createRef(),o.input=c.createRef(),o.onSelectionChange=function(){o.forceUpdate()},o.onInputChange=function(e,t){t||(o.setState({queryString:e}),o.floatingPicker.current&&o.floatingPicker.current.onQueryStringChanged(e))},o.onInputFocus=function(e){o.selectedItemsList.current&&o.selectedItemsList.current.unselectAll(),o.props.inputProps&&o.props.inputProps.onFocus&&o.props.inputProps.onFocus(e)},o.onInputClick=function(e){if(o.selectedItemsList.current&&o.selectedItemsList.current.unselectAll(),o.floatingPicker.current&&o.inputElement){var t=""===o.inputElement.value||o.inputElement.value!==o.floatingPicker.current.inputText;o.floatingPicker.current.showPicker(t)}},o.onBackspace=function(e){e.which===rt.m.backspace&&o.selectedItemsList.current&&o.items.length&&(o.input.current&&!o.input.current.isValueSelected&&o.input.current.inputElement===document.activeElement&&0===o.input.current.cursorLocation?(o.floatingPicker.current&&o.floatingPicker.current.hidePicker(),e.preventDefault(),o.selectedItemsList.current.removeItemAt(o.items.length-1),o._onSelectedItemsChanged()):o.selectedItemsList.current.hasSelectedItems()&&(o.floatingPicker.current&&o.floatingPicker.current.hidePicker(),e.preventDefault(),o.selectedItemsList.current.removeSelectedItems(),o._onSelectedItemsChanged()))},o.onCopy=function(e){o.selectedItemsList.current&&o.selectedItemsList.current.onCopy(e)},o.onPaste=function(e){if(o.props.onPaste){var t=e.clipboardData.getData("Text");e.preventDefault(),o.props.onPaste(t)}},o._onSuggestionSelected=function(e){var t=o.props.currentRenderedQueryString,n=o.state.queryString;if(void 0===t||t===n){var r=o.props.onItemSelected?o.props.onItemSelected(e):e;if(null===r)return;var i,a=r,s=r;s&&s.then?s.then((function(e){i=e,o._addProcessedItem(i)})):(i=a,o._addProcessedItem(i))}},o._onSelectedItemsChanged=function(){o.focus()},o._onSuggestionsShownOrHidden=function(){o.forceUpdate()},(0,P.l)(o),o.selection=new nn.Y({onSelectionChanged:function(){return o.onSelectionChange()}}),o.state={queryString:""},o}return(0,l.ZT)(t,e),Object.defineProperty(t.prototype,"items",{get:function(){var e,t,o,n;return null!=(n=null!=(o=null!=(e=this.props.selectedItems)?e:null===(t=this.selectedItemsList.current)||void 0===t?void 0:t.items)?o:this.props.defaultSelectedItems)?n:null},enumerable:!0,configurable:!0}),t.prototype.componentDidMount=function(){this.forceUpdate()},t.prototype.focus=function(){this.input.current&&this.input.current.focus()},t.prototype.clearInput=function(){this.input.current&&this.input.current.clear()},Object.defineProperty(t.prototype,"inputElement",{get:function(){return this.input.current&&this.input.current.inputElement},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"highlightedItems",{get:function(){return this.selectedItemsList.current?this.selectedItemsList.current.highlightedItems():[]},enumerable:!0,configurable:!0}),t.prototype.render=function(){var e=this.props,t=e.className,o=e.inputProps,n=e.disabled,r=e.focusZoneProps,i=this.floatingPicker.current&&-1!==this.floatingPicker.current.currentSelectedSuggestionIndex?"sug-"+this.floatingPicker.current.currentSelectedSuggestionIndex:void 0,a=!!this.floatingPicker.current&&this.floatingPicker.current.isSuggestionsShown;return c.createElement("div",{ref:this.root,className:(0,pt.i)("ms-BasePicker ms-BaseExtendedPicker",t||""),onKeyDown:this.onBackspace,onCopy:this.onCopy},c.createElement(M.k,(0,l.pi)({direction:R.U.bidirectional},r),c.createElement(rn.i,{selection:this.selection,selectionMode:on.oW.multiple},c.createElement("div",{className:(0,pt.i)("ms-BasePicker-text",ea.pickerText),role:"list"},this.props.headerComponent,this.renderSelectedItemsList(),this.canAddItems()&&c.createElement(x.G,(0,l.pi)({},o,{className:(0,pt.i)("ms-BasePicker-input",ea.pickerInput),ref:this.input,onFocus:this.onInputFocus,onClick:this.onInputClick,onInputValueChange:this.onInputChange,"aria-activedescendant":i,"aria-owns":a?"suggestion-list":void 0,"aria-expanded":a,"aria-haspopup":"true",role:"combobox",disabled:n,onPaste:this.onPaste}))))),this.renderFloatingPicker())},Object.defineProperty(t.prototype,"floatingPickerProps",{get:function(){return this.props.floatingPickerProps},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"selectedItemsListProps",{get:function(){return this.props.selectedItemsListProps},enumerable:!0,configurable:!0}),t.prototype.canAddItems=function(){var e=this.props.itemLimit;return void 0===e||this.items.length0,p=d?r:r.slice(0,u),m=(d?i:r.slice(u))||[];return c.createElement("div",{className:l.root},this.onRenderAriaDescription(),c.createElement("div",{className:l.itemContainer},a?this._getAddNewElement():null,c.createElement("ul",{className:l.members,"aria-label":s},this._onRenderVisiblePersonas(p,0===m.length&&1===r.length)),e?this._getOverflowElement(m):null))},t.prototype.onRenderAriaDescription=function(){var e=this.props.ariaDescription,t=this._classNames;return e&&c.createElement("span",{className:t.screenReaderOnly,id:this._ariaDescriptionId},e)},t.prototype._onRenderVisiblePersonas=function(e,t){var o=this,n=this.props,r=n.onRenderPersona,i=void 0===r?this._getPersonaControl:r,a=n.onRenderPersonaCoin,s=void 0===a?this._getPersonaCoinControl:a;return e.map((function(e,n){var r=t?i(e,o._getPersonaControl):s(e,o._getPersonaCoinControl);return c.createElement("li",{key:(t?"persona":"personaCoin")+"-"+n,className:o._classNames.member},e.onClick?o._getElementWithOnClickEvent(r,e,n):o._getElementWithoutOnClickEvent(r,e,n))}))},t.prototype._getElementWithOnClickEvent=function(e,t,o){var n=t.keytipProps;return c.createElement(ca,(0,l.pi)({},(0,E.pq)(t,E.Yq),this._getElementProps(t,o),{keytipProps:n,onClick:this._onPersonaClick.bind(this,t)}),e)},t.prototype._getElementWithoutOnClickEvent=function(e,t,o){return c.createElement("div",(0,l.pi)({},(0,E.pq)(t,E.Yq),this._getElementProps(t,o)),e)},t.prototype._getElementProps=function(e,t){var o=this._classNames;return{key:(e.imageUrl?"i":"")+t,"data-is-focusable":!0,className:o.itemButton,title:e.personaName,onMouseMove:this._onPersonaMouseMove.bind(this,e),onMouseOut:this._onPersonaMouseOut.bind(this,e)}},t.prototype._getOverflowElement=function(e){switch(this.props.overflowButtonType){case oa.descriptive:return this._getDescriptiveOverflowElement(e);case oa.downArrow:return this._getIconElement("ChevronDown");case oa.more:return this._getIconElement("More");default:return null}},t.prototype._getDescriptiveOverflowElement=function(e){var t=this.props.personaSize;if(!e||e.length<1)return null;var o=e.map((function(e){return e.personaName})).join(", "),n=(0,l.pi)({title:o},this.props.overflowButtonProps),r=Math.max(e.length,0),i=this._classNames;return c.createElement(ca,(0,l.pi)({},n,{ariaDescription:n.title,className:i.descriptiveOverflowButton}),c.createElement(_.t,{size:t,onRenderInitials:this._renderInitialsNotPictured(r),initialsColor:C.z5.transparent}))},t.prototype._getIconElement=function(e){var t=this.props,o=t.overflowButtonProps,n=t.personaSize,r=this._classNames;return c.createElement(ca,(0,l.pi)({},o,{className:r.overflowButton}),c.createElement(_.t,{size:n,onRenderInitials:this._renderInitials(e,!0),initialsColor:C.z5.transparent}))},t.prototype._getAddNewElement=function(){var e=this.props,t=e.addButtonProps,o=e.personaSize,n=this._classNames;return c.createElement(ca,(0,l.pi)({},t,{className:n.addButton}),c.createElement(_.t,{size:o,onRenderInitials:this._renderInitials("AddFriend")}))},t.prototype._onPersonaClick=function(e,t){e.onClick(t,e),t.preventDefault(),t.stopPropagation()},t.prototype._onPersonaMouseMove=function(e,t){e.onMouseMove&&e.onMouseMove(t,e)},t.prototype._onPersonaMouseOut=function(e,t){e.onMouseOut&&e.onMouseOut(t,e)},t.prototype._renderInitials=function(e,t){var o=this._classNames;return function(){return c.createElement(W.J,{iconName:e,className:t?o.overflowInitialsIcon:""})}},t.prototype._renderInitialsNotPictured=function(e){var t=this._classNames;return function(){return c.createElement("span",{className:t.overflowInitialsIcon},e<100?"+"+e:"99+")}},t.defaultProps={maxDisplayablePersonas:5,personas:[],overflowPersonas:[],personaSize:C.Ir.size32},t}(c.Component),ma={root:"ms-Facepile",addButton:"ms-Facepile-addButton ms-Facepile-itemButton",descriptiveOverflowButton:"ms-Facepile-descriptiveOverflowButton ms-Facepile-itemButton",itemButton:"ms-Facepile-itemButton ms-Facepile-person",itemContainer:"ms-Facepile-itemContainer",members:"ms-Facepile-members",member:"ms-Facepile-member",overflowButton:"ms-Facepile-overflowButton ms-Facepile-itemButton"},ha=(0,I.z)(pa,(function(e){var t,o=e.className,n=e.theme,r=e.spacingAroundItemButton,i=void 0===r?2:r,a=n.palette,s=n.fonts,l=(0,u.Cn)(ma,n),c={textAlign:"center",padding:0,borderRadius:"50%",verticalAlign:"top",display:"inline",backgroundColor:"transparent",border:"none",selectors:{"&::-moz-focus-inner":{padding:0,border:0}}};return{root:[l.root,n.fonts.medium,{width:"auto"},o],addButton:[l.addButton,(0,u.GL)(n,{inset:-1}),c,{fontSize:s.medium.fontSize,color:a.white,backgroundColor:a.themePrimary,marginRight:2*i+"px",selectors:{"&:hover":{backgroundColor:a.themeDark},"&:focus":{backgroundColor:a.themeDark},"&:active":{backgroundColor:a.themeDarker},"&:disabled":{backgroundColor:a.neutralTertiaryAlt}}}],descriptiveOverflowButton:[l.descriptiveOverflowButton,(0,u.GL)(n,{inset:-1}),c,{fontSize:s.small.fontSize,color:a.neutralSecondary,backgroundColor:a.neutralLighter,marginLeft:2*i+"px"}],itemButton:[l.itemButton,c],itemContainer:[l.itemContainer,{display:"flex"}],members:[l.members,{display:"flex",overflow:"hidden",listStyleType:"none",padding:0,margin:"-"+i+"px"}],member:[l.member,{display:"inline-flex",flex:"0 0 auto",margin:i+"px"}],overflowButton:[l.overflowButton,(0,u.GL)(n,{inset:-1}),c,{fontSize:s.medium.fontSize,color:a.neutralSecondary,backgroundColor:a.neutralLighter,marginLeft:2*i+"px"}],overflowInitialsIcon:[{color:a.neutralPrimary,selectors:(t={},t[u.qJ]={color:"WindowText"},t)}],screenReaderOnly:u.ul}}),void 0,{scope:"Facepile"});(0,Xi.RM)([{rawString:".callout_467cd672 .ms-Suggestions-itemButton{padding:0;border:none}.callout_467cd672 .ms-Suggestions{min-width:300px}"}]);var ga="callout_467cd672",fa=o(7420);(0,Xi.RM)([{rawString:".suggestionsContainer_98495a3a{overflow-y:auto;overflow-x:hidden;max-height:300px}.suggestionsContainer_98495a3a .ms-Suggestion-item:hover{background-color:"},{theme:"neutralLighter",defaultValue:"#f3f2f1"},{rawString:";cursor:pointer}.suggestionsContainer_98495a3a .is-suggested{background-color:"},{theme:"themeLighter",defaultValue:"#deecf9"},{rawString:"}.suggestionsContainer_98495a3a .is-suggested:hover{background-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:";cursor:pointer}"}]);var va="suggestionsContainer_98495a3a",ba=i,ya=function(e){function t(t){var o=e.call(this,t)||this;return o._selectedElement=c.createRef(),o.SuggestionsItemOfProperType=fa.S,o._onClickTypedSuggestionsItem=function(e,t){return function(n){o.props.onSuggestionClick(n,e,t)}},o._onRemoveTypedSuggestionsItem=function(e,t){return function(n){(0,o.props.onSuggestionRemove)(n,e,t),n.stopPropagation()}},(0,P.l)(o),o.currentIndex=-1,o}return(0,l.ZT)(t,e),t.prototype.nextSuggestion=function(){var e=this.props.suggestions;if(e&&e.length>0){if(-1===this.currentIndex)return this.setSelectedSuggestion(0),!0;if(this.currentIndex0){if(-1===this.currentIndex)return this.setSelectedSuggestion(e.length-1),!0;if(this.currentIndex>0)return this.setSelectedSuggestion(this.currentIndex-1),!0;if(this.props.shouldLoopSelection&&0===this.currentIndex)return this.setSelectedSuggestion(e.length-1),!0}return!1},Object.defineProperty(t.prototype,"selectedElement",{get:function(){return this._selectedElement.current||void 0},enumerable:!0,configurable:!0}),t.prototype.getCurrentItem=function(){return this.props.suggestions[this.currentIndex]},t.prototype.getSuggestionAtIndex=function(e){return this.props.suggestions[e]},t.prototype.hasSuggestionSelected=function(){return-1!==this.currentIndex&&this.currentIndex-1&&this.props.suggestions[this.currentIndex]&&(this.props.suggestions[this.currentIndex].selected=!1,this.currentIndex=-1,this.forceUpdate())},t.prototype.setSelectedSuggestion=function(e){var t=this.props.suggestions;e>t.length-1||e<0?(this.currentIndex=0,this.currentSuggestion.selected=!1,this.currentSuggestion=t[0],this.currentSuggestion.selected=!0):(this.currentIndex>-1&&t[this.currentIndex]&&(t[this.currentIndex].selected=!1),t[e].selected=!0,this.currentIndex=e,this.currentSuggestion=t[e]),this.forceUpdate()},t.prototype.componentDidUpdate=function(){this.scrollSelected()},t.prototype.render=function(){var e=this,t=this.props,o=t.onRenderSuggestion,n=t.suggestionsItemClassName,r=t.resultsMaximumNumber,i=t.showRemoveButtons,a=t.suggestionsContainerAriaLabel,s=this.SuggestionsItemOfProperType,l=this.props.suggestions;return r&&(l=l.slice(0,r)),c.createElement("div",{className:(0,pt.i)("ms-Suggestions-container",ba.suggestionsContainer),id:"suggestion-list",role:"list","aria-label":a},l.map((function(t,r){return c.createElement("div",{ref:t.selected||r===e.currentIndex?e._selectedElement:void 0,key:t.item.key?t.item.key:r,id:"sug-"+r,role:"listitem","aria-label":t.ariaLabel},c.createElement(s,{id:"sug-item"+r,suggestionModel:t,RenderSuggestion:o,onClick:e._onClickTypedSuggestionsItem(t.item,r),className:n,showRemoveButton:i,onRemoveItem:e._onRemoveTypedSuggestionsItem(t.item,r),isSelectedOverride:r===e.currentIndex}))})))},t.prototype.scrollSelected=function(){var e;void 0!==(null===(e=this._selectedElement.current)||void 0===e?void 0:e.scrollIntoView)&&this._selectedElement.current.scrollIntoView(!1)},t}(c.Component);(0,Xi.RM)([{rawString:".root_6d187696{min-width:260px}.actionButton_6d187696{background:0 0;background-color:transparent;border:0;cursor:pointer;margin:0;padding:0;position:relative;width:100%;font-size:12px}html[dir=ltr] .actionButton_6d187696{text-align:left}html[dir=rtl] .actionButton_6d187696{text-align:right}.actionButton_6d187696:hover{background-color:"},{theme:"neutralLighter",defaultValue:"#f3f2f1"},{rawString:";cursor:pointer}.actionButton_6d187696:active,.actionButton_6d187696:focus{background-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:"}.actionButton_6d187696 .ms-Button-icon{font-size:16px;width:25px}.actionButton_6d187696 .ms-Button-label{margin:0 4px 0 9px}html[dir=rtl] .actionButton_6d187696 .ms-Button-label{margin:0 9px 0 4px}.buttonSelected_6d187696{background-color:"},{theme:"themeLighter",defaultValue:"#deecf9"},{rawString:"}.buttonSelected_6d187696:hover{background-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:";cursor:pointer}@media screen and (-ms-high-contrast:active){.buttonSelected_6d187696:hover{background-color:Highlight;color:HighlightText}}@media screen and (-ms-high-contrast:active){.buttonSelected_6d187696{background-color:Highlight;color:HighlightText;-ms-high-contrast-adjust:none}}.suggestionsTitle_6d187696{font-size:12px}.suggestionsSpinner_6d187696{margin:5px 0;white-space:nowrap;line-height:20px;font-size:12px}html[dir=ltr] .suggestionsSpinner_6d187696{padding-left:14px}html[dir=rtl] .suggestionsSpinner_6d187696{padding-right:14px}html[dir=ltr] .suggestionsSpinner_6d187696{text-align:left}html[dir=rtl] .suggestionsSpinner_6d187696{text-align:right}.suggestionsSpinner_6d187696 .ms-Spinner-circle{display:inline-block;vertical-align:middle}.suggestionsSpinner_6d187696 .ms-Spinner-label{display:inline-block;margin:0 10px 0 16px;vertical-align:middle}html[dir=rtl] .suggestionsSpinner_6d187696 .ms-Spinner-label{margin:0 16px 0 10px}.itemButton_6d187696{height:100%;width:100%;padding:7px 12px}@media screen and (-ms-high-contrast:active){.itemButton_6d187696{color:WindowText}}.screenReaderOnly_6d187696{position:absolute;width:1px;height:1px;padding:0;margin:-1px;overflow:hidden;clip:rect(0,0,0,0);border:0}"}]);var _a,Ca="root_6d187696",Sa="actionButton_6d187696",xa="buttonSelected_6d187696",ka="suggestionsTitle_6d187696",wa="suggestionsSpinner_6d187696",Ia="itemButton_6d187696",Da="screenReaderOnly_6d187696",Ta=a;!function(e){e[e.header=0]="header",e[e.suggestion=1]="suggestion",e[e.footer=2]="footer"}(_a||(_a={}));var Ea=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e,t=this.props,o=t.renderItem,n=t.onExecute,r=t.isSelected,i=t.id,a=t.className;return n?c.createElement("div",{id:i,onClick:n,className:(0,pt.i)("ms-Suggestions-sectionButton",a,Ta.actionButton,(e={},e["is-selected "+Ta.buttonSelected]=r,e))},o()):c.createElement("div",{id:i,className:(0,pt.i)("ms-Suggestions-section",a,Ta.suggestionsTitle)},o())},t}(c.Component),Pa=function(e){function t(t){var o=e.call(this,t)||this;return o._selectedElement=c.createRef(),o._suggestions=c.createRef(),o.SuggestionsOfProperType=ya,(0,P.l)(o),o.state={selectedHeaderIndex:-1,selectedFooterIndex:-1,suggestions:t.suggestions},o}return(0,l.ZT)(t,e),t.prototype.componentDidMount=function(){this.resetSelectedItem()},t.prototype.componentDidUpdate=function(e){var t=this;this.scrollSelected(),e.suggestions&&e.suggestions!==this.props.suggestions&&this.setState({suggestions:this.props.suggestions},(function(){t.resetSelectedItem()}))},t.prototype.componentWillUnmount=function(){var e;null===(e=this._suggestions.current)||void 0===e||e.deselectAllSuggestions()},t.prototype.render=function(){var e=this.props,t=e.className,o=e.headerItemsProps,n=e.footerItemsProps,r=e.suggestionsAvailableAlertText,i=(0,u.y0)(u.ul),a=this.state.suggestions&&this.state.suggestions.length>0&&r;return c.createElement("div",{className:(0,pt.i)("ms-Suggestions",t||"",Ta.root)},o&&this.renderHeaderItems(),this._renderSuggestions(),n&&this.renderFooterItems(),a?c.createElement("span",{role:"alert","aria-live":"polite",className:i},r):null)},Object.defineProperty(t.prototype,"currentSuggestion",{get:function(){var e;return(null===(e=this._suggestions.current)||void 0===e?void 0:e.getCurrentItem())||void 0},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"currentSuggestionIndex",{get:function(){return this._suggestions.current?this._suggestions.current.currentIndex:-1},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"selectedElement",{get:function(){var e;return this._selectedElement.current?this._selectedElement.current:null===(e=this._suggestions.current)||void 0===e?void 0:e.selectedElement},enumerable:!0,configurable:!0}),t.prototype.hasSuggestionSelected=function(){var e;return(null===(e=this._suggestions.current)||void 0===e?void 0:e.hasSuggestionSelected())||!1},t.prototype.hasSelection=function(){var e=this.state,t=e.selectedHeaderIndex,o=e.selectedFooterIndex;return-1!==t||this.hasSuggestionSelected()||-1!==o},t.prototype.executeSelectedAction=function(){var e,t=this.props,o=t.headerItemsProps,n=t.footerItemsProps,r=this.state,i=r.selectedHeaderIndex,a=r.selectedFooterIndex;if(o&&-1!==i&&it+1)return null===(o=this._suggestions.current)||void 0===o||o.setSelectedSuggestion(t+1),this.setState({selectedHeaderIndex:-1,selectedFooterIndex:-1}),!0}else{var r=e===_a.header,i=r?this.props.headerItemsProps:this.props.footerItemsProps;if(i&&i.length>t+1)for(var a=t+1;a0)return null===(o=this._suggestions.current)||void 0===o||o.setSelectedSuggestion(r-1),this.setState({selectedHeaderIndex:-1,selectedFooterIndex:-1}),!0}else{var r,i=e===_a.header,a=i?this.props.headerItemsProps:this.props.footerItemsProps;if(a&&(r=void 0!==t?t:a.length)>0)for(var s=r-1;s>=0;s--){var l=a[s];if(l.onExecute&&l.shouldShow())return this.setState({selectedHeaderIndex:i?s:-1}),this.setState({selectedFooterIndex:i?-1:s}),null===(n=this._suggestions.current)||void 0===n||n.deselectAllSuggestions(),!0}}return!1},t.prototype._getCurrentIndexForType=function(e){switch(e){case _a.header:return this.state.selectedHeaderIndex;case _a.suggestion:return this._suggestions.current.currentIndex;case _a.footer:return this.state.selectedFooterIndex}},t.prototype._getNextItemSectionType=function(e){switch(e){case _a.header:return _a.suggestion;case _a.suggestion:return _a.footer;case _a.footer:return _a.header}},t.prototype._getPreviousItemSectionType=function(e){switch(e){case _a.header:return _a.footer;case _a.suggestion:return _a.header;case _a.footer:return _a.suggestion}},t}(c.Component),Ma=r,Ra=function(e){function t(t){var o=e.call(this,t)||this;return o.root=c.createRef(),o.suggestionsControl=c.createRef(),o.SuggestionsControlOfProperType=Pa,o.isComponentMounted=!1,o.onQueryStringChanged=function(e){e!==o.state.queryString&&(o.setState({queryString:e}),o.props.onInputChanged&&o.props.onInputChanged(e),o.updateValue(e))},o.hidePicker=function(){var e=o.isSuggestionsShown;o.setState({suggestionsVisible:!1}),o.props.onSuggestionsHidden&&e&&o.props.onSuggestionsHidden()},o.showPicker=function(e){void 0===e&&(e=!1);var t=o.isSuggestionsShown;o.setState({suggestionsVisible:!0});var n=o.props.inputElement?o.props.inputElement.value:"";e&&o.updateValue(n),o.props.onSuggestionsShown&&!t&&o.props.onSuggestionsShown()},o.completeSuggestion=function(){o.suggestionsControl.current&&o.suggestionsControl.current.hasSuggestionSelected()&&o.onChange(o.suggestionsControl.current.currentSuggestion.item)},o.onSuggestionClick=function(e,t,n){o.onChange(t),o._updateSuggestionsVisible(!1)},o.onSuggestionRemove=function(e,t,n){o.props.onRemoveSuggestion&&o.props.onRemoveSuggestion(t),o.suggestionsControl.current&&o.suggestionsControl.current.removeSuggestion(n)},o.onKeyDown=function(e){if(o.state.suggestionsVisible&&(!o.props.inputElement||o.props.inputElement.contains(e.target))){var t=e.which;switch(t){case rt.m.escape:o.hidePicker(),e.preventDefault(),e.stopPropagation();break;case rt.m.tab:case rt.m.enter:!e.shiftKey&&!e.ctrlKey&&o.suggestionsControl.current&&o.suggestionsControl.current.handleKeyDown(t)?(e.preventDefault(),e.stopPropagation()):o._onValidateInput();break;case rt.m.del:o.props.onRemoveSuggestion&&o.suggestionsControl.current&&o.suggestionsControl.current.hasSuggestionSelected&&o.suggestionsControl.current.currentSuggestion&&e.shiftKey&&(o.props.onRemoveSuggestion(o.suggestionsControl.current.currentSuggestion.item),o.suggestionsControl.current.removeSuggestion(),o.forceUpdate(),e.stopPropagation());break;case rt.m.up:case rt.m.down:o.suggestionsControl.current&&o.suggestionsControl.current.handleKeyDown(t)&&(e.preventDefault(),e.stopPropagation(),o._updateActiveDescendant())}}},o._onValidateInput=function(){if(o.state.queryString&&o.props.onValidateInput&&o.props.createGenericItem){var e=o.props.createGenericItem(o.state.queryString,o.props.onValidateInput(o.state.queryString)),t=o.suggestionStore.convertSuggestionsToSuggestionItems([e]);o.onChange(t[0].item)}},o._async=new bo.e(o),(0,P.l)(o),o.suggestionStore=t.suggestionsStore,o.state={queryString:"",didBind:!1},o}return(0,l.ZT)(t,e),Object.defineProperty(t.prototype,"inputText",{get:function(){return this.state.queryString},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"suggestions",{get:function(){return this.suggestionStore.suggestions},enumerable:!0,configurable:!0}),t.prototype.forceResolveSuggestion=function(){this.suggestionsControl.current&&this.suggestionsControl.current.hasSuggestionSelected()?this.completeSuggestion():this._onValidateInput()},Object.defineProperty(t.prototype,"currentSelectedSuggestionIndex",{get:function(){return this.suggestionsControl.current?this.suggestionsControl.current.currentSuggestionIndex:-1},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"isSuggestionsShown",{get:function(){return void 0!==this.state.suggestionsVisible&&this.state.suggestionsVisible},enumerable:!0,configurable:!0}),t.prototype.componentDidMount=function(){this._bindToInputElement(),this.isComponentMounted=!0,this._onResolveSuggestions=this._async.debounce(this._onResolveSuggestions,this.props.resolveDelay)},t.prototype.componentDidUpdate=function(){this._bindToInputElement()},t.prototype.componentWillUnmount=function(){this._unbindFromInputElement(),this.isComponentMounted=!1},t.prototype.updateSuggestions=function(e,t){void 0===t&&(t=!1),this.suggestionStore.updateSuggestions(e),t&&this.forceUpdate()},t.prototype.render=function(){var e=this.props.className;return c.createElement("div",{ref:this.root,className:(0,pt.i)("ms-BasePicker ms-BaseFloatingPicker",e||"")},this.renderSuggestions())},t.prototype.renderSuggestions=function(){var e=this.SuggestionsControlOfProperType;return this.props.suggestionItems&&this.suggestionStore.updateSuggestions(this.props.suggestionItems),this.state.suggestionsVisible?c.createElement(Ae.U,(0,l.pi)({className:Ma.callout,isBeakVisible:!1,gapSpace:5,target:this.props.inputElement,onDismiss:this.hidePicker,directionalHint:K.b.bottomLeftEdge,directionalHintForRTL:K.b.bottomRightEdge,calloutWidth:this.props.calloutWidth?this.props.calloutWidth:0},this.props.pickerCalloutProps),c.createElement(e,(0,l.pi)({onRenderSuggestion:this.props.onRenderSuggestionsItem,onSuggestionClick:this.onSuggestionClick,onSuggestionRemove:this.onSuggestionRemove,suggestions:this.suggestionStore.getSuggestions(),componentRef:this.suggestionsControl,completeSuggestion:this.completeSuggestion,shouldLoopSelection:!1},this.props.pickerSuggestionsProps))):null},t.prototype.onSelectionChange=function(){this.forceUpdate()},t.prototype.updateValue=function(e){""===e?this.updateSuggestionWithZeroState():this._onResolveSuggestions(e)},t.prototype.updateSuggestionWithZeroState=function(){if(this.props.onZeroQuerySuggestion){var e=(0,this.props.onZeroQuerySuggestion)(this.props.selectedItems);this.updateSuggestionsList(e)}else this.hidePicker()},t.prototype.updateSuggestionsList=function(e){var t=this,o=e,n=e;if(Array.isArray(o))this.updateSuggestions(o,!0);else if(n&&n.then){var r=this.currentPromise=n;r.then((function(e){r===t.currentPromise&&t.isComponentMounted&&t.updateSuggestions(e,!0)}))}},t.prototype.onChange=function(e){this.props.onChange&&this.props.onChange(e)},t.prototype._updateActiveDescendant=function(){if(this.props.inputElement&&this.suggestionsControl.current&&this.suggestionsControl.current.selectedElement){var e=this.suggestionsControl.current.selectedElement.getAttribute("id");e&&this.props.inputElement.setAttribute("aria-activedescendant",e)}},t.prototype._onResolveSuggestions=function(e){var t=this.props.onResolveSuggestions(e,this.props.selectedItems);this._updateSuggestionsVisible(!0),null!==t&&this.updateSuggestionsList(t)},t.prototype._updateSuggestionsVisible=function(e){e?this.showPicker():this.hidePicker()},t.prototype._bindToInputElement=function(){this.props.inputElement&&!this.state.didBind&&(this.props.inputElement.addEventListener("keydown",this.onKeyDown),this.setState({didBind:!0}))},t.prototype._unbindFromInputElement=function(){this.props.inputElement&&this.state.didBind&&(this.props.inputElement.removeEventListener("keydown",this.onKeyDown),this.setState({didBind:!1}))},t}(c.Component),Na=o(6104);(0,Xi.RM)([{rawString:".resultContent_9816a275{display:table-row}.resultContent_9816a275 .resultItem_9816a275{display:table-cell;vertical-align:bottom}.peoplePickerPersona_9816a275{width:180px}.peoplePickerPersona_9816a275 .ms-Persona-details{width:100%}.peoplePicker_9816a275 .ms-BasePicker-text{min-height:40px}.peoplePickerPersonaContent_9816a275{display:-webkit-box;display:-ms-flexbox;display:flex;width:100%;-webkit-box-pack:justify;-ms-flex-pack:justify;justify-content:space-between;-webkit-box-align:center;-ms-flex-align:center;align-items:center;padding:7px 12px}"}]);var Ba=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,l.ZT)(t,e),t}(Ra),Fa=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,l.ZT)(t,e),t.defaultProps={onRenderSuggestionsItem:function(e,t){return o=(0,l.pi)({},e),(0,l.pi)({},t),c.createElement("div",{className:(0,pt.i)("ms-PeoplePicker-personaContent","peoplePickerPersonaContent_9816a275")},c.createElement(ua.I,(0,l.pi)({presence:void 0!==o.presence?o.presence:C.H_.none,size:C.Ir.size40,className:(0,pt.i)("ms-PeoplePicker-Persona","peoplePickerPersona_9816a275"),showSecondaryText:!0},o)));var o},createGenericItem:La},t}(Ba);function La(e,t){var o={key:e,primaryText:e,imageInitials:"!",isValid:t};return t||(o.imageInitials=(0,Na.Q)(e,(0,T.zg)())),o}var Aa=function(){function e(e){var t=this;this._isSuggestionModel=function(e){return void 0!==e.item},this._ensureSuggestionModel=function(e){return t._isSuggestionModel(e)?e:{item:e,selected:!1,ariaLabel:void 0!==t.getAriaLabel?t.getAriaLabel(e):e.name||e.text||e.primaryText}},this.suggestions=[],this.getAriaLabel=e&&e.getAriaLabel}return e.prototype.updateSuggestions=function(e){e&&e.length>0?this.suggestions=this.convertSuggestionsToSuggestionItems(e):this.suggestions=[]},e.prototype.getSuggestions=function(){return this.suggestions},e.prototype.getSuggestionAtIndex=function(e){return this.suggestions[e]},e.prototype.removeSuggestion=function(e){this.suggestions.splice(e,1)},e.prototype.convertSuggestionsToSuggestionItems=function(e){return Array.isArray(e)?e.map(this._ensureSuggestionModel):[]},e}(),za=o(6316);(0,za.x)("@fluentui/react-focus","8.0.4");var Ha,Oa,Wa={host:"ms-HoverCard-host"};!function(e){e[e.hover=0]="hover",e[e.hotKey=1]="hotKey"}(Ha||(Ha={})),function(e){e.plain="PlainCard",e.expanding="ExpandingCard"}(Oa||(Oa={}));var Va,Ka={root:"ms-ExpandingCard-root",compactCard:"ms-ExpandingCard-compactCard",expandedCard:"ms-ExpandingCard-expandedCard",expandedCardScroll:"ms-ExpandingCard-expandedCardScrollRegion"};!function(e){e[e.compact=0]="compact",e[e.expanded=1]="expanded"}(Va||(Va={}));var qa=function(e){var t=e.gapSpace,o=void 0===t?0:t,n=e.directionalHint,r=void 0===n?K.b.bottomLeftEdge:n,i=e.directionalHintFixed,a=e.targetElement,s=e.firstFocus,u=e.trapFocus,d=e.onLeave,p=e.className,m=e.finalHeight,h=e.content,g=e.calloutProps,f=(0,l.pi)((0,l.pi)((0,l.pi)({},(0,E.pq)(e,E.n7)),{className:p,target:a,isBeakVisible:!1,directionalHint:r,directionalHintFixed:i,finalHeight:m,minPagePadding:24,onDismiss:d,gapSpace:o}),g);return c.createElement(c.Fragment,null,u?c.createElement(We,(0,l.pi)({},f,{focusTrapProps:{forceFocusInsideTrap:!1,isClickableOutsideFocusTrap:!0,disableFirstFocus:!s}}),h):c.createElement(Ae.U,(0,l.pi)({},f),h))},Ga=(0,D.y)(),Ua=function(e){function t(t){var o=e.call(this,t)||this;return o._expandedElem=c.createRef(),o._onKeyDown=function(e){e.which===rt.m.escape&&o.props.onLeave&&o.props.onLeave(e)},o._onRenderCompactCard=function(){return c.createElement("div",{className:o._classNames.compactCard},o.props.onRenderCompactCard(o.props.renderData))},o._onRenderExpandedCard=function(){return!o.state.firstFrameRendered&&o._async.requestAnimationFrame((function(){o.setState({firstFrameRendered:!0})})),c.createElement("div",{className:o._classNames.expandedCard,ref:o._expandedElem},c.createElement("div",{className:o._classNames.expandedCardScroll},o.props.onRenderExpandedCard&&o.props.onRenderExpandedCard(o.props.renderData)))},o._checkNeedsScroll=function(){var e=o.props.expandedCardHeight;o._async.requestAnimationFrame((function(){o._expandedElem.current&&o._expandedElem.current.scrollHeight>=e&&o.setState({needsScroll:!0})}))},o._async=new bo.e(o),(0,P.l)(o),o.state={firstFrameRendered:!1,needsScroll:!1},o}return(0,l.ZT)(t,e),t.prototype.componentDidMount=function(){this._checkNeedsScroll()},t.prototype.componentWillUnmount=function(){this._async.dispose()},t.prototype.render=function(){var e=this.props,t=e.styles,o=e.compactCardHeight,n=e.expandedCardHeight,r=e.theme,i=e.mode,a=e.className,s=this.state,u=s.needsScroll,d=s.firstFrameRendered,p=o+n;this._classNames=Ga(t,{theme:r,compactCardHeight:o,className:a,expandedCardHeight:n,needsScroll:u,expandedCardFirstFrameRendered:i===Va.expanded&&d});var m=c.createElement("div",{onMouseEnter:this.props.onEnter,onMouseLeave:this.props.onLeave,onKeyDown:this._onKeyDown},this._onRenderCompactCard(),this._onRenderExpandedCard());return c.createElement(qa,(0,l.pi)({},this.props,{content:m,finalHeight:p,className:this._classNames.root}))},t.defaultProps={compactCardHeight:156,expandedCardHeight:384,directionalHintFixed:!0},t}(c.Component),ja=(0,I.z)(Ua,(function(e){var t,o=e.theme,n=e.needsScroll,r=e.expandedCardFirstFrameRendered,i=e.compactCardHeight,a=e.expandedCardHeight,s=e.className,l=o.palette,c=(0,u.Cn)(Ka,o);return{root:[c.root,{width:320,pointerEvents:"none",selectors:(t={},t[u.qJ]={border:"1px solid WindowText"},t)},s],compactCard:[c.compactCard,{pointerEvents:"auto",position:"relative",height:i}],expandedCard:[c.expandedCard,{height:1,overflowY:"hidden",pointerEvents:"auto",transition:"height 0.467s cubic-bezier(0.5, 0, 0, 1)",selectors:{":before":{content:'""',position:"relative",display:"block",top:0,left:24,width:272,height:1,backgroundColor:l.neutralLighter}}},r&&{height:a}],expandedCardScroll:[c.expandedCardScroll,n&&{height:"100%",boxSizing:"border-box",overflowY:"auto"}]}}),void 0,{scope:"ExpandingCard"}),Ja={root:"ms-PlainCard-root"},Ya=(0,D.y)(),Za=function(e){function t(t){var o=e.call(this,t)||this;return o._onKeyDown=function(e){e.which===rt.m.escape&&o.props.onLeave&&o.props.onLeave(e)},(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.theme,n=e.className;this._classNames=Ya(t,{theme:o,className:n});var r=c.createElement("div",{onMouseEnter:this.props.onEnter,onMouseLeave:this.props.onLeave,onKeyDown:this._onKeyDown},this.props.onRenderPlainCard(this.props.renderData));return c.createElement(qa,(0,l.pi)({},this.props,{content:r,className:this._classNames.root}))},t}(c.Component),Xa=(0,I.z)(Za,(function(e){var t,o=e.theme,n=e.className;return{root:[(0,u.Cn)(Ja,o).root,{pointerEvents:"auto",selectors:(t={},t[u.qJ]={border:"1px solid WindowText"},t)},n]}}),void 0,{scope:"PlainCard"}),Qa=(0,D.y)(),$a=function(e){function t(t){var o=e.call(this,t)||this;return o._hoverCard=c.createRef(),o.dismiss=function(e){o._async.clearTimeout(o._openTimerId),o._async.clearTimeout(o._dismissTimerId),e?o._dismissTimerId=o._async.setTimeout((function(){o._setDismissedState()}),o.props.cardDismissDelay):o._setDismissedState()},o._cardOpen=function(e){o._shouldBlockHoverCard()||"keydown"===e.type&&e.which!==o.props.openHotKey||(o._async.clearTimeout(o._dismissTimerId),"mouseenter"===e.type&&(o._currentMouseTarget=e.currentTarget),o._executeCardOpen(e))},o._executeCardOpen=function(e){o._async.clearTimeout(o._openTimerId),o._openTimerId=o._async.setTimeout((function(){o.setState((function(t){return t.isHoverCardVisible?t:{isHoverCardVisible:!0,mode:Va.compact,openMode:"keydown"===e.type?Ha.hotKey:Ha.hover}}))}),o.props.cardOpenDelay)},o._cardDismiss=function(e,t){if(e){if(!(t instanceof MouseEvent))return;if("keydown"===t.type&&t.which!==rt.m.escape)return;o.props.sticky||o._currentMouseTarget!==t.currentTarget&&t.which!==rt.m.escape||o.dismiss(!0)}else{if(o.props.sticky&&!(t instanceof MouseEvent)&&t.nativeEvent instanceof MouseEvent&&"mouseleave"===t.type)return;o.dismiss(!0)}},o._setDismissedState=function(){o.setState({isHoverCardVisible:!1,mode:Va.compact,openMode:Ha.hover})},o._instantOpenAsExpanded=function(e){o._async.clearTimeout(o._dismissTimerId),o.setState((function(e){return e.isHoverCardVisible?e:{isHoverCardVisible:!0,mode:Va.expanded}}))},o._setEventListeners=function(){var e=o.props,t=e.trapFocus,n=e.instantOpenOnClick,r=e.eventListenerTarget,i=r?o._getTargetElement(r):o._getTargetElement(o.props.target),a=o._nativeDismissEvent;i&&(o._events.on(i,"mouseenter",o._cardOpen),o._events.on(i,"mouseleave",a),t?o._events.on(i,"keydown",o._cardOpen):(o._events.on(i,"focus",o._cardOpen),o._events.on(i,"blur",a)),n?o._events.on(i,"click",o._instantOpenAsExpanded):(o._events.on(i,"mousedown",a),o._events.on(i,"keydown",a)))},(0,P.l)(o),o._async=new bo.e(o),o._events=new at.r(o),o._nativeDismissEvent=o._cardDismiss.bind(o,!0),o._childDismissEvent=o._cardDismiss.bind(o,!1),o.state={isHoverCardVisible:!1,mode:Va.compact,openMode:Ha.hover},o}return(0,l.ZT)(t,e),t.prototype.componentDidMount=function(){this._setEventListeners()},t.prototype.componentWillUnmount=function(){this._async.dispose(),this._events.dispose()},t.prototype.componentDidUpdate=function(e,t){var o=this;e.target!==this.props.target&&(this._events.off(),this._setEventListeners()),t.isHoverCardVisible!==this.state.isHoverCardVisible&&(this.state.isHoverCardVisible?(this._async.setTimeout((function(){o.setState({mode:Va.expanded},(function(){o.props.onCardExpand&&o.props.onCardExpand()}))}),this.props.expandedCardOpenDelay),this.props.onCardVisible&&this.props.onCardVisible()):(this.setState({mode:Va.compact}),this.props.onCardHide&&this.props.onCardHide()))},t.prototype.render=function(){var e=this.props,t=e.expandingCardProps,o=e.children,n=e.id,r=e.setAriaDescribedBy,i=void 0===r||r,a=e.styles,s=e.theme,u=e.className,d=e.type,p=e.plainCardProps,m=e.trapFocus,h=e.setInitialFocus,g=this.state,f=g.isHoverCardVisible,v=g.mode,b=g.openMode,y=n||(0,dn.z)("hoverCard");this._classNames=Qa(a,{theme:s,className:u});var _=(0,l.pi)((0,l.pi)({},(0,E.pq)(this.props,E.n7)),{id:y,trapFocus:!!m,firstFocus:h||b===Ha.hotKey,targetElement:this._getTargetElement(this.props.target),onEnter:this._cardOpen,onLeave:this._childDismissEvent}),C=(0,l.pi)((0,l.pi)((0,l.pi)({},t),_),{mode:v}),S=(0,l.pi)((0,l.pi)({},p),_);return c.createElement("div",{className:this._classNames.host,ref:this._hoverCard,"aria-describedby":i&&f?y:void 0,"data-is-focusable":!this.props.target},o,f&&(d===Oa.expanding?c.createElement(ja,(0,l.pi)({},C)):c.createElement(Xa,(0,l.pi)({},S))))},t.prototype._getTargetElement=function(e){switch(typeof e){case"string":return(0,nt.M)().querySelector(e);case"object":return e;default:return this._hoverCard.current||void 0}},t.prototype._shouldBlockHoverCard=function(){return!(!this.props.shouldBlockHoverCard||!this.props.shouldBlockHoverCard())},t.defaultProps={cardOpenDelay:500,cardDismissDelay:100,expandedCardOpenDelay:1500,instantOpenOnClick:!1,setInitialFocus:!1,openHotKey:rt.m.c,type:Oa.expanding},t}(c.Component),es=(0,I.z)($a,(function(e){var t=e.className,o=e.theme;return{host:[(0,u.Cn)(Wa,o).host,t]}}),void 0,{scope:"HoverCard"}),ts=o(3874),os=o(6569),ns=o(7840),rs=o(2481),is=o(9759),as=o(6711),ss=o(5325),ls=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.content,o=e.styles,n=e.theme,r=e.disabled,i=e.visible,a=(0,D.y)()(o,{theme:n,disabled:r,visible:i});return c.createElement("div",{className:a.container},c.createElement("span",{className:a.root},t))},t}(c.Component),cs=function(e){return{container:[],root:[{border:"none",boxShadow:"none"}],beak:[],beakCurtain:[],calloutMain:[{backgroundColor:"transparent"}]}},us=function(e){return function(t){return(0,u.ZC)({container:[],root:[{border:"none",boxShadow:"none"}],beak:[],beakCurtain:[],calloutMain:[{backgroundColor:"transparent"}]},{root:[{marginLeft:e.left||e.x,marginTop:e.top||e.y}]})}},ds=(0,I.z)(ls,(function(e){var t,o=e.theme,n=e.disabled,r=e.visible;return{container:[{backgroundColor:o.palette.neutralDark},n&&{opacity:.5,selectors:(t={},t[u.qJ]={color:"GrayText",opacity:1},t)},!r&&{visibility:"hidden"}],root:[o.fonts.medium,{textAlign:"center",paddingLeft:"3px",paddingRight:"3px",backgroundColor:o.palette.neutralDark,color:o.palette.neutralLight,minWidth:"11px",lineHeight:"17px",height:"17px",display:"inline-block"},n&&{color:o.palette.neutralTertiaryAlt}]}}),void 0,{scope:"KeytipContent"}),ps=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,l.ZT)(t,e),t.prototype.render=function(){var e,t=this.props,o=t.keySequences,n=t.offset,r=t.overflowSetSequence,i=this.props.calloutProps;return e=r?(0,ss.eX)((0,ss.a1)(o,r)):(0,ss.eX)(o),n&&(i=(0,l.pi)((0,l.pi)({},i),{coverTarget:!0,directionalHint:K.b.topLeftEdge})),i&&void 0!==i.directionalHint||(i=(0,l.pi)((0,l.pi)({},i),{directionalHint:K.b.bottomCenter})),c.createElement(Ae.U,(0,l.pi)({},i,{isBeakVisible:!1,doNotLayer:!0,minPagePadding:0,styles:n?us(n):cs,preventDismissOnScroll:!0,target:e}),c.createElement(ds,(0,l.pi)({},this.props)))},t}(c.Component),ms=o(9949),hs=o(8128),gs=o(2304);function fs(e){var t=(0,gs.c)(e),o=t.keytipId,n=t.ariaDescribedBy;return function(e){if(e){var t=bs(e,hs.fV)||e,r=bs(e,hs.ms)||t,i=bs(e,hs.A4)||r;vs(t,hs.fV,o),vs(r,hs.ms,o),vs(i,"aria-describedby",n,!0)}}}function vs(e,t,o,n){if(void 0===n&&(n=!1),e&&o){var r=o;if(n){var i=e.getAttribute(t);i&&-1===i.indexOf(o)&&(r=i+" "+o)}e.setAttribute(t,r)}}function bs(e,t){return e.querySelector("["+t+"]")}var ys=function(e){return{root:[{zIndex:u.bR.KeytipLayer}]}},_s=o(6479),Cs=function(){function e(){this.nodeMap={},this.root={id:hs.nK,children:[],parent:"",keySequences:[]},this.nodeMap[this.root.id]=this.root}return e.prototype.addNode=function(e,t,o){var n=this._getFullSequence(e),r=(0,ss.aB)(n);n.pop();var i=this._getParentID(n),a=this._createNode(r,i,[],e,o);this.nodeMap[t]=a;var s=this.getNode(i);s&&s.children.push(r)},e.prototype.updateNode=function(e,t){var o=this._getFullSequence(e),n=(0,ss.aB)(o);o.pop();var r=this._getParentID(o),i=this.nodeMap[t],a=i.parent,s=this.getNode(a),l=this.getNode(r);if(i){if(s&&a!==r){var c=s.children.indexOf(i.id);c>=0&&s.children.splice(c,1)}if(l&&i.id!==n){var u=l.children.indexOf(i.id);u>=0?l.children[u]=n:l.children.push(n)}i.id=n,i.keySequences=e.keySequences,i.overflowSetSequence=e.overflowSetSequence,i.onExecute=e.onExecute,i.onReturn=e.onReturn,i.hasDynamicChildren=e.hasDynamicChildren,i.hasMenu=e.hasMenu,i.parent=r,i.disabled=e.disabled}},e.prototype.removeNode=function(e,t){var o=this._getFullSequence(e),n=(0,ss.aB)(o);o.pop();var r=this._getParentID(o),i=this.getNode(r);i&&i.children.splice(i.children.indexOf(n),1),this.nodeMap[t]&&delete this.nodeMap[t]},e.prototype.getExactMatchedNode=function(e,t){var o=this,n=this.getNodes(t.children);return(0,Co.sE)(n,(function(t){return o._getNodeSequence(t)===e&&!t.disabled}))},e.prototype.getPartiallyMatchedNodes=function(e,t){var o=this;return this.getNodes(t.children).filter((function(t){return 0===o._getNodeSequence(t).indexOf(e)&&!t.disabled}))},e.prototype.getChildren=function(e){var t=this;if(!e&&!(e=this.currentKeytip))return[];var o=e.children;return Object.keys(this.nodeMap).reduce((function(e,n){return o.indexOf(t.nodeMap[n].id)>=0&&!t.nodeMap[n].persisted&&e.push(t.nodeMap[n].id),e}),[])},e.prototype.getNodes=function(e){var t=this;return Object.keys(this.nodeMap).reduce((function(o,n){return e.indexOf(t.nodeMap[n].id)>=0&&o.push(t.nodeMap[n]),o}),[])},e.prototype.getNode=function(e){var t=(0,Xt.VO)(this.nodeMap);return(0,Co.sE)(t,(function(t){return t.id===e}))},e.prototype.isCurrentKeytipParent=function(e){if(this.currentKeytip){var t=(0,l.pr)(e.keySequences);e.overflowSetSequence&&(t=(0,ss.a1)(t,e.overflowSetSequence)),t.pop();var o=0===t.length?this.root.id:(0,ss.aB)(t),n=!1;return this.currentKeytip.overflowSetSequence&&(n=(0,ss.aB)(this.currentKeytip.keySequences)===o),n||this.currentKeytip.id===o}return!1},e.prototype._getParentID=function(e){return 0===e.length?this.root.id:(0,ss.aB)(e)},e.prototype._getFullSequence=function(e){var t=(0,l.pr)(e.keySequences);return e.overflowSetSequence&&(t=(0,ss.a1)(t,e.overflowSetSequence)),t},e.prototype._getNodeSequence=function(e){var t=(0,l.pr)(e.keySequences);return e.overflowSetSequence&&(t=(0,ss.a1)(t,e.overflowSetSequence)),t[t.length-1]},e.prototype._createNode=function(e,t,o,n,r){var i=this,a=n.keySequences,s=n.hasDynamicChildren,l=n.overflowSetSequence,c=n.hasMenu,u=n.onExecute,d=n.onReturn,p=n.disabled,m={id:e,keySequences:a,overflowSetSequence:l,parent:t,children:o,onExecute:u,onReturn:d,hasDynamicChildren:s,hasMenu:c,disabled:p,persisted:r};return m.children=Object.keys(this.nodeMap).reduce((function(t,o){return i.nodeMap[o].parent===e&&t.push(i.nodeMap[o].id),t}),[]),m},e}();function Ss(e,t){if(e.key!==t.key)return!1;var o=e.modifierKeys,n=t.modifierKeys;if(!o&&n||o&&!n)return!1;if(o&&n){if(o.length!==n.length)return!1;o=o.sort(),n=n.sort();for(var r=0;r0){var s=a.filter((function(e){return!e.persisted})).map((function(e){return e.id}));this.showKeytips(s),this._currentSequence=o}}},t.prototype.showKeytips=function(e){for(var t=0,o=this._keytipManager.getKeytips();t=0?n.visible=!0:n.visible=!1}this._setKeytips()},t.prototype._enterKeytipMode=function(){this._keytipManager.shouldEnterKeytipMode&&(this._keytipManager.delayUpdatingKeytipChange&&(this._buildTree(),this._setKeytips()),this._keytipTree.currentKeytip=this._keytipTree.root,this.showKeytips(this._keytipTree.getChildren()),this._setInKeytipMode(!0),this.props.onEnterKeytipMode&&this.props.onEnterKeytipMode())},t.prototype._buildTree=function(){this._keytipTree=new Cs;for(var e=0,t=Object.keys(this._keytipManager.keytips);e=0&&(this._delayedKeytipQueue.splice(o,1),this._delayedQueueTimeout&&this._async.clearTimeout(this._delayedQueueTimeout),this._delayedQueueTimeout=this._async.setTimeout((function(){t._delayedKeytipQueue.length&&(t.showKeytips(t._delayedKeytipQueue),t._delayedKeytipQueue=[])}),300))},t.prototype._getKtpExecuteTarget=function(e){return(0,nt.M)().querySelector((0,ss._l)(e.id))},t.prototype._getKtpTarget=function(e){return(0,nt.M)().querySelector((0,ss.eX)(e.keySequences))},t.prototype._isCurrentKeytipAnAlias=function(e){var t=this._keytipTree.currentKeytip;return!(!t||!t.overflowSetSequence&&!t.persisted||!(0,Co.cO)(e.keySequences,t.keySequences))},t.defaultProps={keytipStartSequences:[ks],keytipExitSequences:[ws],keytipReturnSequences:[Is],content:""},t}(c.Component),Es=(0,I.z)(Ts,(function(e){return{innerContent:[{position:"absolute",width:0,height:0,margin:0,padding:0,border:0,overflow:"hidden",visibility:"hidden"}]}}),void 0,{scope:"KeytipLayer"});function Ps(e){for(var t={},o=0,n=e.keytips;o0&&this._computeScrollVelocity(e)},e.prototype._computeScrollVelocity=function(e){if(this._scrollRect){var t,o;"clientX"in e?(t=e.clientX,o=e.clientY):(t=e.touches[0].clientX,o=e.touches[0].clientY);var n,r,i,a=this._scrollRect.top,s=this._scrollRect.left,l=a+this._scrollRect.height-Os,c=s+this._scrollRect.width-Os;ol?(r=o,n=a,i=l,this._isVerticalScroll=!0):(r=t,n=s,i=c,this._isVerticalScroll=!1),this._scrollVelocity=ri?Math.min(15,(r-i)/Os*15):0,this._scrollVelocity?this._startScroll():this._stopScroll()}},e.prototype._startScroll=function(){this._timeoutId||this._incrementScroll()},e.prototype._incrementScroll=function(){this._scrollableParent&&(this._isVerticalScroll?this._scrollableParent.scrollTop+=Math.round(this._scrollVelocity):this._scrollableParent.scrollLeft+=Math.round(this._scrollVelocity)),this._timeoutId=setTimeout(this._incrementScroll,16)},e.prototype._stopScroll=function(){this._timeoutId&&(clearTimeout(this._timeoutId),delete this._timeoutId)},e}(),Vs=o(8633),Ks=(0,D.y)(),qs=function(e){function t(t){var o=e.call(this,t)||this;return o._root=c.createRef(),o._onMouseDown=function(e){var t=o.props,n=t.isEnabled,r=t.onShouldStartSelection;o._isMouseEventOnScrollbar(e)||o._isInSelectionToggle(e)||o._isTouch||!n||o._isDragStartInSelection(e)||r&&!r(e)||o._scrollableSurface&&0===e.button&&o._root.current&&(o._selectedIndicies={},o._preservedIndicies=void 0,o._events.on(window,"mousemove",o._onAsyncMouseMove,!0),o._events.on(o._scrollableParent,"scroll",o._onAsyncMouseMove),o._events.on(window,"click",o._onMouseUp,!0),o._autoScroll=new Ws(o._root.current),o._scrollTop=o._scrollableSurface.scrollTop,o._scrollLeft=o._scrollableSurface.scrollLeft,o._rootRect=o._root.current.getBoundingClientRect(),o._onMouseMove(e))},o._onTouchStart=function(e){o._isTouch=!0,o._async.setTimeout((function(){o._isTouch=!1}),0)},o._onPointerDown=function(e){"touch"===e.pointerType&&(o._isTouch=!0,o._async.setTimeout((function(){o._isTouch=!1}),0))},(0,P.l)(o),o._async=new bo.e(o),o._events=new at.r(o),o.state={dragRect:void 0},o}return(0,l.ZT)(t,e),t.prototype.componentDidMount=function(){this._scrollableParent=(0,yo.zj)(this._root.current),this._scrollableSurface=this._scrollableParent===window?document.body:this._scrollableParent;var e=this.props.isDraggingConstrainedToRoot?this._root.current:this._scrollableSurface;this._events.on(e,"mousedown",this._onMouseDown),this._events.on(e,"touchstart",this._onTouchStart,!0),this._events.on(e,"pointerdown",this._onPointerDown,!0)},t.prototype.componentWillUnmount=function(){this._autoScroll&&this._autoScroll.dispose(),delete this._scrollableParent,delete this._scrollableSurface,this._events.dispose(),this._async.dispose()},t.prototype.render=function(){var e=this.props,t=e.rootProps,o=e.children,n=e.theme,r=e.className,i=e.styles,a=this.state.dragRect,s=Ks(i,{theme:n,className:r});return c.createElement("div",(0,l.pi)({},t,{className:s.root,ref:this._root}),o,a&&c.createElement("div",{className:s.dragMask}),a&&c.createElement("div",{className:s.box,style:a},c.createElement("div",{className:s.boxFill})))},t.prototype._isMouseEventOnScrollbar=function(e){var t=e.target,o=t.offsetWidth-t.clientWidth;if(o){var n=t.getBoundingClientRect();if((0,T.zg)(this.props.theme)){if(e.clientXn.left+t.clientWidth)return!0;if(e.clientY>n.top+t.clientHeight)return!0}return!1},t.prototype._getRootRect=function(){return{left:this._rootRect.left+(this._scrollLeft-this._scrollableSurface.scrollLeft),top:this._rootRect.top+(this._scrollTop-this._scrollableSurface.scrollTop),width:this._rootRect.width,height:this._rootRect.height}},t.prototype._onAsyncMouseMove=function(e){var t=this;this._async.requestAnimationFrame((function(){t._onMouseMove(e)})),e.stopPropagation(),e.preventDefault()},t.prototype._onMouseMove=function(e){if(this._autoScroll){void 0!==e.clientX&&(this._lastMouseEvent=e);var t=this._getRootRect(),o={left:e.clientX-t.left,top:e.clientY-t.top};if(this._dragOrigin||(this._dragOrigin=o),void 0!==e.buttons&&0===e.buttons)this._onMouseUp(e);else if(this.state.dragRect||(0,Vs.Iw)(this._dragOrigin,o)>5){if(!this.state.dragRect){var n=this.props.selection;e.shiftKey||n.setAllSelected(!1),this._preservedIndicies=n&&n.getSelectedIndices&&n.getSelectedIndices()}var r=this.props.isDraggingConstrainedToRoot?{left:Math.max(0,Math.min(t.width,this._lastMouseEvent.clientX-t.left)),top:Math.max(0,Math.min(t.height,this._lastMouseEvent.clientY-t.top))}:{left:this._lastMouseEvent.clientX-t.left,top:this._lastMouseEvent.clientY-t.top},i={left:Math.min(this._dragOrigin.left||0,r.left),top:Math.min(this._dragOrigin.top||0,r.top),width:Math.abs(r.left-(this._dragOrigin.left||0)),height:Math.abs(r.top-(this._dragOrigin.top||0))};this._evaluateSelection(i,t),this.setState({dragRect:i})}return!1}},t.prototype._onMouseUp=function(e){this._events.off(window),this._events.off(this._scrollableParent,"scroll"),this._autoScroll&&this._autoScroll.dispose(),this._autoScroll=this._dragOrigin=this._lastMouseEvent=void 0,this._selectedIndicies=this._itemRectCache=void 0,this.state.dragRect&&(this.setState({dragRect:void 0}),e.preventDefault(),e.stopPropagation())},t.prototype._isPointInRectangle=function(e,t){return!!t.top&&e.topt.top&&!!t.left&&e.leftt.left},t.prototype._isDragStartInSelection=function(e){var t=this.props.selection;if(!this._root.current||t&&0===t.getSelectedCount())return!1;for(var o=this._root.current.querySelectorAll("[data-selection-index]"),n=0;n0&&s.height>0&&(this._itemRectCache[a]=s),s.tope.top&&s.lefte.left?this._selectedIndicies[a]=!0:delete this._selectedIndicies[a]}var l=this._allSelectedIndices||{};for(var a in this._allSelectedIndices={},this._selectedIndicies)this._selectedIndicies.hasOwnProperty(a)&&(this._allSelectedIndices[a]=!0);if(this._preservedIndicies)for(var c=0,u=this._preservedIndicies;c0&&(p=e.collapseAriaLabel||e.expandAriaLabel?e.isExpanded?e.collapseAriaLabel:e.expandAriaLabel:i?e.name+" "+i:e.name),c.createElement("div",(0,l.pi)({},n,{key:e.key||t,className:d.compositeLink}),e.links&&e.links.length>0?c.createElement("button",{className:d.chevronButton,onClick:this._onLinkExpandClicked.bind(this,e),"aria-label":p,"aria-expanded":e.isExpanded?"true":"false"},c.createElement(W.J,{className:d.chevronIcon,iconName:"ChevronDown"})):null,this._renderNavLink(e,t,o))},t.prototype._renderLink=function(e,t,o){var n=this.props,r=n.styles,i=n.groups,a=n.theme,s=cl(r,{theme:a,groups:i});return c.createElement("li",{key:e.key||t,role:"listitem",className:s.navItem},this._renderCompositeLink(e,t,o),e.isExpanded?this._renderLinks(e.links,++o):null)},t.prototype._renderLinks=function(e,t){var o=this;if(!e||!e.length)return null;var n=e.map((function(e,n){return o._renderLink(e,n,t)})),r=this.props,i=r.styles,a=r.groups,s=r.theme,l=cl(i,{theme:s,groups:a});return c.createElement("ul",{role:"list",className:l.navItems},n)},t.prototype._onGroupHeaderClicked=function(e,t){e.onHeaderClick&&e.onHeaderClick(t,this._isGroupExpanded(e)),this._toggleCollapsed(e),t&&(t.preventDefault(),t.stopPropagation())},t.prototype._onLinkExpandClicked=function(e,t){var o=this.props.onLinkExpandClick;o&&o(t,e),t.defaultPrevented||(e.isExpanded=!e.isExpanded,this.setState({isLinkExpandStateChanged:!0})),t.preventDefault(),t.stopPropagation()},t.prototype._preventBounce=function(e,t){!e.url&&e.forceAnchor&&t.preventDefault()},t.prototype._onNavAnchorLinkClicked=function(e,t){this._preventBounce(e,t),this.props.onLinkClick&&this.props.onLinkClick(t,e),!e.url&&e.links&&e.links.length>0&&this._onLinkExpandClicked(e,t),this.setState({selectedKey:e.key})},t.prototype._onNavButtonLinkClicked=function(e,t){this._preventBounce(e,t),e.onClick&&e.onClick(t,e),!e.url&&e.links&&e.links.length>0&&this._onLinkExpandClicked(e,t),this.setState({selectedKey:e.key})},t.prototype._isLinkSelected=function(e){if(void 0!==this.props.selectedKey)return e.key===this.props.selectedKey;if(void 0!==this.state.selectedKey)return e.key===this.state.selectedKey;if(void 0===(0,So.J)()||!e.url)return!1;(el=el||document.createElement("a")).href=e.url||"";var t=el.href;return location.href===t||location.protocol+"//"+location.host+location.pathname===t||!!location.hash&&(location.hash===e.url||(el.href=location.hash.substring(1),el.href===t))},t.prototype._isGroupExpanded=function(e){return e.name&&this.state.isGroupCollapsed.hasOwnProperty(e.name)?!this.state.isGroupCollapsed[e.name]:void 0===e.collapseByDefault||!e.collapseByDefault},t.prototype._toggleCollapsed=function(e){var t;if(e.name){var o=(0,l.pi)((0,l.pi)({},this.state.isGroupCollapsed),((t={})[e.name]=this._isGroupExpanded(e),t));this.setState({isGroupCollapsed:o})}},t.defaultProps={groups:null},t}(c.Component),dl=(0,I.z)(ul,(function(e){var t,o=e.className,n=e.theme,r=e.isOnTop,i=e.isExpanded,a=e.isGroup,s=e.isLink,l=e.isSelected,c=e.isDisabled,d=e.isButtonEntry,p=e.navHeight,m=void 0===p?44:p,h=e.position,g=e.leftPadding,f=void 0===g?20:g,v=e.leftPaddingExpanded,b=void 0===v?28:v,y=e.rightPadding,_=void 0===y?20:y,C=n.palette,S=n.semanticColors,x=n.fonts,k=(0,u.Cn)(al,n);return{root:[k.root,o,x.medium,{overflowY:"auto",userSelect:"none",WebkitOverflowScrolling:"touch"},r&&[{position:"absolute"},u.k4.slideRightIn40]],linkText:[k.linkText,{margin:"0 4px",overflow:"hidden",verticalAlign:"middle",textAlign:"left",textOverflow:"ellipsis"}],compositeLink:[k.compositeLink,{display:"block",position:"relative",color:S.bodyText},i&&"is-expanded",l&&"is-selected",c&&"is-disabled",c&&{color:S.disabledText}],link:[k.link,(0,u.GL)(n),{display:"block",position:"relative",height:m,width:"100%",lineHeight:m+"px",textDecoration:"none",cursor:"pointer",textOverflow:"ellipsis",whiteSpace:"nowrap",overflow:"hidden",paddingLeft:f,paddingRight:_,color:S.bodyText,selectors:(t={},t[u.qJ]={border:0,selectors:{":focus":{border:"1px solid WindowText"}}},t)},!c&&{selectors:{".ms-Nav-compositeLink:hover &":{backgroundColor:S.bodyBackgroundHovered}}},l&&{color:S.bodyTextChecked,fontWeight:u.lq.semibold,backgroundColor:S.bodyBackgroundChecked,selectors:{"&:after":{borderLeft:"2px solid "+C.themePrimary,content:'""',position:"absolute",top:0,right:0,bottom:0,left:0,pointerEvents:"none"}}},c&&{color:S.disabledText},d&&{color:C.themePrimary}],chevronButton:[k.chevronButton,(0,u.GL)(n),x.small,{display:"block",textAlign:"left",lineHeight:m+"px",margin:"5px 0",padding:"0px, "+_+"px, 0px, "+b+"px",border:"none",textOverflow:"ellipsis",whiteSpace:"nowrap",overflow:"hidden",cursor:"pointer",color:S.bodyText,backgroundColor:"transparent",selectors:{"&:visited":{color:S.bodyText}}},a&&{fontSize:x.large.fontSize,width:"100%",height:m,borderBottom:"1px solid "+S.bodyDivider},s&&{display:"block",width:b-2,height:m-2,position:"absolute",top:"1px",left:h+"px",zIndex:u.bR.Nav,padding:0,margin:0},l&&{color:C.themePrimary,backgroundColor:C.neutralLighterAlt,selectors:{"&:after":{borderLeft:"2px solid "+C.themePrimary,content:'""',position:"absolute",top:0,right:0,bottom:0,left:0,pointerEvents:"none"}}}],chevronIcon:[k.chevronIcon,{position:"absolute",left:"8px",height:m,lineHeight:m+"px",fontSize:x.small.fontSize,transition:"transform .1s linear"},i&&{transform:"rotate(-180deg)"},s&&{top:0}],navItem:[k.navItem,{padding:0}],navItems:[k.navItems,{listStyleType:"none",padding:0,margin:0}],group:[k.group,i&&"is-expanded"],groupContent:[k.groupContent,{display:"none",marginBottom:"40px"},u.k4.slideDownIn20,i&&{display:"block"}]}}),void 0,{scope:"Nav"}),pl=o(6178),ml=o(9755),hl=o(5357),gl=o(2758),fl=o(7047),vl=o(867),bl=o(8337),yl=o(4192),_l=o(4800),Cl=o(9862),Sl=o(6920),xl=o(8976),kl=o(7115),wl=o(9318),Il=o(4885),Dl=o(2535),Tl=o(9378),El=o(2657),Pl={root:"ms-TagItem",text:"ms-TagItem-text",close:"ms-TagItem-close",isSelected:"is-selected"},Ml=(0,D.y)(),Rl=function(e){var t=e.theme,o=e.styles,n=e.selected,r=e.disabled,i=e.enableTagFocusInDisabledPicker,a=e.children,s=e.className,l=e.index,u=e.onRemoveItem,d=e.removeButtonAriaLabel,p=e.title,m=void 0===p?"string"==typeof e.children?e.children:e.item.name:p,h=Ml(o,{theme:t,className:s,selected:n,disabled:r});return c.createElement("div",{className:h.root,role:"listitem",key:l,"data-selection-index":l,"data-is-focusable":(i||!r)&&!0},c.createElement("span",{className:h.text,"aria-label":m,title:m},a),c.createElement(V.h,{onClick:u,disabled:r,iconProps:{iconName:"Cancel",styles:{root:{fontSize:"12px"}}},className:h.close,ariaLabel:d}))},Nl=(0,I.z)(Rl,(function(e){var t,o,n,r,i=e.className,a=e.theme,s=e.selected,l=e.disabled,c=a.palette,d=a.effects,p=a.fonts,m=a.semanticColors,h=(0,u.Cn)(Pl,a);return{root:[h.root,p.medium,(0,u.GL)(a),{boxSizing:"content-box",flexShrink:"1",margin:2,height:26,lineHeight:26,cursor:"default",userSelect:"none",display:"flex",flexWrap:"nowrap",maxWidth:300,minWidth:0,borderRadius:d.roundedCorner2,color:m.inputText,background:!s||l?c.neutralLighter:c.themePrimary,selectors:(t={":hover":[!l&&!s&&{color:c.neutralDark,background:c.neutralLight,selectors:{".ms-TagItem-close":{color:c.neutralPrimary}}},l&&{background:c.neutralLighter},s&&!l&&{background:c.themePrimary}]},t[u.qJ]={border:"1px solid "+(s?"WindowFrame":"WindowText")},t)},l&&{selectors:(o={},o[u.qJ]={borderColor:"GrayText"},o)},s&&!l&&[h.isSelected,{color:c.white}],i],text:[h.text,{overflow:"hidden",textOverflow:"ellipsis",whiteSpace:"nowrap",minWidth:30,margin:"0 8px"},l&&{selectors:(n={},n[u.qJ]={color:"GrayText"},n)}],close:[h.close,{color:c.neutralSecondary,width:30,height:"100%",flex:"0 0 auto",borderRadius:(0,T.zg)(a)?d.roundedCorner2+" 0 0 "+d.roundedCorner2:"0 "+d.roundedCorner2+" "+d.roundedCorner2+" 0",selectors:{":hover":{background:c.neutralQuaternaryAlt,color:c.neutralPrimary},":active":{color:c.white,backgroundColor:c.themeDark}}},s&&{color:c.white,selectors:{":hover":{color:c.white,background:c.themeDark}}},l&&{selectors:(r={},r["."+El.n.msButtonIcon]={color:c.neutralSecondary},r)}]}}),void 0,{scope:"TagItem"}),Bl={suggestionTextOverflow:"ms-TagItem-TextOverflow"},Fl=(0,D.y)(),Ll=function(e){var t=e.styles,o=e.theme,n=e.children,r=Fl(t,{theme:o});return c.createElement("div",{className:r.suggestionTextOverflow}," ",n," ")},Al=(0,I.z)(Ll,(function(e){var t=e.className,o=e.theme;return{suggestionTextOverflow:[(0,u.Cn)(Bl,o).suggestionTextOverflow,{overflow:"hidden",textOverflow:"ellipsis",maxWidth:"60vw",padding:"6px 12px 7px",whiteSpace:"nowrap"},t]}}),void 0,{scope:"TagItemSuggestion"}),zl=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.defaultProps={onRenderItem:function(e){return c.createElement(Nl,(0,l.pi)({},e),e.item.name)},onRenderSuggestionsItem:function(e){return c.createElement(Al,null,e.name)}},t}(xl.d),Hl=(0,I.z)(zl,Tl.W,void 0,{scope:"TagPicker"}),Ol=o(6548);function Wl(e,t){void 0===t&&(t=null);var o=c.useRef({ref:Object.assign((function(e){o.ref.current!==e&&(o.cleanup&&(o.cleanup(),o.cleanup=void 0),o.ref.current=e,null!==e&&(o.cleanup=o.callback(e)))}),{current:t}),callback:e}).current;return o.callback=e,o.ref}var Vl=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),(0,Vr.b)("PivotItem",t,{linkText:"headerText"}),o}return(0,l.ZT)(t,e),t.prototype.render=function(){return c.createElement("div",(0,l.pi)({},(0,E.pq)(this.props,E.n7)),this.props.children)},t}(c.Component),Kl=(0,D.y)(),ql=function(e,t){var o={links:[],keyToIndexMapping:{},keyToTabIdMapping:{}};return c.Children.forEach(c.Children.toArray(e.children),(function(n,r){if(Gl(n)){var i=n.props,a=i.linkText,s=(0,l._T)(i,["linkText"]),c=n.props.itemKey||r.toString();o.links.push((0,l.pi)((0,l.pi)({headerText:a},s),{itemKey:c})),o.keyToIndexMapping[c]=r,o.keyToTabIdMapping[c]=function(e,t,o,n){return e.getTabId?e.getTabId(o,n):t+"-Tab"+n}(e,t,c,r)}else n&&(0,be.Z)("The children of a Pivot component must be of type PivotItem to be rendered.")})),o},Gl=function(e){var t,o;return(null===(o=null===(t=e)||void 0===t?void 0:t.type)||void 0===o?void 0:o.name)===Vl.name},Ul=c.forwardRef((function(e,t){var o,n=c.useRef(null),r=c.useRef(null),i=(0,Fr.M)("Pivot"),a=(0,Ol.G)(e.selectedKey,e.defaultSelectedKey),s=a[0],u=a[1],d=e.componentRef,p=e.theme,m=e.linkSize,h=e.linkFormat,g=e.overflowBehavior,f=(0,E.pq)(e,E.n7),v=ql(e,i);c.useImperativeHandle(d,(function(){return{focus:function(){var e;null===(e=n.current)||void 0===e||e.focus()}}}));var b=function(e){if(!e)return null;var t=e.itemCount,n=e.itemIcon,r=e.headerText;return c.createElement("span",{className:o.linkContent},void 0!==n&&c.createElement("span",{className:o.icon},c.createElement(W.J,{iconName:n})),void 0!==r&&c.createElement("span",{className:o.text}," ",e.headerText),void 0!==t&&c.createElement("span",{className:o.count}," (",t,")"))},y=function(e,t,n,r){var i,a=t.itemKey,s=t.headerButtonProps,u=t.onRenderItemLink,d=e.keyToTabIdMapping[a],p=n===a;i=u?u(t,b):b(t);var m=t.headerText||"";return m+=t.itemCount?" ("+t.itemCount+")":"",m+=t.itemIcon?" xx":"",c.createElement(we.M,(0,l.pi)({},s,{id:d,key:a,className:(0,pt.i)(r,p&&o.linkIsSelected),onClick:function(e){return _(a,e)},onKeyDown:function(e){return C(a,e)},"aria-label":t.ariaLabel,role:"tab","aria-selected":p,name:t.headerText,keytipProps:t.keytipProps,"data-content":m}),i)},_=function(e,t){t.preventDefault(),S(e,t)},C=function(e,t){t.which===rt.m.enter&&(t.preventDefault(),S(e))},S=function(t,o){var n;if(u(t),v=ql(e,i),e.onLinkClick&&v.keyToIndexMapping[t]>=0){var a=v.keyToIndexMapping[t],s=c.Children.toArray(e.children)[a];Gl(s)&&e.onLinkClick(s,o)}null===(n=r.current)||void 0===n||n.dismissMenu()};o=Kl(e.styles,{theme:p,linkSize:m,linkFormat:h});var x,k=null===(x=s)||void 0!==x&&void 0!==v.keyToIndexMapping[x]?s:v.links.length?v.links[0].itemKey:void 0,w=k?v.keyToIndexMapping[k]:0,I=v.links.map((function(e){return y(v,e,k,o.link)})),D=c.useMemo((function(){return{items:[],alignTargetEdge:!0,directionalHint:K.b.bottomRightEdge}}),[]),P=function(e){var t=e.onOverflowItemsChanged,o=e.rtl,n=e.pinnedIndex,r=c.useRef(),i=c.useRef(),a=Wl((function(e){var t=function(e,t){if("undefined"!=typeof ResizeObserver){var o=new ResizeObserver(t);return Array.isArray(e)?e.forEach((function(e){return o.observe(e)})):o.observe(e),function(){return o.disconnect()}}var n=function(){return t(void 0)},r=(0,So.J)(Array.isArray(e)?e[0]:e);if(!r)return function(){};var i=r.requestAnimationFrame(n);return r.addEventListener("resize",n,!1),function(){r.cancelAnimationFrame(i),r.removeEventListener("resize",n,!1)}}(e,(function(t){i.current=t?t[0].contentRect.width:e.clientWidth,r.current&&r.current()}));return function(){t(),i.current=void 0}})),s=Wl((function(e){return a(e.parentElement),function(){return a(null)}}));return c.useLayoutEffect((function(){var e=a.current,l=s.current;if(e&&l){for(var c=[],u=0;u=0;t--){if(void 0===p[t]){var r=o?e-c[t].offsetLeft:c[t].offsetLeft+c[t].offsetWidth;t+1p[t])return void g(t+1)}g(0)}};var h=c.length,g=function(e){h!==e&&(h=e,t(e,c.map((function(t,o){return{ele:t,isOverflowing:o>=e&&o!==n}}))))},f=void 0;if(void 0!==i.current){var v=(0,So.J)(e);if(v){var b=v.requestAnimationFrame(r.current);f=function(){return v.cancelAnimationFrame(b)}}}return function(){f&&f(),g(c.length),r.current=void 0}}})),{menuButtonRef:s}}({onOverflowItemsChanged:function(e,t){t.forEach((function(e){var t=e.ele,o=e.isOverflowing;return t.dataset.isOverflowing=""+o})),D.items=v.links.slice(e).map((function(t,n){return{key:t.itemKey||""+(e+n),onRender:function(){return y(v,t,k,o.linkInMenu)}}}))},rtl:(0,T.zg)(p),pinnedIndex:w}).menuButtonRef;return c.createElement("div",(0,l.pi)({role:"toolbar"},f,{ref:t}),c.createElement(M.k,{componentRef:n,direction:R.U.horizontal,className:o.root,role:"tablist"},I,"menu"===g&&c.createElement(we.M,{className:(0,pt.i)(o.link,o.overflowMenuButton),elementRef:P,componentRef:r,menuProps:D,menuIconProps:{iconName:"More",style:{color:"inherit"}}})),k&&v.links.map((function(t){return(!0===t.alwaysRender||k===t.itemKey)&&function(t,n){if(e.headersOnly||!t)return null;var r=v.keyToIndexMapping[t],i=v.keyToTabIdMapping[t];return c.createElement("div",{role:"tabpanel",hidden:!n,key:t,"aria-hidden":!n,"aria-labelledby":i,className:o.itemContainer},c.Children.toArray(e.children)[r])}(t.itemKey,k===t.itemKey)})))}));Ul.displayName="Pivot";var jl,Jl,Yl={count:"ms-Pivot-count",icon:"ms-Pivot-icon",linkIsSelected:"is-selected",link:"ms-Pivot-link",linkContent:"ms-Pivot-linkContent",root:"ms-Pivot",rootIsLarge:"ms-Pivot--large",rootIsTabs:"ms-Pivot--tabs",text:"ms-Pivot-text",linkInMenu:"ms-Pivot-linkInMenu",overflowMenuButton:"ms-Pivot-overflowMenuButton"},Zl=function(e,t,o){var n,r,i;void 0===o&&(o=!1);var a=e.linkSize,s=e.linkFormat,c=e.theme,d=c.semanticColors,p=c.fonts,m="large"===a,h="tabs"===s;return[p.medium,{color:d.actionLink,padding:"0 8px",position:"relative",backgroundColor:"transparent",border:0,borderRadius:0,selectors:(n={":hover":{backgroundColor:d.buttonBackgroundHovered,color:d.buttonTextHovered,cursor:"pointer"},":active":{backgroundColor:d.buttonBackgroundPressed,color:d.buttonTextHovered},":focus":{outline:"none"}},n["."+de.G$+" &:focus"]={outline:"1px solid "+d.focusBorder},n["."+de.G$+" &:focus:after"]={content:"attr(data-content)",position:"relative",border:0},n)},!o&&[{display:"inline-block",lineHeight:44,height:44,marginRight:8,textAlign:"center",selectors:{":before":{backgroundColor:"transparent",bottom:0,content:'""',height:2,left:8,position:"absolute",right:8,transition:"left "+u.D1.durationValue2+" "+u.D1.easeFunction2+",\n right "+u.D1.durationValue2+" "+u.D1.easeFunction2},":after":{color:"transparent",content:"attr(data-content)",display:"block",fontWeight:u.lq.bold,height:1,overflow:"hidden",visibility:"hidden"}}},m&&{fontSize:p.large.fontSize},h&&[{marginRight:0,height:44,lineHeight:44,backgroundColor:d.buttonBackground,padding:"0 10px",verticalAlign:"top",selectors:(r={":focus":{outlineOffset:"-1px"}},r["."+de.G$+" &:focus::before"]={height:"auto",background:"transparent",transition:"none"},r["&:hover, &:focus"]={color:d.buttonTextCheckedHovered},r["&:active, &:hover"]={color:d.primaryButtonText,backgroundColor:d.primaryButtonBackground},r["&."+t.linkIsSelected]={backgroundColor:d.primaryButtonBackground,color:d.primaryButtonText,fontWeight:u.lq.regular,selectors:(i={":before":{backgroundColor:"transparent",transition:"none",position:"absolute",top:0,left:0,right:0,bottom:0,content:'""',height:0},":hover":{backgroundColor:d.primaryButtonBackgroundHovered,color:d.primaryButtonText},"&:active":{backgroundColor:d.primaryButtonBackgroundPressed,color:d.primaryButtonText}},i[u.qJ]=(0,l.pi)({fontWeight:u.lq.semibold,color:"HighlightText",background:"Highlight"},(0,u.xM)()),i)},r)}]]]},Xl=(0,I.z)(Ul,(function(e){var t,o,n,r,i=e.className,a=e.linkSize,s=e.linkFormat,c=e.theme,d=c.semanticColors,p=c.fonts,m=(0,u.Cn)(Yl,c),h="large"===a,g="tabs"===s;return{root:[m.root,p.medium,u.Fv,{position:"relative",color:d.link,whiteSpace:"nowrap"},h&&m.rootIsLarge,g&&m.rootIsTabs,i],itemContainer:{selectors:{"&[hidden]":{display:"none"}}},link:(0,l.pr)([m.link],Zl(e,m),[(t={},t["&[data-is-overflowing='true']"]={display:"none"},t)]),overflowMenuButton:[m.overflowMenuButton,(o={visibility:"hidden",position:"absolute",right:0},o["."+m.link+"[data-is-overflowing='true'] ~ &"]={visibility:"visible",position:"relative"},o)],linkInMenu:(0,l.pr)([m.linkInMenu],Zl(e,m,!0),[{textAlign:"left",width:"100%",height:36,lineHeight:36}]),linkIsSelected:[m.link,m.linkIsSelected,{fontWeight:u.lq.semibold,selectors:(n={":before":{backgroundColor:d.inputBackgroundChecked,selectors:(r={},r[u.qJ]={backgroundColor:"Highlight"},r)},":hover::before":{left:0,right:0}},n[u.qJ]={color:"Highlight"},n)}],linkContent:[m.linkContent,{flex:"0 1 100%",selectors:{"& > * ":{marginLeft:4},"& > *:first-child":{marginLeft:0}}}],text:[m.text,{display:"inline-block",verticalAlign:"top"}],count:[m.count,{display:"inline-block",verticalAlign:"top"}],icon:m.icon}}),void 0,{scope:"Pivot"});!function(e){e.links="links",e.tabs="tabs"}(jl||(jl={})),function(e){e.normal="normal",e.large="large"}(Jl||(Jl={}));var Ql=(0,D.y)(),$l=function(e){function t(t){var o=e.call(this,t)||this;o._onRenderProgress=function(e){var t=o.props,n=t.ariaValueText,r=t.barHeight,i=t.className,a=t.description,s=t.label,l=void 0===s?o.props.title:s,u=t.styles,d=t.theme,p="number"==typeof o.props.percentComplete?Math.min(100,Math.max(0,100*o.props.percentComplete)):void 0,m=Ql(u,{theme:d,className:i,barHeight:r,indeterminate:void 0===p}),h={width:void 0!==p?p+"%":void 0,transition:void 0!==p&&p<.01?"none":void 0},g=void 0!==p?0:void 0,f=void 0!==p?100:void 0,v=void 0!==p?Math.floor(p):void 0;return c.createElement("div",{className:m.itemProgress},c.createElement("div",{className:m.progressTrack}),c.createElement("div",{className:m.progressBar,style:h,role:"progressbar","aria-describedby":a?o._descriptionId:void 0,"aria-labelledby":l?o._labelId:void 0,"aria-valuemin":g,"aria-valuemax":f,"aria-valuenow":v,"aria-valuetext":n}))};var n=(0,dn.z)("progress-indicator");return o._labelId=n+"-label",o._descriptionId=n+"-description",o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.barHeight,o=e.className,n=e.label,r=void 0===n?this.props.title:n,i=e.description,a=e.styles,s=e.theme,u=e.progressHidden,d=e.onRenderProgress,p=void 0===d?this._onRenderProgress:d,m="number"==typeof this.props.percentComplete?Math.min(100,Math.max(0,100*this.props.percentComplete)):void 0,h=Ql(a,{theme:s,className:o,barHeight:t,indeterminate:void 0===m});return c.createElement("div",{className:h.root},r?c.createElement("div",{id:this._labelId,className:h.itemName},r):null,u?null:p((0,l.pi)((0,l.pi)({},this.props),{percentComplete:m}),this._onRenderProgress),i?c.createElement("div",{id:this._descriptionId,className:h.itemDescription},i):null)},t.defaultProps={label:"",description:"",width:180},t}(c.Component),ec={root:"ms-ProgressIndicator",itemName:"ms-ProgressIndicator-itemName",itemDescription:"ms-ProgressIndicator-itemDescription",itemProgress:"ms-ProgressIndicator-itemProgress",progressTrack:"ms-ProgressIndicator-progressTrack",progressBar:"ms-ProgressIndicator-progressBar"},tc=(0,d.NF)((function(){return(0,u.F4)({"0%":{left:"-30%"},"100%":{left:"100%"}})})),oc=(0,d.NF)((function(){return(0,u.F4)({"100%":{right:"-30%"},"0%":{right:"100%"}})})),nc=(0,I.z)($l,(function(e){var t,o,n,r=(0,T.zg)(e.theme),i=e.className,a=e.indeterminate,s=e.theme,c=e.barHeight,d=void 0===c?2:c,p=s.palette,m=s.semanticColors,h=s.fonts,g=(0,u.Cn)(ec,s),f=p.neutralLight;return{root:[g.root,h.medium,i],itemName:[g.itemName,u.jq,{color:m.bodyText,paddingTop:4,lineHeight:20}],itemDescription:[g.itemDescription,{color:m.bodySubtext,fontSize:h.small.fontSize,lineHeight:18}],itemProgress:[g.itemProgress,{position:"relative",overflow:"hidden",height:d,padding:"8px 0"}],progressTrack:[g.progressTrack,{position:"absolute",width:"100%",height:d,backgroundColor:f,selectors:(t={},t[u.qJ]={borderBottom:"1px solid WindowText"},t)}],progressBar:[{backgroundColor:p.themePrimary,height:d,position:"absolute",transition:"width .3s ease",width:0,selectors:(o={},o[u.qJ]=(0,l.pi)({backgroundColor:"highlight"},(0,u.xM)()),o)},a?{position:"absolute",minWidth:"33%",background:"linear-gradient(to right, "+f+" 0%, "+p.themePrimary+" 50%, "+f+" 100%)",animation:(r?oc():tc())+" 3s infinite",selectors:(n={},n[u.qJ]={background:"highlight"},n)}:{transition:"width .15s linear"},g.progressBar]}}),void 0,{scope:"ProgressIndicator"}),rc=o(558),ic=o(1405),ac=o(7813),sc={root:"ms-ScrollablePane",contentContainer:"ms-ScrollablePane--contentContainer"},lc={auto:"auto",always:"always"},cc=c.createContext({scrollablePane:void 0}),uc=(0,D.y)(),dc=function(e){function t(t){var o=e.call(this,t)||this;return o._root=c.createRef(),o._stickyAboveRef=c.createRef(),o._stickyBelowRef=c.createRef(),o._contentContainer=c.createRef(),o.subscribe=function(e){o._subscribers.add(e)},o.unsubscribe=function(e){o._subscribers.delete(e)},o.addSticky=function(e){o._stickies.add(e),o.contentContainer&&(e.setDistanceFromTop(o.contentContainer),o.sortSticky(e))},o.removeSticky=function(e){o._stickies.delete(e),o._removeStickyFromContainers(e),o.notifySubscribers()},o.sortSticky=function(e,t){o.stickyAbove&&o.stickyBelow&&(t&&o._removeStickyFromContainers(e),e.canStickyTop&&e.stickyContentTop&&o._addToStickyContainer(e,o.stickyAbove,e.stickyContentTop),e.canStickyBottom&&e.stickyContentBottom&&o._addToStickyContainer(e,o.stickyBelow,e.stickyContentBottom))},o.updateStickyRefHeights=function(){var e=o._stickies,t=0,n=0;e.forEach((function(e){var r=e.state,i=r.isStickyTop,a=r.isStickyBottom;e.nonStickyContent&&(i&&(t+=e.nonStickyContent.offsetHeight),a&&(n+=e.nonStickyContent.offsetHeight),o._checkStickyStatus(e))})),o.setState({stickyTopHeight:t,stickyBottomHeight:n})},o.notifySubscribers=function(){o.contentContainer&&o._subscribers.forEach((function(e){e(o.contentContainer,o.stickyBelow)}))},o.getScrollPosition=function(){return o.contentContainer?o.contentContainer.scrollTop:0},o.syncScrollSticky=function(e){e&&o.contentContainer&&e.syncScroll(o.contentContainer)},o._getScrollablePaneContext=function(){return{scrollablePane:{subscribe:o.subscribe,unsubscribe:o.unsubscribe,addSticky:o.addSticky,removeSticky:o.removeSticky,updateStickyRefHeights:o.updateStickyRefHeights,sortSticky:o.sortSticky,notifySubscribers:o.notifySubscribers,syncScrollSticky:o.syncScrollSticky}}},o._addToStickyContainer=function(e,t,n){if(t.children.length){if(!t.contains(n)){var r=[].slice.call(t.children),i=[];o._stickies.forEach((function(n){(t===o.stickyAbove&&e.canStickyTop||e.canStickyBottom)&&i.push(n)}));for(var a=void 0,s=0,l=i.sort((function(e,t){return(e.state.distanceFromTop||0)-(t.state.distanceFromTop||0)})).filter((function(e){var n=t===o.stickyAbove?e.stickyContentTop:e.stickyContentBottom;return!!n&&r.indexOf(n)>-1}));s=(e.state.distanceFromTop||0)){a=c;break}}var u=null;a&&(u=t===o.stickyAbove?a.stickyContentTop:a.stickyContentBottom),t.insertBefore(n,u)}}else t.appendChild(n)},o._removeStickyFromContainers=function(e){o.stickyAbove&&e.stickyContentTop&&o.stickyAbove.contains(e.stickyContentTop)&&o.stickyAbove.removeChild(e.stickyContentTop),o.stickyBelow&&e.stickyContentBottom&&o.stickyBelow.contains(e.stickyContentBottom)&&o.stickyBelow.removeChild(e.stickyContentBottom)},o._onWindowResize=function(){var e=o._getScrollbarWidth(),t=o._getScrollbarHeight();o.setState({scrollbarWidth:e,scrollbarHeight:t}),o.notifySubscribers()},o._getStickyContainerStyle=function(e,t){return(0,l.pi)((0,l.pi)({height:e},(0,T.zg)(o.props.theme)?{right:"0",left:(o.state.scrollbarWidth||o._getScrollbarWidth()||0)+"px"}:{left:"0",right:(o.state.scrollbarWidth||o._getScrollbarWidth()||0)+"px"}),t?{top:"0"}:{bottom:(o.state.scrollbarHeight||o._getScrollbarHeight()||0)+"px"})},o._onScroll=function(){var e=o.contentContainer;e&&o._stickies.forEach((function(t){t.syncScroll(e)})),o._notifyThrottled()},o._subscribers=new Set,o._stickies=new Set,(0,P.l)(o),o._async=new bo.e(o),o._events=new at.r(o),o.state={stickyTopHeight:0,stickyBottomHeight:0,scrollbarWidth:0,scrollbarHeight:0},o._notifyThrottled=o._async.throttle(o.notifySubscribers,50),o}return(0,l.ZT)(t,e),Object.defineProperty(t.prototype,"root",{get:function(){return this._root.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"stickyAbove",{get:function(){return this._stickyAboveRef.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"stickyBelow",{get:function(){return this._stickyBelowRef.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"contentContainer",{get:function(){return this._contentContainer.current},enumerable:!0,configurable:!0}),t.prototype.componentDidMount=function(){var e=this,t=this.props.initialScrollPosition;this._events.on(this.contentContainer,"scroll",this._onScroll),this._events.on(window,"resize",this._onWindowResize),this.contentContainer&&t&&(this.contentContainer.scrollTop=t),this.setStickiesDistanceFromTop(),this._stickies.forEach((function(t){e.sortSticky(t)})),this.notifySubscribers(),"MutationObserver"in window&&(this._mutationObserver=new MutationObserver((function(t){var o=e._getScrollbarHeight();if(o!==e.state.scrollbarHeight&&e.setState({scrollbarHeight:o}),e.notifySubscribers(),t.some(function(e){return null!==this.stickyAbove&&null!==this.stickyBelow&&(this.stickyAbove.contains(e.target)||this.stickyBelow.contains(e.target))}.bind(e)))e.updateStickyRefHeights();else{var n=[];e._stickies.forEach((function(e){e.root&&e.root.contains(t[0].target)&&n.push(e)})),n.length&&n.forEach((function(e){e.forceUpdate()}))}})),this.root&&this._mutationObserver.observe(this.root,{childList:!0,attributes:!0,subtree:!0,characterData:!0}))},t.prototype.componentWillUnmount=function(){this._events.dispose(),this._async.dispose(),this._mutationObserver&&this._mutationObserver.disconnect()},t.prototype.shouldComponentUpdate=function(e,t){return this.props.children!==e.children||this.props.initialScrollPosition!==e.initialScrollPosition||this.props.className!==e.className||this.state.stickyTopHeight!==t.stickyTopHeight||this.state.stickyBottomHeight!==t.stickyBottomHeight||this.state.scrollbarWidth!==t.scrollbarWidth||this.state.scrollbarHeight!==t.scrollbarHeight},t.prototype.componentDidUpdate=function(e,t){var o=this.props.initialScrollPosition;this.contentContainer&&"number"==typeof o&&e.initialScrollPosition!==o&&(this.contentContainer.scrollTop=o),t.stickyTopHeight===this.state.stickyTopHeight&&t.stickyBottomHeight===this.state.stickyBottomHeight||this.notifySubscribers(),this._async.setTimeout(this._onWindowResize,0)},t.prototype.render=function(){var e=this.props,t=e.className,o=e.theme,n=e.styles,r=this.state,i=r.stickyTopHeight,a=r.stickyBottomHeight,s=uc(n,{theme:o,className:t,scrollbarVisibility:this.props.scrollbarVisibility});return c.createElement("div",(0,l.pi)({},(0,E.pq)(this.props,E.n7),{ref:this._root,className:s.root}),c.createElement("div",{ref:this._stickyAboveRef,className:s.stickyAbove,style:this._getStickyContainerStyle(i,!0)}),c.createElement("div",{ref:this._contentContainer,className:s.contentContainer,"data-is-scrollable":!0},c.createElement(cc.Provider,{value:this._getScrollablePaneContext()},this.props.children)),c.createElement("div",{className:s.stickyBelow,style:this._getStickyContainerStyle(a,!1)},c.createElement("div",{ref:this._stickyBelowRef,className:s.stickyBelowItems})))},t.prototype.setStickiesDistanceFromTop=function(){var e=this;this.contentContainer&&this._stickies.forEach((function(t){t.setDistanceFromTop(e.contentContainer)}))},t.prototype.forceLayoutUpdate=function(){this._onWindowResize()},t.prototype._checkStickyStatus=function(e){this.stickyAbove&&this.stickyBelow&&this.contentContainer&&e.nonStickyContent&&(e.state.isStickyTop||e.state.isStickyBottom?(e.state.isStickyTop&&!this.stickyAbove.contains(e.nonStickyContent)&&e.stickyContentTop&&e.addSticky(e.stickyContentTop),e.state.isStickyBottom&&!this.stickyBelow.contains(e.nonStickyContent)&&e.stickyContentBottom&&e.addSticky(e.stickyContentBottom)):this.contentContainer.contains(e.nonStickyContent)||e.resetSticky())},t.prototype._getScrollbarWidth=function(){var e=this.contentContainer;return e?e.offsetWidth-e.clientWidth:0},t.prototype._getScrollbarHeight=function(){var e=this.contentContainer;return e?e.offsetHeight-e.clientHeight:0},t}(c.Component),pc=(0,I.z)(dc,(function(e){var t,o,n=e.className,r=e.theme,i=(0,u.Cn)(sc,r),a={position:"absolute",pointerEvents:"none"},s={position:"absolute",top:0,right:0,bottom:0,left:0,WebkitOverflowScrolling:"touch"};return{root:[i.root,r.fonts.medium,s,n],contentContainer:[i.contentContainer,{overflowY:"always"===e.scrollbarVisibility?"scroll":"auto"},s],stickyAbove:[{top:0,zIndex:1,selectors:(t={},t[u.qJ]={borderBottom:"1px solid WindowText"},t)},a],stickyBelow:[{bottom:0,selectors:(o={},o[u.qJ]={borderTop:"1px solid WindowText"},o)},a],stickyBelowItems:[{bottom:0},a,{width:"100%"}]}}),void 0,{scope:"ScrollablePane"}),mc=o(6419),hc=o(3863),gc=o(5515),fc=function(e){function t(t){var o=e.call(this,t)||this;o.addItems=function(e){var t=o.props.onItemSelected?o.props.onItemSelected(e):e,n=t,r=t;if(r&&r.then)r.then((function(e){var t=o.state.items.concat(e);o.updateItems(t)}));else{var i=o.state.items.concat(n);o.updateItems(i)}},o.removeItemAt=function(e){var t=o.state.items;if(o._canRemoveItem(t[e])&&e>-1){o.props.onItemsDeleted&&o.props.onItemsDeleted([t[e]]);var n=t.slice(0,e).concat(t.slice(e+1));o.updateItems(n)}},o.removeItem=function(e){var t=o.state.items.indexOf(e);o.removeItemAt(t)},o.replaceItem=function(e,t){var n=o.state.items,r=n.indexOf(e);if(r>-1){var i=n.slice(0,r).concat(t).concat(n.slice(r+1));o.updateItems(i)}},o.removeItems=function(e){var t=o.state.items,n=e.filter((function(e){return o._canRemoveItem(e)})),r=t.filter((function(e){return-1===n.indexOf(e)})),i=n[0],a=t.indexOf(i);o.props.onItemsDeleted&&o.props.onItemsDeleted(n),o.updateItems(r,a)},o.onCopy=function(e){if(o.props.onCopyItems&&o.selection.getSelectedCount()>0){var t=o.selection.getSelection();o.copyItems(t)}},o.renderItems=function(){var e=o.props.removeButtonAriaLabel,t=o.props.onRenderItem;return o.state.items.map((function(n,r){return t({item:n,index:r,key:n.key?n.key:r,selected:o.selection.isIndexSelected(r),onRemoveItem:function(){return o.removeItem(n)},onItemChange:o.onItemChange,removeButtonAriaLabel:e,onCopyItem:function(e){return o.copyItems([e])}})}))},o.onSelectionChanged=function(){o.forceUpdate()},o.onItemChange=function(e,t){var n=o.state.items;if(t>=0){var r=n;r[t]=e,o.updateItems(r)}},(0,P.l)(o);var n=t.selectedItems||t.defaultSelectedItems||[];return o.state={items:n},o._defaultSelection=new nn.Y({onSelectionChanged:o.onSelectionChanged}),o}return(0,l.ZT)(t,e),t.getDerivedStateFromProps=function(e){return e.selectedItems?{items:e.selectedItems}:null},Object.defineProperty(t.prototype,"items",{get:function(){return this.state.items},enumerable:!0,configurable:!0}),t.prototype.removeSelectedItems=function(){this.state.items.length&&this.selection.getSelectedCount()>0&&this.removeItems(this.selection.getSelection())},t.prototype.updateItems=function(e,t){var o=this;this.props.selectedItems?this.onChange(e):this.setState({items:e},(function(){o._onSelectedItemsUpdated(e,t)}))},t.prototype.hasSelectedItems=function(){return this.selection.getSelectedCount()>0},t.prototype.componentDidUpdate=function(e,t){this.state.items&&this.state.items!==t.items&&this.selection.setItems(this.state.items)},t.prototype.unselectAll=function(){this.selection.setAllSelected(!1)},t.prototype.highlightedItems=function(){return this.selection.getSelection()},t.prototype.componentDidMount=function(){this.selection.setItems(this.state.items)},Object.defineProperty(t.prototype,"selection",{get:function(){var e;return null!=(e=this.props.selection)?e:this._defaultSelection},enumerable:!0,configurable:!0}),t.prototype.render=function(){return this.renderItems()},t.prototype.onChange=function(e){this.props.onChange&&this.props.onChange(e)},t.prototype.copyItems=function(e){if(this.props.onCopyItems){var t=this.props.onCopyItems(e),o=document.createElement("input");document.body.appendChild(o);try{if(o.value=t,o.select(),!document.execCommand("copy"))throw new Error}catch(e){}finally{document.body.removeChild(o)}}},t.prototype._onSelectedItemsUpdated=function(e,t){this.onChange(e)},t.prototype._canRemoveItem=function(e){return!this.props.canRemoveItem||this.props.canRemoveItem(e)},t}(c.Component);(0,Xi.RM)([{rawString:".personaContainer_e3941fa3{border-radius:15px;display:-webkit-inline-box;display:-ms-inline-flexbox;display:inline-flex;-webkit-box-align:center;-ms-flex-align:center;align-items:center;background:"},{theme:"themeLighterAlt",defaultValue:"#eff6fc"},{rawString:";margin:4px;cursor:default;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;vertical-align:middle;position:relative}.personaContainer_e3941fa3::-moz-focus-inner{border:0}.personaContainer_e3941fa3{outline:transparent}.personaContainer_e3941fa3{position:relative}.ms-Fabric--isFocusVisible .personaContainer_e3941fa3:focus:after{-webkit-box-sizing:border-box;box-sizing:border-box;content:'';position:absolute;top:-2px;right:-2px;bottom:-2px;left:-2px;pointer-events:none;border:1px solid "},{theme:"focusBorder",defaultValue:"#605e5c"},{rawString:";border-radius:0}.personaContainer_e3941fa3 .ms-Persona-primaryText{color:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:";font-size:14px;font-weight:400}.personaContainer_e3941fa3 .ms-Persona-primaryText.hover_e3941fa3{color:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:"}@media screen and (-ms-high-contrast:active){.personaContainer_e3941fa3 .ms-Persona-primaryText{color:HighlightText}}.personaContainer_e3941fa3 .actionButton_e3941fa3:hover{background:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:"}.personaContainer_e3941fa3 .actionButton_e3941fa3 .ms-Button-icon{color:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:"}@media screen and (-ms-high-contrast:active){.personaContainer_e3941fa3 .actionButton_e3941fa3 .ms-Button-icon{color:HighlightText}}.personaContainer_e3941fa3:hover{background:"},{theme:"themeLighter",defaultValue:"#deecf9"},{rawString:"}.personaContainer_e3941fa3:hover .ms-Persona-primaryText{color:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:";font-size:14px;font-weight:400}@media screen and (-ms-high-contrast:active){.personaContainer_e3941fa3:hover .ms-Persona-primaryText{color:HighlightText}}.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3{background:"},{theme:"themePrimary",defaultValue:"#0078d4"},{rawString:"}.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3 .ms-Persona-primaryText{color:"},{theme:"white",defaultValue:"#ffffff"},{rawString:"}@media screen and (-ms-high-contrast:active){.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3 .ms-Persona-primaryText{color:HighlightText}}.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3 .actionButton_e3941fa3{color:"},{theme:"white",defaultValue:"#ffffff"},{rawString:"}.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3 .actionButton_e3941fa3 .ms-Button-icon{color:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:"}.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3 .actionButton_e3941fa3 .ms-Button-icon:hover{background:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:"}@media screen and (-ms-high-contrast:active){.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3 .actionButton_e3941fa3 .ms-Button-icon{color:HighlightText}}@media screen and (-ms-high-contrast:active){.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3{border-color:Highlight;background:Highlight;-ms-high-contrast-adjust:none}}.personaContainer_e3941fa3.validationError_e3941fa3 .ms-Persona-primaryText{color:"},{theme:"red",defaultValue:"#e81123"},{rawString:"}.personaContainer_e3941fa3.validationError_e3941fa3 .ms-Persona-initials{font-size:20px}@media screen and (-ms-high-contrast:active){.personaContainer_e3941fa3{border:1px solid WindowText}}.personaContainer_e3941fa3 .itemContent_e3941fa3{-webkit-box-flex:0;-ms-flex:0 1 auto;flex:0 1 auto;min-width:0;max-width:100%}.personaContainer_e3941fa3 .removeButton_e3941fa3{border-radius:15px;-webkit-box-flex:0;-ms-flex:0 0 auto;flex:0 0 auto;width:33px;height:33px;-ms-flex-preferred-size:32px;flex-basis:32px}.personaContainer_e3941fa3 .expandButton_e3941fa3{border-radius:15px 0 0 15px;height:33px;width:44px;padding-right:16px;position:inherit;display:-webkit-box;display:-ms-flexbox;display:flex;margin-right:-17px}.personaContainer_e3941fa3 .personaWrapper_e3941fa3{position:relative;display:inherit}.personaContainer_e3941fa3 .personaWrapper_e3941fa3 .ms-Persona-details{padding:0 8px}.personaContainer_e3941fa3 .personaDetails_e3941fa3{-webkit-box-flex:0;-ms-flex:0 1 auto;flex:0 1 auto}.itemContainer_e3941fa3{display:inline-block;vertical-align:top}"}]);var vc="personaContainer_e3941fa3",bc="hover_e3941fa3",yc="actionButton_e3941fa3",_c="personaContainerIsSelected_e3941fa3",Cc="validationError_e3941fa3",Sc="itemContent_e3941fa3",xc="removeButton_e3941fa3",kc="expandButton_e3941fa3",wc="personaWrapper_e3941fa3",Ic="personaDetails_e3941fa3",Dc="itemContainer_e3941fa3",Tc=s,Ec=function(e){function t(t){var o=e.call(this,t)||this;return o.persona=c.createRef(),(0,P.l)(o),o.state={contextualMenuVisible:!1},o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e,t,o=this.props,n=o.item,r=o.onExpandItem,i=o.onRemoveItem,a=o.removeButtonAriaLabel,s=o.index,u=o.selected,d=(0,dn.z)();return c.createElement("div",{ref:this.persona,className:(0,pt.i)("ms-PickerPersona-container",Tc.personaContainer,(e={},e["is-selected "+Tc.personaContainerIsSelected]=u,e),(t={},t["is-invalid "+Tc.validationError]=!n.isValid,t)),"data-is-focusable":!0,"data-is-sub-focuszone":!0,"data-selection-index":s,role:"listitem","aria-labelledby":"selectedItemPersona-"+d},c.createElement("div",{hidden:!n.canExpand||void 0===r},c.createElement(V.h,{onClick:this._onClickIconButton(r),iconProps:{iconName:"Add",style:{fontSize:"14px"}},className:(0,pt.i)("ms-PickerItem-removeButton",Tc.expandButton,Tc.actionButton),ariaLabel:a})),c.createElement("div",{className:(0,pt.i)(Tc.personaWrapper)},c.createElement("div",{className:(0,pt.i)("ms-PickerItem-content",Tc.itemContent),id:"selectedItemPersona-"+d},c.createElement(ua.I,(0,l.pi)({},n,{onRenderCoin:this.props.renderPersonaCoin,onRenderPrimaryText:this.props.renderPrimaryText,size:C.Ir.size32}))),c.createElement(V.h,{onClick:this._onClickIconButton(i),iconProps:{iconName:"Cancel",style:{fontSize:"14px"}},className:(0,pt.i)("ms-PickerItem-removeButton",Tc.removeButton,Tc.actionButton),ariaLabel:a})))},t.prototype._onClickIconButton=function(e){return function(t){t.stopPropagation(),t.preventDefault(),e&&e()}},t}(c.Component),Pc=function(e){function t(t){var o=e.call(this,t)||this;return o.itemElement=c.createRef(),o._onClick=function(e){e.preventDefault(),o.props.beginEditing&&!o.props.item.isValid?o.props.beginEditing(o.props.item):o.setState({contextualMenuVisible:!0})},o._onCloseContextualMenu=function(e){o.setState({contextualMenuVisible:!1})},(0,P.l)(o),o.state={contextualMenuVisible:!1},o}return(0,l.ZT)(t,e),t.prototype.render=function(){return c.createElement("div",{ref:this.itemElement,onContextMenu:this._onClick},this.props.renderedItem,this.state.contextualMenuVisible?c.createElement(Go.r,{items:this.props.menuItems,shouldFocusOnMount:!0,target:this.itemElement.current,onDismiss:this._onCloseContextualMenu,directionalHint:K.b.bottomLeftEdge}):null)},t}(c.Component),Mc={root:"ms-EditingItem",input:"ms-EditingItem-input"},Rc=function(e){var t=(0,u.gh)();if(!t)throw new Error("theme is undefined or null in Editing item getStyles function.");var o=t.semanticColors,n=(0,u.Cn)(Mc,t);return{root:[n.root,{margin:"4px"}],input:[n.input,{border:"0px",outline:"none",width:"100%",backgroundColor:o.inputBackground,color:o.inputText,selectors:{"::-ms-clear":{display:"none"}}}]}},Nc=function(e){function t(t){var o=e.call(this,t)||this;return o._editingFloatingPicker=c.createRef(),o._renderEditingSuggestions=function(){var e=o.props.onRenderFloatingPicker,t=o.props.floatingPickerProps;return e&&t?c.createElement(e,(0,l.pi)({componentRef:o._editingFloatingPicker,onChange:o._onSuggestionSelected,inputElement:o._editingInput,selectedItems:[]},t)):c.createElement(c.Fragment,null)},o._resolveInputRef=function(e){o._editingInput=e,o.forceUpdate((function(){o._editingInput.focus()}))},o._onInputClick=function(){o._editingFloatingPicker.current&&o._editingFloatingPicker.current.showPicker(!0)},o._onInputBlur=function(e){if(o._editingFloatingPicker.current&&null!==e.relatedTarget){var t=e.relatedTarget;-1===t.className.indexOf("ms-Suggestions-itemButton")&&-1===t.className.indexOf("ms-Suggestions-sectionButton")&&o._editingFloatingPicker.current.forceResolveSuggestion()}},o._onInputChange=function(e){var t=e.target.value;""===t?o.props.onRemoveItem&&o.props.onRemoveItem():o._editingFloatingPicker.current&&o._editingFloatingPicker.current.onQueryStringChanged(t)},o._onSuggestionSelected=function(e){o.props.onEditingComplete(o.props.item,e)},(0,P.l)(o),o.state={contextualMenuVisible:!1},o}return(0,l.ZT)(t,e),t.prototype.componentDidMount=function(){var e=(0,this.props.getEditingItemText)(this.props.item);this._editingFloatingPicker.current&&this._editingFloatingPicker.current.onQueryStringChanged(e),this._editingInput.value=e,this._editingInput.focus()},t.prototype.render=function(){var e=(0,dn.z)(),t=(0,E.pq)(this.props,E.Gg),o=(0,D.y)()(Rc);return c.createElement("div",{"aria-labelledby":"editingItemPersona-"+e,className:o.root},c.createElement("input",(0,l.pi)({autoCapitalize:"off",autoComplete:"off"},t,{ref:this._resolveInputRef,onChange:this._onInputChange,onKeyDown:this._onInputKeyDown,onBlur:this._onInputBlur,onClick:this._onInputClick,"data-lpignore":!0,className:o.input,id:e})),this._renderEditingSuggestions())},t.prototype._onInputKeyDown=function(e){e.which!==rt.m.backspace&&e.which!==rt.m.del||e.stopPropagation()},t}(c.Component),Bc=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,l.ZT)(t,e),t}(fc),Fc=function(e){function t(){var t=null!==e&&e.apply(this,arguments)||this;return t.renderItems=function(){return t.state.items.map((function(e,o){return t._renderItem(e,o)}))},t._beginEditing=function(e){e.isEditing=!0,t.forceUpdate()},t._completeEditing=function(e,o){e.isEditing=!1,t.replaceItem(e,o)},t}return(0,l.ZT)(t,e),t.prototype._renderItem=function(e,t){var o=this,n=this.props.removeButtonAriaLabel,r=this.props.onExpandGroup,i={item:e,index:t,key:e.key?e.key:t,selected:this.selection.isIndexSelected(t),onRemoveItem:function(){return o.removeItem(e)},onItemChange:this.onItemChange,removeButtonAriaLabel:n,onCopyItem:function(e){return o.copyItems([e])},onExpandItem:r?function(){return r(e)}:void 0,menuItems:this._createMenuItems(e)},a=i.menuItems.length>0;if(e.isEditing&&a)return c.createElement(Nc,(0,l.pi)({},i,{onRenderFloatingPicker:this.props.onRenderFloatingPicker,floatingPickerProps:this.props.floatingPickerProps,onEditingComplete:this._completeEditing,getEditingItemText:this.props.getEditingItemText}));var s=(0,this.props.onRenderItem)(i);return a?c.createElement(Pc,{key:i.key,renderedItem:s,beginEditing:this._beginEditing,menuItems:this._createMenuItems(i.item),item:i.item}):s},t.prototype._createMenuItems=function(e){var t=this,o=[];return this.props.editMenuItemText&&this.props.getEditingItemText&&o.push({key:"Edit",text:this.props.editMenuItemText,onClick:function(e,o){t._beginEditing(o.data)},data:e}),this.props.removeMenuItemText&&o.push({key:"Remove",text:this.props.removeMenuItemText,onClick:function(e,o){t.removeItem(o.data)},data:e}),this.props.copyMenuItemText&&o.push({key:"Copy",text:this.props.copyMenuItemText,onClick:function(e,o){t.props.onCopyItems&&t.copyItems([o.data])},data:e}),o},t.defaultProps={onRenderItem:function(e){return c.createElement(Ec,(0,l.pi)({},e))}},t}(Bc),Lc=(0,D.y)(),Ac=c.forwardRef((function(e,t){var o=e.styles,n=e.theme,r=e.className,i=e.vertical,a=e.alignContent,s=e.children,l=Lc(o,{theme:n,className:r,alignContent:a,vertical:i});return c.createElement("div",{className:l.root,ref:t},c.createElement("div",{className:l.content,role:"separator","aria-orientation":i?"vertical":"horizontal"},s))})),zc=(0,I.z)(Ac,(function(e){var t,o,n=e.theme,r=e.alignContent,i=e.vertical,a=e.className,s="start"===r,l="center"===r,c="end"===r;return{root:[n.fonts.medium,{position:"relative"},r&&{textAlign:r},!r&&{textAlign:"center"},i&&(l||!r)&&{verticalAlign:"middle"},i&&s&&{verticalAlign:"top"},i&&c&&{verticalAlign:"bottom"},i&&{padding:"0 4px",height:"inherit",display:"table-cell",zIndex:1,selectors:{":after":(t={backgroundColor:n.palette.neutralLighter,width:"1px",content:'""',position:"absolute",top:"0",bottom:"0",left:"50%",right:"0",zIndex:-1},t[u.qJ]={backgroundColor:"WindowText"},t)}},!i&&{padding:"4px 0",selectors:{":before":(o={backgroundColor:n.palette.neutralLighter,height:"1px",content:'""',display:"block",position:"absolute",top:"50%",bottom:"0",left:"0",right:"0"},o[u.qJ]={backgroundColor:"WindowText"},o)}},a],content:[{position:"relative",display:"inline-block",padding:"0 12px",color:n.semanticColors.bodyText,background:n.semanticColors.bodyBackground},i&&{padding:"12px 0"}]}}),void 0,{scope:"Separator"});zc.displayName="Separator";var Hc,Oc,Wc={root:"ms-Shimmer-container",shimmerWrapper:"ms-Shimmer-shimmerWrapper",shimmerGradient:"ms-Shimmer-shimmerGradient",dataWrapper:"ms-Shimmer-dataWrapper"},Vc=(0,d.NF)((function(){return(0,u.F4)({"0%":{transform:"translateX(-100%)"},"100%":{transform:"translateX(100%)"}})})),Kc=(0,d.NF)((function(){return(0,u.F4)({"100%":{transform:"translateX(-100%)"},"0%":{transform:"translateX(100%)"}})}));!function(e){e[e.line=1]="line",e[e.circle=2]="circle",e[e.gap=3]="gap"}(Hc||(Hc={})),function(e){e[e.line=16]="line",e[e.gap=16]="gap",e[e.circle=24]="circle"}(Oc||(Oc={}));var qc=(0,D.y)(),Gc=function(e){var t=e.height,o=e.styles,n=e.width,r=void 0===n?"100%":n,i=e.borderStyle,a=e.theme,s=qc(o,{theme:a,height:t,borderStyle:i});return c.createElement("div",{style:{width:r,minWidth:"number"==typeof r?r+"px":"auto"},className:s.root},c.createElement("svg",{width:"2",height:"2",className:s.topLeftCorner},c.createElement("path",{d:"M0 2 A 2 2, 0, 0, 1, 2 0 L 0 0 Z"})),c.createElement("svg",{width:"2",height:"2",className:s.topRightCorner},c.createElement("path",{d:"M0 0 A 2 2, 0, 0, 1, 2 2 L 2 0 Z"})),c.createElement("svg",{width:"2",height:"2",className:s.bottomRightCorner},c.createElement("path",{d:"M2 0 A 2 2, 0, 0, 1, 0 2 L 2 2 Z"})),c.createElement("svg",{width:"2",height:"2",className:s.bottomLeftCorner},c.createElement("path",{d:"M2 2 A 2 2, 0, 0, 1, 0 0 L 0 2 Z"})))},Uc={root:"ms-ShimmerLine-root",topLeftCorner:"ms-ShimmerLine-topLeftCorner",topRightCorner:"ms-ShimmerLine-topRightCorner",bottomLeftCorner:"ms-ShimmerLine-bottomLeftCorner",bottomRightCorner:"ms-ShimmerLine-bottomRightCorner"},jc=(0,I.z)(Gc,(function(e){var t,o=e.height,n=e.borderStyle,r=e.theme,i=r.semanticColors,a=(0,u.Cn)(Uc,r),s=n||{},l={position:"absolute",fill:i.bodyBackground};return{root:[a.root,r.fonts.medium,{height:o+"px",boxSizing:"content-box",position:"relative",borderTopStyle:"solid",borderBottomStyle:"solid",borderColor:i.bodyBackground,borderWidth:0,selectors:(t={},t[u.qJ]={borderColor:"Window",selectors:{"> *":{fill:"Window"}}},t)},s],topLeftCorner:[a.topLeftCorner,{top:"0",left:"0"},l],topRightCorner:[a.topRightCorner,{top:"0",right:"0"},l],bottomRightCorner:[a.bottomRightCorner,{bottom:"0",right:"0"},l],bottomLeftCorner:[a.bottomLeftCorner,{bottom:"0",left:"0"},l]}}),void 0,{scope:"ShimmerLine"}),Jc=(0,D.y)(),Yc=function(e){var t=e.height,o=e.styles,n=e.width,r=void 0===n?"10px":n,i=e.borderStyle,a=e.theme,s=Jc(o,{theme:a,height:t,borderStyle:i});return c.createElement("div",{style:{width:r,minWidth:"number"==typeof r?r+"px":"auto"},className:s.root})},Zc={root:"ms-ShimmerGap-root"},Xc=(0,I.z)(Yc,(function(e){var t,o=e.height,n=e.borderStyle,r=e.theme,i=r.semanticColors,a=n||{};return{root:[(0,u.Cn)(Zc,r).root,r.fonts.medium,{backgroundColor:i.bodyBackground,height:o+"px",boxSizing:"content-box",borderTopStyle:"solid",borderBottomStyle:"solid",borderColor:i.bodyBackground,selectors:(t={},t[u.qJ]={backgroundColor:"Window",borderColor:"Window"},t)},a]}}),void 0,{scope:"ShimmerGap"}),Qc={root:"ms-ShimmerCircle-root",svg:"ms-ShimmerCircle-svg"},$c=(0,D.y)(),eu=function(e){var t=e.height,o=e.styles,n=e.borderStyle,r=e.theme,i=$c(o,{theme:r,height:t,borderStyle:n});return c.createElement("div",{className:i.root},c.createElement("svg",{viewBox:"0 0 10 10",width:t,height:t,className:i.svg},c.createElement("path",{d:"M0,0 L10,0 L10,10 L0,10 L0,0 Z M0,5 C0,7.76142375 2.23857625,10 5,10 C7.76142375,10 10,7.76142375 10,5 C10,2.23857625 7.76142375,2.22044605e-16 5,0 C2.23857625,-2.22044605e-16 0,2.23857625 0,5 L0,5 Z"})))},tu=(0,I.z)(eu,(function(e){var t,o,n=e.height,r=e.borderStyle,i=e.theme,a=i.semanticColors,s=(0,u.Cn)(Qc,i),l=r||{};return{root:[s.root,i.fonts.medium,{width:n+"px",height:n+"px",minWidth:n+"px",boxSizing:"content-box",borderTopStyle:"solid",borderBottomStyle:"solid",borderColor:a.bodyBackground,selectors:(t={},t[u.qJ]={borderColor:"Window"},t)},l],svg:[s.svg,{display:"block",fill:a.bodyBackground,selectors:(o={},o[u.qJ]={fill:"Window"},o)}]}}),void 0,{scope:"ShimmerCircle"}),ou=(0,D.y)(),nu=function(e){var t=e.styles,o=e.width,n=void 0===o?"auto":o,r=e.shimmerElements,i=e.rowHeight,a=void 0===i?function(e){return e.map((function(e){switch(e.type){case Hc.circle:e.height||(e.height=Oc.circle);break;case Hc.line:e.height||(e.height=Oc.line);break;case Hc.gap:e.height||(e.height=Oc.gap)}return e})).reduce((function(e,t){return t.height&&t.height>e?t.height:e}),0)}(r||[]):i,s=e.flexWrap,u=void 0!==s&&s,d=e.theme,p=e.backgroundColor,m=ou(t,{theme:d,flexWrap:u});return c.createElement("div",{style:{width:n},className:m.root},function(e,t,o){return e?e.map((function(e,n){var r=e.type,i=(0,l._T)(e,["type"]),a=i.verticalAlign,s=i.height,u=ru(a,r,s,t,o);switch(e.type){case Hc.circle:return c.createElement(tu,(0,l.pi)({key:n},i,{styles:u}));case Hc.gap:return c.createElement(Xc,(0,l.pi)({key:n},i,{styles:u}));case Hc.line:return c.createElement(jc,(0,l.pi)({key:n},i,{styles:u}))}})):c.createElement(jc,{height:Oc.line})}(r,p,a))},ru=(0,d.NF)((function(e,t,o,n,r){var i,a=r&&o?r-o:0;if(e&&"center"!==e?e&&"top"===e?i={borderBottomWidth:a+"px",borderTopWidth:"0px"}:e&&"bottom"===e&&(i={borderBottomWidth:"0px",borderTopWidth:a+"px"}):i={borderBottomWidth:(a?Math.floor(a/2):0)+"px",borderTopWidth:(a?Math.ceil(a/2):0)+"px"},n)switch(t){case Hc.circle:return{root:(0,l.pi)((0,l.pi)({},i),{borderColor:n}),svg:{fill:n}};case Hc.gap:return{root:(0,l.pi)((0,l.pi)({},i),{borderColor:n,backgroundColor:n})};case Hc.line:return{root:(0,l.pi)((0,l.pi)({},i),{borderColor:n}),topLeftCorner:{fill:n},topRightCorner:{fill:n},bottomLeftCorner:{fill:n},bottomRightCorner:{fill:n}}}return{root:i}})),iu={root:"ms-ShimmerElementsGroup-root"},au=(0,I.z)(nu,(function(e){var t=e.flexWrap,o=e.theme;return{root:[(0,u.Cn)(iu,o).root,o.fonts.medium,{display:"flex",alignItems:"center",flexWrap:t?"wrap":"nowrap",position:"relative"}]}}),void 0,{scope:"ShimmerElementsGroup"}),su=(0,D.y)(),lu=c.forwardRef((function(e,t){var o=e.styles,n=e.shimmerElements,r=e.children,i=e.width,a=e.className,s=e.customElementsGroup,u=e.theme,d=e.ariaLabel,p=e.shimmerColors,m=e.isDataLoaded,h=void 0!==m&&m,g=(0,E.pq)(e,E.n7),f=su(o,{theme:u,isDataLoaded:h,className:a,transitionAnimationInterval:200,shimmerColor:p&&p.shimmer,shimmerWaveColor:p&&p.shimmerWave}),v=(0,q.B)({lastTimeoutId:0}),b=(0,Ct.L)(),y=b.setTimeout,_=b.clearTimeout,C=c.useState(h),S=C[0],x=C[1],k={width:i||"100%"};return c.useEffect((function(){if(h!==S){if(h)return v.lastTimeoutId=y((function(){x(!0)}),200),function(){return _(v.lastTimeoutId)};x(!1)}}),[h]),c.createElement("div",(0,l.pi)({},g,{className:f.root,ref:t}),!S&&c.createElement("div",{style:k,className:f.shimmerWrapper},c.createElement("div",{className:f.shimmerGradient}),s||c.createElement(au,{shimmerElements:n,backgroundColor:p&&p.background})),r&&c.createElement("div",{className:f.dataWrapper},r),d&&!h&&c.createElement("div",{role:"status","aria-live":"polite"},c.createElement(Us.U,null,c.createElement("div",{className:f.screenReaderText},d))))}));lu.displayName="Shimmer";var cu=(0,I.z)(lu,(function(e){var t,o=e.isDataLoaded,n=e.className,r=e.theme,i=e.transitionAnimationInterval,a=e.shimmerColor,s=e.shimmerWaveColor,c=r.semanticColors,d=(0,u.Cn)(Wc,r),p=(0,T.zg)(r);return{root:[d.root,r.fonts.medium,{position:"relative",height:"auto"},n],shimmerWrapper:[d.shimmerWrapper,{position:"relative",overflow:"hidden",transform:"translateZ(0)",backgroundColor:a||c.disabledBackground,transition:"opacity "+i+"ms",selectors:(t={"> *":{transform:"translateZ(0)"}},t[u.qJ]=(0,l.pi)({background:"WindowText\n linear-gradient(\n to right,\n transparent 0%,\n Window 50%,\n transparent 100%)\n 0 0 / 90% 100%\n no-repeat"},(0,u.xM)()),t)},o&&{opacity:"0",position:"absolute",top:"0",bottom:"0",left:"0",right:"0"}],shimmerGradient:[d.shimmerGradient,{position:"absolute",top:0,left:0,width:"100%",height:"100%",background:(a||c.disabledBackground)+"\n linear-gradient(\n to right,\n "+(a||c.disabledBackground)+" 0%,\n "+(s||c.bodyDivider)+" 50%,\n "+(a||c.disabledBackground)+" 100%)\n 0 0 / 90% 100%\n no-repeat",transform:"translateX(-100%)",animationDuration:"2s",animationTimingFunction:"ease-in-out",animationDirection:"normal",animationIterationCount:"infinite",animationName:p?Kc():Vc()}],dataWrapper:[d.dataWrapper,{position:"absolute",top:"0",bottom:"0",left:"0",right:"0",opacity:"0",background:"none",backgroundColor:"transparent",border:"none",transition:"opacity "+i+"ms"},o&&{opacity:"1",position:"static"}],screenReaderText:u.ul}}),void 0,{scope:"Shimmer"}),uu=(0,D.y)(),du=function(e){function t(t){var o=e.call(this,t)||this;return o._onRenderShimmerPlaceholder=function(e,t){var n=o.props.onRenderCustomPlaceholder,r=n?n(t,e,o._renderDefaultShimmerPlaceholder):o._renderDefaultShimmerPlaceholder(t);return c.createElement(cu,{customElementsGroup:r})},o._renderDefaultShimmerPlaceholder=function(e){var t=e.columns,o=e.compact,n=e.selectionMode,r=e.checkboxVisibility,i=e.cellStyleProps,a=void 0===i?hn:i,s=gn.rowHeight,l=gn.compactRowHeight,u=o?l:s+1,d=[];return n!==on.oW.none&&r!==un.hidden&&d.push(c.createElement(au,{key:"checkboxGap",shimmerElements:[{type:Hc.gap,width:"40px",height:u}]})),t.forEach((function(e,t){var o=[],n=a.cellLeftPadding+a.cellRightPadding+e.calculatedWidth+(e.isPadded?a.cellExtraRightPadding:0);o.push({type:Hc.gap,width:a.cellLeftPadding,height:u}),e.isIconOnly?(o.push({type:Hc.line,width:e.calculatedWidth,height:e.calculatedWidth}),o.push({type:Hc.gap,width:a.cellRightPadding,height:u})):(o.push({type:Hc.line,width:.95*e.calculatedWidth,height:7}),o.push({type:Hc.gap,width:a.cellRightPadding+(e.calculatedWidth-.95*e.calculatedWidth)+(e.isPadded?a.cellExtraRightPadding:0),height:u})),d.push(c.createElement(au,{key:t,width:n+"px",shimmerElements:o}))})),d.push(c.createElement(au,{key:"endGap",width:"100%",shimmerElements:[{type:Hc.gap,width:"100%",height:u}]})),c.createElement("div",{style:{display:"flex"}},d)},o._shimmerItems=t.shimmerLines?new Array(t.shimmerLines):new Array(10),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.detailsListStyles,o=e.enableShimmer,n=e.items,r=e.listProps,i=(e.onRenderCustomPlaceholder,e.removeFadingOverlay),a=(e.shimmerLines,e.styles),s=e.theme,u=e.ariaLabelForGrid,d=e.ariaLabelForShimmer,p=(0,l._T)(e,["detailsListStyles","enableShimmer","items","listProps","onRenderCustomPlaceholder","removeFadingOverlay","shimmerLines","styles","theme","ariaLabelForGrid","ariaLabelForShimmer"]),m=r&&r.className;this._classNames=uu(a,{theme:s});var h=(0,l.pi)((0,l.pi)({},r),{className:o&&!i?(0,pt.i)(this._classNames.root,m):m});return c.createElement(xr,(0,l.pi)({},p,{styles:t,items:o?this._shimmerItems:n,isPlaceholderData:o,ariaLabelForGrid:o&&d||u,onRenderMissingItem:this._onRenderShimmerPlaceholder,listProps:h}))},t}(c.Component),pu=(0,I.z)(du,(function(e){var t=e.theme.palette;return{root:{position:"relative",selectors:{":after":{content:'""',position:"absolute",top:0,right:0,bottom:0,left:0,backgroundImage:"linear-gradient(to bottom, transparent 30%, "+t.whiteTranslucent40+" 65%,"+t.white+" 100%)"}}}}}),void 0,{scope:"ShimmeredDetailsList"}),mu=o(4107),hu=o(9379),gu=o(3134),fu=o(998),vu=o(6315),bu=o(6362),yu=o(9444),_u=l.pi;function Cu(e,t){for(var o=[],n=2;n0)throw new Error("Any module using getSlots must use withSlots. Please see withSlots javadoc for more info.");return wu(t[e],o,n[e],n.slots&&n.slots[e],n._defaultStyles&&n._defaultStyles[e],n.theme)};r.isSlot=!0,o[e]=r}};for(var i in t)r(i);return o}function wu(e,t,o,n,r,i){return void 0!==e.create?e.create(t,o,n,r):xu(e)(t,o,n,r,i)}var Iu=o(7576),Du=o(1767);function Tu(e,t){void 0===t&&(t={});var o=t.factoryOptions,n=(void 0===o?{}:o).defaultProp,r=function(o){var n,r,i,a,s=(n=t.displayName,r=c.useContext(Iu.i),i=t.fields,a=["theme","styles","tokens"],Du.X.getSettings(i||a,n,r.customizations)),d=t.state;d&&(o=(0,l.pi)((0,l.pi)({},o),d(o)));var p=o.theme||s.theme,m=Eu(o,p,t.tokens,s.tokens,o.tokens),h=function(e,t,o){for(var n=[],r=3;r2)return{rowGap:{value:0,unit:"px"},columnGap:{value:0,unit:"px"}};if(2===o.length)return{rowGap:Fu(Bu(o[0],t)),columnGap:Fu(Bu(o[1],t))};var n=Fu(Bu(e,t));return{rowGap:n,columnGap:n}}(S,t),D=I.rowGap,T=I.columnGap,E=""+-.5*T.value+T.unit,P=""+-.5*D.value+D.unit,M={textOverflow:"ellipsis"},R={"> *:not(.ms-StackItem)":{flexShrink:y?0:1}};return f?{root:[C.root,{flexWrap:"wrap",maxWidth:k,maxHeight:x,width:"auto",overflow:"visible",height:"100%"},v&&(n={},n[m?"justifyContent":"alignItems"]=Au[v]||v,n),b&&(r={},r[m?"alignItems":"justifyContent"]=Au[b]||b,r),_,{display:"flex"},m&&{height:p?"100%":"auto"}],inner:[C.inner,{display:"flex",flexWrap:"wrap",marginLeft:E,marginRight:E,marginTop:P,marginBottom:P,overflow:"visible",boxSizing:"border-box",padding:Lu(w,t),width:0===T.value?"100%":"calc(100% + "+T.value+T.unit+")",maxWidth:"100vw",selectors:(0,l.pi)({"> *":(0,l.pi)({margin:""+.5*D.value+D.unit+" "+.5*T.value+T.unit},M)},R)},v&&(i={},i[m?"justifyContent":"alignItems"]=Au[v]||v,i),b&&(a={},a[m?"alignItems":"justifyContent"]=Au[b]||b,a),m&&{flexDirection:h?"row-reverse":"row",height:0===D.value?"100%":"calc(100% + "+D.value+D.unit+")",selectors:{"> *":{maxWidth:0===T.value?"100%":"calc(100% - "+T.value+T.unit+")"}}},!m&&{flexDirection:h?"column-reverse":"column",height:"calc(100% + "+D.value+D.unit+")",selectors:{"> *":{maxHeight:0===D.value?"100%":"calc(100% - "+D.value+D.unit+")"}}}]}:{root:[C.root,{display:"flex",flexDirection:m?h?"row-reverse":"row":h?"column-reverse":"column",flexWrap:"nowrap",width:"auto",height:p?"100%":"auto",maxWidth:k,maxHeight:x,padding:Lu(w,t),boxSizing:"border-box",selectors:(0,l.pi)((s={"> *":M},s[h?"> *:not(:last-child)":"> *:not(:first-child)"]=[m&&{marginLeft:""+T.value+T.unit},!m&&{marginTop:""+D.value+D.unit}],s),R)},g&&{flexGrow:!0===g?1:g},v&&(c={},c[m?"justifyContent":"alignItems"]=Au[v]||v,c),b&&(d={},d[m?"alignItems":"justifyContent"]=Au[b]||b,d),_]}},statics:{Item:Nu}});!function(e){e[e.Both=0]="Both",e[e.Header=1]="Header",e[e.Footer=2]="Footer"}(Pu||(Pu={}));var Ou=function(e){function t(t){var o=e.call(this,t)||this;return o._root=c.createRef(),o._stickyContentTop=c.createRef(),o._stickyContentBottom=c.createRef(),o._nonStickyContent=c.createRef(),o._placeHolder=c.createRef(),o.syncScroll=function(e){var t=o.nonStickyContent;t&&o.props.isScrollSynced&&(t.scrollLeft=e.scrollLeft)},o._getContext=function(){return o.context},o._onScrollEvent=function(e,t){if(o.root&&o.nonStickyContent){var n=o._getNonStickyDistanceFromTop(e),r=!1,i=!1;o.canStickyTop&&(r=n-o._getStickyDistanceFromTop()=o._getStickyDistanceFromTopForFooter(e,t)),document.activeElement&&o.nonStickyContent.contains(document.activeElement)&&(o.state.isStickyTop!==r||o.state.isStickyBottom!==i)?o._activeElement=document.activeElement:o._activeElement=void 0,o.setState({isStickyTop:o.canStickyTop&&r,isStickyBottom:i,distanceFromTop:n})}},o._getStickyDistanceFromTop=function(){var e=0;return o.stickyContentTop&&(e=o.stickyContentTop.offsetTop),e},o._getStickyDistanceFromTopForFooter=function(e,t){var n=0;return o.stickyContentBottom&&(n=e.clientHeight-t.offsetHeight+o.stickyContentBottom.offsetTop),n},o._getNonStickyDistanceFromTop=function(e){var t=0,n=o.root;if(n){for(;n&&n.offsetParent!==e;)t+=n.offsetTop,n=n.offsetParent;n&&n.offsetParent===e&&(t+=n.offsetTop)}return t},(0,P.l)(o),o.state={isStickyTop:!1,isStickyBottom:!1,distanceFromTop:void 0},o._activeElement=void 0,o}return(0,l.ZT)(t,e),Object.defineProperty(t.prototype,"root",{get:function(){return this._root.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"placeholder",{get:function(){return this._placeHolder.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"stickyContentTop",{get:function(){return this._stickyContentTop.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"stickyContentBottom",{get:function(){return this._stickyContentBottom.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"nonStickyContent",{get:function(){return this._nonStickyContent.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"canStickyTop",{get:function(){return this.props.stickyPosition===Pu.Both||this.props.stickyPosition===Pu.Header},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"canStickyBottom",{get:function(){return this.props.stickyPosition===Pu.Both||this.props.stickyPosition===Pu.Footer},enumerable:!0,configurable:!0}),t.prototype.componentDidMount=function(){var e=this._getContext().scrollablePane;e&&(e.subscribe(this._onScrollEvent),e.addSticky(this))},t.prototype.componentWillUnmount=function(){var e=this._getContext().scrollablePane;e&&(e.unsubscribe(this._onScrollEvent),e.removeSticky(this))},t.prototype.componentDidUpdate=function(e,t){var o=this._getContext().scrollablePane;if(o){var n=this.state,r=n.isStickyBottom,i=n.isStickyTop,a=n.distanceFromTop,s=!1;t.distanceFromTop!==a&&(o.sortSticky(this,!0),s=!0),t.isStickyTop===i&&t.isStickyBottom===r||(this._activeElement&&this._activeElement.focus(),o.updateStickyRefHeights(),s=!0),s&&o.syncScrollSticky(this)}},t.prototype.shouldComponentUpdate=function(e,t){if(!this.context.scrollablePane)return!0;var o=this.state,n=o.isStickyTop,r=o.isStickyBottom,i=o.distanceFromTop;return n!==t.isStickyTop||r!==t.isStickyBottom||this.props.stickyPosition!==e.stickyPosition||this.props.children!==e.children||i!==t.distanceFromTop||Wu(this._nonStickyContent,this._stickyContentTop)||Wu(this._nonStickyContent,this._stickyContentBottom)||Wu(this._nonStickyContent,this._placeHolder)},t.prototype.render=function(){var e=this.state,t=e.isStickyTop,o=e.isStickyBottom,n=this.props,r=n.stickyClassName,i=n.children;return this.context.scrollablePane?c.createElement("div",{ref:this._root},this.canStickyTop&&c.createElement("div",{ref:this._stickyContentTop,style:{pointerEvents:t?"auto":"none"}},c.createElement("div",{style:this._getStickyPlaceholderHeight(t)})),this.canStickyBottom&&c.createElement("div",{ref:this._stickyContentBottom,style:{pointerEvents:o?"auto":"none"}},c.createElement("div",{style:this._getStickyPlaceholderHeight(o)})),c.createElement("div",{style:this._getNonStickyPlaceholderHeightAndWidth(),ref:this._placeHolder},(t||o)&&c.createElement("span",{style:u.ul},i),c.createElement("div",{ref:this._nonStickyContent,className:t||o?r:void 0,style:this._getContentStyles(t||o)},i))):c.createElement("div",null,this.props.children)},t.prototype.addSticky=function(e){this.nonStickyContent&&e.appendChild(this.nonStickyContent)},t.prototype.resetSticky=function(){this.nonStickyContent&&this.placeholder&&this.placeholder.appendChild(this.nonStickyContent)},t.prototype.setDistanceFromTop=function(e){var t=this._getNonStickyDistanceFromTop(e);this.setState({distanceFromTop:t})},t.prototype._getContentStyles=function(e){return{backgroundColor:this.props.stickyBackgroundColor||this._getBackground(),overflow:e?"hidden":""}},t.prototype._getStickyPlaceholderHeight=function(e){var t=this.nonStickyContent?this.nonStickyContent.offsetHeight:0;return{visibility:e?"hidden":"visible",height:e?0:t}},t.prototype._getNonStickyPlaceholderHeightAndWidth=function(){var e=this.state,t=e.isStickyTop,o=e.isStickyBottom;if(t||o){var n=0,r=0;return this.nonStickyContent&&this.nonStickyContent.firstElementChild&&(n=this.nonStickyContent.offsetHeight,r=this.nonStickyContent.firstElementChild.scrollWidth+(this.nonStickyContent.firstElementChild.offsetWidth-this.nonStickyContent.firstElementChild.clientWidth)),{height:n,width:r}}return{}},t.prototype._getBackground=function(){if(this.root){for(var e=this.root;"rgba(0, 0, 0, 0)"===window.getComputedStyle(e).getPropertyValue("background-color")||"transparent"===window.getComputedStyle(e).getPropertyValue("background-color");){if("HTML"===e.tagName)return;e.parentElement&&(e=e.parentElement)}return window.getComputedStyle(e).getPropertyValue("background-color")}},t.defaultProps={stickyPosition:Pu.Both,isScrollSynced:!0},t.contextType=cc,t}(c.Component);function Wu(e,t){return e&&t&&e.current&&t.current&&e.current.offsetHeight!==t.current.offsetHeight}var Vu=o(9502),Ku=o(8621),qu=o(3624),Gu=o(1565),Uu=(0,D.y)(),ju=c.forwardRef((function(e,t){var o,n,r,i,a,s=c.useRef(null),u=(0,j.ky)(),d=(0,N.r)(s,t),p=e.illustrationImage,m=e.primaryButtonProps,h=e.secondaryButtonProps,g=e.headline,f=e.hasCondensedHeadline,v=e.hasCloseButton,b=void 0===v?e.hasCloseIcon:v,y=e.onDismiss,_=e.closeButtonAriaLabel,C=e.hasSmallHeadline,S=e.isWide,x=e.styles,k=e.theme,w=e.ariaDescribedBy,I=e.ariaLabelledBy,D=e.footerContent,T=e.focusTrapZoneProps,E=Uu(x,{theme:k,hasCondensedHeadline:f,hasSmallHeadline:C,hasCloseButton:b,hasHeadline:!!g,isWide:S,primaryButtonClassName:m?m.className:void 0,secondaryButtonClassName:h?h.className:void 0}),P=c.useCallback((function(e){y&&e.which===rt.m.escape&&y(e)}),[y]);if((0,U.d)(u,"keydown",P),p&&p.src&&(o=c.createElement("div",{className:E.imageContent},c.createElement(Ti.E,(0,l.pi)({},p)))),g){var M="string"==typeof g?"p":"div";n=c.createElement("div",{className:E.header},c.createElement(M,{role:"heading",className:E.headline,id:I},g))}if(e.children){var R="string"==typeof e.children?"p":"div";r=c.createElement("div",{className:E.body},c.createElement(R,{className:E.subText,id:w},e.children))}return(m||h||D)&&(i=c.createElement(Hu,{className:E.footer,horizontal:!0,horizontalAlign:D?"space-between":"end"},c.createElement(Hu.Item,{align:"center"},c.createElement("span",null,D)),c.createElement(Hu.Item,null,h&&c.createElement(ye.a,(0,l.pi)({},h,{className:E.secondaryButton})),m&&c.createElement(Se.K,(0,l.pi)({},m,{className:E.primaryButton}))))),b&&(a=c.createElement(V.h,{className:E.closeButton,iconProps:{iconName:"Cancel"},title:_,ariaLabel:_,onClick:y})),function(e,t){c.useImperativeHandle(e,(function(){return{focus:function(){var e;return null===(e=t.current)||void 0===e?void 0:e.focus()}}}),[t])}(e.componentRef,s),c.createElement("div",{className:E.content,ref:d,role:"dialog",tabIndex:-1,"aria-labelledby":I,"aria-describedby":w,"data-is-focusable":!0},o,c.createElement(Oe.P,(0,l.pi)({isClickableOutsideFocusTrap:!0},T),c.createElement("div",{className:E.bodyContent},n,r,i,a)))})),Ju={root:"ms-TeachingBubble",body:"ms-TeachingBubble-body",bodyContent:"ms-TeachingBubble-bodycontent",closeButton:"ms-TeachingBubble-closebutton",content:"ms-TeachingBubble-content",footer:"ms-TeachingBubble-footer",header:"ms-TeachingBubble-header",headerIsCondensed:"ms-TeachingBubble-header--condensed",headerIsSmall:"ms-TeachingBubble-header--small",headerIsLarge:"ms-TeachingBubble-header--large",headline:"ms-TeachingBubble-headline",image:"ms-TeachingBubble-image",primaryButton:"ms-TeachingBubble-primaryButton",secondaryButton:"ms-TeachingBubble-secondaryButton",subText:"ms-TeachingBubble-subText",button:"ms-Button",buttonLabel:"ms-Button-label"},Yu=(0,d.NF)((function(){return(0,u.F4)({"0%":{opacity:0,animationTimingFunction:u.D1.easeFunction1,transform:"scale3d(.90,.90,.90)"},"100%":{opacity:1,transform:"scale3d(1,1,1)"}})})),Zu=function(e,t){var o=t||{},n=o.calloutWidth,r=o.calloutMaxWidth;return[{display:"block",maxWidth:364,border:0,outline:"transparent",width:n||"calc(100% + 1px)",animationName:""+Yu(),animationDuration:"300ms",animationTimingFunction:"linear",animationFillMode:"both"},e&&{maxWidth:r||456}]},Xu=function(e,t,o){return t?[e.headerIsCondensed,{marginBottom:14}]:[o&&e.headerIsSmall,!o&&e.headerIsLarge,{selectors:{":not(:last-child)":{marginBottom:14}}}]},Qu=function(e){var t,o,n,r=e.hasCondensedHeadline,i=e.hasSmallHeadline,a=e.hasCloseButton,s=e.hasHeadline,c=e.isWide,d=e.primaryButtonClassName,p=e.secondaryButtonClassName,m=e.theme,h=e.calloutProps,g=void 0===h?{className:void 0,theme:m}:h,f=!r&&!i,v=m.palette,b=m.semanticColors,y=m.fonts,_=(0,u.Cn)(Ju,m);return{root:[_.root,y.medium,g.className],body:[_.body,a&&!s&&{marginRight:24},{selectors:{":not(:last-child)":{marginBottom:20}}}],bodyContent:[_.bodyContent,{padding:"20px 24px 20px 24px"}],closeButton:[_.closeButton,{position:"absolute",right:0,top:0,margin:"15px 15px 0 0",borderRadius:0,color:v.white,fontSize:y.small.fontSize,selectors:{":hover":{background:v.themeDarkAlt,color:v.white},":active":{background:v.themeDark,color:v.white},":focus":{border:"1px solid "+b.variantBorder}}}],content:(0,l.pr)([_.content],Zu(c),[c&&{display:"flex"}]),footer:[_.footer,{display:"flex",flex:"auto",alignItems:"center",color:v.white,selectors:(t={},t["."+_.button+":not(:first-child)"]={marginLeft:10},t)}],header:(0,l.pr)([_.header],Xu(_,r,i),[a&&{marginRight:24},(r||i)&&[y.medium,{fontWeight:u.lq.semibold}]]),headline:[_.headline,{margin:0,color:v.white,fontWeight:u.lq.semibold},f&&[{fontSize:y.xLarge.fontSize}]],imageContent:[_.header,_.image,c&&{display:"flex",alignItems:"center",maxWidth:154}],primaryButton:[_.primaryButton,d,{backgroundColor:v.white,borderColor:v.white,color:v.themePrimary,whiteSpace:"nowrap",selectors:(o={},o["."+_.buttonLabel]=y.medium,o[":hover"]={backgroundColor:v.themeLighter,borderColor:v.themeLighter,color:v.themePrimary},o[":focus"]={backgroundColor:v.themeLighter,borderColor:v.white},o[":active"]={backgroundColor:v.white,borderColor:v.white,color:v.themePrimary},o)}],secondaryButton:[_.secondaryButton,p,{backgroundColor:v.themePrimary,borderColor:v.white,whiteSpace:"nowrap",selectors:(n={},n["."+_.buttonLabel]=[y.medium,{color:v.white}],n["&:hover, &:focus"]={backgroundColor:v.themeDarkAlt,borderColor:v.white},n[":active"]={backgroundColor:v.themePrimary,borderColor:v.white},n)}],subText:[_.subText,{margin:0,fontSize:y.medium.fontSize,color:v.white,fontWeight:u.lq.regular}],subComponentStyles:{callout:{root:(0,l.pr)(Zu(c,g),[y.medium]),beak:[{background:v.themePrimary}],calloutMain:[{background:v.themePrimary}]}}}},$u=(0,I.z)(ju,Qu,void 0,{scope:"TeachingBubbleContent"}),ed={beakWidth:16,gapSpace:0,setInitialFocus:!0,doNotLayer:!1,directionalHint:K.b.rightCenter},td=(0,D.y)(),od=c.forwardRef((function(e,t){var o=c.useRef(null),n=(0,N.r)(o,t),r=e.calloutProps,i=e.targetElement,a=e.onDismiss,s=e.hasCloseButton,u=void 0===s?e.hasCloseIcon:s,d=e.isWide,p=e.styles,m=e.theme,h=e.target,g=c.useMemo((function(){return(0,l.pi)((0,l.pi)((0,l.pi)({},ed),r),{theme:m})}),[r,m]),f=td(p,{theme:m,isWide:d,calloutProps:g,hasCloseButton:u}),v=f.subComponentStyles?f.subComponentStyles.callout:void 0;return function(e,t){c.useImperativeHandle(e,(function(){return{focus:function(){var e;return null===(e=t.current)||void 0===e?void 0:e.focus()}}}),[t])}(e.componentRef,o),c.createElement(Ae.U,(0,l.pi)({target:h||i,onDismiss:a},g,{className:f.root,styles:v,hideOverflow:!0}),c.createElement("div",{ref:n},c.createElement($u,(0,l.pi)({},e))))}));od.displayName="TeachingBubble";var nd=(0,I.z)(od,Qu,void 0,{scope:"TeachingBubble"}),rd=function(e){if(null==e.children)return null;e.block,e.className;var t=e.as,o=void 0===t?"span":t,n=(e.variant,e.nowrap,(0,l._T)(e,["block","className","as","variant","nowrap"]));return Cu(ku(e,{root:o}).root,(0,l.pi)({},(0,E.pq)(n,E.iY)))},id=function(e,t){var o=e.as,n=e.className,r=e.block,i=e.nowrap,a=e.variant,s=t.fonts,l=t.semanticColors,c=s[a||"medium"];return{root:[c,{color:c.color||l.bodyText,display:r?"td"===o?"table-cell":"block":"inline",mozOsxFontSmoothing:c.MozOsxFontSmoothing,webkitFontSmoothing:c.WebkitFontSmoothing},i&&{whiteSpace:"nowrap",overflow:"hidden",textOverflow:"ellipsis"},n]}},ad=Tu(rd,{displayName:"Text",styles:id}),sd=o(8623),ld=o(5229),cd={9:/[0-9]/,a:/[a-zA-Z]/,"*":/[a-zA-Z0-9]/};function ud(e,t){if(void 0===t&&(t=cd),!e)return[];for(var o=[],n=0,r=0;r+n0&&(r=t[0].displayIndex-1);for(var i=0,a=t;ir&&(r=s.displayIndex)):o&&(l=o),n=n.slice(0,s.displayIndex)+l+n.slice(s.displayIndex+1)}return o||(n=n.slice(0,r+1)),n}function pd(e,t){for(var o=0;o=t)return e[o].displayIndex;return e[e.length-1].displayIndex}function md(e,t,o){for(var n=0;n=t){if(e[n].displayIndex>=t+o)break;e[n].value=void 0}return e}function hd(e,t,o){for(var n=0,r=0,i=!1,a=0;a=t)for(i=!0,r=e[a].displayIndex;n=t){e[o].value=void 0;break}return e}(y.maskCharData,s),r=pd(y.maskCharData,s)):(y.maskCharData=function(e,t){for(var o=e.length-1;o>=0;o--)if(e[o].displayIndex=0;o--)if(e[o].displayIndexk.length){p=l-(d=t.length-k.length);var v=t.substr(p,d);r=hd(y.maskCharData,p,v)}else if(t.length<=k.length){d=1;var b=k.length+d-t.length;p=l-d,v=t.substr(p,d),y.maskCharData=md(y.maskCharData,p,b),r=hd(y.maskCharData,p,v)}y.changeSelectionData=null;var _=dd(m,y.maskCharData,g);w(_),S(r),null===(n=u)||void 0===n||n(e,_)}}),[k.length,y,m,g,u]),R=c.useCallback((function(e){var t;if(null===(t=p)||void 0===t||t(e),y.changeSelectionData=null,o.current&&o.current.value){var n=e.keyCode,r=e.ctrlKey,i=e.metaKey;if(r||i)return;if(n===rt.m.backspace||n===rt.m.del){var a=e.target.selectionStart,s=e.target.selectionEnd;if(!(n===rt.m.backspace&&s&&s>0||n===rt.m.del&&null!==a&&a{"use strict";o.d(t,{_:()=>m});var n=o(2002),r=o(7622),i=o(7002),a=o(7300),s=o(8127),l=o(2470),c=o(2998),u=o(4085),d=(0,a.y)(),p=i.forwardRef((function(e,t){var o=(0,u.M)(void 0,e.id),n=e.items,a=e.columnCount,p=e.onRenderItem,m=e.ariaPosInSet,h=void 0===m?e.positionInSet:m,g=e.ariaSetSize,f=void 0===g?e.setSize:g,v=e.styles,b=e.doNotContainWithinFocusZone,y=(0,s.pq)(e,s.iY,b?[]:["onBlur"]),_=d(v,{theme:e.theme}),C=(0,l.QC)(n,a),S=i.createElement("table",(0,r.pi)({"aria-posinset":h,"aria-setsize":f,id:o,role:"grid"},y,{className:_.root}),i.createElement("tbody",null,C.map((function(e,t){return i.createElement("tr",{role:"row",key:t},e.map((function(e,t){return i.createElement("td",{role:"presentation",key:t+"-cell",className:_.tableCell},p(e,t))})))}))));return b?S:i.createElement(c.k,{elementRef:t,isCircularNavigation:e.shouldFocusCircularNavigate,className:_.focusedContainer,onBlur:e.onBlur},S)})),m=(0,n.z)(p,(function(e){return{root:{padding:2,outline:"none"},tableCell:{padding:0}}}));m.displayName="ButtonGrid"},634:(e,t,o)=>{"use strict";o.d(t,{U:()=>s});var n=o(7002),r=o(8088),i=o(990),a=o(4085),s=function(e){var t,o=(0,a.M)("gridCell"),s=e.item,l=e.id,c=void 0===l?o:l,u=e.className,d=e.role,p=e.selected,m=e.disabled,h=void 0!==m&&m,g=e.onRenderItem,f=e.cellDisabledStyle,v=e.cellIsSelectedStyle,b=e.index,y=e.label,_=e.getClassNames,C=e.onClick,S=e.onHover,x=e.onMouseMove,k=e.onMouseLeave,w=e.onMouseEnter,I=e.onFocus,D=n.useCallback((function(){C&&!h&&C(s)}),[h,s,C]),T=n.useCallback((function(e){w&&w(e)||!S||h||S(s)}),[h,s,S,w]),E=n.useCallback((function(e){x&&x(e)||!S||h||S(s)}),[h,s,S,x]),P=n.useCallback((function(e){k&&k(e)||!S||h||S()}),[h,S,k]),M=n.useCallback((function(){I&&!h&&I(s)}),[h,s,I]);return n.createElement(i.M,{id:c,"data-index":b,"data-is-focusable":!0,disabled:h,className:(0,r.i)(u,(t={},t[""+v]=p,t[""+f]=h,t)),onClick:D,onMouseEnter:T,onMouseMove:E,onMouseLeave:P,onFocus:M,role:d,"aria-selected":p,ariaLabel:y,title:y,getClassNames:_},g(s))}},7970:(e,t,o)=>{"use strict";o.d(t,{a:()=>r});var n=o(21);function r(e,t,o,r,i){return r===n.c5||"number"!=typeof r?"#"+i:"rgba("+e+", "+t+", "+o+", "+r/n.c5+")"}},1342:(e,t,o)=>{"use strict";function n(e,t,o){return void 0===o&&(o=0),et?t:e}o.d(t,{u:()=>n})},21:(e,t,o)=>{"use strict";o.d(t,{fr:()=>n,a_:()=>r,uw:()=>i,uc:()=>a,WC:()=>s,c5:()=>l,yE:()=>c,fG:()=>u,HT:()=>d,jU:()=>p,lX:()=>m,Xb:()=>h});var n=100,r=359,i=100,a=255,s=a,l=100,c=3,u=6,d=1,p=3,m=/^[\da-f]{0,6}$/i,h=/^\d{0,3}$/},5298:(e,t,o)=>{"use strict";o.d(t,{L:()=>r});var n=o(21);function r(e){return!e||e.length=n.fG?e.substring(0,n.fG):e.substring(0,n.yE)}},2775:(e,t,o)=>{"use strict";o.d(t,{k:()=>i});var n=o(21),r=o(1342);function i(e){return{r:(0,r.u)(e.r,n.uc),g:(0,r.u)(e.g,n.uc),b:(0,r.u)(e.b,n.uc),a:"number"==typeof e.a?(0,r.u)(e.a,n.c5):e.a}}},8584:(e,t,o)=>{"use strict";o.d(t,{r:()=>i});var n=o(21),r=o(5194);function i(e){if(e)return a(e)||function(e){if("#"===e[0]&&7===e.length&&/^#[\da-fA-F]{6}$/.test(e))return{r:parseInt(e.slice(1,3),16),g:parseInt(e.slice(3,5),16),b:parseInt(e.slice(5,7),16),a:n.c5}}(e)||function(e){if("#"===e[0]&&4===e.length&&/^#[\da-fA-F]{3}$/.test(e))return{r:parseInt(e[1]+e[1],16),g:parseInt(e[2]+e[2],16),b:parseInt(e[3]+e[3],16),a:n.c5}}(e)||function(e){var t=e.match(/^hsl(a?)\(([\d., ]+)\)$/);if(t){var o=!!t[1],i=o?4:3,a=t[2].split(/ *, */).map(Number);if(a.length===i){var s=(0,r.w)(a[0],a[1],a[2]);return s.a=o?100*a[3]:n.c5,s}}}(e)||function(e){if("undefined"!=typeof document){var t=document.createElement("div");t.style.backgroundColor=e,t.style.position="absolute",t.style.top="-9999px",t.style.left="-9999px",t.style.height="1px",t.style.width="1px",document.body.appendChild(t);var o=getComputedStyle(t),n=o&&o.backgroundColor;if(document.body.removeChild(t),"rgba(0, 0, 0, 0)"!==n&&"transparent"!==n)return a(n);switch(e.trim()){case"transparent":case"#0000":case"#00000000":return{r:0,g:0,b:0,a:0}}}}(e)}function a(e){if(e){var t=e.match(/^rgb(a?)\(([\d., ]+)\)$/);if(t){var o=!!t[1],r=o?4:3,i=t[2].split(/ *, */).map(Number);if(i.length===r)return{r:i[0],g:i[1],b:i[2],a:o?100*i[3]:n.c5}}}}},8208:(e,t,o)=>{"use strict";o.d(t,{N:()=>s});var n=o(21),r=o(5772),i=o(5705),a=o(7970);function s(e){var t=e.a,o=void 0===t?n.c5:t,s=e.b,l=e.g,c=e.r,u=(0,r.D)(c,l,s),d=u.h,p=u.s,m=u.v,h=(0,i.C)(c,l,s);return{a:o,b:s,g:l,h:d,hex:h,r:c,s:p,str:(0,a.a)(c,l,s,o,h),v:m,t:n.c5-o}}},7375:(e,t,o)=>{"use strict";o.d(t,{T:()=>a});var n=o(7622),r=o(8584),i=o(8208);function a(e){var t=(0,r.r)(e);if(t)return(0,n.pi)((0,n.pi)({},(0,i.N)(t)),{str:e})}},2417:(e,t,o)=>{"use strict";o.d(t,{p:()=>i});var n=o(21),r=o(3770);function i(e){return"#"+(0,r.d)(e.h,n.fr,n.uw)}},5040:(e,t,o)=>{"use strict";function n(e,t,o){var n=o+(t*=(o<50?o:100-o)/100);return{h:e,s:0===n?0:2*t/n*100,v:n}}o.d(t,{E:()=>n})},5194:(e,t,o)=>{"use strict";o.d(t,{w:()=>i});var n=o(5040),r=o(9865);function i(e,t,o){var i=(0,n.E)(e,t,o);return(0,r.X)(i.h,i.s,i.v)}},3770:(e,t,o)=>{"use strict";o.d(t,{d:()=>i});var n=o(9865),r=o(5705);function i(e,t,o){var i=(0,n.X)(e,t,o),a=i.r,s=i.g,l=i.b;return(0,r.C)(a,s,l)}},9865:(e,t,o)=>{"use strict";o.d(t,{X:()=>r});var n=o(21);function r(e,t,o){var r=[],i=(o/=100)*(t/=100),a=e/60,s=i*(1-Math.abs(a%2-1)),l=o-i;switch(Math.floor(a)){case 0:r=[i,s,0];break;case 1:r=[s,i,0];break;case 2:r=[0,i,s];break;case 3:r=[0,s,i];break;case 4:r=[s,0,i];break;case 5:r=[i,0,s]}return{r:Math.round(n.uc*(r[0]+l)),g:Math.round(n.uc*(r[1]+l)),b:Math.round(n.uc*(r[2]+l))}}},5705:(e,t,o)=>{"use strict";o.d(t,{C:()=>i});var n=o(21),r=o(1342);function i(e,t,o){return[a(e),a(t),a(o)].join("")}function a(e){var t=(e=(0,r.u)(e,n.uc)).toString(16);return 1===t.length?"0"+t:t}},5772:(e,t,o)=>{"use strict";o.d(t,{D:()=>r});var n=o(21);function r(e,t,o){var r=NaN,i=Math.max(e,t,o),a=i-Math.min(e,t,o);return 0===a?r=0:e===i?r=(t-o)/a%6:t===i?r=(o-e)/a+2:o===i&&(r=(e-t)/a+4),(r=Math.round(60*r))<0&&(r+=360),{h:r,s:Math.round(100*(0===i?0:a/i)),v:Math.round(i/n.uc*100)}}},8490:(e,t,o)=>{"use strict";o.d(t,{R:()=>a});var n=o(7622),r=o(7970),i=o(21);function a(e,t){return(0,n.pi)((0,n.pi)({},e),{a:t,t:i.c5-t,str:(0,r.a)(e.r,e.g,e.b,t,e.hex)})}},1990:(e,t,o)=>{"use strict";o.d(t,{i:()=>s});var n=o(7622),r=o(9865),i=o(5705),a=o(7970);function s(e,t){var o=(0,r.X)(t,e.s,e.v),s=o.r,l=o.g,c=o.b,u=(0,i.C)(s,l,c);return(0,n.pi)((0,n.pi)({},e),{h:t,r:s,g:l,b:c,hex:u,str:(0,a.a)(s,l,c,e.a,u)})}},6119:(e,t,o)=>{"use strict";o.d(t,{d:()=>s});var n=o(7622),r=o(9865),i=o(5705),a=o(7970);function s(e,t,o){var s=(0,r.X)(e.h,t,o),l=s.r,c=s.g,u=s.b,d=(0,i.C)(l,c,u);return(0,n.pi)((0,n.pi)({},e),{s:t,v:o,r:l,g:c,b:u,hex:d,str:(0,a.a)(l,c,u,e.a,d)})}},1332:(e,t,o)=>{"use strict";o.d(t,{X:()=>a});var n=o(7622),r=o(7970),i=o(21);function a(e,t){var o=i.c5-t;return(0,n.pi)((0,n.pi)({},e),{t,a:o,str:(0,r.a)(e.r,e.g,e.b,o,e.hex)})}},2240:(e,t,o)=>{"use strict";function n(e){return e.canCheck?!(!e.isChecked&&!e.checked):"boolean"==typeof e.isChecked?e.isChecked:"boolean"==typeof e.checked?e.checked:null}function r(e){return!(!e.subMenuProps&&!e.items)}function i(e){return!(!e.isDisabled&&!e.disabled)}function a(e){return null!==n(e)?"menuitemcheckbox":"menuitem"}o.d(t,{E3:()=>n,Df:()=>r,P_:()=>i,JF:()=>a})},1071:(e,t,o)=>{"use strict";o.d(t,{P:()=>a});var n=o(7622),r=o(7002),i=o(4542),a=function(e){function t(t){var o=e.call(this,t)||this;return o._updateComposedComponentRef=o._updateComposedComponentRef.bind(o),o}return(0,n.ZT)(t,e),t.prototype._updateComposedComponentRef=function(e){this._composedComponentInstance=e,e?this._hoisted=(0,i.W)(this,e):this._hoisted&&(0,i.e)(this,this._hoisted)},t}(r.Component)},9761:(e,t,o)=>{"use strict";o.d(t,{eD:()=>n,kd:()=>h,LF:()=>g,K7:()=>f,Ae:()=>v,tc:()=>b});var n,r=o(7622),i=o(7002),a=o(1071),s=o(9757),l=o(9919),c=o(1529),u=o(8901);!function(e){e[e.small=0]="small",e[e.medium=1]="medium",e[e.large=2]="large",e[e.xLarge=3]="xLarge",e[e.xxLarge=4]="xxLarge",e[e.xxxLarge=5]="xxxLarge",e[e.unknown=999]="unknown"}(n||(n={}));var d,p,m=[479,639,1023,1365,1919,99999999];function h(e){d=e}function g(e){var t=(0,s.J)(e);t&&b(t)}function f(){return d||p||n.large}function v(e){var t,o=((t=function(t){function o(e){var o=t.call(this,e)||this;return o._onResize=function(){var e=b(o.context.window);e!==o.state.responsiveMode&&o.setState({responsiveMode:e})},o._events=new l.r(o),o._updateComposedComponentRef=o._updateComposedComponentRef.bind(o),o.state={responsiveMode:f()},o}return(0,r.ZT)(o,t),o.prototype.componentDidMount=function(){this._events.on(this.context.window,"resize",this._onResize),this._onResize()},o.prototype.componentWillUnmount=function(){this._events.dispose()},o.prototype.render=function(){var t=this.state.responsiveMode;return t===n.unknown?null:i.createElement(e,(0,r.pi)({ref:this._updateComposedComponentRef,responsiveMode:t},this.props))},o}(a.P)).contextType=u.Hn,t);return(0,c.f)(e,o)}function b(e){var t=n.small;if(e){try{for(;e.innerWidth>m[t];)t++}catch(e){t=f()}p=t}else{if(void 0===d)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.");t=d}return t}},4126:(e,t,o)=>{"use strict";o.d(t,{q:()=>l});var n=o(7002),r=o(9757),i=o(757),a=o(9761),s=o(8901),l=function(e){var t=n.useState(a.K7),o=t[0],l=t[1],c=n.useCallback((function(){var t=(0,a.tc)((0,r.J)(e.current));o!==t&&l(t)}),[e,o]),u=(0,s.zY)();return(0,i.d)(u,"resize",c),n.useEffect((function(){c()}),[]),o}},8128:(e,t,o)=>{"use strict";o.d(t,{ww:()=>r,by:()=>i,L7:()=>a,fV:()=>s,ms:()=>l,A4:()=>c,nK:()=>u,Tc:()=>d,Tj:()=>n});var n,r="ktp",i="-",a=r+i,s="data-ktp-target",l="data-ktp-execute-target",c="data-ktp-aria-target",u="ktp-layer-id",d=", ";!function(e){e.KEYTIP_ADDED="keytipAdded",e.KEYTIP_REMOVED="keytipRemoved",e.KEYTIP_UPDATED="keytipUpdated",e.PERSISTED_KEYTIP_ADDED="persistedKeytipAdded",e.PERSISTED_KEYTIP_REMOVED="persistedKeytipRemoved",e.PERSISTED_KEYTIP_EXECUTE="persistedKeytipExecute",e.ENTER_KEYTIP_MODE="enterKeytipMode",e.EXIT_KEYTIP_MODE="exitKeytipMode"}(n||(n={}))},344:(e,t,o)=>{"use strict";o.d(t,{K:()=>s});var n=o(7622),r=o(9919),i=o(2782),a=o(8128),s=function(){function e(){this.keytips={},this.persistedKeytips={},this.sequenceMapping={},this.inKeytipMode=!1,this.shouldEnterKeytipMode=!0,this.delayUpdatingKeytipChange=!1}return e.getInstance=function(){return this._instance},e.prototype.init=function(e){this.delayUpdatingKeytipChange=e},e.prototype.register=function(e,t){void 0===t&&(t=!1);var o=e;t||(o=this.addParentOverflow(e),this.sequenceMapping[o.keySequences.toString()]=o);var n=this._getUniqueKtp(o);if(t?this.persistedKeytips[n.uniqueID]=n:this.keytips[n.uniqueID]=n,this.inKeytipMode||!this.delayUpdatingKeytipChange){var i=t?a.Tj.PERSISTED_KEYTIP_ADDED:a.Tj.KEYTIP_ADDED;r.r.raise(this,i,{keytip:o,uniqueID:n.uniqueID})}return n.uniqueID},e.prototype.update=function(e,t){var o=this.addParentOverflow(e),n=this._getUniqueKtp(o,t),i=this.keytips[t];i&&(n.keytip.visible=i.keytip.visible,this.keytips[t]=n,delete this.sequenceMapping[i.keytip.keySequences.toString()],this.sequenceMapping[n.keytip.keySequences.toString()]=n.keytip,!this.inKeytipMode&&this.delayUpdatingKeytipChange||r.r.raise(this,a.Tj.KEYTIP_UPDATED,{keytip:n.keytip,uniqueID:n.uniqueID}))},e.prototype.unregister=function(e,t,o){void 0===o&&(o=!1),o?delete this.persistedKeytips[t]:delete this.keytips[t],!o&&delete this.sequenceMapping[e.keySequences.toString()];var n=o?a.Tj.PERSISTED_KEYTIP_REMOVED:a.Tj.KEYTIP_REMOVED;!this.inKeytipMode&&this.delayUpdatingKeytipChange||r.r.raise(this,n,{keytip:e,uniqueID:t})},e.prototype.enterKeytipMode=function(){r.r.raise(this,a.Tj.ENTER_KEYTIP_MODE)},e.prototype.exitKeytipMode=function(){r.r.raise(this,a.Tj.EXIT_KEYTIP_MODE)},e.prototype.getKeytips=function(){var e=this;return Object.keys(this.keytips).map((function(t){return e.keytips[t].keytip}))},e.prototype.addParentOverflow=function(e){var t=(0,n.pr)(e.keySequences);if(t.pop(),0!==t.length){var o=this.sequenceMapping[t.toString()];if(o&&o.overflowSetSequence)return(0,n.pi)((0,n.pi)({},e),{overflowSetSequence:o.overflowSetSequence})}return e},e.prototype.menuExecute=function(e,t){r.r.raise(this,a.Tj.PERSISTED_KEYTIP_EXECUTE,{overflowButtonSequences:e,keytipSequences:t})},e.prototype._getUniqueKtp=function(e,t){return void 0===t&&(t=(0,i.z)()),{keytip:(0,n.pi)({},e),uniqueID:t}},e._instance=new e,e}()},5325:(e,t,o)=>{"use strict";o.d(t,{aB:()=>a,a1:()=>s,eX:()=>l,_l:()=>c,w7:()=>u});var n=o(7622),r=o(8128),i=o(2470);function a(e){return e.reduce((function(e,t){return e+r.by+t.split("").join(r.by)}),r.ww)}function s(e,t){var o=t.length,r=(0,n.pr)(t).pop(),a=(0,n.pr)(e);return(0,i.OA)(a,o-1,r)}function l(e){return"["+r.fV+'="'+a(e)+'"]'}function c(e){return"["+r.ms+'="'+e+'"]'}function u(e){var t=" "+r.nK;return e.length?t+" "+a(e):t}},6591:(e,t,o)=>{"use strict";o.d(t,{p$:()=>F,c5:()=>L,Su:()=>A,DC:()=>z,bv:()=>H,qE:()=>O});var n,r=o(7622),i=o(6628),a=o(5951),s=o(4948),l=o(4568),c=o(4884);function u(e,t,o){return{targetEdge:e,alignmentEdge:t,isAuto:o}}var d=((n={})[i.b.topLeftEdge]=u(l.z.top,l.z.left),n[i.b.topCenter]=u(l.z.top),n[i.b.topRightEdge]=u(l.z.top,l.z.right),n[i.b.topAutoEdge]=u(l.z.top,void 0,!0),n[i.b.bottomLeftEdge]=u(l.z.bottom,l.z.left),n[i.b.bottomCenter]=u(l.z.bottom),n[i.b.bottomRightEdge]=u(l.z.bottom,l.z.right),n[i.b.bottomAutoEdge]=u(l.z.bottom,void 0,!0),n[i.b.leftTopEdge]=u(l.z.left,l.z.top),n[i.b.leftCenter]=u(l.z.left),n[i.b.leftBottomEdge]=u(l.z.left,l.z.bottom),n[i.b.rightTopEdge]=u(l.z.right,l.z.top),n[i.b.rightCenter]=u(l.z.right),n[i.b.rightBottomEdge]=u(l.z.right,l.z.bottom),n);function p(e,t){return!(e.topt.bottom||e.leftt.right)}function m(e,t){var o=[];return e.topt.bottom&&o.push(l.z.bottom),e.leftt.right&&o.push(l.z.right),o}function h(e,t){return e[l.z[t]]}function g(e,t,o){return e[l.z[t]]=o,e}function f(e,t){var o=I(t);return(h(e,o.positiveEdge)+h(e,o.negativeEdge))/2}function v(e,t){return e>0?t:-1*t}function b(e,t){return v(e,h(t,e))}function y(e,t,o){return v(o,h(e,o)-h(t,o))}function _(e,t,o){var n=h(e,t)-o;return e=g(e,t,o),g(e,-1*t,h(e,-1*t)-n)}function C(e,t,o,n){return void 0===n&&(n=0),_(e,o,h(t,o)+v(o,n))}function S(e,t,o){return b(o,e)>b(o,t)}function x(e,t,o){for(var n=0,r=e;nMath.abs(y(e,o,-1*t))?-1*t:t}function T(e,t,o){var n=f(t,e),r=f(o,e),i=I(e),a=i.positiveEdge,s=i.negativeEdge;return n<=r?a:s}function E(e,t,o,n,r,i,s){var c=w(e,t,n,r,s);return p(c,o)?{elementRectangle:c,targetEdge:n.targetEdge,alignmentEdge:n.alignmentEdge}:function(e,t,o,n,r,i,s){void 0===r&&(r=0);var c=n.alignmentEdge,u=n.alignTargetEdge,d={elementRectangle:e,targetEdge:n.targetEdge,alignmentEdge:c};i||s||(d=function(e,t,o,n,r){void 0===r&&(r=0);var i=[l.z.left,l.z.right,l.z.bottom,l.z.top];(0,a.zg)()&&(i[0]*=-1,i[1]*=-1);for(var s=e,c=n.targetEdge,u=n.alignmentEdge,d=0;d<4;d++){if(S(s,o,c))return{elementRectangle:s,targetEdge:c,alignmentEdge:u};i.splice(i.indexOf(c),1),i.length>0&&(i.indexOf(-1*c)>-1?c*=-1:(u=c,c=i.slice(-1)[0]),s=w(e,t,{targetEdge:c,alignmentEdge:u},r))}return{elementRectangle:e,targetEdge:n.targetEdge,alignmentEdge:n.alignmentEdge}}(e,t,o,n,r));var h=m(e,o);if(u){if(d.alignmentEdge&&h.indexOf(-1*d.alignmentEdge)>-1){var g=function(e,t,o,n){var r=e.alignmentEdge,i=e.targetEdge,a=-1*r;return{elementRectangle:w(e.elementRectangle,t,{targetEdge:i,alignmentEdge:a},o,n),targetEdge:i,alignmentEdge:a}}(d,t,r,s);if(p(g.elementRectangle,o))return g;d=x(m(g.elementRectangle,o),d,o)}}else d=x(h,d,o);return d}(e,t,o,n,r,i,s)}function P(e){var t=e.getBoundingClientRect();return new c.A(t.left,t.right,t.top,t.bottom)}function M(e){return new c.A(e.left,e.right,e.top,e.bottom)}function R(e,t,o,n){var s=e.gapSpace?e.gapSpace:0,u=function(e,t){var o;if(t){if(t.preventDefault){var n=t;o=new c.A(n.clientX,n.clientX,n.clientY,n.clientY)}else if(t.getBoundingClientRect)o=P(t);else{var r=t,i=r.left||r.x,a=r.top||r.y,s=r.right||i,u=r.bottom||a;o=new c.A(i,s,a,u)}if(!p(o,e))for(var d=0,h=m(o,e);d0?i:n.height}(i.stopPropagation?new c.A(i.clientX,i.clientX,i.clientY,i.clientY):void 0!==m&&void 0!==g?new c.A(m,f,g,v):P(a),t,o,p,r)}function H(e){return-1*e}function O(e,t){return function(e,t){var o=void 0;if(t.getWindowSegments&&(o=t.getWindowSegments()),void 0===o||o.length<=1)return{top:0,left:0,right:t.innerWidth,bottom:t.innerHeight,width:t.innerWidth,height:t.innerHeight};var n=0,r=0;if(null!==e&&e.getBoundingClientRect){var i=e.getBoundingClientRect();n=(i.left+i.right)/2,r=(i.top+i.bottom)/2}else null!==e&&(n=e.left||e.x,r=e.top||e.y);for(var a={top:0,left:0,right:0,bottom:0,width:0,height:0},s=0,l=o;s=n&&r&&c.top<=r&&c.bottom>=r&&(a={top:c.top,left:c.left,right:c.right,bottom:c.bottom,width:c.width,height:c.height})}return a}(e,t)}},4568:(e,t,o)=>{"use strict";var n,r;o.d(t,{z:()=>n,L:()=>r}),function(e){e[e.top=1]="top",e[e.bottom=-1]="bottom",e[e.left=2]="left",e[e.right=-2]="right"}(n||(n={})),function(e){e[e.top=0]="top",e[e.bottom=1]="bottom",e[e.start=2]="start",e[e.end=3]="end"}(r||(r={}))},5515:(e,t,o)=>{"use strict";function n(e,t){for(var o=[],n=0,r=t;nn})},2703:(e,t,o)=>{"use strict";var n;o.d(t,{F:()=>n}),function(e){e[e.Normal=0]="Normal",e[e.Divider=1]="Divider",e[e.Header=2]="Header"}(n||(n={}))},4449:(e,t,o)=>{"use strict";o.d(t,{i:()=>S});var n=o(7622),r=o(7002),i=o(3345),a=o(6840),s=o(8145),l=o(9919),c=o(2167),u=o(688),d=o(9757),p=o(8088),m=o(5480),h=o(4948),g=o(5446),f=o(4553),v=o(5238),b="data-selection-index",y="data-selection-toggle",_="data-selection-invoke",C="data-selection-all-toggle",S=function(e){function t(t){var o=e.call(this,t)||this;o._root=r.createRef(),o.ignoreNextFocus=function(){o._handleNextFocus(!1)},o._onSelectionChange=function(){var e=o.props.selection,t=e.isModal&&e.isModal();o.setState({isModal:t})},o._onMouseDownCapture=function(e){var t=e.target;if(document.activeElement===t||(0,i.t)(document.activeElement,t)){if((0,i.t)(t,o._root.current))for(;t!==o._root.current;){if(o._hasAttribute(t,_)){o.ignoreNextFocus();break}t=(0,a.G)(t)}}else o.ignoreNextFocus()},o._onFocus=function(e){var t=e.target,n=o.props.selection,r=o._isCtrlPressed||o._isMetaPressed,i=o._getSelectionMode();if(o._shouldHandleFocus&&i!==v.oW.none){var a=o._hasAttribute(t,y),s=o._findItemRoot(t);if(!a&&s){var l=o._getItemIndex(s);r?(n.setIndexSelected(l,n.isIndexSelected(l),!0),o.props.enterModalOnTouch&&o._isTouch&&n.setModal&&(n.setModal(!0),o._setIsTouch(!1))):o.props.isSelectedOnFocus&&o._onItemSurfaceClick(e,l)}}o._handleNextFocus(!1)},o._onMouseDown=function(e){o._updateModifiers(e);var t=e.target,n=o._findItemRoot(t);if(!o._isSelectionDisabled(t))for(;t!==o._root.current&&!o._hasAttribute(t,C);){if(n){if(o._hasAttribute(t,y))break;if(o._hasAttribute(t,_))break;if(!(t!==n&&!o._shouldAutoSelect(t)||o._isShiftPressed||o._isCtrlPressed||o._isMetaPressed)){o._onInvokeMouseDown(e,o._getItemIndex(n));break}if(o.props.disableAutoSelectOnInputElements&&("A"===t.tagName||"BUTTON"===t.tagName||"INPUT"===t.tagName))return}t=(0,a.G)(t)}},o._onTouchStartCapture=function(e){o._setIsTouch(!0)},o._onClick=function(e){var t=o.props.enableTouchInvocationTarget,n=void 0!==t&&t;o._updateModifiers(e);for(var r=e.target,i=o._findItemRoot(r),s=o._isSelectionDisabled(r);r!==o._root.current;){if(o._hasAttribute(r,C)){s||o._onToggleAllClick(e);break}if(i){var l=o._getItemIndex(i);if(o._hasAttribute(r,y)){s||(o._isShiftPressed?o._onItemSurfaceClick(e,l):o._onToggleClick(e,l));break}if(o._isTouch&&n&&o._hasAttribute(r,"data-selection-touch-invoke")||o._hasAttribute(r,_)){o._onInvokeClick(e,l);break}if(r===i){s||o._onItemSurfaceClick(e,l);break}if("A"===r.tagName||"BUTTON"===r.tagName||"INPUT"===r.tagName)return}r=(0,a.G)(r)}},o._onContextMenu=function(e){var t=e.target,n=o.props,r=n.onItemContextMenu,i=n.selection;if(r){var a=o._findItemRoot(t);if(a){var s=o._getItemIndex(a);o._onInvokeMouseDown(e,s),r(i.getItems()[s],s,e.nativeEvent)||e.preventDefault()}}},o._onDoubleClick=function(e){var t=e.target,n=o.props.onItemInvoked,r=o._findItemRoot(t);if(r&&n&&!o._isInputElement(t)){for(var i=o._getItemIndex(r);t!==o._root.current&&!o._hasAttribute(t,y)&&!o._hasAttribute(t,_);){if(t===r){o._onInvokeClick(e,i);break}t=(0,a.G)(t)}t=(0,a.G)(t)}},o._onKeyDownCapture=function(e){o._updateModifiers(e),o._handleNextFocus(!0)},o._onKeyDown=function(e){o._updateModifiers(e);var t=e.target,n=o._isSelectionDisabled(t),r=o.props.selection,i=e.which===s.m.a&&(o._isCtrlPressed||o._isMetaPressed),l=e.which===s.m.escape;if(!o._isInputElement(t)){var c=o._getSelectionMode();if(i&&c===v.oW.multiple&&!r.isAllSelected())return n||r.setAllSelected(!0),e.stopPropagation(),void e.preventDefault();if(l&&r.getSelectedCount()>0)return n||r.setAllSelected(!1),e.stopPropagation(),void e.preventDefault();var u=o._findItemRoot(t);if(u)for(var d=o._getItemIndex(u);t!==o._root.current&&!o._hasAttribute(t,y);){if(o._shouldAutoSelect(t)){n||o._onInvokeMouseDown(e,d);break}if(!(e.which!==s.m.enter&&e.which!==s.m.space||"BUTTON"!==t.tagName&&"A"!==t.tagName&&"INPUT"!==t.tagName))return!1;if(t===u){if(e.which===s.m.enter)return o._onInvokeClick(e,d),void e.preventDefault();if(e.which===s.m.space)return n||o._onToggleClick(e,d),void e.preventDefault();break}t=(0,a.G)(t)}}},o._events=new l.r(o),o._async=new c.e(o),(0,u.l)(o);var n=o.props.selection,d=n.isModal&&n.isModal();return o.state={isModal:d},o}return(0,n.ZT)(t,e),t.getDerivedStateFromProps=function(e,t){var o=e.selection.isModal&&e.selection.isModal();return(0,n.pi)((0,n.pi)({},t),{isModal:o})},t.prototype.componentDidMount=function(){var e=(0,d.J)(this._root.current);this._events.on(e,"keydown, keyup",this._updateModifiers,!0),this._events.on(document,"click",this._findScrollParentAndTryClearOnEmptyClick),this._events.on(document.body,"touchstart",this._onTouchStartCapture,!0),this._events.on(document.body,"touchend",this._onTouchStartCapture,!0),this._events.on(this.props.selection,"change",this._onSelectionChange)},t.prototype.render=function(){var e=this.state.isModal;return r.createElement("div",{className:(0,p.i)("ms-SelectionZone",this.props.className,{"ms-SelectionZone--modal":!!e}),ref:this._root,onKeyDown:this._onKeyDown,onMouseDown:this._onMouseDown,onKeyDownCapture:this._onKeyDownCapture,onClick:this._onClick,role:"presentation",onDoubleClick:this._onDoubleClick,onContextMenu:this._onContextMenu,onMouseDownCapture:this._onMouseDownCapture,onFocusCapture:this._onFocus,"data-selection-is-modal":!!e||void 0},this.props.children,r.createElement(m.u,null))},t.prototype.componentDidUpdate=function(e){var t=this.props.selection;t!==e.selection&&(this._events.off(e.selection),this._events.on(t,"change",this._onSelectionChange))},t.prototype.componentWillUnmount=function(){this._events.dispose(),this._async.dispose()},t.prototype._isSelectionDisabled=function(e){if(this._getSelectionMode()===v.oW.none)return!0;for(;e!==this._root.current;){if(this._hasAttribute(e,"data-selection-disabled"))return!0;e=(0,a.G)(e)}return!1},t.prototype._onToggleAllClick=function(e){var t=this.props.selection;this._getSelectionMode()===v.oW.multiple&&(t.toggleAllSelected(),e.stopPropagation(),e.preventDefault())},t.prototype._onToggleClick=function(e,t){var o=this.props.selection,n=this._getSelectionMode();if(o.setChangeEvents(!1),this.props.enterModalOnTouch&&this._isTouch&&!o.isIndexSelected(t)&&o.setModal&&(o.setModal(!0),this._setIsTouch(!1)),n===v.oW.multiple)o.toggleIndexSelected(t);else{if(n!==v.oW.single)return void o.setChangeEvents(!0);var r=o.isIndexSelected(t),i=o.isModal&&o.isModal();o.setAllSelected(!1),o.setIndexSelected(t,!r,!0),i&&o.setModal&&o.setModal(!0)}o.setChangeEvents(!0),e.stopPropagation()},t.prototype._onInvokeClick=function(e,t){var o=this.props,n=o.selection,r=o.onItemInvoked;r&&(r(n.getItems()[t],t,e.nativeEvent),e.preventDefault(),e.stopPropagation())},t.prototype._onItemSurfaceClick=function(e,t){var o=this.props.selection,n=this._isCtrlPressed||this._isMetaPressed,r=this._getSelectionMode();r===v.oW.multiple?this._isShiftPressed&&!this._isTabPressed?o.selectToIndex(t,!n):n?o.toggleIndexSelected(t):this._clearAndSelectIndex(t):r===v.oW.single&&this._clearAndSelectIndex(t)},t.prototype._onInvokeMouseDown=function(e,t){this.props.selection.isIndexSelected(t)||this._clearAndSelectIndex(t)},t.prototype._findScrollParentAndTryClearOnEmptyClick=function(e){var t=(0,h.zj)(this._root.current);this._events.off(document,"click",this._findScrollParentAndTryClearOnEmptyClick),this._events.on(t,"click",this._tryClearOnEmptyClick),(t&&e.target instanceof Node&&t.contains(e.target)||t===e.target)&&this._tryClearOnEmptyClick(e)},t.prototype._tryClearOnEmptyClick=function(e){!this.props.selectionPreservedOnEmptyClick&&this._isNonHandledClick(e.target)&&this.props.selection.setAllSelected(!1)},t.prototype._clearAndSelectIndex=function(e){var t=this.props.selection;if(1!==t.getSelectedCount()||!t.isIndexSelected(e)){var o=t.isModal&&t.isModal();t.setChangeEvents(!1),t.setAllSelected(!1),t.setIndexSelected(e,!0,!0),(o||this.props.enterModalOnTouch&&this._isTouch)&&(t.setModal&&t.setModal(!0),this._isTouch&&this._setIsTouch(!1)),t.setChangeEvents(!0)}},t.prototype._updateModifiers=function(e){this._isShiftPressed=e.shiftKey,this._isCtrlPressed=e.ctrlKey,this._isMetaPressed=e.metaKey;var t=e.keyCode;this._isTabPressed=!!t&&t===s.m.tab},t.prototype._findItemRoot=function(e){for(var t=this.props.selection;e!==this._root.current;){var o=e.getAttribute(b),n=Number(o);if(null!==o&&n>=0&&n{"use strict";o.d(t,{x:()=>i});var n={},r=void 0;try{r=window}catch(e){}function i(e,t){if(void 0!==r){var o=r.__packages__=r.__packages__||{};o[e]&&n[e]||(n[e]=t,(o[e]=o[e]||[]).push(t))}}i("@fluentui/set-version","6.0.0")},9729:(e,t,o)=>{"use strict";o.d(t,{k4:()=>X,Ic:()=>G,D1:()=>q,JJ:()=>he,rN:()=>ve.r,ir:()=>Q.i,UK:()=>ee.U,Ox:()=>xe,yV:()=>$,TS:()=>be.TS,lq:()=>be.lq,qJ:()=>_e,$v:()=>Se,bO:()=>Ce,ld:()=>be.ld,qS:()=>Xe.q,a1:()=>Ze,P$:()=>Re,yp:()=>Me,mV:()=>Pe,yO:()=>Ne,CQ:()=>Be,AV:()=>Ie,dd:()=>we,QQ:()=>ke,bE:()=>Fe,qv:()=>De,B:()=>Te,F1:()=>Ee,Ye:()=>Xe.Y,Jw:()=>le,bR:()=>He,$O:()=>r,E$:()=>xt.m,l7:()=>kt.l,FF:()=>ye.F,jG:()=>ie.j,e2:()=>Ve,jN:()=>ct.j,h4:()=>ze,$X:()=>rt,jx:()=>Ke,GL:()=>We,Cn:()=>$e,xM:()=>Ae,q7:()=>ft,Wx:()=>St,$Y:()=>qe,Sv:()=>at,sK:()=>Le,gh:()=>ue,Nf:()=>tt,ul:()=>Ge,F4:()=>i.F,jz:()=>me,ZC:()=>wt.Z,y0:()=>n.y,jq:()=>nt,Fv:()=>ot,Kq:()=>Q.K,M_:()=>gt,fm:()=>mt,tj:()=>de,sw:()=>pe,yN:()=>vt,Kf:()=>ht});var n=o(9444);function r(e){var t={},o=function(o){var r;e.hasOwnProperty(o)&&Object.defineProperty(t,o,{get:function(){return void 0===r&&(r=(0,n.y)(e[o]).toString()),r},enumerable:!0,configurable:!0})};for(var r in e)o(r);return t}var i=o(2762),a="cubic-bezier(.1,.9,.2,1)",s="cubic-bezier(.1,.25,.75,.9)",l="0.167s",c="0.267s",u="0.367s",d="0.467s",p=(0,i.F)({from:{opacity:0},to:{opacity:1}}),m=(0,i.F)({from:{opacity:1},to:{opacity:0,visibility:"hidden"}}),h=j(-10),g=j(-20),f=j(-40),v=j(-400),b=j(10),y=j(20),_=j(40),C=j(400),S=J(10),x=J(20),k=J(-10),w=J(-20),I=Y(10),D=Y(20),T=Y(40),E=Y(400),P=Y(-10),M=Y(-20),R=Y(-40),N=Y(-400),B=Z(-10),F=Z(-20),L=Z(10),A=Z(20),z=(0,i.F)({from:{transform:"scale3d(.98,.98,1)"},to:{transform:"scale3d(1,1,1)"}}),H=(0,i.F)({from:{transform:"scale3d(1,1,1)"},to:{transform:"scale3d(.98,.98,1)"}}),O=(0,i.F)({from:{transform:"scale3d(1.03,1.03,1)"},to:{transform:"scale3d(1,1,1)"}}),W=(0,i.F)({from:{transform:"scale3d(1,1,1)"},to:{transform:"scale3d(1.03,1.03,1)"}}),V=(0,i.F)({from:{transform:"rotateZ(0deg)"},to:{transform:"rotateZ(90deg)"}}),K=(0,i.F)({from:{transform:"rotateZ(0deg)"},to:{transform:"rotateZ(-90deg)"}}),q={easeFunction1:a,easeFunction2:s,durationValue1:l,durationValue2:c,durationValue3:u,durationValue4:d},G={slideRightIn10:U(p+","+h,u,a),slideRightIn20:U(p+","+g,u,a),slideRightIn40:U(p+","+f,u,a),slideRightIn400:U(p+","+v,u,a),slideLeftIn10:U(p+","+b,u,a),slideLeftIn20:U(p+","+y,u,a),slideLeftIn40:U(p+","+_,u,a),slideLeftIn400:U(p+","+C,u,a),slideUpIn10:U(p+","+S,u,a),slideUpIn20:U(p+","+x,u,a),slideDownIn10:U(p+","+k,u,a),slideDownIn20:U(p+","+w,u,a),slideRightOut10:U(m+","+I,u,a),slideRightOut20:U(m+","+D,u,a),slideRightOut40:U(m+","+T,u,a),slideRightOut400:U(m+","+E,u,a),slideLeftOut10:U(m+","+P,u,a),slideLeftOut20:U(m+","+M,u,a),slideLeftOut40:U(m+","+R,u,a),slideLeftOut400:U(m+","+N,u,a),slideUpOut10:U(m+","+B,u,a),slideUpOut20:U(m+","+F,u,a),slideDownOut10:U(m+","+L,u,a),slideDownOut20:U(m+","+A,u,a),scaleUpIn100:U(p+","+z,u,a),scaleDownIn100:U(p+","+O,u,a),scaleUpOut103:U(m+","+W,l,s),scaleDownOut98:U(m+","+H,l,s),fadeIn100:U(p,l,s),fadeIn200:U(p,c,s),fadeIn400:U(p,u,s),fadeIn500:U(p,d,s),fadeOut100:U(m,l,s),fadeOut200:U(m,c,s),fadeOut400:U(m,u,s),fadeOut500:U(m,d,s),rotate90deg:U(V,"0.1s",s),rotateN90deg:U(K,"0.1s",s)};function U(e,t,o){return{animationName:e,animationDuration:t,animationTimingFunction:o,animationFillMode:"both"}}function j(e){return(0,i.F)({from:{transform:"translate3d("+e+"px,0,0)",pointerEvents:"none"},to:{transform:"translate3d(0,0,0)",pointerEvents:"auto"}})}function J(e){return(0,i.F)({from:{transform:"translate3d(0,"+e+"px,0)",pointerEvents:"none"},to:{transform:"translate3d(0,0,0)",pointerEvents:"auto"}})}function Y(e){return(0,i.F)({from:{transform:"translate3d(0,0,0)"},to:{transform:"translate3d("+e+"px,0,0)"}})}function Z(e){return(0,i.F)({from:{transform:"translate3d(0,0,0)"},to:{transform:"translate3d(0,"+e+"px,0)"}})}var X=r(G),Q=o(1209),$=r(Q.i),ee=o(5314),te=o(7622),oe=o(1767),ne=o(9757),re=o(4976),ie=o(8932),ae=(0,ie.j)({}),se=[],le="theme";function ce(){var e,t,o;if(!oe.X.getSettings([le]).theme){var n=(0,ne.J)();(null===(o=null===(t=n)||void 0===t?void 0:t.FabricConfig)||void 0===o?void 0:o.theme)&&(ae=(0,ie.j)(n.FabricConfig.theme)),oe.X.applySettings(((e={})[le]=ae,e))}}function ue(e){return void 0===e&&(e=!1),!0===e&&(ae=(0,ie.j)({},e)),ae}function de(e){-1===se.indexOf(e)&&se.push(e)}function pe(e){var t=se.indexOf(e);-1!==t&&se.splice(t,1)}function me(e,t){var o;return void 0===t&&(t=!1),ae=(0,ie.j)(e,t),(0,re.jz)((0,te.pi)((0,te.pi)((0,te.pi)((0,te.pi)({},ae.palette),ae.semanticColors),ae.effects),function(e){for(var t={},o=0,n=Object.keys(e.fonts);o10?" (+ "+(bt.length-10)+" more)":"")),yt=void 0,bt=[]}),2e3)))}var Ct={display:"inline-block"};function St(e){var t="",o=ft(e);return o&&(t=(0,n.y)(o.subset.className,Ct,{selectors:{"::before":{content:'"'+o.code+'"'}}})),t}var xt=o(3570),kt=o(965),wt=o(2005);(0,o(6316).x)("@fluentui/style-utilities","8.0.2"),ce()},5314:(e,t,o)=>{"use strict";o.d(t,{U:()=>n});var n={themeDarker:"#004578",themeDark:"#005a9e",themeDarkAlt:"#106ebe",themePrimary:"#0078d4",themeSecondary:"#2b88d8",themeTertiary:"#71afe5",themeLight:"#c7e0f4",themeLighter:"#deecf9",themeLighterAlt:"#eff6fc",black:"#000000",blackTranslucent40:"rgba(0,0,0,.4)",neutralDark:"#201f1e",neutralPrimary:"#323130",neutralPrimaryAlt:"#3b3a39",neutralSecondary:"#605e5c",neutralSecondaryAlt:"#8a8886",neutralTertiary:"#a19f9d",neutralTertiaryAlt:"#c8c6c4",neutralQuaternary:"#d2d0ce",neutralQuaternaryAlt:"#e1dfdd",neutralLight:"#edebe9",neutralLighter:"#f3f2f1",neutralLighterAlt:"#faf9f8",accent:"#0078d4",white:"#ffffff",whiteTranslucent40:"rgba(255,255,255,.4)",yellowDark:"#d29200",yellow:"#ffb900",yellowLight:"#fff100",orange:"#d83b01",orangeLight:"#ea4300",orangeLighter:"#ff8c00",redDark:"#a4262c",red:"#e81123",magentaDark:"#5c005c",magenta:"#b4009e",magentaLight:"#e3008c",purpleDark:"#32145a",purple:"#5c2d91",purpleLight:"#b4a0ff",blueDark:"#002050",blueMid:"#00188f",blue:"#0078d4",blueLight:"#00bcf2",tealDark:"#004b50",teal:"#008272",tealLight:"#00b294",greenDark:"#004b1c",green:"#107c10",greenLight:"#bad80a"}},8932:(e,t,o)=>{"use strict";o.d(t,{j:()=>c});var n=o(5314),r=o(8708),i=o(1209),a=o(8188),s=o(3968),l=o(6267);function c(e,t){void 0===e&&(e={}),void 0===t&&(t=!1);var o=!!e.isInverted,c={palette:n.U,effects:r.r,fonts:i.i,spacing:s.C,isInverted:o,disableGlobalClassNames:!1,semanticColors:(0,l.b)(n.U,r.r,void 0,o,t),rtl:void 0};return(0,a.I)(c,e)}},8708:(e,t,o)=>{"use strict";o.d(t,{r:()=>r});var n=o(4733),r={elevation4:n.N.depth4,elevation8:n.N.depth8,elevation16:n.N.depth16,elevation64:n.N.depth64,roundedCorner2:"2px",roundedCorner4:"4px",roundedCorner6:"6px"}},4733:(e,t,o)=>{"use strict";var n;o.d(t,{N:()=>n}),function(e){e.depth0="0 0 0 0 transparent",e.depth4="0 1.6px 3.6px 0 rgba(0, 0, 0, 0.132), 0 0.3px 0.9px 0 rgba(0, 0, 0, 0.108)",e.depth8="0 3.2px 7.2px 0 rgba(0, 0, 0, 0.132), 0 0.6px 1.8px 0 rgba(0, 0, 0, 0.108)",e.depth16="0 6.4px 14.4px 0 rgba(0, 0, 0, 0.132), 0 1.2px 3.6px 0 rgba(0, 0, 0, 0.108)",e.depth64="0 25.6px 57.6px 0 rgba(0, 0, 0, 0.22), 0 4.8px 14.4px 0 rgba(0, 0, 0, 0.18)"}(n||(n={}))},1209:(e,t,o)=>{"use strict";o.d(t,{i:()=>d,K:()=>h});var n,r,i,a=o(3310),s=o(3182),l=o(7134),c=o(3856),u=o(9757),d=(0,l.F)((0,c.G)());function p(e,t,o,n){e="'"+e+"'";var r=void 0!==n?"local('"+n+"'),":"";(0,a.j)({fontFamily:e,src:r+"url('"+t+".woff2') format('woff2'),url('"+t+".woff') format('woff')",fontWeight:o,fontStyle:"normal",fontDisplay:"swap"})}function m(e,t,o,n,r){void 0===n&&(n="segoeui");var i=e+"/"+o+"/"+n;p(t,i+"-light",s.lq.light,r&&r+" Light"),p(t,i+"-semilight",s.lq.semilight,r&&r+" SemiLight"),p(t,i+"-regular",s.lq.regular,r),p(t,i+"-semibold",s.lq.semibold,r&&r+" SemiBold"),p(t,i+"-bold",s.lq.bold,r&&r+" Bold")}function h(e){if(e){var t=e+"/fonts";m(t,s.Qm.Thai,"leelawadeeui-thai","leelawadeeui"),m(t,s.Qm.Arabic,"segoeui-arabic"),m(t,s.Qm.Cyrillic,"segoeui-cyrillic"),m(t,s.Qm.EastEuropean,"segoeui-easteuropean"),m(t,s.Qm.Greek,"segoeui-greek"),m(t,s.Qm.Hebrew,"segoeui-hebrew"),m(t,s.Qm.Vietnamese,"segoeui-vietnamese"),m(t,s.Qm.WestEuropean,"segoeui-westeuropean","segoeui","Segoe UI"),m(t,s.II.Selawik,"selawik","selawik"),m(t,s.Qm.Armenian,"segoeui-armenian"),m(t,s.Qm.Georgian,"segoeui-georgian"),p("Leelawadee UI Web",t+"/leelawadeeui-thai/leelawadeeui-semilight",s.lq.light),p("Leelawadee UI Web",t+"/leelawadeeui-thai/leelawadeeui-bold",s.lq.semibold)}}h(null!=(i=null===(r=null===(n=(0,u.J)())||void 0===n?void 0:n.FabricConfig)||void 0===r?void 0:r.fontBaseUrl)?i:"https://static2.sharepointonline.com/files/fabric/assets")},3182:(e,t,o)=>{"use strict";var n,r,i,a,s;o.d(t,{Qm:()=>n,II:()=>r,TS:()=>i,lq:()=>a,ld:()=>s}),function(e){e.Arabic="Segoe UI Web (Arabic)",e.Cyrillic="Segoe UI Web (Cyrillic)",e.EastEuropean="Segoe UI Web (East European)",e.Greek="Segoe UI Web (Greek)",e.Hebrew="Segoe UI Web (Hebrew)",e.Thai="Leelawadee UI Web",e.Vietnamese="Segoe UI Web (Vietnamese)",e.WestEuropean="Segoe UI Web (West European)",e.Selawik="Selawik Web",e.Armenian="Segoe UI Web (Armenian)",e.Georgian="Segoe UI Web (Georgian)"}(n||(n={})),function(e){e.Arabic="'"+n.Arabic+"'",e.ChineseSimplified="'Microsoft Yahei UI', Verdana, Simsun",e.ChineseTraditional="'Microsoft Jhenghei UI', Pmingliu",e.Cyrillic="'"+n.Cyrillic+"'",e.EastEuropean="'"+n.EastEuropean+"'",e.Greek="'"+n.Greek+"'",e.Hebrew="'"+n.Hebrew+"'",e.Hindi="'Nirmala UI'",e.Japanese="'Yu Gothic UI', 'Meiryo UI', Meiryo, 'MS Pgothic', Osaka",e.Korean="'Malgun Gothic', Gulim",e.Selawik="'"+n.Selawik+"'",e.Thai="'Leelawadee UI Web', 'Kmer UI'",e.Vietnamese="'"+n.Vietnamese+"'",e.WestEuropean="'"+n.WestEuropean+"'",e.Armenian="'"+n.Armenian+"'",e.Georgian="'"+n.Georgian+"'"}(r||(r={})),function(e){e.size10="10px",e.size12="12px",e.size14="14px",e.size16="16px",e.size18="18px",e.size20="20px",e.size24="24px",e.size28="28px",e.size32="32px",e.size42="42px",e.size68="68px",e.mini="10px",e.xSmall="10px",e.small="12px",e.smallPlus="12px",e.medium="14px",e.mediumPlus="16px",e.icon="16px",e.large="18px",e.xLarge="20px",e.xLargePlus="24px",e.xxLarge="28px",e.xxLargePlus="32px",e.superLarge="42px",e.mega="68px"}(i||(i={})),function(e){e.light=100,e.semilight=300,e.regular=400,e.semibold=600,e.bold=700}(a||(a={})),function(e){e.xSmall="10px",e.small="12px",e.medium="16px",e.large="20px"}(s||(s={}))},7134:(e,t,o)=>{"use strict";o.d(t,{F:()=>s});var n=o(3182),r="'Segoe UI', '"+n.Qm.WestEuropean+"'",i={ar:n.II.Arabic,bg:n.II.Cyrillic,cs:n.II.EastEuropean,el:n.II.Greek,et:n.II.EastEuropean,he:n.II.Hebrew,hi:n.II.Hindi,hr:n.II.EastEuropean,hu:n.II.EastEuropean,ja:n.II.Japanese,kk:n.II.EastEuropean,ko:n.II.Korean,lt:n.II.EastEuropean,lv:n.II.EastEuropean,pl:n.II.EastEuropean,ru:n.II.Cyrillic,sk:n.II.EastEuropean,"sr-latn":n.II.EastEuropean,th:n.II.Thai,tr:n.II.EastEuropean,uk:n.II.Cyrillic,vi:n.II.Vietnamese,"zh-hans":n.II.ChineseSimplified,"zh-hant":n.II.ChineseTraditional,hy:n.II.Armenian,ka:n.II.Georgian};function a(e,t,o){return{fontFamily:o,MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontSize:e,fontWeight:t}}function s(e){var t=function(e){for(var t in i)if(i.hasOwnProperty(t)&&e&&0===t.indexOf(e))return i[t];return r}(e)+", 'Segoe UI', -apple-system, BlinkMacSystemFont, 'Roboto', 'Helvetica Neue', sans-serif";return{tiny:a(n.TS.mini,n.lq.regular,t),xSmall:a(n.TS.xSmall,n.lq.regular,t),small:a(n.TS.small,n.lq.regular,t),smallPlus:a(n.TS.smallPlus,n.lq.regular,t),medium:a(n.TS.medium,n.lq.regular,t),mediumPlus:a(n.TS.mediumPlus,n.lq.regular,t),large:a(n.TS.large,n.lq.regular,t),xLarge:a(n.TS.xLarge,n.lq.semibold,t),xLargePlus:a(n.TS.xLargePlus,n.lq.semibold,t),xxLarge:a(n.TS.xxLarge,n.lq.semibold,t),xxLargePlus:a(n.TS.xxLargePlus,n.lq.semibold,t),superLarge:a(n.TS.superLarge,n.lq.semibold,t),mega:a(n.TS.mega,n.lq.semibold,t)}}},8188:(e,t,o)=>{"use strict";o.d(t,{I:()=>i});var n=o(9478),r=o(6267);function i(e,t){var o,i,a,s;void 0===t&&(t={});var l=(0,n.T)({},e,t,{semanticColors:(0,r.Q)(t.palette,t.effects,t.semanticColors,void 0===t.isInverted?e.isInverted:t.isInverted)});if((null===(o=t.palette)||void 0===o?void 0:o.themePrimary)&&!(null===(i=t.palette)||void 0===i?void 0:i.accent)&&(l.palette.accent=t.palette.themePrimary),t.defaultFontStyle)for(var c=0,u=Object.keys(l.fonts);c{"use strict";o.d(t,{C:()=>n});var n={s2:"4px",s1:"8px",m:"16px",l1:"20px",l2:"32px"}},6267:(e,t,o)=>{"use strict";o.d(t,{b:()=>r,Q:()=>i});var n=o(7622);function r(e,t,o,r,a){return void 0===a&&(a=!1),function(e,t){var o="";return!0===t&&(o=" /* @deprecated */"),e.listTextColor=e.listText+o,e.menuItemBackgroundChecked+=o,e.warningHighlight+=o,e.warningText=e.messageText+o,e.successText+=o,e}(i(e,t,(0,n.pi)({primaryButtonBorder:"transparent",errorText:r?"#F1707B":"#a4262c",messageText:r?"#F3F2F1":"#323130",messageLink:r?"#6CB8F6":"#005A9E",messageLinkHovered:r?"#82C7FF":"#004578",infoIcon:r?"#C8C6C4":"#605e5c",errorIcon:r?"#F1707B":"#A80000",blockingIcon:r?"#442726":"#FDE7E9",warningIcon:r?"#C8C6C4":"#797775",severeWarningIcon:r?"#FCE100":"#D83B01",successIcon:r?"#92C353":"#107C10",infoBackground:r?"#323130":"#f3f2f1",errorBackground:r?"#442726":"#FDE7E9",blockingBackground:r?"#442726":"#FDE7E9",warningBackground:r?"#433519":"#FFF4CE",severeWarningBackground:r?"#4F2A0F":"#FED9CC",successBackground:r?"#393D1B":"#DFF6DD",warningHighlight:r?"#fff100":"#ffb900",successText:r?"#92c353":"#107C10"},o),r),a)}function i(e,t,o,r,i){var a,s,l;void 0===i&&(i=!1);var c={},u=e||{},d=u.white,p=u.black,m=u.themePrimary,h=u.themeDark,g=u.themeDarker,f=u.themeDarkAlt,v=u.themeLighter,b=u.neutralLight,y=u.neutralLighter,_=u.neutralDark,C=u.neutralQuaternary,S=u.neutralQuaternaryAlt,x=u.neutralPrimary,k=u.neutralSecondary,w=u.neutralSecondaryAlt,I=u.neutralTertiary,D=u.neutralTertiaryAlt,T=u.neutralLighterAlt,E=u.accent;return d&&(c.bodyBackground=d,c.bodyFrameBackground=d,c.accentButtonText=d,c.buttonBackground=d,c.primaryButtonText=d,c.primaryButtonTextHovered=d,c.primaryButtonTextPressed=d,c.inputBackground=d,c.inputForegroundChecked=d,c.listBackground=d,c.menuBackground=d,c.cardStandoutBackground=d),p&&(c.bodyTextChecked=p,c.buttonTextCheckedHovered=p),m&&(c.link=m,c.primaryButtonBackground=m,c.inputBackgroundChecked=m,c.inputIcon=m,c.inputFocusBorderAlt=m,c.menuIcon=m,c.menuHeader=m,c.accentButtonBackground=m),h&&(c.primaryButtonBackgroundPressed=h,c.inputBackgroundCheckedHovered=h,c.inputIconHovered=h),g&&(c.linkHovered=g),f&&(c.primaryButtonBackgroundHovered=f),v&&(c.inputPlaceholderBackgroundChecked=v),b&&(c.bodyBackgroundChecked=b,c.bodyFrameDivider=b,c.bodyDivider=b,c.variantBorder=b,c.buttonBackgroundCheckedHovered=b,c.buttonBackgroundPressed=b,c.listItemBackgroundChecked=b,c.listHeaderBackgroundPressed=b,c.menuItemBackgroundPressed=b,c.menuItemBackgroundChecked=b),y&&(c.bodyBackgroundHovered=y,c.buttonBackgroundHovered=y,c.buttonBackgroundDisabled=y,c.buttonBorderDisabled=y,c.primaryButtonBackgroundDisabled=y,c.disabledBackground=y,c.listItemBackgroundHovered=y,c.listHeaderBackgroundHovered=y,c.menuItemBackgroundHovered=y),C&&(c.primaryButtonTextDisabled=C,c.disabledSubtext=C),S&&(c.listItemBackgroundCheckedHovered=S),I&&(c.disabledBodyText=I,c.variantBorderHovered=(null===(a=o)||void 0===a?void 0:a.variantBorderHovered)||I,c.buttonTextDisabled=I,c.inputIconDisabled=I,c.disabledText=I),x&&(c.bodyText=x,c.actionLink=x,c.buttonText=x,c.inputBorderHovered=x,c.inputText=x,c.listText=x,c.menuItemText=x),T&&(c.bodyStandoutBackground=T,c.defaultStateBackground=T),_&&(c.actionLinkHovered=_,c.buttonTextHovered=_,c.buttonTextChecked=_,c.buttonTextPressed=_,c.inputTextHovered=_,c.menuItemTextHovered=_),k&&(c.bodySubtext=k,c.focusBorder=k,c.inputBorder=k,c.smallInputBorder=k,c.inputPlaceholderText=k),w&&(c.buttonBorder=w),D&&(c.disabledBodySubtext=D,c.disabledBorder=D,c.buttonBackgroundChecked=D,c.menuDivider=D),E&&(c.accentButtonBackground=E),(null===(s=t)||void 0===s?void 0:s.elevation4)&&(c.cardShadow=t.elevation4),!r&&(null===(l=t)||void 0===l?void 0:l.elevation8)?c.cardShadowHovered=t.elevation8:c.variantBorderHovered&&(c.cardShadowHovered="0 0 1px "+c.variantBorderHovered),(0,n.pi)((0,n.pi)({},c),o)}},2167:(e,t,o)=>{"use strict";o.d(t,{e:()=>r});var n=o(9757),r=function(){function e(e,t){this._timeoutIds=null,this._immediateIds=null,this._intervalIds=null,this._animationFrameIds=null,this._isDisposed=!1,this._parent=e||null,this._onErrorHandler=t,this._noop=function(){}}return e.prototype.dispose=function(){var e;if(this._isDisposed=!0,this._parent=null,this._timeoutIds){for(e in this._timeoutIds)this._timeoutIds.hasOwnProperty(e)&&this.clearTimeout(parseInt(e,10));this._timeoutIds=null}if(this._immediateIds){for(e in this._immediateIds)this._immediateIds.hasOwnProperty(e)&&this.clearImmediate(parseInt(e,10));this._immediateIds=null}if(this._intervalIds){for(e in this._intervalIds)this._intervalIds.hasOwnProperty(e)&&this.clearInterval(parseInt(e,10));this._intervalIds=null}if(this._animationFrameIds){for(e in this._animationFrameIds)this._animationFrameIds.hasOwnProperty(e)&&this.cancelAnimationFrame(parseInt(e,10));this._animationFrameIds=null}},e.prototype.setTimeout=function(e,t){var o=this,n=0;return this._isDisposed||(this._timeoutIds||(this._timeoutIds={}),n=setTimeout((function(){try{o._timeoutIds&&delete o._timeoutIds[n],e.apply(o._parent)}catch(e){o._logError(e)}}),t),this._timeoutIds[n]=!0),n},e.prototype.clearTimeout=function(e){this._timeoutIds&&this._timeoutIds[e]&&(clearTimeout(e),delete this._timeoutIds[e])},e.prototype.setImmediate=function(e,t){var o=this,r=0,i=(0,n.J)(t);return this._isDisposed||(this._immediateIds||(this._immediateIds={}),r=i.setTimeout((function(){try{o._immediateIds&&delete o._immediateIds[r],e.apply(o._parent)}catch(e){o._logError(e)}}),0),this._immediateIds[r]=!0),r},e.prototype.clearImmediate=function(e,t){var o=(0,n.J)(t);this._immediateIds&&this._immediateIds[e]&&(o.clearTimeout(e),delete this._immediateIds[e])},e.prototype.setInterval=function(e,t){var o=this,n=0;return this._isDisposed||(this._intervalIds||(this._intervalIds={}),n=setInterval((function(){try{e.apply(o._parent)}catch(e){o._logError(e)}}),t),this._intervalIds[n]=!0),n},e.prototype.clearInterval=function(e){this._intervalIds&&this._intervalIds[e]&&(clearInterval(e),delete this._intervalIds[e])},e.prototype.throttle=function(e,t,o){var n=this;if(this._isDisposed)return this._noop;var r,i,a=t||0,s=!0,l=!0,c=0,u=null;o&&"boolean"==typeof o.leading&&(s=o.leading),o&&"boolean"==typeof o.trailing&&(l=o.trailing);var d=function(t){var o=Date.now(),p=o-c,m=s?a-p:a;return p>=a&&(!t||s)?(c=o,u&&(n.clearTimeout(u),u=null),r=e.apply(n._parent,i)):null===u&&l&&(u=n.setTimeout(d,m)),r};return function(){for(var e=[],t=0;t=s&&(o=!0),d=t);var r=t-d,a=s-r,h=t-p,v=!1;return null!==u&&(h>=u&&m?v=!0:a=Math.min(a,u-h)),r>=s||v||o?g(t):null!==m&&e||!c||(m=n.setTimeout(f,a)),i},v=function(){return!!m},b=function(){for(var e=[],t=0;t{"use strict";o.d(t,{H:()=>u,S:()=>p});var n=o(7622),r=o(7002),i=o(2167),a=o(9919),s=o(5415),l=o(209),c=o(3129),u=function(e){function t(o,n){var r=e.call(this,o,n)||this;return function(e,t,o){for(var n=0,r=o.length;n1?e[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 i.e(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 a.r(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(o){return t[e]=o}),this.__resolves[e]},t.prototype._updateComponentRef=function(e,t){void 0===t&&(t={}),e&&t&&e.componentRef!==t.componentRef&&(this._setComponentRef(e.componentRef,null),this._setComponentRef(t.componentRef,this))},t.prototype._warnDeprecations=function(e){(0,c.b)(this.className,this.props,e)},t.prototype._warnMutuallyExclusive=function(e){(0,l.L)(this.className,this.props,e)},t.prototype._warnConditionallyRequiredProps=function(e,t,o){(0,s.w)(this.className,this.props,e,t,o)},t.prototype._setComponentRef=function(e,t){!this._skipComponentRefResolution&&e&&("function"==typeof e&&e(t),"object"==typeof e&&(e.current=t))},t}(r.Component);function d(e,t,o){var n=e[o],r=t[o];(n||r)&&(e[o]=function(){for(var e,t=[],o=0;o{"use strict";o.d(t,{U:()=>i});var n=o(7622),r=o(7002),i=function(e){function t(t){var o=e.call(this,t)||this;return o.state={isRendered:!1},o}return(0,n.ZT)(t,e),t.prototype.componentDidMount=function(){var e=this,t=this.props.delay;this._timeoutId=window.setTimeout((function(){e.setState({isRendered:!0})}),t)},t.prototype.componentWillUnmount=function(){this._timeoutId&&clearTimeout(this._timeoutId)},t.prototype.render=function(){return this.state.isRendered?r.Children.only(this.props.children):null},t.defaultProps={delay:0},t}(r.Component)},9919:(e,t,o)=>{"use strict";o.d(t,{r:()=>r});var n=o(2447),r=function(){function e(t){this._id=e._uniqueId++,this._parent=t,this._eventRecords=[]}return e.raise=function(t,o,r,i){var a;if(e._isElement(t)){if("undefined"!=typeof document&&document.createEvent){var s=document.createEvent("HTMLEvents");s.initEvent(o,i||!1,!0),(0,n.f0)(s,r),a=t.dispatchEvent(s)}else if("undefined"!=typeof document&&document.createEventObject){var l=document.createEventObject(r);t.fireEvent("on"+o,l)}}else for(;t&&!1!==a;){var c=t.__events__,u=c?c[o]:null;if(u)for(var d in u)if(u.hasOwnProperty(d))for(var p=u[d],m=0;!1!==a&&m-1)for(var a=o.split(/[ ,]+/),s=0;s{"use strict";o.d(t,{D:()=>i});var n=o(9757),r=0,i=function(){function e(){}return e.getValue=function(e,t){var o=a();return void 0===o[e]&&(o[e]="function"==typeof t?t():t),o[e]},e.setValue=function(e,t){var o=a(),n=o.__callbacks__,r=o[e];if(t!==r){o[e]=t;var i={oldValue:r,value:t,key:e};for(var s in n)n.hasOwnProperty(s)&&n[s](i)}return t},e.addChangeListener=function(e){var t=e.__id__,o=s();t||(t=e.__id__=String(r++)),o[t]=e},e.removeChangeListener=function(e){delete s()[e.__id__]},e}();function a(){var e,t=(0,n.J)()||{};return t.__globalSettings__||(t.__globalSettings__=((e={}).__callbacks__={},e)),t.__globalSettings__}function s(){return a().__callbacks__}},8145:(e,t,o)=>{"use strict";o.d(t,{m:()=>n});var n={backspace:8,tab:9,enter:13,shift:16,ctrl:17,alt:18,pauseBreak:19,capslock:20,escape:27,space:32,pageUp:33,pageDown:34,end:35,home:36,left:37,up:38,right:39,down:40,insert:45,del:46,zero:48,one:49,two:50,three:51,four:52,five:53,six:54,seven:55,eight:56,nine:57,a:65,b:66,c:67,d:68,e:69,f:70,g:71,h:72,i:73,j:74,k:75,l:76,m:77,n:78,o:79,p:80,q:81,r:82,s:83,t:84,u:85,v:86,w:87,x:88,y:89,z:90,leftWindow:91,rightWindow:92,select:93,zero_numpad:96,one_numpad:97,two_numpad:98,three_numpad:99,four_numpad:100,five_numpad:101,six_numpad:102,seven_numpad:103,eight_numpad:104,nine_numpad:105,multiply:106,add:107,subtract:109,decimalPoint:110,divide:111,f1:112,f2:113,f3:114,f4:115,f5:116,f6:117,f7:118,f8:119,f9:120,f10:121,f11:122,f12:123,numlock:144,scrollLock:145,semicolon:186,equalSign:187,comma:188,dash:189,period:190,forwardSlash:191,graveAccent:192,openBracket:219,backSlash:220,closeBracket:221,singleQuote:222}},4884:(e,t,o)=>{"use strict";o.d(t,{A:()=>n});var n=function(){function e(e,t,o,n){void 0===e&&(e=0),void 0===t&&(t=0),void 0===o&&(o=0),void 0===n&&(n=0),this.top=o,this.bottom=n,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}()},9151:(e,t,o)=>{"use strict";function n(e){for(var t=[],o=1;on})},9577:(e,t,o)=>{"use strict";function n(){for(var e=[],t=0;tn})},2470:(e,t,o)=>{"use strict";function n(e,t,o){void 0===o&&(o=0);for(var n=-1,r=o;e&&rn,sE:()=>r,Ri:()=>i,QC:()=>a,$E:()=>s,wm:()=>l,OA:()=>c,xH:()=>u,cO:()=>d})},7300:(e,t,o)=>{"use strict";o.d(t,{y:()=>u});var n=o(729),r=o(2005),i=o(5951),a=o(9757),s=0,l=n.Y.getInstance();l&&l.onReset&&l.onReset((function(){return s++}));var c="__retval__";function u(e){void 0===e&&(e={});var t=new Map,o=0,n=0,l=s;return function(u,d){var m,h;if(void 0===d&&(d={}),e.useStaticStyles&&"function"==typeof u&&u.__noStyleOverride__)return u(d);n++;var g=t,f=d.theme,v=f&&void 0!==f.rtl?f.rtl:(0,i.zg)(),b=e.disableCaching;return l!==s&&(l=s,t=new Map,o=0),e.disableCaching||(g=p(t,u),g=p(g,d)),!b&&g[c]||(g[c]=void 0===u?{}:(0,r.I)(["function"==typeof u?u(d):u],{rtl:!!v,specificityMultiplier:e.useStaticStyles?5:void 0}),b||o++),o>(e.cacheSize||50)&&((null===(h=null===(m=(0,a.J)())||void 0===m?void 0:m.FabricConfig)||void 0===h?void 0:h.enableClassNameCacheFullWarning)&&(console.warn("Styles are being recalculated too frequently. Cache miss rate is "+o+"/"+n+"."),console.trace()),t.clear(),o=0,e.disableCaching=!0),g[c]}}function d(e,t){return t=function(e){switch(e){case void 0:return"__undefined__";case null:return"__null__";default:return e}}(t),e.has(t)||e.set(t,new Map),e.get(t)}function p(e,t){if("function"==typeof t)if(t.__cachedInputs__)for(var o=0,n=t.__cachedInputs__;o{"use strict";function n(e,t){return void 0!==e[t]&&null!==e[t]}o.d(t,{s:()=>n})},4932:(e,t,o)=>{"use strict";o.d(t,{S:()=>i});var n=o(2470),r=function(e){return function(t){for(var o=0,n=e.refs;o{"use strict";function n(){for(var e=[],t=0;tn})},1767:(e,t,o)=>{"use strict";o.d(t,{X:()=>l});var n=o(7622),r=o(5822),i={settings:{},scopedSettings:{},inCustomizerContext:!1},a=r.D.getValue("customizations",{settings:{},scopedSettings:{},inCustomizerContext:!1}),s=[],l=function(){function e(){}return e.reset=function(){a.settings={},a.scopedSettings={}},e.applySettings=function(t){a.settings=(0,n.pi)((0,n.pi)({},a.settings),t),e._raiseChange()},e.applyScopedSettings=function(t,o){a.scopedSettings[t]=(0,n.pi)((0,n.pi)({},a.scopedSettings[t]),o),e._raiseChange()},e.getSettings=function(e,t,o){void 0===o&&(o=i);for(var n={},r=t&&o.scopedSettings[t]||{},s=t&&a.scopedSettings[t]||{},l=0,c=e;l{"use strict";o.d(t,{N:()=>l});var n=o(7622),r=o(7002),i=o(1767),a=o(7576),s=o(8889),l=function(e){function t(){var t=null!==e&&e.apply(this,arguments)||this;return t._onCustomizationChange=function(){return t.forceUpdate()},t}return(0,n.ZT)(t,e),t.prototype.componentDidMount=function(){i.X.observe(this._onCustomizationChange)},t.prototype.componentWillUnmount=function(){i.X.unobserve(this._onCustomizationChange)},t.prototype.render=function(){var e=this,t=this.props.contextTransform;return r.createElement(a.i.Consumer,null,(function(o){var n=(0,s.u)(e.props,o);return t&&(n=t(n)),r.createElement(a.i.Provider,{value:n},e.props.children)}))},t}(r.Component)},7576:(e,t,o)=>{"use strict";o.d(t,{i:()=>n});var n=o(7002).createContext({customizations:{inCustomizerContext:!1,settings:{},scopedSettings:{}}})},6053:(e,t,o)=>{"use strict";o.d(t,{a:()=>c});var n=o(7622),r=o(7002),i=o(1767),a=o(1529),s=o(7576),l=o(3570);function c(e,t,o){return function(c){var u,d=((u=function(a){function u(e){var t=a.call(this,e)||this;return t._styleCache={},t._onSettingChanged=t._onSettingChanged.bind(t),t}return(0,n.ZT)(u,a),u.prototype.componentDidMount=function(){i.X.observe(this._onSettingChanged)},u.prototype.componentWillUnmount=function(){i.X.unobserve(this._onSettingChanged)},u.prototype.render=function(){var a=this;return r.createElement(s.i.Consumer,null,(function(s){var u=i.X.getSettings(t,e,s.customizations),d=a.props;if(u.styles&&"function"==typeof u.styles&&(u.styles=u.styles((0,n.pi)((0,n.pi)({},u),d))),o&&u.styles){if(a._styleCache.default!==u.styles||a._styleCache.component!==d.styles){var p=(0,l.m)(u.styles,d.styles);a._styleCache.default=u.styles,a._styleCache.component=d.styles,a._styleCache.merged=p}return r.createElement(c,(0,n.pi)({},u,d,{styles:a._styleCache.merged}))}return r.createElement(c,(0,n.pi)({},u,d))}))},u.prototype._onSettingChanged=function(){this.forceUpdate()},u}(r.Component)).displayName="Customized"+e,u);return(0,a.f)(c,d)}}},8889:(e,t,o)=>{"use strict";o.d(t,{u:()=>r});var n=o(3579);function r(e,t){var o=(t||{}).customizations,r=void 0===o?{settings:{},scopedSettings:{}}:o;return{customizations:{settings:(0,n.O)(r.settings,e.settings),scopedSettings:(0,n.J)(r.scopedSettings,e.scopedSettings),inCustomizerContext:!0}}}},3579:(e,t,o)=>{"use strict";o.d(t,{O:()=>r,J:()=>i});var n=o(7622);function r(e,t){return void 0===e&&(e={}),(a(t)?t:function(e){return function(t){return e?(0,n.pi)((0,n.pi)({},t),e):t}}(t))(e)}function i(e,t){return void 0===e&&(e={}),(a(t)?t:(void 0===(o=t)&&(o={}),function(e){var t=(0,n.pi)({},e);for(var r in o)o.hasOwnProperty(r)&&(t[r]=(0,n.pi)((0,n.pi)({},e[r]),o[r]));return t}))(e);var o}function a(e){return"function"==typeof e}},9296:(e,t,o)=>{"use strict";o.d(t,{D:()=>a});var n=o(7002),r=o(1767),i=o(7576);function a(e,t){var o,a=(o=n.useState(0)[1],function(){return o((function(e){return++e}))}),s=n.useContext(i.i).customizations,l=s.inCustomizerContext;return n.useEffect((function(){return l||r.X.observe(a),function(){l||r.X.unobserve(a)}}),[l]),r.X.getSettings(e,t,s)}},5446:(e,t,o)=>{"use strict";o.d(t,{M:()=>r});var n=o(6169);function r(e){if(!n.N&&"undefined"!=typeof document){var t=e;return t&&t.ownerDocument?t.ownerDocument:document}}},9757:(e,t,o)=>{"use strict";o.d(t,{J:()=>i});var n=o(6169),r=void 0;try{r=window}catch(e){}function i(e){if(!n.N&&void 0!==r){var t=e;return t&&t.ownerDocument&&t.ownerDocument.defaultView?t.ownerDocument.defaultView:r}}},9251:(e,t,o)=>{"use strict";function n(e,t,o,n){return e.addEventListener(t,o,n),function(){return e.removeEventListener(t,o,n)}}o.d(t,{on:()=>n})},3978:(e,t,o)=>{"use strict";function n(e){var t=function(e){var t;return"function"==typeof Event?t=new Event(e):(t=document.createEvent("Event")).initEvent(e,!0,!0),t}("MouseEvents");t.initEvent("click",!0,!0),e.dispatchEvent(t)}o.d(t,{x:()=>n})},6169:(e,t,o)=>{"use strict";o.d(t,{N:()=>n,T:()=>r});var n=!1;function r(e){n=e}},3774:(e,t,o)=>{"use strict";o.d(t,{c:()=>r});var n=o(9151);function r(e,t){for(var o in t)t.hasOwnProperty(o)&&(e[o]=(0,n.Z)(e,e[o],t[o]))}},4553:(e,t,o)=>{"use strict";o.d(t,{ft:()=>l,TE:()=>c,RK:()=>u,xY:()=>d,uo:()=>p,TD:()=>m,dc:()=>h,Jv:()=>g,MW:()=>f,jz:()=>v,gc:()=>b,WU:()=>y,mM:()=>_,um:()=>S,bF:()=>x,xu:()=>k});var n=o(5081),r=o(3345),i=o(6840),a=o(9757),s=o(5446);function l(e,t,o){return h(e,t,!0,!1,!1,o)}function c(e,t,o){return m(e,t,!0,!1,!0,o)}function u(e,t,o,n){return void 0===n&&(n=!0),h(e,t,n,!1,!1,o,!1,!0)}function d(e,t,o,n){return void 0===n&&(n=!0),m(e,t,n,!1,!0,o,!1,!0)}function p(e){var t=h(e,e,!0,!1,!1,!0);return!!t&&(S(t),!0)}function m(e,t,o,n,r,i,a,s){if(!t||!a&&t===e)return null;var l=g(t);if(r&&l&&(i||!v(t)&&!b(t))){var c=m(e,t.lastElementChild,!0,!0,!0,i,a,s);if(c){if(s&&f(c,!0)||!s)return c;var u=m(e,c.previousElementSibling,!0,!0,!0,i,a,s);if(u)return u;for(var d=c.parentElement;d&&d!==t;){var p=m(e,d.previousElementSibling,!0,!0,!0,i,a,s);if(p)return p;d=d.parentElement}}}return o&&l&&f(t,s)?t:m(e,t.previousElementSibling,!0,!0,!0,i,a,s)||(n?null:m(e,t.parentElement,!0,!1,!1,i,a,s))}function h(e,t,o,n,r,i,a,s){if(!t||t===e&&r&&!a)return null;var l=g(t);if(o&&l&&f(t,s))return t;if(!r&&l&&(i||!v(t)&&!b(t))){var c=h(e,t.firstElementChild,!0,!0,!1,i,a,s);if(c)return c}return t===e?null:h(e,t.nextElementSibling,!0,!0,!1,i,a,s)||(n?null:h(e,t.parentElement,!1,!1,!0,i,a,s))}function g(e){if(!e||!e.getAttribute)return!1;var t=e.getAttribute("data-is-visible");return null!=t?"true"===t:0!==e.offsetHeight||null!==e.offsetParent||!0===e.isVisible}function f(e,t){if(!e||e.disabled)return!1;var o=0,n=null;e&&e.getAttribute&&(n=e.getAttribute("tabIndex"))&&(o=parseInt(n,10));var r=e.getAttribute?e.getAttribute("data-is-focusable"):null,i=null!==n&&o>=0,a=!!e&&"false"!==r&&("A"===e.tagName||"BUTTON"===e.tagName||"INPUT"===e.tagName||"TEXTAREA"===e.tagName||"SELECT"===e.tagName||"true"===r||i);return t?-1!==o&&a:a}function v(e){return!!(e&&e.getAttribute&&e.getAttribute("data-focuszone-id"))}function b(e){return!(!e||!e.getAttribute||"true"!==e.getAttribute("data-is-sub-focuszone"))}function y(e){var t=(0,s.M)(e),o=t&&t.activeElement;return!(!o||!(0,r.t)(e,o))}function _(e,t){return"true"!==(0,n.j)(e,t)}var C=void 0;function S(e){if(e){if(C)return void(C=e);C=e;var t=(0,a.J)(e);t&&t.requestAnimationFrame((function(){C&&C.focus(),C=void 0}))}}function x(e,t){for(var o=e,n=0,r=t;n{"use strict";o.d(t,{z:()=>s,_:()=>l});var n=o(9757),r=o(729),i=(0,n.J)()||{};void 0===i.__currentId__&&(i.__currentId__=0);var a=!1;function s(e){if(!a){var t=r.Y.getInstance();t&&t.onReset&&t.onReset(l),a=!0}return(void 0===e?"id__":e)+i.__currentId__++}function l(e){void 0===e&&(e=0),i.__currentId__=e}},63:(e,t,o)=>{"use strict";o.d(t,{j:()=>r});var n=o(7622);function r(e,t){for(var o=(0,n.pi)({},t),r=0,i=Object.keys(e);r{"use strict";o.d(t,{W:()=>r,e:()=>i});var n=["setState","render","componentWillMount","UNSAFE_componentWillMount","componentDidMount","componentWillReceiveProps","UNSAFE_componentWillReceiveProps","shouldComponentUpdate","componentWillUpdate","getSnapshotBeforeUpdate","UNSAFE_componentWillUpdate","componentDidUpdate","componentWillUnmount"];function r(e,t,o){void 0===o&&(o=n);var r=[],i=function(n){"function"!=typeof t[n]||void 0!==e[n]||o&&-1!==o.indexOf(n)||(r.push(n),e[n]=function(){for(var e=[],o=0;o{"use strict";function n(e,t){for(var o in e)e.hasOwnProperty(o)&&(t[o]=e[o]);return t}o.d(t,{f:()=>n})},5036:(e,t,o)=>{"use strict";o.d(t,{f:()=>r});var n=o(9757),r=function(){var e,t,o=(0,n.J)();return!!(null===(t=null===(e=o)||void 0===e?void 0:e.navigator)||void 0===t?void 0:t.userAgent)&&o.navigator.userAgent.indexOf("rv:11.0")>-1}},688:(e,t,o)=>{"use strict";o.d(t,{l:()=>r});var n=o(3774);function r(e){(0,n.c)(e,{componentDidMount:i,componentDidUpdate:a,componentWillUnmount:s})}function i(){l(this.props.componentRef,this)}function a(e){e.componentRef!==this.props.componentRef&&(l(e.componentRef,null),l(this.props.componentRef,this))}function s(){l(this.props.componentRef,null)}function l(e,t){e&&("object"==typeof e?e.current=t:"function"==typeof e&&e(t))}},6104:(e,t,o)=>{"use strict";o.d(t,{Q:()=>l});var n=/[\(\[\{][^\)\]\}]*[\)\]\}]/g,r=/[\0-\u001F\!-/:-@\[-`\{-\u00BF\u0250-\u036F\uD800-\uFFFF]/g,i=/^\d+[\d\s]*(:?ext|x|)\s*\d+$/i,a=/\s+/g,s=/[\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]/;function l(e,t,o){return e?(e=function(e){return(e=(e=(e=e.replace(n,"")).replace(r,"")).replace(a," ")).trim()}(e),s.test(e)||!o&&i.test(e)?"":function(e,t){var o="",n=e.split(" ");return 2===n.length?(o+=n[0].charAt(0).toUpperCase(),o+=n[1].charAt(0).toUpperCase()):3===n.length?(o+=n[0].charAt(0).toUpperCase(),o+=n[2].charAt(0).toUpperCase()):0!==n.length&&(o+=n[0].charAt(0).toUpperCase()),t&&o.length>1?o.charAt(1)+o.charAt(0):o}(e,t)):""}},7414:(e,t,o)=>{"use strict";o.d(t,{L:()=>a,e:()=>s});var n,r=o(8145),i=((n={})[r.m.up]=1,n[r.m.down]=1,n[r.m.left]=1,n[r.m.right]=1,n[r.m.home]=1,n[r.m.end]=1,n[r.m.tab]=1,n[r.m.pageUp]=1,n[r.m.pageDown]=1,n);function a(e){return!!i[e]}function s(e){i[e]=1}},3856:(e,t,o)=>{"use strict";o.d(t,{G:()=>l,m:()=>c});var n,r=o(5446),i=o(9757),a=o(6982),s="language";function l(e){if(void 0===e&&(e="sessionStorage"),void 0===n){var t=(0,r.M)(),o="localStorage"===e?function(e){var t=null;try{var o=(0,i.J)();t=o?o.localStorage.getItem("language"):null}catch(e){}return t}():"sessionStorage"===e?a.r(s):void 0;o&&(n=o),void 0===n&&t&&(n=t.documentElement.getAttribute("lang")),void 0===n&&(n="en")}return n}function c(e,t){var o=(0,r.M)();o&&o.documentElement.setAttribute("lang",e);var l=!0===t?"none":t||"sessionStorage";"localStorage"===l?function(e,t){try{var o=(0,i.J)();o&&o.localStorage.setItem("language",t)}catch(e){}}(0,e):"sessionStorage"===l&&a.L(s,e),n=e}},8633:(e,t,o)=>{"use strict";function n(e,t){var o=e.left||e.x||0,n=e.top||e.y||0,r=t.left||t.x||0,i=t.top||t.y||0;return Math.sqrt(Math.pow(o-r,2)+Math.pow(n-i,2))}function r(e){var t,o=e.contentSize,n=e.boundsSize,r=e.mode,i=void 0===r?"contain":r,a=e.maxScale,s=void 0===a?1:a,l=o.width/o.height,c=n.width/n.height;t=("contain"===i?l>c:ln,nK:()=>r,oe:()=>i,F0:()=>a})},5094:(e,t,o)=>{"use strict";o.d(t,{rQ:()=>c,du:()=>u,HP:()=>d,NF:()=>p,Ct:()=>m});var n=o(729),r=!1,i=0,a={empty:!0},s={},l="undefined"==typeof WeakMap?null:WeakMap;function c(e){l=e}function u(){i++}function d(e,t,o){var n=p(o.value&&o.value.bind(null));return{configurable:!0,get:function(){return n}}}function p(e,t,o){if(void 0===t&&(t=100),void 0===o&&(o=!1),!l)return e;if(!r){var a=n.Y.getInstance();a&&a.onReset&&n.Y.getInstance().onReset(u),r=!0}var s,c=0,d=i;return function(){for(var n=[],r=0;r0&&c>t)&&(s=g(),c=0,d=i),a=s;for(var l=0;l{"use strict";function n(e){for(var t=[],o=1;o-1;e[n]=a?i:r(e[n]||{},i,o)}}return o.pop(),e}o.d(t,{T:()=>n})},8936:(e,t,o)=>{"use strict";o.d(t,{g:()=>n});var n=function(){return!!(window&&window.navigator&&window.navigator.userAgent)&&/iPad|iPhone|iPod/i.test(window.navigator.userAgent)}},6093:(e,t,o)=>{"use strict";o.d(t,{O:()=>r});var n=o(5446);function r(e){for(var t,o=[],r=(0,n.M)(e)||document;e!==r.body;){for(var i=0,a=e.parentElement.children;i{"use strict";function n(e,t){for(var o in e)if(e.hasOwnProperty(o)&&(!t.hasOwnProperty(o)||t[o]!==e[o]))return!1;for(var o in t)if(t.hasOwnProperty(o)&&!e.hasOwnProperty(o))return!1;return!0}function r(e){for(var t=[],o=1;on,f0:()=>r,lW:()=>i,vT:()=>a,VO:()=>s,CE:()=>l})},6479:(e,t,o)=>{"use strict";o.d(t,{V:()=>i});var n,r=o(9757);function i(e){if(void 0===n||e){var t=(0,r.J)(),o=t&&t.navigator.userAgent;n=!!o&&-1!==o.indexOf("Macintosh")}return!!n}},6670:(e,t,o)=>{"use strict";function n(e){return e.clientWidthn,cs:()=>r,zS:()=>i})},8127:(e,t,o)=>{"use strict";o.d(t,{WO:()=>r,Nf:()=>i,iY:()=>a,mp:()=>s,vF:()=>l,NI:()=>c,t$:()=>u,PT:()=>d,h2:()=>p,Yq:()=>m,Gg:()=>h,FI:()=>g,bL:()=>f,Qy:()=>v,$B:()=>b,PC:()=>y,fI:()=>_,IX:()=>C,YG:()=>S,qi:()=>x,NX:()=>k,SZ:()=>w,it:()=>I,X7:()=>D,n7:()=>T,pq:()=>E});var n=function(){for(var e=[],t=0;t=0||0===l.indexOf("data-")||0===l.indexOf("aria-"))||o&&-1!==(null===(n=o)||void 0===n?void 0:n.indexOf(l))||(i[l]=e[l])}return i}},8826:(e,t,o)=>{"use strict";o.d(t,{k:()=>i});var n=o(5094),r=(0,n.Ct)((function(e){return(0,n.Ct)((function(t){var o=(0,n.Ct)((function(e){return function(o){return t(o,e)}}));return function(n,r){return e(n,r?o(r):t)}}))}));function i(e,t){return r(e)(t)}},5951:(e,t,o)=>{"use strict";o.d(t,{zg:()=>c,ok:()=>u,dP:()=>d});var n,r=o(8145),i=o(5446),a=o(6982),s=o(6825),l="isRTL";function c(e){if(void 0===e&&(e={}),void 0!==e.rtl)return e.rtl;if(void 0===n){var t=(0,a.r)(l);null!==t&&u(n="1"===t);var o=(0,i.M)();void 0===n&&o&&(n="rtl"===(o.body&&o.body.getAttribute("dir")||o.documentElement.getAttribute("dir")),(0,s.ok)(n))}return!!n}function u(e,t){void 0===t&&(t=!1);var o=(0,i.M)();o&&o.documentElement.setAttribute("dir",e?"rtl":"ltr"),t&&(0,a.L)(l,e?"1":"0"),n=e,(0,s.ok)(n)}function d(e,t){return void 0===t&&(t={}),c(t)&&(e===r.m.left?e=r.m.right:e===r.m.right&&(e=r.m.left)),e}},2990:(e,t,o)=>{"use strict";o.d(t,{J:()=>r});var n=o(3774),r=function(e){var t;return function(o){t||(t=new Set,(0,n.c)(e,{componentWillUnmount:function(){t.forEach((function(e){return cancelAnimationFrame(e)}))}}));var r=requestAnimationFrame((function(){t.delete(r),o()}));t.add(r)}}},4948:(e,t,o)=>{"use strict";o.d(t,{c6:()=>c,C7:()=>u,eC:()=>d,Qp:()=>m,tG:()=>h,np:()=>g,zj:()=>f});var n,r=o(5446),i=o(9444),a=o(9757),s=0,l=(0,i.y)({overflow:"hidden !important"}),c="data-is-scrollable",u=function(e,t){if(e){var o=0,n=null;t.on(e,"touchstart",(function(e){1===e.targetTouches.length&&(o=e.targetTouches[0].clientY)}),{passive:!1}),t.on(e,"touchmove",(function(e){if(1===e.targetTouches.length&&(e.stopPropagation(),n)){var t=e.targetTouches[0].clientY-o,r=f(e.target);r&&(n=r),0===n.scrollTop&&t>0&&e.preventDefault(),n.scrollHeight-Math.ceil(n.scrollTop)<=n.clientHeight&&t<0&&e.preventDefault()}}),{passive:!1}),n=e}},d=function(e,t){e&&t.on(e,"touchmove",(function(e){e.stopPropagation()}),{passive:!1})},p=function(e){e.preventDefault()};function m(){var e=(0,r.M)();e&&e.body&&!s&&(e.body.classList.add(l),e.body.addEventListener("touchmove",p,{passive:!1,capture:!1})),s++}function h(){if(s>0){var e=(0,r.M)();e&&e.body&&1===s&&(e.body.classList.remove(l),e.body.removeEventListener("touchmove",p)),s--}}function g(){if(void 0===n){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),n=e.offsetWidth-e.clientWidth,document.body.removeChild(e)}return n}function f(e){for(var t=e,o=(0,r.M)(e);t&&t!==o.body;){if("true"===t.getAttribute(c))return t;t=t.parentElement}for(t=e;t&&t!==o.body;){if("false"!==t.getAttribute(c)){var n=getComputedStyle(t),i=n?n.getPropertyValue("overflow-y"):"";if(i&&("scroll"===i||"auto"===i))return t}t=t.parentElement}return t&&t!==o.body||(t=(0,a.J)(e)),t}},3297:(e,t,o)=>{"use strict";o.d(t,{Y:()=>i});var n=o(5238),r=o(9919),i=function(){function e(){for(var e=[],t=0;t0&&this._isAllSelected&&0===this._exemptedCount||!this._isAllSelected&&this._exemptedCount===e&&e>0},e.prototype.isKeySelected=function(e){var t=this._keyToIndexMap[e];return this.isIndexSelected(t)},e.prototype.isIndexSelected=function(e){return!!(this.count>0&&this._isAllSelected&&!this._exemptedIndices[e]&&!this._unselectableIndices[e]||!this._isAllSelected&&this._exemptedIndices[e])},e.prototype.setAllSelected=function(e){if(!e||this.mode===n.oW.multiple){var t=this._items?this._items.length-this._unselectableCount:0;this.setChangeEvents(!1),t>0&&(this._exemptedCount>0||e!==this._isAllSelected)&&(this._exemptedIndices={},(e!==this._isAllSelected||this._exemptedCount>0)&&(this._exemptedCount=0,this._isAllSelected=e,this._change()),this._updateCount()),this.setChangeEvents(!0)}},e.prototype.setKeySelected=function(e,t,o){var n=this._keyToIndexMap[e];n>=0&&this.setIndexSelected(n,t,o)},e.prototype.setIndexSelected=function(e,t,o){if(this.mode!==n.oW.none&&!((e=Math.min(Math.max(0,e),this._items.length-1))<0||e>=this._items.length)){this.setChangeEvents(!1);var r=this._exemptedIndices[e];!this._unselectableIndices[e]&&(t&&this.mode===n.oW.single&&this._setAllSelected(!1,!0),r&&(t&&this._isAllSelected||!t&&!this._isAllSelected)&&(delete this._exemptedIndices[e],this._exemptedCount--),!r&&(t&&!this._isAllSelected||!t&&this._isAllSelected)&&(this._exemptedIndices[e]=!0,this._exemptedCount++),o&&(this._anchoredIndex=e)),this._updateCount(),this.setChangeEvents(!0)}},e.prototype.selectToKey=function(e,t){this.selectToIndex(this._keyToIndexMap[e],t)},e.prototype.selectToIndex=function(e,t){if(this.mode!==n.oW.none)if(this.mode!==n.oW.single){var o=this._anchoredIndex||0,r=Math.min(e,o),i=Math.max(e,o);for(this.setChangeEvents(!1),t&&this._setAllSelected(!1,!0);r<=i;r++)this.setIndexSelected(r,!0,!1);this.setChangeEvents(!0)}else this.setIndexSelected(e,!0,!0)},e.prototype.toggleAllSelected=function(){this.setAllSelected(!this.isAllSelected())},e.prototype.toggleKeySelected=function(e){this.setKeySelected(e,!this.isKeySelected(e),!0)},e.prototype.toggleIndexSelected=function(e){this.setIndexSelected(e,!this.isIndexSelected(e),!0)},e.prototype.toggleRangeSelected=function(e,t){if(this.mode!==n.oW.none){var o=this.isRangeSelected(e,t),r=e+t;if(!(this.mode===n.oW.single&&t>1)){this.setChangeEvents(!1);for(var i=e;i0&&(this._exemptedCount>0||e!==this._isAllSelected)&&(this._exemptedIndices={},(e!==this._isAllSelected||this._exemptedCount>0)&&(this._exemptedCount=0,this._isAllSelected=e,this._change()),this._updateCount(t)),this.setChangeEvents(!0)}},e.prototype._change=function(){0===this._changeEventSuppressionCount?(this._selectedItems=null,this._selectedIndices=void 0,r.r.raise(this,n.F5),this._onSelectionChanged&&this._onSelectionChanged()):this._hasChanged=!0},e}();function a(e,t){var o=(e||{}).key;return void 0===o?""+t:o}},5238:(e,t,o)=>{"use strict";o.d(t,{F5:()=>i,oW:()=>n,a$:()=>r});var n,r,i="change";!function(e){e[e.none=0]="none",e[e.single=1]="single",e[e.multiple=2]="multiple"}(n||(n={})),function(e){e[e.horizontal=0]="horizontal",e[e.vertical=1]="vertical"}(r||(r={}))},6982:(e,t,o)=>{"use strict";o.d(t,{r:()=>r,L:()=>i});var n=o(9757);function r(e){var t=null;try{var o=(0,n.J)();t=o?o.sessionStorage.getItem(e):null}catch(e){}return t}function i(e,t){var o;try{null===(o=(0,n.J)())||void 0===o||o.sessionStorage.setItem(e,t)}catch(e){}}},6145:(e,t,o)=>{"use strict";o.d(t,{G$:()=>r,MU:()=>a});var n=o(9757),r="ms-Fabric--isFocusVisible",i="ms-Fabric--isFocusHidden";function a(e,t){var o=t?(0,n.J)(t):(0,n.J)();if(o){var a=o.document.body.classList;a.add(e?r:i),a.remove(e?i:r)}}},6953:(e,t,o)=>{"use strict";o.d(t,{W:()=>i});var n=/[\{\}]/g,r=/\{\d+\}/g;function i(e){for(var t=[],o=1;o{"use strict";o.d(t,{z:()=>l});var n=o(7622),r=o(7002),i=o(965),a=o(9296),s=["theme","styles"];function l(e,t,o,l,c){var u=(l=l||{scope:"",fields:void 0}).scope,d=l.fields,p=void 0===d?s:d,m=r.forwardRef((function(s,l){var c=r.useRef(),d=(0,a.D)(p,u),m=d.styles,h=(d.dir,(0,n._T)(d,["styles","dir"])),g=o?o(s):void 0,f=c.current&&c.current.__cachedInputs__||[];if(!c.current||m!==f[1]||s.styles!==f[2]){var v=function(e){return(0,i.l)(e,t,m,s.styles)};v.__cachedInputs__=[t,m,s.styles],v.__noStyleOverride__=!m&&!s.styles,c.current=v}return r.createElement(e,(0,n.pi)({ref:l},h,g,s,{styles:c.current}))}));m.displayName="Styled"+(e.displayName||e.name);var h=c?r.memo(m):m;return m.displayName&&(h.displayName=m.displayName),h}},5480:(e,t,o)=>{"use strict";o.d(t,{P:()=>c,u:()=>u});var n=o(7002),r=o(9757),i=o(7414),a=o(6145),s=new WeakMap;function l(e,t){var o,n=s.get(e);return o=n?n+t:1,s.set(e,o),o}function c(e){n.useEffect((function(){var t,o,n=(0,r.J)(null===(t=e)||void 0===t?void 0:t.current);if(n&&!0!==(null===(o=n.FabricConfig)||void 0===o?void 0:o.disableFocusRects)){var i=l(n,1);return i<=1&&(n.addEventListener("mousedown",d,!0),n.addEventListener("pointerdown",p,!0),n.addEventListener("keydown",m,!0)),function(){var e;n&&!0!==(null===(e=n.FabricConfig)||void 0===e?void 0:e.disableFocusRects)&&0===(i=l(n,-1))&&(n.removeEventListener("mousedown",d,!0),n.removeEventListener("pointerdown",p,!0),n.removeEventListener("keydown",m,!0))}}}),[e])}var u=function(e){return c(e.rootRef),null};function d(e){(0,a.MU)(!1,e.target)}function p(e){"mouse"!==e.pointerType&&(0,a.MU)(!1,e.target)}function m(e){(0,i.L)(e.which)&&(0,a.MU)(!0,e.target)}},687:(e,t,o)=>{"use strict";function n(e){console&&console.warn&&console.warn(e)}function r(e){}o.d(t,{Z:()=>n,U:()=>r})},5415:(e,t,o)=>{"use strict";function n(e,t,o,n,r){}o.d(t,{w:()=>n}),o(687)},5301:(e,t,o)=>{"use strict";function n(){}function r(e){}o.d(t,{G:()=>n,Q:()=>r})},3129:(e,t,o)=>{"use strict";function n(e,t,o){}o.d(t,{b:()=>n})},209:(e,t,o)=>{"use strict";function n(e,t,o){}o.d(t,{L:()=>n})},4976:(e,t,o)=>{"use strict";o.d(t,{RM:()=>d,jz:()=>m});var n,r=function(){return(r=Object.assign||function(e){for(var t,o=1,n=arguments.length;oo&&t.push({rawString:e.substring(o,r)}),t.push({theme:n[1],defaultValue:n[2]}),o=l.lastIndex}t.push({rawString:e.substring(o)})}return t}(e),n=s.runState,r=n.mode,i=n.buffer,a=n.flushTimer;t||1===r?(i.push(o),a||(s.runState.flushTimer=setTimeout((function(){s.runState.flushTimer=0,u((function(){var e=s.runState.buffer.slice();s.runState.buffer=[];var t=[].concat.apply([],e);t.length>0&&p(t)}))}),0))):p(o)}))}function p(e,t){s.loadStyles?s.loadStyles(g(e).styleString,e):function(e){if("undefined"!=typeof document){var t=document.getElementsByTagName("head")[0],o=document.createElement("style"),n=g(e),r=n.styleString,i=n.themable;o.setAttribute("data-load-themed-styles","true"),a&&o.setAttribute("nonce",a),o.appendChild(document.createTextNode(r)),s.perf.count++,t.appendChild(o);var l=document.createEvent("HTMLEvents");l.initEvent("styleinsert",!0,!1),l.args={newStyle:o},document.dispatchEvent(l);var c={styleElement:o,themableStyle:e};i?s.registeredThemableStyles.push(c):s.registeredStyles.push(c)}}(e)}function m(e){s.theme=e,function(){if(s.theme){for(var e=[],t=0,o=s.registeredThemableStyles;t0&&(void 0===(r=1)&&(r=3),3!==r&&2!==r||(h(s.registeredStyles),s.registeredStyles=[]),3!==r&&1!==r||(h(s.registeredThemableStyles),s.registeredThemableStyles=[]),p([].concat.apply([],e)))}var r}()}function h(e){e.forEach((function(e){var t=e&&e.styleElement;t&&t.parentElement&&t.parentElement.removeChild(t)}))}function g(e){var t=s.theme,o=!1;return{styleString:(e||[]).map((function(e){var n=e.theme;if(n){o=!0;var r=t?t[n]:void 0,i=e.defaultValue||"inherit";return t&&!r&&console&&!(n in t)&&"undefined"!=typeof DEBUG&&DEBUG&&console.warn('Theming value not provided for "'+n+'". Falling back to "'+i+'".'),r||i}return e.rawString})).join(""),themable:o}}},7622:(e,t,o)=>{"use strict";o.d(t,{ZT:()=>r,pi:()=>i,_T:()=>a,gn:()=>s,pr:()=>l});var n=function(e,t){return(n=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var o in t)t.hasOwnProperty(o)&&(e[o]=t[o])})(e,t)};function r(e,t){function o(){this.constructor=e}n(e,t),e.prototype=null===t?Object.create(t):(o.prototype=t.prototype,new o)}var i=function(){return(i=Object.assign||function(e){for(var t,o=1,n=arguments.length;o=0;s--)(r=e[s])&&(a=(i<3?r(a):i>3?r(t,o,a):r(t,o))||a);return i>3&&a&&Object.defineProperty(t,o,a),a}function l(){for(var e=0,t=0,o=arguments.length;t{"use strict";o.r(t),o.d(t,{ActionButton:()=>T,Calendar:()=>F,Checkbox:()=>L,ChoiceGroup:()=>A,ColorPicker:()=>z,ComboBox:()=>H,CommandBarButton:()=>E,CommandButton:()=>P,CompoundButton:()=>M,DatePicker:()=>O,DefaultButton:()=>R,Dropdown:()=>W,IconButton:()=>N,NormalPeoplePicker:()=>V,PrimaryButton:()=>B,Rating:()=>K,SearchBox:()=>q,Slider:()=>G,SpinButton:()=>U,SwatchColorPicker:()=>j,TextField:()=>J,Toggle:()=>Y});var n=o(2898),r=o(1420),i=o(990),a=o(8959),s=o(9632),l=o(5758),c=o(8924),u=o(4977),d=o(2777),p=o(9240),m=o(6847),h=o(610),g=o(127),f=o(4004),v=o(9318),b=o(558),y=o(6419),_=o(4107),C=o(3134),S=o(9502),x=o(8623),k=o(1431);const w=jsmodule["@/shiny.react"];function I(e,t){(null==t||t>e.length)&&(t=e.length);for(var o=0,n=new Array(t);o{function n(e,t){var o=Object.keys(e);if(Object.getOwnPropertySymbols){var n=Object.getOwnPropertySymbols(e);t&&(n=n.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),o.push.apply(o,n)}return o}function r(e){for(var t=1;t{"use strict";e.exports=jsmodule.react}},t={};function o(n){if(t[n])return t[n].exports;var r=t[n]={exports:{}};return e[n](r,r.exports,o),r.exports}o.n=e=>{var t=e&&e.__esModule?()=>e.default:()=>e;return o.d(t,{a:t}),t},o.d=(e,t)=>{for(var n in t)o.o(t,n)&&!o.o(e,n)&&Object.defineProperty(e,n,{enumerable:!0,get:t[n]})},o.g=function(){if("object"==typeof globalThis)return globalThis;try{return this||new Function("return this")()}catch(e){if("object"==typeof window)return window}}(),o.o=(e,t)=>Object.prototype.hasOwnProperty.call(e,t),o.r=e=>{"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(e,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(e,"__esModule",{value:!0})},(()=>{"use strict";o(4686),(0,o(2481).l)()})()})(); \ No newline at end of file diff --git a/js/src/inputs.jsx b/js/src/inputs.jsx index 4267335b..a6ccc39b 100644 --- a/js/src/inputs.jsx +++ b/js/src/inputs.jsx @@ -40,6 +40,8 @@ export const ColorPicker = InputAdapter(Fluent.ColorPicker, (value, setValue) => }), { policy: debounce, delay: 250 }); export const ComboBox = InputAdapter(Fluent.ComboBox, (value, setValue, props) => ({ + selectedKeys: value, + selectedKey: value, onChange: (event, option, index, text) => { const newOption = option || (text ? { text, key: text, selected: true } : null); if (props.multiSelect) { From fa81192086aa598b99fa4bb6b38d2f2ac20c8349 Mon Sep 17 00:00:00 2001 From: Jakub Sobolewski Date: Wed, 13 Sep 2023 10:50:28 +0200 Subject: [PATCH 06/19] chore: update browserslist --- js/yarn.lock | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/js/yarn.lock b/js/yarn.lock index f7a47870..23b15862 100644 --- a/js/yarn.lock +++ b/js/yarn.lock @@ -1765,9 +1765,9 @@ callsites@^3.0.0: integrity sha512-P8BjAsXvZS+VIDUI11hHCQEv74YT67YUi5JJFNWIqL235sBmjX4+qx9Muvls5ivyNENctx46xQLQ3aTuE7ssaQ== caniuse-lite@^1.0.30001173: - version "1.0.30001272" - resolved "https://registry.npmjs.org/caniuse-lite/-/caniuse-lite-1.0.30001272.tgz" - integrity sha512-DV1j9Oot5dydyH1v28g25KoVm7l8MTxazwuiH3utWiAS6iL/9Nh//TGwqFEeqqN8nnWYQ8HHhUq+o4QPt9kvYw== + version "1.0.30001534" + resolved "https://registry.npmjs.org/caniuse-lite/-/caniuse-lite-1.0.30001534.tgz" + integrity sha512-vlPVrhsCS7XaSh2VvWluIQEzVhefrUQcEsQWSS5A5V+dM07uv1qHeQzAOTGIMy9i3e9bH15+muvI/UHojVgS/Q== caseless@~0.12.0: version "0.12.0" From 6608a7392b9ed38215c647990b35fc44aa44eebe Mon Sep 17 00:00:00 2001 From: Jakub Sobolewski Date: Wed, 13 Sep 2023 15:53:46 +0200 Subject: [PATCH 07/19] feat: support freeform in multiselect ComboBox --- js/src/inputs.jsx | 42 ++++++++++++++++++++++++++++++------------ 1 file changed, 30 insertions(+), 12 deletions(-) diff --git a/js/src/inputs.jsx b/js/src/inputs.jsx index a6ccc39b..5e85a410 100644 --- a/js/src/inputs.jsx +++ b/js/src/inputs.jsx @@ -1,5 +1,6 @@ import * as Fluent from '@fluentui/react'; import { ButtonAdapter, InputAdapter, debounce } from '@/shiny.react'; +import { useState } from 'react'; function handleMultiSelect(option, selectedKeys, propsOptions) { const options = new Set(propsOptions.map((item) => item.key)); @@ -11,6 +12,14 @@ function handleMultiSelect(option, selectedKeys, propsOptions) { return currentSelectedOptionKeys; } +function getSelectedOptionText(options, value, delimiter = ', ') { + const selectedKeys = new Set(value); + return options + .filter((option) => selectedKeys.has(option.key)) + .map((option) => option?.text) + .join(delimiter); +} + export const ActionButton = ButtonAdapter(Fluent.ActionButton); export const CommandBarButton = ButtonAdapter(Fluent.CommandBarButton); export const CommandButton = ButtonAdapter(Fluent.CommandButton); @@ -39,18 +48,27 @@ export const ColorPicker = InputAdapter(Fluent.ColorPicker, (value, setValue) => onChange: (e, v) => setValue(v.str), }), { policy: debounce, delay: 250 }); -export const ComboBox = InputAdapter(Fluent.ComboBox, (value, setValue, props) => ({ - selectedKeys: value, - selectedKey: value, - onChange: (event, option, index, text) => { - const newOption = option || (text ? { text, key: text, selected: true } : null); - if (props.multiSelect) { - setValue(handleMultiSelect(newOption, value, props.options)); - } else { - setValue(newOption.key); - } - }, -}), { policy: debounce, delay: 250 }); +export const ComboBox = InputAdapter(Fluent.ComboBox, (value, setValue, props) => { + const [options, setOptions] = useState(props.options); + return ({ + selectedKey: value, + text: (typeof value === 'string') ? value : getSelectedOptionText(options, value, props.multiSelectDelimiter || ', '), + options, + onChange: (_event, option, _index, text) => { + let key = option?.key || text; + const newOption = option || { key, text }; + // Add new option if freeform is allowed + if (props?.allowFreeform && !option && text) { + setOptions((prevOptions) => [...prevOptions, newOption]); + } + if (props.multiSelect) { + key = handleMultiSelect(newOption, value, options); + } + setValue(key); + }, + }) +}, { policy: debounce, delay: 250 }); + export const DatePicker = InputAdapter(Fluent.DatePicker, (value, setValue) => ({ value: value ? new Date(value) : undefined, From 52fb740f5b836e91469417ca19001504de942b7b Mon Sep 17 00:00:00 2001 From: Jakub Sobolewski Date: Wed, 13 Sep 2023 16:15:59 +0200 Subject: [PATCH 08/19] feat: select freeform option by default in multiselect ComboBox --- js/src/inputs.jsx | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/js/src/inputs.jsx b/js/src/inputs.jsx index 5e85a410..f25585df 100644 --- a/js/src/inputs.jsx +++ b/js/src/inputs.jsx @@ -6,7 +6,9 @@ function handleMultiSelect(option, selectedKeys, propsOptions) { const options = new Set(propsOptions.map((item) => item.key)); let currentSelectedOptionKeys = (Array.isArray(selectedKeys) ? selectedKeys : [selectedKeys]) .filter((key) => options.has(key)); // Some options might have been removed. - currentSelectedOptionKeys = option.selected + // If option doesn't have selected property it comes from freeform, so it's selected by default. + const selected = option.selected ?? true; + currentSelectedOptionKeys = selected ? [...currentSelectedOptionKeys, option.key] : currentSelectedOptionKeys.filter((key) => key !== option.key); return currentSelectedOptionKeys; From d0fcec9a8b220b004df3c1d4296ff850fe84eda9 Mon Sep 17 00:00:00 2001 From: Jakub Sobolewski Date: Wed, 13 Sep 2023 16:21:00 +0200 Subject: [PATCH 09/19] chore: build js --- inst/www/shiny.fluent/shiny-fluent.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/inst/www/shiny.fluent/shiny-fluent.js b/inst/www/shiny.fluent/shiny-fluent.js index f4bbf2f9..b314ca20 100644 --- a/inst/www/shiny.fluent/shiny-fluent.js +++ b/inst/www/shiny.fluent/shiny-fluent.js @@ -1,2 +1,2 @@ /*! For license information please see shiny-fluent.js.LICENSE.txt */ -(()=>{var e={6786:(e,t,o)=>{"use strict";o.d(t,{mR:()=>r,tf:()=>i});var n=o(7622),r={formatDay:function(e){return e.getDate().toString()},formatMonth:function(e,t){return t.months[e.getMonth()]},formatYear:function(e){return e.getFullYear().toString()},formatMonthDayYear:function(e,t){return t.months[e.getMonth()]+" "+e.getDate()+", "+e.getFullYear()},formatMonthYear:function(e,t){return t.months[e.getMonth()]+" "+e.getFullYear()}},i=(0,n.pi)((0,n.pi)({},{months:["January","February","March","April","May","June","July","August","September","October","November","December"],shortMonths:["Jan","Feb","Mar","Apr","May","Jun","Jul","Aug","Sep","Oct","Nov","Dec"],days:["Sunday","Monday","Tuesday","Wednesday","Thursday","Friday","Saturday"],shortDays:["S","M","T","W","T","F","S"]}),{goToToday:"Go to today",weekNumberFormatString:"Week number {0}",prevMonthAriaLabel:"Previous month",nextMonthAriaLabel:"Next month",prevYearAriaLabel:"Previous year",nextYearAriaLabel:"Next year",prevYearRangeAriaLabel:"Previous year range",nextYearRangeAriaLabel:"Next year range",closeButtonAriaLabel:"Close",selectedDateFormatString:"Selected date {0}",todayDateFormatString:"Today's date {0}",monthPickerHeaderAriaLabel:"{0}, change year",yearPickerHeaderAriaLabel:"{0}, change month",dayMarkedAriaLabel:"marked"})},6974:(e,t,o)=>{"use strict";o.d(t,{E4:()=>i,jh:()=>a,zI:()=>s,Bc:()=>l,pU:()=>c,D7:()=>u,W8:()=>d,Q9:()=>p,q0:()=>m,aN:()=>h,NJ:()=>g,e0:()=>f,le:()=>v,iU:()=>b,uW:()=>y,wu:()=>_,Hx:()=>C,c8:()=>x});var n=o(1093),r=o(7433);function i(e,t){var o=new Date(e.getTime());return o.setDate(o.getDate()+t),o}function a(e,t){return i(e,t*r.r.DaysInOneWeek)}function s(e,t){var o=new Date(e.getTime()),n=o.getMonth()+t;return o.setMonth(n),o.getMonth()!==(n%r.r.MonthInOneYear+r.r.MonthInOneYear)%r.r.MonthInOneYear&&(o=i(o,-o.getDate())),o}function l(e,t){var o=new Date(e.getTime());return o.setFullYear(e.getFullYear()+t),o.getMonth()!==(e.getMonth()%r.r.MonthInOneYear+r.r.MonthInOneYear)%r.r.MonthInOneYear&&(o=i(o,-o.getDate())),o}function c(e){return new Date(e.getFullYear(),e.getMonth(),1,0,0,0,0)}function u(e){return new Date(e.getFullYear(),e.getMonth()+1,0,0,0,0,0)}function d(e){return new Date(e.getFullYear(),0,1,0,0,0,0)}function p(e){return new Date(e.getFullYear()+1,0,0,0,0,0,0)}function m(e,t){return s(e,t-e.getMonth())}function h(e,t){return!e&&!t||!(!e||!t)&&e.getFullYear()===t.getFullYear()&&e.getMonth()===t.getMonth()&&e.getDate()===t.getDate()}function g(e,t){return x(e)-x(t)}function f(e,t,o,a,l){void 0===l&&(l=1);var c,u=[],d=null;switch(a||(a=[n.eO.Monday,n.eO.Tuesday,n.eO.Wednesday,n.eO.Thursday,n.eO.Friday]),l=Math.max(l,1),t){case n.NU.Day:d=i(c=S(e),l);break;case n.NU.Week:case n.NU.WorkWeek:d=i(c=_(S(e),o),r.r.DaysInOneWeek);break;case n.NU.Month:d=s(c=new Date(e.getFullYear(),e.getMonth(),1),1);break;default:throw new Error("Unexpected object: "+t)}var p=c;do{(t!==n.NU.WorkWeek||-1!==a.indexOf(p.getDay()))&&u.push(p),p=i(p,1)}while(!h(p,d));return u}function v(e,t){for(var o=0,n=t;o0&&(o-=r.r.DaysInOneWeek),i(e,o)}function C(e,t){var o=(t-1>=0?t-1:r.r.DaysInOneWeek-1)-e.getDay();return o<0&&(o+=r.r.DaysInOneWeek),i(e,o)}function S(e){return new Date(e.getFullYear(),e.getMonth(),e.getDate())}function x(e){return e.getDate()+(e.getMonth()<<5)+(e.getFullYear()<<9)}function k(e,t,o){var i=w(e)-1,a=e.getDay()-i%r.r.DaysInOneWeek,s=w(new Date(e.getFullYear()-1,n.m2.December,31))-1,l=(t-a+2*r.r.DaysInOneWeek)%r.r.DaysInOneWeek;0!==l&&l>=o&&(l-=r.r.DaysInOneWeek);var c=i-l;return c<0&&(0!=(l=(t-(a-=s%r.r.DaysInOneWeek)+2*r.r.DaysInOneWeek)%r.r.DaysInOneWeek)&&l+1>=o&&(l-=r.r.DaysInOneWeek),c=s-l),Math.floor(c/r.r.DaysInOneWeek+1)}function w(e){for(var t=e.getMonth(),o=e.getFullYear(),n=0,r=0;r{"use strict";var n,r,i,a;o.d(t,{eO:()=>n,m2:()=>r,On:()=>i,NU:()=>a,NA:()=>s}),function(e){e[e.Sunday=0]="Sunday",e[e.Monday=1]="Monday",e[e.Tuesday=2]="Tuesday",e[e.Wednesday=3]="Wednesday",e[e.Thursday=4]="Thursday",e[e.Friday=5]="Friday",e[e.Saturday=6]="Saturday"}(n||(n={})),function(e){e[e.January=0]="January",e[e.February=1]="February",e[e.March=2]="March",e[e.April=3]="April",e[e.May=4]="May",e[e.June=5]="June",e[e.July=6]="July",e[e.August=7]="August",e[e.September=8]="September",e[e.October=9]="October",e[e.November=10]="November",e[e.December=11]="December"}(r||(r={})),function(e){e[e.FirstDay=0]="FirstDay",e[e.FirstFullWeek=1]="FirstFullWeek",e[e.FirstFourDayWeek=2]="FirstFourDayWeek"}(i||(i={})),function(e){e[e.Day=0]="Day",e[e.Week=1]="Week",e[e.Month=2]="Month",e[e.WorkWeek=3]="WorkWeek"}(a||(a={}));var s=7},7433:(e,t,o)=>{"use strict";o.d(t,{r:()=>n});var n={MillisecondsInOneDay:864e5,MillisecondsIn1Sec:1e3,MillisecondsIn1Min:6e4,MillisecondsIn30Mins:18e5,MillisecondsIn1Hour:36e5,MinutesInOneDay:1440,MinutesInOneHour:60,DaysInOneWeek:7,MonthInOneYear:12}},3345:(e,t,o)=>{"use strict";o.d(t,{t:()=>r});var n=o(6840);function r(e,t,o){void 0===o&&(o=!0);var r=!1;if(e&&t)if(o)if(e===t)r=!0;else for(r=!1;t;){var i=(0,n.G)(t);if(i===e){r=!0;break}t=i}else e.contains&&(r=e.contains(t));return r}},5081:(e,t,o)=>{"use strict";o.d(t,{j:()=>r});var n=o(8023);function r(e,t){var o=(0,n.X)(e,(function(e){return e.hasAttribute(t)}));return o&&o.getAttribute(t)}},8023:(e,t,o)=>{"use strict";o.d(t,{X:()=>r});var n=o(6840);function r(e,t){return e&&e!==document.body?t(e)?e:r((0,n.G)(e),t):null}},6840:(e,t,o)=>{"use strict";o.d(t,{G:()=>r});var n=o(9157);function r(e,t){return void 0===t&&(t=!0),e&&(t&&(0,n.r)(e)||e.parentNode&&e.parentNode)}},9157:(e,t,o)=>{"use strict";o.d(t,{r:()=>r});var n=o(7876);function r(e){var t;return e&&(0,n.r)(e)&&(t=e._virtual.parent),t}},7876:(e,t,o)=>{"use strict";function n(e){return e&&!!e._virtual}o.d(t,{r:()=>n})},7466:(e,t,o)=>{"use strict";o.d(t,{w:()=>i});var n=o(8023),r=o(8308);function i(e,t){var o=(0,n.X)(e,(function(e){return t===e||e.hasAttribute(r.Y)}));return null!==o&&o.hasAttribute(r.Y)}},8308:(e,t,o)=>{"use strict";o.d(t,{Y:()=>n,U:()=>r});var n="data-portal-element";function r(e){e.setAttribute(n,"true")}},7829:(e,t,o)=>{"use strict";function n(e,t){var o=e,n=t;o._virtual||(o._virtual={children:[]});var r=o._virtual.parent;if(r&&r!==t){var i=r._virtual.children.indexOf(o);i>-1&&r._virtual.children.splice(i,1)}o._virtual.parent=n||void 0,n&&(n._virtual||(n._virtual={children:[]}),n._virtual.children.push(o))}o.d(t,{N:()=>n})},2481:(e,t,o)=>{"use strict";o.d(t,{l:()=>x});var n=o(9729);function r(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons"',src:"url('"+e+"fabric-icons-a13498cf.woff') format('woff')"},icons:{GlobalNavButton:"",ChevronDown:"",ChevronUp:"",Edit:"",Add:"",Cancel:"",More:"",Settings:"",Mail:"",Filter:"",Search:"",Share:"",BlockedSite:"",FavoriteStar:"",FavoriteStarFill:"",CheckMark:"",Delete:"",ChevronLeft:"",ChevronRight:"",Calendar:"",Megaphone:"",Undo:"",Flag:"",Page:"",Pinned:"",View:"",Clear:"",Download:"",Upload:"",Folder:"",Sort:"",AlignRight:"",AlignLeft:"",Tag:"",AddFriend:"",Info:"",SortLines:"",List:"",CircleRing:"",Heart:"",HeartFill:"",Tiles:"",Embed:"",Glimmer:"",Ascending:"",Descending:"",SortUp:"",SortDown:"",SyncToPC:"",LargeGrid:"",SkypeCheck:"",SkypeClock:"",SkypeMinus:"",ClearFilter:"",Flow:"",StatusCircleCheckmark:"",MoreVertical:""}};(0,n.fm)(o,t)}function i(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-0"',src:"url('"+e+"fabric-icons-0-467ee27f.woff') format('woff')"},icons:{PageLink:"",CommentSolid:"",ChangeEntitlements:"",Installation:"",WebAppBuilderModule:"",WebAppBuilderFragment:"",WebAppBuilderSlot:"",BullseyeTargetEdit:"",WebAppBuilderFragmentCreate:"",PageData:"",PageHeaderEdit:"",ProductList:"",UnpublishContent:"",DependencyAdd:"",DependencyRemove:"",EntitlementPolicy:"",EntitlementRedemption:"",SchoolDataSyncLogo:"",PinSolid12:"",PinSolidOff12:"",AddLink:"",SharepointAppIcon16:"",DataflowsLink:"",TimePicker:"",UserWarning:"",ComplianceAudit:"",InternetSharing:"",Brightness:"",MapPin:"",Airplane:"",Tablet:"",QuickNote:"",Video:"",People:"",Phone:"",Pin:"",Shop:"",Stop:"",Link:"",AllApps:"",Zoom:"",ZoomOut:"",Microphone:"",Camera:"",Attach:"",Send:"",FavoriteList:"",PageSolid:"",Forward:"",Back:"",Refresh:"",Lock:"",ReportHacked:"",EMI:"",MiniLink:"",Blocked:"",ReadingMode:"",Favicon:"",Remove:"",Checkbox:"",CheckboxComposite:"",CheckboxFill:"",CheckboxIndeterminate:"",CheckboxCompositeReversed:"",BackToWindow:"",FullScreen:"",Print:"",Up:"",Down:"",OEM:"",Save:"",ReturnKey:"",Cloud:"",Flashlight:"",CommandPrompt:"",Sad:"",RealEstate:"",SIPMove:"",EraseTool:"",GripperTool:"",Dialpad:"",PageLeft:"",PageRight:"",MultiSelect:"",KeyboardClassic:"",Play:"",Pause:"",InkingTool:"",Emoji2:"",GripperBarHorizontal:"",System:"",Personalize:"",SearchAndApps:"",Globe:"",EaseOfAccess:"",ContactInfo:"",Unpin:"",Contact:"",Memo:"",IncomingCall:""}};(0,n.fm)(o,t)}function a(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-1"',src:"url('"+e+"fabric-icons-1-4d521695.woff') format('woff')"},icons:{Paste:"",WindowsLogo:"",Error:"",GripperBarVertical:"",Unlock:"",Slideshow:"",Trim:"",AutoEnhanceOn:"",AutoEnhanceOff:"",Color:"",SaveAs:"",Light:"",Filters:"",AspectRatio:"",Contrast:"",Redo:"",Crop:"",PhotoCollection:"",Album:"",Rotate:"",PanoIndicator:"",Translate:"",RedEye:"",ViewOriginal:"",ThumbnailView:"",Package:"",Telemarketer:"",Warning:"",Financial:"",Education:"",ShoppingCart:"",Train:"",Move:"",TouchPointer:"",Merge:"",TurnRight:"",Ferry:"",Highlight:"",PowerButton:"",Tab:"",Admin:"",TVMonitor:"",Speakers:"",Game:"",HorizontalTabKey:"",UnstackSelected:"",StackIndicator:"",Nav2DMapView:"",StreetsideSplitMinimize:"",Car:"",Bus:"",EatDrink:"",SeeDo:"",LocationCircle:"",Home:"",SwitcherStartEnd:"",ParkingLocation:"",IncidentTriangle:"",Touch:"",MapDirections:"",CaretHollow:"",CaretSolid:"",History:"",Location:"",MapLayers:"",SearchNearby:"",Work:"",Recent:"",Hotel:"",Bank:"",LocationDot:"",Dictionary:"",ChromeBack:"",FolderOpen:"",PinnedFill:"",RevToggleKey:"",USB:"",Previous:"",Next:"",Sync:"",Help:"",Emoji:"",MailForward:"",ClosePane:"",OpenPane:"",PreviewLink:"",ZoomIn:"",Bookmarks:"",Document:"",ProtectedDocument:"",OpenInNewWindow:"",MailFill:"",ViewAll:"",Switch:"",Rename:"",Go:"",Remote:"",SelectAll:"",Orientation:"",Import:""}};(0,n.fm)(o,t)}function s(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-2"',src:"url('"+e+"fabric-icons-2-63c99abf.woff') format('woff')"},icons:{Picture:"",ChromeClose:"",ShowResults:"",Message:"",CalendarDay:"",CalendarWeek:"",MailReplyAll:"",Read:"",Cut:"",PaymentCard:"",Copy:"",Important:"",MailReply:"",GotoToday:"",Font:"",FontColor:"",FolderFill:"",Permissions:"",DisableUpdates:"",Unfavorite:"",Italic:"",Underline:"",Bold:"",MoveToFolder:"",Dislike:"",Like:"",AlignCenter:"",OpenFile:"",ClearSelection:"",FontDecrease:"",FontIncrease:"",FontSize:"",CellPhone:"",RepeatOne:"",RepeatAll:"",Calculator:"",Library:"",PostUpdate:"",NewFolder:"",CalendarReply:"",UnsyncFolder:"",SyncFolder:"",BlockContact:"",Accept:"",BulletedList:"",Preview:"",News:"",Chat:"",Group:"",World:"",Comment:"",DockLeft:"",DockRight:"",Repair:"",Accounts:"",Street:"",RadioBullet:"",Stopwatch:"",Clock:"",WorldClock:"",AlarmClock:"",Photo:"",ActionCenter:"",Hospital:"",Timer:"",FullCircleMask:"",LocationFill:"",ChromeMinimize:"",ChromeRestore:"",Annotation:"",Fingerprint:"",Handwriting:"",ChromeFullScreen:"",Completed:"",Label:"",FlickDown:"",FlickUp:"",FlickLeft:"",FlickRight:"",MiniExpand:"",MiniContract:"",Streaming:"",MusicInCollection:"",OneDriveLogo:"",CompassNW:"",Code:"",LightningBolt:"",CalculatorMultiply:"",CalculatorAddition:"",CalculatorSubtract:"",CalculatorPercentage:"",CalculatorEqualTo:"",PrintfaxPrinterFile:"",StorageOptical:"",Communications:"",Headset:"",Health:"",Webcam2:"",FrontCamera:"",ChevronUpSmall:""}};(0,n.fm)(o,t)}function l(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-3"',src:"url('"+e+"fabric-icons-3-089e217a.woff') format('woff')"},icons:{ChevronDownSmall:"",ChevronLeftSmall:"",ChevronRightSmall:"",ChevronUpMed:"",ChevronDownMed:"",ChevronLeftMed:"",ChevronRightMed:"",Devices2:"",PC1:"",PresenceChickletVideo:"",Reply:"",HalfAlpha:"",ConstructionCone:"",DoubleChevronLeftMed:"",Volume0:"",Volume1:"",Volume2:"",Volume3:"",Chart:"",Robot:"",Manufacturing:"",LockSolid:"",FitPage:"",FitWidth:"",BidiLtr:"",BidiRtl:"",RightDoubleQuote:"",Sunny:"",CloudWeather:"",Cloudy:"",PartlyCloudyDay:"",PartlyCloudyNight:"",ClearNight:"",RainShowersDay:"",Rain:"",Thunderstorms:"",RainSnow:"",Snow:"",BlowingSnow:"",Frigid:"",Fog:"",Squalls:"",Duststorm:"",Unknown:"",Precipitation:"",Ribbon:"",AreaChart:"",Assign:"",FlowChart:"",CheckList:"",Diagnostic:"",Generate:"",LineChart:"",Equalizer:"",BarChartHorizontal:"",BarChartVertical:"",Freezing:"",FunnelChart:"",Processing:"",Quantity:"",ReportDocument:"",StackColumnChart:"",SnowShowerDay:"",HailDay:"",WorkFlow:"",HourGlass:"",StoreLogoMed20:"",TimeSheet:"",TriangleSolid:"",UpgradeAnalysis:"",VideoSolid:"",RainShowersNight:"",SnowShowerNight:"",Teamwork:"",HailNight:"",PeopleAdd:"",Glasses:"",DateTime2:"",Shield:"",Header1:"",PageAdd:"",NumberedList:"",PowerBILogo:"",Info2:"",MusicInCollectionFill:"",Asterisk:"",ErrorBadge:"",CircleFill:"",Record2:"",AllAppsMirrored:"",BookmarksMirrored:"",BulletedListMirrored:"",CaretHollowMirrored:"",CaretSolidMirrored:"",ChromeBackMirrored:"",ClearSelectionMirrored:"",ClosePaneMirrored:"",DockLeftMirrored:"",DoubleChevronLeftMedMirrored:"",GoMirrored:""}};(0,n.fm)(o,t)}function c(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-4"',src:"url('"+e+"fabric-icons-4-a656cc0a.woff') format('woff')"},icons:{HelpMirrored:"",ImportMirrored:"",ImportAllMirrored:"",ListMirrored:"",MailForwardMirrored:"",MailReplyMirrored:"",MailReplyAllMirrored:"",MiniContractMirrored:"",MiniExpandMirrored:"",OpenPaneMirrored:"",ParkingLocationMirrored:"",SendMirrored:"",ShowResultsMirrored:"",ThumbnailViewMirrored:"",Media:"",Devices3:"",Focus:"",VideoLightOff:"",Lightbulb:"",StatusTriangle:"",VolumeDisabled:"",Puzzle:"",EmojiNeutral:"",EmojiDisappointed:"",HomeSolid:"",Ringer:"",PDF:"",HeartBroken:"",StoreLogo16:"",MultiSelectMirrored:"",Broom:"",AddToShoppingList:"",Cocktails:"",Wines:"",Articles:"",Cycling:"",DietPlanNotebook:"",Pill:"",ExerciseTracker:"",HandsFree:"",Medical:"",Running:"",Weights:"",Trackers:"",AddNotes:"",AllCurrency:"",BarChart4:"",CirclePlus:"",Coffee:"",Cotton:"",Market:"",Money:"",PieDouble:"",PieSingle:"",RemoveFilter:"",Savings:"",Sell:"",StockDown:"",StockUp:"",Lamp:"",Source:"",MSNVideos:"",Cricket:"",Golf:"",Baseball:"",Soccer:"",MoreSports:"",AutoRacing:"",CollegeHoops:"",CollegeFootball:"",ProFootball:"",ProHockey:"",Rugby:"",SubstitutionsIn:"",Tennis:"",Arrivals:"",Design:"",Website:"",Drop:"",HistoricalWeather:"",SkiResorts:"",Snowflake:"",BusSolid:"",FerrySolid:"",AirplaneSolid:"",TrainSolid:"",Ticket:"",WifiWarning4:"",Devices4:"",AzureLogo:"",BingLogo:"",MSNLogo:"",OutlookLogoInverse:"",OfficeLogo:"",SkypeLogo:"",Door:"",EditMirrored:"",GiftCard:"",DoubleBookmark:"",StatusErrorFull:""}};(0,n.fm)(o,t)}function u(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-5"',src:"url('"+e+"fabric-icons-5-f95ba260.woff') format('woff')"},icons:{Certificate:"",FastForward:"",Rewind:"",Photo2:"",OpenSource:"",Movers:"",CloudDownload:"",Family:"",WindDirection:"",Bug:"",SiteScan:"",BrowserScreenShot:"",F12DevTools:"",CSS:"",JS:"",DeliveryTruck:"",ReminderPerson:"",ReminderGroup:"",ReminderTime:"",TabletMode:"",Umbrella:"",NetworkTower:"",CityNext:"",CityNext2:"",Section:"",OneNoteLogoInverse:"",ToggleFilled:"",ToggleBorder:"",SliderThumb:"",ToggleThumb:"",Documentation:"",Badge:"",Giftbox:"",VisualStudioLogo:"",HomeGroup:"",ExcelLogoInverse:"",WordLogoInverse:"",PowerPointLogoInverse:"",Cafe:"",SpeedHigh:"",Commitments:"",ThisPC:"",MusicNote:"",MicOff:"",PlaybackRate1x:"",EdgeLogo:"",CompletedSolid:"",AlbumRemove:"",MessageFill:"",TabletSelected:"",MobileSelected:"",LaptopSelected:"",TVMonitorSelected:"",DeveloperTools:"",Shapes:"",InsertTextBox:"",LowerBrightness:"",WebComponents:"",OfflineStorage:"",DOM:"",CloudUpload:"",ScrollUpDown:"",DateTime:"",Event:"",Cake:"",Org:"",PartyLeader:"",DRM:"",CloudAdd:"",AppIconDefault:"",Photo2Add:"",Photo2Remove:"",Calories:"",POI:"",AddTo:"",RadioBtnOff:"",RadioBtnOn:"",ExploreContent:"",Product:"",ProgressLoopInner:"",ProgressLoopOuter:"",Blocked2:"",FangBody:"",Toolbox:"",PageHeader:"",ChatInviteFriend:"",Brush:"",Shirt:"",Crown:"",Diamond:"",ScaleUp:"",QRCode:"",Feedback:"",SharepointLogoInverse:"",YammerLogo:"",Hide:"",Uneditable:"",ReturnToSession:"",OpenFolderHorizontal:"",CalendarMirrored:""}};(0,n.fm)(o,t)}function d(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-6"',src:"url('"+e+"fabric-icons-6-ef6fd590.woff') format('woff')"},icons:{SwayLogoInverse:"",OutOfOffice:"",Trophy:"",ReopenPages:"",EmojiTabSymbols:"",AADLogo:"",AccessLogo:"",AdminALogoInverse32:"",AdminCLogoInverse32:"",AdminDLogoInverse32:"",AdminELogoInverse32:"",AdminLLogoInverse32:"",AdminMLogoInverse32:"",AdminOLogoInverse32:"",AdminPLogoInverse32:"",AdminSLogoInverse32:"",AdminYLogoInverse32:"",DelveLogoInverse:"",ExchangeLogoInverse:"",LyncLogo:"",OfficeVideoLogoInverse:"",SocialListeningLogo:"",VisioLogoInverse:"",Balloons:"",Cat:"",MailAlert:"",MailCheck:"",MailLowImportance:"",MailPause:"",MailRepeat:"",SecurityGroup:"",Table:"",VoicemailForward:"",VoicemailReply:"",Waffle:"",RemoveEvent:"",EventInfo:"",ForwardEvent:"",WipePhone:"",AddOnlineMeeting:"",JoinOnlineMeeting:"",RemoveLink:"",PeopleBlock:"",PeopleRepeat:"",PeopleAlert:"",PeoplePause:"",TransferCall:"",AddPhone:"",UnknownCall:"",NoteReply:"",NoteForward:"",NotePinned:"",RemoveOccurrence:"",Timeline:"",EditNote:"",CircleHalfFull:"",Room:"",Unsubscribe:"",Subscribe:"",HardDrive:"",RecurringTask:"",TaskManager:"",TaskManagerMirrored:"",Combine:"",Split:"",DoubleChevronUp:"",DoubleChevronLeft:"",DoubleChevronRight:"",TextBox:"",TextField:"",NumberField:"",Dropdown:"",PenWorkspace:"",BookingsLogo:"",ClassNotebookLogoInverse:"",DelveAnalyticsLogo:"",DocsLogoInverse:"",Dynamics365Logo:"",DynamicSMBLogo:"",OfficeAssistantLogo:"",OfficeStoreLogo:"",OneNoteEduLogoInverse:"",PlannerLogo:"",PowerApps:"",Suitcase:"",ProjectLogoInverse:"",CaretLeft8:"",CaretRight8:"",CaretUp8:"",CaretDown8:"",CaretLeftSolid8:"",CaretRightSolid8:"",CaretUpSolid8:"",CaretDownSolid8:"",ClearFormatting:"",Superscript:"",Subscript:"",Strikethrough:"",Export:"",ExportMirrored:""}};(0,n.fm)(o,t)}function p(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-7"',src:"url('"+e+"fabric-icons-7-2b97bb99.woff') format('woff')"},icons:{SingleBookmark:"",SingleBookmarkSolid:"",DoubleChevronDown:"",FollowUser:"",ReplyAll:"",WorkforceManagement:"",RecruitmentManagement:"",Questionnaire:"",ManagerSelfService:"",ProductionFloorManagement:"",ProductRelease:"",ProductVariant:"",ReplyMirrored:"",ReplyAllMirrored:"",Medal:"",AddGroup:"",QuestionnaireMirrored:"",CloudImportExport:"",TemporaryUser:"",CaretSolid16:"",GroupedDescending:"",GroupedAscending:"",AwayStatus:"",MyMoviesTV:"",GenericScan:"",AustralianRules:"",WifiEthernet:"",TrackersMirrored:"",DateTimeMirrored:"",StopSolid:"",DoubleChevronUp12:"",DoubleChevronDown12:"",DoubleChevronLeft12:"",DoubleChevronRight12:"",CalendarAgenda:"",ConnectVirtualMachine:"",AddEvent:"",AssetLibrary:"",DataConnectionLibrary:"",DocLibrary:"",FormLibrary:"",FormLibraryMirrored:"",ReportLibrary:"",ReportLibraryMirrored:"",ContactCard:"",CustomList:"",CustomListMirrored:"",IssueTracking:"",IssueTrackingMirrored:"",PictureLibrary:"",OfficeAddinsLogo:"",OfflineOneDriveParachute:"",OfflineOneDriveParachuteDisabled:"",TriangleSolidUp12:"",TriangleSolidDown12:"",TriangleSolidLeft12:"",TriangleSolidRight12:"",TriangleUp12:"",TriangleDown12:"",TriangleLeft12:"",TriangleRight12:"",ArrowUpRight8:"",ArrowDownRight8:"",DocumentSet:"",GoToDashboard:"",DelveAnalytics:"",ArrowUpRightMirrored8:"",ArrowDownRightMirrored8:"",CompanyDirectory:"",OpenEnrollment:"",CompanyDirectoryMirrored:"",OneDriveAdd:"",ProfileSearch:"",Header2:"",Header3:"",Header4:"",RingerSolid:"",Eyedropper:"",MarketDown:"",CalendarWorkWeek:"",SidePanel:"",GlobeFavorite:"",CaretTopLeftSolid8:"",CaretTopRightSolid8:"",ViewAll2:"",DocumentReply:"",PlayerSettings:"",ReceiptForward:"",ReceiptReply:"",ReceiptCheck:"",Fax:"",RecurringEvent:"",ReplyAlt:"",ReplyAllAlt:"",EditStyle:"",EditMail:"",Lifesaver:"",LifesaverLock:"",InboxCheck:"",FolderSearch:""}};(0,n.fm)(o,t)}function m(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-8"',src:"url('"+e+"fabric-icons-8-6fdf1528.woff') format('woff')"},icons:{CollapseMenu:"",ExpandMenu:"",Boards:"",SunAdd:"",SunQuestionMark:"",LandscapeOrientation:"",DocumentSearch:"",PublicCalendar:"",PublicContactCard:"",PublicEmail:"",PublicFolder:"",WordDocument:"",PowerPointDocument:"",ExcelDocument:"",GroupedList:"",ClassroomLogo:"",Sections:"",EditPhoto:"",Starburst:"",ShareiOS:"",AirTickets:"",PencilReply:"",Tiles2:"",SkypeCircleCheck:"",SkypeCircleClock:"",SkypeCircleMinus:"",SkypeMessage:"",ClosedCaption:"",ATPLogo:"",OfficeFormsLogoInverse:"",RecycleBin:"",EmptyRecycleBin:"",Hide2:"",Breadcrumb:"",BirthdayCake:"",TimeEntry:"",CRMProcesses:"",PageEdit:"",PageArrowRight:"",PageRemove:"",Database:"",DataManagementSettings:"",CRMServices:"",EditContact:"",ConnectContacts:"",AppIconDefaultAdd:"",AppIconDefaultList:"",ActivateOrders:"",DeactivateOrders:"",ProductCatalog:"",ScatterChart:"",AccountActivity:"",DocumentManagement:"",CRMReport:"",KnowledgeArticle:"",Relationship:"",HomeVerify:"",ZipFolder:"",SurveyQuestions:"",TextDocument:"",TextDocumentShared:"",PageCheckedOut:"",PageShared:"",SaveAndClose:"",Script:"",Archive:"",ActivityFeed:"",Compare:"",EventDate:"",ArrowUpRight:"",CaretRight:"",SetAction:"",ChatBot:"",CaretSolidLeft:"",CaretSolidDown:"",CaretSolidRight:"",CaretSolidUp:"",PowerAppsLogo:"",PowerApps2Logo:"",SearchIssue:"",SearchIssueMirrored:"",FabricAssetLibrary:"",FabricDataConnectionLibrary:"",FabricDocLibrary:"",FabricFormLibrary:"",FabricFormLibraryMirrored:"",FabricReportLibrary:"",FabricReportLibraryMirrored:"",FabricPublicFolder:"",FabricFolderSearch:"",FabricMovetoFolder:"",FabricUnsyncFolder:"",FabricSyncFolder:"",FabricOpenFolderHorizontal:"",FabricFolder:"",FabricFolderFill:"",FabricNewFolder:"",FabricPictureLibrary:"",PhotoVideoMedia:"",AddFavorite:""}};(0,n.fm)(o,t)}function h(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-9"',src:"url('"+e+"fabric-icons-9-c6162b42.woff') format('woff')"},icons:{AddFavoriteFill:"",BufferTimeBefore:"",BufferTimeAfter:"",BufferTimeBoth:"",PublishContent:"",ClipboardList:"",ClipboardListMirrored:"",CannedChat:"",SkypeForBusinessLogo:"",TabCenter:"",PageCheckedin:"",PageList:"",ReadOutLoud:"",CaretBottomLeftSolid8:"",CaretBottomRightSolid8:"",FolderHorizontal:"",MicrosoftStaffhubLogo:"",GiftboxOpen:"",StatusCircleOuter:"",StatusCircleInner:"",StatusCircleRing:"",StatusTriangleOuter:"",StatusTriangleInner:"",StatusTriangleExclamation:"",StatusCircleExclamation:"",StatusCircleErrorX:"",StatusCircleInfo:"",StatusCircleBlock:"",StatusCircleBlock2:"",StatusCircleQuestionMark:"",StatusCircleSync:"",Toll:"",ExploreContentSingle:"",CollapseContent:"",CollapseContentSingle:"",InfoSolid:"",GroupList:"",ProgressRingDots:"",CaloriesAdd:"",BranchFork:"",MuteChat:"",AddHome:"",AddWork:"",MobileReport:"",ScaleVolume:"",HardDriveGroup:"",FastMode:"",ToggleLeft:"",ToggleRight:"",TriangleShape:"",RectangleShape:"",CubeShape:"",Trophy2:"",BucketColor:"",BucketColorFill:"",Taskboard:"",SingleColumn:"",DoubleColumn:"",TripleColumn:"",ColumnLeftTwoThirds:"",ColumnRightTwoThirds:"",AccessLogoFill:"",AnalyticsLogo:"",AnalyticsQuery:"",NewAnalyticsQuery:"",AnalyticsReport:"",WordLogo:"",WordLogoFill:"",ExcelLogo:"",ExcelLogoFill:"",OneNoteLogo:"",OneNoteLogoFill:"",OutlookLogo:"",OutlookLogoFill:"",PowerPointLogo:"",PowerPointLogoFill:"",PublisherLogo:"",PublisherLogoFill:"",ScheduleEventAction:"",FlameSolid:"",ServerProcesses:"",Server:"",SaveAll:"",LinkedInLogo:"",Decimals:"",SidePanelMirrored:"",ProtectRestrict:"",Blog:"",UnknownMirrored:"",PublicContactCardMirrored:"",GridViewSmall:"",GridViewMedium:"",GridViewLarge:"",Step:"",StepInsert:"",StepShared:"",StepSharedAdd:"",StepSharedInsert:"",ViewDashboard:"",ViewList:""}};(0,n.fm)(o,t)}function g(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-10"',src:"url('"+e+"fabric-icons-10-c4ded8e4.woff') format('woff')"},icons:{ViewListGroup:"",ViewListTree:"",TriggerAuto:"",TriggerUser:"",PivotChart:"",StackedBarChart:"",StackedLineChart:"",BuildQueue:"",BuildQueueNew:"",UserFollowed:"",ContactLink:"",Stack:"",Bullseye:"",VennDiagram:"",FiveTileGrid:"",FocalPoint:"",Insert:"",RingerRemove:"",TeamsLogoInverse:"",TeamsLogo:"",TeamsLogoFill:"",SkypeForBusinessLogoFill:"",SharepointLogo:"",SharepointLogoFill:"",DelveLogo:"",DelveLogoFill:"",OfficeVideoLogo:"",OfficeVideoLogoFill:"",ExchangeLogo:"",ExchangeLogoFill:"",Signin:"",DocumentApproval:"",CloneToDesktop:"",InstallToDrive:"",Blur:"",Build:"",ProcessMetaTask:"",BranchFork2:"",BranchLocked:"",BranchCommit:"",BranchCompare:"",BranchMerge:"",BranchPullRequest:"",BranchSearch:"",BranchShelveset:"",RawSource:"",MergeDuplicate:"",RowsGroup:"",RowsChild:"",Deploy:"",Redeploy:"",ServerEnviroment:"",VisioDiagram:"",HighlightMappedShapes:"",TextCallout:"",IconSetsFlag:"",VisioLogo:"",VisioLogoFill:"",VisioDocument:"",TimelineProgress:"",TimelineDelivery:"",Backlog:"",TeamFavorite:"",TaskGroup:"",TaskGroupMirrored:"",ScopeTemplate:"",AssessmentGroupTemplate:"",NewTeamProject:"",CommentAdd:"",CommentNext:"",CommentPrevious:"",ShopServer:"",LocaleLanguage:"",QueryList:"",UserSync:"",UserPause:"",StreamingOff:"",ArrowTallUpLeft:"",ArrowTallUpRight:"",ArrowTallDownLeft:"",ArrowTallDownRight:"",FieldEmpty:"",FieldFilled:"",FieldChanged:"",FieldNotChanged:"",RingerOff:"",PlayResume:"",BulletedList2:"",BulletedList2Mirrored:"",ImageCrosshair:"",GitGraph:"",Repo:"",RepoSolid:"",FolderQuery:"",FolderList:"",FolderListMirrored:"",LocationOutline:"",POISolid:"",CalculatorNotEqualTo:"",BoxSubtractSolid:""}};(0,n.fm)(o,t)}function f(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-11"',src:"url('"+e+"fabric-icons-11-2a8393d6.woff') format('woff')"},icons:{BoxAdditionSolid:"",BoxMultiplySolid:"",BoxPlaySolid:"",BoxCheckmarkSolid:"",CirclePauseSolid:"",CirclePause:"",MSNVideosSolid:"",CircleStopSolid:"",CircleStop:"",NavigateBack:"",NavigateBackMirrored:"",NavigateForward:"",NavigateForwardMirrored:"",UnknownSolid:"",UnknownMirroredSolid:"",CircleAddition:"",CircleAdditionSolid:"",FilePDB:"",FileTemplate:"",FileSQL:"",FileJAVA:"",FileASPX:"",FileCSS:"",FileSass:"",FileLess:"",FileHTML:"",JavaScriptLanguage:"",CSharpLanguage:"",CSharp:"",VisualBasicLanguage:"",VB:"",CPlusPlusLanguage:"",CPlusPlus:"",FSharpLanguage:"",FSharp:"",TypeScriptLanguage:"",PythonLanguage:"",PY:"",CoffeeScript:"",MarkDownLanguage:"",FullWidth:"",FullWidthEdit:"",Plug:"",PlugSolid:"",PlugConnected:"",PlugDisconnected:"",UnlockSolid:"",Variable:"",Parameter:"",CommentUrgent:"",Storyboard:"",DiffInline:"",DiffSideBySide:"",ImageDiff:"",ImagePixel:"",FileBug:"",FileCode:"",FileComment:"",BusinessHoursSign:"",FileImage:"",FileSymlink:"",AutoFillTemplate:"",WorkItem:"",WorkItemBug:"",LogRemove:"",ColumnOptions:"",Packages:"",BuildIssue:"",AssessmentGroup:"",VariableGroup:"",FullHistory:"",Wheelchair:"",SingleColumnEdit:"",DoubleColumnEdit:"",TripleColumnEdit:"",ColumnLeftTwoThirdsEdit:"",ColumnRightTwoThirdsEdit:"",StreamLogo:"",PassiveAuthentication:"",AlertSolid:"",MegaphoneSolid:"",TaskSolid:"",ConfigurationSolid:"",BugSolid:"",CrownSolid:"",Trophy2Solid:"",QuickNoteSolid:"",ConstructionConeSolid:"",PageListSolid:"",PageListMirroredSolid:"",StarburstSolid:"",ReadingModeSolid:"",SadSolid:"",HealthSolid:"",ShieldSolid:"",GiftBoxSolid:"",ShoppingCartSolid:"",MailSolid:"",ChatSolid:"",RibbonSolid:""}};(0,n.fm)(o,t)}function v(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-12"',src:"url('"+e+"fabric-icons-12-7e945a1e.woff') format('woff')"},icons:{FinancialSolid:"",FinancialMirroredSolid:"",HeadsetSolid:"",PermissionsSolid:"",ParkingSolid:"",ParkingMirroredSolid:"",DiamondSolid:"",AsteriskSolid:"",OfflineStorageSolid:"",BankSolid:"",DecisionSolid:"",Parachute:"",ParachuteSolid:"",FiltersSolid:"",ColorSolid:"",ReviewSolid:"",ReviewRequestSolid:"",ReviewRequestMirroredSolid:"",ReviewResponseSolid:"",FeedbackRequestSolid:"",FeedbackRequestMirroredSolid:"",FeedbackResponseSolid:"",WorkItemBar:"",WorkItemBarSolid:"",Separator:"",NavigateExternalInline:"",PlanView:"",TimelineMatrixView:"",EngineeringGroup:"",ProjectCollection:"",CaretBottomRightCenter8:"",CaretBottomLeftCenter8:"",CaretTopRightCenter8:"",CaretTopLeftCenter8:"",DonutChart:"",ChevronUnfold10:"",ChevronFold10:"",DoubleChevronDown8:"",DoubleChevronUp8:"",DoubleChevronLeft8:"",DoubleChevronRight8:"",ChevronDownEnd6:"",ChevronUpEnd6:"",ChevronLeftEnd6:"",ChevronRightEnd6:"",ContextMenu:"",AzureAPIManagement:"",AzureServiceEndpoint:"",VSTSLogo:"",VSTSAltLogo1:"",VSTSAltLogo2:"",FileTypeSolution:"",WordLogoInverse16:"",WordLogo16:"",WordLogoFill16:"",PowerPointLogoInverse16:"",PowerPointLogo16:"",PowerPointLogoFill16:"",ExcelLogoInverse16:"",ExcelLogo16:"",ExcelLogoFill16:"",OneNoteLogoInverse16:"",OneNoteLogo16:"",OneNoteLogoFill16:"",OutlookLogoInverse16:"",OutlookLogo16:"",OutlookLogoFill16:"",PublisherLogoInverse16:"",PublisherLogo16:"",PublisherLogoFill16:"",VisioLogoInverse16:"",VisioLogo16:"",VisioLogoFill16:"",TestBeaker:"",TestBeakerSolid:"",TestExploreSolid:"",TestAutoSolid:"",TestUserSolid:"",TestImpactSolid:"",TestPlan:"",TestStep:"",TestParameter:"",TestSuite:"",TestCase:"",Sprint:"",SignOut:"",TriggerApproval:"",Rocket:"",AzureKeyVault:"",Onboarding:"",Transition:"",LikeSolid:"",DislikeSolid:"",CRMCustomerInsightsApp:"",EditCreate:"",PlayReverseResume:"",PlayReverse:"",SearchData:"",UnSetColor:"",DeclineCall:""}};(0,n.fm)(o,t)}function b(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-13"',src:"url('"+e+"fabric-icons-13-c3989a02.woff') format('woff')"},icons:{RectangularClipping:"",TeamsLogo16:"",TeamsLogoFill16:"",Spacer:"",SkypeLogo16:"",SkypeForBusinessLogo16:"",SkypeForBusinessLogoFill16:"",FilterSolid:"",MailUndelivered:"",MailTentative:"",MailTentativeMirrored:"",MailReminder:"",ReceiptUndelivered:"",ReceiptTentative:"",ReceiptTentativeMirrored:"",Inbox:"",IRMReply:"",IRMReplyMirrored:"",IRMForward:"",IRMForwardMirrored:"",VoicemailIRM:"",EventAccepted:"",EventTentative:"",EventTentativeMirrored:"",EventDeclined:"",IDBadge:"",BackgroundColor:"",OfficeFormsLogoInverse16:"",OfficeFormsLogo:"",OfficeFormsLogoFill:"",OfficeFormsLogo16:"",OfficeFormsLogoFill16:"",OfficeFormsLogoInverse24:"",OfficeFormsLogo24:"",OfficeFormsLogoFill24:"",PageLock:"",NotExecuted:"",NotImpactedSolid:"",FieldReadOnly:"",FieldRequired:"",BacklogBoard:"",ExternalBuild:"",ExternalTFVC:"",ExternalXAML:"",IssueSolid:"",DefectSolid:"",LadybugSolid:"",NugetLogo:"",TFVCLogo:"",ProjectLogo32:"",ProjectLogoFill32:"",ProjectLogo16:"",ProjectLogoFill16:"",SwayLogo32:"",SwayLogoFill32:"",SwayLogo16:"",SwayLogoFill16:"",ClassNotebookLogo32:"",ClassNotebookLogoFill32:"",ClassNotebookLogo16:"",ClassNotebookLogoFill16:"",ClassNotebookLogoInverse32:"",ClassNotebookLogoInverse16:"",StaffNotebookLogo32:"",StaffNotebookLogoFill32:"",StaffNotebookLogo16:"",StaffNotebookLogoFill16:"",StaffNotebookLogoInverted32:"",StaffNotebookLogoInverted16:"",KaizalaLogo:"",TaskLogo:"",ProtectionCenterLogo32:"",GallatinLogo:"",Globe2:"",Guitar:"",Breakfast:"",Brunch:"",BeerMug:"",Vacation:"",Teeth:"",Taxi:"",Chopsticks:"",SyncOccurence:"",UnsyncOccurence:"",GIF:"",PrimaryCalendar:"",SearchCalendar:"",VideoOff:"",MicrosoftFlowLogo:"",BusinessCenterLogo:"",ToDoLogoBottom:"",ToDoLogoTop:"",EditSolid12:"",EditSolidMirrored12:"",UneditableSolid12:"",UneditableSolidMirrored12:"",UneditableMirrored:"",AdminALogo32:"",AdminALogoFill32:"",ToDoLogoInverse:""}};(0,n.fm)(o,t)}function y(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-14"',src:"url('"+e+"fabric-icons-14-5cf58db8.woff') format('woff')"},icons:{Snooze:"",WaffleOffice365:"",ImageSearch:"",NewsSearch:"",VideoSearch:"",R:"",FontColorA:"",FontColorSwatch:"",LightWeight:"",NormalWeight:"",SemiboldWeight:"",GroupObject:"",UngroupObject:"",AlignHorizontalLeft:"",AlignHorizontalCenter:"",AlignHorizontalRight:"",AlignVerticalTop:"",AlignVerticalCenter:"",AlignVerticalBottom:"",HorizontalDistributeCenter:"",VerticalDistributeCenter:"",Ellipse:"",Line:"",Octagon:"",Hexagon:"",Pentagon:"",RightTriangle:"",HalfCircle:"",QuarterCircle:"",ThreeQuarterCircle:"","6PointStar":"","12PointStar":"",ArrangeBringToFront:"",ArrangeSendToBack:"",ArrangeSendBackward:"",ArrangeBringForward:"",BorderDash:"",BorderDot:"",LineStyle:"",LineThickness:"",WindowEdit:"",HintText:"",MediaAdd:"",AnchorLock:"",AutoHeight:"",ChartSeries:"",ChartXAngle:"",ChartYAngle:"",Combobox:"",LineSpacing:"",Padding:"",PaddingTop:"",PaddingBottom:"",PaddingLeft:"",PaddingRight:"",NavigationFlipper:"",AlignJustify:"",TextOverflow:"",VisualsFolder:"",VisualsStore:"",PictureCenter:"",PictureFill:"",PicturePosition:"",PictureStretch:"",PictureTile:"",Slider:"",SliderHandleSize:"",DefaultRatio:"",NumberSequence:"",GUID:"",ReportAdd:"",DashboardAdd:"",MapPinSolid:"",WebPublish:"",PieSingleSolid:"",BlockedSolid:"",DrillDown:"",DrillDownSolid:"",DrillExpand:"",DrillShow:"",SpecialEvent:"",OneDriveFolder16:"",FunctionalManagerDashboard:"",BIDashboard:"",CodeEdit:"",RenewalCurrent:"",RenewalFuture:"",SplitObject:"",BulkUpload:"",DownloadDocument:"",GreetingCard:"",Flower:"",WaitlistConfirm:"",WaitlistConfirmMirrored:"",LaptopSecure:"",DragObject:"",EntryView:"",EntryDecline:"",ContactCardSettings:"",ContactCardSettingsMirrored:""}};(0,n.fm)(o,t)}function _(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-15"',src:"url('"+e+"fabric-icons-15-3807251b.woff') format('woff')"},icons:{CalendarSettings:"",CalendarSettingsMirrored:"",HardDriveLock:"",HardDriveUnlock:"",AccountManagement:"",ReportWarning:"",TransitionPop:"",TransitionPush:"",TransitionEffect:"",LookupEntities:"",ExploreData:"",AddBookmark:"",SearchBookmark:"",DrillThrough:"",MasterDatabase:"",CertifiedDatabase:"",MaximumValue:"",MinimumValue:"",VisualStudioIDELogo32:"",PasteAsText:"",PasteAsCode:"",BrowserTab:"",BrowserTabScreenshot:"",DesktopScreenshot:"",FileYML:"",ClipboardSolid:"",FabricUserFolder:"",FabricNetworkFolder:"",BullseyeTarget:"",AnalyticsView:"",Video360Generic:"",Untag:"",Leave:"",Trending12:"",Blocked12:"",Warning12:"",CheckedOutByOther12:"",CheckedOutByYou12:"",CircleShapeSolid:"",SquareShapeSolid:"",TriangleShapeSolid:"",DropShapeSolid:"",RectangleShapeSolid:"",ZoomToFit:"",InsertColumnsLeft:"",InsertColumnsRight:"",InsertRowsAbove:"",InsertRowsBelow:"",DeleteColumns:"",DeleteRows:"",DeleteRowsMirrored:"",DeleteTable:"",AccountBrowser:"",VersionControlPush:"",StackedColumnChart2:"",TripleColumnWide:"",QuadColumn:"",WhiteBoardApp16:"",WhiteBoardApp32:"",PinnedSolid:"",InsertSignatureLine:"",ArrangeByFrom:"",Phishing:"",CreateMailRule:"",PublishCourse:"",DictionaryRemove:"",UserRemove:"",UserEvent:"",Encryption:"",PasswordField:"",OpenInNewTab:"",Hide3:"",VerifiedBrandSolid:"",MarkAsProtected:"",AuthenticatorApp:"",WebTemplate:"",DefenderTVM:"",MedalSolid:"",D365TalentLearn:"",D365TalentInsight:"",D365TalentHRCore:"",BacklogList:"",ButtonControl:"",TableGroup:"",MountainClimbing:"",TagUnknown:"",TagUnknownMirror:"",TagUnknown12:"",TagUnknown12Mirror:"",Link12:"",Presentation:"",Presentation12:"",Lock12:"",BuildDefinition:"",ReleaseDefinition:"",SaveTemplate:"",UserGauge:"",BlockedSiteSolid12:"",TagSolid:"",OfficeChat:""}};(0,n.fm)(o,t)}function C(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-16"',src:"url('"+e+"fabric-icons-16-9cf93f3b.woff') format('woff')"},icons:{OfficeChatSolid:"",MailSchedule:"",WarningSolid:"",Blocked2Solid:"",SkypeCircleArrow:"",SkypeArrow:"",SyncStatus:"",SyncStatusSolid:"",ProjectDocument:"",ToDoLogoOutline:"",VisioOnlineLogoFill32:"",VisioOnlineLogo32:"",VisioOnlineLogoCloud32:"",VisioDiagramSync:"",Event12:"",EventDateMissed12:"",UserOptional:"",ResponsesMenu:"",DoubleDownArrow:"",DistributeDown:"",BookmarkReport:"",FilterSettings:"",GripperDotsVertical:"",MailAttached:"",AddIn:"",LinkedDatabase:"",TableLink:"",PromotedDatabase:"",BarChartVerticalFilter:"",BarChartVerticalFilterSolid:"",MicOff2:"",MicrosoftTranslatorLogo:"",ShowTimeAs:"",FileRequest:"",WorkItemAlert:"",PowerBILogo16:"",PowerBILogoBackplate16:"",BulletedListText:"",BulletedListBullet:"",BulletedListTextMirrored:"",BulletedListBulletMirrored:"",NumberedListText:"",NumberedListNumber:"",NumberedListTextMirrored:"",NumberedListNumberMirrored:"",RemoveLinkChain:"",RemoveLinkX:"",FabricTextHighlight:"",ClearFormattingA:"",ClearFormattingEraser:"",Photo2Fill:"",IncreaseIndentText:"",IncreaseIndentArrow:"",DecreaseIndentText:"",DecreaseIndentArrow:"",IncreaseIndentTextMirrored:"",IncreaseIndentArrowMirrored:"",DecreaseIndentTextMirrored:"",DecreaseIndentArrowMirrored:"",CheckListText:"",CheckListCheck:"",CheckListTextMirrored:"",CheckListCheckMirrored:"",NumberSymbol:"",Coupon:"",VerifiedBrand:"",ReleaseGate:"",ReleaseGateCheck:"",ReleaseGateError:"",M365InvoicingLogo:"",RemoveFromShoppingList:"",ShieldAlert:"",FabricTextHighlightComposite:"",Dataflows:"",GenericScanFilled:"",DiagnosticDataBarTooltip:"",SaveToMobile:"",Orientation2:"",ScreenCast:"",ShowGrid:"",SnapToGrid:"",ContactList:"",NewMail:"",EyeShadow:"",FabricFolderConfirm:"",InformationBarriers:"",CommentActive:"",ColumnVerticalSectionEdit:"",WavingHand:"",ShakeDevice:"",SmartGlassRemote:"",Rotate90Clockwise:"",Rotate90CounterClockwise:"",CampaignTemplate:"",ChartTemplate:"",PageListFilter:"",SecondaryNav:"",ColumnVerticalSection:"",SkypeCircleSlash:"",SkypeSlash:""}};(0,n.fm)(o,t)}function S(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-17"',src:"url('"+e+"fabric-icons-17-0c4ed701.woff') format('woff')"},icons:{CustomizeToolbar:"",DuplicateRow:"",RemoveFromTrash:"",MailOptions:"",Childof:"",Footer:"",Header:"",BarChartVerticalFill:"",StackedColumnChart2Fill:"",PlainText:"",AccessibiltyChecker:"",DatabaseSync:"",ReservationOrders:"",TabOneColumn:"",TabTwoColumn:"",TabThreeColumn:"",BulletedTreeList:"",MicrosoftTranslatorLogoGreen:"",MicrosoftTranslatorLogoBlue:"",InternalInvestigation:"",AddReaction:"",ContactHeart:"",VisuallyImpaired:"",EventToDoLogo:"",Variable2:"",ModelingView:"",DisconnectVirtualMachine:"",ReportLock:"",Uneditable2:"",Uneditable2Mirrored:"",BarChartVerticalEdit:"",GlobalNavButtonActive:"",PollResults:"",Rerun:"",QandA:"",QandAMirror:"",BookAnswers:"",AlertSettings:"",TrimStart:"",TrimEnd:"",TableComputed:"",DecreaseIndentLegacy:"",IncreaseIndentLegacy:"",SizeLegacy:""}};(0,n.fm)(o,t)}function x(e,t){void 0===e&&(e="https://spoprod-a.akamaihd.net/files/fabric/assets/icons/"),[r,i,a,s,l,c,u,d,p,m,h,g,f,v,b,y,_,C,S].forEach((function(o){return o(e,t)})),(0,n.M_)("trash","delete"),(0,n.M_)("onedrive","onedrivelogo"),(0,n.M_)("alertsolid12","eventdatemissed12"),(0,n.M_)("sixpointstar","6pointstar"),(0,n.M_)("twelvepointstar","12pointstar"),(0,n.M_)("toggleon","toggleleft"),(0,n.M_)("toggleoff","toggleright")}(0,o(6316).x)("@fluentui/font-icons-mdl2","8.0.2")},6825:(e,t,o)=>{"use strict";function n(e){i!==e&&(i=e)}function r(){return void 0===i&&(i="undefined"!=typeof document&&!!document.documentElement&&"rtl"===document.documentElement.getAttribute("dir")),i}var i;function a(){return{rtl:r()}}o.d(t,{ok:()=>n,Eo:()=>a}),i=r()},729:(e,t,o)=>{"use strict";o.d(t,{q:()=>i,Y:()=>l});var n,r=o(7622),i={none:0,insertNode:1,appendChild:2},a="undefined"!=typeof navigator&&/rv:11.0/.test(navigator.userAgent),s={};try{s=window}catch(e){}var l=function(){function e(e){this._rules=[],this._preservedRules=[],this._rulesToInsert=[],this._counter=0,this._keyToClassName={},this._onResetCallbacks=[],this._classNameToArgs={},this._config=(0,r.pi)({injectionMode:i.insertNode,defaultPrefix:"css",namespace:void 0,cspSettings:void 0},e),this._keyToClassName=this._config.classNameCache||{}}return e.getInstance=function(){var t;if(!(n=s.__stylesheet__)||n._lastStyleElement&&n._lastStyleElement.ownerDocument!==document){var o=(null===(t=s)||void 0===t?void 0:t.FabricConfig)||{};n=s.__stylesheet__=new e(o.mergeStyles)}return n},e.prototype.setConfig=function(e){this._config=(0,r.pi)((0,r.pi)({},this._config),e)},e.prototype.onReset=function(e){this._onResetCallbacks.push(e)},e.prototype.getClassName=function(e){var t=this._config.namespace;return(t?t+"-":"")+(e||this._config.defaultPrefix)+"-"+this._counter++},e.prototype.cacheClassName=function(e,t,o,n){this._keyToClassName[t]=e,this._classNameToArgs[e]={args:o,rules:n}},e.prototype.classNameFromKey=function(e){return this._keyToClassName[e]},e.prototype.getClassNameCache=function(){return this._keyToClassName},e.prototype.argsFromClassName=function(e){var t=this._classNameToArgs[e];return t&&t.args},e.prototype.insertedRulesFromClassName=function(e){var t=this._classNameToArgs[e];return t&&t.rules},e.prototype.insertRule=function(e,t){var o=this._config.injectionMode!==i.none?this._getStyleElement():void 0;if(t&&this._preservedRules.push(e),o)switch(this._config.injectionMode){case i.insertNode:var n=o.sheet;try{n.insertRule(e,n.cssRules.length)}catch(e){}break;case i.appendChild:o.appendChild(document.createTextNode(e))}else this._rules.push(e);this._config.onInsertRule&&this._config.onInsertRule(e)},e.prototype.getRules=function(e){return(e?this._preservedRules.join(""):"")+this._rules.join("")+this._rulesToInsert.join("")},e.prototype.reset=function(){this._rules=[],this._rulesToInsert=[],this._counter=0,this._classNameToArgs={},this._keyToClassName={},this._onResetCallbacks.forEach((function(e){return e()}))},e.prototype.resetKeys=function(){this._keyToClassName={}},e.prototype._getStyleElement=function(){var e=this;return this._styleElement||"undefined"==typeof document||(this._styleElement=this._createStyleElement(),a||window.requestAnimationFrame((function(){e._styleElement=void 0}))),this._styleElement},e.prototype._createStyleElement=function(){var e=document.head,t=document.createElement("style");t.setAttribute("data-merge-styles","true");var o=this._config.cspSettings;if(o&&o.nonce&&t.setAttribute("nonce",o.nonce),this._lastStyleElement)e.insertBefore(t,this._lastStyleElement.nextElementSibling);else{var n=this._findPlaceholderStyleTag();n?e.insertBefore(t,n.nextElementSibling):e.insertBefore(t,e.childNodes[0])}return this._lastStyleElement=t,t},e.prototype._findPlaceholderStyleTag=function(){var e=document.head;return e?e.querySelector("style[data-merge-styles]"):null},e}()},3570:(e,t,o)=>{"use strict";o.d(t,{m:()=>r});var n=o(7622);function r(){for(var e=[],t=0;t0){o.subComponentStyles={};var h=o.subComponentStyles,g=function(e){if(i.hasOwnProperty(e)){var t=i[e];h[e]=function(e){return r.apply(void 0,t.map((function(t){return"function"==typeof t?t(e):t})))}}};for(var d in i)g(d)}return o}},965:(e,t,o)=>{"use strict";o.d(t,{l:()=>r});var n=o(3570);function r(e){for(var t=[],o=1;o{"use strict";o.d(t,{U:()=>r});var n=o(729);function r(){for(var e=[],t=0;t=0)a(s.split(" "));else{var l=i.argsFromClassName(s);l?a(l):-1===o.indexOf(s)&&o.push(s)}else Array.isArray(s)?a(s):"object"==typeof s&&r.push(s)}}return a(e),{classes:o,objects:r}}},3310:(e,t,o)=>{"use strict";o.d(t,{j:()=>a});var n=o(6825),r=o(729),i=o(8186);function a(e){r.Y.getInstance().insertRule("@font-face{"+(0,i.dH)((0,n.Eo)(),e)+"}",!0)}},2762:(e,t,o)=>{"use strict";o.d(t,{F:()=>a});var n=o(6825),r=o(729),i=o(8186);function a(e){var t=r.Y.getInstance(),o=t.getClassName(),a=[];for(var s in e)e.hasOwnProperty(s)&&a.push(s,"{",(0,i.dH)((0,n.Eo)(),e[s]),"}");var l=a.join("");return t.insertRule("@keyframes "+o+"{"+l+"}",!0),t.cacheClassName(o,l,[],["keyframes",l]),o}},2005:(e,t,o)=>{"use strict";o.d(t,{Z:()=>s,I:()=>l});var n=o(3570),r=o(1836),i=o(6825),a=o(8186);function s(){for(var e=[],t=0;t{"use strict";o.d(t,{y:()=>a,R:()=>s});var n=o(1836),r=o(6825),i=o(8186);function a(){for(var e=[],t=0;t{"use strict";o.d(t,{Jh:()=>D,dH:()=>w,AE:()=>T,aj:()=>I});var n,r=o(7622),i=o(729),a={},s={"user-select":1};function l(e,t){var o=function(){if(!n){var e="undefined"!=typeof document?document:void 0,t="undefined"!=typeof navigator?navigator:void 0,o=t?t.userAgent.toLowerCase():void 0;n=e?{isWebkit:!(!e||!("WebkitAppearance"in e.documentElement.style)),isMoz:!!(o&&o.indexOf("firefox")>-1),isOpera:!!(o&&o.indexOf("opera")>-1),isMs:!(!t||!/rv:11.0/i.test(t.userAgent)&&!/Edge\/\d./i.test(navigator.userAgent))}:{isWebkit:!0,isMoz:!0,isOpera:!0,isMs:!0}}return n}(),r=e[t];if(s[r]){var i=e[t+1];s[r]&&(o.isWebkit&&e.push("-webkit-"+r,i),o.isMoz&&e.push("-moz-"+r,i),o.isMs&&e.push("-ms-"+r,i),o.isOpera&&e.push("-o-"+r,i))}}var c,u=["column-count","font-weight","flex","flex-grow","flex-shrink","fill-opacity","opacity","order","z-index","zoom"];function d(e,t){var o=e[t],n=e[t+1];if("number"==typeof n){var r=u.indexOf(o)>-1,i=o.indexOf("--")>-1,a=r||i?"":"px";e[t+1]=""+n+a}}var p="left",m="right",h=((c={}).left=m,c.right=p,c),g={"w-resize":"e-resize","sw-resize":"se-resize","nw-resize":"ne-resize"};function f(e,t,o){if(e.rtl){var n=t[o];if(!n)return;var r=t[o+1];if("string"==typeof r&&r.indexOf("@noflip")>=0)t[o+1]=r.replace(/\s*(?:\/\*\s*)?\@noflip\b(?:\s*\*\/)?\s*?/g,"");else if(n.indexOf(p)>=0)t[o]=n.replace(p,m);else if(n.indexOf(m)>=0)t[o]=n.replace(m,p);else if(String(r).indexOf(p)>=0)t[o+1]=r.replace(p,m);else if(String(r).indexOf(m)>=0)t[o+1]=r.replace(m,p);else if(h[n])t[o]=h[n];else if(g[r])t[o+1]=g[r];else switch(n){case"margin":case"padding":t[o+1]=function(e){if("string"==typeof e){var t=e.split(" ");if(4===t.length)return t[0]+" "+t[3]+" "+t[2]+" "+t[1]}return e}(r);break;case"box-shadow":t[o+1]=function(e,t){var o=e.split(" "),n=parseInt(o[0],10);return o[0]=o[0].replace(String(n),String(-1*n)),o.join(" ")}(r)}}}function v(e){var t=e&&e["&"];return t?t.displayName:void 0}var b=/\:global\((.+?)\)/g;function y(e,t){return e.indexOf(":global(")>=0?e.replace(b,"$1"):0===e.indexOf(":")?t+e:e.indexOf("&")<0?t+" "+e:e}function _(e,t,o,n){void 0===t&&(t={__order:[]}),0===o.indexOf("@")?C([n],t,o=o+"{"+e):o.indexOf(",")>-1?function(e){if(!b.test(e))return e;for(var t=[],o=/\:global\((.+?)\)/g,n=null;n=o.exec(e);)n[1].indexOf(",")>-1&&t.push([n.index,n.index+n[0].length,n[1].split(",").map((function(e){return":global("+e.trim()+")"})).join(", ")]);return t.reverse().reduce((function(e,t){var o=t[0],n=t[1],r=t[2];return e.slice(0,o)+r+e.slice(n)}),e)}(o).split(",").map((function(e){return e.trim()})).forEach((function(o){return C([n],t,y(o,e))})):C([n],t,y(o,e))}function C(e,t,o){void 0===t&&(t={__order:[]}),void 0===o&&(o="&");var n=i.Y.getInstance(),r=t[o];r||(r={},t[o]=r,t.__order.push(o));for(var a=0,s=e;ao&&t.push(e.substring(o,r)),o=r+1)}return o{"use strict";o.d(t,{k:()=>F});var n,r=o(7622),i=o(7002),a=o(7023),s=o(4932),l=o(4553),c=o(6840),u=o(8145),d=o(5951),p=o(688),m=o(2782),h=o(9757),g=o(8127),f=o(8088),v=o(3345),b=o(3978),y=o(4948),_=o(7466),C=o(5446),S=o(9444),x=o(9729),k="data-is-focusable",w="data-focuszone-id",I="tabindex",D="data-no-vertical-wrap",T="data-no-horizontal-wrap",E=999999999,P=-999999999,M={},R=new Set,N=["text","number","password","email","tel","url","search"],B=!1,F=function(e){function t(t){var o=e.call(this,t)||this;return o._root=i.createRef(),o._mergedRef=(0,s.S)(),o._onFocus=function(e){if(!o._portalContainsElement(e.target)){var t,n=o.props,r=n.onActiveElementChanged,i=n.doNotAllowFocusEventToPropagate,a=n.stopFocusPropagation,s=n.onFocusNotification,u=n.onFocus,d=n.shouldFocusInnerElementWhenReceivedFocus,p=n.defaultTabbableElement,m=o._isImmediateDescendantOfZone(e.target);if(m)t=e.target;else for(var h=e.target;h&&h!==o._root.current;){if((0,l.MW)(h)&&o._isImmediateDescendantOfZone(h)){t=h;break}h=(0,c.G)(h,B)}if(d&&e.target===o._root.current){var g=p&&"function"==typeof p&&p(o._root.current);g&&(0,l.MW)(g)?(t=g,g.focus()):(o.focus(!0),o._activeElement&&(t=null))}var f=!o._activeElement;t&&t!==o._activeElement&&((m||f)&&o._setFocusAlignment(t,!0,!0),o._activeElement=t,f&&o._updateTabIndexes()),r&&r(o._activeElement,e),(a||i)&&e.stopPropagation(),u?u(e):s&&s()}},o._onBlur=function(){o._setParkedFocus(!1)},o._onMouseDown=function(e){if(!o._portalContainsElement(e.target)&&!o.props.disabled){for(var t=e.target,n=[];t&&t!==o._root.current;)n.push(t),t=(0,c.G)(t,B);for(;n.length&&((t=n.pop())&&(0,l.MW)(t)&&o._setActiveElement(t,!0),!(0,l.jz)(t)););}},o._onKeyDown=function(e,t){if(!o._portalContainsElement(e.target)){var n=o.props,r=n.direction,i=n.disabled,s=n.isInnerZoneKeystroke,c=n.pagingSupportDisabled,p=n.shouldEnterInnerZone;if(!(i||(o.props.onKeyDown&&o.props.onKeyDown(e),e.isDefaultPrevented()||o._getDocument().activeElement===o._root.current&&o._isInnerZone))){if((p&&p(e)||s&&s(e))&&o._isImmediateDescendantOfZone(e.target)){var m=o._getFirstInnerZone();if(m){if(!m.focus(!0))return}else{if(!(0,l.gc)(e.target))return;if(!o.focusElement((0,l.dc)(e.target,e.target.firstChild,!0)))return}}else{if(e.altKey)return;switch(e.which){case u.m.space:if(o._tryInvokeClickForFocusable(e.target))break;return;case u.m.left:if(r!==a.U.vertical&&(o._preventDefaultWhenHandled(e),o._moveFocusLeft(t)))break;return;case u.m.right:if(r!==a.U.vertical&&(o._preventDefaultWhenHandled(e),o._moveFocusRight(t)))break;return;case u.m.up:if(r!==a.U.horizontal&&(o._preventDefaultWhenHandled(e),o._moveFocusUp()))break;return;case u.m.down:if(r!==a.U.horizontal&&(o._preventDefaultWhenHandled(e),o._moveFocusDown()))break;return;case u.m.pageDown:if(!c&&o._moveFocusPaging(!0))break;return;case u.m.pageUp:if(!c&&o._moveFocusPaging(!1))break;return;case u.m.tab:if(o.props.allowTabKey||o.props.handleTabKey===a.J.all||o.props.handleTabKey===a.J.inputOnly&&o._isElementInput(e.target)){var h=!1;if(o._processingTabKey=!0,h=r!==a.U.vertical&&o._shouldWrapFocus(o._activeElement,T)?((0,d.zg)(t)?!e.shiftKey:e.shiftKey)?o._moveFocusLeft(t):o._moveFocusRight(t):e.shiftKey?o._moveFocusUp():o._moveFocusDown(),o._processingTabKey=!1,h)break;o.props.shouldResetActiveElementWhenTabFromZone&&(o._activeElement=null)}return;case u.m.home:if(o._isContentEditableElement(e.target)||o._isElementInput(e.target)&&!o._shouldInputLoseFocus(e.target,!1))return!1;var g=o._root.current&&o._root.current.firstChild;if(o._root.current&&g&&o.focusElement((0,l.dc)(o._root.current,g,!0)))break;return;case u.m.end:if(o._isContentEditableElement(e.target)||o._isElementInput(e.target)&&!o._shouldInputLoseFocus(e.target,!0))return!1;var f=o._root.current&&o._root.current.lastChild;if(o._root.current&&o.focusElement((0,l.TD)(o._root.current,f,!0,!0,!0)))break;return;case u.m.enter:if(o._tryInvokeClickForFocusable(e.target))break;return;default:return}}e.preventDefault(),e.stopPropagation()}}},o._getHorizontalDistanceFromCenter=function(e,t,n){var r=o._focusAlignment.left||o._focusAlignment.x||0,i=Math.floor(n.top),a=Math.floor(t.bottom),s=Math.floor(n.bottom),l=Math.floor(t.top);return e&&i>a||!e&&s=n.left&&r<=n.left+n.width?0:Math.abs(n.left+n.width/2-r):o._shouldWrapFocus(o._activeElement,D)?E:P},(0,p.l)(o),o._id=(0,m.z)("FocusZone"),o._focusAlignment={left:0,top:0},o._processingTabKey=!1,o}return(0,r.ZT)(t,e),t.getOuterZones=function(){return R.size},t._onKeyDownCapture=function(e){e.which===u.m.tab&&R.forEach((function(e){return e._updateTabIndexes()}))},t.prototype.componentDidMount=function(){var e=this._root.current;if(M[this._id]=this,e){this._windowElement=(0,h.J)(e);for(var o=(0,c.G)(e,B);o&&o!==this._getDocument().body&&1===o.nodeType;){if((0,l.jz)(o)){this._isInnerZone=!0;break}o=(0,c.G)(o,B)}this._isInnerZone||(R.add(this),this._windowElement&&1===R.size&&this._windowElement.addEventListener("keydown",t._onKeyDownCapture,!0)),this._root.current&&this._root.current.addEventListener("blur",this._onBlur,!0),this._updateTabIndexes(),this.props.defaultTabbableElement&&"string"==typeof this.props.defaultTabbableElement?this._activeElement=this._getDocument().querySelector(this.props.defaultTabbableElement):this.props.defaultActiveElement&&(this._activeElement=this._getDocument().querySelector(this.props.defaultActiveElement)),this.props.shouldFocusOnMount&&this.focus()}},t.prototype.componentDidUpdate=function(){var e=this._root.current,t=this._getDocument();if(t&&this._lastIndexPath&&(t.activeElement===t.body||null===t.activeElement||!this.props.preventFocusRestoration&&t.activeElement===e)){var o=(0,l.bF)(e,this._lastIndexPath);o?(this._setActiveElement(o,!0),o.focus(),this._setParkedFocus(!1)):this._setParkedFocus(!0)}},t.prototype.componentWillUnmount=function(){delete M[this._id],this._isInnerZone||(R.delete(this),this._windowElement&&0===R.size&&this._windowElement.removeEventListener("keydown",t._onKeyDownCapture,!0)),this._root.current&&this._root.current.removeEventListener("blur",this._onBlur,!0),this._activeElement=null,this._defaultFocusElement=null},t.prototype.render=function(){var e=this,t=this.props,o=t.as,a=t.elementType,s=t.rootProps,l=t.ariaDescribedBy,c=t.ariaLabelledBy,u=t.className,d=(0,g.pq)(this.props,g.iY),p=o||a||"div";this._evaluateFocusBeforeRender();var m=(0,x.gh)();return i.createElement(p,(0,r.pi)({"aria-labelledby":c,"aria-describedby":l},d,s,{className:(0,f.i)((n||(n=(0,S.y)({selectors:{":focus":{outline:"none"}}},"ms-FocusZone")),n),u),ref:this._mergedRef(this.props.elementRef,this._root),"data-focuszone-id":this._id,onKeyDown:function(t){return e._onKeyDown(t,m)},onFocus:this._onFocus,onMouseDownCapture:this._onMouseDown}),this.props.children)},t.prototype.focus=function(e){if(void 0===e&&(e=!1),this._root.current){if(!e&&"true"===this._root.current.getAttribute(k)&&this._isInnerZone){var t=this._getOwnerZone(this._root.current);if(t!==this._root.current){var o=M[t.getAttribute(w)];return!!o&&o.focusElement(this._root.current)}return!1}if(!e&&this._activeElement&&(0,v.t)(this._root.current,this._activeElement)&&(0,l.MW)(this._activeElement))return this._activeElement.focus(),!0;var n=this._root.current.firstChild;return this.focusElement((0,l.dc)(this._root.current,n,!0))}return!1},t.prototype.focusLast=function(){if(this._root.current){var e=this._root.current&&this._root.current.lastChild;return this.focusElement((0,l.TD)(this._root.current,e,!0,!0,!0))}return!1},t.prototype.focusElement=function(e,t){var o=this.props,n=o.onBeforeFocus,r=o.shouldReceiveFocus;return!(r&&!r(e)||n&&!n(e)||!e||(this._setActiveElement(e,t),this._activeElement&&this._activeElement.focus(),0))},t.prototype.setFocusAlignment=function(e){this._focusAlignment=e},t.prototype._evaluateFocusBeforeRender=function(){var e=this._root.current,t=this._getDocument();if(t){var o=t.activeElement;if(o!==e){var n=(0,v.t)(e,o,!1);this._lastIndexPath=n?(0,l.xu)(e,o):void 0}}},t.prototype._setParkedFocus=function(e){var t=this._root.current;t&&this._isParked!==e&&(this._isParked=e,e?(this.props.allowFocusRoot||(this._parkedTabIndex=t.getAttribute("tabindex"),t.setAttribute("tabindex","-1")),t.focus()):this.props.allowFocusRoot||(this._parkedTabIndex?(t.setAttribute("tabindex",this._parkedTabIndex),this._parkedTabIndex=void 0):t.removeAttribute("tabindex")))},t.prototype._setActiveElement=function(e,t){var o=this._activeElement;this._activeElement=e,o&&((0,l.jz)(o)&&this._updateTabIndexes(o),o.tabIndex=-1),this._activeElement&&(this._focusAlignment&&!t||this._setFocusAlignment(e,!0,!0),this._activeElement.tabIndex=0)},t.prototype._preventDefaultWhenHandled=function(e){this.props.preventDefaultWhenHandled&&e.preventDefault()},t.prototype._tryInvokeClickForFocusable=function(e){if(e===this._root.current||!this.props.shouldRaiseClicks)return!1;do{if("BUTTON"===e.tagName||"A"===e.tagName||"INPUT"===e.tagName||"TEXTAREA"===e.tagName)return!1;if(this._isImmediateDescendantOfZone(e)&&"true"===e.getAttribute(k)&&"true"!==e.getAttribute("data-disable-click-on-enter"))return(0,b.x)(e),!0;e=(0,c.G)(e,B)}while(e!==this._root.current);return!1},t.prototype._getFirstInnerZone=function(e){if(!(e=e||this._activeElement||this._root.current))return null;if((0,l.jz)(e))return M[e.getAttribute(w)];for(var t=e.firstElementChild;t;){if((0,l.jz)(t))return M[t.getAttribute(w)];var o=this._getFirstInnerZone(t);if(o)return o;t=t.nextElementSibling}return null},t.prototype._moveFocus=function(e,t,o,n){void 0===n&&(n=!0);var r=this._activeElement,i=-1,s=void 0,c=!1,u=this.props.direction===a.U.bidirectional;if(!r||!this._root.current)return!1;if(this._isElementInput(r)&&!this._shouldInputLoseFocus(r,e))return!1;var d=u?r.getBoundingClientRect():null;do{if(r=e?(0,l.dc)(this._root.current,r):(0,l.TD)(this._root.current,r),!u){s=r;break}if(r){var p=t(d,r.getBoundingClientRect());if(-1===p&&-1===i){s=r;break}if(p>-1&&(-1===i||p=0&&p<0)break}}while(r);if(s&&s!==this._activeElement)c=!0,this.focusElement(s);else if(this.props.isCircularNavigation&&n)return e?this.focusElement((0,l.dc)(this._root.current,this._root.current.firstElementChild,!0)):this.focusElement((0,l.TD)(this._root.current,this._root.current.lastElementChild,!0,!0,!0));return c},t.prototype._moveFocusDown=function(){var e=this,t=-1,o=this._focusAlignment.left||this._focusAlignment.x||0;return!!this._moveFocus(!0,(function(n,r){var i=-1,a=Math.floor(r.top),s=Math.floor(n.bottom);return a=s||a===t)&&(t=a,i=o>=r.left&&o<=r.left+r.width?0:Math.abs(r.left+r.width/2-o)),i)}))&&(this._setFocusAlignment(this._activeElement,!1,!0),!0)},t.prototype._moveFocusUp=function(){var e=this,t=-1,o=this._focusAlignment.left||this._focusAlignment.x||0;return!!this._moveFocus(!1,(function(n,r){var i=-1,a=Math.floor(r.bottom),s=Math.floor(r.top),l=Math.floor(n.top);return a>l?e._shouldWrapFocus(e._activeElement,D)?E:P:((-1===t&&a<=l||s===t)&&(t=s,i=o>=r.left&&o<=r.left+r.width?0:Math.abs(r.left+r.width/2-o)),i)}))&&(this._setFocusAlignment(this._activeElement,!1,!0),!0)},t.prototype._moveFocusLeft=function(e){var t=this,o=this._shouldWrapFocus(this._activeElement,T);return!!this._moveFocus((0,d.zg)(e),(function(n,r){var i=-1;return((0,d.zg)(e)?parseFloat(r.top.toFixed(3))parseFloat(n.top.toFixed(3)))&&r.right<=n.right&&t.props.direction!==a.U.vertical?i=n.right-r.right:o||(i=P),i}),void 0,o)&&(this._setFocusAlignment(this._activeElement,!0,!1),!0)},t.prototype._moveFocusRight=function(e){var t=this,o=this._shouldWrapFocus(this._activeElement,T);return!!this._moveFocus(!(0,d.zg)(e),(function(n,r){var i=-1;return((0,d.zg)(e)?parseFloat(r.bottom.toFixed(3))>parseFloat(n.top.toFixed(3)):parseFloat(r.top.toFixed(3))=n.left&&t.props.direction!==a.U.vertical?i=r.left-n.left:o||(i=P),i}),void 0,o)&&(this._setFocusAlignment(this._activeElement,!0,!1),!0)},t.prototype._moveFocusPaging=function(e,t){void 0===t&&(t=!0);var o=this._activeElement;if(!o||!this._root.current)return!1;if(this._isElementInput(o)&&!this._shouldInputLoseFocus(o,e))return!1;var n=(0,y.zj)(o);if(!n)return!1;var r=-1,i=void 0,a=-1,s=-1,c=n.clientHeight,u=o.getBoundingClientRect();do{if(o=e?(0,l.dc)(this._root.current,o):(0,l.TD)(this._root.current,o)){var d=o.getBoundingClientRect(),p=Math.floor(d.top),m=Math.floor(u.bottom),h=Math.floor(d.bottom),g=Math.floor(u.top),f=this._getHorizontalDistanceFromCenter(e,u,d);if(e&&p>m+c||!e&&h-1&&(e&&p>a?(a=p,r=f,i=o):!e&&h-1){var o=e.selectionStart,n=o!==e.selectionEnd,r=e.value,i=e.readOnly;if(n||o>0&&!t&&!i||o!==r.length&&t&&!i||this.props.handleTabKey&&(!this.props.shouldInputLoseFocusOnArrowKey||!this.props.shouldInputLoseFocusOnArrowKey(e)))return!1}return!0},t.prototype._shouldWrapFocus=function(e,t){return!this.props.checkForNoWrap||(0,l.mM)(e,t)},t.prototype._portalContainsElement=function(e){return e&&!!this._root.current&&(0,_.w)(e,this._root.current)},t.prototype._getDocument=function(){return(0,C.M)(this._root.current)},t.defaultProps={isCircularNavigation:!1,direction:a.U.bidirectional,shouldRaiseClicks:!0},t}(i.Component)},7023:(e,t,o)=>{"use strict";o.d(t,{J:()=>r,U:()=>n});var n,r={none:0,all:1,inputOnly:2};!function(e){e[e.vertical=0]="vertical",e[e.horizontal=1]="horizontal",e[e.bidirectional=2]="bidirectional",e[e.domOrder=3]="domOrder"}(n||(n={}))},3528:(e,t,o)=>{"use strict";o.d(t,{r:()=>a});var n=o(2167),r=o(7002),i=o(7913);function a(){var e=(0,i.B)((function(){return new n.e}));return r.useEffect((function(){return function(){return e.dispose()}}),[e]),e}},2861:(e,t,o)=>{"use strict";o.d(t,{k:()=>i});var n=o(7002),r=o(7913);function i(e){var t=n.useState(e),o=t[0],i=t[1];return[o,{setTrue:(0,r.B)((function(){return function(){i(!0)}})),setFalse:(0,r.B)((function(){return function(){i(!1)}})),toggle:(0,r.B)((function(){return function(){i((function(e){return!e}))}}))}]}},7913:(e,t,o)=>{"use strict";o.d(t,{B:()=>r});var n=o(7002);function r(e){var t=n.useRef();return void 0===t.current&&(t.current={value:"function"==typeof e?e():e}),t.current.value}},6548:(e,t,o)=>{"use strict";o.d(t,{G:()=>i});var n=o(7002),r=o(7913);function i(e,t,o){var i=n.useState(t),a=i[0],s=i[1],l=(0,r.B)(void 0!==e),c=l?e:a,u=n.useRef(c),d=n.useRef(o);n.useEffect((function(){u.current=c,d.current=o}));var p=(0,r.B)((function(){return function(e,t){var o="function"==typeof e?e(u.current):e;d.current&&d.current(t,o),l||s(o)}}));return[c,p]}},4085:(e,t,o)=>{"use strict";o.d(t,{M:()=>i});var n=o(7002),r=o(2782);function i(e,t){var o=n.useRef(t);return o.current||(o.current=(0,r.z)(e)),o.current}},9241:(e,t,o)=>{"use strict";o.d(t,{r:()=>i});var n=o(7622),r=o(7002);function i(){for(var e=[],t=0;t{"use strict";o.d(t,{d:()=>i});var n=o(9251),r=o(7002);function i(e,t,o,i){var a=r.useRef(o);a.current=o,r.useEffect((function(){var o=e&&"current"in e?e.current:e;if(o)return(0,n.on)(o,t,(function(e){return a.current(e)}),i)}),[e,t,i])}},6876:(e,t,o)=>{"use strict";o.d(t,{D:()=>r});var n=o(7002);function r(e){var t=(0,n.useRef)();return(0,n.useEffect)((function(){t.current=e})),t.current}},5646:(e,t,o)=>{"use strict";o.d(t,{L:()=>i});var n=o(7002),r=o(7913),i=function(){var e=(0,r.B)({});return n.useEffect((function(){return function(){for(var t=0,o=Object.keys(e);t{"use strict";o.d(t,{e:()=>a});var n=o(5446),r=o(7002),i=o(8901);function a(e,t){var o,a=r.useRef(),s=r.useRef(null),l=(0,i.zY)();if(!e||e!==a.current||"string"==typeof e){var c=null===(o=t)||void 0===o?void 0:o.current;if(e)if("string"==typeof e){var u=(0,n.M)(c);s.current=u?u.querySelector(e):null}else s.current="stopPropagation"in e||"getBoundingClientRect"in e?e:"current"in e?e.current:e;a.current=e}return[s,l]}},8901:(e,t,o)=>{"use strict";o.d(t,{Hn:()=>r,zY:()=>i,ky:()=>a,WU:()=>s});var n=o(7002),r=n.createContext({window:"object"==typeof window?window:void 0}),i=function(){return n.useContext(r).window},a=function(){var e;return null===(e=n.useContext(r).window)||void 0===e?void 0:e.document},s=function(e){return n.createElement(r.Provider,{value:e},e.children)}},6628:(e,t,o)=>{"use strict";o.d(t,{b:()=>n});var n={topLeftEdge:0,topCenter:1,topRightEdge:2,topAutoEdge:3,bottomLeftEdge:4,bottomCenter:5,bottomRightEdge:6,bottomAutoEdge:7,leftTopEdge:8,leftCenter:9,leftBottomEdge:10,rightTopEdge:11,rightCenter:12,rightBottomEdge:13}},9942:(e,t,o)=>{"use strict";o.d(t,{d:()=>c});var n=o(7622),r=o(7002),i=o(7300),a=o(8127),s=o(6055),l=(0,i.y)(),c=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.message,o=e.styles,i=e.as,c=void 0===i?"div":i,u=e.className,d=l(o,{className:u});return r.createElement(c,(0,n.pi)({role:"status",className:d.root},(0,a.pq)(this.props,a.n7,["className"])),r.createElement(s.U,null,r.createElement("div",{className:d.screenReaderText},t)))},t.defaultProps={"aria-live":"polite"},t}(r.Component)},3945:(e,t,o)=>{"use strict";o.d(t,{O:()=>a});var n=o(2002),r=o(9942),i=o(9729),a=(0,n.z)(r.d,(function(e){return{root:e.className,screenReaderText:i.ul}}))},5767:(e,t,o)=>{"use strict";o.d(t,{G:()=>d});var n=o(7622),r=o(7002),i=o(5036),a=o(8145),s=o(688),l=o(2167),c=o(8127),u="backward",d=function(e){function t(t){var o=e.call(this,t)||this;return o._inputElement=r.createRef(),o._autoFillEnabled=!0,o._isComposing=!1,o._onCompositionStart=function(e){o._isComposing=!0,o._autoFillEnabled=!1},o._onCompositionUpdate=function(){(0,i.f)()&&o._updateValue(o._getCurrentInputValue(),!0)},o._onCompositionEnd=function(e){var t=o._getCurrentInputValue();o._tryEnableAutofill(t,o.value,!1,!0),o._isComposing=!1,o._async.setTimeout((function(){o._updateValue(o._getCurrentInputValue(),!1)}),0)},o._onClick=function(){o.value&&""!==o.value&&o._autoFillEnabled&&(o._autoFillEnabled=!1)},o._onKeyDown=function(e){if(o.props.onKeyDown&&o.props.onKeyDown(e),!e.nativeEvent.isComposing)switch(e.which){case a.m.backspace:o._autoFillEnabled=!1;break;case a.m.left:case a.m.right:o._autoFillEnabled&&(o.setState({inputValue:o.props.suggestedDisplayValue||""}),o._autoFillEnabled=!1);break;default:o._autoFillEnabled||-1!==o.props.enableAutofillOnKeyPress.indexOf(e.which)&&(o._autoFillEnabled=!0)}},o._onInputChanged=function(e){var t=o._getCurrentInputValue(e);if(o._isComposing||o._tryEnableAutofill(t,o.value,e.nativeEvent.isComposing),!(0,i.f)()||!o._isComposing){var n=e.nativeEvent.isComposing,r=void 0===n?o._isComposing:n;o._updateValue(t,r)}},o._onChanged=function(){},o._updateValue=function(e,t){var n;if(e||e!==o.value){var r=o.props,i=r.onInputChange,a=r.onInputValueChange;i&&(e=(null===(n=i)||void 0===n?void 0:n(e,t))||""),o.setState({inputValue:e},(function(){var o;return null===(o=a)||void 0===o?void 0:o(e,t)}))}},(0,s.l)(o),o._async=new l.e(o),o.state={inputValue:t.defaultVisibleValue||""},o}return(0,n.ZT)(t,e),t.getDerivedStateFromProps=function(e,t){if(e.updateValueInWillReceiveProps){var o=e.updateValueInWillReceiveProps();if(null!==o&&o!==t.inputValue)return{inputValue:o}}return null},Object.defineProperty(t.prototype,"cursorLocation",{get:function(){if(this._inputElement.current){var e=this._inputElement.current;return"forward"!==e.selectionDirection?e.selectionEnd:e.selectionStart}return-1},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"isValueSelected",{get:function(){return Boolean(this.inputElement&&this.inputElement.selectionStart!==this.inputElement.selectionEnd)},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"value",{get:function(){return this._getControlledValue()||this.state.inputValue||""},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"selectionStart",{get:function(){return this._inputElement.current?this._inputElement.current.selectionStart:-1},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"selectionEnd",{get:function(){return this._inputElement.current?this._inputElement.current.selectionEnd:-1},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"inputElement",{get:function(){return this._inputElement.current},enumerable:!0,configurable:!0}),t.prototype.componentDidUpdate=function(){var e=this.props,t=e.suggestedDisplayValue,o=e.shouldSelectFullInputValueInComponentDidUpdate,n=0;if(!e.preventValueSelection&&this._autoFillEnabled&&this.value&&t&&p(t,this.value)){var r=!1;if(o&&(r=o()),r&&this._inputElement.current)this._inputElement.current.setSelectionRange(0,t.length,u);else{for(;n0&&this._inputElement.current&&this._inputElement.current.setSelectionRange(n,t.length,u)}}},t.prototype.componentWillUnmount=function(){this._async.dispose()},t.prototype.render=function(){var e=(0,c.pq)(this.props,c.Gg),t=(0,n.pi)((0,n.pi)({},this.props.style),{fontFamily:"inherit"});return r.createElement("input",(0,n.pi)({autoCapitalize:"off",autoComplete:"off","aria-autocomplete":"both"},e,{style:t,ref:this._inputElement,value:this._getDisplayValue(),onCompositionStart:this._onCompositionStart,onCompositionUpdate:this._onCompositionUpdate,onCompositionEnd:this._onCompositionEnd,onChange:this._onChanged,onInput:this._onInputChanged,onKeyDown:this._onKeyDown,onClick:this.props.onClick?this.props.onClick:this._onClick,"data-lpignore":!0}))},t.prototype.focus=function(){this._inputElement.current&&this._inputElement.current.focus()},t.prototype.clear=function(){this._autoFillEnabled=!0,this._updateValue("",!1),this._inputElement.current&&this._inputElement.current.setSelectionRange(0,0)},t.prototype._getCurrentInputValue=function(e){return e&&e.target&&e.target.value?e.target.value:this.inputElement&&this.inputElement.value?this.inputElement.value:""},t.prototype._tryEnableAutofill=function(e,t,o,n){!o&&e&&this._inputElement.current&&this._inputElement.current.selectionStart===e.length&&!this._autoFillEnabled&&(e.length>t.length||n)&&(this._autoFillEnabled=!0)},t.prototype._getDisplayValue=function(){return this._autoFillEnabled?(e=this.value,t=this.props.suggestedDisplayValue,o=e,t&&e&&p(t,o)&&(o=t),o):this.value;var e,t,o},t.prototype._getControlledValue=function(){var e=this.props.value;return void 0===e||"string"==typeof e?e:(console.warn("props.value of Autofill should be a string, but it is "+e+" with type of "+typeof e),e.toString())},t.defaultProps={enableAutofillOnKeyPress:[a.m.down,a.m.up]},t}(r.Component);function p(e,t){return!(!e||!t)&&0===e.toLocaleLowerCase().indexOf(t.toLocaleLowerCase())}},2898:(e,t,o)=>{"use strict";o.d(t,{K:()=>c});var n=o(7622),r=o(7002),i=o(4968),a=o(9013),s=o(6053),l=o(3608),c=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.theme;return r.createElement(i.Y,(0,n.pi)({},this.props,{variantClassName:"ms-Button--action ms-Button--command",styles:(0,l.W)(o,t),onRenderDescription:a.S}))},(0,n.gn)([(0,s.a)("ActionButton",["theme","styles"],!0)],t)}(r.Component)},3608:(e,t,o)=>{"use strict";o.d(t,{W:()=>a});var n=o(9729),r=o(5094),i=o(1860),a=(0,r.NF)((function(e,t){var o,r,a,s=(0,i.W)(e),l={root:{padding:"0 4px",height:"40px",color:e.palette.neutralPrimary,backgroundColor:"transparent",border:"1px solid transparent",selectors:(o={},o[n.qJ]={borderColor:"Window"},o)},rootHovered:{color:e.palette.themePrimary,selectors:(r={},r[n.qJ]={color:"Highlight"},r)},iconHovered:{color:e.palette.themePrimary},rootPressed:{color:e.palette.black},rootExpanded:{color:e.palette.themePrimary},iconPressed:{color:e.palette.themeDarker},rootDisabled:{color:e.palette.neutralTertiary,backgroundColor:"transparent",borderColor:"transparent",selectors:(a={},a[n.qJ]={color:"GrayText"},a)},rootChecked:{color:e.palette.black},iconChecked:{color:e.palette.themeDarker},flexContainer:{justifyContent:"flex-start"},icon:{color:e.palette.themeDarkAlt},iconDisabled:{color:"inherit"},menuIcon:{color:e.palette.neutralSecondary},textContainer:{flexGrow:0}};return(0,n.E$)(s,l,t)}))},2657:(e,t,o)=>{"use strict";o.d(t,{n:()=>i,f:()=>a});var n=o(5094),r=o(9729),i={msButton:"ms-Button",msButtonHasMenu:"ms-Button--hasMenu",msButtonIcon:"ms-Button-icon",msButtonMenuIcon:"ms-Button-menuIcon",msButtonLabel:"ms-Button-label",msButtonDescription:"ms-Button-description",msButtonScreenReaderText:"ms-Button-screenReaderText",msButtonFlexContainer:"ms-Button-flexContainer",msButtonTextContainer:"ms-Button-textContainer"},a=(0,n.NF)((function(e,t,o,n,a,s,l,c,u,d,p){var m,h,g=(0,r.Cn)(i,e||{}),f=d&&!p;return(0,r.ZC)({root:[g.msButton,t.root,n,u&&["is-checked",t.rootChecked],f&&["is-expanded",t.rootExpanded,{selectors:(m={},m[":hover ."+g.msButtonIcon]=t.iconExpandedHovered,m[":hover ."+g.msButtonMenuIcon]=t.menuIconExpandedHovered||t.rootExpandedHovered,m[":hover"]=t.rootExpandedHovered,m)}],c&&[i.msButtonHasMenu,t.rootHasMenu],l&&["is-disabled",t.rootDisabled],!l&&!f&&!u&&{selectors:(h={":hover":t.rootHovered},h[":hover ."+g.msButtonLabel]=t.labelHovered,h[":hover ."+g.msButtonIcon]=t.iconHovered,h[":hover ."+g.msButtonDescription]=t.descriptionHovered,h[":hover ."+g.msButtonMenuIcon]=t.menuIconHovered,h[":focus"]=t.rootFocused,h[":active"]=t.rootPressed,h[":active ."+g.msButtonIcon]=t.iconPressed,h[":active ."+g.msButtonDescription]=t.descriptionPressed,h[":active ."+g.msButtonMenuIcon]=t.menuIconPressed,h)},l&&u&&[t.rootCheckedDisabled],!l&&u&&{selectors:{":hover":t.rootCheckedHovered,":active":t.rootCheckedPressed}},o],flexContainer:[g.msButtonFlexContainer,t.flexContainer],textContainer:[g.msButtonTextContainer,t.textContainer],icon:[g.msButtonIcon,a,t.icon,f&&t.iconExpanded,u&&t.iconChecked,l&&t.iconDisabled],label:[g.msButtonLabel,t.label,u&&t.labelChecked,l&&t.labelDisabled],menuIcon:[g.msButtonMenuIcon,s,t.menuIcon,u&&t.menuIconChecked,l&&!p&&t.menuIconDisabled,!l&&!f&&!u&&{selectors:{":hover":t.menuIconHovered,":active":t.menuIconPressed}},f&&["is-expanded",t.menuIconExpanded]],description:[g.msButtonDescription,t.description,u&&t.descriptionChecked,l&&t.descriptionDisabled],screenReaderText:[g.msButtonScreenReaderText,t.screenReaderText]})}))},4968:(e,t,o)=>{"use strict";o.d(t,{Y:()=>P});var n=o(7622),r=o(7002),i=o(5094),a=o(8088),s=o(7466),l=o(8145),c=o(688),u=o(2167),d=o(9919),p=o(5415),m=o(3129),h=o(2782),g=o(8127),f=o(2447),v=o(9013),b=o(5480),y=o(9577),_=o(4932),C=o(9947),S=o(4734),x=o(7840),k=o(6628),w=o(9134),I=o(2657),D=o(5032),T=o(9949),E="BaseButton",P=function(e){function t(t){var o=e.call(this,t)||this;return o._buttonElement=r.createRef(),o._splitButtonContainer=r.createRef(),o._mergedRef=(0,_.S)(),o._renderedVisibleMenu=!1,o._getMemoizedMenuButtonKeytipProps=(0,i.NF)((function(e){return(0,n.pi)((0,n.pi)({},e),{hasMenu:!0})})),o._onRenderIcon=function(e,t){var i=o.props.iconProps;if(i&&(void 0!==i.iconName||i.imageProps)){var s=i.className,l=i.imageProps,c=(0,n._T)(i,["className","imageProps"]);if(i.styles)return r.createElement(C.J,(0,n.pi)({className:(0,a.i)(o._classNames.icon,s),imageProps:l},c));if(i.iconName)return r.createElement(S.xu,(0,n.pi)({className:(0,a.i)(o._classNames.icon,s)},c));if(l)return r.createElement(x.X,(0,n.pi)({className:(0,a.i)(o._classNames.icon,s),imageProps:l},c))}return null},o._onRenderTextContents=function(){var e=o.props,t=e.text,n=e.children,i=e.secondaryText,a=void 0===i?o.props.description:i,s=e.onRenderText,l=void 0===s?o._onRenderText:s,c=e.onRenderDescription,u=void 0===c?o._onRenderDescription:c;return t||"string"==typeof n||a?r.createElement("span",{className:o._classNames.textContainer},l(o.props,o._onRenderText),u(o.props,o._onRenderDescription)):[l(o.props,o._onRenderText),u(o.props,o._onRenderDescription)]},o._onRenderText=function(){var e=o.props.text,t=o.props.children;return void 0===e&&"string"==typeof t&&(e=t),o._hasText()?r.createElement("span",{key:o._labelId,className:o._classNames.label,id:o._labelId},e):null},o._onRenderChildren=function(){var e=o.props.children;return"string"==typeof e?null:e},o._onRenderDescription=function(e){var t=e.secondaryText,n=void 0===t?o.props.description:t;return n?r.createElement("span",{key:o._descriptionId,className:o._classNames.description,id:o._descriptionId},n):null},o._onRenderAriaDescription=function(){var e=o.props.ariaDescription;return e?r.createElement("span",{className:o._classNames.screenReaderText,id:o._ariaDescriptionId},e):null},o._onRenderMenuIcon=function(e){var t=o.props.menuIconProps;return r.createElement(S.xu,(0,n.pi)({iconName:"ChevronDown"},t,{className:o._classNames.menuIcon}))},o._onRenderMenu=function(e){var t=o.props.persistMenu,i=o.state.menuHidden,s=o.props.menuAs||w.r;return e.ariaLabel||e.labelElementId||!o._hasText()||(e=(0,n.pi)((0,n.pi)({},e),{labelElementId:o._labelId})),r.createElement(s,(0,n.pi)({id:o._labelId+"-menu",directionalHint:k.b.bottomLeftEdge},e,{shouldFocusOnContainer:o._menuShouldFocusOnContainer,shouldFocusOnMount:o._menuShouldFocusOnMount,hidden:t?i:void 0,className:(0,a.i)("ms-BaseButton-menuhost",e.className),target:o._isSplitButton?o._splitButtonContainer.current:o._buttonElement.current,onDismiss:o._onDismissMenu}))},o._onDismissMenu=function(e){var t=o.props.menuProps;t&&t.onDismiss&&t.onDismiss(e),e&&e.defaultPrevented||o._dismissMenu()},o._dismissMenu=function(){o._menuShouldFocusOnMount=void 0,o._menuShouldFocusOnContainer=void 0,o.setState({menuHidden:!0})},o._openMenu=function(e,t){void 0===t&&(t=!0),o.props.menuProps&&(o._menuShouldFocusOnContainer=e,o._menuShouldFocusOnMount=t,o._renderedVisibleMenu=!0,o.setState({menuHidden:!1}))},o._onToggleMenu=function(e){var t=!0;o.props.menuProps&&!1===o.props.menuProps.shouldFocusOnMount&&(t=!1),o.state.menuHidden?o._openMenu(e,t):o._dismissMenu()},o._onSplitContainerFocusCapture=function(e){var t=o._splitButtonContainer.current;!t||e.target&&(0,s.w)(e.target,t)||t.focus()},o._onSplitButtonPrimaryClick=function(e){o.state.menuHidden||o._dismissMenu(),!o._processingTouch&&o.props.onClick?o.props.onClick(e):o._processingTouch&&o._onMenuClick(e)},o._onKeyDown=function(e){!o.props.disabled||e.which!==l.m.enter&&e.which!==l.m.space?o.props.disabled||(o.props.menuProps?o._onMenuKeyDown(e):void 0!==o.props.onKeyDown&&o.props.onKeyDown(e)):(e.preventDefault(),e.stopPropagation())},o._onKeyUp=function(e){o.props.disabled||void 0===o.props.onKeyUp||o.props.onKeyUp(e)},o._onKeyPress=function(e){o.props.disabled||void 0===o.props.onKeyPress||o.props.onKeyPress(e)},o._onMouseUp=function(e){o.props.disabled||void 0===o.props.onMouseUp||o.props.onMouseUp(e)},o._onMouseDown=function(e){o.props.disabled||void 0===o.props.onMouseDown||o.props.onMouseDown(e)},o._onClick=function(e){o.props.disabled||(o.props.menuProps?o._onMenuClick(e):void 0!==o.props.onClick&&o.props.onClick(e))},o._onSplitButtonContainerKeyDown=function(e){e.which===l.m.enter||e.which===l.m.space?o._buttonElement.current&&(o._buttonElement.current.click(),e.preventDefault(),e.stopPropagation()):o._onMenuKeyDown(e)},o._onMenuKeyDown=function(e){if(!o.props.disabled){o.props.onKeyDown&&o.props.onKeyDown(e);var t=e.which===l.m.up,n=e.which===l.m.down;if(!e.defaultPrevented&&o._isValidMenuOpenKey(e)){var r=o.props.onMenuClick;r&&r(e,o.props),o._onToggleMenu(!1),e.preventDefault(),e.stopPropagation()}e.altKey||e.metaKey||!t&&!n||!o.state.menuHidden&&o.props.menuProps&&((void 0!==o._menuShouldFocusOnMount?o._menuShouldFocusOnMount:o.props.menuProps.shouldFocusOnMount)||(e.preventDefault(),e.stopPropagation(),o._menuShouldFocusOnMount=!0,o.forceUpdate()))}},o._onTouchStart=function(){o._isSplitButton&&o._splitButtonContainer.current&&!("onpointerdown"in o._splitButtonContainer.current)&&o._handleTouchAndPointerEvent()},o._onMenuClick=function(e){var t=o.props.onMenuClick;if(t&&t(e,o.props),!e.defaultPrevented){var n=0!==e.nativeEvent.detail||"mouse"===e.nativeEvent.pointerType;o._onToggleMenu(n),e.preventDefault(),e.stopPropagation()}},(0,c.l)(o),o._async=new u.e(o),o._events=new d.r(o),(0,p.w)(E,t,["menuProps","onClick"],"split",o.props.split),(0,m.b)(E,t,{rootProps:void 0,description:"secondaryText",toggled:"checked"}),o._labelId=(0,h.z)(),o._descriptionId=(0,h.z)(),o._ariaDescriptionId=(0,h.z)(),o.state={menuHidden:!0},o}return(0,n.ZT)(t,e),Object.defineProperty(t.prototype,"_isSplitButton",{get:function(){return!!this.props.menuProps&&!!this.props.onClick&&!0===this.props.split},enumerable:!0,configurable:!0}),t.prototype.render=function(){var e,t=this.props,o=t.ariaDescription,n=t.ariaLabel,r=t.ariaHidden,i=t.className,a=t.disabled,s=t.allowDisabledFocus,l=t.primaryDisabled,c=t.secondaryText,u=void 0===c?this.props.description:c,d=t.href,p=t.iconProps,m=t.menuIconProps,h=t.styles,b=t.checked,y=t.variantClassName,_=t.theme,C=t.toggle,S=t.getClassNames,x=t.role,k=this.state.menuHidden,w=a||l;this._classNames=S?S(_,i,y,p&&p.className,m&&m.className,w,b,!k,!!this.props.menuProps,this.props.split,!!s):(0,I.f)(_,h,i,y,p&&p.className,m&&m.className,w,!!this.props.menuProps,b,!k,this.props.split);var D=this,T=D._ariaDescriptionId,E=D._labelId,P=D._descriptionId,M=!w&&!!d,R=M?"a":"button",N=(0,g.pq)((0,f.f0)(M?{}:{type:"button"},this.props.rootProps,this.props),M?g.h2:g.Yq,["disabled"]),B=n||N["aria-label"],F=void 0;o?F=T:u&&this.props.onRenderDescription!==v.S?F=P:N["aria-describedby"]&&(F=N["aria-describedby"]);var L=void 0;B||(N["aria-labelledby"]?L=N["aria-labelledby"]:F&&(L=this._hasText()?E:void 0));var A=!(!1===this.props["data-is-focusable"]||a&&!s||this._isSplitButton),z="menuitemcheckbox"===x||"checkbox"===x,H=z||!0===C?!!b:void 0,O=(0,f.f0)(N,((e={className:this._classNames.root,ref:this._mergedRef(this.props.elementRef,this._buttonElement),disabled:w&&!s,onKeyDown:this._onKeyDown,onKeyPress:this._onKeyPress,onKeyUp:this._onKeyUp,onMouseDown:this._onMouseDown,onMouseUp:this._onMouseUp,onClick:this._onClick,"aria-label":B,"aria-labelledby":L,"aria-describedby":F,"aria-disabled":w,"data-is-focusable":A})[z?"aria-checked":"aria-pressed"]=H,e));return r&&(O["aria-hidden"]=!0),this._isSplitButton?this._onRenderSplitButtonContent(R,O):(this.props.menuProps&&(0,f.f0)(O,{"aria-expanded":!k,"aria-controls":k?null:this._labelId+"-menu","aria-haspopup":!0}),this._onRenderContent(R,O))},t.prototype.componentDidMount=function(){this._isSplitButton&&this._splitButtonContainer.current&&("onpointerdown"in this._splitButtonContainer.current&&this._events.on(this._splitButtonContainer.current,"pointerdown",this._onPointerDown,!0),"onpointerup"in this._splitButtonContainer.current&&this.props.onPointerUp&&this._events.on(this._splitButtonContainer.current,"pointerup",this.props.onPointerUp,!0))},t.prototype.componentDidUpdate=function(e,t){this.props.onAfterMenuDismiss&&!t.menuHidden&&this.state.menuHidden&&this.props.onAfterMenuDismiss()},t.prototype.componentWillUnmount=function(){this._async.dispose(),this._events.dispose()},t.prototype.focus=function(){this._isSplitButton&&this._splitButtonContainer.current?this._splitButtonContainer.current.focus():this._buttonElement.current&&this._buttonElement.current.focus()},t.prototype.dismissMenu=function(){this._dismissMenu()},t.prototype.openMenu=function(e,t){this._openMenu(e,t)},t.prototype._onRenderContent=function(e,t){var o=this,i=this.props,a=e,s=i.menuIconProps,l=i.menuProps,c=i.onRenderIcon,u=void 0===c?this._onRenderIcon:c,d=i.onRenderAriaDescription,p=void 0===d?this._onRenderAriaDescription:d,m=i.onRenderChildren,h=void 0===m?this._onRenderChildren:m,g=i.onRenderMenu,f=void 0===g?this._onRenderMenu:g,v=i.onRenderMenuIcon,y=void 0===v?this._onRenderMenuIcon:v,_=i.disabled,C=i.keytipProps;C&&l&&(C=this._getMemoizedMenuButtonKeytipProps(C));var S=function(e){return r.createElement(a,(0,n.pi)({},t,e),r.createElement("span",{className:o._classNames.flexContainer,"data-automationid":"splitbuttonprimary"},u(i,o._onRenderIcon),o._onRenderTextContents(),p(i,o._onRenderAriaDescription),h(i,o._onRenderChildren),!o._isSplitButton&&(l||s||o.props.onRenderMenuIcon)&&y(o.props,o._onRenderMenuIcon),l&&!l.doNotLayer&&o._shouldRenderMenu()&&f(l,o._onRenderMenu)))},x=C?r.createElement(T.a,{keytipProps:this._isSplitButton?void 0:C,ariaDescribedBy:t["aria-describedby"],disabled:_},(function(e){return S(e)})):S();return l&&l.doNotLayer?r.createElement(r.Fragment,null,x,this._shouldRenderMenu()&&f(l,this._onRenderMenu)):r.createElement(r.Fragment,null,x,r.createElement(b.u,null))},t.prototype._shouldRenderMenu=function(){var e=this.state.menuHidden,t=this.props,o=t.persistMenu,n=t.renderPersistedMenuHiddenOnMount;return!e||!(!o||!this._renderedVisibleMenu&&!n)},t.prototype._hasText=function(){return null!==this.props.text&&(void 0!==this.props.text||"string"==typeof this.props.children)},t.prototype._onRenderSplitButtonContent=function(e,t){var o=this,i=this.props,a=i.styles,s=void 0===a?{}:a,l=i.disabled,c=i.allowDisabledFocus,u=i.checked,d=i.getSplitButtonClassNames,p=i.primaryDisabled,m=i.menuProps,h=i.toggle,v=i.role,b=i.primaryActionButtonProps,_=this.props.keytipProps,C=this.state.menuHidden,S=d?d(!!l,!C,!!u,!!c):s&&(0,D.W)(s,!!l,!C,!!u,!!p);(0,f.f0)(t,{onClick:void 0,onPointerDown:void 0,onPointerUp:void 0,tabIndex:-1,"data-is-focusable":!1}),_&&m&&(_=this._getMemoizedMenuButtonKeytipProps(_));var x=(0,g.pq)(t,[],["disabled"]);b&&(0,f.f0)(t,b);var k=function(i){return r.createElement("div",(0,n.pi)({},x,{"data-ktp-target":i?i["data-ktp-target"]:void 0,role:v||"button","aria-disabled":l,"aria-haspopup":!0,"aria-expanded":!C,"aria-pressed":h?!!u:void 0,"aria-describedby":(0,y.I)(t["aria-describedby"],i?i["aria-describedby"]:void 0),className:S&&S.splitButtonContainer,onKeyDown:o._onSplitButtonContainerKeyDown,onTouchStart:o._onTouchStart,ref:o._splitButtonContainer,"data-is-focusable":!0,onClick:l||p?void 0:o._onSplitButtonPrimaryClick,tabIndex:!l||c?0:void 0,"aria-roledescription":t["aria-roledescription"],onFocusCapture:o._onSplitContainerFocusCapture}),r.createElement("span",{style:{display:"flex"}},o._onRenderContent(e,t),o._onRenderSplitButtonMenuButton(S,i),o._onRenderSplitButtonDivider(S)))};return _?r.createElement(T.a,{keytipProps:_,disabled:l},(function(e){return k(e)})):k()},t.prototype._onRenderSplitButtonDivider=function(e){return e&&e.divider?r.createElement("span",{className:e.divider,"aria-hidden":!0,onClick:function(e){e.stopPropagation()}}):null},t.prototype._onRenderSplitButtonMenuButton=function(e,o){var i=this.props,a=i.allowDisabledFocus,s=i.checked,l=i.disabled,c=i.splitButtonMenuProps,u=i.splitButtonAriaLabel,d=this.state.menuHidden,p=this.props.menuIconProps;void 0===p&&(p={iconName:"ChevronDown"});var m=(0,n.pi)((0,n.pi)({},c),{styles:e,checked:s,disabled:l,allowDisabledFocus:a,onClick:this._onMenuClick,menuProps:void 0,iconProps:(0,n.pi)((0,n.pi)({},p),{className:this._classNames.menuIcon}),ariaLabel:u,"aria-haspopup":!0,"aria-expanded":!d,"data-is-focusable":!1});return r.createElement(t,(0,n.pi)({},m,{"data-ktp-execute-target":o?o["data-ktp-execute-target"]:o,onMouseDown:this._onMouseDown,tabIndex:-1}))},t.prototype._onPointerDown=function(e){var t=this.props.onPointerDown;t&&t(e),"touch"===e.pointerType&&(this._handleTouchAndPointerEvent(),e.preventDefault(),e.stopImmediatePropagation())},t.prototype._handleTouchAndPointerEvent=function(){var e=this;void 0!==this._lastTouchTimeoutId&&(this._async.clearTimeout(this._lastTouchTimeoutId),this._lastTouchTimeoutId=void 0),this._processingTouch=!0,this._lastTouchTimeoutId=this._async.setTimeout((function(){e._processingTouch=!1,e._lastTouchTimeoutId=void 0,e.focus()}),500)},t.prototype._isValidMenuOpenKey=function(e){return this.props.menuTriggerKeyCode?e.which===this.props.menuTriggerKeyCode:!!this.props.menuProps&&e.which===l.m.down&&(e.altKey||e.metaKey)},t.defaultProps={baseClassName:"ms-Button",styles:{},split:!1},t}(r.Component)},1860:(e,t,o)=>{"use strict";o.d(t,{W:()=>s});var n=o(5094),r=o(9729),i={outline:0},a=function(e){return{fontSize:e,margin:"0 4px",height:"16px",lineHeight:"16px",textAlign:"center",flexShrink:0}},s=(0,n.NF)((function(e){var t,o,n=e.semanticColors,s=e.effects,l=e.fonts,c=n.buttonBorder,u=n.disabledBackground,d=n.disabledText,p={left:-2,top:-2,bottom:-2,right:-2,outlineColor:"ButtonText"};return{root:[(0,r.GL)(e,{inset:1,highContrastStyle:p,borderColor:"transparent"}),e.fonts.medium,{boxSizing:"border-box",border:"1px solid "+c,userSelect:"none",display:"inline-block",textDecoration:"none",textAlign:"center",cursor:"pointer",padding:"0 16px",borderRadius:s.roundedCorner2,selectors:{":active > *":{position:"relative",left:0,top:0}}}],rootDisabled:[(0,r.GL)(e,{inset:1,highContrastStyle:p,borderColor:"transparent"}),{backgroundColor:u,borderColor:u,color:d,cursor:"default",pointerEvents:"none",selectors:{":hover":i,":focus":i}}],iconDisabled:{color:d,selectors:(t={},t[r.qJ]={color:"GrayText"},t)},menuIconDisabled:{color:d,selectors:(o={},o[r.qJ]={color:"GrayText"},o)},flexContainer:{display:"flex",height:"100%",flexWrap:"nowrap",justifyContent:"center",alignItems:"center"},description:{display:"block"},textContainer:{flexGrow:1,display:"block"},icon:a(l.mediumPlus.fontSize),menuIcon:a(l.small.fontSize),label:{margin:"0 4px",lineHeight:"100%",display:"block"},screenReaderText:r.ul}}))},7664:(e,t,o)=>{"use strict";o.d(t,{D:()=>a,f:()=>s});var n=o(7622),r=o(9729),i=o(6145);function a(e){var t,o,i,a,s,l=e.semanticColors,c=e.palette,u=l.buttonBackground,d=l.buttonBackgroundPressed,p=l.buttonBackgroundHovered,m=l.buttonBackgroundDisabled,h=l.buttonText,g=l.buttonTextHovered,f=l.buttonTextDisabled,v=l.buttonTextChecked,b=l.buttonTextCheckedHovered;return{root:{backgroundColor:u,color:h},rootHovered:{backgroundColor:p,color:g,selectors:(t={},t[r.qJ]={borderColor:"Highlight",color:"Highlight"},t)},rootPressed:{backgroundColor:d,color:v},rootExpanded:{backgroundColor:d,color:v},rootChecked:{backgroundColor:d,color:v},rootCheckedHovered:{backgroundColor:d,color:b},rootDisabled:{color:f,backgroundColor:m,selectors:(o={},o[r.qJ]={color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},o)},splitButtonContainer:{selectors:(i={},i[r.qJ]={border:"none"},i)},splitButtonMenuButton:{color:c.white,backgroundColor:"transparent",selectors:{":hover":{backgroundColor:c.neutralLight,selectors:(a={},a[r.qJ]={color:"Highlight"},a)}}},splitButtonMenuButtonDisabled:{backgroundColor:l.buttonBackgroundDisabled,selectors:{":hover":{backgroundColor:l.buttonBackgroundDisabled}}},splitButtonDivider:(0,n.pi)((0,n.pi)({},{position:"absolute",width:1,right:31,top:8,bottom:8}),{backgroundColor:c.neutralTertiaryAlt,selectors:(s={},s[r.qJ]={backgroundColor:"WindowText"},s)}),splitButtonDividerDisabled:{backgroundColor:e.palette.neutralTertiaryAlt},splitButtonMenuButtonChecked:{backgroundColor:c.neutralQuaternaryAlt,selectors:{":hover":{backgroundColor:c.neutralQuaternaryAlt}}},splitButtonMenuButtonExpanded:{backgroundColor:c.neutralQuaternaryAlt,selectors:{":hover":{backgroundColor:c.neutralQuaternaryAlt}}},splitButtonMenuIcon:{color:l.buttonText},splitButtonMenuIconDisabled:{color:l.buttonTextDisabled}}}function s(e){var t,o,a,s,l,c,u,d,p,m=e.palette,h=e.semanticColors;return{root:{backgroundColor:h.primaryButtonBackground,border:"1px solid "+h.primaryButtonBackground,color:h.primaryButtonText,selectors:(t={},t[r.qJ]=(0,n.pi)({color:"Window",backgroundColor:"WindowText",borderColor:"WindowText"},(0,r.xM)()),t["."+i.G$+" &:focus"]={selectors:{":after":{border:"none",outlineColor:m.white}}},t)},rootHovered:{backgroundColor:h.primaryButtonBackgroundHovered,border:"1px solid "+h.primaryButtonBackgroundHovered,color:h.primaryButtonTextHovered,selectors:(o={},o[r.qJ]={color:"Window",backgroundColor:"Highlight",borderColor:"Highlight"},o)},rootPressed:{backgroundColor:h.primaryButtonBackgroundPressed,border:"1px solid "+h.primaryButtonBackgroundPressed,color:h.primaryButtonTextPressed,selectors:(a={},a[r.qJ]=(0,n.pi)({color:"Window",backgroundColor:"WindowText",borderColor:"WindowText"},(0,r.xM)()),a)},rootExpanded:{backgroundColor:h.primaryButtonBackgroundPressed,color:h.primaryButtonTextPressed},rootChecked:{backgroundColor:h.primaryButtonBackgroundPressed,color:h.primaryButtonTextPressed},rootCheckedHovered:{backgroundColor:h.primaryButtonBackgroundPressed,color:h.primaryButtonTextPressed},rootDisabled:{color:h.primaryButtonTextDisabled,backgroundColor:h.primaryButtonBackgroundDisabled,selectors:(s={},s[r.qJ]={color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},s)},splitButtonContainer:{selectors:(l={},l[r.qJ]={border:"none"},l)},splitButtonDivider:(0,n.pi)((0,n.pi)({},{position:"absolute",width:1,right:31,top:8,bottom:8}),{backgroundColor:m.white,selectors:(c={},c[r.qJ]={backgroundColor:"Window"},c)}),splitButtonMenuButton:{backgroundColor:h.primaryButtonBackground,color:h.primaryButtonText,selectors:(u={},u[r.qJ]={backgroundColor:"WindowText"},u[":hover"]={backgroundColor:h.primaryButtonBackgroundHovered,selectors:(d={},d[r.qJ]={color:"Highlight"},d)},u)},splitButtonMenuButtonDisabled:{backgroundColor:h.primaryButtonBackgroundDisabled,selectors:{":hover":{backgroundColor:h.primaryButtonBackgroundDisabled}}},splitButtonMenuButtonChecked:{backgroundColor:h.primaryButtonBackgroundPressed,selectors:{":hover":{backgroundColor:h.primaryButtonBackgroundPressed}}},splitButtonMenuButtonExpanded:{backgroundColor:h.primaryButtonBackgroundPressed,selectors:{":hover":{backgroundColor:h.primaryButtonBackgroundPressed}}},splitButtonMenuIcon:{color:h.primaryButtonText},splitButtonMenuIconDisabled:{color:m.neutralTertiary,selectors:(p={},p[r.qJ]={color:"GrayText"},p)}}}},1420:(e,t,o)=>{"use strict";o.d(t,{Q:()=>h});var n=o(7622),r=o(7002),i=o(4968),a=o(9013),s=o(6053),l=o(9729),c=o(5094),u=o(1860),d=o(8198),p=o(2657),m=(0,c.NF)((function(e,t,o,r){var i,a,s,c,m,h,g,f,v,b,y,_,C,S,x=(0,u.W)(e),k=(0,d.W)(e),w=e.palette,I=e.semanticColors,D={root:[(0,l.GL)(e,{inset:2,highContrastStyle:{left:4,top:4,bottom:4,right:4,border:"none"},borderColor:"transparent"}),e.fonts.medium,{minWidth:"40px",backgroundColor:w.white,color:w.neutralPrimary,padding:"0 4px",border:"none",borderRadius:0,selectors:(i={},i[l.qJ]={border:"none"},i)}],rootHovered:{backgroundColor:w.neutralLighter,color:w.neutralDark,selectors:(a={},a[l.qJ]={color:"Highlight"},a["."+p.n.msButtonIcon]={color:w.themeDarkAlt},a["."+p.n.msButtonMenuIcon]={color:w.neutralPrimary},a)},rootPressed:{backgroundColor:w.neutralLight,color:w.neutralDark,selectors:(s={},s["."+p.n.msButtonIcon]={color:w.themeDark},s["."+p.n.msButtonMenuIcon]={color:w.neutralPrimary},s)},rootChecked:{backgroundColor:w.neutralLight,color:w.neutralDark,selectors:(c={},c["."+p.n.msButtonIcon]={color:w.themeDark},c["."+p.n.msButtonMenuIcon]={color:w.neutralPrimary},c)},rootCheckedHovered:{backgroundColor:w.neutralQuaternaryAlt,selectors:(m={},m["."+p.n.msButtonIcon]={color:w.themeDark},m["."+p.n.msButtonMenuIcon]={color:w.neutralPrimary},m)},rootExpanded:{backgroundColor:w.neutralLight,color:w.neutralDark,selectors:(h={},h["."+p.n.msButtonIcon]={color:w.themeDark},h["."+p.n.msButtonMenuIcon]={color:w.neutralPrimary},h)},rootExpandedHovered:{backgroundColor:w.neutralQuaternaryAlt},rootDisabled:{backgroundColor:w.white,selectors:(g={},g["."+p.n.msButtonIcon]={color:I.disabledBodySubtext,selectors:(f={},f[l.qJ]=(0,n.pi)({color:"GrayText"},(0,l.xM)()),f)},g[l.qJ]=(0,n.pi)({color:"GrayText",backgroundColor:"Window"},(0,l.xM)()),g)},splitButtonContainer:{height:"100%",selectors:(v={},v[l.qJ]={border:"none"},v)},splitButtonDividerDisabled:{selectors:(b={},b[l.qJ]={backgroundColor:"Window"},b)},splitButtonDivider:{backgroundColor:w.neutralTertiaryAlt},splitButtonMenuButton:{backgroundColor:w.white,border:"none",borderTopRightRadius:"0",borderBottomRightRadius:"0",color:w.neutralSecondary,selectors:{":hover":{backgroundColor:w.neutralLighter,color:w.neutralDark,selectors:(y={},y[l.qJ]={color:"Highlight"},y["."+p.n.msButtonIcon]={color:w.neutralPrimary},y)},":active":{backgroundColor:w.neutralLight,selectors:(_={},_["."+p.n.msButtonIcon]={color:w.neutralPrimary},_)}}},splitButtonMenuButtonDisabled:{backgroundColor:w.white,selectors:(C={},C[l.qJ]=(0,n.pi)({color:"GrayText",border:"none",backgroundColor:"Window"},(0,l.xM)()),C)},splitButtonMenuButtonChecked:{backgroundColor:w.neutralLight,color:w.neutralDark,selectors:{":hover":{backgroundColor:w.neutralQuaternaryAlt}}},splitButtonMenuButtonExpanded:{backgroundColor:w.neutralLight,color:w.black,selectors:{":hover":{backgroundColor:w.neutralQuaternaryAlt}}},splitButtonMenuIcon:{color:w.neutralPrimary},splitButtonMenuIconDisabled:{color:w.neutralTertiary},label:{fontWeight:"normal"},icon:{color:w.themePrimary},menuIcon:(S={color:w.neutralSecondary},S[l.qJ]={color:"GrayText"},S)};return(0,l.E$)(x,k,D,t)})),h=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.theme;return r.createElement(i.Y,(0,n.pi)({},this.props,{variantClassName:"ms-Button--commandBar",styles:m(o,t),onRenderDescription:a.S}))},(0,n.gn)([(0,s.a)("CommandBarButton",["theme","styles"],!0)],t)}(r.Component)},990:(e,t,o)=>{"use strict";o.d(t,{M:()=>n});var n=o(2898).K},8959:(e,t,o)=>{"use strict";o.d(t,{W:()=>m});var n=o(7622),r=o(7002),i=o(4968),a=o(6053),s=o(9729),l=o(5094),c=o(1860),u=o(8198),d=o(7664),p=(0,l.NF)((function(e,t,o){var r,i,a,l,p,m=e.fonts,h=e.palette,g=(0,c.W)(e),f=(0,u.W)(e),v={root:{maxWidth:"280px",minHeight:"72px",height:"auto",padding:"16px 12px"},flexContainer:{flexDirection:"row",alignItems:"flex-start",minWidth:"100%",margin:""},textContainer:{textAlign:"left"},icon:{fontSize:"2em",lineHeight:"1em",height:"1em",margin:"0px 8px 0px 0px",flexBasis:"1em",flexShrink:"0"},label:{margin:"0 0 5px",lineHeight:"100%",fontWeight:s.lq.semibold},description:[m.small,{lineHeight:"100%"}]},b={description:{color:h.neutralSecondary},descriptionHovered:{color:h.neutralDark},descriptionPressed:{color:"inherit"},descriptionChecked:{color:"inherit"},descriptionDisabled:{color:"inherit"}},y={description:{color:h.white,selectors:(r={},r[s.qJ]=(0,n.pi)({backgroundColor:"WindowText",color:"Window"},(0,s.xM)()),r)},descriptionHovered:{color:h.white,selectors:(i={},i[s.qJ]={backgroundColor:"Highlight",color:"Window"},i)},descriptionPressed:{color:"inherit",selectors:(a={},a[s.qJ]=(0,n.pi)({color:"Window",backgroundColor:"WindowText"},(0,s.xM)()),a)},descriptionChecked:{color:"inherit",selectors:(l={},l[s.qJ]=(0,n.pi)({color:"Window",backgroundColor:"WindowText"},(0,s.xM)()),l)},descriptionDisabled:{color:"inherit",selectors:(p={},p[s.qJ]={color:"inherit"},p)}};return(0,s.E$)(g,v,o?(0,d.f)(e):(0,d.D)(e),o?y:b,f,t)})),m=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.primary,o=void 0!==t&&t,a=e.styles,s=e.theme;return r.createElement(i.Y,(0,n.pi)({},this.props,{variantClassName:o?"ms-Button--compoundPrimary":"ms-Button--compound",styles:p(s,a,o)}))},(0,n.gn)([(0,a.a)("CompoundButton",["theme","styles"],!0)],t)}(r.Component)},9632:(e,t,o)=>{"use strict";o.d(t,{a:()=>h});var n=o(7622),r=o(7002),i=o(4968),a=o(9013),s=o(6053),l=o(9729),c=o(5094),u=o(1860),d=o(8198),p=o(7664),m=(0,c.NF)((function(e,t,o){var n=(0,u.W)(e),r=(0,d.W)(e),i={root:{minWidth:"80px",height:"32px"},label:{fontWeight:l.lq.semibold}};return(0,l.E$)(n,i,o?(0,p.f)(e):(0,p.D)(e),r,t)})),h=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.primary,o=void 0!==t&&t,s=e.styles,l=e.theme;return r.createElement(i.Y,(0,n.pi)({},this.props,{variantClassName:o?"ms-Button--primary":"ms-Button--default",styles:m(l,s,o),onRenderDescription:a.S}))},(0,n.gn)([(0,s.a)("DefaultButton",["theme","styles"],!0)],t)}(r.Component)},5758:(e,t,o)=>{"use strict";o.d(t,{h:()=>m});var n=o(7622),r=o(7002),i=o(4968),a=o(9013),s=o(6053),l=o(9729),c=o(5094),u=o(1860),d=o(8198),p=(0,c.NF)((function(e,t){var o,n=(0,u.W)(e),r=(0,d.W)(e),i=e.palette,a={root:{padding:"0 4px",width:"32px",height:"32px",backgroundColor:"transparent",border:"none",color:e.semanticColors.link},rootHovered:{color:i.themeDarkAlt,backgroundColor:i.neutralLighter,selectors:(o={},o[l.qJ]={borderColor:"Highlight",color:"Highlight"},o)},rootHasMenu:{width:"auto"},rootPressed:{color:i.themeDark,backgroundColor:i.neutralLight},rootExpanded:{color:i.themeDark,backgroundColor:i.neutralLight},rootChecked:{color:i.themeDark,backgroundColor:i.neutralLight},rootCheckedHovered:{color:i.themeDark,backgroundColor:i.neutralQuaternaryAlt},rootDisabled:{color:i.neutralTertiaryAlt}};return(0,l.E$)(n,a,r,t)})),m=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.theme;return r.createElement(i.Y,(0,n.pi)({},this.props,{variantClassName:"ms-Button--icon",styles:p(o,t),onRenderText:a.S,onRenderDescription:a.S}))},(0,n.gn)([(0,s.a)("IconButton",["theme","styles"],!0)],t)}(r.Component)},8924:(e,t,o)=>{"use strict";o.d(t,{K:()=>l});var n=o(7622),r=o(7002),i=o(9013),a=o(6053),s=o(9632),l=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){return r.createElement(s.a,(0,n.pi)({},this.props,{primary:!0,onRenderDescription:i.S}))},(0,n.gn)([(0,a.a)("PrimaryButton",["theme","styles"],!0)],t)}(r.Component)},5032:(e,t,o)=>{"use strict";o.d(t,{W:()=>i});var n=o(5094),r=o(9729),i=(0,n.NF)((function(e,t,o,n,i){return{root:(0,r.y0)(e.splitButtonMenuButton,o&&[e.splitButtonMenuButtonExpanded],t&&[e.splitButtonMenuButtonDisabled],n&&!t&&[e.splitButtonMenuButtonChecked]),splitButtonContainer:(0,r.y0)(e.splitButtonContainer,!t&&n&&[e.splitButtonContainerChecked,{selectors:{":hover":e.splitButtonContainerCheckedHovered}}],!t&&!n&&[{selectors:{":hover":e.splitButtonContainerHovered,":focus":e.splitButtonContainerFocused}}],t&&e.splitButtonContainerDisabled),icon:(0,r.y0)(e.splitButtonMenuIcon,t&&e.splitButtonMenuIconDisabled,!t&&i&&e.splitButtonMenuIcon),flexContainer:(0,r.y0)(e.splitButtonFlexContainer),divider:(0,r.y0)(e.splitButtonDivider,(i||t)&&e.splitButtonDividerDisabled)}}))},8198:(e,t,o)=>{"use strict";o.d(t,{W:()=>i});var n=o(7622),r=o(9729),i=(0,o(5094).NF)((function(e,t){var o,i,a,s,l,c,u,d,p,m,h,g,f,v=e.effects,b=e.palette,y=e.semanticColors,_={position:"absolute",width:1,right:31,top:8,bottom:8},C={splitButtonContainer:[(0,r.GL)(e,{highContrastStyle:{left:-2,top:-2,bottom:-2,right:-2,border:"none"},inset:2}),{display:"inline-flex",selectors:{".ms-Button--default":{borderTopRightRadius:"0",borderBottomRightRadius:"0",borderRight:"none"},".ms-Button--primary":{borderTopRightRadius:"0",borderBottomRightRadius:"0",border:"none",selectors:(o={},o[r.qJ]=(0,n.pi)({color:"WindowText",backgroundColor:"Window",border:"1px solid WindowText",borderRightWidth:"0"},(0,r.xM)()),o)},".ms-Button--primary + .ms-Button":{border:"none",selectors:(i={},i[r.qJ]={border:"1px solid WindowText",borderLeftWidth:"0"},i)}}}],splitButtonContainerHovered:{selectors:{".ms-Button--primary":{selectors:(a={},a[r.qJ]={color:"Window",backgroundColor:"Highlight"},a)},".ms-Button.is-disabled":{color:y.buttonTextDisabled,selectors:(s={},s[r.qJ]={color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},s)}}},splitButtonContainerChecked:{selectors:{".ms-Button--primary":{selectors:(l={},l[r.qJ]=(0,n.pi)({color:"Window",backgroundColor:"WindowText"},(0,r.xM)()),l)}}},splitButtonContainerCheckedHovered:{selectors:{".ms-Button--primary":{selectors:(c={},c[r.qJ]=(0,n.pi)({color:"Window",backgroundColor:"WindowText"},(0,r.xM)()),c)}}},splitButtonContainerFocused:{outline:"none!important"},splitButtonMenuButton:(u={padding:6,height:"auto",boxSizing:"border-box",borderRadius:0,borderTopRightRadius:v.roundedCorner2,borderBottomRightRadius:v.roundedCorner2,border:"1px solid "+b.neutralSecondaryAlt,borderLeft:"none",outline:"transparent",userSelect:"none",display:"inline-block",textDecoration:"none",textAlign:"center",cursor:"pointer",verticalAlign:"top",width:32,marginLeft:-1,marginTop:0,marginRight:0,marginBottom:0},u[r.qJ]={".ms-Button-menuIcon":{color:"WindowText"}},u),splitButtonDivider:(0,n.pi)((0,n.pi)({},_),{selectors:(d={},d[r.qJ]={backgroundColor:"WindowText"},d)}),splitButtonDividerDisabled:(0,n.pi)((0,n.pi)({},_),{selectors:(p={},p[r.qJ]={backgroundColor:"GrayText"},p)}),splitButtonMenuButtonDisabled:{pointerEvents:"none",border:"none",selectors:(m={":hover":{cursor:"default"},".ms-Button--primary":{selectors:(h={},h[r.qJ]={color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},h)},".ms-Button-menuIcon":{selectors:(g={},g[r.qJ]={color:"GrayText"},g)}},m[r.qJ]={color:"GrayText",border:"1px solid GrayText",backgroundColor:"Window"},m)},splitButtonFlexContainer:{display:"flex",height:"100%",flexWrap:"nowrap",justifyContent:"center",alignItems:"center"},splitButtonContainerDisabled:{outline:"none",border:"none",selectors:(f={},f[r.qJ]=(0,n.pi)({color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},(0,r.xM)()),f)}};return(0,r.E$)(C,t)}))},4977:(e,t,o)=>{"use strict";o.d(t,{f:()=>te});var n=o(2002),r=o(7622),i=o(7002),a=o(1093),s=o(6786),l=o(6974),c=o(7300),u=o(6953),d=o(8088),p=o(8145),m=o(9947),h=o(4316),g=o(4085),f=(0,c.y)(),v=function(e){var t=i.useRef(null);i.useImperativeHandle(e.componentRef,(function(){return{focus:function(){var e,o,n;null===(n=null===(e=t.current)||void 0===e?void 0:(o=e).focus)||void 0===n||n.call(o)}}}),[]);var o=e.strings,n=e.navigatedDate,a=e.dateTimeFormatter,s=e.styles,l=e.theme,c=e.className,d=e.onHeaderSelect,p=e.showSixWeeksByDefault,m=e.minDate,v=e.maxDate,_=e.restrictedDates,C=e.onNavigateDate,S=e.showWeekNumbers,x=e.dateRangeType,k=e.animationDirection,w=(0,g.M)(),I=(0,g.M)(),D=f(s,{theme:l,className:c,headerIsClickable:!!d,showWeekNumbers:S,animationDirection:k}),T=a.formatMonthYear(n,o),E=d?"button":"div",P=o.yearPickerHeaderAriaLabel?(0,u.W)(o.yearPickerHeaderAriaLabel,T):T;return i.createElement("div",{className:D.root,id:w},i.createElement("div",{className:D.header},i.createElement(E,{"aria-live":"polite","aria-atomic":"true","aria-label":d?P:void 0,key:T,className:D.monthAndYear,onClick:d,"data-is-focusable":!!d,tabIndex:d?0:-1,onKeyDown:y(d),type:"button"},i.createElement("span",{id:I},T)),i.createElement(b,(0,r.pi)({},e,{classNames:D,dayPickerId:w}))),i.createElement(h.Q,(0,r.pi)({},e,{styles:s,componentRef:t,strings:o,navigatedDate:n,weeksToShow:p?6:void 0,dateTimeFormatter:a,minDate:m,maxDate:v,restrictedDates:_,onNavigateDate:C,labelledBy:I,dateRangeType:x})))};v.displayName="CalendarDayBase";var b=function(e){var t,o,n=e.minDate,r=e.maxDate,a=e.navigatedDate,s=e.allFocusable,c=e.strings,u=e.navigationIcons,p=e.showCloseButton,h=e.classNames,g=e.dayPickerId,f=e.onNavigateDate,v=e.onDismiss,b=function(){f((0,l.zI)(a,1),!1)},_=function(){f((0,l.zI)(a,-1),!1)},C=u.leftNavigation,S=u.rightNavigation,x=u.closeIcon,k=!n||(0,l.NJ)(n,(0,l.pU)(a))<0,w=!r||(0,l.NJ)((0,l.D7)(a),r)<0;return i.createElement("div",{className:h.monthComponents},i.createElement("button",{className:(0,d.i)(h.headerIconButton,(t={},t[h.disabledStyle]=!k,t)),disabled:!s&&!k,"aria-disabled":!k,onClick:k?_:void 0,onKeyDown:k?y(_):void 0,"aria-controls":g,title:c.prevMonthAriaLabel?c.prevMonthAriaLabel+" "+c.months[(0,l.zI)(a,-1).getMonth()]:void 0,type:"button"},i.createElement(m.J,{iconName:C})),i.createElement("button",{className:(0,d.i)(h.headerIconButton,(o={},o[h.disabledStyle]=!w,o)),disabled:!s&&!w,"aria-disabled":!w,onClick:w?b:void 0,onKeyDown:w?y(b):void 0,"aria-controls":g,title:c.nextMonthAriaLabel?c.nextMonthAriaLabel+" "+c.months[(0,l.zI)(a,1).getMonth()]:void 0,type:"button"},i.createElement(m.J,{iconName:S})),p&&i.createElement("button",{className:(0,d.i)(h.headerIconButton),onClick:v,onKeyDown:y(v),title:c.closeButtonAriaLabel,type:"button"},i.createElement(m.J,{iconName:x})))};b.displayName="CalendarDayNavigationButtons";var y=function(e){return function(t){var o;switch(t.which){case p.m.enter:null===(o=e)||void 0===o||o()}}},_=o(9729),C=(0,n.z)(v,(function(e){var t=e.className,o=e.theme,n=e.headerIsClickable,i=e.showWeekNumbers,a=o.palette,s={selectors:{"&, &:disabled, & button":{color:a.neutralTertiaryAlt,pointerEvents:"none"}}};return{root:[_.Fv,{width:196,padding:12,boxSizing:"content-box"},i&&{width:226},t],header:{position:"relative",display:"inline-flex",height:28,lineHeight:44,width:"100%"},monthAndYear:[(0,_.GL)(o,{inset:1}),(0,r.pi)((0,r.pi)({},_.Ic.fadeIn200),{alignItems:"center",fontSize:_.TS.medium,fontFamily:"inherit",color:a.neutralPrimary,display:"inline-block",flexGrow:1,fontWeight:_.lq.semibold,padding:"0 4px 0 10px",border:"none",backgroundColor:"transparent",borderRadius:2,lineHeight:28,overflow:"hidden",whiteSpace:"nowrap",textAlign:"left",textOverflow:"ellipsis"}),n&&{selectors:{"&:hover":{cursor:"pointer",background:a.neutralLight,color:a.black}}}],monthComponents:{display:"inline-flex",alignSelf:"flex-end"},headerIconButton:[(0,_.GL)(o,{inset:-1}),{width:28,height:28,display:"block",textAlign:"center",lineHeight:28,fontSize:_.TS.small,fontFamily:"inherit",color:a.neutralPrimary,borderRadius:2,position:"relative",backgroundColor:"transparent",border:"none",padding:0,overflow:"visible",selectors:{"&:hover":{color:a.neutralDark,backgroundColor:a.neutralLight,cursor:"pointer",outline:"1px solid transparent"}}}],disabledStyle:s}}),void 0,{scope:"CalendarDay"}),S=o(2998),x=o(716),k=function(e){var t,o,n,i,a,s,l=e.className,c=e.theme,u=e.hasHeaderClickCallback,d=e.highlightCurrent,p=e.highlightSelected,m=e.animateBackwards,h=e.animationDirection,g=c.palette,f={};void 0!==m&&(f=h===x.s.Horizontal?m?_.Ic.slideRightIn20:_.Ic.slideLeftIn20:m?_.Ic.slideDownIn20:_.Ic.slideUpIn20);var v=void 0!==m?_.Ic.fadeIn200:{};return{root:[_.Fv,{width:196,padding:12,boxSizing:"content-box",overflow:"hidden"},l],headerContainer:{display:"flex"},currentItemButton:[(0,_.GL)(c,{inset:-1}),(0,r.pi)((0,r.pi)({},v),{fontSize:_.TS.medium,fontWeight:_.lq.semibold,fontFamily:"inherit",textAlign:"left",backgroundColor:"transparent",flexGrow:1,padding:"0 4px 0 10px",border:"none",overflow:"visible"}),u&&{selectors:{"&:hover, &:active":{cursor:u?"pointer":"default",color:g.neutralDark,outline:"1px solid transparent",backgroundColor:g.neutralLight}}}],navigationButtonsContainer:{display:"flex",alignItems:"center"},navigationButton:[(0,_.GL)(c,{inset:-1}),{fontFamily:"inherit",width:28,minWidth:28,height:28,minHeight:28,display:"block",textAlign:"center",lineHeight:28,fontSize:_.TS.small,color:g.neutralPrimary,borderRadius:2,position:"relative",backgroundColor:"transparent",border:"none",padding:0,overflow:"visible",selectors:{"&:hover":{color:g.neutralDark,cursor:"pointer",outline:"1px solid transparent",backgroundColor:g.neutralLight}}}],gridContainer:{marginTop:4},buttonRow:(0,r.pi)((0,r.pi)({},f),{marginBottom:16,selectors:{"&:nth-child(n + 3)":{marginBottom:0}}}),itemButton:[(0,_.GL)(c,{inset:-1}),{width:40,height:40,minWidth:40,minHeight:40,lineHeight:40,fontSize:_.TS.small,fontFamily:"inherit",padding:0,margin:"0 12px 0 0",color:g.neutralPrimary,backgroundColor:"transparent",border:"none",borderRadius:2,overflow:"visible",selectors:{"&:nth-child(4n + 4)":{marginRight:0},"&:nth-child(n + 9)":{marginBottom:0},"& div":{fontWeight:_.lq.regular},"&:hover":{color:g.neutralDark,backgroundColor:g.neutralLight,cursor:"pointer",outline:"1px solid transparent",selectors:(t={},t[_.qJ]=(0,r.pi)({background:"Window",color:"WindowText",outline:"1px solid Highlight"},(0,_.xM)()),t)},"&:active":{backgroundColor:g.themeLight,selectors:(o={},o[_.qJ]=(0,r.pi)({background:"Window",color:"Highlight"},(0,_.xM)()),o)}}}],current:d?{color:g.white,backgroundColor:g.themePrimary,selectors:(n={"& div":{fontWeight:_.lq.semibold},"&:hover":{backgroundColor:g.themePrimary,selectors:(i={},i[_.qJ]=(0,r.pi)({backgroundColor:"WindowText",color:"Window"},(0,_.xM)()),i)}},n[_.qJ]=(0,r.pi)({backgroundColor:"WindowText",color:"Window"},(0,_.xM)()),n)}:{},selected:p?{color:g.neutralPrimary,backgroundColor:g.themeLight,fontWeight:_.lq.semibold,selectors:(a={"& div":{fontWeight:_.lq.semibold},"&:hover, &:active":{backgroundColor:g.themeLight,selectors:(s={},s[_.qJ]=(0,r.pi)({color:"Window",background:"Highlight"},(0,_.xM)()),s)}},a[_.qJ]=(0,r.pi)({background:"Highlight",color:"Window"},(0,_.xM)()),a)}:{},disabled:{selectors:{"&, &:disabled, & button":{color:g.neutralTertiaryAlt,pointerEvents:"none"}}}}},w=function(e){return k(e)},I=o(63),D=o(5951),T=o(6876),E=o(6883),P=(0,c.y)(),M={prevRangeAriaLabel:void 0,nextRangeAriaLabel:void 0},R=function(e){var t,o,n,r=e.styles,a=e.theme,s=e.className,l=e.highlightCurrentYear,c=e.highlightSelectedYear,u=e.year,m=e.selected,h=e.disabled,g=e.componentRef,f=e.onSelectYear,v=e.onRenderYear,b=i.useRef(null);i.useImperativeHandle(g,(function(){return{focus:function(){var e,t,o;null===(o=null===(e=b.current)||void 0===e?void 0:(t=e).focus)||void 0===o||o.call(t)}}}),[]);var y=P(r,{theme:a,className:s,highlightCurrent:l,highlightSelected:c});return i.createElement("button",{className:(0,d.i)(y.itemButton,(t={},t[y.selected]=m,t[y.disabled]=h,t)),type:"button",role:"gridcell",onClick:h?void 0:function(){var e;null===(e=f)||void 0===e||e(u)},onKeyDown:h?void 0:function(e){var t;e.which===p.m.enter&&(null===(t=f)||void 0===t||t(u))},disabled:h,"aria-selected":m,ref:b,"aria-readonly":!0},null!=(n=null===(o=v)||void 0===o?void 0:o(u))?n:u)};R.displayName="CalendarYearGridCell";var N,B=function(e){var t=e.styles,o=e.theme,n=e.className,a=e.fromYear,s=e.toYear,l=e.animationDirection,c=e.animateBackwards,u=e.minYear,d=e.maxYear,p=e.onSelectYear,m=e.selectedYear,h=e.componentRef,g=i.useRef(null),f=i.useRef(null);i.useImperativeHandle(h,(function(){return{focus:function(){var e,t,o;null===(o=null===(e=g.current||f.current)||void 0===e?void 0:(t=e).focus)||void 0===o||o.call(t)}}}),[]);for(var v,b,y,_,C=P(t,{theme:o,className:n,animateBackwards:c,animationDirection:l}),x=function(t){var o,n,r;return null!=(r=null===(n=(o=e).onRenderYear)||void 0===n?void 0:n.call(o,t))?r:t},k=x(a)+" - "+x(s),w=a,I=[],D=0;D<(s-a+1)/4;D++){I.push([]);for(var T=0;T<4;T++)I[D].push((void 0,void 0,void 0,b=(v=w)===m,y=void 0!==u&&vd,_=v===(new Date).getFullYear(),i.createElement(R,(0,r.pi)({},e,{key:v,year:v,selected:b,current:_,disabled:y,onSelectYear:p,componentRef:b?g:_?f:void 0,theme:o})))),w++}return i.createElement(S.k,null,i.createElement("div",{className:C.gridContainer,role:"grid","aria-label":k},I.map((function(e,t){return i.createElement("div",{key:"yearPickerRow_"+t+"_"+a,role:"row",className:C.buttonRow},e)}))))};B.displayName="CalendarYearGrid",function(e){e[e.Previous=0]="Previous",e[e.Next=1]="Next"}(N||(N={}));var F=function(e){var t,o=e.styles,n=e.theme,r=e.className,a=e.navigationIcons,s=void 0===a?E.XU:a,l=e.strings,c=void 0===l?M:l,u=e.direction,h=e.onSelectPrev,g=e.onSelectNext,f=e.fromYear,v=e.toYear,b=e.maxYear,y=e.minYear,_=P(o,{theme:n,className:r}),C=0===u?c.prevRangeAriaLabel:c.nextRangeAriaLabel,S=0===u?-12:12,x=C?"string"==typeof C?C:C({fromYear:f+S,toYear:v+S}):void 0,k=0===u?void 0!==y&&fb,w=function(){var e,t;0===u?null===(e=h)||void 0===e||e():null===(t=g)||void 0===t||t()},I=(0,D.zg)()?1===u:0===u;return i.createElement("button",{className:(0,d.i)(_.navigationButton,(t={},t[_.disabled]=k,t)),onClick:k?void 0:w,onKeyDown:k?void 0:function(e){e.which===p.m.enter&&w()},type:"button",title:x,disabled:k},i.createElement(m.J,{iconName:I?s.leftNavigation:s.rightNavigation}))};F.displayName="CalendarYearNavArrow";var L=function(e){var t=e.styles,o=e.theme,n=e.className,a=P(t,{theme:o,className:n});return i.createElement("div",{className:a.navigationButtonsContainer},i.createElement(F,(0,r.pi)({},e,{direction:0})),i.createElement(F,(0,r.pi)({},e,{direction:1})))};L.displayName="CalendarYearNav";var A=function(e){var t=e.styles,o=e.theme,n=e.className,r=e.fromYear,a=e.toYear,s=e.strings,l=void 0===s?M:s,c=e.animateBackwards,d=e.animationDirection,m=function(){var t,o;null===(o=(t=e).onHeaderSelect)||void 0===o||o.call(t,!0)},h=function(t){var o,n,r;return null!=(r=null===(n=(o=e).onRenderYear)||void 0===n?void 0:n.call(o,t))?r:t},g=P(t,{theme:o,className:n,hasHeaderClickCallback:!!e.onHeaderSelect,animateBackwards:c,animationDirection:d});if(e.onHeaderSelect){var f=l.rangeAriaLabel,v=l.headerAriaLabelFormatString,b=f?"string"==typeof f?f:f(e):void 0,y=v?(0,u.W)(v,b):b;return i.createElement("button",{className:g.currentItemButton,onClick:m,onKeyDown:function(e){e.which!==p.m.enter&&e.which!==p.m.space||m()},"aria-label":y,role:"button",type:"button","aria-atomic":!0,"aria-live":"polite"},h(r)," - ",h(a))}return i.createElement("div",{className:g.current},h(r)," - ",h(a))};A.displayName="CalendarYearTitle";var z,H=function(e){var t,o,n=e.styles,a=e.theme,s=e.className,l=e.animateBackwards,c=e.animationDirection,u=e.onRenderTitle,d=P(n,{theme:a,className:s,hasHeaderClickCallback:!!e.onHeaderSelect,animateBackwards:l,animationDirection:c});return i.createElement("div",{className:d.headerContainer},null!=(o=null===(t=u)||void 0===t?void 0:t(e))?o:i.createElement(A,(0,r.pi)({},e)),i.createElement(L,(0,r.pi)({},e)))};H.displayName="CalendarYearHeader",function(e){e[e.Previous=0]="Previous",e[e.Next=1]="Next"}(z||(z={}));var O=function(e){var t=function(e){var t=e.selectedYear,o=e.navigatedYear,n=t||o||(new Date).getFullYear(),r=10*Math.floor(n/10),i=(0,T.D)(r);return i&&i!==r?i>r:void 0}(e),o=function(e){var t=e.selectedYear,o=e.navigatedYear,n=i.useReducer((function(e,t){return e+(1===t?12:-12)}),void 0,(function(){var e=t||o||(new Date).getFullYear();return 10*Math.floor(e/10)})),r=n[0],a=n[1];return[r,r+12-1,function(){return a(1)},function(){return a(0)}]}(e),n=o[0],a=o[1],s=o[2],l=o[3],c=i.useRef(null);i.useImperativeHandle(e.componentRef,(function(){return{focus:function(){var e,t,o;null===(o=null===(e=c.current)||void 0===e?void 0:(t=e).focus)||void 0===o||o.call(t)}}}));var u=e.styles,d=e.theme,p=e.className,m=P(u,{theme:d,className:p});return i.createElement("div",{className:m.root},i.createElement(H,(0,r.pi)({},e,{fromYear:n,toYear:a,onSelectPrev:l,onSelectNext:s,animateBackwards:t})),i.createElement(B,(0,r.pi)({},e,{fromYear:n,toYear:a,animateBackwards:t,componentRef:c})))};O.displayName="CalendarYearBase";var W=(0,n.z)(O,(function(e){return k(e)}),void 0,{scope:"CalendarYear"}),V=(0,c.y)(),K={styles:w,strings:void 0,navigationIcons:E.XU,dateTimeFormatter:s.mR,yearPickerHidden:!1},q=function(e){var t,o,n=(0,I.j)(K,e),r=function(e){var t=e.componentRef,o=i.useRef(null),n=i.useRef(null),r=i.useRef(!1),a=i.useCallback((function(){n.current?n.current.focus():o.current&&o.current.focus()}),[]);return i.useImperativeHandle(t,(function(){return{focus:a}}),[a]),i.useEffect((function(){r.current&&(a(),r.current=!1)})),[o,n,function(){r.current=!0}]}(n),a=r[0],s=r[1],c=r[2],p=i.useState(!1),h=p[0],g=p[1],f=function(e){var t=e.navigatedDate.getFullYear(),o=(0,T.D)(t);return void 0===o||o===t?void 0:o>t}(n),v=n.navigatedDate,b=n.selectedDate,y=n.strings,_=n.today,C=void 0===_?new Date:_,x=n.navigationIcons,k=n.dateTimeFormatter,w=n.minDate,E=n.maxDate,P=n.theme,M=n.styles,R=n.className,N=n.allFocusable,B=n.highlightCurrentMonth,F=n.highlightSelectedMonth,L=n.animationDirection,A=n.yearPickerHidden,z=n.onNavigateDate,H=function(e){return function(){return j(e)}},O=function(){z((0,l.Bc)(v,1),!1)},q=function(){z((0,l.Bc)(v,-1),!1)},j=function(e){var t,o;null===(o=(t=n).onHeaderSelect)||void 0===o||o.call(t),z((0,l.q0)(v,e),!0)},J=function(){var e,t;A?null===(t=(e=n).onHeaderSelect)||void 0===t||t.call(e):(c(),g(!0))},Y=x.leftNavigation,Z=x.rightNavigation,X=k,Q=!w||(0,l.NJ)(w,(0,l.W8)(v))<0,$=!E||(0,l.NJ)((0,l.Q9)(v),E)<0,ee=V(M,{theme:P,className:R,hasHeaderClickCallback:!!n.onHeaderSelect||!A,highlightCurrent:B,highlightSelected:F,animateBackwards:f,animationDirection:L});if(h){var te=function(e){var t=e.strings,o=e.navigatedDate,n=e.dateTimeFormatter,r=function(e){if(n){var t=new Date(o.getTime());return t.setFullYear(e),n.formatYear(t)}return String(e)},i=function(e){return r(e.fromYear)+" - "+r(e.toYear)};return[r,{rangeAriaLabel:i,prevRangeAriaLabel:function(e){return t.prevYearRangeAriaLabel?t.prevYearRangeAriaLabel+" "+i(e):""},nextRangeAriaLabel:function(e){return t.nextYearRangeAriaLabel?t.nextYearRangeAriaLabel+" "+i(e):""},headerAriaLabelFormatString:t.yearPickerHeaderAriaLabel}]}(n),oe=te[0],ne=te[1];return i.createElement(W,{key:"calendarYear",minYear:w?w.getFullYear():void 0,maxYear:E?E.getFullYear():void 0,onSelectYear:function(e){if(c(),v.getFullYear()!==e){var t=new Date(v.getTime());t.setFullYear(e),E&&t>E?t=(0,l.q0)(t,E.getMonth()):w&&t{"use strict";var n;o.d(t,{s:()=>n}),function(e){e[e.Horizontal=0]="Horizontal",e[e.Vertical=1]="Vertical"}(n||(n={}))},6883:(e,t,o)=>{"use strict";o.d(t,{V3:()=>n,GC:()=>r,XU:()=>i});var n=o(6786).tf,r=n,i={leftNavigation:"Up",rightNavigation:"Down",closeIcon:"CalculatorMultiply"}},4316:(e,t,o)=>{"use strict";o.d(t,{Q:()=>M});var n=o(7622),r=o(7002),i=o(7300),a=o(5951),s=o(2998),l=o(6974),c=o(1093),u=function(e,t,o){var r=(0,n.pr)(e);return t&&(r=r.filter((function(e){return(0,l.NJ)(e,t)>=0}))),o&&(r=r.filter((function(e){return(0,l.NJ)(e,o)<=0}))),r},d=function(e,t){var o=t.minDate;return!!o&&(0,l.NJ)(o,e)>=1},p=function(e,t){var o=t.maxDate;return!!o&&(0,l.NJ)(e,o)>=1},m=function(e,t){var o=t.restrictedDates,n=t.minDate,r=t.maxDate;return!!(o||n||r)&&(o&&o.some((function(t){return(0,l.aN)(t,e)}))||d(e,t)||p(e,t))},h=o(6876),g=o(4085),f=o(2470),v=o(8088),b=function(e){var t=e.showWeekNumbers,o=e.strings,n=e.firstDayOfWeek,i=e.allFocusable,a=e.weeksToShow,s=e.weeks,l=e.classNames,u=o.shortDays.slice(),d=(0,f.cx)(s[1],(function(e){return 1===e.originalDate.getDate()}));if(1===a&&d>=0){var p=(d+n)%c.NA;u[p]=o.shortMonths[s[1][d].originalDate.getMonth()]}return r.createElement("tr",null,t&&r.createElement("th",{className:l.dayCell}),u.map((function(e,t){var a=(t+n)%c.NA,s=t===d?o.days[a]+" "+u[a]:o.days[a];return r.createElement("th",{className:(0,v.i)(l.dayCell,l.weekDayLabelCell),scope:"col",key:u[a]+" "+t,title:s,"aria-label":s,"data-is-focusable":!!i||void 0},u[a])})))},y=o(6953),_=o(8145),C=function(e){var t=e.targetDate,o=e.initialDate,r=e.direction,i=(0,n._T)(e,["targetDate","initialDate","direction"]),a=t;if(!m(t,i))return t;for(;0!==(0,l.NJ)(o,a)&&m(a,i)&&!p(a,i)&&!d(a,i);)a=(0,l.E4)(a,r);return 0===(0,l.NJ)(o,a)||m(a,i)?void 0:a},S=function(e){var t,o,n=e.navigatedDate,i=e.dateTimeFormatter,s=e.allFocusable,u=e.strings,d=e.activeDescendantId,p=e.navigatedDayRef,m=e.calculateRoundedStyles,h=e.weeks,g=e.classNames,f=e.day,b=e.dayIndex,y=e.weekIndex,S=e.weekCorners,x=e.ariaHidden,k=e.customDayCellRef,w=e.dateRangeType,I=e.daysToSelectInDayView,D=e.onSelectDate,T=e.restrictedDates,E=e.minDate,P=e.maxDate,M=e.onNavigateDate,R=e.getDayInfosInRangeOfDay,N=e.getRefsFromDayInfos,B=null!=(o=null===(t=S)||void 0===t?void 0:t[y+"_"+b])?o:"",F=(0,l.aN)(n,f.originalDate),L=i.formatMonthDayYear(f.originalDate,u);return f.isMarked&&(L=L+", "+u.dayMarkedAriaLabel),r.createElement("td",{className:(0,v.i)(g.dayCell,S&&B,f.isSelected&&g.daySelected,f.isSelected&&"ms-CalendarDay-daySelected",!f.isInBounds&&g.dayOutsideBounds,!f.isInMonth&&g.dayOutsideNavigatedMonth),ref:function(e){var t;null===(t=k)||void 0===t||t(e,f.originalDate,g),f.setRef(e)},"aria-hidden":x,onClick:f.isInBounds&&!x?f.onSelected:void 0,onMouseOver:x?void 0:function(e){var t=R(f),o=N(t);o.forEach((function(e,n){var r;if(e&&(e.classList.add("ms-CalendarDay-hoverStyle"),!t[n].isSelected&&w===c.NU.Day&&I&&I>1)){e.classList.remove(g.bottomLeftCornerDate,g.bottomRightCornerDate,g.topLeftCornerDate,g.topRightCornerDate);var i=m(g,!1,!1,n>0,n1)){var i=m(g,!1,!1,n>0,n0)};return[function(e,n){var r={},i=n.slice(1,n.length-1);return i.forEach((function(n,a){n.forEach((function(n,s){var l=i[a-1]&&i[a-1][s]&&o(i[a-1][s].originalDate,n.originalDate,i[a-1][s].isSelected,n.isSelected),c=i[a+1]&&i[a+1][s]&&o(i[a+1][s].originalDate,n.originalDate,i[a+1][s].isSelected,n.isSelected),u=i[a][s-1]&&o(i[a][s-1].originalDate,n.originalDate,i[a][s-1].isSelected,n.isSelected),d=i[a][s+1]&&o(i[a][s+1].originalDate,n.originalDate,i[a][s+1].isSelected,n.isSelected),p=t(e,l,c,u,d);r[a+"_"+s]=p}))})),r},t]}(e),_=y[0],C=y[1];r.useImperativeHandle(e.componentRef,(function(){return{focus:function(){var e,o,n;null===(n=null===(e=t.current)||void 0===e?void 0:(o=e).focus)||void 0===n||n.call(o)}}}),[]);var S=e.styles,I=e.theme,D=e.className,T=e.dateRangeType,E=e.showWeekNumbers,P=e.labelledBy,M=e.lightenDaysOutsideNavigatedMonth,R=e.animationDirection,N=k(S,{theme:I,className:D,dateRangeType:T,showWeekNumbers:E,lightenDaysOutsideNavigatedMonth:void 0===M||M,animationDirection:R,animateBackwards:v}),B=_(N,f),F={weeks:f,navigatedDayRef:t,calculateRoundedStyles:C,activeDescendantId:o,classNames:N,weekCorners:B,getDayInfosInRangeOfDay:function(t){var o=function(e,t){if(t&&e===c.NU.WorkWeek){for(var o=t.slice().sort(),n=!0,r=1;r{"use strict";o.d(t,{U:()=>s});var n=o(7622),r=o(7002),i=o(4941),a=o(7513),s=r.forwardRef((function(e,t){var o=e.layerProps,s=e.doNotLayer,l=(0,n._T)(e,["layerProps","doNotLayer"]),c=r.createElement(i.N,(0,n.pi)({},l,{ref:t}));return s?c:r.createElement(a.m,(0,n.pi)({},o),c)}));s.displayName="Callout"},5666:(e,t,o)=>{"use strict";o.d(t,{H:()=>T});var n,r=o(7622),i=o(7002),a=o(6628),s=o(4553),l=o(3345),c=o(9251),u=o(63),d=o(8127),p=o(8088),m=o(2447),h=o(4568),g=o(6591),f=o(752),v=o(7300),b=o(9729),y=o(3528),_=o(7913),C=o(9241),S=o(2674),x=((n={})[h.z.top]=b.k4.slideUpIn10,n[h.z.bottom]=b.k4.slideDownIn10,n[h.z.left]=b.k4.slideLeftIn10,n[h.z.right]=b.k4.slideRightIn10,n),k=(0,v.y)({disableCaching:!0}),w={opacity:0,filter:"opacity(0)",pointerEvents:"none"},I=["role","aria-roledescription"],D={preventDismissOnLostFocus:!1,preventDismissOnScroll:!1,preventDismissOnResize:!1,isBeakVisible:!0,beakWidth:16,gapSpace:0,minPagePadding:8,directionalHint:a.b.bottomAutoEdge};var T=i.memo(i.forwardRef((function(e,t){var o=(0,u.j)(D,e),n=o.styles,a=o.style,m=o.ariaLabel,h=o.ariaDescribedBy,v=o.ariaLabelledBy,b=o.className,T=o.isBeakVisible,M=o.children,R=o.beakWidth,N=o.calloutWidth,B=o.calloutMaxWidth,F=o.calloutMinWidth,L=o.finalHeight,A=o.hideOverflow,z=void 0===A?!!L:A,H=o.backgroundColor,O=o.calloutMaxHeight,W=o.onScroll,V=o.shouldRestoreFocus,K=void 0===V||V,q=o.target,G=o.hidden,U=o.onLayerMounted,j=i.useRef(null),J=i.useRef(null),Y=(0,C.r)(j,t),Z=(0,S.e)(o.target,J),X=Z[0],Q=Z[1],$=function(e,t,o){var n=e.bounds,r=e.minPagePadding,a=void 0===r?D.minPagePadding:r,s=e.target,l=i.useRef();return i.useCallback((function(){if(!l.current){var e="function"==typeof n?o?n(s,o):void 0:n;!e&&o&&(e={top:(e=(0,g.qE)(t.current,o)).top+a,left:e.left+a,right:e.right-a,bottom:e.bottom-a,width:e.width-2*a,height:e.height-2*a}),l.current=e}return l.current}),[n,a,s,t,o])}(o,X,Q),ee=function(e,t,o){var n=e.beakWidth,r=e.coverTarget,a=e.directionalHint,s=e.directionalHintFixed,l=e.gapSpace,c=e.isBeakVisible,u=e.hidden,d=i.useState(),p=d[0],m=d[1],h=(0,y.r)(),f=t.current;return i.useEffect((function(){var e;if(p||u)u&&m(void 0);else if(s&&f){var i=(null!=l?l:0)+(c&&n?n:0);h.requestAnimationFrame((function(){t.current&&m((0,g.DC)(t.current,a,i,o(),r))}))}else m(null===(e=o())||void 0===e?void 0:e.height)}),[t,f,l,n,o,u,h,r,a,s,c,p]),p}(o,X,$),te=function(e,t){var o=e.finalHeight,n=e.hidden,r=i.useState(0),a=r[0],s=r[1],l=(0,y.r)(),c=i.useRef(),u=i.useCallback((function(){t.current&&o&&(c.current=l.requestAnimationFrame((function(){var e,n=null===(e=t.current)||void 0===e?void 0:e.lastChild;if(n){var r=n.scrollHeight-n.offsetHeight;s((function(e){return e+r})),n.offsetHeight0&&(u.current=0,null===(i=f)||void 0===i||i(l))}}),o.current);return function(){return d.cancelAnimationFrame(i)}}}),[p,v,d,o,t,n,h,a,f,l,e,m]),l}(o,j,J,X,$),ne=function(e,t,o,n,r){var a=e.hidden,s=e.onDismiss,u=e.preventDismissOnScroll,d=e.preventDismissOnResize,p=e.preventDismissOnLostFocus,m=e.shouldDismissOnWindowFocus,h=e.preventDismissOnEvent,g=i.useRef(!1),f=(0,y.r)(),v=(0,_.B)([function(){g.current=!0},function(){g.current=!1}]),b=!!t;return i.useEffect((function(){var e=function(e){b&&!u&&v(e)},t=function(e){var t;d||null===(t=s)||void 0===t||t(e)},i=function(e){p||v(e)},v=function(e){var t,i=e.target,a=o.current&&!(0,l.t)(o.current,i);a&&g.current?g.current=!1:(!n.current&&a||e.target!==r&&a&&(!n.current||"stopPropagation"in n.current||i!==n.current&&!(0,l.t)(n.current,i)))&&(null===(t=s)||void 0===t||t(e))},y=function(e){var t,o;m&&((!h||h(e))&&(h||p)||(null===(t=r)||void 0===t?void 0:t.document.hasFocus())||null!==e.relatedTarget||null===(o=s)||void 0===o||o(e))},_=new Promise((function(o){f.setTimeout((function(){if(!a&&r){var n=[(0,c.on)(r,"scroll",e,!0),(0,c.on)(r,"resize",t,!0),(0,c.on)(r.document.documentElement,"focus",i,!0),(0,c.on)(r.document.documentElement,"click",i,!0),(0,c.on)(r,"blur",y,!0)];o((function(){n.forEach((function(e){return e()}))}))}}),0)}));return function(){_.then((function(e){return e()}))}}),[a,f,o,n,r,s,m,p,d,u,b,h]),v}(o,oe,j,X,Q),re=ne[0],ie=ne[1];if(function(e,t,o){var n=e.hidden,r=e.setInitialFocus,a=(0,y.r)(),l=!!t;i.useEffect((function(){if(!n&&r&&l&&o.current){var e=a.requestAnimationFrame((function(){return(0,s.uo)(o.current)}),o.current);return function(){return a.cancelAnimationFrame(e)}}}),[n,l,a,o,r])}(o,oe,J),i.useEffect((function(){var e;G||null===(e=U)||void 0===e||e()}),[G]),!Q)return null;var ae=ee?ee+te:void 0,se=O&&ae&&O{"use strict";o.d(t,{N:()=>l});var n=o(2002),r=o(5666),i=o(9729);function a(e){return{height:e,width:e}}var s={container:"ms-Callout-container",root:"ms-Callout",beak:"ms-Callout-beak",beakCurtain:"ms-Callout-beakCurtain",calloutMain:"ms-Callout-main"},l=(0,n.z)(r.H,(function(e){var t,o=e.theme,n=e.className,r=e.overflowYHidden,l=e.calloutWidth,c=e.beakWidth,u=e.backgroundColor,d=e.calloutMaxWidth,p=e.calloutMinWidth,m=(0,i.Cn)(s,o),h=o.semanticColors,g=o.effects;return{container:[m.container,{position:"relative"}],root:[m.root,o.fonts.medium,{position:"absolute",boxSizing:"border-box",borderRadius:g.roundedCorner2,boxShadow:g.elevation16,selectors:(t={},t[i.qJ]={borderWidth:1,borderStyle:"solid",borderColor:"WindowText"},t)},(0,i.e2)(),n,!!l&&{width:l},!!d&&{maxWidth:d},!!p&&{minWidth:p}],beak:[m.beak,{position:"absolute",backgroundColor:h.menuBackground,boxShadow:"inherit",border:"inherit",boxSizing:"border-box",transform:"rotate(45deg)"},a(c),u&&{backgroundColor:u}],beakCurtain:[m.beakCurtain,{position:"absolute",top:0,right:0,bottom:0,left:0,backgroundColor:h.menuBackground,borderRadius:g.roundedCorner2}],calloutMain:[m.calloutMain,{backgroundColor:h.menuBackground,overflowX:"hidden",overflowY:"auto",position:"relative",borderRadius:g.roundedCorner2},r&&{overflowY:"hidden"},u&&{backgroundColor:u}]}}),void 0,{scope:"CalloutContent"})},5790:(e,t,o)=>{"use strict";o.d(t,{A:()=>p});var n=o(7622),r=o(7002),i=o(4085),a=o(9241),s=o(6548),l=o(7300),c=o(5480),u=o(9947),d=(0,l.y)(),p=r.forwardRef((function(e,t){var o=e.disabled,l=e.required,p=e.inputProps,m=e.name,h=e.ariaLabel,g=e.ariaLabelledBy,f=e.ariaDescribedBy,v=e.ariaPositionInSet,b=e.ariaSetSize,y=e.title,_=e.label,C=e.checkmarkIconProps,S=e.styles,x=e.theme,k=e.className,w=e.boxSide,I=void 0===w?"start":w,D=(0,i.M)("checkbox-",e.id),T=r.useRef(null),E=(0,a.r)(T,t),P=r.useRef(null),M=(0,s.G)(e.checked,e.defaultChecked,e.onChange),R=M[0],N=M[1],B=(0,s.G)(e.indeterminate,e.defaultIndeterminate),F=B[0],L=B[1];(0,c.P)(T),function(e,t,o,n){r.useImperativeHandle(e.componentRef,(function(){return{get checked(){return!!t},get indeterminate(){return!!o},focus:function(){n.current&&n.current.focus()}}}),[n,t,o])}(e,R,F,P);var A=d(S,{theme:x,className:k,disabled:o,indeterminate:F,checked:R,reversed:"start"!==I,isUsingCustomLabelRender:!!e.onRenderLabel}),z=r.useCallback((function(e){return e&&e.label?r.createElement("span",{"aria-hidden":"true",className:A.text,title:e.title},e.label):null}),[A.text]),H=e.onRenderLabel||z,O=F?"mixed":R?"true":"false",W=(0,n.pi)((0,n.pi)({className:A.input,type:"checkbox"},p),{checked:!!R,disabled:o,required:l,name:m,id:D,title:y,onChange:function(e){F?(N(!!R,e),L(!1)):N(!R,e)},"aria-disabled":o,"aria-label":h||_,"aria-labelledby":g,"aria-describedby":f,"aria-posinset":v,"aria-setsize":b,"aria-checked":O});return r.createElement("div",{className:A.root,title:y,ref:E},r.createElement("input",(0,n.pi)({},W,{ref:P,"data-ktp-execute-target":!0})),r.createElement("label",{className:A.label,htmlFor:D},r.createElement("div",{className:A.checkbox,"data-ktp-target":!0},r.createElement(u.J,(0,n.pi)({iconName:"CheckMark"},C,{className:A.checkmark}))),H(e,z)))}));p.displayName="CheckboxBase"},2777:(e,t,o)=>{"use strict";o.d(t,{X:()=>p});var n=o(2002),r=o(5790),i=o(7622),a=o(9729),s=o(6145),l={root:"ms-Checkbox",label:"ms-Checkbox-label",checkbox:"ms-Checkbox-checkbox",checkmark:"ms-Checkbox-checkmark",text:"ms-Checkbox-text"},c="20px",u="200ms",d="cubic-bezier(.4, 0, .23, 1)",p=(0,n.z)(r.A,(function(e){var t,o,n,r,p,m,h,g,f,v,b,y,_,C,S,x,k,w,I=e.className,D=e.theme,T=e.reversed,E=e.checked,P=e.disabled,M=e.isUsingCustomLabelRender,R=e.indeterminate,N=D.semanticColors,B=D.effects,F=D.palette,L=D.fonts,A=(0,a.Cn)(l,D),z=N.inputForegroundChecked,H=F.neutralSecondary,O=F.neutralPrimary,W=N.inputBackgroundChecked,V=N.inputBackgroundChecked,K=N.disabledBodySubtext,q=N.inputBorderHovered,G=N.inputBackgroundCheckedHovered,U=N.inputBackgroundChecked,j=N.inputBackgroundCheckedHovered,J=N.inputBackgroundCheckedHovered,Y=N.inputTextHovered,Z=N.disabledBodySubtext,X=N.bodyText,Q=N.disabledText,$=[(t={content:'""',borderRadius:B.roundedCorner2,position:"absolute",width:10,height:10,top:4,left:4,boxSizing:"border-box",borderWidth:5,borderStyle:"solid",borderColor:P?K:W,transitionProperty:"border-width, border, border-color",transitionDuration:u,transitionTimingFunction:d},t[a.qJ]={borderColor:"WindowText"},t)];return{root:[A.root,{position:"relative",display:"flex"},T&&"reversed",E&&"is-checked",!P&&"is-enabled",P&&"is-disabled",!P&&[!E&&(o={},o[":hover ."+A.checkbox]=(n={borderColor:q},n[a.qJ]={borderColor:"Highlight"},n),o[":focus ."+A.checkbox]={borderColor:q},o[":hover ."+A.checkmark]=(r={color:H,opacity:"1"},r[a.qJ]={color:"Highlight"},r),o),E&&!R&&(p={},p[":hover ."+A.checkbox]={background:j,borderColor:J},p[":focus ."+A.checkbox]={background:j,borderColor:J},p[a.qJ]=(m={},m[":hover ."+A.checkbox]={background:"Highlight",borderColor:"Highlight"},m[":focus ."+A.checkbox]={background:"Highlight"},m[":focus:hover ."+A.checkbox]={background:"Highlight"},m[":focus:hover ."+A.checkmark]={color:"Window"},m[":hover ."+A.checkmark]={color:"Window"},m),p),R&&(h={},h[":hover ."+A.checkbox+", :hover ."+A.checkbox+":after"]=(g={borderColor:G},g[a.qJ]={borderColor:"WindowText"},g),h[":focus ."+A.checkbox]={borderColor:G},h[":hover ."+A.checkmark]={opacity:"0"},h),(f={},f[":hover ."+A.text+", :focus ."+A.text]=(v={color:Y},v[a.qJ]={color:P?"GrayText":"WindowText"},v),f)],I],input:(b={position:"absolute",background:"none",opacity:0},b["."+s.G$+" &:focus + label::before"]=(y={outline:"1px solid "+D.palette.neutralSecondary,outlineOffset:"2px"},y[a.qJ]={outline:"1px solid WindowText"},y),b),label:[A.label,D.fonts.medium,{display:"flex",alignItems:M?"center":"flex-start",cursor:P?"default":"pointer",position:"relative",userSelect:"none"},T&&{flexDirection:"row-reverse",justifyContent:"flex-end"},{"&::before":{position:"absolute",left:0,right:0,top:0,bottom:0,content:'""',pointerEvents:"none"}}],checkbox:[A.checkbox,(_={position:"relative",display:"flex",flexShrink:0,alignItems:"center",justifyContent:"center",height:c,width:c,border:"1px solid "+O,borderRadius:B.roundedCorner2,boxSizing:"border-box",transitionProperty:"background, border, border-color",transitionDuration:u,transitionTimingFunction:d,overflow:"hidden",":after":R?$:null},_[a.qJ]=(0,i.pi)({borderColor:"WindowText"},(0,a.xM)()),_),R&&{borderColor:W},T?{marginLeft:4}:{marginRight:4},!P&&!R&&E&&(C={background:U,borderColor:V},C[a.qJ]={background:"Highlight",borderColor:"Highlight"},C),P&&(S={borderColor:K},S[a.qJ]={borderColor:"GrayText"},S),E&&P&&(x={background:Z,borderColor:K},x[a.qJ]={background:"Window"},x)],checkmark:[A.checkmark,(k={opacity:E?"1":"0",color:z},k[a.qJ]=(0,i.pi)({color:P?"GrayText":"Window"},(0,a.xM)()),k)],text:[A.text,(w={color:P?Q:X,fontSize:L.medium.fontSize,lineHeight:"20px"},w[a.qJ]=(0,i.pi)({color:P?"GrayText":"WindowText"},(0,a.xM)()),w),T?{marginRight:4}:{marginLeft:4}]}}),void 0,{scope:"Checkbox"})},5554:(e,t,o)=>{"use strict";o.d(t,{q:()=>f});var n=o(7622),r=o(7002),i=o(2052),a=o(7300),s=o(2470),l=o(6145),c=o(8127),u=o(1351),d=o(4085),p=o(6548),m=(0,a.y)(),h=function(e,t){return t+"-"+e.key},g=function(e,t){return void 0===t?void 0:(0,s.sE)(e,(function(e){return e.key===t}))},f=r.forwardRef((function(e,t){var o=e.className,a=e.theme,s=e.styles,f=e.options,v=void 0===f?[]:f,b=e.label,y=e.required,_=e.disabled,C=e.name,S=e.defaultSelectedKey,x=e.componentRef,k=e.onChange,w=(0,d.M)("ChoiceGroup"),I=(0,d.M)("ChoiceGroupLabel"),D=(0,c.pq)(e,c.n7,["onChange","className","required"]),T=m(s,{theme:a,className:o,optionsContainIconOrImage:v.some((function(e){return!(!e.iconProps&&!e.imageSrc)}))}),E=e.ariaLabelledBy||(b?I:e["aria-labelledby"]),P=(0,p.G)(e.selectedKey,S),M=P[0],R=P[1],N=r.useState(),B=N[0],F=N[1];!function(e,t,o,n){r.useImperativeHandle(n,(function(){return{get checkedOption(){return g(e,t)},focus:function(){var n=g(e,t)||e.filter((function(e){return!e.disabled}))[0],r=n&&document.getElementById(h(n,o));r&&(r.focus(),(0,l.MU)(!0,r))}}}),[e,t,o])}(v,M,w,x);var L=r.useCallback((function(e,t){var o,n;t&&(F(t.itemKey),null===(n=(o=t).onFocus)||void 0===n||n.call(o,e))}),[]),A=r.useCallback((function(e,t){var o,n,r;F(void 0),null===(r=null===(o=t)||void 0===o?void 0:(n=o).onBlur)||void 0===r||r.call(n,e)}),[]),z=r.useCallback((function(e,t){var o,n,r;t&&(R(t.itemKey),null===(n=(o=t).onChange)||void 0===n||n.call(o,e),null===(r=k)||void 0===r||r(e,g(v,t.itemKey)))}),[k,v,R]);return r.createElement("div",(0,n.pi)({className:T.root},D,{ref:t}),r.createElement("div",(0,n.pi)({role:"radiogroup"},E&&{"aria-labelledby":E}),b&&r.createElement(i._,{className:T.label,required:y,id:I,disabled:_},b),r.createElement("div",{className:T.flexContainer},v.map((function(e){return r.createElement(u.c,(0,n.pi)({key:e.key,itemKey:e.key},e,{onBlur:A,onFocus:L,onChange:z,focused:e.key===B,checked:e.key===M,disabled:e.disabled||_,id:h(e,w),labelId:e.labelId||I+"-"+e.key,name:C||w,required:y}))})))))}));f.displayName="ChoiceGroup"},9240:(e,t,o)=>{"use strict";o.d(t,{F:()=>s});var n=o(2002),r=o(5554),i=o(9729),a={root:"ms-ChoiceFieldGroup",flexContainer:"ms-ChoiceFieldGroup-flexContainer"},s=(0,n.z)(r.q,(function(e){var t=e.className,o=e.optionsContainIconOrImage,n=e.theme,r=(0,i.Cn)(a,n);return{root:[t,r.root,n.fonts.medium,{display:"block"}],flexContainer:[r.flexContainer,o&&{display:"flex",flexDirection:"row",flexWrap:"wrap"}]}}),void 0,{scope:"ChoiceGroup"})},1351:(e,t,o)=>{"use strict";o.d(t,{c:()=>x});var n=o(2002),r=o(7622),i=o(7002),a=o(4861),s=o(9947),l=o(7300),c=o(63),u=o(8127),d=o(8826),p=o(8088),m=(0,l.y)(),h={imageSize:{width:32,height:32}},g=function(e){var t=(0,c.j)((0,r.pi)((0,r.pi)({},h),{key:e.itemKey}),e),o=t.ariaLabel,n=t.focused,l=t.required,g=t.theme,f=t.iconProps,v=t.imageSrc,b=t.imageSize,y=t.disabled,_=t.checked,C=t.id,S=t.styles,x=t.name,k=(0,r._T)(t,["ariaLabel","focused","required","theme","iconProps","imageSrc","imageSize","disabled","checked","id","styles","name"]),w=m(S,{theme:g,hasIcon:!!f,hasImage:!!v,checked:_,disabled:y,imageIsLarge:!!v&&(b.width>71||b.height>71),imageSize:b,focused:n}),I=(0,u.pq)(k,u.Gg),D=I.className,T=(0,r._T)(I,["className"]),E=function(){return i.createElement("span",{id:t.labelId,className:"ms-ChoiceFieldLabel"},t.text)},P=function(){var e=t.imageAlt,o=void 0===e?"":e,n=t.selectedImageSrc,l=(t.onRenderLabel?(0,d.k)(t.onRenderLabel,E):E)(t);return i.createElement("label",{htmlFor:C,className:w.field},v&&i.createElement("div",{className:w.innerField},i.createElement("div",{className:w.imageWrapper},i.createElement(a.E,(0,r.pi)({src:v,alt:o},b))),i.createElement("div",{className:w.selectedImageWrapper},i.createElement(a.E,(0,r.pi)({src:n,alt:o},b)))),f&&i.createElement("div",{className:w.innerField},i.createElement("div",{className:w.iconWrapper},i.createElement(s.J,(0,r.pi)({},f)))),v||f?i.createElement("div",{className:w.labelWrapper},l):l)},M=t.onRenderField,R=void 0===M?P:M;return i.createElement("div",{className:w.root},i.createElement("div",{className:w.choiceFieldWrapper},i.createElement("input",(0,r.pi)({"aria-label":o,id:C,className:(0,p.i)(w.input,D),type:"radio",name:x,disabled:y,checked:_,required:l},T,{onChange:function(e){var o,n;null===(n=(o=t).onChange)||void 0===n||n.call(o,e,t)},onFocus:function(e){var o,n;null===(n=(o=t).onFocus)||void 0===n||n.call(o,e,t)},onBlur:function(e){var o,n;null===(n=(o=t).onBlur)||void 0===n||n.call(o,e)}})),R(t,P)))};g.displayName="ChoiceGroupOption";var f=o(9729),v=o(6145),b={root:"ms-ChoiceField",choiceFieldWrapper:"ms-ChoiceField-wrapper",input:"ms-ChoiceField-input",field:"ms-ChoiceField-field",innerField:"ms-ChoiceField-innerField",imageWrapper:"ms-ChoiceField-imageWrapper",iconWrapper:"ms-ChoiceField-iconWrapper",labelWrapper:"ms-ChoiceField-labelWrapper",checked:"is-checked"},y="200ms",_="cubic-bezier(.4, 0, .23, 1)";function C(e,t){var o,n;return["is-inFocus",{selectors:(o={},o["."+v.G$+" &"]={position:"relative",outline:"transparent",selectors:{"::-moz-focus-inner":{border:0},":after":{content:'""',top:-2,right:-2,bottom:-2,left:-2,pointerEvents:"none",border:"1px solid "+e,position:"absolute",selectors:(n={},n[f.qJ]={borderColor:"WindowText",borderWidth:t?1:2},n)}}},o)}]}function S(e,t,o){return[t,{paddingBottom:2,transitionProperty:"opacity",transitionDuration:y,transitionTimingFunction:"ease",selectors:{".ms-Image":{display:"inline-block",borderStyle:"none"}}},(o?!e:e)&&["is-hidden",{position:"absolute",left:0,top:0,width:"100%",height:"100%",overflow:"hidden",opacity:0}]]}var x=(0,n.z)(g,(function(e){var t,o,n,i,a,s=e.theme,l=e.hasIcon,c=e.hasImage,u=e.checked,d=e.disabled,p=e.imageIsLarge,m=e.focused,h=e.imageSize,g=s.palette,v=s.semanticColors,x=s.fonts,k=(0,f.Cn)(b,s),w=g.neutralPrimary,I=v.inputBorderHovered,D=v.inputBackgroundChecked,T=g.themeDark,E=v.disabledBodySubtext,P=v.bodyBackground,M=g.neutralSecondary,R=v.inputBackgroundChecked,N=g.themeDark,B=v.disabledBodySubtext,F=g.neutralDark,L=v.focusBorder,A=v.inputBorderHovered,z=v.inputBackgroundChecked,H=g.themeDark,O=g.neutralLighter,W={selectors:{".ms-ChoiceFieldLabel":{color:F},":before":{borderColor:u?T:I},":after":[!l&&!c&&!u&&{content:'""',transitionProperty:"background-color",left:5,top:5,width:10,height:10,backgroundColor:M},u&&{borderColor:N}]}},V={borderColor:u?H:A,selectors:{":before":{opacity:1,borderColor:u?T:I}}},K=[{content:'""',display:"inline-block",backgroundColor:P,borderWidth:1,borderStyle:"solid",borderColor:w,width:20,height:20,fontWeight:"normal",position:"absolute",top:0,left:0,boxSizing:"border-box",transitionProperty:"border-color",transitionDuration:y,transitionTimingFunction:_,borderRadius:"50%"},d&&{borderColor:E,selectors:(t={},t[f.qJ]=(0,r.pi)({borderColor:"GrayText",background:"Window"},(0,f.xM)()),t)},u&&{borderColor:d?E:D,selectors:(o={},o[f.qJ]={borderColor:"Highlight",background:"Window",forcedColorAdjust:"none"},o)},(l||c)&&{top:3,right:3,left:"auto",opacity:u?1:0}],q=[{content:'""',width:0,height:0,borderRadius:"50%",position:"absolute",left:10,right:0,transitionProperty:"border-width",transitionDuration:y,transitionTimingFunction:_,boxSizing:"border-box"},u&&{borderWidth:5,borderStyle:"solid",borderColor:d?B:R,left:5,top:5,width:10,height:10,selectors:(n={},n[f.qJ]={borderColor:"Highlight",forcedColorAdjust:"none"},n)},u&&(l||c)&&{top:8,right:8,left:"auto"}];return{root:[k.root,s.fonts.medium,{display:"flex",alignItems:"center",boxSizing:"border-box",color:v.bodyText,minHeight:26,border:"none",position:"relative",marginTop:8,selectors:{".ms-ChoiceFieldLabel":{display:"inline-block"}}},!l&&!c&&{selectors:{".ms-ChoiceFieldLabel":{paddingLeft:"26px"}}},c&&"ms-ChoiceField--image",l&&"ms-ChoiceField--icon",(l||c)&&{display:"inline-flex",fontSize:0,margin:"0 4px 4px 0",paddingLeft:0,backgroundColor:O,height:"100%"}],choiceFieldWrapper:[k.choiceFieldWrapper,m&&C(L,l||c)],input:[k.input,{position:"absolute",opacity:0,top:0,right:0,width:"100%",height:"100%",margin:0},d&&"is-disabled"],field:[k.field,u&&k.checked,{display:"inline-block",cursor:"pointer",marginTop:0,position:"relative",verticalAlign:"top",userSelect:"none",minHeight:20,selectors:{":hover":!d&&W,":focus":!d&&W,":before":K,":after":q}},l&&"ms-ChoiceField--icon",c&&"ms-ChoiceField-field--image",(l||c)&&{boxSizing:"content-box",cursor:"pointer",paddingTop:22,margin:0,textAlign:"center",transitionProperty:"all",transitionDuration:y,transitionTimingFunction:"ease",border:"1px solid transparent",justifyContent:"center",alignItems:"center",display:"flex",flexDirection:"column"},u&&{borderColor:z},(l||c)&&!d&&{selectors:{":hover":V,":focus":V}},d&&{cursor:"default",selectors:{".ms-ChoiceFieldLabel":{color:v.disabledBodyText,selectors:(i={},i[f.qJ]=(0,r.pi)({color:"GrayText"},(0,f.xM)()),i)}}},u&&d&&{borderColor:O}],innerField:[k.innerField,c&&{height:h.height,width:h.width},(l||c)&&{position:"relative",display:"inline-block",paddingLeft:30,paddingRight:30},(l||c)&&p&&{paddingLeft:24,paddingRight:24},(l||c)&&d&&{opacity:.25,selectors:(a={},a[f.qJ]={color:"GrayText",opacity:1},a)}],imageWrapper:S(!1,k.imageWrapper,u),selectedImageWrapper:S(!0,k.imageWrapper,u),iconWrapper:[k.iconWrapper,{fontSize:32,lineHeight:32,height:32}],labelWrapper:[k.labelWrapper,x.medium,(l||c)&&{display:"block",position:"relative",margin:"4px 8px 2px 8px",height:32,lineHeight:15,maxWidth:2*h.width,overflow:"hidden",whiteSpace:"pre-wrap"}]}}),void 0,{scope:"ChoiceGroupOption"})},1958:(e,t,o)=>{"use strict";o.d(t,{T:()=>z});var n=o(7622),r=o(7002),i=o(7300),a=o(688),s=o(3129),l=o(687),c=o(8623),u=o(2002),d=o(2782),p=o(8145),m=o(9251),h=o(21),g=o(2417),f=o(6119),v=o(1342),b=(0,i.y)(),y=function(e){function t(t){var o=e.call(this,t)||this;return o._disposables=[],o._root=r.createRef(),o._isAdjustingSaturation=!0,o._descriptionId=(0,d.z)("ColorRectangle-description"),o._onKeyDown=function(e){var t=o.state.color,n=t.s,r=t.v,i=e.shiftKey?10:1;switch(e.which){case p.m.up:o._isAdjustingSaturation=!1,r+=i;break;case p.m.down:o._isAdjustingSaturation=!1,r-=i;break;case p.m.left:o._isAdjustingSaturation=!0,n-=i;break;case p.m.right:o._isAdjustingSaturation=!0,n+=i;break;default:return}o._updateColor(e,(0,f.d)(t,(0,v.u)(n,h.fr),(0,v.u)(r,h.uw)))},o._onMouseDown=function(e){o._disposables.push((0,m.on)(window,"mousemove",o._onMouseMove,!0),(0,m.on)(window,"mouseup",o._disposeListeners,!0)),o._onMouseMove(e)},o._onMouseMove=function(e){if(o._root.current){var t=function(e,t,o){var n=o.getBoundingClientRect(),r=(e.clientX-n.left)/n.width,i=(e.clientY-n.top)/n.height;return(0,f.d)(t,(0,v.u)(Math.round(r*h.fr),h.fr),(0,v.u)(Math.round(h.uw-i*h.uw),h.uw))}(e,o.state.color,o._root.current);t&&o._updateColor(e,t)}},o._disposeListeners=function(){o._disposables.forEach((function(e){return e()})),o._disposables=[]},(0,a.l)(o),o.state={color:t.color},o}return(0,n.ZT)(t,e),Object.defineProperty(t.prototype,"color",{get:function(){return this.state.color},enumerable:!0,configurable:!0}),t.prototype.componentDidUpdate=function(e,t){e!==this.props&&this.props.color&&this.setState({color:this.props.color})},t.prototype.componentWillUnmount=function(){this._disposeListeners()},t.prototype.render=function(){var e=this.props,t=e.minSize,o=e.theme,n=e.className,i=e.styles,a=e.ariaValueFormat,s=e.ariaLabel,l=e.ariaDescription,c=this.state.color,u=b(i,{theme:o,className:n,minSize:t}),d=a.replace("{0}",String(c.s)).replace("{1}",String(c.v));return r.createElement("div",{ref:this._root,tabIndex:0,className:u.root,style:{backgroundColor:(0,g.p)(c)},onMouseDown:this._onMouseDown,onKeyDown:this._onKeyDown,role:"slider","aria-valuetext":d,"aria-valuenow":this._isAdjustingSaturation?c.s:c.v,"aria-valuemin":0,"aria-valuemax":h.uw,"aria-label":s,"aria-describedby":this._descriptionId,"data-is-focusable":!0},r.createElement("div",{className:u.description,id:this._descriptionId},l),r.createElement("div",{className:u.light}),r.createElement("div",{className:u.dark}),r.createElement("div",{className:u.thumb,style:{left:c.s+"%",top:h.uw-c.v+"%",backgroundColor:c.str}}))},t.prototype._updateColor=function(e,t){var o=this.props.onChange,n=this.state.color;t.s===n.s&&t.v===n.v||(o&&o(e,t),e.defaultPrevented||(this.setState({color:t}),e.preventDefault()))},t.defaultProps={minSize:220,ariaLabel:"Saturation and brightness",ariaValueFormat:"Saturation {0} brightness {1}",ariaDescription:"Use left and right arrow keys to set saturation. Use up and down arrow keys to set brightness."},t}(r.Component),_=o(9729),C=o(6145),S=(0,u.z)(y,(function(e){var t,o=e.className,r=e.theme,i=e.minSize,a=r.palette,s=r.effects;return{root:["ms-ColorPicker-colorRect",{position:"relative",marginBottom:8,border:"1px solid "+a.neutralLighter,borderRadius:s.roundedCorner2,minWidth:i,minHeight:i,outline:"none",selectors:(t={},t[_.qJ]=(0,n.pi)({},(0,_.xM)()),t["."+C.G$+" &:focus"]={outline:"1px solid "+a.neutralSecondary},t)},o],light:["ms-ColorPicker-light",{position:"absolute",left:0,right:0,top:0,bottom:0,background:"linear-gradient(to right, white 0%, transparent 100%) /*@noflip*/"}],dark:["ms-ColorPicker-dark",{position:"absolute",left:0,right:0,top:0,bottom:0,background:"linear-gradient(to bottom, transparent 0, #000 100%)"}],thumb:["ms-ColorPicker-thumb",{position:"absolute",width:20,height:20,background:"white",border:"1px solid "+a.neutralSecondaryAlt,borderRadius:"50%",boxShadow:s.elevation8,transform:"translate(-50%, -50%)",selectors:{":before":{position:"absolute",left:0,right:0,top:0,bottom:0,border:"2px solid "+a.white,borderRadius:"50%",boxSizing:"border-box",content:'""'}}}],description:_.ul}}),void 0,{scope:"ColorRectangle"}),x=o(9757),k=(0,i.y)(),w=function(e){function t(t){var o=e.call(this,t)||this;return o._disposables=[],o._root=r.createRef(),o._onKeyDown=function(e){var t=o.value,n=o._maxValue,r=e.shiftKey?10:1;switch(e.which){case p.m.left:t-=r;break;case p.m.right:t+=r;break;case p.m.home:t=0;break;case p.m.end:t=n;break;default:return}o._updateValue(e,(0,v.u)(t,n))},o._onMouseDown=function(e){var t=(0,x.J)(o);t&&o._disposables.push((0,m.on)(t,"mousemove",o._onMouseMove,!0),(0,m.on)(t,"mouseup",o._disposeListeners,!0)),o._onMouseMove(e)},o._onMouseMove=function(e){if(o._root.current){var t=o._maxValue,n=o._root.current.getBoundingClientRect(),r=(e.clientX-n.left)/n.width,i=(0,v.u)(Math.round(r*t),t);o._updateValue(e,i)}},o._disposeListeners=function(){o._disposables.forEach((function(e){return e()})),o._disposables=[]},(0,a.l)(o),(0,s.b)("ColorSlider",t,{thumbColor:"styles.sliderThumb",overlayStyle:"overlayColor",isAlpha:"type",maxValue:"type",minValue:"type"}),"hue"===o._type||t.overlayColor||t.overlayStyle||(0,l.Z)("ColorSlider: 'overlayColor' is required when 'type' is \"alpha\" or \"transparency\""),o.state={currentValue:t.value||0},o}return(0,n.ZT)(t,e),Object.defineProperty(t.prototype,"value",{get:function(){return this.state.currentValue},enumerable:!0,configurable:!0}),t.prototype.componentDidUpdate=function(e,t){e!==this.props&&void 0!==this.props.value&&this.setState({currentValue:this.props.value})},t.prototype.componentWillUnmount=function(){this._disposeListeners()},t.prototype.render=function(){var e=this._type,t=this._maxValue,o=this.props,n=o.overlayStyle,i=o.overlayColor,a=o.theme,s=o.className,l=o.styles,c=o.ariaLabel,u=void 0===c?e:c,d=this.value,p=k(l,{theme:a,className:s,type:e}),m=100*d/t;return r.createElement("div",{ref:this._root,className:p.root,tabIndex:0,onKeyDown:this._onKeyDown,onMouseDown:this._onMouseDown,role:"slider","aria-valuenow":d,"aria-valuetext":String(d),"aria-valuemin":0,"aria-valuemax":t,"aria-label":u,"data-is-focusable":!0},!(!i&&!n)&&r.createElement("div",{className:p.sliderOverlay,style:i?{background:"transparency"===e?"linear-gradient(to right, #"+i+", transparent)":"linear-gradient(to right, transparent, #"+i+")"}:n}),r.createElement("div",{className:p.sliderThumb,style:{left:m+"%"}}))},Object.defineProperty(t.prototype,"_type",{get:function(){var e=this.props,t=e.isAlpha,o=e.type;return void 0===o?t?"alpha":"hue":o},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"_maxValue",{get:function(){return"hue"===this._type?h.a_:h.c5},enumerable:!0,configurable:!0}),t.prototype._updateValue=function(e,t){if(t!==this.value){var o=this.props.onChange;o&&o(e,t),e.defaultPrevented||(this.setState({currentValue:t}),e.preventDefault())}},t.defaultProps={value:0},t}(r.Component),I={background:"linear-gradient("+["to left","red 0","#f09 10%","#cd00ff 20%","#3200ff 30%","#06f 40%","#00fffd 50%","#0f6 60%","#35ff00 70%","#cdff00 80%","#f90 90%","red 100%"].join(",")+")"},D={backgroundImage:"url(data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAAoAAAAKCAYAAACNMs+9AAAAJUlEQVQYV2N89erVfwY0ICYmxoguxjgUFKI7GsTH5m4M3w1ChQC1/Ca8i2n1WgAAAABJRU5ErkJggg==)"},T=(0,u.z)(w,(function(e){var t,o=e.theme,n=e.className,r=e.type,i=void 0===r?"hue":r,a=e.isAlpha,s=void 0===a?"hue"!==i:a,l=o.palette,c=o.effects;return{root:["ms-ColorPicker-slider",{position:"relative",height:20,marginBottom:8,border:"1px solid "+l.neutralLight,borderRadius:c.roundedCorner2,boxSizing:"border-box",outline:"none",selectors:(t={},t["."+C.G$+" &:focus"]={outline:"1px solid "+l.neutralSecondary},t)},s?D:I,n],sliderOverlay:["ms-ColorPicker-sliderOverlay",{content:"",position:"absolute",left:0,right:0,top:0,bottom:0}],sliderThumb:["ms-ColorPicker-thumb","is-slider",{position:"absolute",width:20,height:20,background:"white",border:"1px solid "+l.neutralSecondaryAlt,borderRadius:"50%",boxShadow:c.elevation8,transform:"translate(-50%, -50%)",top:"50%"}]}}),void 0,{scope:"ColorSlider"}),E=o(7375),P=o(8208),M=o(8490),R=o(1332),N=o(1990),B=o(2775),F=o(5298),L=(0,i.y)(),A=["hex","r","g","b","a","t"],z=function(e){function t(o){var r=e.call(this,o)||this;r._onSVChanged=function(e,t){r._updateColor(e,t)},r._onHChanged=function(e,t){r._updateColor(e,(0,N.i)(r.state.color,t))},r._onATChanged=function(e,t){var o="transparency"===r.props.alphaType?R.X:M.R;r._updateColor(e,o(r.state.color,Math.round(t)))},r._onBlur=function(e){var t,o=r.state,i=o.color,a=o.editingColor;if(a){var s=a.value,l=a.component,c="hex"===l,u="a"===l,d="t"===l,p=c?h.yE:h.HT;if(s.length>=p&&(c||!isNaN(Number(s)))){var m=void 0;m=c?(0,E.T)("#"+(0,F.L)(s)):u||d?(u?M.R:R.X)(i,(0,v.u)(Number(s),h.c5)):(0,P.N)((0,B.k)((0,n.pi)((0,n.pi)({},i),((t={})[l]=Number(s),t)))),r._updateColor(e,m)}else r.setState({editingColor:void 0})}},(0,a.l)(r);var i=o.strings;(0,s.b)("ColorPicker",o,{hexLabel:"strings.hex",redLabel:"strings.red",greenLabel:"strings.green",blueLabel:"strings.blue",alphaLabel:"strings.alpha",alphaSliderHidden:"alphaType"}),i.hue&&(0,l.Z)("ColorPicker property 'strings.hue' was used but has been deprecated. Use 'strings.hueAriaLabel' instead."),r.state={color:H(o)||(0,E.T)("#ffffff")},r._textChangeHandlers={};for(var c=0,u=A;c{"use strict";o.d(t,{z:()=>i});var n=o(2002),r=o(1958),i=(0,n.z)(r.T,(function(e){var t=e.className,o=e.theme,n=e.alphaType;return{root:["ms-ColorPicker",o.fonts.medium,{position:"relative",maxWidth:300},t],panel:["ms-ColorPicker-panel",{padding:"16px"}],table:["ms-ColorPicker-table",{tableLayout:"fixed",width:"100%",selectors:{"tbody td:last-of-type .ms-ColorPicker-input":{paddingRight:0}}}],tableHeader:[o.fonts.small,{selectors:{td:{paddingBottom:4}}}],tableHexCell:{width:"25%"},tableAlphaCell:"transparency"===n&&{width:"22%"},colorSquare:["ms-ColorPicker-colorSquare",{width:48,height:48,margin:"0 0 0 8px",border:"1px solid #c8c6c4"}],flexContainer:{display:"flex"},flexSlider:{flexGrow:"1"},flexPreviewBox:{flexGrow:"0"},input:["ms-ColorPicker-input",{width:"100%",border:"none",boxSizing:"border-box",height:30,selectors:{"&.ms-TextField":{paddingRight:4},"& .ms-TextField-field":{minWidth:"auto",padding:5,textOverflow:"clip"}}}]}}),void 0,{scope:"ColorPicker"})},610:(e,t,o)=>{"use strict";o.d(t,{C:()=>Y});var n,r,i,a,s=o(7622),l=o(7002),c=o(5767),u=o(2447),d=o(63),p=o(4553),m=o(9577),h=o(8023),g=o(8088),f=o(8145),v=o(6479),b=o(8936),y=o(688),_=o(2167),C=o(9919),S=o(209),x=o(2782),k=o(8127),w=o(6053),I=o(2470),D=o(5953),T=o(6628),E=o(2777),P=o(9729),M=o(5094),R=(0,M.NF)((function(e){var t,o=e.semanticColors;return{backgroundColor:o.disabledBackground,color:o.disabledText,cursor:"default",selectors:(t={":after":{borderColor:o.disabledBackground}},t[P.qJ]={color:"GrayText",selectors:{":after":{borderColor:"GrayText"}}},t)}})),N={selectors:(n={},n[P.qJ]=(0,s.pi)({backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},(0,P.xM)()),n)},B={selectors:(r={},r[P.qJ]=(0,s.pi)({color:"WindowText",backgroundColor:"Window"},(0,P.xM)()),r)},F=(0,M.NF)((function(e,t,o,n,r){var i,a=e.palette,s=e.semanticColors,l={textHoveredColor:s.menuItemTextHovered,textSelectedColor:a.neutralDark,textDisabledColor:s.disabledText,backgroundHoveredColor:s.menuItemBackgroundHovered,backgroundPressedColor:s.menuItemBackgroundPressed},c={root:[e.fonts.medium,{backgroundColor:n?l.backgroundHoveredColor:"transparent",boxSizing:"border-box",cursor:"pointer",display:r?"none":"block",width:"100%",height:"auto",minHeight:36,lineHeight:"20px",padding:"0 8px",position:"relative",borderWidth:"1px",borderStyle:"solid",borderColor:"transparent",borderRadius:0,wordWrap:"break-word",overflowWrap:"break-word",textAlign:"left",selectors:(i={},i[P.qJ]={border:"none",borderColor:"Background"},i["&.ms-Checkbox"]={display:"flex",alignItems:"center"},i["&.ms-Button--command:hover:active"]={backgroundColor:l.backgroundPressedColor},i[".ms-Checkbox-label"]={width:"100%"},i)}],rootHovered:{backgroundColor:l.backgroundHoveredColor,color:l.textHoveredColor},rootFocused:{backgroundColor:l.backgroundHoveredColor},rootChecked:[{backgroundColor:"transparent",color:l.textSelectedColor,selectors:{":hover":[{backgroundColor:l.backgroundHoveredColor},N]}},(0,P.GL)(e,{inset:-1,isFocusedOnly:!1}),N],rootDisabled:{color:l.textDisabledColor,cursor:"default"},optionText:{overflow:"hidden",whiteSpace:"nowrap",textOverflow:"ellipsis",minWidth:"0px",maxWidth:"100%",wordWrap:"break-word",overflowWrap:"break-word",display:"inline-block"},optionTextWrapper:{maxWidth:"100%",display:"flex",alignItems:"center"}};return(0,P.E$)(c,t,o)})),L=(0,M.NF)((function(e,t){var o,n,r=e.semanticColors,i=e.fonts,a={buttonTextColor:r.bodySubtext,buttonTextHoveredCheckedColor:r.buttonTextChecked,buttonBackgroundHoveredColor:r.listItemBackgroundHovered,buttonBackgroundCheckedColor:r.listItemBackgroundChecked,buttonBackgroundCheckedHoveredColor:r.listItemBackgroundCheckedHovered},l={selectors:(o={},o[P.qJ]=(0,s.pi)({backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},(0,P.xM)()),o)},c={root:{color:a.buttonTextColor,fontSize:i.small.fontSize,position:"absolute",top:0,height:"100%",lineHeight:30,width:32,textAlign:"center",cursor:"default",selectors:(n={},n[P.qJ]=(0,s.pi)({backgroundColor:"ButtonFace",borderColor:"ButtonText",color:"ButtonText"},(0,P.xM)()),n)},icon:{fontSize:i.small.fontSize},rootHovered:[{backgroundColor:a.buttonBackgroundHoveredColor,color:a.buttonTextHoveredCheckedColor,cursor:"pointer"},l],rootPressed:[{backgroundColor:a.buttonBackgroundCheckedColor,color:a.buttonTextHoveredCheckedColor},l],rootChecked:[{backgroundColor:a.buttonBackgroundCheckedColor,color:a.buttonTextHoveredCheckedColor},l],rootCheckedHovered:[{backgroundColor:a.buttonBackgroundCheckedHoveredColor,color:a.buttonTextHoveredCheckedColor},l],rootDisabled:[R(e),{position:"absolute"}]};return(0,P.E$)(c,t)})),A=(0,M.NF)((function(e,t,o){var n,r,i,a,l,c,u=e.semanticColors,d=e.fonts,p=e.effects,m={textColor:u.inputText,borderColor:u.inputBorder,borderHoveredColor:u.inputBorderHovered,borderPressedColor:u.inputFocusBorderAlt,borderFocusedColor:u.inputFocusBorderAlt,backgroundColor:u.inputBackground,erroredColor:u.errorText},h={headerTextColor:u.menuHeader,dividerBorderColor:u.bodyDivider},g={selectors:(n={},n[P.qJ]={color:"GrayText"},n)},f=[{color:u.inputPlaceholderText},g],v=[{color:u.inputTextHovered},g],b=[{color:u.disabledText},g],y=(0,s.pi)((0,s.pi)({color:"HighlightText",backgroundColor:"Window"},(0,P.xM)()),{selectors:{":after":{borderColor:"Highlight"}}}),_=(0,P.$Y)(m.borderPressedColor,p.roundedCorner2,"border",0),C={container:{},label:{},labelDisabled:{},root:[e.fonts.medium,{boxShadow:"none",marginLeft:"0",paddingRight:32,paddingLeft:9,color:m.textColor,position:"relative",outline:"0",userSelect:"none",backgroundColor:m.backgroundColor,cursor:"text",display:"block",height:32,whiteSpace:"nowrap",textOverflow:"ellipsis",boxSizing:"border-box",selectors:{".ms-Label":{display:"inline-block",marginBottom:"8px"},"&.is-open":{selectors:(r={},r[P.qJ]=y,r)},":after":{pointerEvents:"none",content:"''",position:"absolute",left:0,top:0,bottom:0,right:0,borderWidth:"1px",borderStyle:"solid",borderColor:m.borderColor,borderRadius:p.roundedCorner2}}}],rootHovered:{selectors:(i={":after":{borderColor:m.borderHoveredColor},".ms-ComboBox-Input":[{color:u.inputTextHovered},(0,P.Sv)(v),B]},i[P.qJ]=(0,s.pi)((0,s.pi)({color:"HighlightText",backgroundColor:"Window"},(0,P.xM)()),{selectors:{":after":{borderColor:"Highlight"}}}),i)},rootPressed:[{position:"relative",selectors:(a={},a[P.qJ]=y,a)}],rootFocused:[{selectors:(l={".ms-ComboBox-Input":[{color:u.inputTextHovered},B]},l[P.qJ]=y,l)},_],rootDisabled:R(e),rootError:{selectors:{":after":{borderColor:m.erroredColor},":hover:after":{borderColor:u.inputBorderHovered}}},rootDisallowFreeForm:{},input:[(0,P.Sv)(f),{backgroundColor:m.backgroundColor,color:m.textColor,boxSizing:"border-box",width:"100%",height:"100%",borderStyle:"none",outline:"none",font:"inherit",textOverflow:"ellipsis",padding:"0",selectors:{"::-ms-clear":{display:"none"}}},B],inputDisabled:[R(e),(0,P.Sv)(b)],errorMessage:[e.fonts.small,{color:m.erroredColor,marginTop:"5px"}],callout:{boxShadow:p.elevation8},optionsContainerWrapper:{width:o},optionsContainer:{display:"block"},screenReaderText:P.ul,header:[d.medium,{fontWeight:P.lq.semibold,color:h.headerTextColor,backgroundColor:"none",borderStyle:"none",height:36,lineHeight:36,cursor:"default",padding:"0 8px",userSelect:"none",textAlign:"left",selectors:(c={},c[P.qJ]=(0,s.pi)({color:"GrayText"},(0,P.xM)()),c)}],divider:{height:1,backgroundColor:h.dividerBorderColor}};return(0,P.E$)(C,t)})),z=(0,M.NF)((function(e,t,o,n,r,i,a,s){return{container:(0,P.y0)("ms-ComboBox-container",t,e.container),label:(0,P.y0)(e.label,n&&e.labelDisabled),root:(0,P.y0)("ms-ComboBox",s?e.rootError:o&&"is-open",r&&"is-required",e.root,!a&&e.rootDisallowFreeForm,s&&!i?e.rootError:!n&&i&&e.rootFocused,!n&&{selectors:{":hover":s?e.rootError:!o&&!i&&e.rootHovered,":active":s?e.rootError:e.rootPressed,":focus":s?e.rootError:e.rootFocused}},n&&["is-disabled",e.rootDisabled]),input:(0,P.y0)("ms-ComboBox-Input",e.input,n&&e.inputDisabled),errorMessage:(0,P.y0)(e.errorMessage),callout:(0,P.y0)("ms-ComboBox-callout",e.callout),optionsContainerWrapper:(0,P.y0)("ms-ComboBox-optionsContainerWrapper",e.optionsContainerWrapper),optionsContainer:(0,P.y0)("ms-ComboBox-optionsContainer",e.optionsContainer),header:(0,P.y0)("ms-ComboBox-header",e.header),divider:(0,P.y0)("ms-ComboBox-divider",e.divider),screenReaderText:(0,P.y0)(e.screenReaderText)}})),H=(0,M.NF)((function(e){return{optionText:(0,P.y0)("ms-ComboBox-optionText",e.optionText),root:(0,P.y0)("ms-ComboBox-option",e.root,{selectors:{":hover":e.rootHovered,":focus":e.rootFocused,":active":e.rootPressed}}),optionTextWrapper:(0,P.y0)(e.optionTextWrapper)}})),O=o(2052),W=o(2703),V=o(5515),K=o(5758),q=o(990),G=o(9241);!function(e){e[e.backward=-1]="backward",e[e.none=0]="none",e[e.forward=1]="forward"}(i||(i={})),function(e){e[e.clearAll=-2]="clearAll",e[e.default=-1]="default"}(a||(a={}));var U=l.memo((function(e){return(0,e.render)()}),(function(e,t){e.render;var o=(0,s._T)(e,["render"]),n=(t.render,(0,s._T)(t,["render"]));return(0,u.Vv)(o,n)})),j="ComboBox",J={options:[],allowFreeform:!1,autoComplete:"on",buttonIconProps:{iconName:"ChevronDown"}};var Y=l.forwardRef((function(e,t){var o=(0,d.j)(J,e),n=(o.ref,(0,s._T)(o,["ref"])),r=l.useRef(null),i=(0,G.r)(r,t),a=function(e){var t=e.options,o=e.defaultSelectedKey,n=e.selectedKey,r=l.useState((function(){return X(t,function(e,t){var o=Q(e);return o.length?o:Q(t)}(o,n))})),i=r[0],a=r[1],s=l.useState(t),c=s[0],u=s[1],d=l.useState(),p=d[0],m=d[1];return l.useEffect((function(){if(void 0!==n){var e=Q(n),o=X(t,e);a(o)}u(t)}),[t,n]),l.useEffect((function(){null===n&&m(void 0)}),[n]),[i,a,c,u,p,m]}(n),c=a[0],u=a[1],p=a[2],m=a[3],h=a[4],g=a[5];return l.createElement(Z,(0,s.pi)({},n,{hoisted:{mergedRootRef:i,rootRef:r,selectedIndices:c,setSelectedIndices:u,currentOptions:p,setCurrentOptions:m,suggestedDisplayValue:h,setSuggestedDisplayValue:g}}))}));Y.displayName=j;var Z=function(e){function t(t){var o=e.call(this,t)||this;return o._autofill=l.createRef(),o._comboBoxWrapper=l.createRef(),o._comboBoxMenu=l.createRef(),o._selectedElement=l.createRef(),o.focus=function(e,t){o._autofill.current&&(t?(0,p.um)(o._autofill.current):o._autofill.current.focus(),e&&o.setState({isOpen:!0})),o._hasFocus()||o.setState({focusState:"focused"})},o.dismissMenu=function(){o.state.isOpen&&o.setState({isOpen:!1})},o._onUpdateValueInAutofillWillReceiveProps=function(){var e=o._autofill.current;if(!e)return null;if(null===e.value||void 0===e.value)return null;var t=$(o._currentVisibleValue);return e.value!==t?t:e.value},o._renderComboBoxWrapper=function(e,t){var n=o.props,r=n.label,i=n.disabled,a=n.ariaLabel,u=n.ariaDescribedBy,d=n.required,p=n.errorMessage,h=n.buttonIconProps,g=n.isButtonAriaHidden,f=void 0===g||g,v=n.title,b=n.placeholder,y=n.tabIndex,_=n.autofill,C=n.iconButtonProps,S=n.hoisted.suggestedDisplayValue,x=o.state.isOpen,k=o._hasFocus()&&o.props.multiSelect&&e?e:b;return l.createElement("div",{"data-ktp-target":!0,ref:o._comboBoxWrapper,id:o._id+"wrapper",className:o._classNames.root},l.createElement(c.G,(0,s.pi)({"data-ktp-execute-target":!0,"data-is-interactable":!i,componentRef:o._autofill,id:o._id+"-input",className:o._classNames.input,type:"text",onFocus:o._onFocus,onBlur:o._onBlur,onKeyDown:o._onInputKeyDown,onKeyUp:o._onInputKeyUp,onClick:o._onAutofillClick,onTouchStart:o._onTouchStart,onInputValueChange:o._onInputChange,"aria-expanded":x,"aria-autocomplete":o._getAriaAutoCompleteValue(),role:"combobox",readOnly:i,"aria-labelledby":r&&o._id+"-label","aria-label":a&&!r?a:void 0,"aria-describedby":void 0!==p?(0,m.I)(u,t):u,"aria-activedescendant":o._getAriaActiveDescendantValue(),"aria-required":d,"aria-disabled":i,"aria-owns":x?o._id+"-list":void 0,spellCheck:!1,defaultVisibleValue:o._currentVisibleValue,suggestedDisplayValue:S,updateValueInWillReceiveProps:o._onUpdateValueInAutofillWillReceiveProps,shouldSelectFullInputValueInComponentDidUpdate:o._onShouldSelectFullInputValueInAutofillComponentDidUpdate,title:v,preventValueSelection:!o._hasFocus(),placeholder:k,tabIndex:y},_)),l.createElement(K.h,(0,s.pi)({className:"ms-ComboBox-CaretDown-button",styles:o._getCaretButtonStyles(),role:"presentation","aria-hidden":f,"data-is-focusable":!1,tabIndex:-1,onClick:o._onComboBoxClick,onBlur:o._onBlur,iconProps:h,disabled:i,checked:x},C)))},o._onShouldSelectFullInputValueInAutofillComponentDidUpdate=function(){return o._currentVisibleValue===o.props.hoisted.suggestedDisplayValue},o._getVisibleValue=function(){var e=o.props,t=e.text,n=e.allowFreeform,r=e.autoComplete,i=e.hoisted,a=i.suggestedDisplayValue,s=i.selectedIndices,l=i.currentOptions,c=o.state,u=c.currentPendingValueValidIndex,d=c.currentPendingValue,p=c.isOpen,m=ee(l,u);if((!p||!m)&&t&&null==d)return t;if(o.props.multiSelect){if(o._hasFocus()){var h=-1;return"on"===r&&m&&(h=u),o._getPendingString(d,l,h)}return o._getMultiselectDisplayString(s,l,a)}return h=o._getFirstSelectedIndex(),n?("on"===r&&m&&(h=u),o._getPendingString(d,l,h)):m&&"on"===r?(h=u,$(d)):!o.state.isOpen&&d?ee(l,h)?d:$(a):ee(l,h)?l[h].text:$(a)},o._onInputChange=function(e){o.props.disabled?o._handleInputWhenDisabled(null):o.props.allowFreeform?o._processInputChangeWithFreeform(e):o._processInputChangeWithoutFreeform(e)},o._onFocus=function(){var e,t;null===(t=null===(e=o._autofill.current)||void 0===e?void 0:e.inputElement)||void 0===t||t.select(),o._hasFocus()||o.setState({focusState:"focusing"})},o._onResolveOptions=function(){if(o.props.onResolveOptions){var e=o.props.onResolveOptions((0,s.pr)(o.props.hoisted.currentOptions));if(Array.isArray(e))o.props.hoisted.setCurrentOptions(e);else if(e&&e.then){var t=o._currentPromise=e;t.then((function(e){t===o._currentPromise&&o.props.hoisted.setCurrentOptions(e)}))}}},o._onBlur=function(e){var t,n,r=e.relatedTarget;if(null===e.relatedTarget&&(r=document.activeElement),r){var i=null===(t=o.props.hoisted.rootRef.current)||void 0===t?void 0:t.contains(r),a=null===(n=o._comboBoxMenu.current)||void 0===n?void 0:n.contains(r),s=o._comboBoxMenu.current&&(0,h.X)(o._comboBoxMenu.current,(function(e){return e===r}));if(i||a||s)return s&&o._hasFocus()&&(!o.props.multiSelect||o.props.allowFreeform)&&o._submitPendingValue(e),e.preventDefault(),void e.stopPropagation()}o._hasFocus()&&(o.setState({focusState:"none"}),o.props.multiSelect&&!o.props.allowFreeform||o._submitPendingValue(e))},o._onRenderContainer=function(e){var t,n,r=e.onRenderList,i=e.calloutProps,a=e.dropdownWidth,c=e.dropdownMaxWidth,u=e.onRenderUpperContent,d=void 0===u?o._onRenderUpperContent:u,p=e.onRenderLowerContent,m=void 0===p?o._onRenderLowerContent:p,h=e.useComboBoxAsMenuWidth,f=e.persistMenu,v=e.shouldRestoreFocus,b=void 0===v||v,y=o.state.isOpen,_=h&&o._comboBoxWrapper.current?o._comboBoxWrapper.current.clientWidth+2:void 0;return l.createElement(D.U,(0,s.pi)({isBeakVisible:!1,gapSpace:0,doNotLayer:!1,directionalHint:T.b.bottomLeftEdge,directionalHintFixed:!1},i,{onLayerMounted:o._onLayerMounted,className:(0,g.i)(o._classNames.callout,null===(t=i)||void 0===t?void 0:t.className),target:o._comboBoxWrapper.current,onDismiss:o._onDismiss,onMouseDown:o._onCalloutMouseDown,onScroll:o._onScroll,setInitialFocus:!1,calloutWidth:h&&o._comboBoxWrapper.current?_&&_:a,calloutMaxWidth:c||_,hidden:f?!y:void 0,shouldRestoreFocus:b}),d(o.props,o._onRenderUpperContent),l.createElement("div",{className:o._classNames.optionsContainerWrapper,ref:o._comboBoxMenu},null===(n=r)||void 0===n?void 0:n((0,s.pi)({},e),o._onRenderList)),m(o.props,o._onRenderLowerContent))},o._onLayerMounted=function(){o._onCalloutLayerMounted(),o.props.calloutProps&&o.props.calloutProps.onLayerMounted&&o.props.calloutProps.onLayerMounted()},o._onRenderLabel=function(e){var t=e.props,n=t.label,r=t.disabled,i=t.required;return n?l.createElement(O._,{id:o._id+"-label",disabled:r,required:i,className:o._classNames.label},n,e.multiselectAccessibleText&&l.createElement("span",{className:o._classNames.screenReaderText},e.multiselectAccessibleText)):null},o._onRenderList=function(e){var t=e.onRenderItem,n=e.options,r=o._id;return l.createElement("div",{id:r+"-list",className:o._classNames.optionsContainer,"aria-labelledby":r+"-label",role:"listbox"},n.map((function(e){var n;return null===(n=t)||void 0===n?void 0:n(e,o._onRenderItem)})))},o._onRenderItem=function(e){switch(e.itemType){case W.F.Divider:return o._renderSeparator(e);case W.F.Header:return o._renderHeader(e);default:return o._renderOption(e)}},o._onRenderLowerContent=function(){return null},o._onRenderUpperContent=function(){return null},o._renderOption=function(e){var t=o.props.onRenderOption,n=void 0===t?o._onRenderOptionContent:t,r=o._id,i=o._isOptionSelected(e.index),a=o._isOptionChecked(e.index),c=o._getCurrentOptionStyles(e),u=H(o._getCurrentOptionStyles(e)),d=oe(e),p=function(){return n(e,o._onRenderOptionContent)};return l.createElement(U,{key:e.key,index:e.index,disabled:e.disabled,isSelected:i,isChecked:a,text:e.text,render:function(){return o.props.multiSelect?l.createElement(E.X,{id:r+"-list"+e.index,ariaLabel:oe(e),key:e.key,styles:c,className:"ms-ComboBox-option",onChange:o._onItemClick(e),label:e.text,checked:a,title:d,disabled:e.disabled,onRenderLabel:p,inputProps:(0,s.pi)({"aria-selected":a?"true":"false",role:"option"},{"data-index":e.index,"data-is-focusable":!0})}):l.createElement(q.M,{id:r+"-list"+e.index,key:e.key,"data-index":e.index,styles:c,checked:i,className:"ms-ComboBox-option",onClick:o._onItemClick(e),onMouseEnter:o._onOptionMouseEnter.bind(o,e.index),onMouseMove:o._onOptionMouseMove.bind(o,e.index),onMouseLeave:o._onOptionMouseLeave,role:"option","aria-selected":a?"true":"false",ariaLabel:oe(e),disabled:e.disabled,title:d},l.createElement("span",{className:u.optionTextWrapper,ref:i?o._selectedElement:void 0},n(e,o._onRenderOptionContent)))},data:e.data})},o._onCalloutMouseDown=function(e){e.preventDefault()},o._onScroll=function(){o._isScrollIdle||void 0===o._scrollIdleTimeoutId?o._isScrollIdle=!1:(o._async.clearTimeout(o._scrollIdleTimeoutId),o._scrollIdleTimeoutId=void 0),o._scrollIdleTimeoutId=o._async.setTimeout((function(){o._isScrollIdle=!0}),250)},o._onRenderOptionContent=function(e){var t=H(o._getCurrentOptionStyles(e));return l.createElement("span",{className:t.optionText},e.text)},o._onDismiss=function(){var e=o.props.onMenuDismiss;e&&e(),o.props.persistMenu&&o._onCalloutLayerMounted(),o._setOpenStateAndFocusOnClose(!1,!1),o._resetSelectedIndex()},o._onAfterClearPendingInfo=function(){o._processingClearPendingInfo=!1},o._onInputKeyDown=function(e){var t=o.props,n=t.disabled,r=t.allowFreeform,s=t.autoComplete,l=t.hoisted.currentOptions,c=o.state,u=c.isOpen,d=c.currentPendingValueValidIndexOnHover;if(o._lastKeyDownWasAltOrMeta=ne(e),n)o._handleInputWhenDisabled(e);else{var p=o._getPendingSelectedIndex(!1);switch(e.which){case f.m.enter:o._autofill.current&&o._autofill.current.inputElement&&o._autofill.current.inputElement.select(),o._submitPendingValue(e),o.props.multiSelect&&u?o.setState({currentPendingValueValidIndex:p}):(u||(!r||void 0===o.state.currentPendingValue||null===o.state.currentPendingValue||o.state.currentPendingValue.length<=0)&&o.state.currentPendingValueValidIndex<0)&&o.setState({isOpen:!u});break;case f.m.tab:return o.props.multiSelect||o._submitPendingValue(e),void(u&&o._setOpenStateAndFocusOnClose(!u,!1));case f.m.escape:if(o._resetSelectedIndex(),!u)return;o.setState({isOpen:!1});break;case f.m.up:if(d===a.clearAll&&(p=o.props.hoisted.currentOptions.length),e.altKey||e.metaKey){if(u){o._setOpenStateAndFocusOnClose(!u,!0);break}return}o._setPendingInfoFromIndexAndDirection(p,i.backward);break;case f.m.down:e.altKey||e.metaKey?o._setOpenStateAndFocusOnClose(!0,!0):(d===a.clearAll&&(p=-1),o._setPendingInfoFromIndexAndDirection(p,i.forward));break;case f.m.home:case f.m.end:if(r)return;p=-1;var m=i.forward;e.which===f.m.end&&(p=l.length,m=i.backward),o._setPendingInfoFromIndexAndDirection(p,m);break;case f.m.space:if(!r&&"off"===s)break;default:if(e.which>=112&&e.which<=123)return;if(e.keyCode===f.m.alt||"Meta"===e.key)return;if(!r&&"on"===s){o._onInputChange(e.key);break}return}e.stopPropagation(),e.preventDefault()}},o._onInputKeyUp=function(e){var t=o.props,n=t.disabled,r=t.allowFreeform,i=t.autoComplete,a=o.state.isOpen,s=o._lastKeyDownWasAltOrMeta&&ne(e);o._lastKeyDownWasAltOrMeta=!1;var l=s&&!((0,v.V)()||(0,b.g)());if(n)o._handleInputWhenDisabled(e);else switch(e.which){case f.m.space:return void(r||"off"!==i||o._setOpenStateAndFocusOnClose(!a,!!a));default:return void(l&&a?o._setOpenStateAndFocusOnClose(!a,!0):("focusing"===o.state.focusState&&o.props.openOnKeyboardFocus&&o.setState({isOpen:!0}),"focused"!==o.state.focusState&&o.setState({focusState:"focused"})))}},o._onOptionMouseLeave=function(){o._shouldIgnoreMouseEvent()||o.props.persistMenu&&!o.state.isOpen||o.setState({currentPendingValueValidIndexOnHover:a.clearAll})},o._onComboBoxClick=function(){var e=o.props.disabled,t=o.state.isOpen;e||(o._setOpenStateAndFocusOnClose(!t,!1),o.setState({focusState:"focused"}))},o._onAutofillClick=function(){var e=o.props,t=e.disabled;e.allowFreeform&&!t?o.focus(o.state.isOpen||o._processingTouch):o._onComboBoxClick()},o._onTouchStart=function(){o._comboBoxWrapper.current&&!("onpointerdown"in o._comboBoxWrapper)&&o._handleTouchAndPointerEvent()},o._onPointerDown=function(e){"touch"===e.pointerType&&(o._handleTouchAndPointerEvent(),e.preventDefault(),e.stopImmediatePropagation())},(0,y.l)(o),o._async=new _.e(o),o._events=new C.r(o),(0,S.L)(j,t,{defaultSelectedKey:"selectedKey",text:"defaultSelectedKey",selectedKey:"value",dropdownWidth:"useComboBoxAsMenuWidth"}),o._id=t.id||(0,x.z)("ComboBox"),o._isScrollIdle=!0,o._processingTouch=!1,o._gotMouseMove=!1,o._processingClearPendingInfo=!1,o.state={isOpen:!1,focusState:"none",currentPendingValueValidIndex:-1,currentPendingValue:void 0,currentPendingValueValidIndexOnHover:a.default},o}return(0,s.ZT)(t,e),Object.defineProperty(t.prototype,"selectedOptions",{get:function(){var e=this.props.hoisted,t=e.currentOptions,o=e.selectedIndices;return(0,V.t)(t,o)},enumerable:!0,configurable:!0}),t.prototype.componentDidMount=function(){this._comboBoxWrapper.current&&!this.props.disabled&&(this._events.on(this._comboBoxWrapper.current,"focus",this._onResolveOptions,!0),"onpointerdown"in this._comboBoxWrapper.current&&this._events.on(this._comboBoxWrapper.current,"pointerdown",this._onPointerDown,!0))},t.prototype.componentDidUpdate=function(e,t){var o=this,n=this.props,r=n.allowFreeform,i=n.text,a=n.onMenuOpen,s=n.onMenuDismissed,l=n.hoisted.selectedIndices,c=this.state,u=c.isOpen,d=c.currentPendingValueValidIndex;!u||t.isOpen&&t.currentPendingValueValidIndex===d||this._async.setTimeout((function(){return o._scrollIntoView()}),0),this._hasFocus()&&(u||t.isOpen&&!u&&this._focusInputAfterClose&&this._autofill.current&&document.activeElement!==this._autofill.current.inputElement)&&this.focus(void 0,!0),this._focusInputAfterClose&&(t.isOpen&&!u||this._hasFocus()&&(!u&&!this.props.multiSelect&&e.hoisted.selectedIndices&&l&&e.hoisted.selectedIndices[0]!==l[0]||!r||i!==e.text))&&this._onFocus(),this._notifyPendingValueChanged(t),u&&!t.isOpen&&a&&a(),!u&&t.isOpen&&s&&s()},t.prototype.componentWillUnmount=function(){this._async.dispose(),this._events.dispose()},t.prototype.render=function(){var e=this._id+"-error",t=this.props,o=t.className,n=t.disabled,r=t.required,i=t.errorMessage,a=t.onRenderContainer,c=void 0===a?this._onRenderContainer:a,u=t.onRenderLabel,d=void 0===u?this._onRenderLabel:u,p=t.onRenderList,m=void 0===p?this._onRenderList:p,h=t.onRenderItem,g=void 0===h?this._onRenderItem:h,f=t.onRenderOption,v=void 0===f?this._onRenderOptionContent:f,b=t.allowFreeform,y=t.styles,_=t.theme,C=t.persistMenu,S=t.multiSelect,x=t.hoisted,w=x.suggestedDisplayValue,I=x.selectedIndices,D=x.currentOptions,T=this.state.isOpen;this._currentVisibleValue=this._getVisibleValue();var E=S?this._getMultiselectDisplayString(I,D,w):void 0,P=(0,k.pq)(this.props,k.n7,["onChange","value"]),M=!!(i&&i.length>0);this._classNames=this.props.getClassNames?this.props.getClassNames(_,!!T,!!n,!!r,!!this._hasFocus(),!!b,!!M,o):z(A(_,y),o,!!T,!!n,!!r,!!this._hasFocus(),!!b,!!M);var R=this._renderComboBoxWrapper(E,e);return l.createElement("div",(0,s.pi)({},P,{ref:this.props.hoisted.mergedRootRef,className:this._classNames.container}),d({props:this.props,multiselectAccessibleText:E},this._onRenderLabel),R,(C||T)&&c((0,s.pi)((0,s.pi)({},this.props),{onRenderList:m,onRenderItem:g,onRenderOption:v,options:D.map((function(e,t){return(0,s.pi)((0,s.pi)({},e),{index:t})})),onDismiss:this._onDismiss}),this._onRenderContainer),l.createElement("div",(0,s.pi)({role:"region","aria-live":"polite","aria-atomic":"true",id:e},M?{className:this._classNames.errorMessage}:{"aria-hidden":!0}),void 0!==i?i:""))},t.prototype._getPendingString=function(e,t,o){return null!=e?e:ee(t,o)?t[o].text:""},t.prototype._getMultiselectDisplayString=function(e,t,o){for(var n=[],r=0;e&&r0){var a=oe(r[0]);i=a.toLocaleLowerCase()!==e?a:"",o=r[0].index}}else 1===(r=t.map((function(e,t){return(0,s.pi)((0,s.pi)({},e),{index:t})})).filter((function(t){return te(t)&&oe(t).toLocaleLowerCase()===e}))).length&&(o=r[0].index);this._setPendingInfo(n,o,i)},t.prototype._processInputChangeWithoutFreeform=function(e){var t=this,o=this.props.hoisted.currentOptions,n=this.state,r=n.currentPendingValue,i=n.currentPendingValueValidIndex;if("on"===this.props.autoComplete&&""!==e){this._autoCompleteTimeout&&(this._async.clearTimeout(this._autoCompleteTimeout),this._autoCompleteTimeout=void 0,e=$(r)+e);var a=e;e=e.toLocaleLowerCase();var l=o.map((function(e,t){return(0,s.pi)((0,s.pi)({},e),{index:t})})).filter((function(t){return te(t)&&0===t.text.toLocaleLowerCase().indexOf(e)}));return l.length>0&&this._setPendingInfo(a,l[0].index,oe(l[0])),void(this._autoCompleteTimeout=this._async.setTimeout((function(){t._autoCompleteTimeout=void 0}),1e3))}var c=i>=0?i:this._getFirstSelectedIndex();this._setPendingInfoFromIndex(c)},t.prototype._getFirstSelectedIndex=function(){var e,t=this.props.hoisted.selectedIndices;return(null===(e=t)||void 0===e?void 0:e.length)?t[0]:-1},t.prototype._getNextSelectableIndex=function(e,t){var o=this.props.hoisted.currentOptions,n=e+t;if(!ee(o,n=Math.max(0,Math.min(o.length-1,n))))return-1;var r=o[n];if(!te(r)||!0===r.hidden){if(t===i.none||!(n>0&&t=0&&ni.none))return e;n=this._getNextSelectableIndex(n,t)}return n},t.prototype._setSelectedIndex=function(e,t,o){void 0===o&&(o=i.none);var n=this.props,r=n.onChange,a=n.onPendingValueChanged,l=n.hoisted,c=l.selectedIndices,u=l.currentOptions,d=c?c.slice():[];if(ee(u,e=this._getNextSelectableIndex(e,o))){if(this.props.multiSelect||d.length<1||1===d.length&&d[0]!==e){var p=(0,s.pi)({},u[e]);if(!p||p.disabled)return;if(this.props.multiSelect?(p.selected=void 0!==p.selected?!p.selected:d.indexOf(e)<0,p.selected&&d.indexOf(e)<0?d.push(e):!p.selected&&d.indexOf(e)>=0&&(d=d.filter((function(t){return t!==e})))):d[0]=e,t.persist(),this.props.selectedKey||null===this.props.selectedKey)this._hasPendingValue&&a&&(a(),this._hasPendingValue=!1),r&&r(t,p,e,void 0);else{var m=u.slice();m[e]=p,this.props.hoisted.setSelectedIndices(d),this.props.hoisted.setCurrentOptions(m),this._hasPendingValue&&a&&(a(),this._hasPendingValue=!1),r&&r(t,p,e,void 0)}}this.props.multiSelect&&this.state.isOpen||this._clearPendingInfo()}},t.prototype._submitPendingValue=function(e){var t,o,n,r=this.props,i=r.onChange,a=r.allowFreeform,s=r.autoComplete,l=r.multiSelect,c=r.hoisted,u=c.currentOptions,d=this.state,p=d.currentPendingValue,m=d.currentPendingValueValidIndex,h=d.currentPendingValueValidIndexOnHover,g=this.props.hoisted.selectedIndices;if(!this._processingClearPendingInfo){if(a){if(null==p)return void(h>=0&&(this._setSelectedIndex(h,e),this._clearPendingInfo()));if(ee(u,m)){var f=oe(u[m]).toLocaleLowerCase(),v=this._autofill.current;if(p.toLocaleLowerCase()===f||s&&0===f.indexOf(p.toLocaleLowerCase())&&(null===(t=v)||void 0===t?void 0:t.isValueSelected)&&p.length+(v.selectionEnd-v.selectionStart)===f.length||(null===(n=null===(o=v)||void 0===o?void 0:o.inputElement)||void 0===n?void 0:n.value.toLocaleLowerCase())===f){if(this._setSelectedIndex(m,e),l&&this.state.isOpen)return;return void this._clearPendingInfo()}}if(i)i&&i(e,void 0,void 0,p);else{var b={key:p||(0,x.z)(),text:$(p)};l&&(b.selected=!0);var y=u.concat([b]);g&&(l||(g=[]),g.push(y.length-1)),c.setCurrentOptions(y),c.setSelectedIndices(g)}}else m>=0?this._setSelectedIndex(m,e):h>=0&&this._setSelectedIndex(h,e);this._clearPendingInfo()}},t.prototype._onCalloutLayerMounted=function(){this._gotMouseMove=!1},t.prototype._renderSeparator=function(e){var t=e.index,o=e.key;return t&&t>0?l.createElement("div",{role:"separator",key:o,className:this._classNames.divider}):null},t.prototype._renderHeader=function(e){var t=this.props.onRenderOption,o=void 0===t?this._onRenderOptionContent:t;return l.createElement("div",{key:e.key,className:this._classNames.header},o(e,this._onRenderOptionContent))},t.prototype._isOptionSelected=function(e){return this.state.currentPendingValueValidIndexOnHover!==a.clearAll&&this._getPendingSelectedIndex(!0)===e},t.prototype._isOptionChecked=function(e){return!(!this.props.multiSelect||void 0===e||!this.props.hoisted.selectedIndices)&&this.props.hoisted.selectedIndices.indexOf(e)>=0},t.prototype._getPendingSelectedIndex=function(e){var t=this.state,o=t.currentPendingValueValidIndexOnHover,n=t.currentPendingValueValidIndex,r=t.currentPendingValue;return o>=0?o:n>=0||e&&null!=r?n:this.props.multiSelect?0:this._getFirstSelectedIndex()},t.prototype._scrollIntoView=function(){var e=this.props,t=e.onScrollToItem,o=e.scrollSelectedToTop,n=this.state,r=n.currentPendingValueValidIndex,i=n.currentPendingValue;if(t)t(r>=0||""!==i?r:this._getFirstSelectedIndex());else if(this._selectedElement.current&&this._selectedElement.current.offsetParent)if(o)this._selectedElement.current.offsetParent.scrollIntoView(!0);else{var a=!0;if(this._comboBoxMenu.current&&this._comboBoxMenu.current.offsetParent){var s=this._comboBoxMenu.current.offsetParent.getBoundingClientRect(),l=this._selectedElement.current.offsetParent.getBoundingClientRect();if(s.top<=l.top&&s.top+s.height>=l.top+l.height)return;s.top+s.height<=l.top+l.height&&(a=!1)}this._selectedElement.current.offsetParent.scrollIntoView(a)}},t.prototype._onItemClick=function(e){var t=this,o=this.props.onItemClick,n=e.index;return function(r){t.props.multiSelect||(t._autofill.current&&t._autofill.current.focus(),t.setState({isOpen:!1})),o&&o(r,e,n),t._setSelectedIndex(n,r)}},t.prototype._resetSelectedIndex=function(){var e=this.props.hoisted.currentOptions;this._clearPendingInfo();var t=this._getFirstSelectedIndex();t>0&&t=0&&e=o.length-1?e=-1:t===i.backward&&e<=0&&(e=o.length);var n=this._getNextSelectableIndex(e,t);e===n?t===i.forward?e=this._getNextSelectableIndex(-1,t):t===i.backward&&(e=this._getNextSelectableIndex(o.length,t)):e=n,ee(o,e)&&this._setPendingInfoFromIndex(e)},t.prototype._notifyPendingValueChanged=function(e){var t=this.props.onPendingValueChanged;if(t){var o=this.props.hoisted.currentOptions,n=this.state,r=n.currentPendingValue,i=n.currentPendingValueValidIndex,a=n.currentPendingValueValidIndexOnHover,s=void 0,l=void 0;a!==e.currentPendingValueValidIndexOnHover&&ee(o,a)?s=a:i!==e.currentPendingValueValidIndex&&ee(o,i)?s=i:r!==e.currentPendingValue&&(l=r),(void 0!==s||void 0!==l||this._hasPendingValue)&&(t(void 0!==s?o[s]:void 0,s,l),this._hasPendingValue=void 0!==s||void 0!==l)}},t.prototype._setOpenStateAndFocusOnClose=function(e,t){this._focusInputAfterClose=t,this.setState({isOpen:e})},t.prototype._onOptionMouseEnter=function(e){this._shouldIgnoreMouseEvent()||this.setState({currentPendingValueValidIndexOnHover:e})},t.prototype._onOptionMouseMove=function(e){this._gotMouseMove=!0,this._isScrollIdle&&this.state.currentPendingValueValidIndexOnHover!==e&&this.setState({currentPendingValueValidIndexOnHover:e})},t.prototype._shouldIgnoreMouseEvent=function(){return!this._isScrollIdle||!this._gotMouseMove},t.prototype._handleInputWhenDisabled=function(e){this.props.disabled&&(this.state.isOpen&&this.setState({isOpen:!1}),null!==e&&e.which!==f.m.tab&&e.which!==f.m.escape&&(e.which<112||e.which>123)&&(e.stopPropagation(),e.preventDefault()))},t.prototype._handleTouchAndPointerEvent=function(){var e=this;void 0!==this._lastTouchTimeoutId&&(this._async.clearTimeout(this._lastTouchTimeoutId),this._lastTouchTimeoutId=void 0),this._processingTouch=!0,this._lastTouchTimeoutId=this._async.setTimeout((function(){e._processingTouch=!1,e._lastTouchTimeoutId=void 0}),500)},t.prototype._getCaretButtonStyles=function(){var e=this.props.caretDownButtonStyles;return L(this.props.theme,e)},t.prototype._getCurrentOptionStyles=function(e){var t=this.props.comboBoxOptionStyles,o=e.styles;return F(this.props.theme,t,o,this._isPendingOption(e),e.hidden)},t.prototype._getAriaActiveDescendantValue=function(){var e,t=this.props.hoisted.selectedIndices,o=this.state,n=o.isOpen,r=o.currentPendingValueValidIndex,i=n&&(null===(e=t)||void 0===e?void 0:e.length)?this._id+"-list"+t[0]:void 0;return n&&this._hasFocus()&&-1!==r&&(i=this._id+"-list"+r),i},t.prototype._getAriaAutoCompleteValue=function(){return this.props.disabled||"on"!==this.props.autoComplete?"none":this.props.allowFreeform?"inline":"both"},t.prototype._isPendingOption=function(e){return e&&e.index===this.state.currentPendingValueValidIndex},t.prototype._hasFocus=function(){return"none"!==this.state.focusState},(0,s.gn)([(0,w.a)("ComboBox",["theme","styles"],!0)],t)}(l.Component);function X(e,t){if(!e||!t)return[];var o={};e.forEach((function(e,t){e.selected&&(o[t]=!0)}));for(var n=function(t){var n=(0,I.cx)(e,(function(e){return e.key===t}));n>-1&&(o[n]=!0)},r=0,i=t;r=0&&t{"use strict";o.d(t,{MK:()=>Y,Hl:()=>j,Nb:()=>U});var n=o(7622),r=o(7002),i=r.createContext({}),a=o(5183),s=o(6628),l=o(7023),c=o(2998),u=o(7300),d=o(5094),p=o(63),m=o(8145),h=o(6479),g=o(8936),f=o(5951),v=o(4553),b=o(2167),y=o(9919),_=o(688),C=o(3129),S=o(2782),x=o(2447),k=o(8088),w=o(8127),I=o(2240),D=o(5953),T=o(6662),E=o(9577),P=function(e){function t(t){var o=e.call(this,t)||this;return o._onItemMouseEnter=function(e){var t=o.props,n=t.item,r=t.onItemMouseEnter;r&&r(n,e,e.currentTarget)},o._onItemClick=function(e){var t=o.props,n=t.item,r=t.onItemClickBase;r&&r(n,e,e.currentTarget)},o._onItemMouseLeave=function(e){var t=o.props,n=t.item,r=t.onItemMouseLeave;r&&r(n,e)},o._onItemKeyDown=function(e){var t=o.props,n=t.item,r=t.onItemKeyDown;r&&r(n,e)},o._onItemMouseMove=function(e){var t=o.props,n=t.item,r=t.onItemMouseMove;r&&r(n,e,e.currentTarget)},o._getSubmenuTarget=function(){},(0,_.l)(o),o}return(0,n.ZT)(t,e),t.prototype.shouldComponentUpdate=function(e){return!(0,x.Vv)(e,this.props)},t}(r.Component),M=o(9949),R=function(e){function t(){var t=null!==e&&e.apply(this,arguments)||this;return t._anchor=r.createRef(),t._getMemoizedMenuButtonKeytipProps=(0,d.NF)((function(e){return(0,n.pi)((0,n.pi)({},e),{hasMenu:!0})})),t._getSubmenuTarget=function(){return t._anchor.current?t._anchor.current:void 0},t._onItemClick=function(e){var o=t.props,n=o.item,r=o.onItemClick;r&&r(n,e)},t._renderAriaDescription=function(e,o){return e?r.createElement("span",{id:t._ariaDescriptionId,className:o},e):null},t}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this,t=this.props,o=t.item,i=t.classNames,a=t.index,s=t.focusableElementIndex,l=t.totalItemCount,c=t.hasCheckmarks,u=t.hasIcons,d=t.contextualMenuItemAs,p=void 0===d?T.W:d,m=t.expandedMenuItemKey,h=t.onItemClick,g=t.openSubMenu,f=t.dismissSubMenu,v=t.dismissMenu,b=o.rel;o.target&&"_blank"===o.target.toLowerCase()&&(b=b||"nofollow noopener noreferrer");var y=(0,I.Df)(o),_=(0,w.pq)(o,w.h2),C=(0,I.P_)(o),x=o.itemProps,k=o.ariaDescription,D=o.keytipProps;D&&y&&(D=this._getMemoizedMenuButtonKeytipProps(D)),k&&(this._ariaDescriptionId=(0,S.z)());var P=(0,E.I)(o.ariaDescribedBy,k?this._ariaDescriptionId:void 0,_["aria-describedby"]),R={"aria-describedby":P};return r.createElement("div",null,r.createElement(M.a,{keytipProps:o.keytipProps,ariaDescribedBy:P,disabled:C},(function(t){return r.createElement("a",(0,n.pi)({},R,_,t,{ref:e._anchor,href:o.href,target:o.target,rel:b,className:i.root,role:"menuitem","aria-haspopup":y||void 0,"aria-expanded":y?o.key===m:void 0,"aria-posinset":s+1,"aria-setsize":l,"aria-disabled":(0,I.P_)(o),style:o.style,onClick:e._onItemClick,onMouseEnter:e._onItemMouseEnter,onMouseLeave:e._onItemMouseLeave,onMouseMove:e._onItemMouseMove,onKeyDown:y?e._onItemKeyDown:void 0}),r.createElement(p,(0,n.pi)({componentRef:o.componentRef,item:o,classNames:i,index:a,onCheckmarkClick:c&&h?h:void 0,hasIcons:u,openSubMenu:g,dismissSubMenu:f,dismissMenu:v,getSubmenuTarget:e._getSubmenuTarget},x)),e._renderAriaDescription(k,i.screenReaderText))})))},t}(P),N=function(e){function t(){var t=null!==e&&e.apply(this,arguments)||this;return t._btn=r.createRef(),t._getMemoizedMenuButtonKeytipProps=(0,d.NF)((function(e){return(0,n.pi)((0,n.pi)({},e),{hasMenu:!0})})),t._renderAriaDescription=function(e,o){return e?r.createElement("span",{id:t._ariaDescriptionId,className:o},e):null},t._getSubmenuTarget=function(){return t._btn.current?t._btn.current:void 0},t}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this,t=this.props,o=t.item,i=t.classNames,a=t.index,s=t.focusableElementIndex,l=t.totalItemCount,c=t.hasCheckmarks,u=t.hasIcons,d=t.contextualMenuItemAs,p=void 0===d?T.W:d,m=t.expandedMenuItemKey,h=t.onItemMouseDown,g=t.onItemClick,f=t.openSubMenu,v=t.dismissSubMenu,b=t.dismissMenu,y=(0,I.E3)(o),_=null!==y,C=(0,I.JF)(o),x=(0,I.Df)(o),k=o.itemProps,D=o.ariaLabel,P=o.ariaDescription,R=(0,w.pq)(o,w.Yq);delete R.disabled;var N=o.role||C;P&&(this._ariaDescriptionId=(0,S.z)());var B=(0,E.I)(o.ariaDescribedBy,P?this._ariaDescriptionId:void 0,R["aria-describedby"]),F={className:i.root,onClick:this._onItemClick,onKeyDown:x?this._onItemKeyDown:void 0,onMouseEnter:this._onItemMouseEnter,onMouseLeave:this._onItemMouseLeave,onMouseDown:function(e){return h?h(o,e):void 0},onMouseMove:this._onItemMouseMove,href:o.href,title:o.title,"aria-label":D,"aria-describedby":B,"aria-haspopup":x||void 0,"aria-expanded":x?o.key===m:void 0,"aria-posinset":s+1,"aria-setsize":l,"aria-disabled":(0,I.P_)(o),"aria-checked":"menuitemcheckbox"!==N&&"menuitemradio"!==N||!_?void 0:!!y,"aria-selected":"menuitem"===N&&_?!!y:void 0,role:N,style:o.style},L=o.keytipProps;return L&&x&&(L=this._getMemoizedMenuButtonKeytipProps(L)),r.createElement(M.a,{keytipProps:L,ariaDescribedBy:B,disabled:(0,I.P_)(o)},(function(t){return r.createElement("button",(0,n.pi)({ref:e._btn},R,F,t),r.createElement(p,(0,n.pi)({componentRef:o.componentRef,item:o,classNames:i,index:a,onCheckmarkClick:c&&g?g:void 0,hasIcons:u,openSubMenu:f,dismissSubMenu:v,dismissMenu:b,getSubmenuTarget:e._getSubmenuTarget},k)),e._renderAriaDescription(P,i.screenReaderText))}))},t}(P),B=o(98),F=o(8386),L=function(e){function t(t){var o=e.call(this,t)||this;return o._getMemoizedMenuButtonKeytipProps=(0,d.NF)((function(e){return(0,n.pi)((0,n.pi)({},e),{hasMenu:!0})})),o._onItemKeyDown=function(e){var t=o.props,n=t.item,r=t.onItemKeyDown;e.which===m.m.enter?(o._executeItemClick(e),e.preventDefault(),e.stopPropagation()):r&&r(n,e)},o._getSubmenuTarget=function(){return o._splitButton},o._renderAriaDescription=function(e,t){return e?r.createElement("span",{id:o._ariaDescriptionId,className:t},e):null},o._onItemMouseEnterPrimary=function(e){var t=o.props,r=t.item,i=t.onItemMouseEnter;i&&i((0,n.pi)((0,n.pi)({},r),{subMenuProps:void 0,items:void 0}),e,o._splitButton)},o._onItemMouseEnterIcon=function(e){var t=o.props,n=t.item,r=t.onItemMouseEnter;r&&r(n,e,o._splitButton)},o._onItemMouseMovePrimary=function(e){var t=o.props,r=t.item,i=t.onItemMouseMove;i&&i((0,n.pi)((0,n.pi)({},r),{subMenuProps:void 0,items:void 0}),e,o._splitButton)},o._onItemMouseMoveIcon=function(e){var t=o.props,n=t.item,r=t.onItemMouseMove;r&&r(n,e,o._splitButton)},o._onIconItemClick=function(e){var t=o.props,n=t.item,r=t.onItemClickBase;r&&r(n,e,o._splitButton?o._splitButton:e.currentTarget)},o._executeItemClick=function(e){var t=o.props,n=t.item,r=t.executeItemClick,i=t.onItemClick;if(!n.disabled&&!n.isDisabled)return o._processingTouch&&i?i(n,e):void(r&&r(n,e))},o._onTouchStart=function(e){o._splitButton&&!("onpointerdown"in o._splitButton)&&o._handleTouchAndPointerEvent(e)},o._onPointerDown=function(e){"touch"===e.pointerType&&(o._handleTouchAndPointerEvent(e),e.preventDefault(),e.stopImmediatePropagation())},o._async=new b.e(o),o._events=new y.r(o),o}return(0,n.ZT)(t,e),t.prototype.componentDidMount=function(){this._splitButton&&"onpointerdown"in this._splitButton&&this._events.on(this._splitButton,"pointerdown",this._onPointerDown,!0)},t.prototype.componentWillUnmount=function(){this._async.dispose(),this._events.dispose()},t.prototype.render=function(){var e=this,t=this.props,o=t.item,i=t.classNames,a=t.index,s=t.focusableElementIndex,l=t.totalItemCount,c=t.hasCheckmarks,u=t.hasIcons,d=t.onItemMouseLeave,p=t.expandedMenuItemKey,m=(0,I.Df)(o),h=o.keytipProps;h&&(h=this._getMemoizedMenuButtonKeytipProps(h));var g=o.ariaDescription;return g&&(this._ariaDescriptionId=(0,S.z)()),r.createElement(M.a,{keytipProps:h,disabled:(0,I.P_)(o)},(function(t){return r.createElement("div",{"data-ktp-target":t["data-ktp-target"],ref:function(t){return e._splitButton=t},role:(0,I.JF)(o),"aria-label":o.ariaLabel,className:i.splitContainer,"aria-disabled":(0,I.P_)(o),"aria-expanded":m?o.key===p:void 0,"aria-haspopup":!0,"aria-describedby":(0,E.I)(o.ariaDescribedBy,g?e._ariaDescriptionId:void 0,t["aria-describedby"]),"aria-checked":o.isChecked||o.checked,"aria-posinset":s+1,"aria-setsize":l,onMouseEnter:e._onItemMouseEnterPrimary,onMouseLeave:d?d.bind(e,(0,n.pi)((0,n.pi)({},o),{subMenuProps:null,items:null})):void 0,onMouseMove:e._onItemMouseMovePrimary,onKeyDown:e._onItemKeyDown,onClick:e._executeItemClick,onTouchStart:e._onTouchStart,tabIndex:0,"data-is-focusable":!0,"aria-roledescription":o["aria-roledescription"]},e._renderSplitPrimaryButton(o,i,a,c,u),e._renderSplitDivider(o),e._renderSplitIconButton(o,i,a,t),e._renderAriaDescription(g,i.screenReaderText))}))},t.prototype._renderSplitPrimaryButton=function(e,t,o,i,a){var s=this.props,l=s.contextualMenuItemAs,c=void 0===l?T.W:l,u=s.onItemClick,d={key:e.key,disabled:(0,I.P_)(e)||e.primaryDisabled,name:e.name,text:e.text||e.name,secondaryText:e.secondaryText,className:t.splitPrimary,canCheck:e.canCheck,isChecked:e.isChecked,checked:e.checked,iconProps:e.iconProps,onRenderIcon:e.onRenderIcon,data:e.data,"data-is-focusable":!1},p=e.itemProps;return r.createElement("button",(0,n.pi)({},(0,w.pq)(d,w.Yq)),r.createElement(c,(0,n.pi)({"data-is-focusable":!1,item:d,classNames:t,index:o,onCheckmarkClick:i&&u?u:void 0,hasIcons:a},p)))},t.prototype._renderSplitDivider=function(e){var t=e.getSplitButtonVerticalDividerClassNames||B.Z;return r.createElement(F.p,{getClassNames:t})},t.prototype._renderSplitIconButton=function(e,t,o,i){var a=this.props,s=a.contextualMenuItemAs,l=void 0===s?T.W:s,c=a.onItemMouseLeave,u=a.onItemMouseDown,d=a.openSubMenu,p=a.dismissSubMenu,m=a.dismissMenu,h={onClick:this._onIconItemClick,disabled:(0,I.P_)(e),className:t.splitMenu,subMenuProps:e.subMenuProps,submenuIconProps:e.submenuIconProps,split:!0,key:e.key},g=(0,n.pi)((0,n.pi)({},(0,w.pq)(h,w.Yq)),{onMouseEnter:this._onItemMouseEnterIcon,onMouseLeave:c?c.bind(this,e):void 0,onMouseDown:function(t){return u?u(e,t):void 0},onMouseMove:this._onItemMouseMoveIcon,"data-is-focusable":!1,"data-ktp-execute-target":i["data-ktp-execute-target"],"aria-hidden":!0}),f=e.itemProps;return r.createElement("button",(0,n.pi)({},g),r.createElement(l,(0,n.pi)({componentRef:e.componentRef,item:h,classNames:t,index:o,hasIcons:!1,openSubMenu:d,dismissSubMenu:p,dismissMenu:m,getSubmenuTarget:this._getSubmenuTarget},f)))},t.prototype._handleTouchAndPointerEvent=function(e){var t=this,o=this.props.onTap;o&&o(e),this._lastTouchTimeoutId&&(this._async.clearTimeout(this._lastTouchTimeoutId),this._lastTouchTimeoutId=void 0),this._processingTouch=!0,this._lastTouchTimeoutId=this._async.setTimeout((function(){t._processingTouch=!1,t._lastTouchTimeoutId=void 0}),500)},t}(P),A=o(9729),z=o(6876),H=o(9241),O=o(2674),W=o(4126),V=o(9761),K=(0,u.y)(),q=(0,u.y)(),G={items:[],shouldFocusOnMount:!0,gapSpace:0,directionalHint:s.b.bottomAutoEdge,beakWidth:16};function U(e){return e.subMenuProps?e.subMenuProps.items:e.items}function j(e){return e.some((function(e){return!!e.canCheck||!(!e.sectionProps||!e.sectionProps.items.some((function(e){return!0===e.canCheck})))}))}var J=(0,d.NF)((function(){for(var e=[],t=0;t0){for(var $=0,ee=0,te=s;ee0?r.createElement("li",{role:"presentation",key:c.key||e.key||"section-"+o},r.createElement("div",(0,n.pi)({},d),r.createElement("ul",{className:this._classNames.list,role:"presentation"},c.topDivider&&this._renderSeparator(o,t,!0,!0),u&&this._renderListItem(u,e.key||o,t,e.title),c.items.map((function(e,t){return l._renderMenuItem(e,t,t,c.items.length,i,s)})),c.bottomDivider&&this._renderSeparator(o,t,!1,!0)))):void 0}},t.prototype._renderListItem=function(e,t,o,n){return r.createElement("li",{role:"presentation",title:n,key:t,className:o.item},e)},t.prototype._renderSeparator=function(e,t,o,n){return n||e>0?r.createElement("li",{role:"separator",key:"separator-"+e+(void 0===o?"":o?"-top":"-bottom"),className:t.divider,"aria-hidden":"true"}):null},t.prototype._renderNormalItem=function(e,t,o,r,i,a,s){return e.onRender?e.onRender((0,n.pi)({"aria-posinset":r+1,"aria-setsize":i},e),this.dismiss):e.href?this._renderAnchorMenuItem(e,t,o,r,i,a,s):e.split&&(0,I.Df)(e)?this._renderSplitButton(e,t,o,r,i,a,s):this._renderButtonItem(e,t,o,r,i,a,s)},t.prototype._renderHeaderMenuItem=function(e,t,o,i,a){var s=this.props.contextualMenuItemAs,l=void 0===s?T.W:s,c=e.itemProps,u=e.id,d=c&&(0,w.pq)(c,w.n7);return r.createElement("div",(0,n.pi)({id:u,className:this._classNames.header},d,{style:e.style}),r.createElement(l,(0,n.pi)({item:e,classNames:t,index:o,onCheckmarkClick:i?this._onItemClick:void 0,hasIcons:a},c)))},t.prototype._renderAnchorMenuItem=function(e,t,o,n,i,a,s){var l=this.props,c=l.contextualMenuItemAs,u=l.hoisted,d=u.expandedMenuItemKey,p=u.openSubMenu;return r.createElement(R,{item:e,classNames:t,index:o,focusableElementIndex:n,totalItemCount:i,hasCheckmarks:a,hasIcons:s,contextualMenuItemAs:c,onItemMouseEnter:this._onItemMouseEnterBase,onItemMouseLeave:this._onMouseItemLeave,onItemMouseMove:this._onItemMouseMoveBase,onItemMouseDown:this._onItemMouseDown,executeItemClick:this._executeItemClick,onItemClick:this._onAnchorClick,onItemKeyDown:this._onItemKeyDown,expandedMenuItemKey:d,openSubMenu:p,dismissSubMenu:this._onSubMenuDismiss,dismissMenu:this.dismiss})},t.prototype._renderButtonItem=function(e,t,o,n,i,a,s){var l=this.props,c=l.contextualMenuItemAs,u=l.hoisted,d=u.expandedMenuItemKey,p=u.openSubMenu;return r.createElement(N,{item:e,classNames:t,index:o,focusableElementIndex:n,totalItemCount:i,hasCheckmarks:a,hasIcons:s,contextualMenuItemAs:c,onItemMouseEnter:this._onItemMouseEnterBase,onItemMouseLeave:this._onMouseItemLeave,onItemMouseMove:this._onItemMouseMoveBase,onItemMouseDown:this._onItemMouseDown,executeItemClick:this._executeItemClick,onItemClick:this._onItemClick,onItemClickBase:this._onItemClickBase,onItemKeyDown:this._onItemKeyDown,expandedMenuItemKey:d,openSubMenu:p,dismissSubMenu:this._onSubMenuDismiss,dismissMenu:this.dismiss})},t.prototype._renderSplitButton=function(e,t,o,n,i,a,s){var l=this.props,c=l.contextualMenuItemAs,u=l.hoisted,d=u.expandedMenuItemKey,p=u.openSubMenu;return r.createElement(L,{item:e,classNames:t,index:o,focusableElementIndex:n,totalItemCount:i,hasCheckmarks:a,hasIcons:s,contextualMenuItemAs:c,onItemMouseEnter:this._onItemMouseEnterBase,onItemMouseLeave:this._onMouseItemLeave,onItemMouseMove:this._onItemMouseMoveBase,onItemMouseDown:this._onItemMouseDown,executeItemClick:this._executeItemClick,onItemClick:this._onItemClick,onItemClickBase:this._onItemClickBase,onItemKeyDown:this._onItemKeyDown,openSubMenu:p,dismissSubMenu:this._onSubMenuDismiss,dismissMenu:this.dismiss,expandedMenuItemKey:d,onTap:this._onPointerAndTouchEvent})},t.prototype._isAltOrMeta=function(e){return e.which===m.m.alt||"Meta"===e.key},t.prototype._shouldIgnoreMouseEvent=function(){return!this._isScrollIdle||!this.props.hoisted.gotMouseMove.current},t.prototype._updateFocusOnMouseEvent=function(e,t,o){var n=this,r=o||t.currentTarget,i=this.props,a=i.subMenuHoverDelay,s=void 0===a?250:a,l=i.hoisted,c=l.expandedMenuItemKey,u=l.openSubMenu;e.key!==c&&(void 0!==this._enterTimerId&&(this._async.clearTimeout(this._enterTimerId),this._enterTimerId=void 0),void 0===c&&r.focus(),(0,I.Df)(e)?(t.stopPropagation(),this._enterTimerId=this._async.setTimeout((function(){r.focus(),u(e,r,!0),n._enterTimerId=void 0}),s)):this._enterTimerId=this._async.setTimeout((function(){n._onSubMenuDismiss(t),r.focus(),n._enterTimerId=void 0}),s))},t.prototype._getSubmenuProps=function(){var e=this.props.hoisted,t=e.submenuTarget,o=e.expandedMenuItemKey,n=e.expandedByMouseClick,r=this._findItemByKey(o),i=null;return r&&(i={items:U(r),target:t,onDismiss:this._onSubMenuDismiss,isSubMenu:!0,id:this.state.subMenuId,shouldFocusOnMount:!0,shouldFocusOnContainer:n,directionalHint:(0,f.zg)(this.props.theme)?s.b.leftTopEdge:s.b.rightTopEdge,className:this.props.className,gapSpace:0,isBeakVisible:!1},r.subMenuProps&&(0,x.f0)(i,r.subMenuProps)),i},t.prototype._findItemByKey=function(e){var t=this.props.items;return this._findItemByKeyFromItems(e,t)},t.prototype._findItemByKeyFromItems=function(e,t){for(var o=0,n=t;o{"use strict";o.d(t,{RI:()=>p,Z:()=>c});var n=o(5094),r=o(9729),i=(0,n.NF)((function(e){return(0,r.ZC)({wrapper:{display:"inline-flex",height:"100%",alignItems:"center"},divider:{width:1,height:"100%",backgroundColor:e.palette.neutralTertiaryAlt}})})),a=o(668),s=o(6145),l=(0,r.sK)(0,r.yp),c=(0,n.NF)((function(e){var t;return(0,r.ZC)(i(e),{wrapper:{position:"absolute",right:28,selectors:(t={},t[l]={right:32},t)},divider:{height:16,width:1}})})),u={item:"ms-ContextualMenu-item",divider:"ms-ContextualMenu-divider",root:"ms-ContextualMenu-link",isChecked:"is-checked",isExpanded:"is-expanded",isDisabled:"is-disabled",linkContent:"ms-ContextualMenu-linkContent",linkContentMenu:"ms-ContextualMenu-linkContent",icon:"ms-ContextualMenu-icon",iconColor:"ms-ContextualMenu-iconColor",checkmarkIcon:"ms-ContextualMenu-checkmarkIcon",subMenuIcon:"ms-ContextualMenu-submenuIcon",label:"ms-ContextualMenu-itemText",secondaryText:"ms-ContextualMenu-secondaryText",splitMenu:"ms-ContextualMenu-splitMenu",screenReaderText:"ms-ContextualMenu-screenReaderText"},d=(0,n.NF)((function(e,t,o,n,i,l,c,d,p,m,h,g){var f,v,b,y,_=(0,a.w)(e),C=(0,r.Cn)(u,e);return(0,r.ZC)({item:[C.item,_.item,c],divider:[C.divider,_.divider,d],root:[C.root,_.root,n&&[C.isChecked,_.rootChecked],i&&_.anchorLink,o&&[C.isExpanded,_.rootExpanded],t&&[C.isDisabled,_.rootDisabled],!t&&!o&&[{selectors:(f={":hover":_.rootHovered,":active":_.rootPressed},f["."+s.G$+" &:focus, ."+s.G$+" &:focus:hover"]=_.rootFocused,f["."+s.G$+" &:hover"]={background:"inherit;"},f)}],g],splitPrimary:[_.root,{width:"calc(100% - 28px)"},n&&["is-checked",_.rootChecked],(t||h)&&["is-disabled",_.rootDisabled],!(t||h)&&!n&&[{selectors:(v={":hover":_.rootHovered},v[":hover ~ ."+C.splitMenu]=_.rootHovered,v[":active"]=_.rootPressed,v["."+s.G$+" &:focus, ."+s.G$+" &:focus:hover"]=_.rootFocused,v["."+s.G$+" &:hover"]={background:"inherit;"},v)}]],splitMenu:[C.splitMenu,_.root,{flexBasis:"0",padding:"0 8px",minWidth:"28px"},o&&["is-expanded",_.rootExpanded],t&&["is-disabled",_.rootDisabled],!t&&!o&&[{selectors:(b={":hover":_.rootHovered,":active":_.rootPressed},b["."+s.G$+" &:focus, ."+s.G$+" &:focus:hover"]=_.rootFocused,b["."+s.G$+" &:hover"]={background:"inherit;"},b)}]],anchorLink:_.anchorLink,linkContent:[C.linkContent,_.linkContent],linkContentMenu:[C.linkContentMenu,_.linkContent,{justifyContent:"center"}],icon:[C.icon,l&&_.iconColor,_.icon,p,t&&[C.isDisabled,_.iconDisabled]],iconColor:_.iconColor,checkmarkIcon:[C.checkmarkIcon,l&&_.checkmarkIcon,_.icon,p],subMenuIcon:[C.subMenuIcon,_.subMenuIcon,m,o&&{color:e.palette.neutralPrimary},t&&[_.iconDisabled]],label:[C.label,_.label],secondaryText:[C.secondaryText,_.secondaryText],splitContainer:[_.splitButtonFlexContainer,!t&&!n&&[{selectors:(y={},y["."+s.G$+" &:focus, ."+s.G$+" &:focus:hover"]=_.rootFocused,y)}]],screenReaderText:[C.screenReaderText,_.screenReaderText,r.ul,{visibility:"hidden"}]})})),p=function(e){var t=e.theme,o=e.disabled,n=e.expanded,r=e.checked,i=e.isAnchorLink,a=e.knownIcon,s=e.itemClassName,l=e.dividerClassName,c=e.iconClassName,u=e.subMenuClassName,p=e.primaryDisabled,m=e.className;return d(t,o,n,r,i,a,s,l,c,u,p,m)}},668:(e,t,o)=>{"use strict";o.d(t,{f:()=>a,w:()=>c});var n=o(7622),r=o(9729),i=o(5094),a=36,s=(0,r.sK)(0,r.yp),l=(0,i.NF)((function(){var e;return{selectors:(e={},e[r.qJ]=(0,n.pi)({backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},(0,r.xM)()),e)}})),c=(0,i.NF)((function(e){var t,o,i,c,u,d,p,m=e.semanticColors,h=e.fonts,g=e.palette,f=m.menuItemBackgroundHovered,v=m.menuItemTextHovered,b=m.menuItemBackgroundPressed,y=m.bodyDivider,_={item:[h.medium,{color:m.bodyText,position:"relative",boxSizing:"border-box"}],divider:{display:"block",height:"1px",backgroundColor:y,position:"relative"},root:[(0,r.GL)(e),h.medium,{color:m.bodyText,backgroundColor:"transparent",border:"none",width:"100%",height:a,lineHeight:a,display:"block",cursor:"pointer",padding:"0px 8px 0 4px",textAlign:"left"}],rootDisabled:{color:m.disabledBodyText,cursor:"default",pointerEvents:"none",selectors:(t={},t[r.qJ]=(0,n.pi)({color:"GrayText",opacity:1},(0,r.xM)()),t)},rootHovered:(0,n.pi)({backgroundColor:f,color:v,selectors:{".ms-ContextualMenu-icon":{color:g.themeDarkAlt},".ms-ContextualMenu-submenuIcon":{color:g.neutralPrimary}}},l()),rootFocused:(0,n.pi)({backgroundColor:g.white},l()),rootChecked:(0,n.pi)({selectors:{".ms-ContextualMenu-checkmarkIcon":{color:g.neutralPrimary}}},l()),rootPressed:(0,n.pi)({backgroundColor:b,selectors:{".ms-ContextualMenu-icon":{color:g.themeDark},".ms-ContextualMenu-submenuIcon":{color:g.neutralPrimary}}},l()),rootExpanded:(0,n.pi)({backgroundColor:b,color:m.bodyTextChecked},l()),linkContent:{whiteSpace:"nowrap",height:"inherit",display:"flex",alignItems:"center",maxWidth:"100%"},anchorLink:{padding:"0px 8px 0 4px",textRendering:"auto",color:"inherit",letterSpacing:"normal",wordSpacing:"normal",textTransform:"none",textIndent:"0px",textShadow:"none",textDecoration:"none",boxSizing:"border-box"},label:{margin:"0 4px",verticalAlign:"middle",display:"inline-block",flexGrow:"1",textOverflow:"ellipsis",overflow:"hidden",whiteSpace:"nowrap"},secondaryText:{color:e.palette.neutralSecondary,paddingLeft:"20px",textAlign:"right"},icon:{display:"inline-block",minHeight:"1px",maxHeight:a,fontSize:r.ld.medium,width:r.ld.medium,margin:"0 4px",verticalAlign:"middle",flexShrink:"0",selectors:(o={},o[s]={fontSize:r.ld.large,width:r.ld.large},o)},iconColor:{color:m.menuIcon,selectors:(i={},i[r.qJ]={color:"inherit"},i["$root:hover &"]={selectors:(c={},c[r.qJ]={color:"HighlightText"},c)},i["$root:focus &"]={selectors:(u={},u[r.qJ]={color:"HighlightText"},u)},i)},iconDisabled:{color:m.disabledBodyText},checkmarkIcon:{color:m.bodySubtext,selectors:(d={},d[r.qJ]={color:"HighlightText"},d)},subMenuIcon:{height:a,lineHeight:a,color:g.neutralSecondary,textAlign:"center",display:"inline-block",verticalAlign:"middle",flexShrink:"0",fontSize:r.ld.small,selectors:(p={":hover":{color:g.neutralPrimary},":active":{color:g.neutralPrimary}},p[s]={fontSize:r.ld.medium},p[r.qJ]={color:"HighlightText"},p)},splitButtonFlexContainer:[(0,r.GL)(e),{display:"flex",height:a,flexWrap:"nowrap",justifyContent:"center",alignItems:"flex-start"}]};return(0,r.E$)(_)}))},9134:(e,t,o)=>{"use strict";o.d(t,{r:()=>p});var n=o(7622),r=o(7002),i=o(2002),a=o(7817),s=o(9729),l=o(668),c={root:"ms-ContextualMenu",container:"ms-ContextualMenu-container",list:"ms-ContextualMenu-list",header:"ms-ContextualMenu-header",title:"ms-ContextualMenu-title",isopen:"is-open"};function u(e){return r.createElement(d,(0,n.pi)({},e))}var d=(0,i.z)(a.MK,(function(e){var t=e.className,o=e.theme,n=(0,s.Cn)(c,o),r=o.fonts,i=o.semanticColors,a=o.effects;return{root:[o.fonts.medium,n.root,n.isopen,{backgroundColor:i.menuBackground,minWidth:"180px"},t],container:[n.container,{selectors:{":focus":{outline:0}}}],list:[n.list,n.isopen,{listStyleType:"none",margin:"0",padding:"0"}],header:[n.header,r.small,{fontWeight:s.lq.semibold,color:i.menuHeader,background:"none",backgroundColor:"transparent",border:"none",height:l.f,lineHeight:l.f,cursor:"default",padding:"0px 6px",userSelect:"none",textAlign:"left"}],title:[n.title,{fontSize:r.mediumPlus.fontSize,paddingRight:"14px",paddingLeft:"14px",paddingBottom:"5px",paddingTop:"5px",backgroundColor:i.menuItemBackgroundPressed}],subComponentStyles:{callout:{root:{boxShadow:a.elevation8}},menuItem:{}}}}),(function(){return{onRenderSubMenu:u}}),{scope:"ContextualMenu"}),p=d;p.displayName="ContextualMenu"},5183:(e,t,o)=>{"use strict";var n;o.d(t,{n:()=>n}),function(e){e[e.Normal=0]="Normal",e[e.Divider=1]="Divider",e[e.Header=2]="Header",e[e.Section=3]="Section"}(n||(n={}))},1839:(e,t,o)=>{"use strict";o.d(t,{b:()=>h});var n=o(7622),r=o(7002),i=o(2240),a=o(5951),s=o(688),l=o(9947),c=function(e){var t=e.item,o=e.hasIcons,i=e.classNames,a=t.iconProps;return o?t.onRenderIcon?t.onRenderIcon(e):r.createElement(l.J,(0,n.pi)({},a,{className:i.icon})):null},u=function(e){var t=e.onCheckmarkClick,o=e.item,n=e.classNames,a=(0,i.E3)(o);return t?r.createElement(l.J,{iconName:!1!==o.canCheck&&a?"CheckMark":"",className:n.checkmarkIcon,onClick:function(e){return t(o,e)}}):null},d=function(e){var t=e.item,o=e.classNames;return t.text||t.name?r.createElement("span",{className:o.label},t.text||t.name):null},p=function(e){var t=e.item,o=e.classNames;return t.secondaryText?r.createElement("span",{className:o.secondaryText},t.secondaryText):null},m=function(e){var t=e.item,o=e.classNames,s=e.theme;return(0,i.Df)(t)?r.createElement(l.J,(0,n.pi)({iconName:(0,a.zg)(s)?"ChevronLeft":"ChevronRight"},t.submenuIconProps,{className:o.subMenuIcon})):null},h=function(e){function t(t){var o=e.call(this,t)||this;return o.openSubMenu=function(){var e=o.props,t=e.item,n=e.openSubMenu,r=e.getSubmenuTarget;if(r){var a=r();(0,i.Df)(t)&&n&&a&&n(t,a)}},o.dismissSubMenu=function(){var e=o.props,t=e.item,n=e.dismissSubMenu;(0,i.Df)(t)&&n&&n()},o.dismissMenu=function(e){var t=o.props.dismissMenu;t&&t(void 0,e)},(0,s.l)(o),o}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.item,o=e.classNames,n=t.onRenderContent||this._renderLayout;return r.createElement("div",{className:t.split?o.linkContentMenu:o.linkContent},n(this.props,{renderCheckMarkIcon:u,renderItemIcon:c,renderItemName:d,renderSecondaryText:p,renderSubMenuIcon:m}))},t.prototype._renderLayout=function(e,t){return r.createElement(r.Fragment,null,t.renderCheckMarkIcon(e),t.renderItemIcon(e),t.renderItemName(e),t.renderSecondaryText(e),t.renderSubMenuIcon(e))},t}(r.Component)},6662:(e,t,o)=>{"use strict";o.d(t,{W:()=>a});var n=o(2002),r=o(1839),i=o(98),a=(0,n.z)(r.b,i.RI,void 0,{scope:"ContextualMenuItem"})},6381:(e,t,o)=>{"use strict";o.d(t,{R:()=>x});var n=o(7622),r=o(7002),i=o(7300),a=o(63),s=o(8145),l=o(8127),c=o(8088),u=o(4977),d=o(1093),p=o(6974),m=o(5953),h=o(6628),g=o(8623),f=o(6007),v=o(3528),b=o(6548),y=o(4085),_=o(1194),C=(0,i.y)(),S={allowTextInput:!1,formatDate:function(e){return e?e.toDateString():""},parseDateFromString:function(e){var t=Date.parse(e);return t?new Date(t):null},firstDayOfWeek:d.eO.Sunday,initialPickerDate:new Date,isRequired:!1,isMonthPickerVisible:!0,showMonthPickerAsOverlay:!1,strings:_.f,highlightCurrentMonth:!1,highlightSelectedMonth:!1,borderless:!1,pickerAriaLabel:"Calendar",showWeekNumbers:!1,firstWeekOfYear:d.On.FirstDay,showGoToToday:!0,showCloseButton:!1,underlined:!1,allFocusable:!1},x=r.forwardRef((function(e,t){var o=(0,a.j)(S,e),i=o.firstDayOfWeek,d=o.strings,_=o.label,x=o.theme,w=o.className,I=o.styles,D=o.initialPickerDate,T=o.isRequired,E=o.disabled,P=o.ariaLabel,M=o.pickerAriaLabel,R=o.placeholder,N=o.allowTextInput,B=o.borderless,F=o.minDate,L=o.maxDate,A=o.showCloseButton,z=o.calendarProps,H=o.calloutProps,O=o.textField,W=o.underlined,V=o.allFocusable,K=o.calendarAs,q=void 0===K?u.f:K,G=o.tabIndex,U=o.disableAutoFocus,j=(0,y.M)("DatePicker",o.id),J=(0,y.M)("DatePicker-Callout"),Y=r.useRef(null),Z=r.useRef(null),X=function(){var e=r.useRef(null),t=r.useRef(!1);return[e,function(){var t,o,n;null===(n=null===(t=e.current)||void 0===t?void 0:(o=t).focus)||void 0===n||n.call(o)},t,function(){t.current=!0}]}(),Q=X[0],$=X[1],ee=X[2],te=X[3],oe=function(e,t){var o=e.allowTextInput,n=e.onAfterMenuDismiss,i=r.useState(!1),a=i[0],s=i[1],l=r.useRef(!1),c=(0,v.r)();return r.useEffect((function(){var e;l.current&&!a&&(o&&c.requestAnimationFrame(t),null===(e=n)||void 0===e||e()),l.current=!0}),[a]),[a,s]}(o,$),ne=oe[0],re=oe[1],ie=function(e){var t=e.formatDate,o=e.value,n=e.onSelectDate,i=(0,b.G)(o,void 0,(function(e,t){var o;return null===(o=n)||void 0===o?void 0:o(t)})),a=i[0],s=i[1],l=r.useState((function(){return o&&t?t(o):""})),c=l[0],u=l[1];return r.useEffect((function(){u(o&&t?t(o):"")}),[t,o]),[a,c,function(e){s(e),u(e&&t?t(e):"")},u]}(o),ae=ie[0],se=ie[1],le=ie[2],ce=ie[3],ue=function(e,t,o,n,i){var a=e.isRequired,s=e.allowTextInput,l=e.strings,c=e.parseDateFromString,u=e.onSelectDate,d=e.formatDate,m=e.minDate,h=e.maxDate,g=r.useState(),f=g[0],v=g[1];return r.useEffect((function(){a&&!t?v(l.isRequiredErrorMessage||" "):t&&k(t,m,h)?v(l.isOutOfBoundsErrorMessage||" "):v(void 0)}),[m&&(0,p.c8)(m),h&&(0,p.c8)(h),t&&(0,p.c8)(t),a]),[i?void 0:f,function(e){var r;if(void 0===e&&(e=null),s)if(n||e){if(t&&!f&&d&&d(null!=e?e:t)===n)return;!(e=e||c(n))||isNaN(e.getTime())?(o(t),v(l.invalidInputErrorMessage||" ")):k(e,m,h)?v(l.isOutOfBoundsErrorMessage||" "):(o(e),v(void 0))}else v(a?l.isRequiredErrorMessage||" ":void 0),null===(r=u)||void 0===r||r(e);else v(a&&!n?l.isRequiredErrorMessage||" ":void 0)},v]}(o,ae,le,se,ne),de=ue[0],pe=ue[1],me=ue[2],he=r.useCallback((function(){ne||(te(),re(!0))}),[ne,te,re]);r.useImperativeHandle(o.componentRef,(function(){return{focus:$,reset:function(){re(!1),le(void 0),me(void 0)},showDatePickerPopup:he}}),[$,me,re,le,he]);var ge=function(e){ne&&(re(!1),pe(e),!N&&e&&le(e))},fe=function(e){te(),ge(e)},ve=C(I,{theme:x,className:w,disabled:E,label:!!_,isDatePickerShown:ne}),be=(0,l.pq)(o,l.n7,["value"]),ye=O&&O.iconProps;return r.createElement("div",(0,n.pi)({},be,{className:ve.root,ref:t}),r.createElement("div",{ref:Z,"aria-haspopup":"true","aria-owns":ne?J:void 0,className:ve.wrapper},r.createElement(g.n,(0,n.pi)({role:"combobox",label:_,"aria-expanded":ne,ariaLabel:P,"aria-controls":ne?J:void 0,required:T,disabled:E,errorMessage:de,placeholder:R,borderless:B,value:se,componentRef:Q,underlined:W,tabIndex:G,readOnly:!N},O,{id:j+"-label",className:(0,c.i)(ve.textField,O&&O.className),iconProps:(0,n.pi)((0,n.pi)({iconName:"Calendar"},ye),{className:(0,c.i)(ve.icon,ye&&ye.className),onClick:function(e){e.stopPropagation(),ne||o.disabled?o.allowTextInput&&ge():he()}}),onKeyDown:function(e){switch(e.which){case s.m.enter:e.preventDefault(),e.stopPropagation(),ne?o.allowTextInput&&ge():(pe(),he());break;case s.m.escape:!function(e){e.stopPropagation(),fe()}(e);break;case s.m.down:e.altKey&&!ne&&he()}},onFocus:function(){U||N||(ee.current||he(),ee.current=!1)},onBlur:function(e){pe()},onClick:function(e){o.disableAutoFocus||ne||o.disabled?o.allowTextInput&&ge():he()},onChange:function(e,t){var n,r,i,a=o.textField;N&&(ne&&ge(),ce(t)),null===(i=null===(n=a)||void 0===n?void 0:(r=n).onChange)||void 0===i||i.call(r,e,t)}}))),ne&&r.createElement(m.U,(0,n.pi)({id:J,role:"dialog",ariaLabel:M,isBeakVisible:!1,gapSpace:0,doNotLayer:!1,target:Z.current,directionalHint:h.b.bottomLeftEdge},H,{className:(0,c.i)(ve.callout,H&&H.className),onDismiss:function(e){fe()},onPositioned:function(){var e=!0;o.calloutProps&&void 0!==o.calloutProps.setInitialFocus&&(e=o.calloutProps.setInitialFocus),Y.current&&e&&Y.current.focus()}}),r.createElement(f.P,{isClickableOutsideFocusTrap:!0,disableFirstFocus:o.disableAutoFocus},r.createElement(q,(0,n.pi)({},z,{onSelectDate:function(e){o.calendarProps&&o.calendarProps.onSelectDate&&o.calendarProps.onSelectDate(e),fe(e)},onDismiss:fe,isMonthPickerVisible:o.isMonthPickerVisible,showMonthPickerAsOverlay:o.showMonthPickerAsOverlay,today:o.today,value:ae||D,firstDayOfWeek:i,strings:d,highlightCurrentMonth:o.highlightCurrentMonth,highlightSelectedMonth:o.highlightSelectedMonth,showWeekNumbers:o.showWeekNumbers,firstWeekOfYear:o.firstWeekOfYear,showGoToToday:o.showGoToToday,dateTimeFormatter:o.dateTimeFormatter,minDate:F,maxDate:L,componentRef:Y,showCloseButton:A,allFocusable:V})))))}));function k(e,t,o){return!!t&&(0,p.NJ)(t,e)>0||!!o&&(0,p.NJ)(o,e)<0}x.displayName="DatePickerBase"},127:(e,t,o)=>{"use strict";o.d(t,{M:()=>s});var n=o(2002),r=o(6381),i=o(9729),a={root:"ms-DatePicker",callout:"ms-DatePicker-callout",withLabel:"ms-DatePicker-event--with-label",withoutLabel:"ms-DatePicker-event--without-label",disabled:"msDatePickerDisabled "},s=(0,n.z)(r.R,(function(e){var t=e.className,o=e.theme,n=e.disabled,r=e.label,s=e.isDatePickerShown,l=o.palette,c=o.semanticColors,u=(0,i.Cn)(a,o),d={color:l.neutralSecondary,fontSize:i.TS.icon,lineHeight:"18px",pointerEvents:"none",position:"absolute",right:"4px",padding:"5px"};return{root:[u.root,o.fonts.large,s&&"is-open",i.Fv,t],textField:[{position:"relative",selectors:{"& input[readonly]":{cursor:"pointer"},input:{selectors:{"::-ms-clear":{display:"none"}}}}},n&&{selectors:{"& input[readonly]":{cursor:"default"}}}],callout:[u.callout],icon:[d,r?u.withLabel:u.withoutLabel,{paddingTop:"7px"},!n&&[u.disabled,{pointerEvents:"initial",cursor:"pointer"}],n&&{color:c.disabledText,cursor:"default"}]}}),void 0,{scope:"DatePicker"})},1194:(e,t,o)=>{"use strict";o.d(t,{f:()=>i});var n=o(7622),r=o(6883),i=(0,n.pi)((0,n.pi)({},r.V3),{prevMonthAriaLabel:"Go to previous month",nextMonthAriaLabel:"Go to next month",prevYearAriaLabel:"Go to previous year",nextYearAriaLabel:"Go to next year",closeButtonAriaLabel:"Close date picker",isRequiredErrorMessage:"Field is required",invalidInputErrorMessage:"Invalid date format"})},8386:(e,t,o)=>{"use strict";o.d(t,{p:()=>a});var n=o(7002),r=(0,o(7300).y)(),i=n.forwardRef((function(e,t){var o=e.styles,i=e.theme,a=e.getClassNames,s=e.className,l=r(o,{theme:i,getClassNames:a,className:s});return n.createElement("span",{className:l.wrapper,ref:t},n.createElement("span",{className:l.divider}))}));i.displayName="VerticalDividerBase";var a=(0,o(2002).z)(i,(function(e){var t=e.theme,o=e.getClassNames,n=e.className;if(!t)throw new Error("Theme is undefined or null.");if(o){var r=o(t);return{wrapper:[r.wrapper],divider:[r.divider]}}return{wrapper:[{display:"inline-flex",height:"100%",alignItems:"center"},n],divider:[{width:1,height:"100%",backgroundColor:t.palette.neutralTertiaryAlt}]}}),void 0,{scope:"VerticalDivider"})},8982:(e,t,o)=>{"use strict";o.d(t,{P:()=>L});var n=o(7622),r=o(7002),i=o(7300),a=o(2470),s=o(2990),l=o(5446),c=o(8145),u=o(4553),d=o(688),p=o(2782),m=o(8127),h=o(9577),g=o(6479),f=o(8936),v=o(5953),b=o(6628),y=o(990),_=o(2703),C=function(){function e(){this._size=0}return e.prototype.updateOptions=function(e){for(var t=[],o=0,r=0;rthis._displayOnlyOptionsCache[t];)t++;if(this._displayOnlyOptionsCache[t]===e)throw new Error("Unexpected: Option at index "+e+" is not a selectable element.");return e-t+1}},e}(),S=o(2998),x=o(7023),k=o(9947),w=o(2052),I=o(9755),D=o(4126),T=o(9761),E=o(5515),P=o(2777),M=o(63),R=o(6876),N=o(9241),B=(0,i.y)(),F={options:[]},L=r.forwardRef((function(e,t){var o=(0,M.j)(F,e),i=r.useRef(null),s=(0,N.r)(t,i),l=(0,D.q)(i),c=function(e){var t,o=e.defaultSelectedKeys,n=e.selectedKeys,i=e.defaultSelectedKey,s=e.selectedKey,l=e.options,c=e.multiSelect,u=(0,R.D)(l),d=r.useState([]),p=d[0],m=d[1],h=l!==u;t=c?h&&void 0!==o?o:n:h&&void 0!==i?i:s;var g=(0,R.D)(t);return r.useEffect((function(){var e=function(e){return(0,a.cx)(l,(function(t){return null!=e?t.key===e:!!t.selected||!!t.isSelected}))};void 0===t&&u||t===g&&!h||m(function(){if(void 0===t)return c?l.map((function(e,t){return e.selected?t:-1})).filter((function(e){return-1!==e})):-1!==(i=e(null))?[i]:[];if(!Array.isArray(t))return-1!==(i=e(t))?[i]:[];for(var o=[],n=0,r=t;n0&&l();var r=o._id+e.key;a.items.push(i((0,n.pi)((0,n.pi)({id:r},e),{index:t}),o._onRenderItem)),a.id=r;break;case _.F.Divider:t>0&&a.items.push(i((0,n.pi)((0,n.pi)({},e),{index:t}),o._onRenderItem)),a.items.length>0&&l();break;default:a.items.push(i((0,n.pi)((0,n.pi)({},e),{index:t}),o._onRenderItem))}}(e,t)})),a.items.length>0&&l(),r.createElement(r.Fragment,null,s)},o._onRenderItem=function(e){switch(e.itemType){case _.F.Divider:return o._renderSeparator(e);case _.F.Header:return o._renderHeader(e);default:return o._renderOption(e)}},o._renderOption=function(e){var t=o.props,i=t.onRenderOption,a=void 0===i?o._onRenderOption:i,s=t.hoisted.selectedIndices,l=void 0===s?[]:s,c=!(void 0===e.index||!l)&&l.indexOf(e.index)>-1,u=e.hidden?o._classNames.dropdownItemHidden:c&&!0===e.disabled?o._classNames.dropdownItemSelectedAndDisabled:c?o._classNames.dropdownItemSelected:!0===e.disabled?o._classNames.dropdownItemDisabled:o._classNames.dropdownItem,d=e.title,p=void 0===d?e.text:d,m=o._classNames.subComponentStyles?o._classNames.subComponentStyles.multiSelectItem:void 0;return o.props.multiSelect?r.createElement(P.X,{id:o._listId+e.index,key:e.key,disabled:e.disabled,onChange:o._onItemClick(e),inputProps:(0,n.pi)({"aria-selected":c,onMouseEnter:o._onItemMouseEnter.bind(o,e),onMouseLeave:o._onMouseItemLeave.bind(o,e),onMouseMove:o._onItemMouseMove.bind(o,e),role:"option"},{"data-index":e.index,"data-is-focusable":!e.disabled}),label:e.text,title:p,onRenderLabel:o._onRenderItemLabel.bind(o,e),className:u,checked:c,styles:m,ariaPositionInSet:o._sizePosCache.positionInSet(e.index),ariaSetSize:o._sizePosCache.optionSetSize}):r.createElement(y.M,{id:o._listId+e.index,key:e.key,"data-index":e.index,"data-is-focusable":!e.disabled,disabled:e.disabled,className:u,onClick:o._onItemClick(e),onMouseEnter:o._onItemMouseEnter.bind(o,e),onMouseLeave:o._onMouseItemLeave.bind(o,e),onMouseMove:o._onItemMouseMove.bind(o,e),role:"option","aria-selected":c?"true":"false",ariaLabel:e.ariaLabel,title:p,"aria-posinset":o._sizePosCache.positionInSet(e.index),"aria-setsize":o._sizePosCache.optionSetSize},a(e,o._onRenderOption))},o._onRenderOption=function(e){return r.createElement("span",{className:o._classNames.dropdownOptionText},e.text)},o._onRenderItemLabel=function(e){var t=o.props.onRenderOption;return(void 0===t?o._onRenderOption:t)(e,o._onRenderOption)},o._onPositioned=function(e){o._focusZone.current&&o._requestAnimationFrame((function(){var e=o.props.hoisted.selectedIndices;if(o._focusZone.current)if(e&&e[0]&&!o.props.options[e[0]].disabled){var t=(0,l.M)().getElementById(o._id+"-list"+e[0]);t&&o._focusZone.current.focusElement(t)}else o._focusZone.current.focus()})),o.state.calloutRenderEdge&&o.state.calloutRenderEdge===e.targetEdge||o.setState({calloutRenderEdge:e.targetEdge})},o._onItemClick=function(e){return function(t){e.disabled||(o.setSelectedIndex(t,e.index),o.props.multiSelect||o.setState({isOpen:!1}))}},o._onScroll=function(){o._isScrollIdle||void 0===o._scrollIdleTimeoutId?o._isScrollIdle=!1:(clearTimeout(o._scrollIdleTimeoutId),o._scrollIdleTimeoutId=void 0),o._scrollIdleTimeoutId=window.setTimeout((function(){o._isScrollIdle=!0}),o._scrollIdleDelay)},o._onMouseItemLeave=function(e,t){if(!o._shouldIgnoreMouseEvent()&&o._host.current)if(o._host.current.setActive)try{o._host.current.setActive()}catch(e){}else o._host.current.focus()},o._onDismiss=function(){o.setState({isOpen:!1})},o._onDropdownBlur=function(e){o._isDisabled()||(o.setState({hasFocus:!1}),o.state.isOpen||o.props.onBlur&&o.props.onBlur(e))},o._onDropdownKeyDown=function(e){if(!o._isDisabled()&&(o._lastKeyDownWasAltOrMeta=o._isAltOrMeta(e),!o.props.onKeyDown||(o.props.onKeyDown(e),!e.defaultPrevented))){var t,n=o.props.hoisted.selectedIndices.length?o.props.hoisted.selectedIndices[0]:-1,r=e.altKey||e.metaKey,i=o.state.isOpen;switch(e.which){case c.m.enter:o.setState({isOpen:!i});break;case c.m.escape:if(!i)return;o.setState({isOpen:!1});break;case c.m.up:if(r){if(i){o.setState({isOpen:!1});break}return}o.props.multiSelect?o.setState({isOpen:!0}):o._isDisabled()||(t=o._moveIndex(e,-1,n-1,n));break;case c.m.down:r&&(e.stopPropagation(),e.preventDefault()),r&&!i||o.props.multiSelect?o.setState({isOpen:!0}):o._isDisabled()||(t=o._moveIndex(e,1,n+1,n));break;case c.m.home:o.props.multiSelect||(t=o._moveIndex(e,1,0,n));break;case c.m.end:o.props.multiSelect||(t=o._moveIndex(e,-1,o.props.options.length-1,n));break;case c.m.space:break;default:return}t!==n&&(e.stopPropagation(),e.preventDefault())}},o._onDropdownKeyUp=function(e){if(!o._isDisabled()){var t=o._shouldHandleKeyUp(e),n=o.state.isOpen;if(!o.props.onKeyUp||(o.props.onKeyUp(e),!e.defaultPrevented)){switch(e.which){case c.m.space:o.setState({isOpen:!n});break;default:return void(t&&n&&o.setState({isOpen:!1}))}e.stopPropagation(),e.preventDefault()}}},o._onZoneKeyDown=function(e){var t;o._lastKeyDownWasAltOrMeta=o._isAltOrMeta(e);var n=e.altKey||e.metaKey;switch(e.which){case c.m.up:n?o.setState({isOpen:!1}):o._host.current&&(t=(0,u.TE)(o._host.current,o._host.current.lastChild,!0));break;case c.m.home:case c.m.end:case c.m.pageUp:case c.m.pageDown:break;case c.m.down:!n&&o._host.current&&(t=(0,u.ft)(o._host.current,o._host.current.firstChild,!0));break;case c.m.escape:o.setState({isOpen:!1});break;case c.m.tab:return void o.setState({isOpen:!1});default:return}t&&t.focus(),e.stopPropagation(),e.preventDefault()},o._onZoneKeyUp=function(e){o._shouldHandleKeyUp(e)&&o.state.isOpen&&(o.setState({isOpen:!1}),e.preventDefault())},o._onDropdownClick=function(e){if(!o.props.onClick||(o.props.onClick(e),!e.defaultPrevented)){var t=o.state.isOpen;o._isDisabled()||o._shouldOpenOnFocus()||o.setState({isOpen:!t}),o._isFocusedByClick=!1}},o._onDropdownMouseDown=function(){o._isFocusedByClick=!0},o._onFocus=function(e){var t=o.state.isOpen,n=o.props,r=n.multiSelect,i=n.hoisted.selectedIndices;if(!o._isDisabled()){o._isFocusedByClick||t||0!==i.length||r||o._moveIndex(e,1,0,-1),o.props.onFocus&&o.props.onFocus(e);var a={hasFocus:!0};o._shouldOpenOnFocus()&&(a.isOpen=!0),o.setState(a)}},o._isDisabled=function(){var e=o.props.disabled,t=o.props.isDisabled;return void 0===e&&(e=t),e},o._onRenderLabel=function(e){var t=e.label,n=e.required,i=e.disabled,a=o._classNames.subComponentStyles?o._classNames.subComponentStyles.label:void 0;return t?r.createElement(w._,{className:o._classNames.label,id:o._labelId,required:n,styles:a,disabled:i},t):null},(0,d.l)(o),t.multiSelect,t.selectedKey,t.selectedKeys,t.defaultSelectedKey,t.defaultSelectedKeys;var i=t.options;return o._id=t.id||(0,p.z)("Dropdown"),o._labelId=o._id+"-label",o._listId=o._id+"-list",o._optionId=o._id+"-option",o._isScrollIdle=!0,o._sizePosCache.updateOptions(i),o.state={isOpen:!1,hasFocus:!1,calloutRenderEdge:void 0},o}return(0,n.ZT)(t,e),Object.defineProperty(t.prototype,"selectedOptions",{get:function(){var e=this.props,t=e.options,o=e.hoisted.selectedIndices;return(0,E.t)(t,o)},enumerable:!0,configurable:!0}),t.prototype.componentWillUnmount=function(){clearTimeout(this._scrollIdleTimeoutId)},t.prototype.componentDidUpdate=function(e,t){!0===t.isOpen&&!1===this.state.isOpen&&(this._gotMouseMove=!1,this.props.onDismiss&&this.props.onDismiss())},t.prototype.render=function(){var e=this._id,t=this.props,o=t.className,i=t.label,a=t.options,s=t.ariaLabel,l=t.required,c=t.errorMessage,u=t.styles,d=t.theme,p=t.panelProps,g=t.calloutProps,f=t.multiSelect,v=t.onRenderTitle,b=void 0===v?this._getTitle:v,y=t.onRenderContainer,_=void 0===y?this._onRenderContainer:y,C=t.onRenderCaretDown,S=void 0===C?this._onRenderCaretDown:C,x=t.onRenderLabel,k=void 0===x?this._onRenderLabel:x,w=t.hoisted.selectedIndices,I=this.state,D=I.isOpen,T=I.calloutRenderEdge,P=t.onRenderPlaceholder||t.onRenderPlaceHolder||this._getPlaceholder;a!==this._sizePosCache.cachedOptions&&this._sizePosCache.updateOptions(a);var M=(0,E.t)(a,w),R=(0,m.pq)(t,m.n7),N=this._isDisabled(),F=e+"-errorMessage",L=N?void 0:D&&1===w.length&&w[0]>=0?this._listId+w[0]:void 0,A=f?{role:"button"}:{role:"listbox",childRole:"option",ariaRequired:l,ariaSetSize:this._sizePosCache.optionSetSize,ariaPosInSet:this._sizePosCache.positionInSet(w[0]),ariaSelected:void 0!==w[0]||void 0};this._classNames=B(u,{theme:d,className:o,hasError:!!(c&&c.length>0),hasLabel:!!i,isOpen:D,required:l,disabled:N,isRenderingPlaceholder:!M.length,panelClassName:p?p.className:void 0,calloutClassName:g?g.className:void 0,calloutRenderEdge:T});var z=!!c&&c.length>0;return r.createElement("div",{className:this._classNames.root,ref:this.props.hoisted.rootRef},k(this.props,this._onRenderLabel),r.createElement("div",(0,n.pi)({"data-is-focusable":!N,"data-ktp-target":!0,ref:this._dropDown,id:e,tabIndex:N?-1:0,role:A.role,"aria-haspopup":"listbox","aria-expanded":D?"true":"false","aria-label":s,"aria-labelledby":i&&!s?(0,h.I)(this._labelId,this._optionId):void 0,"aria-describedby":z?this._id+"-errorMessage":void 0,"aria-activedescendant":L,"aria-required":A.ariaRequired,"aria-disabled":N,"aria-owns":D?this._listId:void 0},R,{className:this._classNames.dropdown,onBlur:this._onDropdownBlur,onKeyDown:this._onDropdownKeyDown,onKeyUp:this._onDropdownKeyUp,onClick:this._onDropdownClick,onMouseDown:this._onDropdownMouseDown,onFocus:this._onFocus}),r.createElement("span",{id:this._optionId,className:this._classNames.title,"aria-live":"polite","aria-atomic":!0,"aria-invalid":z,role:A.childRole,"aria-setsize":A.ariaSetSize,"aria-posinset":A.ariaPosInSet,"aria-selected":A.ariaSelected},M.length?b(M,this._onRenderTitle):P(t,this._onRenderPlaceholder)),r.createElement("span",{className:this._classNames.caretDownWrapper},S(t,this._onRenderCaretDown))),D&&_((0,n.pi)((0,n.pi)({},t),{onDismiss:this._onDismiss}),this._onRenderContainer),z&&r.createElement("div",{role:"alert",id:F,className:this._classNames.errorMessage},c))},t.prototype.focus=function(e){this._dropDown.current&&(this._dropDown.current.focus(),e&&this.setState({isOpen:!0}))},t.prototype.setSelectedIndex=function(e,t){var o=this.props,n=o.options,r=o.selectedKey,i=o.selectedKeys,a=o.multiSelect,s=o.notifyOnReselect,l=o.hoisted.selectedIndices,c=void 0===l?[]:l,u=!!c&&c.indexOf(t)>-1,d=[];if(t=Math.max(0,Math.min(n.length-1,t)),void 0===r&&void 0===i){if(a||s||t!==c[0]){if(a)if(d=c?this._copyArray(c):[],u){var p=d.indexOf(t);p>-1&&d.splice(p,1)}else d.push(t);else d=[t];e.persist(),this.props.hoisted.setSelectedIndices(d),this._onChange(e,n,t,u,a)}}else this._onChange(e,n,t,u,a)},t.prototype._copyArray=function(e){for(var t=[],o=0,n=e;o=r.length?o=0:o<0&&(o=r.length-1);for(var i=0;r[o].itemType===_.F.Header||r[o].itemType===_.F.Divider||r[o].disabled;){if(i>=r.length)return n;o+t<0?o=r.length:o+t>=r.length&&(o=-1),o+=t,i++}return this.setSelectedIndex(e,o),o},t.prototype._renderFocusableList=function(e){var t=e.onRenderList,o=void 0===t?this._onRenderList:t,n=e.label,i=e.ariaLabel,a=e.multiSelect;return r.createElement("div",{className:this._classNames.dropdownItemsWrapper,onKeyDown:this._onZoneKeyDown,onKeyUp:this._onZoneKeyUp,ref:this._host,tabIndex:0},r.createElement(S.k,{ref:this._focusZone,direction:x.U.vertical,id:this._listId,className:this._classNames.dropdownItems,role:"listbox","aria-label":i,"aria-labelledby":n&&!i?this._labelId:void 0,"aria-multiselectable":a},o(e,this._onRenderList)))},t.prototype._renderSeparator=function(e){var t=e.index,o=e.key;return t>0?r.createElement("div",{role:"separator",key:o,className:this._classNames.dropdownDivider}):null},t.prototype._renderHeader=function(e){var t=this.props.onRenderOption,o=void 0===t?this._onRenderOption:t,n=e.key,i=e.id;return r.createElement("div",{id:i,key:n,className:this._classNames.dropdownItemHeader},o(e,this._onRenderOption))},t.prototype._onItemMouseEnter=function(e,t){this._shouldIgnoreMouseEvent()||t.currentTarget.focus()},t.prototype._onItemMouseMove=function(e,t){var o=t.currentTarget;this._gotMouseMove=!0,this._isScrollIdle&&document.activeElement!==o&&o.focus()},t.prototype._shouldIgnoreMouseEvent=function(){return!this._isScrollIdle||!this._gotMouseMove},t.prototype._isAltOrMeta=function(e){return e.which===c.m.alt||"Meta"===e.key},t.prototype._shouldHandleKeyUp=function(e){var t=this._lastKeyDownWasAltOrMeta&&this._isAltOrMeta(e);return this._lastKeyDownWasAltOrMeta=!1,!!t&&!((0,g.V)()||(0,f.g)())},t.prototype._shouldOpenOnFocus=function(){var e=this.state.hasFocus,t=this.props.openOnKeyboardFocus;return!this._isFocusedByClick&&!0===t&&!e},t.defaultProps={options:[]},t}(r.Component)},4004:(e,t,o)=>{"use strict";o.d(t,{L:()=>v});var n,r,i,a=o(2002),s=o(8982),l=o(7622),c=o(6145),u=o(4568),d=o(9729),p={root:"ms-Dropdown-container",label:"ms-Dropdown-label",dropdown:"ms-Dropdown",title:"ms-Dropdown-title",caretDownWrapper:"ms-Dropdown-caretDownWrapper",caretDown:"ms-Dropdown-caretDown",callout:"ms-Dropdown-callout",panel:"ms-Dropdown-panel",dropdownItems:"ms-Dropdown-items",dropdownItem:"ms-Dropdown-item",dropdownDivider:"ms-Dropdown-divider",dropdownOptionText:"ms-Dropdown-optionText",dropdownItemHeader:"ms-Dropdown-header",titleIsPlaceHolder:"ms-Dropdown-titleIsPlaceHolder",titleHasError:"ms-Dropdown-title--hasError"},m=((n={})[d.qJ+", "+d.bO.replace("@media ","")]=(0,l.pi)({},(0,d.xM)()),n),h={selectors:(0,l.pi)((r={},r[d.qJ]={backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},r),m)},g={selectors:(i={},i[d.qJ]={borderColor:"Highlight"},i)},f=(0,d.sK)(0,d.dd),v=(0,a.z)(s.P,(function(e){var t,o,n,r,i,a,s,m,v,b,y,_,C=e.theme,S=e.hasError,x=e.hasLabel,k=e.className,w=e.isOpen,I=e.disabled,D=e.required,T=e.isRenderingPlaceholder,E=e.panelClassName,P=e.calloutClassName,M=e.calloutRenderEdge;if(!C)throw new Error("theme is undefined or null in base Dropdown getStyles function.");var R=(0,d.Cn)(p,C),N=C.palette,B=C.semanticColors,F=C.effects,L=C.fonts,A={color:B.menuItemTextHovered},z={color:B.menuItemText},H={borderColor:B.errorText},O=[R.dropdownItem,{backgroundColor:"transparent",boxSizing:"border-box",cursor:"pointer",display:"flex",alignItems:"center",padding:"0 8px",width:"100%",minHeight:36,lineHeight:20,height:0,position:"relative",border:"1px solid transparent",borderRadius:0,wordWrap:"break-word",overflowWrap:"break-word",textAlign:"left",".ms-Button-flexContainer":{width:"100%"}}],W=B.menuItemBackgroundPressed,V=function(e){var t;return void 0===e&&(e=!1),{selectors:(t={"&:hover:focus":[{color:B.menuItemTextHovered,backgroundColor:e?W:B.menuItemBackgroundHovered},h],"&:focus":[{backgroundColor:e?W:"transparent"},h],"&:active":[{color:B.menuItemTextHovered,backgroundColor:e?B.menuItemBackgroundHovered:B.menuBackground},h]},t["."+c.G$+" &:focus:after"]={left:0,top:0,bottom:0,right:0},t[d.qJ]={border:"none"},t)}},K=(0,l.pr)(O,[{backgroundColor:W,color:B.menuItemTextHovered},V(!0),h]),q=(0,l.pr)(O,[{color:B.disabledText,cursor:"default",selectors:(t={},t[d.qJ]={color:"GrayText",border:"none"},t)}]),G=M===u.z.bottom?F.roundedCorner2+" "+F.roundedCorner2+" 0 0":"0 0 "+F.roundedCorner2+" "+F.roundedCorner2,U=M===u.z.bottom?"0 0 "+F.roundedCorner2+" "+F.roundedCorner2:F.roundedCorner2+" "+F.roundedCorner2+" 0 0";return{root:[R.root,k],label:R.label,dropdown:[R.dropdown,d.Fv,L.medium,{color:B.menuItemText,borderColor:B.focusBorder,position:"relative",outline:0,userSelect:"none",selectors:(o={},o["&:hover ."+R.title]=[!I&&A,{borderColor:w?N.neutralSecondary:N.neutralPrimary},g],o["&:focus ."+R.title]=[!I&&A,{selectors:(n={},n[d.qJ]={color:"Highlight"},n)}],o["&:focus:after"]=[{pointerEvents:"none",content:"''",position:"absolute",boxSizing:"border-box",top:"0px",left:"0px",width:"100%",height:"100%",border:I?"none":"2px solid "+N.themePrimary,borderRadius:"2px",selectors:(r={},r[d.qJ]={color:"Highlight"},r)}],o["&:active ."+R.title]=[!I&&A,{borderColor:N.themePrimary},g],o["&:hover ."+R.caretDown]=!I&&z,o["&:focus ."+R.caretDown]=[!I&&z,{selectors:(i={},i[d.qJ]={color:"Highlight"},i)}],o["&:active ."+R.caretDown]=!I&&z,o["&:hover ."+R.titleIsPlaceHolder]=!I&&z,o["&:focus ."+R.titleIsPlaceHolder]=!I&&z,o["&:active ."+R.titleIsPlaceHolder]=!I&&z,o["&:hover ."+R.titleHasError]=H,o["&:active ."+R.titleHasError]=H,o)},w&&"is-open",I&&"is-disabled",D&&"is-required",D&&!x&&{selectors:(a={":before":{content:"'*'",color:B.errorText,position:"absolute",top:-5,right:-10}},a[d.qJ]={selectors:{":after":{right:-14}}},a)}],title:[R.title,d.Fv,{backgroundColor:B.inputBackground,borderWidth:1,borderStyle:"solid",borderColor:B.inputBorder,borderRadius:w?G:F.roundedCorner2,cursor:"pointer",display:"block",height:32,lineHeight:30,padding:"0 28px 0 8px",position:"relative",overflow:"hidden",whiteSpace:"nowrap",textOverflow:"ellipsis"},T&&[R.titleIsPlaceHolder,{color:B.inputPlaceholderText}],S&&[R.titleHasError,H],I&&{backgroundColor:B.disabledBackground,border:"none",color:B.disabledText,cursor:"default",selectors:(s={},s[d.qJ]=(0,l.pi)({border:"1px solid GrayText",color:"GrayText",backgroundColor:"Window"},(0,d.xM)()),s)}],caretDownWrapper:[R.caretDownWrapper,{position:"absolute",top:1,right:8,height:32,lineHeight:30},!I&&{cursor:"pointer"}],caretDown:[R.caretDown,{color:N.neutralSecondary,fontSize:L.small.fontSize,pointerEvents:"none"},I&&{color:B.disabledText,selectors:(m={},m[d.qJ]=(0,l.pi)({color:"GrayText"},(0,d.xM)()),m)}],errorMessage:(0,l.pi)((0,l.pi)({color:B.errorText},C.fonts.small),{paddingTop:5}),callout:[R.callout,{boxShadow:F.elevation8,borderRadius:U,selectors:(v={},v[".ms-Callout-main"]={borderRadius:U},v)},P],dropdownItemsWrapper:{selectors:{"&:focus":{outline:0}}},dropdownItems:[R.dropdownItems,{display:"block"}],dropdownItem:(0,l.pr)(O,[V()]),dropdownItemSelected:K,dropdownItemDisabled:q,dropdownItemSelectedAndDisabled:[K,q,{backgroundColor:"transparent"}],dropdownItemHidden:(0,l.pr)(O,[{display:"none"}]),dropdownDivider:[R.dropdownDivider,{height:1,backgroundColor:B.bodyDivider}],dropdownOptionText:[R.dropdownOptionText,{overflow:"hidden",whiteSpace:"nowrap",textOverflow:"ellipsis",minWidth:0,maxWidth:"100%",wordWrap:"break-word",overflowWrap:"break-word",margin:"1px"}],dropdownItemHeader:[R.dropdownItemHeader,(0,l.pi)((0,l.pi)({},L.medium),{fontWeight:d.lq.semibold,color:B.menuHeader,background:"none",backgroundColor:"transparent",border:"none",height:36,lineHeight:36,cursor:"default",padding:"0 8px",userSelect:"none",textAlign:"left",selectors:(b={},b[d.qJ]=(0,l.pi)({color:"GrayText"},(0,d.xM)()),b)})],subComponentStyles:{label:{root:{display:"inline-block"}},multiSelectItem:{root:{padding:0},label:{alignSelf:"stretch",padding:"0 8px",width:"100%"},input:{selectors:(y={},y["."+c.G$+" &:focus + label::before"]={outlineOffset:"0px"},y)}},panel:{root:[E],main:{selectors:(_={},_[f]={width:272},_)},contentInner:{padding:"0 0 20px"}}}}}),void 0,{scope:"Dropdown"});v.displayName="Dropdown"},4008:(e,t,o)=>{"use strict";o.d(t,{d:()=>f});var n=o(7622),r=o(7002),i=o(7300),a=o(5094),s=o(5951),l=o(5480),c=o(8127),u=o(3394),d=o(5446),p=o(9729),m=o(9241),h=(0,i.y)(),g=(0,a.NF)((function(e,t){return(0,p.jG)((0,n.pi)((0,n.pi)({},e),{rtl:t}))})),f=r.forwardRef((function(e,t){var o=e.className,i=e.theme,a=e.applyTheme,p=e.applyThemeToBody,f=e.styles,v=h(f,{theme:i,applyTheme:a,className:o}),b=r.useRef(null);return function(e,t,o){var n=t.bodyThemed;r.useEffect((function(){if(e){var t=(0,d.M)(o.current);if(t)return t.body.classList.add(n),function(){t.body.classList.remove(n)}}}),[n,e,o])}(p,v,b),(0,l.P)(b),r.createElement(r.Fragment,null,function(e,t,o,i){var a=t.root,l=e.as,d=void 0===l?"div":l,p=e.dir,h=e.theme,f=(0,c.pq)(e,c.n7,["dir"]),v=function(e){var t=e.theme,o=e.dir,n=(0,s.zg)(t)?"rtl":"ltr",r=(0,s.zg)()?"rtl":"ltr",i=o||n;return{rootDir:i!==n||i!==r?i:o,needsTheme:i!==n}}(e),b=v.rootDir,y=v.needsTheme,_=r.createElement(d,(0,n.pi)({dir:b},f,{className:a,ref:(0,m.r)(o,i)}));return y&&(_=r.createElement(u.N,{settings:{theme:g(h,"rtl"===p)}},_)),_}(e,v,b,t))}));f.displayName="FabricBase"},3595:(e,t,o)=>{"use strict";o.d(t,{P:()=>l});var n=o(2002),r=o(4008),i=o(9729),a={fontFamily:"inherit"},s={root:"ms-Fabric",bodyThemed:"ms-Fabric-bodyThemed"},l=(0,n.z)(r.d,(function(e){var t=e.theme,o=e.className,n=e.applyTheme;return{root:[(0,i.Cn)(s,t).root,t.fonts.medium,{color:t.palette.neutralPrimary,selectors:{"& button":a,"& input":a,"& textarea":a}},n&&{color:t.semanticColors.bodyText,backgroundColor:t.semanticColors.bodyBackground},o],bodyThemed:[{backgroundColor:t.semanticColors.bodyBackground}]}}),void 0,{scope:"Fabric"})},6007:(e,t,o)=>{"use strict";o.d(t,{P:()=>h});var n=o(7622),r=o(7002),i=o(8127),a=o(3345),s=o(4553),l=o(9251),c=o(6093),u=o(9241),d=o(4085),p=o(7913),m=o(8901),h=r.forwardRef((function(e,t){var o=r.useRef(null),f=r.useRef(null),v=r.useRef(null),b=(0,u.r)(o,t),y=(0,d.M)(void 0,e.id),_=(0,m.ky)(),C=(0,i.pq)(e,i.n7),S=(0,p.B)((function(){return{previouslyFocusedElementOutsideTrapZone:void 0,previouslyFocusedElementInTrapZone:void 0,disposeFocusHandler:void 0,disposeClickHandler:void 0,hasFocus:!1,unmodalize:void 0}})),x=e.ariaLabelledBy,k=e.className,w=e.children,I=e.componentRef,D=e.disabled,T=e.disableFirstFocus,E=void 0!==T&&T,P=e.disabled,M=void 0!==P&&P,R=e.elementToFocusOnDismiss,N=e.forceFocusInsideTrap,B=void 0===N||N,F=e.focusPreviouslyFocusedInnerElement,L=e.firstFocusableSelector,A=e.ignoreExternalFocusing,z=e.isClickableOutsideFocusTrap,H=void 0!==z&&z,O=e.onFocus,W=e.onBlur,V=e.onFocusCapture,K=e.onBlurCapture,q=e.enableAriaHiddenSiblings,G={"aria-hidden":!0,style:{pointerEvents:"none",position:"fixed"},tabIndex:D?-1:0,"data-is-visible":!0},U=r.useCallback((function(){if(F&&S.previouslyFocusedElementInTrapZone&&(0,a.t)(o.current,S.previouslyFocusedElementInTrapZone))(0,s.um)(S.previouslyFocusedElementInTrapZone);else{var e="string"==typeof L?L:L&&L(),t=null;o.current&&(e&&(t=o.current.querySelector("."+e)),t||(t=(0,s.dc)(o.current,o.current.firstChild,!1,!1,!1,!0))),t&&(0,s.um)(t)}}),[L,F,S]),j=r.useCallback((function(e){if(!D){var t=e===S.hasFocus?v.current:f.current;if(o.current){var n=e===S.hasFocus?(0,s.xY)(o.current,t,!0,!1):(0,s.RK)(o.current,t,!0,!1);n&&(n===f.current||n===v.current?U():n.focus())}}}),[D,U,S]),J=r.useCallback((function(e){var t;null===(t=K)||void 0===t||t(e);var n=e.relatedTarget;null===e.relatedTarget&&(n=_.activeElement),(0,a.t)(o.current,n)||(S.hasFocus=!1)}),[_,S,K]),Y=r.useCallback((function(e){var t;null===(t=V)||void 0===t||t(e),e.target===f.current?j(!0):e.target===v.current&&j(!1),S.hasFocus=!0,e.target!==e.currentTarget&&e.target!==f.current&&e.target!==v.current&&(S.previouslyFocusedElementInTrapZone=e.target)}),[V,S,j]),Z=r.useCallback((function(){if(h.focusStack=h.focusStack.filter((function(e){return y!==e})),_){var e=_.activeElement;A||!S.previouslyFocusedElementOutsideTrapZone||"function"!=typeof S.previouslyFocusedElementOutsideTrapZone.focus||!(0,a.t)(o.current,e)&&e!==_.body||S.previouslyFocusedElementOutsideTrapZone!==f.current&&S.previouslyFocusedElementOutsideTrapZone!==v.current&&(0,s.um)(S.previouslyFocusedElementOutsideTrapZone)}}),[_,y,A,S]),X=r.useCallback((function(e){if(!D&&h.focusStack.length&&y===h.focusStack[h.focusStack.length-1]){var t=e.target;(0,a.t)(o.current,t)||(U(),S.hasFocus=!0,e.preventDefault(),e.stopPropagation())}}),[D,y,U,S]),Q=r.useCallback((function(e){if(!D&&h.focusStack.length&&y===h.focusStack[h.focusStack.length-1]){var t=e.target;t&&!(0,a.t)(o.current,t)&&(U(),S.hasFocus=!0,e.preventDefault(),e.stopPropagation())}}),[D,y,U,S]),$=r.useCallback((function(){B&&!S.disposeFocusHandler?S.disposeFocusHandler=(0,l.on)(window,"focus",X,!0):!B&&S.disposeFocusHandler&&(S.disposeFocusHandler(),S.disposeFocusHandler=void 0),H||S.disposeClickHandler?H&&S.disposeClickHandler&&(S.disposeClickHandler(),S.disposeClickHandler=void 0):S.disposeClickHandler=(0,l.on)(window,"click",Q,!0)}),[Q,X,B,H,S]);return r.useEffect((function(){var e=o.current;return $(),function(){var t;D&&!B&&(0,a.t)(e,null===(t=_)||void 0===t?void 0:t.activeElement)||Z()}}),[$]),r.useEffect((function(){var e=void 0===B||B,t=void 0!==D&&D;if(!t||e){if(M)return;h.focusStack.push(y),S.previouslyFocusedElementOutsideTrapZone=R||_.activeElement,E||(0,a.t)(o.current,S.previouslyFocusedElementOutsideTrapZone)||U(),!S.unmodalize&&o.current&&q&&(S.unmodalize=(0,c.O)(o.current))}else e&&!t||(Z(),S.unmodalize&&S.unmodalize());R&&S.previouslyFocusedElementOutsideTrapZone!==R&&(S.previouslyFocusedElementOutsideTrapZone=R)}),[R,B,D]),g((function(){S.disposeClickHandler&&(S.disposeClickHandler(),S.disposeClickHandler=void 0),S.disposeFocusHandler&&(S.disposeFocusHandler(),S.disposeFocusHandler=void 0),S.unmodalize&&S.unmodalize(),delete S.previouslyFocusedElementInTrapZone,delete S.previouslyFocusedElementOutsideTrapZone})),function(e,t,o){r.useImperativeHandle(e,(function(){return{get previouslyFocusedElement(){return t},focus:o}}),[t,o])}(I,S.previouslyFocusedElementInTrapZone,U),r.createElement("div",(0,n.pi)({},C,{className:k,ref:b,"aria-labelledby":x,onFocusCapture:Y,onFocus:O,onBlur:W,onBlurCapture:J}),r.createElement("div",(0,n.pi)({},G,{ref:f})),w,r.createElement("div",(0,n.pi)({},G,{ref:v})))})),g=function(e){var t=r.useRef(e);t.current=e,r.useEffect((function(){return function(){t.current&&t.current()}}),[e])};h.displayName="FocusTrapZone",h.focusStack=[]},4734:(e,t,o)=>{"use strict";o.d(t,{z1:()=>u,xu:()=>d,Pw:()=>p});var n=o(7622),r=o(7002),i=o(3074),a=o(5094),s=o(8127),l=o(8088),c=o(9729),u=(0,a.NF)((function(e){var t=(0,c.q7)(e)||{subset:{},code:void 0},o=t.code,n=t.subset;return o?{children:o,iconClassName:n.className,fontFamily:n.fontFace&&n.fontFace.fontFamily}:null}),void 0,!0),d=function(e){var t=e.iconName,o=e.className,a=e.style,c=void 0===a?{}:a,d=u(t)||{},p=d.iconClassName,m=d.children,h=d.fontFamily,g=(0,s.pq)(e,s.iY),f=e["aria-label"]||e["aria-labelledby"]||e.title?{role:"img"}:{"aria-hidden":!0};return r.createElement("i",(0,n.pi)({"data-icon-name":t},f,g,{className:(0,l.i)(i.Sk,i.AK.root,p,!t&&i.AK.placeholder,o),style:(0,n.pi)({fontFamily:h},c)}),m)},p=(0,a.NF)((function(e,t,o){return d({iconName:e,className:t,"aria-label":o})}))},3874:(e,t,o)=>{"use strict";o.d(t,{A:()=>p});var n=o(7622),r=o(7002),i=o(6569),a=o(4861),s=o(6711),l=o(7300),c=o(8127),u=o(4734),d=(0,l.y)({cacheSize:100}),p=function(e){function t(t){var o=e.call(this,t)||this;return o._onImageLoadingStateChange=function(e){o.props.imageProps&&o.props.imageProps.onLoadingStateChange&&o.props.imageProps.onLoadingStateChange(e),e===s.U9.error&&o.setState({imageLoadError:!0})},o.state={imageLoadError:!1},o}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.children,o=e.className,s=e.styles,l=e.iconName,p=e.imageErrorAs,m=e.theme,h="string"==typeof l&&0===l.length,g=!!this.props.imageProps||this.props.iconType===i.T.image||this.props.iconType===i.T.Image,f=(0,u.z1)(l)||{},v=f.iconClassName,b=f.children,y=d(s,{theme:m,className:o,iconClassName:v,isImage:g,isPlaceholder:h}),_=g?"span":"i",C=(0,c.pq)(this.props,c.iY,["aria-label"]),S=this.state.imageLoadError,x=(0,n.pi)((0,n.pi)({},this.props.imageProps),{onLoadingStateChange:this._onImageLoadingStateChange}),k=S&&p||a.E,w=this.props["aria-label"]||this.props.ariaLabel,I=x.alt||w,D=I||this.props["aria-labelledby"]||x["aria-label"]||x["aria-labelledby"]?{role:g?void 0:"img","aria-label":g?void 0:I}:{"aria-hidden":!0};return r.createElement(_,(0,n.pi)({"data-icon-name":l},D,C,{className:y.root}),g?r.createElement(k,(0,n.pi)({},x)):t||b)},t}(r.Component)},9947:(e,t,o)=>{"use strict";o.d(t,{J:()=>a});var n=o(2002),r=o(3874),i=o(3074),a=(0,n.z)(r.A,i.Wi,void 0,{scope:"Icon"},!0);a.displayName="Icon"},3074:(e,t,o)=>{"use strict";o.d(t,{AK:()=>n,Sk:()=>r,Wi:()=>i});var n=(0,o(9729).ZC)({root:{display:"inline-block"},placeholder:["ms-Icon-placeHolder",{width:"1em"}],image:["ms-Icon-imageContainer",{overflow:"hidden"}]}),r="ms-Icon",i=function(e){var t=e.className,o=e.iconClassName,r=e.isPlaceholder,i=e.isImage,a=e.styles;return{root:[r&&n.placeholder,n.root,i&&n.image,o,t,a&&a.root,a&&a.imageContainer]}}},6569:(e,t,o)=>{"use strict";var n;o.d(t,{T:()=>n}),function(e){e[e.default=0]="default",e[e.image=1]="image",e[e.Default=1e5]="Default",e[e.Image=100001]="Image"}(n||(n={}))},7840:(e,t,o)=>{"use strict";o.d(t,{X:()=>c});var n=o(7622),r=o(7002),i=o(4861),a=o(8127),s=o(8088),l=o(3074),c=function(e){var t=e.className,o=e.imageProps,c=(0,a.pq)(e,a.iY,["aria-label","aria-labelledby","title","aria-describedby"]),u=o.alt||e["aria-label"],d=u||e["aria-labelledby"]||e.title||o["aria-label"]||o["aria-labelledby"]||o.title,p={"aria-labelledby":e["aria-labelledby"],"aria-describedby":e["aria-describedby"],title:e.title},m=d?{}:{"aria-hidden":!0};return r.createElement("div",(0,n.pi)({},m,c,{className:(0,s.i)(l.Sk,l.AK.root,l.AK.image,t)}),r.createElement(i.E,(0,n.pi)({},p,o,{alt:d?u:""})))}},9759:(e,t,o)=>{"use strict";o.d(t,{v:()=>d});var n=o(7622),r=o(7002),i=o(7300),a=o(8127),s=o(6711),l=o(9241),c=(0,i.y)(),u=/\.svg$/i,d=r.forwardRef((function(e,t){var o=r.useRef(),i=r.useRef(),d=function(e,t){var o=e.onLoadingStateChange,n=e.onLoad,i=e.onError,a=e.src,l=r.useState(s.U9.notLoaded),c=l[0],d=l[1];r.useLayoutEffect((function(){d(s.U9.notLoaded)}),[a]),r.useEffect((function(){c===s.U9.notLoaded&&t.current&&(a&&t.current.naturalWidth>0&&t.current.naturalHeight>0||t.current.complete&&u.test(a))&&d(s.U9.loaded)})),r.useEffect((function(){var e;null===(e=o)||void 0===e||e(c)}),[c]);var p=r.useCallback((function(e){var t;null===(t=n)||void 0===t||t(e),a&&d(s.U9.loaded)}),[a,n]),m=r.useCallback((function(e){var t;null===(t=i)||void 0===t||t(e),d(s.U9.error)}),[i]);return[c,p,m]}(e,i),p=d[0],m=d[1],h=d[2],g=(0,a.pq)(e,a.it,["width","height"]),f=e.src,v=e.alt,b=e.width,y=e.height,_=e.shouldFadeIn,C=void 0===_||_,S=e.shouldStartVisible,x=e.className,k=e.imageFit,w=e.role,I=e.maximizeFrame,D=e.styles,T=e.theme,E=e.loading,P=function(e,t,o,n){var i=r.useRef(t),a=r.useRef();return(void 0===a||i.current===s.U9.notLoaded&&t===s.U9.loaded)&&(a.current=function(e,t,o,n){var r=e.imageFit,i=e.width,a=e.height;if(void 0!==e.coverStyle)return e.coverStyle;if(t===s.U9.loaded&&(r===s.kQ.cover||r===s.kQ.contain||r===s.kQ.centerContain||r===s.kQ.centerCover)&&o.current&&n.current){var l;if(l="number"==typeof i&&"number"==typeof a&&r!==s.kQ.centerContain&&r!==s.kQ.centerCover?i/a:n.current.clientWidth/n.current.clientHeight,o.current.naturalWidth/o.current.naturalHeight>l)return s.yZ.landscape}return s.yZ.portrait}(e,t,o,n)),i.current=t,a.current}(e,p,i,o),M=c(D,{theme:T,className:x,width:b,height:y,maximizeFrame:I,shouldFadeIn:C,shouldStartVisible:S,isLoaded:p===s.U9.loaded||p===s.U9.notLoaded&&e.shouldStartVisible,isLandscape:P===s.yZ.landscape,isCenter:k===s.kQ.center,isCenterContain:k===s.kQ.centerContain,isCenterCover:k===s.kQ.centerCover,isContain:k===s.kQ.contain,isCover:k===s.kQ.cover,isNone:k===s.kQ.none,isError:p===s.U9.error,isNotImageFit:void 0===k});return r.createElement("div",{className:M.root,style:{width:b,height:y},ref:o},r.createElement("img",(0,n.pi)({},g,{onLoad:m,onError:h,key:"fabricImage"+e.src||"",className:M.image,ref:(0,l.r)(i,t),src:f,alt:v,role:w,loading:E})))}));d.displayName="ImageBase"},4861:(e,t,o)=>{"use strict";o.d(t,{E:()=>l});var n=o(2002),r=o(9759),i=o(9729),a=o(9757),s={root:"ms-Image",rootMaximizeFrame:"ms-Image--maximizeFrame",image:"ms-Image-image",imageCenter:"ms-Image-image--center",imageContain:"ms-Image-image--contain",imageCover:"ms-Image-image--cover",imageCenterContain:"ms-Image-image--centerContain",imageCenterCover:"ms-Image-image--centerCover",imageNone:"ms-Image-image--none",imageLandscape:"ms-Image-image--landscape",imagePortrait:"ms-Image-image--portrait"},l=(0,n.z)(r.v,(function(e){var t=e.className,o=e.width,n=e.height,r=e.maximizeFrame,l=e.isLoaded,c=e.shouldFadeIn,u=e.shouldStartVisible,d=e.isLandscape,p=e.isCenter,m=e.isContain,h=e.isCover,g=e.isCenterContain,f=e.isCenterCover,v=e.isNone,b=e.isError,y=e.isNotImageFit,_=e.theme,C=(0,i.Cn)(s,_),S={position:"absolute",left:"50% /* @noflip */",top:"50%",transform:"translate(-50%,-50%)"},x=(0,a.J)(),k=void 0!==x&&void 0===x.navigator.msMaxTouchPoints,w=m&&d||h&&!d?{width:"100%",height:"auto"}:{width:"auto",height:"100%"};return{root:[C.root,_.fonts.medium,{overflow:"hidden"},r&&[C.rootMaximizeFrame,{height:"100%",width:"100%"}],l&&c&&!u&&i.k4.fadeIn400,(p||m||h||g||f)&&{position:"relative"},t],image:[C.image,{display:"block",opacity:0},l&&["is-loaded",{opacity:1}],p&&[C.imageCenter,S],m&&[C.imageContain,k&&{width:"100%",height:"100%",objectFit:"contain"},!k&&w,!k&&S],h&&[C.imageCover,k&&{width:"100%",height:"100%",objectFit:"cover"},!k&&w,!k&&S],g&&[C.imageCenterContain,d&&{maxWidth:"100%"},!d&&{maxHeight:"100%"},S],f&&[C.imageCenterCover,d&&{maxHeight:"100%"},!d&&{maxWidth:"100%"},S],v&&[C.imageNone,{width:"auto",height:"auto"}],y&&[!!o&&!n&&{height:"auto",width:"100%"},!o&&!!n&&{height:"100%",width:"auto"},!!o&&!!n&&{height:"100%",width:"100%"}],d&&C.imageLandscape,!d&&C.imagePortrait,!l&&"is-notLoaded",c&&"is-fadeIn",b&&"is-error"]}}),void 0,{scope:"Image"},!0);l.displayName="Image"},6711:(e,t,o)=>{"use strict";var n,r,i;o.d(t,{kQ:()=>n,yZ:()=>r,U9:()=>i}),function(e){e[e.center=0]="center",e[e.contain=1]="contain",e[e.cover=2]="cover",e[e.none=3]="none",e[e.centerCover=4]="centerCover",e[e.centerContain=5]="centerContain"}(n||(n={})),function(e){e[e.landscape=0]="landscape",e[e.portrait=1]="portrait"}(r||(r={})),function(e){e[e.notLoaded=0]="notLoaded",e[e.loaded=1]="loaded",e[e.error=2]="error",e[e.errorLoaded=3]="errorLoaded"}(i||(i={}))},9949:(e,t,o)=>{"use strict";o.d(t,{a:()=>a});var n=o(7622),r=o(8128),i=o(2304),a=function(e){var t,o=e.children,a=(0,n._T)(e,["children"]),s=(0,i.c)(a),l=s.keytipId,c=s.ariaDescribedBy;return o(((t={})[r.fV]=l,t[r.ms]=l,t["aria-describedby"]=c,t))}},2304:(e,t,o)=>{"use strict";o.d(t,{c:()=>u});var n=o(7622),r=o(7002),i=o(7913),a=o(6876),s=o(9577),l=o(344),c=o(5325);function u(e){var t=r.useRef(),o=e.keytipProps?(0,n.pi)({disabled:e.disabled},e.keytipProps):void 0,u=(0,i.B)(l.K.getInstance()),d=(0,a.D)(e);r.useLayoutEffect((function(){var n,r;t.current&&o&&((null===(n=d)||void 0===n?void 0:n.keytipProps)!==e.keytipProps||(null===(r=d)||void 0===r?void 0:r.disabled)!==e.disabled)&&u.update(o,t.current)})),r.useLayoutEffect((function(){return o&&(t.current=u.register(o)),function(){o&&u.unregister(o,t.current)}}),[]);var p={ariaDescribedBy:void 0,keytipId:void 0};return o&&(p=function(e,t,o){var r=e.addParentOverflow(t),i=(0,s.I)(o,(0,c.w7)(r.keySequences)),a=(0,n.pr)(r.keySequences);return r.overflowSetSequence&&(a=(0,c.a1)(a,r.overflowSetSequence)),{ariaDescribedBy:i,keytipId:(0,c.aB)(a)}}(u,o,e.ariaDescribedBy)),p}},5424:(e,t,o)=>{"use strict";o.d(t,{E:()=>s});var n=o(7622),r=o(7002),i=o(8127),a=(0,o(7300).y)({cacheSize:100}),s=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.as,o=void 0===t?"label":t,s=e.children,l=e.className,c=e.disabled,u=e.styles,d=e.required,p=e.theme,m=a(u,{className:l,disabled:c,required:d,theme:p});return r.createElement(o,(0,n.pi)({},(0,i.pq)(this.props,i.n7),{className:m.root}),s)},t}(r.Component)},2052:(e,t,o)=>{"use strict";o.d(t,{_:()=>s});var n=o(2002),r=o(5424),i=o(7622),a=o(9729),s=(0,n.z)(r.E,(function(e){var t,o=e.theme,n=e.className,r=e.disabled,s=e.required,l=o.semanticColors,c=a.lq.semibold,u=l.bodyText,d=l.disabledBodyText,p=l.errorText;return{root:["ms-Label",o.fonts.medium,{fontWeight:c,color:u,boxSizing:"border-box",boxShadow:"none",margin:0,display:"block",padding:"5px 0",wordWrap:"break-word",overflowWrap:"break-word"},r&&{color:d,selectors:(t={},t[a.qJ]=(0,i.pi)({color:"GrayText"},(0,a.xM)()),t)},s&&{selectors:{"::after":{content:"' *'",color:p,paddingRight:12}}},n]}}),void 0,{scope:"Label"})},4555:(e,t,o)=>{"use strict";o.d(t,{s:()=>g});var n=o(7622),r=o(7002);const i=jsmodule["react-dom"];var a,s=o(3595),l=o(7300),c=o(8308),u=o(7829),d=o(6443),p=o(9241),m=o(8901),h=(0,l.y)(),g=r.forwardRef((function(e,t){var o=r.useState(),l=o[0],g=o[1],v=r.useRef(l);v.current=l;var b=r.useRef(null),y=(0,p.r)(b,t),_=(0,m.ky)(),C=e.eventBubblingEnabled,S=e.styles,x=e.theme,k=e.className,w=e.children,I=e.hostId,D=e.onLayerDidMount,T=void 0===D?function(){}:D,E=e.onLayerMounted,P=void 0===E?function(){}:E,M=e.onLayerWillUnmount,R=e.insertFirst,N=h(S,{theme:x,className:k,isNotHost:!I}),B=function(){var e;null===(e=M)||void 0===e||e();var t=v.current;if(t&&t.parentNode){var o=t.parentNode;o&&o.removeChild(t)}},F=function(){var e,t,o=function(){if(_){if(I)return _.getElementById(I);var e=(0,d.OJ)();return e?_.querySelector(e):_.body}}();if(_&&o){B();var n=_.createElement("div");n.className=N.root,(0,c.U)(n),(0,u.N)(n,b.current),R?o.insertBefore(n,o.firstChild):o.appendChild(n),g(n),null===(e=P)||void 0===e||e(),null===(t=T)||void 0===t||t()}};return r.useLayoutEffect((function(){return F(),I&&(0,d.Pc)(I,F),function(){B(),I&&(0,d.tq)(I,F)}}),[I]),r.createElement("span",{className:"ms-layer",ref:y},l&&i.createPortal(r.createElement(s.P,(0,n.pi)({},!C&&(a||(a={},["onClick","onContextMenu","onDoubleClick","onDrag","onDragEnd","onDragEnter","onDragExit","onDragLeave","onDragOver","onDragStart","onDrop","onMouseDown","onMouseEnter","onMouseLeave","onMouseMove","onMouseOver","onMouseOut","onMouseUp","onTouchMove","onTouchStart","onTouchCancel","onTouchEnd","onKeyDown","onKeyPress","onKeyUp","onFocus","onBlur","onChange","onInput","onInvalid","onSubmit"].forEach((function(e){return a[e]=f}))),a),{className:N.content}),w),l))}));g.displayName="LayerBase";var f=function(e){e.eventPhase===Event.BUBBLING_PHASE&&"mouseenter"!==e.type&&"mouseleave"!==e.type&&"touchstart"!==e.type&&"touchend"!==e.type&&e.stopPropagation()}},7513:(e,t,o)=>{"use strict";o.d(t,{m:()=>s});var n=o(2002),r=o(4555),i=o(9729),a={root:"ms-Layer",rootNoHost:"ms-Layer--fixed",content:"ms-Layer-content"},s=(0,n.z)(r.s,(function(e){var t=e.className,o=e.isNotHost,n=e.theme,r=(0,i.Cn)(a,n);return{root:[r.root,n.fonts.medium,o&&[r.rootNoHost,{position:"fixed",zIndex:i.bR.Layer,top:0,left:0,bottom:0,right:0,visibility:"hidden"}],t],content:[r.content,{visibility:"visible"}]}}),void 0,{scope:"Layer",fields:["hostId","theme","styles"]})},6443:(e,t,o)=>{"use strict";o.d(t,{Pc:()=>r,tq:()=>i,EQ:()=>a,OJ:()=>s});var n={};function r(e,t){n[e]||(n[e]=[]),n[e].push(t)}function i(e,t){if(n[e]){var o=n[e].indexOf(t);o>=0&&(n[e].splice(o,1),0===n[e].length&&delete n[e])}}function a(e){n[e]&&n[e].forEach((function(e){return e()}))}function s(){}},6178:(e,t,o)=>{"use strict";o.d(t,{R:()=>u});var n=o(7622),r=o(7002),i=o(7300),a=o(688),s=o(4948),l=o(8127),c=(0,i.y)(),u=function(e){function t(t){var o=e.call(this,t)||this;(0,a.l)(o);var n=o.props.allowTouchBodyScroll,r=void 0!==n&&n;return o._allowTouchBodyScroll=r,o}return(0,n.ZT)(t,e),t.prototype.componentDidMount=function(){!this._allowTouchBodyScroll&&(0,s.Qp)()},t.prototype.componentWillUnmount=function(){!this._allowTouchBodyScroll&&(0,s.tG)()},t.prototype.render=function(){var e=this.props,t=e.isDarkThemed,o=e.className,i=e.theme,a=e.styles,s=(0,l.pq)(this.props,l.n7),u=c(a,{theme:i,className:o,isDark:t});return r.createElement("div",(0,n.pi)({},s,{className:u.root}))},t}(r.Component)},4946:(e,t,o)=>{"use strict";o.d(t,{a:()=>s});var n=o(2002),r=o(6178),i=o(9729),a={root:"ms-Overlay",rootDark:"ms-Overlay--dark"},s=(0,n.z)(r.R,(function(e){var t,o=e.className,n=e.theme,r=e.isNone,s=e.isDark,l=n.palette,c=(0,i.Cn)(a,n);return{root:[c.root,n.fonts.medium,{backgroundColor:l.whiteTranslucent40,top:0,right:0,bottom:0,left:0,position:"absolute",selectors:(t={},t[i.qJ]={border:"1px solid WindowText",opacity:0},t)},r&&{visibility:"hidden"},s&&[c.rootDark,{backgroundColor:l.blackTranslucent40}],o]}}),void 0,{scope:"Overlay"})},5357:(e,t,o)=>{"use strict";o.d(t,{P:()=>k});var n,r=o(7622),i=o(7002),a=o(5758),s=o(7513),l=o(4946),c=o(752),u=o(7300),d=o(4948),p=o(8088),m=o(2167),h=o(9919),g=o(688),f=o(3129),v=o(2782),b=o(5951),y=o(8127),_=o(3345),C=o(6007),S=o(2758),x=(0,u.y)();!function(e){e[e.closed=0]="closed",e[e.animatingOpen=1]="animatingOpen",e[e.open=2]="open",e[e.animatingClosed=3]="animatingClosed"}(n||(n={}));var k=function(e){function t(t){var o=e.call(this,t)||this;o._panel=i.createRef(),o._animationCallback=null,o._hasCustomNavigation=!(!o.props.onRenderNavigation&&!o.props.onRenderNavigationContent),o.dismiss=function(e){o.props.onDismiss&&o.props.onDismiss(e),(!e||e&&!e.defaultPrevented)&&o.close()},o._allowScrollOnPanel=function(e){e?o._allowTouchBodyScroll?(0,d.eC)(e,o._events):(0,d.C7)(e,o._events):o._events.off(o._scrollableContent),o._scrollableContent=e},o._onRenderNavigation=function(e){if(!o.props.onRenderNavigationContent&&!o.props.onRenderNavigation&&!o.props.hasCloseButton)return null;var t=o.props.onRenderNavigationContent,n=void 0===t?o._onRenderNavigationContent:t;return i.createElement("div",{className:o._classNames.navigation},n(e,o._onRenderNavigationContent))},o._onRenderNavigationContent=function(e){var t,n=e.closeButtonAriaLabel,r=e.hasCloseButton,s=e.onRenderHeader,l=void 0===s?o._onRenderHeader:s;if(r){var c=null===(t=o._classNames.subComponentStyles)||void 0===t?void 0:t.closeButton();return i.createElement(i.Fragment,null,!o._hasCustomNavigation&&l(o.props,o._onRenderHeader,o._headerTextId),i.createElement(a.h,{styles:c,className:o._classNames.closeButton,onClick:o._onPanelClick,ariaLabel:n,title:n,"data-is-visible":!0,iconProps:{iconName:"Cancel"}}))}return null},o._onRenderHeader=function(e,t,n){var a=e.headerText,s=e.headerTextProps,l=void 0===s?{}:s;return a?i.createElement("div",{className:o._classNames.header},i.createElement("div",(0,r.pi)({id:n,role:"heading","aria-level":1},l,{className:(0,p.i)(o._classNames.headerText,l.className)}),a)):null},o._onRenderBody=function(e){return i.createElement("div",{className:o._classNames.content},e.children)},o._onRenderFooter=function(e){var t=o.props.onRenderFooterContent,n=void 0===t?null:t;return n?i.createElement("div",{className:o._classNames.footer},i.createElement("div",{className:o._classNames.footerInner},n())):null},o._animateTo=function(e){e===n.open&&o.props.onOpen&&o.props.onOpen(),o._animationCallback=o._async.setTimeout((function(){o.setState({visibility:e}),o._onTransitionComplete()}),200)},o._clearExistingAnimationTimer=function(){null!==o._animationCallback&&o._async.clearTimeout(o._animationCallback)},o._onPanelClick=function(e){o.dismiss(e)},o._onTransitionComplete=function(){o._updateFooterPosition(),o.state.visibility===n.open&&o.props.onOpened&&o.props.onOpened(),o.state.visibility===n.closed&&o.props.onDismissed&&o.props.onDismissed()};var s=o.props.allowTouchBodyScroll,l=void 0!==s&&s;return o._allowTouchBodyScroll=l,o._async=new m.e(o),o._events=new h.r(o),(0,g.l)(o),(0,f.b)("Panel",t,{ignoreExternalFocusing:"focusTrapZoneProps",forceFocusInsideTrap:"focusTrapZoneProps",firstFocusableSelector:"focusTrapZoneProps"}),o.state={isFooterSticky:!1,visibility:n.closed,id:(0,v.z)("Panel")},o}return(0,r.ZT)(t,e),t.getDerivedStateFromProps=function(e,t){return void 0===e.isOpen?null:!e.isOpen||t.visibility!==n.closed&&t.visibility!==n.animatingClosed?e.isOpen||t.visibility!==n.open&&t.visibility!==n.animatingOpen?null:{visibility:n.animatingClosed}:{visibility:n.animatingOpen}},t.prototype.componentDidMount=function(){this._events.on(window,"resize",this._updateFooterPosition),this._shouldListenForOuterClick(this.props)&&this._events.on(document.body,"mousedown",this._dismissOnOuterClick,!0),this.props.isOpen&&this.setState({visibility:n.animatingOpen})},t.prototype.componentDidUpdate=function(e,t){var o=this._shouldListenForOuterClick(this.props),r=this._shouldListenForOuterClick(e);this.state.visibility!==t.visibility&&(this._clearExistingAnimationTimer(),this.state.visibility===n.animatingOpen?this._animateTo(n.open):this.state.visibility===n.animatingClosed&&this._animateTo(n.closed)),o&&!r?this._events.on(document.body,"mousedown",this._dismissOnOuterClick,!0):!o&&r&&this._events.off(document.body,"mousedown",this._dismissOnOuterClick,!0)},t.prototype.componentWillUnmount=function(){this._async.dispose(),this._events.dispose()},t.prototype.render=function(){var e=this.props,t=e.className,o=void 0===t?"":t,a=e.elementToFocusOnDismiss,u=e.firstFocusableSelector,d=e.focusTrapZoneProps,p=e.forceFocusInsideTrap,m=e.hasCloseButton,h=e.headerText,g=e.headerClassName,f=void 0===g?"":g,v=e.ignoreExternalFocusing,_=e.isBlocking,k=e.isFooterAtBottom,w=e.isLightDismiss,I=e.isHiddenOnDismiss,D=e.layerProps,T=e.overlayProps,E=e.popupProps,P=e.type,M=e.styles,R=e.theme,N=e.customWidth,B=e.onLightDismissClick,F=void 0===B?this._onPanelClick:B,L=e.onRenderNavigation,A=void 0===L?this._onRenderNavigation:L,z=e.onRenderHeader,H=void 0===z?this._onRenderHeader:z,O=e.onRenderBody,W=void 0===O?this._onRenderBody:O,V=e.onRenderFooter,K=void 0===V?this._onRenderFooter:V,q=this.state,G=q.isFooterSticky,U=q.visibility,j=q.id,J=P===S.w.smallFixedNear||P===S.w.customNear,Y=(0,b.zg)(R)?J:!J,Z=P===S.w.custom||P===S.w.customNear?{width:N}:{},X=(0,y.pq)(this.props,y.n7),Q=this.isActive,$=U===n.animatingClosed||U===n.animatingOpen;if(this._headerTextId=h&&j+"-headerText",!Q&&!$&&!I)return null;this._classNames=x(M,{theme:R,className:o,focusTrapZoneClassName:d?d.className:void 0,hasCloseButton:m,headerClassName:f,isAnimating:$,isFooterSticky:G,isFooterAtBottom:k,isOnRightSide:Y,isOpen:Q,isHiddenOnDismiss:I,type:P,hasCustomNavigation:this._hasCustomNavigation});var ee,te=this._classNames,oe=this._allowTouchBodyScroll;return _&&Q&&(ee=i.createElement(l.a,(0,r.pi)({className:te.overlay,isDarkThemed:!1,onClick:w?F:void 0,allowTouchBodyScroll:oe},T))),i.createElement(s.m,(0,r.pi)({},D),i.createElement(c.G,(0,r.pi)({role:"dialog","aria-modal":"true",ariaLabelledBy:this._headerTextId?this._headerTextId:void 0,onDismiss:this.dismiss,className:te.hiddenPanel},E),i.createElement("div",(0,r.pi)({"aria-hidden":!Q&&$},X,{ref:this._panel,className:te.root}),ee,i.createElement(C.P,(0,r.pi)({ignoreExternalFocusing:v,forceFocusInsideTrap:!(!_||I&&!Q)&&p,firstFocusableSelector:u,isClickableOutsideFocusTrap:!0},d,{className:te.main,style:Z,elementToFocusOnDismiss:a}),i.createElement("div",{className:te.commands,"data-is-visible":!0},A(this.props,this._onRenderNavigation)),i.createElement("div",{className:te.contentInner},(this._hasCustomNavigation||!m)&&H(this.props,this._onRenderHeader,this._headerTextId),i.createElement("div",{ref:this._allowScrollOnPanel,className:te.scrollableContent,"data-is-scrollable":!0},W(this.props,this._onRenderBody)),K(this.props,this._onRenderFooter))))))},t.prototype.open=function(){void 0===this.props.isOpen&&(this.isActive||this.setState({visibility:n.animatingOpen}))},t.prototype.close=function(){void 0===this.props.isOpen&&this.isActive&&this.setState({visibility:n.animatingClosed})},Object.defineProperty(t.prototype,"isActive",{get:function(){return this.state.visibility===n.open||this.state.visibility===n.animatingOpen},enumerable:!0,configurable:!0}),t.prototype._shouldListenForOuterClick=function(e){return!!e.isBlocking&&!!e.isOpen},t.prototype._updateFooterPosition=function(){var e=this._scrollableContent;if(e){var t=e.clientHeight,o=e.scrollHeight;this.setState({isFooterSticky:t{"use strict";o.d(t,{s:()=>S});var n,r,i,a,s,l=o(2002),c=o(5357),u=o(7622),d=o(2758),p=o(9729),m={root:"ms-Panel",main:"ms-Panel-main",commands:"ms-Panel-commands",contentInner:"ms-Panel-contentInner",scrollableContent:"ms-Panel-scrollableContent",navigation:"ms-Panel-navigation",closeButton:"ms-Panel-closeButton ms-PanelAction-close",header:"ms-Panel-header",headerText:"ms-Panel-headerText",content:"ms-Panel-content",footer:"ms-Panel-footer",footerInner:"ms-Panel-footerInner",isOpen:"is-open",hasCloseButton:"ms-Panel--hasCloseButton",smallFluid:"ms-Panel--smFluid",smallFixedNear:"ms-Panel--smLeft",smallFixedFar:"ms-Panel--sm",medium:"ms-Panel--md",large:"ms-Panel--lg",largeFixed:"ms-Panel--fixed",extraLarge:"ms-Panel--xl",custom:"ms-Panel--custom",customNear:"ms-Panel--customLeft"},h="auto",g=((n={})["@media (min-width: "+p.dd+"px)"]={width:340},n),f=((r={})["@media (min-width: "+p.AV+"px)"]={width:592},r["@media (min-width: "+p.qv+"px)"]={width:644},r),v=((i={})["@media (min-width: "+p.bE+"px)"]={left:48,width:"auto"},i["@media (min-width: "+p.B+"px)"]={left:428},i),b=((a={})["@media (min-width: "+p.B+"px)"]={left:h,width:940},a),y=((s={})["@media (min-width: "+p.B+"px)"]={left:176},s),_=function(e){var t;switch(e){case d.w.smallFixedFar:t=(0,u.pi)({},g);break;case d.w.medium:t=(0,u.pi)((0,u.pi)({},g),f);break;case d.w.large:t=(0,u.pi)((0,u.pi)((0,u.pi)({},g),f),v);break;case d.w.largeFixed:t=(0,u.pi)((0,u.pi)((0,u.pi)((0,u.pi)({},g),f),v),b);break;case d.w.extraLarge:t=(0,u.pi)((0,u.pi)((0,u.pi)((0,u.pi)({},g),f),v),y)}return t},C={paddingLeft:"24px",paddingRight:"24px"},S=(0,l.z)(c.P,(function(e){var t,o=e.className,n=e.focusTrapZoneClassName,r=e.hasCloseButton,i=e.headerClassName,a=e.isAnimating,s=e.isFooterSticky,l=e.isFooterAtBottom,c=e.isOnRightSide,g=e.isOpen,f=e.isHiddenOnDismiss,v=e.hasCustomNavigation,b=e.theme,y=e.type,S=void 0===y?d.w.smallFixedFar:y,x=b.effects,k=b.fonts,w=b.semanticColors,I=(0,p.Cn)(m,b),D=S===d.w.custom||S===d.w.customNear;return{root:[I.root,b.fonts.medium,g&&I.isOpen,r&&I.hasCloseButton,{pointerEvents:"none",position:"absolute",top:0,left:0,right:0,bottom:0},D&&c&&I.custom,D&&!c&&I.customNear,o],overlay:[{pointerEvents:"auto",cursor:"pointer"},g&&a&&p.k4.fadeIn100,!g&&a&&p.k4.fadeOut100],hiddenPanel:[!g&&!a&&f&&{visibility:"hidden"}],main:[I.main,{backgroundColor:w.bodyBackground,boxShadow:x.elevation64,pointerEvents:"auto",position:"absolute",display:"flex",flexDirection:"column",overflowX:"hidden",overflowY:"auto",WebkitOverflowScrolling:"touch",bottom:0,top:0,left:h,right:0,width:"100%",selectors:(0,u.pi)((t={},t[p.qJ]={borderLeft:"3px solid "+w.variantBorder,borderRight:"3px solid "+w.variantBorder},t),_(S))},S===d.w.smallFluid&&{left:0},S===d.w.smallFixedNear&&{left:0,right:h,width:272},S===d.w.customNear&&{right:"auto",left:0},D&&{maxWidth:"100vw"},g&&a&&!c&&p.k4.slideRightIn40,g&&a&&c&&p.k4.slideLeftIn40,!g&&a&&!c&&p.k4.slideLeftOut40,!g&&a&&c&&p.k4.slideRightOut40,n],commands:[I.commands,{marginTop:18},v&&{marginTop:"inherit"}],navigation:[I.navigation,{display:"flex",justifyContent:"flex-end"},v&&{height:"44px"}],contentInner:[I.contentInner,{display:"flex",flexDirection:"column",flexGrow:1,overflowY:"hidden"}],header:[I.header,C,{alignSelf:"flex-start"},r&&!v&&{flexGrow:1},v&&{flexShrink:0}],headerText:[I.headerText,k.xLarge,{color:w.bodyText,lineHeight:"27px",overflowWrap:"break-word",wordWrap:"break-word",wordBreak:"break-word",hyphens:"auto"},i],scrollableContent:[I.scrollableContent,{overflowY:"auto"},l&&{flexGrow:1}],content:[I.content,C,{paddingBottom:20}],footer:[I.footer,{flexShrink:0,borderTop:"1px solid transparent",transition:"opacity "+p.D1.durationValue3+" "+p.D1.easeFunction2},s&&{background:w.bodyBackground,borderTopColor:w.variantBorder}],footerInner:[I.footerInner,C,{paddingBottom:16,paddingTop:16}],subComponentStyles:{closeButton:{root:[I.closeButton,{marginRight:14,color:b.palette.neutralSecondary,fontSize:p.ld.large},v&&{marginRight:0,height:"auto",width:"44px"}],rootHovered:{color:b.palette.neutralPrimary}}}}}),void 0,{scope:"Panel"})},2758:(e,t,o)=>{"use strict";var n;o.d(t,{w:()=>n}),function(e){e[e.smallFluid=0]="smallFluid",e[e.smallFixedFar=1]="smallFixedFar",e[e.smallFixedNear=2]="smallFixedNear",e[e.medium=3]="medium",e[e.large=4]="large",e[e.largeFixed=5]="largeFixed",e[e.extraLarge=6]="extraLarge",e[e.custom=7]="custom",e[e.customNear=8]="customNear"}(n||(n={}))},7047:(e,t,o)=>{"use strict";o.d(t,{R:()=>f});var n=o(7622),r=o(7002),i=o(7300),a=o(63),s=o(8127),l=o(5816),c=o(3967),u=o(6543),d=o(7481),p=o(9241),m=o(6628),h=(0,i.y)(),g={size:d.Ir.size48,presence:d.H_.none,imageAlt:""},f=r.forwardRef((function(e,t){var o=(0,a.j)(g,e),i=r.useRef(null),f=(0,p.r)(t,i),v=function(){return o.text||o.primaryText||""},b=function(e,t,n){return r.createElement("div",{dir:"auto",className:e},t&&t(o,n))},y=function(e){return e?function(){return r.createElement(l.G,{content:e,overflowMode:c.y.Parent,directionalHint:m.b.topLeftEdge},e)}:void 0},_=y(v()),C=y(o.secondaryText),S=y(o.tertiaryText),x=y(o.optionalText),k=o.hidePersonaDetails,w=o.onRenderOptionalText,I=void 0===w?x:w,D=o.onRenderPrimaryText,T=void 0===D?_:D,E=o.onRenderSecondaryText,P=void 0===E?C:E,M=o.onRenderTertiaryText,R=void 0===M?S:M,N=o.onRenderPersonaCoin,B=void 0===N?function(e){return r.createElement(u.t,(0,n.pi)({},e))}:N,F=o.size,L=o.allowPhoneInitials,A=o.className,z=o.coinProps,H=o.showUnknownPersonaCoin,O=o.coinSize,W=o.styles,V=o.imageAlt,K=o.imageInitials,q=o.imageShouldFadeIn,G=o.imageShouldStartVisible,U=o.imageUrl,j=o.initialsColor,J=o.initialsTextColor,Y=o.isOutOfOffice,Z=o.onPhotoLoadingStateChange,X=o.onRenderCoin,Q=o.onRenderInitials,$=o.presence,ee=o.presenceTitle,te=o.presenceColors,oe=o.showInitialsUntilImageLoads,ne=o.showSecondaryText,re=o.theme,ie=(0,n.pi)({allowPhoneInitials:L,showUnknownPersonaCoin:H,coinSize:O,imageAlt:V,imageInitials:K,imageShouldFadeIn:q,imageShouldStartVisible:G,imageUrl:U,initialsColor:j,initialsTextColor:J,onPhotoLoadingStateChange:Z,onRenderCoin:X,onRenderInitials:Q,presence:$,presenceTitle:ee,showInitialsUntilImageLoads:oe,size:F,text:v(),isOutOfOffice:Y,presenceColors:te},z),ae=h(W,{theme:re,className:A,showSecondaryText:ne,presence:$,size:F}),se=(0,s.pq)(o,s.n7),le=r.createElement("div",{className:ae.details},b(ae.primaryText,T,_),b(ae.secondaryText,P,C),b(ae.tertiaryText,R,S),b(ae.optionalText,I,x),o.children);return r.createElement("div",(0,n.pi)({},se,{ref:f,className:ae.root,style:O?{height:O,minWidth:O}:void 0}),B(ie,B),(!k||F===d.Ir.size8||F===d.Ir.size10||F===d.Ir.tiny)&&le)}));f.displayName="PersonaBase"},7665:(e,t,o)=>{"use strict";o.d(t,{I:()=>l});var n=o(2002),r=o(7047),i=o(9729),a=o(8337),s={root:"ms-Persona",size8:"ms-Persona--size8",size10:"ms-Persona--size10",size16:"ms-Persona--size16",size24:"ms-Persona--size24",size28:"ms-Persona--size28",size32:"ms-Persona--size32",size40:"ms-Persona--size40",size48:"ms-Persona--size48",size56:"ms-Persona--size56",size72:"ms-Persona--size72",size100:"ms-Persona--size100",size120:"ms-Persona--size120",available:"ms-Persona--online",away:"ms-Persona--away",blocked:"ms-Persona--blocked",busy:"ms-Persona--busy",doNotDisturb:"ms-Persona--donotdisturb",offline:"ms-Persona--offline",details:"ms-Persona-details",primaryText:"ms-Persona-primaryText",secondaryText:"ms-Persona-secondaryText",tertiaryText:"ms-Persona-tertiaryText",optionalText:"ms-Persona-optionalText",textContent:"ms-Persona-textContent"},l=(0,n.z)(r.R,(function(e){var t=e.className,o=e.showSecondaryText,n=e.theme,r=n.semanticColors,l=n.fonts,c=(0,i.Cn)(s,n),u=(0,a.yR)(e.size),d=(0,a.zx)(e.presence),p="16px",m={color:r.bodySubtext,fontWeight:i.lq.regular,fontSize:l.small.fontSize};return{root:[c.root,n.fonts.medium,i.Fv,{color:r.bodyText,position:"relative",height:a.or.size48,minWidth:a.or.size48,display:"flex",alignItems:"center",selectors:{".contextualHost":{display:"none"}}},u.isSize8&&[c.size8,{height:a.or.size8,minWidth:a.or.size8}],u.isSize10&&[c.size10,{height:a.or.size10,minWidth:a.or.size10}],u.isSize16&&[c.size16,{height:a.or.size16,minWidth:a.or.size16}],u.isSize24&&[c.size24,{height:a.or.size24,minWidth:a.or.size24}],u.isSize24&&o&&{height:"36px"},u.isSize28&&[c.size28,{height:a.or.size28,minWidth:a.or.size28}],u.isSize28&&o&&{height:"32px"},u.isSize32&&[c.size32,{height:a.or.size32,minWidth:a.or.size32}],u.isSize40&&[c.size40,{height:a.or.size40,minWidth:a.or.size40}],u.isSize48&&c.size48,u.isSize56&&[c.size56,{height:a.or.size56,minWidth:a.or.size56}],u.isSize72&&[c.size72,{height:a.or.size72,minWidth:a.or.size72}],u.isSize100&&[c.size100,{height:a.or.size100,minWidth:a.or.size100}],u.isSize120&&[c.size120,{height:a.or.size120,minWidth:a.or.size120}],d.isAvailable&&c.available,d.isAway&&c.away,d.isBlocked&&c.blocked,d.isBusy&&c.busy,d.isDoNotDisturb&&c.doNotDisturb,d.isOffline&&c.offline,t],details:[c.details,{padding:"0 24px 0 16px",minWidth:0,width:"100%",textAlign:"left",display:"flex",flexDirection:"column",justifyContent:"space-around"},(u.isSize8||u.isSize10)&&{paddingLeft:17},(u.isSize24||u.isSize28||u.isSize32)&&{padding:"0 8px"},(u.isSize40||u.isSize48)&&{padding:"0 12px"}],primaryText:[c.primaryText,i.jq,{color:r.bodyText,fontWeight:i.lq.regular,fontSize:l.medium.fontSize,selectors:{":hover":{color:r.inputTextHovered}}},o&&{height:p,lineHeight:p,overflowX:"hidden"},(u.isSize8||u.isSize10)&&{fontSize:l.small.fontSize,lineHeight:a.or.size8},u.isSize16&&{lineHeight:a.or.size28},(u.isSize24||u.isSize28||u.isSize32||u.isSize40||u.isSize48)&&o&&{height:18},(u.isSize56||u.isSize72||u.isSize100||u.isSize120)&&{fontSize:l.xLarge.fontSize},(u.isSize56||u.isSize72||u.isSize100||u.isSize120)&&o&&{height:22}],secondaryText:[c.secondaryText,i.jq,m,(u.isSize8||u.isSize10||u.isSize16||u.isSize24||u.isSize28||u.isSize32)&&{display:"none"},o&&{display:"block",height:p,lineHeight:p,overflowX:"hidden"},u.isSize24&&o&&{height:18},(u.isSize56||u.isSize72||u.isSize100||u.isSize120)&&{fontSize:l.medium.fontSize},(u.isSize56||u.isSize72||u.isSize100||u.isSize120)&&o&&{height:18}],tertiaryText:[c.tertiaryText,i.jq,m,{display:"none",fontSize:l.medium.fontSize},(u.isSize72||u.isSize100||u.isSize120)&&{display:"block"}],optionalText:[c.optionalText,i.jq,m,{display:"none",fontSize:l.medium.fontSize},(u.isSize100||u.isSize120)&&{display:"block"}],textContent:[c.textContent,i.jq]}}),void 0,{scope:"Persona"})},7481:(e,t,o)=>{"use strict";var n,r,i;o.d(t,{Ir:()=>n,H_:()=>r,z5:()=>i}),function(e){e[e.tiny=0]="tiny",e[e.extraExtraSmall=1]="extraExtraSmall",e[e.extraSmall=2]="extraSmall",e[e.small=3]="small",e[e.regular=4]="regular",e[e.large=5]="large",e[e.extraLarge=6]="extraLarge",e[e.size8=17]="size8",e[e.size10=9]="size10",e[e.size16=8]="size16",e[e.size24=10]="size24",e[e.size28=7]="size28",e[e.size32=11]="size32",e[e.size40=12]="size40",e[e.size48=13]="size48",e[e.size56=16]="size56",e[e.size72=14]="size72",e[e.size100=15]="size100",e[e.size120=18]="size120"}(n||(n={})),function(e){e[e.none=0]="none",e[e.offline=1]="offline",e[e.online=2]="online",e[e.away=3]="away",e[e.dnd=4]="dnd",e[e.blocked=5]="blocked",e[e.busy=6]="busy"}(r||(r={})),function(e){e[e.lightBlue=0]="lightBlue",e[e.blue=1]="blue",e[e.darkBlue=2]="darkBlue",e[e.teal=3]="teal",e[e.lightGreen=4]="lightGreen",e[e.green=5]="green",e[e.darkGreen=6]="darkGreen",e[e.lightPink=7]="lightPink",e[e.pink=8]="pink",e[e.magenta=9]="magenta",e[e.purple=10]="purple",e[e.black=11]="black",e[e.orange=12]="orange",e[e.red=13]="red",e[e.darkRed=14]="darkRed",e[e.transparent=15]="transparent",e[e.violet=16]="violet",e[e.lightRed=17]="lightRed",e[e.gold=18]="gold",e[e.burgundy=19]="burgundy",e[e.warmGray=20]="warmGray",e[e.coolGray=21]="coolGray",e[e.gray=22]="gray",e[e.cyan=23]="cyan",e[e.rust=24]="rust"}(i||(i={}))},867:(e,t,o)=>{"use strict";o.d(t,{z:()=>R});var n=o(7622),r=o(7002),i=o(7300),a=o(5094),s=o(63),l=o(8127),c=o(5951),u=o(6104),d=o(9729),p=o(2002),m=o(9947),h=o(7481),g=o(8337),f=o(9241),v=(0,i.y)({cacheSize:100}),b=r.forwardRef((function(e,t){var o=e.coinSize,n=e.isOutOfOffice,i=e.styles,a=e.presence,s=e.theme,l=e.presenceTitle,c=e.presenceColors,u=r.useRef(null),d=(0,f.r)(t,u),p=(0,g.yR)(e.size),b=!(p.isSize8||p.isSize10||p.isSize16||p.isSize24||p.isSize28||p.isSize32)&&(!o||o>32),_=o?o/3<40?o/3+"px":"40px":"",C=o?{fontSize:o?o/6<20?o/6+"px":"20px":"",lineHeight:_}:void 0,S=o?{width:_,height:_}:void 0,x=v(i,{theme:s,presence:a,size:e.size,isOutOfOffice:n,presenceColors:c});return a===h.H_.none?null:r.createElement("div",{role:"presentation",className:x.presence,style:S,title:l,ref:d},b&&r.createElement(m.J,{className:x.presenceIcon,iconName:y(e.presence,e.isOutOfOffice),style:C}))}));function y(e,t){if(e){var o="SkypeArrow";switch(h.H_[e]){case"online":return"SkypeCheck";case"away":return t?o:"SkypeClock";case"dnd":return"SkypeMinus";case"offline":return t?o:""}return""}}b.displayName="PersonaPresenceBase";var _={presence:"ms-Persona-presence",presenceIcon:"ms-Persona-presenceIcon"};function C(e){return{color:e,borderColor:e}}function S(e,t){return{selectors:{":before":{border:e+" solid "+t}}}}function x(e){return{height:e,width:e}}function k(e){return{backgroundColor:e}}var w=(0,p.z)(b,(function(e){var t,o,r,i,a,s,l=e.theme,c=e.presenceColors,u=l.semanticColors,p=l.fonts,m=(0,d.Cn)(_,l),h=(0,g.yR)(e.size),f=(0,g.zx)(e.presence),v=c&&c.available||"#6BB700",b=c&&c.away||"#FFAA44",y=c&&c.busy||"#C43148",w=c&&c.dnd||"#C50F1F",I=c&&c.offline||"#8A8886",D=c&&c.oof||"#B4009E",T=c&&c.background||u.bodyBackground,E=f.isOffline||e.isOutOfOffice&&(f.isAvailable||f.isBusy||f.isAway||f.isDoNotDisturb),P=h.isSize72||h.isSize100?"2px":"1px";return{presence:[m.presence,(0,n.pi)((0,n.pi)({position:"absolute",height:g.bw.size12,width:g.bw.size12,borderRadius:"50%",top:"auto",right:"-2px",bottom:"-2px",border:"2px solid "+T,textAlign:"center",boxSizing:"content-box",backgroundClip:"content-box"},(0,d.xM)()),{selectors:(t={},t[d.qJ]={borderColor:"Window",backgroundColor:"WindowText"},t)}),(h.isSize8||h.isSize10)&&{right:"auto",top:"7px",left:0,border:0,selectors:(o={},o[d.qJ]={top:"9px",border:"1px solid WindowText"},o)},(h.isSize8||h.isSize10||h.isSize24||h.isSize28||h.isSize32)&&x(g.bw.size8),(h.isSize40||h.isSize48)&&x(g.bw.size12),h.isSize16&&{height:g.bw.size6,width:g.bw.size6,borderWidth:"1.5px"},h.isSize56&&x(g.bw.size16),h.isSize72&&x(g.bw.size20),h.isSize100&&x(g.bw.size28),h.isSize120&&x(g.bw.size32),f.isAvailable&&{backgroundColor:v,selectors:(r={},r[d.qJ]=k("Highlight"),r)},f.isAway&&k(b),f.isBlocked&&[{selectors:(i={":after":h.isSize40||h.isSize48||h.isSize72||h.isSize100?{content:'""',width:"100%",height:P,backgroundColor:y,transform:"translateY(-50%) rotate(-45deg)",position:"absolute",top:"50%",left:0}:void 0},i[d.qJ]={selectors:{":after":{width:"calc(100% - 4px)",left:"2px",backgroundColor:"Window"}}},i)}],f.isBusy&&k(y),f.isDoNotDisturb&&k(w),f.isOffline&&k(I),(E||f.isBlocked)&&[{backgroundColor:T,selectors:(a={":before":{content:'""',width:"100%",height:"100%",position:"absolute",top:0,left:0,border:P+" solid "+y,borderRadius:"50%",boxSizing:"border-box"}},a[d.qJ]={backgroundColor:"WindowText",selectors:{":before":{width:"calc(100% - 2px)",height:"calc(100% - 2px)",top:"1px",left:"1px",borderColor:"Window"}}},a)}],E&&f.isAvailable&&S(P,v),E&&f.isBusy&&S(P,y),E&&f.isAway&&S(P,D),E&&f.isDoNotDisturb&&S(P,w),E&&f.isOffline&&S(P,I),E&&f.isOffline&&e.isOutOfOffice&&S(P,D)],presenceIcon:[m.presenceIcon,{color:T,fontSize:"6px",lineHeight:g.bw.size12,verticalAlign:"top",selectors:(s={},s[d.qJ]={color:"Window"},s)},h.isSize56&&{fontSize:"8px",lineHeight:g.bw.size16},h.isSize72&&{fontSize:p.small.fontSize,lineHeight:g.bw.size20},h.isSize100&&{fontSize:p.medium.fontSize,lineHeight:g.bw.size28},h.isSize120&&{fontSize:p.medium.fontSize,lineHeight:g.bw.size32},f.isAway&&{position:"relative",left:E?void 0:"1px"},E&&f.isAvailable&&C(v),E&&f.isBusy&&C(y),E&&f.isAway&&C(D),E&&f.isDoNotDisturb&&C(w),E&&f.isOffline&&C(I),E&&f.isOffline&&e.isOutOfOffice&&C(D)]}}),void 0,{scope:"PersonaPresence"}),I=o(6711),D=o(4861),T=o(4192),E=(0,i.y)({cacheSize:100}),P=(0,a.NF)((function(e,t,o,n,r,i){return(0,d.y0)(e,!i&&{backgroundColor:(0,T.g)({text:n,initialsColor:t,primaryText:r}),color:o})})),M={size:h.Ir.size48,presence:h.H_.none,imageAlt:""},R=r.forwardRef((function(e,t){var o=(0,s.j)(M,e),i=function(e){var t=e.onPhotoLoadingStateChange,o=e.imageUrl,n=r.useState(I.U9.notLoaded),i=n[0],a=n[1];return r.useEffect((function(){a(I.U9.notLoaded)}),[o]),[i,function(e){var o;a(e),null===(o=t)||void 0===o||o(e)}]}(o),a=i[0],c=i[1],u=N(c),d=o.className,p=o.coinProps,g=o.showUnknownPersonaCoin,f=o.coinSize,v=o.styles,b=o.imageUrl,y=o.initialsColor,_=o.initialsTextColor,C=o.isOutOfOffice,S=o.onRenderCoin,x=void 0===S?u:S,k=o.onRenderPersonaCoin,D=void 0===k?x:k,T=o.onRenderInitials,R=void 0===T?B:T,F=o.presence,L=o.presenceTitle,A=o.presenceColors,z=o.primaryText,H=o.showInitialsUntilImageLoads,O=o.text,W=o.theme,V=o.size,K=(0,l.pq)(o,l.n7),q=(0,l.pq)(p||{},l.n7),G=f?{width:f,height:f}:void 0,U=g,j={coinSize:f,isOutOfOffice:C,presence:F,presenceTitle:L,presenceColors:A,size:V,theme:W},J=E(v,{theme:W,className:p&&p.className?p.className:d,size:V,coinSize:f,showUnknownPersonaCoin:g}),Y=Boolean(a!==I.U9.loaded&&(H&&b||!b||a===I.U9.error||U));return r.createElement("div",(0,n.pi)({role:"presentation"},K,{className:J.coin,ref:t}),V!==h.Ir.size8&&V!==h.Ir.size10&&V!==h.Ir.tiny?r.createElement("div",(0,n.pi)({role:"presentation"},q,{className:J.imageArea,style:G}),Y&&r.createElement("div",{className:P(J.initials,y,_,O,z,g),style:G,"aria-hidden":"true"},R(o,B)),!U&&D(o,u),r.createElement(w,(0,n.pi)({},j))):o.presence?r.createElement(w,(0,n.pi)({},j)):r.createElement(m.J,{iconName:"Contact",className:J.size10WithoutPresenceIcon}),o.children)}));R.displayName="PersonaCoinBase";var N=function(e){return function(t){var o=t.coinSize,n=t.styles,i=t.imageUrl,a=t.imageAlt,s=t.imageShouldFadeIn,l=t.imageShouldStartVisible,c=t.theme,u=t.showUnknownPersonaCoin,d=t.size,p=void 0===d?M.size:d;if(!i)return null;var m=E(n,{theme:c,size:p,showUnknownPersonaCoin:u}),h=o||g.Y4[p];return r.createElement(D.E,{className:m.image,imageFit:I.kQ.cover,src:i,width:h,height:h,alt:a,shouldFadeIn:s,shouldStartVisible:l,onLoadingStateChange:e})}},B=function(e){var t=e.imageInitials,o=e.allowPhoneInitials,n=e.showUnknownPersonaCoin,i=e.text,a=e.primaryText,s=e.theme;if(n)return r.createElement(m.J,{iconName:"Help"});var l=(0,c.zg)(s);return""!==(t=t||(0,u.Q)(i||a||"",l,o))?r.createElement("span",null,t):r.createElement(m.J,{iconName:"Contact"})}},6543:(e,t,o)=>{"use strict";o.d(t,{t:()=>c});var n=o(2002),r=o(867),i=o(7622),a=o(9729),s=o(8337),l={coin:"ms-Persona-coin",imageArea:"ms-Persona-imageArea",image:"ms-Persona-image",initials:"ms-Persona-initials",size8:"ms-Persona--size8",size10:"ms-Persona--size10",size16:"ms-Persona--size16",size24:"ms-Persona--size24",size28:"ms-Persona--size28",size32:"ms-Persona--size32",size40:"ms-Persona--size40",size48:"ms-Persona--size48",size56:"ms-Persona--size56",size72:"ms-Persona--size72",size100:"ms-Persona--size100",size120:"ms-Persona--size120"},c=(0,n.z)(r.z,(function(e){var t,o=e.className,n=e.theme,r=e.coinSize,c=n.palette,u=n.fonts,d=(0,s.yR)(e.size),p=(0,a.Cn)(l,n),m=r||e.size&&s.Y4[e.size]||48;return{coin:[p.coin,u.medium,d.isSize8&&p.size8,d.isSize10&&p.size10,d.isSize16&&p.size16,d.isSize24&&p.size24,d.isSize28&&p.size28,d.isSize32&&p.size32,d.isSize40&&p.size40,d.isSize48&&p.size48,d.isSize56&&p.size56,d.isSize72&&p.size72,d.isSize100&&p.size100,d.isSize120&&p.size120,o],size10WithoutPresenceIcon:{fontSize:u.xSmall.fontSize,position:"absolute",top:"5px",right:"auto",left:0},imageArea:[p.imageArea,{position:"relative",textAlign:"center",flex:"0 0 auto",height:m,width:m},m<=10&&{overflow:"visible",background:"transparent",height:0,width:0}],image:[p.image,{marginRight:"10px",position:"absolute",top:0,left:0,width:"100%",height:"100%",border:0,borderRadius:"50%",perspective:"1px"},m<=10&&{overflow:"visible",background:"transparent",height:0,width:0},m>10&&{height:m,width:m}],initials:[p.initials,{borderRadius:"50%",color:e.showUnknownPersonaCoin?"rgb(168, 0, 0)":c.white,fontSize:u.large.fontSize,fontWeight:a.lq.semibold,lineHeight:48===m?46:m,height:m,selectors:(t={},t[a.qJ]=(0,i.pi)((0,i.pi)({border:"1px solid WindowText"},(0,a.xM)()),{color:"WindowText",boxSizing:"border-box",backgroundColor:"Window !important"}),t.i={fontWeight:a.lq.semibold},t)},e.showUnknownPersonaCoin&&{backgroundColor:"rgb(234, 234, 234)"},m<32&&{fontSize:u.xSmall.fontSize},m>=32&&m<40&&{fontSize:u.medium.fontSize},m>=40&&m<56&&{fontSize:u.mediumPlus.fontSize},m>=56&&m<72&&{fontSize:u.xLarge.fontSize},m>=72&&m<100&&{fontSize:u.xxLarge.fontSize},m>=100&&{fontSize:u.superLarge.fontSize}]}}),void 0,{scope:"PersonaCoin"})},8337:(e,t,o)=>{"use strict";o.d(t,{or:()=>r,bw:()=>i,yR:()=>s,Y4:()=>l,zx:()=>c});var n,r,i,a=o(7481);!function(e){e.size8="20px",e.size10="20px",e.size16="16px",e.size24="24px",e.size28="28px",e.size32="32px",e.size40="40px",e.size48="48px",e.size56="56px",e.size72="72px",e.size100="100px",e.size120="120px"}(r||(r={})),function(e){e.size6="6px",e.size8="8px",e.size12="12px",e.size16="16px",e.size20="20px",e.size28="28px",e.size32="32px",e.border="2px"}(i||(i={}));var s=function(e){return{isSize8:e===a.Ir.size8,isSize10:e===a.Ir.size10||e===a.Ir.tiny,isSize16:e===a.Ir.size16,isSize24:e===a.Ir.size24||e===a.Ir.extraExtraSmall,isSize28:e===a.Ir.size28||e===a.Ir.extraSmall,isSize32:e===a.Ir.size32,isSize40:e===a.Ir.size40||e===a.Ir.small,isSize48:e===a.Ir.size48||e===a.Ir.regular,isSize56:e===a.Ir.size56,isSize72:e===a.Ir.size72||e===a.Ir.large,isSize100:e===a.Ir.size100||e===a.Ir.extraLarge,isSize120:e===a.Ir.size120}},l=((n={})[a.Ir.tiny]=10,n[a.Ir.extraExtraSmall]=24,n[a.Ir.extraSmall]=28,n[a.Ir.small]=40,n[a.Ir.regular]=48,n[a.Ir.large]=72,n[a.Ir.extraLarge]=100,n[a.Ir.size8]=8,n[a.Ir.size10]=10,n[a.Ir.size16]=16,n[a.Ir.size24]=24,n[a.Ir.size28]=28,n[a.Ir.size32]=32,n[a.Ir.size40]=40,n[a.Ir.size48]=48,n[a.Ir.size56]=56,n[a.Ir.size72]=72,n[a.Ir.size100]=100,n[a.Ir.size120]=120,n),c=function(e){return{isAvailable:e===a.H_.online,isAway:e===a.H_.away,isBlocked:e===a.H_.blocked,isBusy:e===a.H_.busy,isDoNotDisturb:e===a.H_.dnd,isOffline:e===a.H_.offline}}},4192:(e,t,o)=>{"use strict";o.d(t,{g:()=>a});var n=o(7481),r=[n.z5.lightBlue,n.z5.blue,n.z5.darkBlue,n.z5.teal,n.z5.green,n.z5.darkGreen,n.z5.lightPink,n.z5.pink,n.z5.magenta,n.z5.purple,n.z5.orange,n.z5.lightRed,n.z5.darkRed,n.z5.violet,n.z5.gold,n.z5.burgundy,n.z5.warmGray,n.z5.cyan,n.z5.rust,n.z5.coolGray],i=r.length;function a(e){var t=e.primaryText,o=e.text,a=e.initialsColor;return"string"==typeof a?a:function(e){switch(e){case n.z5.lightBlue:return"#4F6BED";case n.z5.blue:return"#0078D4";case n.z5.darkBlue:return"#004E8C";case n.z5.teal:return"#038387";case n.z5.lightGreen:case n.z5.green:return"#498205";case n.z5.darkGreen:return"#0B6A0B";case n.z5.lightPink:return"#C239B3";case n.z5.pink:return"#E3008C";case n.z5.magenta:return"#881798";case n.z5.purple:return"#5C2E91";case n.z5.orange:return"#CA5010";case n.z5.red:return"#EE1111";case n.z5.lightRed:return"#D13438";case n.z5.darkRed:return"#A4262C";case n.z5.transparent:return"transparent";case n.z5.violet:return"#8764B8";case n.z5.gold:return"#986F0B";case n.z5.burgundy:return"#750B1C";case n.z5.warmGray:return"#7A7574";case n.z5.cyan:return"#005B70";case n.z5.rust:return"#8E562E";case n.z5.coolGray:return"#69797E";case n.z5.black:return"#1D1D1D";case n.z5.gray:return"#393939"}}(a=void 0!==a?a:function(e){var t=n.z5.blue;if(!e)return t;for(var o=0,a=e.length-1;a>=0;a--){var s=e.charCodeAt(a),l=a%8;o^=(s<>8-l)}return r[o%i]}(o||t))}},752:(e,t,o)=>{"use strict";o.d(t,{G:()=>g});var n=o(7622),r=o(7002),i=o(9757),a=o(5446),s=o(4553),l=o(8145),c=o(8127),u=o(3528),d=o(757),p=o(9241),m=o(8901);function h(e){var t=e.originalElement,o=e.containsFocus;t&&o&&t!==(0,i.J)()&&setTimeout((function(){var e,o;null===(o=(e=t).focus)||void 0===o||o.call(e)}),0)}var g=r.forwardRef((function(e,t){e=(0,n.pi)({shouldRestoreFocus:!0},e);var o=r.useRef(),i=(0,p.r)(o,t);!function(e,t){var o=e.onRestoreFocus,n=void 0===o?h:o,i=r.useRef(),l=r.useRef(!1);r.useEffect((function(){return i.current=(0,a.M)().activeElement,(0,s.WU)(t.current)&&(l.current=!0),function(){var e,t;null===(e=n)||void 0===e||e({originalElement:i.current,containsFocus:l.current,documentContainsFocus:(null===(t=(0,a.M)())||void 0===t?void 0:t.hasFocus())||!1}),i.current=void 0}}),[]),(0,d.d)(t,"focus",r.useCallback((function(){l.current=!0}),[]),!0),(0,d.d)(t,"blur",r.useCallback((function(e){t.current&&e.relatedTarget&&!t.current.contains(e.relatedTarget)&&(l.current=!1)}),[]),!0)}(e,o);var g=e.role,f=e.className,v=e.ariaLabel,b=e.ariaLabelledBy,y=e.ariaDescribedBy,_=e.style,C=e.children,S=e.onDismiss,x=function(e,t){var o=(0,u.r)(),n=r.useState(!1),i=n[0],a=n[1];return r.useEffect((function(){return o.requestAnimationFrame((function(){var o;if(!e.style||!e.style.overflowY){var n=!1;if(t&&t.current&&(null===(o=t.current)||void 0===o?void 0:o.firstElementChild)){var r=t.current.clientHeight,s=t.current.firstElementChild.clientHeight;r>0&&s>r&&(n=s-r>1)}i!==n&&a(n)}})),function(){return o.dispose()}})),i}(e,o),k=r.useCallback((function(e){switch(e.which){case l.m.escape:S&&(S(e),e.preventDefault(),e.stopPropagation())}}),[S]),w=(0,m.zY)();return(0,d.d)(w,"keydown",k),r.createElement("div",(0,n.pi)({ref:i},(0,c.pq)(e,c.n7),{className:f,role:g,"aria-label":v,"aria-labelledby":b,"aria-describedby":y,onKeyDown:k,style:(0,n.pi)({overflowY:x?"scroll":void 0,outline:"none"},_)}),C)}))},1405:(e,t,o)=>{"use strict";o.d(t,{x:()=>b});var n=o(7622),r=o(7002),i=o(7300),a=o(8127),s=o(8088),l=o(6953),c=o(9947),u=o(2998),d=o(7023),p=o(7813),m=o(4085),h=o(6548),g=(0,i.y)(),f=function(e){return r.createElement("div",{className:e.classNames.ratingStar},r.createElement(c.J,{className:e.classNames.ratingStarBack,iconName:e.icon}),!e.disabled&&r.createElement(c.J,{className:e.classNames.ratingStarFront,iconName:e.icon,style:{width:e.fillPercentage+"%"}}))},v=function(e,t){return e+"-star-"+(t-1)},b=r.forwardRef((function(e,t){var o,i=(0,m.M)("Rating"),c=(0,m.M)("RatingLabel"),b=e.ariaLabel,y=e.ariaLabelFormat,_=e.disabled,C=e.getAriaLabel,S=e.styles,x=e.min,k=void 0===x?e.allowZeroStars?0:1:x,w=e.max,I=void 0===w?5:w,D=e.readOnly,T=e.size,E=e.theme,P=e.icon,M=void 0===P?"FavoriteStarFill":P,R=e.unselectedIcon,N=void 0===R?"FavoriteStar":R,B=e.onRenderStar,F=Math.max(k,0),L=(0,h.G)(e.rating,e.defaultRating,e.onChange),A=L[0],z=L[1],H=function(e,t,o){return Math.min(Math.max(null!=e?e:t,t),o)}(A,F,I);!function(e,t){r.useImperativeHandle(e,(function(){return{rating:t}}),[t])}(e.componentRef,H);for(var O=(0,a.pq)(e,a.n7),W=g(S,{disabled:_,readOnly:D,theme:E}),V=null===(o=C)||void 0===o?void 0:o(H,I),K=b||V,q=[],G=function(e){var t,o,a=function(e,t){var o=Math.ceil(t),n=100;return e===t?n=100:e===o?n=t%1*100:e>o&&(n=0),n}(e,H),u=function(t){void 0!==A&&Math.ceil(A)===e||z(e,t)};q.push(r.createElement("button",(0,n.pi)({className:(0,s.i)(W.ratingButton,T===p.O.Large?W.ratingStarIsLarge:W.ratingStarIsSmall),id:v(i,e),key:e},e===Math.ceil(H)&&{"data-is-current":!0},{onFocus:u,onClick:u,disabled:!(!_&&!D),role:"radio","aria-hidden":D?"true":void 0,type:"button","aria-checked":e===Math.ceil(H)}),r.createElement("span",{id:c+"-"+e,className:W.labelText},(0,l.W)(y||"",e,I)),(t={fillPercentage:a,disabled:_,classNames:W,icon:a>0?M:N,starNum:e},(o=B)?o(t):r.createElement(f,(0,n.pi)({},t)))))},U=1;U<=I;U++)G(U);var j=T===p.O.Large?W.rootIsLarge:W.rootIsSmall;return r.createElement("div",(0,n.pi)({ref:t,className:(0,s.i)("ms-Rating-star",W.root,j),"aria-label":D?void 0:K,id:i,role:D?void 0:"radiogroup"},O),r.createElement(u.k,(0,n.pi)({direction:d.U.bidirectional,className:(0,s.i)(W.ratingFocusZone,j),defaultActiveElement:"#"+v(i,Math.ceil(H))},D&&{allowFocusRoot:!0,disabled:!0,role:"textbox","aria-label":V,"aria-readonly":!0,"data-is-focusable":!0,tabIndex:0}),q))}));b.displayName="RatingBase"},558:(e,t,o)=>{"use strict";o.d(t,{i:()=>l});var n=o(2002),r=o(9729),i={root:"ms-RatingStar-root",rootIsSmall:"ms-RatingStar-root--small",rootIsLarge:"ms-RatingStar-root--large",ratingStar:"ms-RatingStar-container",ratingStarBack:"ms-RatingStar-back",ratingStarFront:"ms-RatingStar-front",ratingButton:"ms-Rating-button",ratingStarIsSmall:"ms-Rating--small",ratingStartIsLarge:"ms-Rating--large",labelText:"ms-Rating-labelText",ratingFocusZone:"ms-Rating-focuszone"};function a(e,t){var o;return{color:e,selectors:(o={},o[r.qJ]={color:t},o)}}var s=o(1405),l=(0,n.z)(s.x,(function(e){var t=e.disabled,o=e.readOnly,n=e.theme,s=n.semanticColors,l=n.palette,c=(0,r.Cn)(i,n),u=l.neutralSecondary,d=l.themePrimary,p=l.themeDark,m=l.neutralPrimary,h=s.disabledBodySubtext;return{root:[c.root,n.fonts.medium,!t&&!o&&{selectors:{"&:hover":{selectors:{".ms-RatingStar-back":a(m,"Highlight")}}}}],rootIsSmall:[c.rootIsSmall,{height:"32px"}],rootIsLarge:[c.rootIsLarge,{height:"36px"}],ratingStar:[c.ratingStar,{display:"inline-block",position:"relative",height:"inherit"}],ratingStarBack:[c.ratingStarBack,{color:u,width:"100%"},t&&a(h,"GrayText")],ratingStarFront:[c.ratingStarFront,{position:"absolute",height:"100 %",left:"0",top:"0",textAlign:"center",verticalAlign:"middle",overflow:"hidden"},a(m,"Highlight")],ratingButton:[(0,r.GL)(n),c.ratingButton,{backgroundColor:"transparent",padding:"8px 2px",boxSizing:"content-box",margin:"0px",border:"none",cursor:"pointer",selectors:{"&:disabled":{cursor:"default"},"&[disabled]":{cursor:"default"}}},!t&&!o&&{selectors:{"&:hover ~ .ms-Rating-button":{selectors:{".ms-RatingStar-back":a(u,"WindowText"),".ms-RatingStar-front":a(u,"WindowText")}},"&:hover":{selectors:{".ms-RatingStar-back":{color:d},".ms-RatingStar-front":{color:p}}}}},t&&{cursor:"default"}],ratingStarIsSmall:[c.ratingStarIsSmall,{fontSize:"16px",lineHeight:"16px",height:"16px"}],ratingStarIsLarge:[c.ratingStartIsLarge,{fontSize:"20px",lineHeight:"20px",height:"20px"}],labelText:[c.labelText,r.ul],ratingFocusZone:[(0,r.GL)(n),c.ratingFocusZone,{display:"inline-block"}]}}),void 0,{scope:"Rating"})},7813:(e,t,o)=>{"use strict";var n;o.d(t,{O:()=>n}),function(e){e[e.Small=0]="Small",e[e.Large=1]="Large"}(n||(n={}))},3863:(e,t,o)=>{"use strict";o.d(t,{i:()=>b});var n=o(7622),r=o(7002),i=o(7300),a=o(8127),s=o(8145),l=o(6548),c=o(9241),u=o(4085),d=o(5758),p=o(9947),m="SearchBox",h={root:{height:"auto"},icon:{fontSize:"12px"}},g={iconName:"Clear"},f={ariaLabel:"Clear text"},v=(0,i.y)(),b=r.forwardRef((function(e,t){var o=e.defaultValue,i=void 0===o?"":o,b=r.useState(!1),y=b[0],_=b[1],C=(0,l.G)(e.value,i,e.onChange),S=C[0],x=C[1],k=String(S),w=r.useRef(null),I=r.useRef(null),D=(0,c.r)(w,t),T=(0,u.M)(m,e.id),E=e.ariaLabel,P=e.className,M=e.disabled,R=e.underlined,N=e.styles,B=e.labelText,F=e.placeholder,L=void 0===F?B:F,A=e.theme,z=e.clearButtonProps,H=void 0===z?f:z,O=e.disableAnimation,W=void 0!==O&&O,V=e.onClear,K=e.onBlur,q=e.onEscape,G=e.onSearch,U=e.onKeyDown,j=e.iconProps,J=e.role,Y=H.onClick,Z=v(N,{theme:A,className:P,underlined:R,hasFocus:y,disabled:M,hasInput:k.length>0,disableAnimation:W}),X=(0,a.pq)(e,a.Gg,["className","placeholder","onFocus","onBlur","value","role"]),Q=r.useCallback((function(e){var t,o;null===(t=V)||void 0===t||t(e),e.defaultPrevented||(x(""),null===(o=I.current)||void 0===o||o.focus(),e.stopPropagation(),e.preventDefault())}),[V,x]),$=r.useCallback((function(e){var t;null===(t=Y)||void 0===t||t(e),e.defaultPrevented||Q(e)}),[Y,Q]),ee=r.useCallback((function(e){var t;_(!1),null===(t=K)||void 0===t||t(e)}),[K]),te=function(e){x(e.target.value)};return function(e,t,o){r.useImperativeHandle(e,(function(){return{focus:function(){var e;return null===(e=t.current)||void 0===e?void 0:e.focus()},hasFocus:function(){return o}}}),[t,o])}(e.componentRef,I,y),r.createElement("div",{role:J,ref:D,className:Z.root,onFocusCapture:function(t){var o,n;_(!0),null===(n=(o=e).onFocus)||void 0===n||n.call(o,t)}},r.createElement("div",{className:Z.iconContainer,onClick:function(){I.current&&(I.current.focus(),I.current.selectionStart=I.current.selectionEnd=0)},"aria-hidden":!0},r.createElement(p.J,(0,n.pi)({iconName:"Search"},j,{className:Z.icon}))),r.createElement("input",(0,n.pi)({},X,{id:T,className:Z.field,placeholder:L,onChange:te,onInput:te,onBlur:ee,onKeyDown:function(e){var t,o;switch(e.which){case s.m.escape:null===(t=q)||void 0===t||t(e),k&&!e.defaultPrevented&&Q(e);break;case s.m.enter:G&&(G(k),e.preventDefault(),e.stopPropagation());break;default:null===(o=U)||void 0===o||o(e),e.defaultPrevented&&e.stopPropagation()}},value:k,disabled:M,role:"searchbox","aria-label":E,ref:I})),k.length>0&&r.createElement("div",{className:Z.clearButton},r.createElement(d.h,(0,n.pi)({onBlur:ee,styles:h,iconProps:g},H,{onClick:$}))))}));b.displayName=m},6419:(e,t,o)=>{"use strict";o.d(t,{R:()=>l});var n=o(2002),r=o(3863),i=o(9729),a=o(5951),s={root:"ms-SearchBox",iconContainer:"ms-SearchBox-iconContainer",icon:"ms-SearchBox-icon",clearButton:"ms-SearchBox-clearButton",field:"ms-SearchBox-field"},l=(0,n.z)(r.i,(function(e){var t,o,n,r,l=e.theme,c=e.underlined,u=e.disabled,d=e.hasFocus,p=e.className,m=e.hasInput,h=e.disableAnimation,g=l.palette,f=l.fonts,v=l.semanticColors,b=l.effects,y=(0,i.Cn)(s,l),_={color:v.inputPlaceholderText,opacity:1},C=g.neutralSecondary,S=g.neutralPrimary,x=g.neutralLighter,k=g.neutralLighter,w=g.neutralLighter;return{root:[y.root,f.medium,i.Fv,{color:v.inputText,backgroundColor:v.inputBackground,display:"flex",flexDirection:"row",flexWrap:"nowrap",alignItems:"stretch",padding:"1px 0 1px 4px",borderRadius:b.roundedCorner2,border:"1px solid "+v.inputBorder,height:32,selectors:(t={},t[i.qJ]={borderColor:"WindowText"},t[":hover"]={borderColor:v.inputBorderHovered,selectors:(o={},o[i.qJ]={borderColor:"Highlight"},o)},t[":hover ."+y.iconContainer]={color:v.inputIconHovered},t)},!d&&m&&{selectors:(n={},n[":hover ."+y.iconContainer]={width:4},n[":hover ."+y.icon]={opacity:0},n)},d&&["is-active",{position:"relative"},(0,i.$Y)(v.inputFocusBorderAlt,c?0:b.roundedCorner2,c?"borderBottom":"border")],u&&["is-disabled",{borderColor:x,backgroundColor:w,pointerEvents:"none",cursor:"default",selectors:(r={},r[i.qJ]={borderColor:"GrayText"},r)}],c&&["is-underlined",{borderWidth:"0 0 1px 0",borderRadius:0,padding:"1px 0 1px 8px"}],c&&u&&{backgroundColor:"transparent"},m&&"can-clear",p],iconContainer:[y.iconContainer,{display:"flex",flexDirection:"column",justifyContent:"center",flexShrink:0,fontSize:16,width:32,textAlign:"center",color:v.inputIcon,cursor:"text"},d&&{width:4},u&&{color:v.inputIconDisabled},!h&&{transition:"width "+i.D1.durationValue1}],icon:[y.icon,{opacity:1},d&&{opacity:0},!h&&{transition:"opacity "+i.D1.durationValue1+" 0s"}],clearButton:[y.clearButton,{display:"flex",flexDirection:"row",alignItems:"stretch",cursor:"pointer",flexBasis:"32px",flexShrink:0,padding:0,margin:"-1px 0px",selectors:{"&:hover .ms-Button":{backgroundColor:k},"&:hover .ms-Button-icon":{color:S},".ms-Button":{borderRadius:(0,a.zg)(l)?"1px 0 0 1px":"0 1px 1px 0"},".ms-Button-icon":{color:C}}}],field:[y.field,i.Fv,(0,i.Sv)(_),{backgroundColor:"transparent",border:"none",outline:"none",fontWeight:"inherit",fontFamily:"inherit",fontSize:"inherit",color:v.inputText,flex:"1 1 0px",minWidth:"0px",overflow:"hidden",textOverflow:"ellipsis",paddingBottom:.5,selectors:{"::-ms-clear":{display:"none"}}},u&&{color:v.disabledText}]}}),void 0,{scope:"SearchBox"})},9379:(e,t,o)=>{"use strict";o.d(t,{V:()=>y});var n=o(7622),r=o(7002),i=o(5480),a=o(2052),s=o(6548),l=o(4085),c=o(2861),u=o(7300),d=o(5951),p=o(8145),m=o(9251),h=o(8127),g=o(8088),f=(0,u.y)(),v=function(e){return function(t){var o;return(o={})[e]=t+"%",o}},b=function(e,t,o){return o===t?0:(e-t)/(o-t)*100},y=r.forwardRef((function(e,t){var o=function(e,t){var o=e.step,i=void 0===o?1:o,a=e.className,u=e.disabled,y=void 0!==u&&u,_=e.label,C=e.max,S=void 0===C?10:C,x=e.min,k=void 0===x?0:x,w=e.showValue,I=void 0===w||w,D=e.buttonProps,T=void 0===D?{}:D,E=e.vertical,P=void 0!==E&&E,M=e.valueFormat,R=e.styles,N=e.theme,B=e.originFromZero,F=e["aria-label"],L=e.ranged,A=r.useRef([]),z=r.useRef(null),H=(0,s.G)(e.value,e.defaultValue,(function(t,o){var n,r;return null===(r=(n=e).onChange)||void 0===r?void 0:r.call(n,o,L?[j,o]:void 0)})),O=H[0],W=H[1],V=(0,s.G)(e.lowerValue,e.defaultLowerValue,(function(t,o){var n,r;return null===(r=(n=e).onChange)||void 0===r?void 0:r.call(n,U,[o,U])})),K=V[0],q=V[1],G=r.useRef(!1),U=Math.max(k,Math.min(S,O||0)),j=Math.max(k,Math.min(U,K||0)),J=(0,l.M)("Slider"),Y=(0,c.k)(!0),Z=Y[0],X=Y[1].toggle,Q=f(R,{className:a,disabled:y,vertical:P,showTransitions:Z,showValue:I,ranged:L,theme:N}),$=r.useState(0),ee=$[0],te=$[1],oe=(S-k)/i,ne=function(){clearTimeout(ee)},re=function(t){ne(),te(setTimeout((function(){e.onChanged&&e.onChanged(t,U)}),1e3))},ie=function(t){var o=e.ariaValueText;if(void 0!==t)return o?o(t):t.toString()},ae=function(t,o){e.snapToStep;var n=0;if(isFinite(i))for(;Math.round(i*Math.pow(10,n))/Math.pow(10,n)!==i;)n++;var r=parseFloat(t.toFixed(n));L?G.current&&(B?r<=0:r<=U)?q(r):!G.current&&(B?r>=0:r>=j)&&W(r):W(r)},se=function(e,t){var o;switch(e.type){case"mousedown":case"mousemove":o=t?e.clientY:e.clientX;break;case"touchstart":case"touchmove":o=t?e.touches[0].clientY:e.touches[0].clientX}return o},le=function(t){if(z.current){var o,n=z.current.getBoundingClientRect(),r=(e.vertical?n.height:n.width)/oe;if(e.vertical){var i=se(t,e.vertical);o=(n.bottom-i)/r}else{var a=se(t,e.vertical);o=((0,d.zg)(e.theme)?n.right-a:a-n.left)/r}return o}},ce=function(e,t){var o,n=le(e);o=n>Math.floor(oe)?S:n<0?k:k+i*Math.round(n),ae(o),t||(e.preventDefault(),e.stopPropagation())},ue=function(e){if(L){var t=le(e),o=k+i*t;G.current=o<=j||o-j<=U-o}"mousedown"===e.type?A.current.push((0,m.on)(window,"mousemove",ce,!0),(0,m.on)(window,"mouseup",de,!0)):"touchstart"===e.type&&A.current.push((0,m.on)(window,"touchmove",ce,!0),(0,m.on)(window,"touchend",de,!0)),X(),ce(e,!0)},de=function(t){e.onChanged&&e.onChanged(t,U),X(),pe()},pe=function(){A.current.forEach((function(e){return e()})),A.current=[]},me=y?{}:{onMouseDown:ue},he=y?{}:{onTouchStart:ue},ge=y?{}:{onKeyDown:function(t){var o=G.current?j:U,n=0;switch(t.which){case(0,d.dP)(p.m.left,e.theme):case p.m.down:n=-i,ne(),re(t);break;case(0,d.dP)(p.m.right,e.theme):case p.m.up:n=i,ne(),re(t);break;case p.m.home:o=k;break;case p.m.end:o=S;break;default:return}var r=Math.min(S,Math.max(k,o+n));ae(r),t.preventDefault(),t.stopPropagation()}},fe=y?{}:{onFocus:function(e){G.current=e.target===ve.current}},ve=r.useRef(null),be=r.useRef(null);!function(e,t,o,n){r.useImperativeHandle(e.componentRef,(function(){return{get value(){return o},get range(){return e.ranged?n:void 0},focus:function(){t.current&&t.current.focus()}}}),[t,o,e.ranged,n])}(e,L&&!P?ve:be,U,[j,U]);var ye=function(e,t){return void 0===e&&(e=!1),void 0===t&&(t=!1),v(e?"bottom":t?"right":"left")}(P,(0,d.zg)(e.theme)),_e=function(e){return void 0===e&&(e=!1),v(e?"height":"width")}(P),Ce=B?0:k,Se=b(U,k,S),xe=b(j,k,S),ke=b(Ce,k,S),we=L?Se-xe:Math.abs(ke-Se),Ie=Math.min(100-Se,100-ke),De=L?xe:Math.min(Se,ke),Te={className:Q.root,ref:t},Ee=T?(0,h.pq)(T,h.n7):void 0,Pe={className:Q.titleLabel,children:_,disabled:y,htmlFor:F?void 0:J},Me=I?{className:Q.valueLabel,children:M?M(U):U,disabled:y}:void 0,Re=L&&I?{className:Q.valueLabel,children:M?M(j):j,disabled:y}:void 0,Ne=B?{className:Q.zeroTick,style:ye(ke)}:void 0,Be={className:(0,g.i)(Q.lineContainer,Q.activeSection),style:_e(we)},Fe={className:(0,g.i)(Q.lineContainer,Q.inactiveSection),style:_e(Ie)},Le={className:(0,g.i)(Q.lineContainer,Q.inactiveSection),style:_e(De)},Ae=(0,n.pi)((0,n.pi)((0,n.pi)((0,n.pi)({},me),he),ge),Ee),ze=(0,n.pi)({"aria-disabled":y,role:"slider",tabIndex:y?void 0:0},{"data-is-focusable":!y}),He=(0,n.pi)((0,n.pi)({id:J,className:(0,g.i)(Q.slideBox,T.className)},Ae),!L&&(0,n.pi)((0,n.pi)({},ze),{"aria-valuemin":k,"aria-valuemax":S,"aria-valuenow":U,"aria-valuetext":ie(U),"aria-label":F||_})),Oe=(0,n.pi)({ref:be,className:Q.thumb,style:ye(Se)},L&&(0,n.pi)((0,n.pi)((0,n.pi)((0,n.pi)({},ze),Ae),fe),{id:"max-"+J,"aria-valuemin":j,"aria-valuemax":S,"aria-valuenow":U,"aria-valuetext":ie(U),"aria-label":"max "+(F||_)})),We=L?(0,n.pi)((0,n.pi)((0,n.pi)((0,n.pi)({ref:ve,className:Q.thumb,style:ye(xe)},ze),Ae),fe),{id:"min-"+J,"aria-valuemin":k,"aria-valuemax":U,"aria-valuenow":j,"aria-valuetext":ie(j),"aria-label":"min "+(F||_)}):void 0;return{root:Te,label:Pe,sliderBox:He,container:{className:Q.container},valueLabel:Me,lowerValueLabel:Re,thumb:Oe,lowerValueThumb:We,zeroTick:Ne,activeTrack:Be,topInactiveTrack:Fe,bottomInactiveTrack:Le,sliderLine:{ref:z,className:Q.line}}}(e,t);return r.createElement("div",(0,n.pi)({},o.root),o&&r.createElement(a._,(0,n.pi)({},o.label)),r.createElement("div",(0,n.pi)({},o.container),e.ranged&&(e.vertical?o.valueLabel&&r.createElement(a._,(0,n.pi)({},o.valueLabel)):o.lowerValueLabel&&r.createElement(a._,(0,n.pi)({},o.lowerValueLabel))),r.createElement("div",(0,n.pi)({},o.sliderBox),r.createElement("div",(0,n.pi)({},o.sliderLine),e.ranged&&r.createElement("span",(0,n.pi)({},o.lowerValueThumb)),r.createElement("span",(0,n.pi)({},o.thumb)),o.zeroTick&&r.createElement("span",(0,n.pi)({},o.zeroTick)),r.createElement("span",(0,n.pi)({},o.bottomInactiveTrack)),r.createElement("span",(0,n.pi)({},o.activeTrack)),r.createElement("span",(0,n.pi)({},o.topInactiveTrack)))),e.ranged&&e.vertical?o.lowerValueLabel&&r.createElement(a._,(0,n.pi)({},o.lowerValueLabel)):o.valueLabel&&r.createElement(a._,(0,n.pi)({},o.valueLabel))),r.createElement(i.u,null))}));y.displayName="SliderBase"},4107:(e,t,o)=>{"use strict";o.d(t,{i:()=>c});var n=o(2002),r=o(9379),i=o(7622),a=o(9729),s=o(5951),l={root:"ms-Slider",enabled:"ms-Slider-enabled",disabled:"ms-Slider-disabled",row:"ms-Slider-row",column:"ms-Slider-column",container:"ms-Slider-container",slideBox:"ms-Slider-slideBox",line:"ms-Slider-line",thumb:"ms-Slider-thumb",activeSection:"ms-Slider-active",inactiveSection:"ms-Slider-inactive",valueLabel:"ms-Slider-value",showValue:"ms-Slider-showValue",showTransitions:"ms-Slider-showTransitions",zeroTick:"ms-Slider-zeroTick"},c=(0,n.z)(r.V,(function(e){var t,o,n,r,c,u,d,p,m,h,g,f,v,b=e.className,y=e.titleLabelClassName,_=e.theme,C=e.vertical,S=e.disabled,x=e.showTransitions,k=e.showValue,w=e.ranged,I=_.semanticColors,D=(0,a.Cn)(l,_),T=I.inputBackgroundCheckedHovered,E=I.inputBackgroundChecked,P=I.inputPlaceholderBackgroundChecked,M=I.smallInputBorder,R=I.disabledBorder,N=I.disabledText,B=I.disabledBackground,F=I.inputBackground,L=I.smallInputBorder,A=I.disabledBorder,z=!S&&{backgroundColor:T,selectors:(t={},t[a.qJ]={backgroundColor:"Highlight"},t)},H=!S&&{backgroundColor:P,selectors:(o={},o[a.qJ]={borderColor:"Highlight"},o)},O=!S&&{backgroundColor:E,selectors:(n={},n[a.qJ]={backgroundColor:"Highlight"},n)},W=!S&&{border:"2px solid "+T,selectors:(r={},r[a.qJ]={borderColor:"Highlight"},r)},V=!e.disabled&&{backgroundColor:I.inputPlaceholderBackgroundChecked,selectors:(c={},c[a.qJ]={backgroundColor:"Highlight"},c)};return{root:(0,i.pr)([D.root,_.fonts.medium,{userSelect:"none"},C&&{marginRight:8}],[S?void 0:D.enabled],[S?D.disabled:void 0],[C?void 0:D.row],[C?D.column:void 0],[b]),titleLabel:[{padding:0},y],container:[D.container,{display:"flex",flexWrap:"nowrap",alignItems:"center"},C&&{flexDirection:"column",height:"100%",textAlign:"center",margin:"8px 0"}],slideBox:(0,i.pr)([D.slideBox,!w&&(0,a.GL)(_),{background:"transparent",border:"none",flexGrow:1,lineHeight:28,display:"flex",alignItems:"center",selectors:(u={},u[":active ."+D.activeSection]=z,u[":hover ."+D.activeSection]=O,u[":active ."+D.inactiveSection]=H,u[":hover ."+D.inactiveSection]=H,u[":active ."+D.thumb]=W,u[":hover ."+D.thumb]=W,u[":active ."+D.zeroTick]=V,u[":hover ."+D.zeroTick]=V,u[a.qJ]={forcedColorAdjust:"none"},u)},C?{height:"100%",width:28,padding:"8px 0"}:{height:28,width:"auto",padding:"0 8px"}],[k?D.showValue:void 0],[x?D.showTransitions:void 0]),thumb:[D.thumb,w&&(0,a.GL)(_,{inset:-4}),{borderWidth:2,borderStyle:"solid",borderColor:L,borderRadius:10,boxSizing:"border-box",background:F,display:"block",width:16,height:16,position:"absolute"},C?{left:-6,margin:"0 auto",transform:"translateY(8px)"}:{top:-6,transform:(0,s.zg)(_)?"translateX(50%)":"translateX(-50%)"},x&&{transition:"left "+a.D1.durationValue3+" "+a.D1.easeFunction1},S&&{borderColor:A,selectors:(d={},d[a.qJ]={borderColor:"GrayText"},d)}],line:[D.line,{display:"flex",position:"relative"},C?{height:"100%",width:4,margin:"0 auto",flexDirection:"column-reverse"}:{width:"100%"}],lineContainer:[{borderRadius:4,boxSizing:"border-box"},C?{width:4,height:"100%"}:{height:4,width:"100%"}],activeSection:[D.activeSection,{background:M,selectors:(p={},p[a.qJ]={backgroundColor:"WindowText"},p)},x&&{transition:"width "+a.D1.durationValue3+" "+a.D1.easeFunction1},S&&{background:N,selectors:(m={},m[a.qJ]={backgroundColor:"GrayText",borderColor:"GrayText"},m)}],inactiveSection:[D.inactiveSection,{background:R,selectors:(h={},h[a.qJ]={border:"1px solid WindowText"},h)},x&&{transition:"width "+a.D1.durationValue3+" "+a.D1.easeFunction1},S&&{background:B,selectors:(g={},g[a.qJ]={borderColor:"GrayText"},g)}],zeroTick:[D.zeroTick,{position:"absolute",background:I.disabledBorder,selectors:(f={},f[a.qJ]={backgroundColor:"WindowText"},f)},e.disabled&&{background:I.disabledBackground,selectors:(v={},v[a.qJ]={backgroundColor:"GrayText"},v)},e.vertical?{width:"16px",height:"1px",transform:(0,s.zg)(_)?"translateX(6px)":"translateX(-6px)"}:{width:"1px",height:"16px",transform:"translateY(-6px)"}],valueLabel:[D.valueLabel,{flexShrink:1,width:30,lineHeight:"1"},C?{margin:"0 auto",whiteSpace:"nowrap",width:40}:{margin:"0 8px",whiteSpace:"nowrap",width:40}]}}),void 0,{scope:"Slider"})},3134:(e,t,o)=>{"use strict";o.d(t,{k:()=>P});var n=o(2002),r=o(7622),i=o(7002),a=o(5758),s=o(2052),l=o(9947),c=o(7300),u=o(63),d=o(8633),p=o(8127),m=o(8145),h=o(9729),g=o(5094),f=o(4568),v=(0,g.NF)((function(e){var t,o=e.semanticColors,n=o.disabledText,r=o.disabledBackground;return{backgroundColor:r,pointerEvents:"none",cursor:"default",color:n,selectors:(t={":after":{borderColor:r}},t[h.qJ]={color:"GrayText"},t)}})),b=(0,g.NF)((function(e,t,o){var n,r,i,a=e.palette,s=e.semanticColors,l=e.effects,c=a.neutralSecondary,u=s.buttonText,d=s.buttonText,p=s.buttonBackgroundHovered,m=s.buttonBackgroundPressed,g={root:{outline:"none",display:"block",height:"50%",width:23,padding:0,backgroundColor:"transparent",textAlign:"center",cursor:"default",color:c,selectors:{"&.ms-DownButton":{borderRadius:"0 0 "+l.roundedCorner2+" 0"},"&.ms-UpButton":{borderRadius:"0 "+l.roundedCorner2+" 0 0"}}},rootHovered:{backgroundColor:p,color:u},rootChecked:{backgroundColor:m,color:d,selectors:(n={},n[h.qJ]={backgroundColor:"Highlight",color:"HighlightText"},n)},rootPressed:{backgroundColor:m,color:d,selectors:(r={},r[h.qJ]={backgroundColor:"Highlight",color:"HighlightText"},r)},rootDisabled:{opacity:.5,selectors:(i={},i[h.qJ]={color:"GrayText",opacity:1},i)},icon:{fontSize:8,marginTop:0,marginRight:0,marginBottom:0,marginLeft:0}};return(0,h.E$)(g,{},o)})),y=o(998),_=o(4085),C=o(3528),S=o(6548),x=o(6876),k=(0,c.y)(),w={disabled:!1,label:"",step:1,labelPosition:f.L.start,incrementButtonIcon:{iconName:"ChevronUpSmall"},decrementButtonIcon:{iconName:"ChevronDownSmall"}},I=function(){},D=function(e,t){var o=t.min,n=t.max;return"number"==typeof n&&(e=Math.min(e,n)),"number"==typeof o&&(e=Math.max(e,o)),e},T=i.forwardRef((function(e,t){var o=(0,u.j)(w,e),n=o.disabled,c=o.label,h=o.min,g=o.max,v=o.step,T=o.defaultValue,P=o.value,M=o.precision,R=o.labelPosition,N=o.iconProps,B=o.incrementButtonIcon,F=o.incrementButtonAriaLabel,L=o.decrementButtonIcon,A=o.decrementButtonAriaLabel,z=o.ariaLabel,H=o.ariaDescribedBy,O=o.upArrowButtonStyles,W=o.downArrowButtonStyles,V=o.theme,K=o.ariaPositionInSet,q=o.ariaSetSize,G=o.ariaValueNow,U=o.ariaValueText,j=o.className,J=o.inputProps,Y=o.onDecrement,Z=o.onIncrement,X=o.iconButtonProps,Q=o.onValidate,$=o.onChange,ee=o.styles,te=i.useRef(null),oe=(0,_.M)("input"),ne=(0,_.M)("Label"),re=i.useState(!1),ie=re[0],ae=re[1],se=i.useState(y.T.notSpinning),le=se[0],ce=se[1],ue=(0,C.r)(),de=i.useMemo((function(){return null!=M?M:Math.max((0,d.oe)(v),0)}),[M,v]),pe=(0,S.G)(P,null!=T?T:String(h||0),$),me=pe[0],he=pe[1],ge=i.useState(),fe=ge[0],ve=ge[1],be=i.useRef({stepTimeoutHandle:-1,latestValue:void 0,latestIntermediateValue:void 0}).current;be.latestValue=me,be.latestIntermediateValue=fe;var ye=(0,x.D)(P);i.useEffect((function(){P!==ye&&void 0!==fe&&ve(void 0)}),[P,ye,fe]);var _e=k(ee,{theme:V,disabled:n,isFocused:ie,keyboardSpinDirection:le,labelPosition:R,className:j}),Ce=(0,p.pq)(o,p.n7,["onBlur","onFocus","className"]),Se=i.useCallback((function(e){var t=be.latestIntermediateValue;if(void 0!==t&&t!==be.latestValue){var o=void 0;Q?o=Q(t,e):t&&t.trim().length&&!isNaN(Number(t))&&(o=String(D(Number(t),{min:h,max:g}))),void 0!==o&&o!==be.latestValue&&he(o)}ve(void 0)}),[be,g,h,Q,he]),xe=i.useCallback((function(){be.stepTimeoutHandle>=0&&(ue.clearTimeout(be.stepTimeoutHandle),be.stepTimeoutHandle=-1),(be.spinningByMouse||le!==y.T.notSpinning)&&(be.spinningByMouse=!1,ce(y.T.notSpinning))}),[be,le,ue]),ke=i.useCallback((function(e,t){if(t.persist(),void 0!==be.latestIntermediateValue)return"keydown"===t.type&&Se(t),void ue.requestAnimationFrame((function(){ke(e,t)}));var o=e(be.latestValue||"",t);void 0!==o&&o!==be.latestValue&&he(o);var n=be.spinningByMouse;be.spinningByMouse="mousedown"===t.type,be.spinningByMouse&&(be.stepTimeoutHandle=ue.setTimeout((function(){ke(e,t)}),n?75:400))}),[be,ue,Se,he]),we=i.useCallback((function(e){if(Z)return Z(e);var t=D(Number(e)+Number(v),{max:g});return t=(0,d.F0)(t,de),String(t)}),[de,g,Z,v]),Ie=i.useCallback((function(e){if(Y)return Y(e);var t=D(Number(e)-Number(v),{min:h});return t=(0,d.F0)(t,de),String(t)}),[de,h,Y,v]),De=i.useCallback((function(e){(n||e.which===m.m.up||e.which===m.m.down)&&xe()}),[n,xe]),Te=i.useCallback((function(e){ke(we,e)}),[we,ke]),Ee=i.useCallback((function(e){ke(Ie,e)}),[Ie,ke]);!function(e,t,o){i.useImperativeHandle(e.componentRef,(function(){return{get value(){return o},focus:function(){t.current&&t.current.focus()}}}),[t,o])}(o,te,me),E(o);var Pe=!!me&&!isNaN(Number(me)),Me=(N||c)&&i.createElement("div",{className:_e.labelWrapper},N&&i.createElement(l.J,(0,r.pi)({},N,{className:_e.icon,"aria-hidden":"true"})),c&&i.createElement(s._,{id:ne,htmlFor:oe,className:_e.label,disabled:n},c));return i.createElement("div",{className:_e.root,ref:t},R!==f.L.bottom&&Me,i.createElement("div",(0,r.pi)({},Ce,{className:_e.spinButtonWrapper,"aria-label":z&&z,"aria-posinset":K,"aria-setsize":q,"data-ktp-target":!0}),i.createElement("input",(0,r.pi)({value:null!=fe?fe:me,id:oe,onChange:I,onInput:function(e){ve(e.target.value)},className:_e.input,type:"text",autoComplete:"off",role:"spinbutton","aria-labelledby":c&&ne,"aria-valuenow":null!=G?G:Pe?Number(me):void 0,"aria-valuetext":null!=U?U:Pe?void 0:me,"aria-valuemin":h,"aria-valuemax":g,"aria-describedby":H,onBlur:function(e){var t,n;Se(e),ae(!1),null===(n=(t=o).onBlur)||void 0===n||n.call(t,e)},ref:te,onFocus:function(e){var t,n;te.current&&((be.spinningByMouse||le!==y.T.notSpinning)&&xe(),te.current.select(),ae(!0),null===(n=(t=o).onFocus)||void 0===n||n.call(t,e))},onKeyDown:function(e){if(e.which!==m.m.up&&e.which!==m.m.down&&e.which!==m.m.enter||(e.preventDefault(),e.stopPropagation()),n)xe();else{var t=y.T.notSpinning;switch(e.which){case m.m.up:t=y.T.up,ke(we,e);break;case m.m.down:t=y.T.down,ke(Ie,e);break;case m.m.enter:Se(e);break;case m.m.escape:ve(void 0)}le!==t&&ce(t)}},onKeyUp:De,disabled:n,"aria-disabled":n,"data-lpignore":!0,"data-ktp-execute-target":!0},J)),i.createElement("span",{className:_e.arrowButtonsContainer},i.createElement(a.h,(0,r.pi)({styles:b(V,!0,O),className:"ms-UpButton",checked:le===y.T.up,disabled:n,iconProps:B,onMouseDown:Te,onMouseLeave:xe,onMouseUp:xe,tabIndex:-1,ariaLabel:F,"data-is-focusable":!1},X)),i.createElement(a.h,(0,r.pi)({styles:b(V,!1,W),className:"ms-DownButton",checked:le===y.T.down,disabled:n,iconProps:L,onMouseDown:Ee,onMouseLeave:xe,onMouseUp:xe,tabIndex:-1,ariaLabel:A,"data-is-focusable":!1},X)))),R===f.L.bottom&&Me)}));T.displayName="SpinButton";var E=function(e){},P=(0,n.z)(T,(function(e){var t,o,n=e.theme,r=e.className,i=e.labelPosition,a=e.disabled,s=e.isFocused,l=n.palette,c=n.semanticColors,u=n.effects,d=n.fonts,p=c.inputBorder,m=c.inputBackground,g=c.inputBorderHovered,b=c.inputFocusBorderAlt,y=c.inputText,_=l.white,C=c.inputBackgroundChecked,S=c.disabledText;return{root:[d.medium,{outline:"none",width:"100%",minWidth:86},r],labelWrapper:[{display:"inline-flex",alignItems:"center"},i===f.L.start&&{height:32,float:"left",marginRight:10},i===f.L.end&&{height:32,float:"right",marginLeft:10},i===f.L.top&&{marginBottom:-1}],icon:[{padding:"0 5px",fontSize:h.ld.large},a&&{color:S}],label:{pointerEvents:"none",lineHeight:h.ld.large},spinButtonWrapper:[{display:"flex",position:"relative",boxSizing:"border-box",height:32,minWidth:86,selectors:{":after":{pointerEvents:"none",content:"''",position:"absolute",left:0,top:0,bottom:0,right:0,borderWidth:"1px",borderStyle:"solid",borderColor:p,borderRadius:u.roundedCorner2}}},(i===f.L.top||i===f.L.bottom)&&{width:"100%"},!a&&[{selectors:{":hover":{selectors:(t={":after":{borderColor:g}},t[h.qJ]={selectors:{":after":{borderColor:"Highlight"}}},t)}}},s&&{selectors:{"&&":(0,h.$Y)(b,u.roundedCorner2)}}],a&&v(n)],input:["ms-spinButton-input",{boxSizing:"border-box",boxShadow:"none",borderStyle:"none",flex:1,margin:0,fontSize:d.medium.fontSize,fontFamily:"inherit",color:y,backgroundColor:m,height:"100%",padding:"0 8px 0 9px",outline:0,display:"block",minWidth:61,whiteSpace:"nowrap",textOverflow:"ellipsis",overflow:"hidden",cursor:"text",userSelect:"text",borderRadius:u.roundedCorner2+" 0 0 "+u.roundedCorner2},!a&&{selectors:{"::selection":{backgroundColor:C,color:_,selectors:(o={},o[h.qJ]={backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},o)}}},a&&v(n)],arrowButtonsContainer:[{display:"block",height:"100%",cursor:"default"},a&&v(n)]}}),void 0,{scope:"SpinButton"})},998:(e,t,o)=>{"use strict";var n;o.d(t,{T:()=>n}),function(e){e[e.down=-1]="down",e[e.notSpinning=0]="notSpinning",e[e.up=1]="up"}(n||(n={}))},6315:(e,t,o)=>{"use strict";o.d(t,{G:()=>u});var n=o(7622),r=o(7002),i=o(6362),a=o(7300),s=o(8127),l=o(6055),c=(0,a.y)(),u=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.type,o=e.size,a=e.ariaLabel,u=e.ariaLive,d=e.styles,p=e.label,m=e.theme,h=e.className,g=e.labelPosition,f=a,v=(0,s.pq)(this.props,s.n7,["size"]),b=o;void 0===b&&void 0!==t&&(b=t===i.d.large?i.E.large:i.E.medium);var y=c(d,{theme:m,size:b,className:h,labelPosition:g});return r.createElement("div",(0,n.pi)({},v,{className:y.root}),r.createElement("div",{className:y.circle}),p&&r.createElement("div",{className:y.label},p),f&&r.createElement("div",{role:"status","aria-live":u},r.createElement(l.U,null,r.createElement("div",{className:y.screenReaderText},f))))},t.defaultProps={size:i.E.medium,ariaLive:"polite",labelPosition:"bottom"},t}(r.Component)},76:(e,t,o)=>{"use strict";o.d(t,{$:()=>d});var n=o(2002),r=o(6315),i=o(7622),a=o(6362),s=o(9729),l=o(5094),c={root:"ms-Spinner",circle:"ms-Spinner-circle",label:"ms-Spinner-label"},u=(0,l.NF)((function(){return(0,s.F4)({"0%":{transform:"rotate(0deg)"},"100%":{transform:"rotate(360deg)"}})})),d=(0,n.z)(r.G,(function(e){var t,o=e.theme,n=e.size,r=e.className,l=e.labelPosition,d=o.palette,p=(0,s.Cn)(c,o);return{root:[p.root,{display:"flex",flexDirection:"column",alignItems:"center",justifyContent:"center"},"top"===l&&{flexDirection:"column-reverse"},"right"===l&&{flexDirection:"row"},"left"===l&&{flexDirection:"row-reverse"},r],circle:[p.circle,{boxSizing:"border-box",borderRadius:"50%",border:"1.5px solid "+d.themeLight,borderTopColor:d.themePrimary,animationName:u(),animationDuration:"1.3s",animationIterationCount:"infinite",animationTimingFunction:"cubic-bezier(.53,.21,.29,.67)",selectors:(t={},t[s.qJ]=(0,i.pi)({borderTopColor:"Highlight"},(0,s.xM)()),t)},n===a.E.xSmall&&["ms-Spinner--xSmall",{width:12,height:12}],n===a.E.small&&["ms-Spinner--small",{width:16,height:16}],n===a.E.medium&&["ms-Spinner--medium",{width:20,height:20}],n===a.E.large&&["ms-Spinner--large",{width:28,height:28}]],label:[p.label,o.fonts.small,{color:d.themePrimary,margin:"8px 0 0",textAlign:"center"},"top"===l&&{margin:"0 0 8px"},"right"===l&&{margin:"0 0 0 8px"},"left"===l&&{margin:"0 8px 0 0"}],screenReaderText:s.ul}}),void 0,{scope:"Spinner"})},6362:(e,t,o)=>{"use strict";var n,r;o.d(t,{E:()=>n,d:()=>r}),function(e){e[e.xSmall=0]="xSmall",e[e.small=1]="small",e[e.medium=2]="medium",e[e.large=3]="large"}(n||(n={})),function(e){e[e.normal=0]="normal",e[e.large=1]="large"}(r||(r={}))},1565:(e,t,o)=>{"use strict";o.d(t,{t:()=>m});var n=o(7002),r=o(9729),i=o(7300),a=o(5094),s=o(7375),l=o(634),c=o(3608),u=(0,i.y)(),d=function(e){var t;return"ffffff"===(null===(t=(0,s.T)(e))||void 0===t?void 0:t.hex)},p=(0,a.NF)((function(e,t,o,n,i,a,s,l,u){var d=(0,c.W)(e);return(0,r.ZC)({root:["ms-Button",d.root,o,t,s&&["is-checked",d.rootChecked],a&&["is-disabled",d.rootDisabled],!a&&!s&&{selectors:{":hover":d.rootHovered,":focus":d.rootFocused,":active":d.rootPressed}},a&&s&&[d.rootCheckedDisabled],!a&&s&&{selectors:{":hover":d.rootCheckedHovered,":active":d.rootCheckedPressed}}],flexContainer:["ms-Button-flexContainer",d.flexContainer]})})),m=function(e){var t=e.item,o=e.idPrefix,r=void 0===o?e.id:o,i=e.selected,a=void 0!==i&&i,c=e.disabled,m=void 0!==c&&c,h=e.styles,g=e.circle,f=void 0===g||g,v=e.color,b=e.onClick,y=e.onHover,_=e.onFocus,C=e.onMouseEnter,S=e.onMouseMove,x=e.onMouseLeave,k=e.onWheel,w=e.onKeyDown,I=e.height,D=e.width,T=e.borderWidth,E=u(h,{theme:e.theme,disabled:m,selected:a,circle:f,isWhite:d(v),height:I,width:D,borderWidth:T});return n.createElement(l.U,{item:t,id:r+"-"+t.id+"-"+t.index,key:t.id,disabled:m,role:"gridcell",onRenderItem:function(e){var t,o=E.svg;return n.createElement("svg",{className:o,viewBox:"0 0 20 20",fill:null===(t=(0,s.T)(e.color))||void 0===t?void 0:t.str},f?n.createElement("circle",{cx:"50%",cy:"50%",r:"50%"}):n.createElement("rect",{width:"100%",height:"100%"}))},selected:a,onClick:b,onHover:y,onFocus:_,label:t.label,className:E.colorCell,getClassNames:p,index:t.index,onMouseEnter:C,onMouseMove:S,onMouseLeave:x,onWheel:k,onKeyDown:w})}},3624:(e,t,o)=>{"use strict";o.d(t,{h:()=>l});var n=o(2002),r=o(1565),i=o(6145),a=o(9729),s={left:-2,top:-2,bottom:-2,right:-2,border:"none",outlineColor:"ButtonText"},l=(0,n.z)(r.t,(function(e){var t,o,n,r,l,c=e.theme,u=e.disabled,d=e.selected,p=e.circle,m=e.isWhite,h=e.height,g=void 0===h?20:h,f=e.width,v=void 0===f?20:f,b=e.borderWidth,y=c.semanticColors,_=c.palette,C=_.neutralLighter,S=_.neutralLight,x=_.neutralSecondary,k=_.neutralTertiary,w=b||(v<24?2:4);return{colorCell:[(0,a.GL)(c,{inset:-1,position:"relative",highContrastStyle:s}),{backgroundColor:y.bodyBackground,padding:0,position:"relative",boxSizing:"border-box",display:"inline-block",cursor:"pointer",userSelect:"none",borderRadius:0,border:"none",height:g,width:v},!p&&{selectors:(t={},t["."+i.G$+" &:focus::after"]={outlineOffset:w-1+"px"},t)},p&&{borderRadius:"50%",selectors:(o={},o["."+i.G$+" &:focus::after"]={outline:"none",borderColor:y.focusBorder,borderRadius:"50%",left:-w,right:-w,top:-w,bottom:-w,selectors:(n={},n[a.qJ]={outline:"1px solid ButtonText"},n)},o)},d&&{padding:2,border:w+"px solid "+S,selectors:(r={},r["&:hover::before"]={content:'""',height:g,width:v,position:"absolute",top:-w,left:-w,borderRadius:p?"50%":"default",boxShadow:"inset 0 0 0 1px "+x},r)},!d&&{selectors:(l={},l["&:hover, &:active, &:focus"]={backgroundColor:y.bodyBackground,padding:2,border:w+"px solid "+C},l["&:focus"]={borderColor:y.bodyBackground,padding:0,selectors:{":hover":{borderColor:c.palette.neutralLight,padding:2}}},l)},u&&{color:y.disabledBodyText,pointerEvents:"none",opacity:.3},m&&!d&&{backgroundColor:k,padding:1}],svg:[{width:"100%",height:"100%"},p&&{borderRadius:"50%"}]}}),void 0,{scope:"ColorPickerGridCell"},!0)},8621:(e,t,o)=>{"use strict";o.d(t,{_:()=>h});var n=o(7622),r=o(7002),i=o(7300),a=o(8145),s=o(2836),l=o(3624),c=o(4085),u=o(7913),d=o(5646),p=o(6548),m=(0,i.y)(),h=r.forwardRef((function(e,t){var o=(0,c.M)("swatchColorPicker"),i=e.id||o,h=(0,u.B)({isNavigationIdle:!0,cellFocused:!1,navigationIdleTimeoutId:void 0,navigationIdleDelay:250}),g=(0,d.L)(),f=g.setTimeout,v=g.clearTimeout,b=e.colorCells,y=e.cellShape,_=void 0===y?"circle":y,C=e.columnCount,S=e.shouldFocusCircularNavigate,x=void 0===S||S,k=e.className,w=e.disabled,I=void 0!==w&&w,D=e.doNotContainWithinFocusZone,T=e.styles,E=e.cellMargin,P=void 0===E?10:E,M=e.defaultSelectedId,R=e.focusOnHover,N=e.mouseLeaveParentSelector,B=e.onChange,F=e.onColorChanged,L=e.onCellHovered,A=e.onCellFocused,z=e.getColorGridCellStyles,H=e.cellHeight,O=e.cellWidth,W=e.cellBorderWidth,V=r.useMemo((function(){return b.map((function(e,t){return(0,n.pi)((0,n.pi)({},e),{index:t})}))}),[b]),K=r.useCallback((function(e,t){var o,n,r,i=null===(o=b.filter((function(e){return e.id===t}))[0])||void 0===o?void 0:o.color;null===(n=B)||void 0===n||n(e,t,i),null===(r=F)||void 0===r||r(t,i)}),[B,F,b]),q=(0,p.G)(e.selectedId,M,K),G=q[0],U=q[1],j=m(T,{theme:e.theme,className:k,cellMargin:P}),J={root:j.root,tableCell:j.tableCell,focusedContainer:j.focusedContainer},Y=r.useCallback((function(){A&&(h.cellFocused=!1,A())}),[h,A]),Z=r.useCallback((function(e){return R?(h.isNavigationIdle&&!I&&e.currentTarget.focus(),!0):!h.isNavigationIdle||!!I}),[R,h,I]),X=r.useCallback((function(e){if(!R)return!h.isNavigationIdle||!!I;var t=e.currentTarget;return!h.isNavigationIdle||document&&t===document.activeElement||t.focus(),!0}),[R,h,I]),Q=r.useCallback((function(e){var t=N;if(R&&t&&h.isNavigationIdle&&!I)for(var o=document.querySelectorAll(t),n=0;n{"use strict";o.d(t,{U:()=>s});var n=o(2002),r=o(8621),i=o(9729),a={focusedContainer:"ms-swatchColorPickerBodyContainer"},s=(0,n.z)(r._,(function(e){var t=e.className,o=e.theme;return{root:{margin:"8px 0",borderCollapse:"collapse"},tableCell:{padding:e.cellMargin/2},focusedContainer:[(0,i.Cn)(a,o).focusedContainer,{clear:"both",display:"block",minWidth:"180px"},t]}}),void 0,{scope:"SwatchColorPicker"})},5229:(e,t,o)=>{"use strict";o.d(t,{P:()=>C});var n,r=o(7622),i=o(7002),a=o(2052),s=o(9947),l=o(7300),c=o(688),u=o(2167),d=o(2782),p=o(6055),m=o(5301),h=o(687),g=o(3128),f=o(8127),v=o(9757),b=o(5036),y=(0,l.y)(),_="TextField",C=function(e){function t(t){var o=e.call(this,t)||this;o._textElement=i.createRef(),o._onFocus=function(e){o.props.onFocus&&o.props.onFocus(e),o.setState({isFocused:!0},(function(){o.props.validateOnFocusIn&&o._validate(o.value)}))},o._onBlur=function(e){o.props.onBlur&&o.props.onBlur(e),o.setState({isFocused:!1},(function(){o.props.validateOnFocusOut&&o._validate(o.value)}))},o._onRenderLabel=function(e){var t=e.label,n=e.required,r=o._classNames.subComponentStyles?o._classNames.subComponentStyles.label:void 0;return t?i.createElement(a._,{required:n,htmlFor:o._id,styles:r,disabled:e.disabled,id:o._labelId},e.label):null},o._onRenderDescription=function(e){return e.description?i.createElement("span",{className:o._classNames.description},e.description):null},o._onRevealButtonClick=function(e){o.setState((function(e){return{isRevealingPassword:!e.isRevealingPassword}}))},o._onInputChange=function(e){var t,n,r=e.target.value,i=S(o.props,o.state)||"";void 0!==r&&r!==o._lastChangeValue&&r!==i?(o._lastChangeValue=r,null===(n=(t=o.props).onChange)||void 0===n||n.call(t,e,r),o._isControlled||o.setState({uncontrolledValue:r})):o._lastChangeValue=void 0},(0,c.l)(o),o._async=new u.e(o),o._fallbackId=(0,d.z)(_),o._descriptionId=(0,d.z)("TextFieldDescription"),o._labelId=(0,d.z)("TextFieldLabel"),o._warnControlledUsage();var n=t.defaultValue,r=void 0===n?"":n;return"number"==typeof r&&(r=String(r)),o.state={uncontrolledValue:o._isControlled?void 0:r,isFocused:!1,errorMessage:""},o._delayedValidate=o._async.debounce(o._validate,o.props.deferredValidationTime),o._lastValidation=0,o}return(0,r.ZT)(t,e),Object.defineProperty(t.prototype,"value",{get:function(){return S(this.props,this.state)},enumerable:!0,configurable:!0}),t.prototype.componentDidMount=function(){this._adjustInputHeight(),this.props.validateOnLoad&&this._validate(this.value)},t.prototype.componentWillUnmount=function(){this._async.dispose()},t.prototype.getSnapshotBeforeUpdate=function(e,t){return{selection:[this.selectionStart,this.selectionEnd]}},t.prototype.componentDidUpdate=function(e,t,o){var n=this.props,r=(o||{}).selection,i=void 0===r?[null,null]:r,a=i[0],s=i[1];!!e.multiline!=!!n.multiline&&t.isFocused&&(this.focus(),null!==a&&null!==s&&a>=0&&s>=0&&this.setSelectionRange(a,s)),e.value!==n.value&&(this._lastChangeValue=void 0);var l=S(e,t),c=this.value;l!==c&&(this._warnControlledUsage(e),this.state.errorMessage&&!n.errorMessage&&this.setState({errorMessage:""}),this._adjustInputHeight(),x(n)&&this._delayedValidate(c))},t.prototype.render=function(){var e=this.props,t=e.borderless,o=e.className,a=e.disabled,l=e.iconProps,c=e.inputClassName,u=e.label,d=e.multiline,m=e.required,h=e.underlined,g=e.prefix,f=e.resizable,_=e.suffix,C=e.theme,S=e.styles,x=e.autoAdjustHeight,k=e.canRevealPassword,w=e.type,I=e.onRenderPrefix,D=void 0===I?this._onRenderPrefix:I,T=e.onRenderSuffix,E=void 0===T?this._onRenderSuffix:T,P=e.onRenderLabel,M=void 0===P?this._onRenderLabel:P,R=e.onRenderDescription,N=void 0===R?this._onRenderDescription:R,B=this.state,F=B.isFocused,L=B.isRevealingPassword,A=this._errorMessage,z=!!k&&"password"===w&&function(){var e;if("boolean"!=typeof n){var t=(0,v.J)();if(null===(e=t)||void 0===e?void 0:e.navigator){var o=/Edg/.test(t.navigator.userAgent||"");n=!((0,b.f)()||o)}else n=!0}return n}(),H=this._classNames=y(S,{theme:C,className:o,disabled:a,focused:F,required:m,multiline:d,hasLabel:!!u,hasErrorMessage:!!A,borderless:t,resizable:f,hasIcon:!!l,underlined:h,inputClassName:c,autoAdjustHeight:x,hasRevealButton:z});return i.createElement("div",{ref:this.props.elementRef,className:H.root},i.createElement("div",{className:H.wrapper},M(this.props,this._onRenderLabel),i.createElement("div",{className:H.fieldGroup},(void 0!==g||this.props.onRenderPrefix)&&i.createElement("div",{className:H.prefix},D(this.props,this._onRenderPrefix)),d?this._renderTextArea():this._renderInput(),l&&i.createElement(s.J,(0,r.pi)({className:H.icon},l)),z&&i.createElement("button",{className:H.revealButton,onClick:this._onRevealButtonClick,type:"button"},i.createElement("span",{className:H.revealSpan},i.createElement(s.J,{className:H.revealIcon,iconName:L?"Hide":"RedEye"}))),(void 0!==_||this.props.onRenderSuffix)&&i.createElement("div",{className:H.suffix},E(this.props,this._onRenderSuffix)))),this._isDescriptionAvailable&&i.createElement("span",{id:this._descriptionId},N(this.props,this._onRenderDescription),A&&i.createElement("div",{role:"alert"},i.createElement(p.U,null,this._renderErrorMessage()))))},t.prototype.focus=function(){this._textElement.current&&this._textElement.current.focus()},t.prototype.blur=function(){this._textElement.current&&this._textElement.current.blur()},t.prototype.select=function(){this._textElement.current&&this._textElement.current.select()},t.prototype.setSelectionStart=function(e){this._textElement.current&&(this._textElement.current.selectionStart=e)},t.prototype.setSelectionEnd=function(e){this._textElement.current&&(this._textElement.current.selectionEnd=e)},Object.defineProperty(t.prototype,"selectionStart",{get:function(){return this._textElement.current?this._textElement.current.selectionStart:-1},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"selectionEnd",{get:function(){return this._textElement.current?this._textElement.current.selectionEnd:-1},enumerable:!0,configurable:!0}),t.prototype.setSelectionRange=function(e,t){this._textElement.current&&this._textElement.current.setSelectionRange(e,t)},t.prototype._warnControlledUsage=function(e){(0,m.Q)({componentId:this._id,componentName:_,props:this.props,oldProps:e,valueProp:"value",defaultValueProp:"defaultValue",onChangeProp:"onChange",readOnlyProp:"readOnly"}),null!==this.props.value||this._hasWarnedNullValue||(this._hasWarnedNullValue=!0,(0,h.Z)("Warning: 'value' prop on 'TextField' should not be null. Consider using an empty string to clear the component or undefined to indicate an uncontrolled component."))},Object.defineProperty(t.prototype,"_id",{get:function(){return this.props.id||this._fallbackId},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"_isControlled",{get:function(){return(0,g.s)(this.props,"value")},enumerable:!0,configurable:!0}),t.prototype._onRenderPrefix=function(e){var t=e.prefix;return i.createElement("span",{style:{paddingBottom:"1px"}},t)},t.prototype._onRenderSuffix=function(e){var t=e.suffix;return i.createElement("span",{style:{paddingBottom:"1px"}},t)},Object.defineProperty(t.prototype,"_errorMessage",{get:function(){var e=this.props.errorMessage;return(void 0===e?this.state.errorMessage:e)||""},enumerable:!0,configurable:!0}),t.prototype._renderErrorMessage=function(){var e=this._errorMessage;return e?"string"==typeof e?i.createElement("p",{className:this._classNames.errorMessage},i.createElement("span",{"data-automation-id":"error-message"},e)):i.createElement("div",{className:this._classNames.errorMessage,"data-automation-id":"error-message"},e):null},Object.defineProperty(t.prototype,"_isDescriptionAvailable",{get:function(){var e=this.props;return!!(e.onRenderDescription||e.description||this._errorMessage)},enumerable:!0,configurable:!0}),t.prototype._renderTextArea=function(){var e=(0,f.pq)(this.props,f.FI,["defaultValue"]),t=this.props["aria-labelledby"]||(this.props.label?this._labelId:void 0);return i.createElement("textarea",(0,r.pi)({id:this._id},e,{ref:this._textElement,value:this.value||"",onInput:this._onInputChange,onChange:this._onInputChange,className:this._classNames.field,"aria-labelledby":t,"aria-describedby":this._isDescriptionAvailable?this._descriptionId:this.props["aria-describedby"],"aria-invalid":!!this._errorMessage,"aria-label":this.props.ariaLabel,readOnly:this.props.readOnly,onFocus:this._onFocus,onBlur:this._onBlur}))},t.prototype._renderInput=function(){var e,t=(0,f.pq)(this.props,f.Gg,["defaultValue","type"]),o=this.props["aria-labelledby"]||(this.props.label?this._labelId:void 0),n=this.state.isRevealingPassword?"text":null!=(e=this.props.type)?e:"text";return i.createElement("input",(0,r.pi)({type:n,id:this._id,"aria-labelledby":o},t,{ref:this._textElement,value:this.value||"",onInput:this._onInputChange,onChange:this._onInputChange,className:this._classNames.field,"aria-label":this.props.ariaLabel,"aria-describedby":this._isDescriptionAvailable?this._descriptionId:this.props["aria-describedby"],"aria-invalid":!!this._errorMessage,readOnly:this.props.readOnly,onFocus:this._onFocus,onBlur:this._onBlur}))},t.prototype._validate=function(e){var t=this;if(this._latestValidateValue!==e||!x(this.props)){this._latestValidateValue=e;var o=this.props.onGetErrorMessage,n=o&&o(e||"");if(void 0!==n)if("string"!=typeof n&&"then"in n){var r=++this._lastValidation;n.then((function(o){r===t._lastValidation&&t.setState({errorMessage:o}),t._notifyAfterValidate(e,o)}))}else this.setState({errorMessage:n}),this._notifyAfterValidate(e,n);else this._notifyAfterValidate(e,"")}},t.prototype._notifyAfterValidate=function(e,t){e===this.value&&this.props.onNotifyValidationResult&&this.props.onNotifyValidationResult(t,e)},t.prototype._adjustInputHeight=function(){if(this._textElement.current&&this.props.autoAdjustHeight&&this.props.multiline){var e=this._textElement.current;e.style.height="",e.style.height=e.scrollHeight+"px"}},t.defaultProps={resizable:!0,deferredValidationTime:200,validateOnLoad:!0},t}(i.Component);function S(e,t){var o=e.value,n=void 0===o?t.uncontrolledValue:o;return"number"==typeof n?String(n):n}function x(e){return!(e.validateOnFocusIn||e.validateOnFocusOut)}},8623:(e,t,o)=>{"use strict";o.d(t,{n:()=>c});var n=o(2002),r=o(5229),i=o(7622),a=o(9729),s={root:"ms-TextField",description:"ms-TextField-description",errorMessage:"ms-TextField-errorMessage",field:"ms-TextField-field",fieldGroup:"ms-TextField-fieldGroup",prefix:"ms-TextField-prefix",suffix:"ms-TextField-suffix",wrapper:"ms-TextField-wrapper",revealButton:"ms-TextField-reveal",multiline:"ms-TextField--multiline",borderless:"ms-TextField--borderless",underlined:"ms-TextField--underlined",unresizable:"ms-TextField--unresizable",required:"is-required",disabled:"is-disabled",active:"is-active"};function l(e){var t=e.underlined,o=e.disabled,n=e.focused,r=e.theme,i=r.palette,s=r.fonts;return function(){var e;return{root:[t&&o&&{color:i.neutralTertiary},t&&{fontSize:s.medium.fontSize,marginRight:8,paddingLeft:12,paddingRight:0,lineHeight:"22px",height:32},t&&n&&{selectors:(e={},e[a.qJ]={height:31},e)}]}}}var c=(0,n.z)(r.P,(function(e){var t,o,n,r,c,u,d,p,m,h,g,f,v=e.theme,b=e.className,y=e.disabled,_=e.focused,C=e.required,S=e.multiline,x=e.hasLabel,k=e.borderless,w=e.underlined,I=e.hasIcon,D=e.resizable,T=e.hasErrorMessage,E=e.inputClassName,P=e.autoAdjustHeight,M=e.hasRevealButton,R=v.semanticColors,N=v.effects,B=v.fonts,F=(0,a.Cn)(s,v),L={background:R.disabledBackground,color:y?R.disabledText:R.inputPlaceholderText,display:"flex",alignItems:"center",padding:"0 10px",lineHeight:1,whiteSpace:"nowrap",flexShrink:0,selectors:(t={},t[a.qJ]={background:"Window",color:y?"GrayText":"WindowText"},t)},A=[B.medium,{color:R.inputPlaceholderText,opacity:1,selectors:(o={},o[a.qJ]={color:"GrayText"},o)}],z={color:R.disabledText,selectors:(n={},n[a.qJ]={color:"GrayText"},n)};return{root:[F.root,B.medium,C&&F.required,y&&F.disabled,_&&F.active,S&&F.multiline,k&&F.borderless,w&&F.underlined,a.Fv,{position:"relative"},b],wrapper:[F.wrapper,w&&[{display:"flex",borderBottom:"1px solid "+(T?R.errorText:R.inputBorder),width:"100%"},y&&{borderBottomColor:R.disabledBackground,selectors:(r={},r[a.qJ]=(0,i.pi)({borderColor:"GrayText"},(0,a.xM)()),r)},!y&&{selectors:{":hover":{borderBottomColor:T?R.errorText:R.inputBorderHovered,selectors:(c={},c[a.qJ]=(0,i.pi)({borderBottomColor:"Highlight"},(0,a.xM)()),c)}}},_&&[{position:"relative"},(0,a.$Y)(T?R.errorText:R.inputFocusBorderAlt,0,"borderBottom")]]],fieldGroup:[F.fieldGroup,a.Fv,{border:"1px solid "+R.inputBorder,borderRadius:N.roundedCorner2,background:R.inputBackground,cursor:"text",height:32,display:"flex",flexDirection:"row",alignItems:"stretch",position:"relative"},S&&{minHeight:"60px",height:"auto",display:"flex"},!_&&!y&&{selectors:{":hover":{borderColor:R.inputBorderHovered,selectors:(u={},u[a.qJ]=(0,i.pi)({borderColor:"Highlight"},(0,a.xM)()),u)}}},_&&!w&&(0,a.$Y)(T?R.errorText:R.inputFocusBorderAlt,N.roundedCorner2),y&&{borderColor:R.disabledBackground,selectors:(d={},d[a.qJ]=(0,i.pi)({borderColor:"GrayText"},(0,a.xM)()),d),cursor:"default"},k&&{border:"none"},k&&_&&{border:"none",selectors:{":after":{border:"none"}}},w&&{flex:"1 1 0px",border:"none",textAlign:"left"},w&&y&&{backgroundColor:"transparent"},T&&!w&&{borderColor:R.errorText,selectors:{"&:hover":{borderColor:R.errorText}}},!x&&C&&{selectors:(p={":before":{content:"'*'",color:R.errorText,position:"absolute",top:-5,right:-10}},p[a.qJ]={selectors:{":before":{color:"WindowText",right:-14}}},p)}],field:[B.medium,F.field,a.Fv,{borderRadius:0,border:"none",background:"none",backgroundColor:"transparent",color:R.inputText,padding:"0 8px",width:"100%",minWidth:0,textOverflow:"ellipsis",outline:0,selectors:(m={"&:active, &:focus, &:hover":{outline:0},"::-ms-clear":{display:"none"}},m[a.qJ]={background:"Window",color:y?"GrayText":"WindowText"},m)},(0,a.Sv)(A),S&&!D&&[F.unresizable,{resize:"none"}],S&&{minHeight:"inherit",lineHeight:17,flexGrow:1,paddingTop:6,paddingBottom:6,overflow:"auto",width:"100%"},S&&P&&{overflow:"hidden"},I&&!M&&{paddingRight:24},S&&I&&{paddingRight:40},y&&[{backgroundColor:R.disabledBackground,color:R.disabledText,borderColor:R.disabledBackground},(0,a.Sv)(z)],w&&{textAlign:"left"},_&&!k&&{selectors:(h={},h[a.qJ]={paddingLeft:11,paddingRight:11},h)},_&&S&&!k&&{selectors:(g={},g[a.qJ]={paddingTop:4},g)},E],icon:[S&&{paddingRight:24,alignItems:"flex-end"},{pointerEvents:"none",position:"absolute",bottom:6,right:8,top:"auto",fontSize:a.ld.medium,lineHeight:18},y&&{color:R.disabledText}],description:[F.description,{color:R.bodySubtext,fontSize:B.xSmall.fontSize}],errorMessage:[F.errorMessage,a.k4.slideDownIn20,B.small,{color:R.errorText,margin:0,paddingTop:5,display:"flex",alignItems:"center"}],prefix:[F.prefix,L],suffix:[F.suffix,L],revealButton:[F.revealButton,"ms-Button","ms-Button--icon",{height:30,width:32,border:"none",padding:"0px 4px",backgroundColor:"transparent",color:R.link,selectors:{":hover":{outline:0,color:R.primaryButtonBackgroundHovered,backgroundColor:R.buttonBackgroundHovered,selectors:(f={},f[a.qJ]={borderColor:"Highlight",color:"Highlight"},f)},":focus":{outline:0}}},I&&{marginRight:28}],revealSpan:{display:"flex",height:"100%",alignItems:"center"},revealIcon:{margin:"0px 4px",pointerEvents:"none",bottom:6,right:8,top:"auto",fontSize:a.ld.medium,lineHeight:18},subComponentStyles:{label:l(e)}}}),void 0,{scope:"TextField"})},5637:(e,t,o)=>{"use strict";o.d(t,{s:()=>p});var n=o(7622),r=o(7002),i=o(6548),a=o(4085),s=o(7300),l=o(8127),c=o(5480),u=o(2052),d=(0,s.y)(),p=r.forwardRef((function(e,t){var o=e.as,s=void 0===o?"div":o,p=e.ariaLabel,h=e.checked,g=e.className,f=e.defaultChecked,v=void 0!==f&&f,b=e.disabled,y=e.inlineLabel,_=e.label,C=e.offAriaLabel,S=e.offText,x=e.onAriaLabel,k=e.onChange,w=e.onChanged,I=e.onClick,D=e.onText,T=e.role,E=e.styles,P=e.theme,M=(0,i.G)(h,v,r.useCallback((function(e,t){var o,n;null===(o=k)||void 0===o||o(e,t),null===(n=w)||void 0===n||n(t)}),[k,w])),R=M[0],N=M[1],B=d(E,{theme:P,className:g,disabled:b,checked:R,inlineLabel:y,onOffMissing:!D&&!S}),F=R?x:C,L=(0,a.M)("Toggle",e.id),A=L+"-label",z=L+"-stateText",H=R?D:S,O=(0,l.pq)(e,l.Gg,["defaultChecked"]),W=void 0;p||F||(_&&(W=A),H&&(W=W?W+" "+z:z));var V=r.useRef(null);(0,c.P)(V),m(e,R,V);var K={root:{className:B.root,hidden:O.hidden},label:{children:_,className:B.label,htmlFor:L,id:A},container:{className:B.container},pill:(0,n.pi)((0,n.pi)({},O),{"aria-disabled":b,"aria-checked":R,"aria-label":p||F,"aria-labelledby":W,className:B.pill,"data-is-focusable":!0,"data-ktp-target":!0,disabled:b,id:L,onClick:function(e){b||(N(!R),I&&I(e))},ref:V,role:T||"switch",type:"button"}),thumb:{className:B.thumb},stateText:{children:H,className:B.text,htmlFor:L,id:z}};return r.createElement(s,(0,n.pi)({ref:t},K.root),_&&r.createElement(u._,(0,n.pi)({},K.label)),r.createElement("div",(0,n.pi)({},K.container),r.createElement("button",(0,n.pi)({},K.pill),r.createElement("span",(0,n.pi)({},K.thumb))),(R&&D||S)&&r.createElement(u._,(0,n.pi)({},K.stateText))))}));p.displayName="ToggleBase";var m=function(e,t,o){r.useImperativeHandle(e.componentRef,(function(){return{get checked(){return!!t},focus:function(){o.current&&o.current.focus()}}}),[t,o])}},1431:(e,t,o)=>{"use strict";o.d(t,{Z:()=>s});var n=o(2002),r=o(5637),i=o(7622),a=o(9729),s=(0,n.z)(r.s,(function(e){var t,o,n,r,s,l,c,u=e.theme,d=e.className,p=e.disabled,m=e.checked,h=e.inlineLabel,g=e.onOffMissing,f=u.semanticColors,v=u.palette,b=f.bodyBackground,y=f.inputBackgroundChecked,_=f.inputBackgroundCheckedHovered,C=v.neutralDark,S=f.disabledBodySubtext,x=f.smallInputBorder,k=f.inputForegroundChecked,w=f.disabledBodySubtext,I=f.disabledBackground,D=f.smallInputBorder,T=f.inputBorderHovered,E=f.disabledBodySubtext,P=f.disabledText;return{root:["ms-Toggle",m&&"is-checked",!p&&"is-enabled",p&&"is-disabled",u.fonts.medium,{marginBottom:"8px"},h&&{display:"flex",alignItems:"center"},d],label:["ms-Toggle-label",{display:"inline-block"},p&&{color:P,selectors:(t={},t[a.qJ]={color:"GrayText"},t)},h&&!g&&{marginRight:16},g&&h&&{order:1,marginLeft:16},h&&{wordBreak:"break-all"}],container:["ms-Toggle-innerContainer",{display:"flex",position:"relative"}],pill:["ms-Toggle-background",(0,a.GL)(u,{inset:-3}),{fontSize:"20px",boxSizing:"border-box",width:40,height:20,borderRadius:10,transition:"all 0.1s ease",border:"1px solid "+D,background:b,cursor:"pointer",display:"flex",alignItems:"center",padding:"0 3px"},!p&&[!m&&{selectors:{":hover":[{borderColor:T}],":hover .ms-Toggle-thumb":[{backgroundColor:C,selectors:(o={},o[a.qJ]={borderColor:"Highlight"},o)}]}},m&&[{background:y,borderColor:"transparent",justifyContent:"flex-end"},{selectors:(n={":hover":[{backgroundColor:_,borderColor:"transparent",selectors:(r={},r[a.qJ]={backgroundColor:"Highlight"},r)}]},n[a.qJ]=(0,i.pi)({backgroundColor:"Highlight"},(0,a.xM)()),n)}]],p&&[{cursor:"default"},!m&&[{borderColor:E}],m&&[{backgroundColor:S,borderColor:"transparent",justifyContent:"flex-end"}]],!p&&{selectors:{"&:hover":{selectors:(s={},s[a.qJ]={borderColor:"Highlight"},s)}}}],thumb:["ms-Toggle-thumb",{display:"block",width:12,height:12,borderRadius:"50%",transition:"all 0.1s ease",backgroundColor:x,borderColor:"transparent",borderWidth:6,borderStyle:"solid",boxSizing:"border-box"},!p&&m&&[{backgroundColor:k,selectors:(l={},l[a.qJ]={backgroundColor:"Window",borderColor:"Window"},l)}],p&&[!m&&[{backgroundColor:w}],m&&[{backgroundColor:I}]]],text:["ms-Toggle-stateText",{selectors:{"&&":{padding:"0",margin:"0 8px",userSelect:"none",fontWeight:a.lq.regular}}},p&&{selectors:{"&&":{color:P,selectors:(c={},c[a.qJ]={color:"GrayText"},c)}}}]}}),void 0,{scope:"Toggle"})},3860:(e,t,o)=>{"use strict";o.d(t,{P:()=>u});var n=o(7622),r=o(7002),i=o(7300),a=o(8127),s=o(5953),l=o(6628),c=(0,i.y)(),u=function(e){function t(){var t=null!==e&&e.apply(this,arguments)||this;return t._onRenderContent=function(e){return r.createElement("p",{className:t._classNames.subText},e.content)},t}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.className,o=e.calloutProps,i=e.directionalHint,l=e.directionalHintForRTL,u=e.styles,d=e.id,p=e.maxWidth,m=e.onRenderContent,h=void 0===m?this._onRenderContent:m,g=e.targetElement,f=e.theme;return this._classNames=c(u,{theme:f,className:t||o&&o.className,beakWidth:o&&o.beakWidth,gapSpace:o&&o.gapSpace,maxWidth:p}),r.createElement(s.U,(0,n.pi)({target:g,directionalHint:i,directionalHintForRTL:l},o,(0,a.pq)(this.props,a.n7,["id"]),{className:this._classNames.root}),r.createElement("div",{className:this._classNames.content,id:d,role:"tooltip",onMouseEnter:this.props.onMouseEnter,onMouseLeave:this.props.onMouseLeave},h(this.props,this._onRenderContent)))},t.defaultProps={directionalHint:l.b.topCenter,maxWidth:"364px",calloutProps:{isBeakVisible:!0,beakWidth:16,gapSpace:0,setInitialFocus:!0,doNotLayer:!1}},t}(r.Component)},1594:(e,t,o)=>{"use strict";o.d(t,{u:()=>a});var n=o(2002),r=o(3860),i=o(9729),a=(0,n.z)(r.P,(function(e){var t=e.className,o=e.beakWidth,n=void 0===o?16:o,r=e.gapSpace,a=void 0===r?0:r,s=e.maxWidth,l=e.theme,c=l.semanticColors,u=l.fonts,d=l.effects,p=-(Math.sqrt(n*n/2)+a)+1/window.devicePixelRatio;return{root:["ms-Tooltip",l.fonts.medium,i.k4.fadeIn200,{background:c.menuBackground,boxShadow:d.elevation8,padding:"8px",maxWidth:s,selectors:{":after":{content:"''",position:"absolute",bottom:p,left:p,right:p,top:p,zIndex:0}}},t],content:["ms-Tooltip-content",u.small,{position:"relative",zIndex:1,color:c.menuItemText,wordWrap:"break-word",overflowWrap:"break-word",overflow:"hidden"}],subText:["ms-Tooltip-subtext",{fontSize:"inherit",fontWeight:"inherit",color:"inherit",margin:0}]}}),void 0,{scope:"Tooltip"})},1180:(e,t,o)=>{"use strict";var n;o.d(t,{j:()=>n}),function(e){e[e.zero=0]="zero",e[e.medium=1]="medium",e[e.long=2]="long"}(n||(n={}))},154:(e,t,o)=>{"use strict";o.d(t,{Z:()=>y});var n=o(7622),r=o(7002),i=o(9729),a=o(7300),s=o(2782),l=o(6670),c=o(7466),u=o(8145),d=o(688),p=o(2167),m=o(2447),h=o(8127),g=o(3967),f=o(1594),v=o(1180),b=(0,a.y)(),y=function(e){function t(o){var n=e.call(this,o)||this;return n._tooltipHost=r.createRef(),n._defaultTooltipId=(0,s.z)("tooltip"),n.show=function(){n._toggleTooltip(!0)},n.dismiss=function(){n._hideTooltip()},n._getTargetElement=function(){if(n._tooltipHost.current){var e=n.props.overflowMode;if(void 0!==e)switch(e){case g.y.Parent:return n._tooltipHost.current.parentElement;case g.y.Self:return n._tooltipHost.current}return n._tooltipHost.current}},n._onTooltipMouseEnter=function(e){var o=n.props,r=o.overflowMode,i=o.delay;if(t._currentVisibleTooltip&&t._currentVisibleTooltip!==n&&t._currentVisibleTooltip.dismiss(),t._currentVisibleTooltip=n,void 0!==r){var a=n._getTargetElement();if(a&&!(0,l.zS)(a))return}if(!e.target||!(0,c.w)(e.target,n._getTargetElement()))if(n._clearDismissTimer(),n._clearOpenTimer(),i!==v.j.zero){n.setState({isAriaPlaceholderRendered:!0});var s=n._getDelayTime(i);n._openTimerId=n._async.setTimeout((function(){n._toggleTooltip(!0)}),s)}else n._toggleTooltip(!0)},n._onTooltipMouseLeave=function(e){var o=n.props.closeDelay;n._clearDismissTimer(),n._clearOpenTimer(),o?n._dismissTimerId=n._async.setTimeout((function(){n._toggleTooltip(!1)}),o):n._toggleTooltip(!1),t._currentVisibleTooltip===n&&(t._currentVisibleTooltip=void 0)},n._onTooltipKeyDown=function(e){(e.which===u.m.escape||e.ctrlKey)&&n.state.isTooltipVisible&&(n._hideTooltip(),e.stopPropagation())},n._clearDismissTimer=function(){n._async.clearTimeout(n._dismissTimerId)},n._clearOpenTimer=function(){n._async.clearTimeout(n._openTimerId)},n._hideTooltip=function(){n._clearOpenTimer(),n._clearDismissTimer(),n._toggleTooltip(!1)},n._toggleTooltip=function(e){n.state.isTooltipVisible!==e&&n.setState({isAriaPlaceholderRendered:!1,isTooltipVisible:e},(function(){return n.props.onTooltipToggle&&n.props.onTooltipToggle(e)}))},n._getDelayTime=function(e){switch(e){case v.j.medium:return 300;case v.j.long:return 500;default:return 0}},(0,d.l)(n),n.state={isAriaPlaceholderRendered:!1,isTooltipVisible:!1},n._async=new p.e(n),n}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.calloutProps,o=e.children,a=e.content,s=e.directionalHint,l=e.directionalHintForRTL,c=e.hostClassName,u=e.id,d=e.setAriaDescribedBy,p=void 0===d||d,g=e.tooltipProps,v=e.styles,y=e.theme;this._classNames=b(v,{theme:y,className:c});var _=this.state,C=_.isAriaPlaceholderRendered,S=_.isTooltipVisible,x=u||this._defaultTooltipId,k=!!(a||g&&g.onRenderContent&&g.onRenderContent()),w=S&&k,I=p&&S&&k?x:void 0;return r.createElement("div",(0,n.pi)({className:this._classNames.root,ref:this._tooltipHost},{onFocusCapture:this._onTooltipMouseEnter},{onBlurCapture:this._hideTooltip},{onMouseEnter:this._onTooltipMouseEnter,onMouseLeave:this._onTooltipMouseLeave,onKeyDown:this._onTooltipKeyDown,"aria-describedby":I}),o,w&&r.createElement(f.u,(0,n.pi)({id:x,content:a,targetElement:this._getTargetElement(),directionalHint:s,directionalHintForRTL:l,calloutProps:(0,m.f0)({},t,{onDismiss:this._hideTooltip,onMouseEnter:this._onTooltipMouseEnter,onMouseLeave:this._onTooltipMouseLeave}),onMouseEnter:this._onTooltipMouseEnter,onMouseLeave:this._onTooltipMouseLeave},(0,h.pq)(this.props,h.n7),g)),C&&r.createElement("div",{id:x,style:i.ul},a))},t.prototype.componentWillUnmount=function(){t._currentVisibleTooltip&&t._currentVisibleTooltip===this&&(t._currentVisibleTooltip=void 0),this._async.dispose()},t.defaultProps={delay:v.j.medium},t}(r.Component)},5816:(e,t,o)=>{"use strict";o.d(t,{G:()=>s});var n=o(2002),r=o(154),i=o(9729),a={root:"ms-TooltipHost",ariaPlaceholder:"ms-TooltipHost-aria-placeholder"},s=(0,n.z)(r.Z,(function(e){var t=e.className,o=e.theme;return{root:[(0,i.Cn)(a,o).root,{display:"inline"},t]}}),void 0,{scope:"TooltipHost"})},3967:(e,t,o)=>{"use strict";var n;o.d(t,{y:()=>n}),function(e){e[e.Parent=0]="Parent",e[e.Self=1]="Self"}(n||(n={}))},8976:(e,t,o)=>{"use strict";o.d(t,{d:()=>L,Y:()=>A});var n={};o.r(n),o.d(n,{inputDisabled:()=>P,inputFocused:()=>E,pickerInput:()=>M,pickerItems:()=>R,pickerText:()=>T,screenReaderOnly:()=>N});var r=o(7622),i=o(7002),a=o(7300),s=o(2002),l=o(8145),c=o(3345),u=o(688),d=o(2167),p=o(2782),m=o(8088),h=o(2998),g=o(7023),f=o(5953),v=o(3297),b=o(4449),y=o(5238),_=o(6628),C=o(4800),S=o(9729),x={root:"ms-Suggestions",suggestionsContainer:"ms-Suggestions-container",title:"ms-Suggestions-title",forceResolveButton:"ms-forceResolve-button",searchForMoreButton:"ms-SearchMore-button",spinner:"ms-Suggestions-spinner",noSuggestions:"ms-Suggestions-none",suggestionsAvailable:"ms-Suggestions-suggestionsAvailable",isSelected:"is-selected"};function k(e){var t,o=e.className,n=e.suggestionsClassName,i=e.theme,a=e.forceResolveButtonSelected,s=e.searchForMoreButtonSelected,l=i.palette,c=i.semanticColors,u=i.fonts,d=(0,S.Cn)(x,i),p={backgroundColor:"transparent",border:0,cursor:"pointer",margin:0,paddingLeft:8,position:"relative",borderTop:"1px solid "+l.neutralLight,height:40,textAlign:"left",width:"100%",fontSize:u.small.fontSize,selectors:{":hover":{backgroundColor:c.menuItemBackgroundPressed,cursor:"pointer"},":focus, :active":{backgroundColor:l.themeLight},".ms-Button-icon":{fontSize:u.mediumPlus.fontSize,width:25},".ms-Button-label":{margin:"0 4px 0 9px"}}},m={backgroundColor:l.themeLight,selectors:(t={},t[S.qJ]=(0,r.pi)({backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},(0,S.xM)()),t)};return{root:[d.root,{minWidth:260},o],suggestionsContainer:[d.suggestionsContainer,{overflowY:"auto",overflowX:"hidden",maxHeight:300,transform:"translate3d(0,0,0)"},n],title:[d.title,{padding:"0 12px",fontSize:u.small.fontSize,color:l.themePrimary,lineHeight:40,borderBottom:"1px solid "+c.menuItemBackgroundPressed}],forceResolveButton:[d.forceResolveButton,p,a&&[d.isSelected,m]],searchForMoreButton:[d.searchForMoreButton,p,s&&[d.isSelected,m]],noSuggestions:[d.noSuggestions,{textAlign:"center",color:l.neutralSecondary,fontSize:u.small.fontSize,lineHeight:30}],suggestionsAvailable:[d.suggestionsAvailable,S.ul],subComponentStyles:{spinner:{root:[d.spinner,{margin:"5px 0",paddingLeft:14,textAlign:"left",whiteSpace:"nowrap",lineHeight:20,fontSize:u.small.fontSize}],circle:{display:"inline-block",verticalAlign:"middle"},label:{display:"inline-block",verticalAlign:"middle",margin:"0 10px 0 16px"}}}}}var w=o(6920),I=o(7115),D=o(5767);(0,o(4976).RM)([{rawString:".pickerText_9da47ae5{display:-webkit-box;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;-webkit-box-align:center;-ms-flex-align:center;align-items:center;-webkit-box-sizing:border-box;box-sizing:border-box;border:1px solid "},{theme:"neutralTertiary",defaultValue:"#a19f9d"},{rawString:";min-width:180px;min-height:30px}.pickerText_9da47ae5:hover{border-color:"},{theme:"inputBorderHovered",defaultValue:"#323130"},{rawString:"}.pickerText_9da47ae5.inputFocused_9da47ae5{position:relative;border-color:"},{theme:"inputFocusBorderAlt",defaultValue:"#0078d4"},{rawString:"}.pickerText_9da47ae5.inputFocused_9da47ae5:after{pointer-events:none;content:'';position:absolute;left:-1px;top:-1px;bottom:-1px;right:-1px;border:2px solid "},{theme:"inputFocusBorderAlt",defaultValue:"#0078d4"},{rawString:"}@media screen and (-ms-high-contrast:active){.pickerText_9da47ae5.inputDisabled_9da47ae5{position:relative;border-color:GrayText}.pickerText_9da47ae5.inputDisabled_9da47ae5:after{pointer-events:none;content:'';position:absolute;left:0;top:0;bottom:0;right:0;background-color:Window}}.pickerInput_9da47ae5{height:34px;border:none;-webkit-box-flex:1;-ms-flex-positive:1;flex-grow:1;outline:0;padding:0 6px 0;-ms-flex-item-align:end;align-self:flex-end}.pickerItems_9da47ae5{display:-webkit-box;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;max-width:100%}.screenReaderOnly_9da47ae5{position:absolute;width:1px;height:1px;padding:0;margin:-1px;overflow:hidden;clip:rect(0,0,0,0);border:0}"}]);var T="pickerText_9da47ae5",E="inputFocused_9da47ae5",P="inputDisabled_9da47ae5",M="pickerInput_9da47ae5",R="pickerItems_9da47ae5",N="screenReaderOnly_9da47ae5",B=n,F=(0,a.y)(),L=function(e){function t(t){var o,n=e.call(this,t)||this;n.root=i.createRef(),n.input=i.createRef(),n.focusZone=i.createRef(),n.suggestionElement=i.createRef(),n.SuggestionOfProperType=C.D,n._styledSuggestions=(o=n.SuggestionOfProperType,(0,s.z)(o,k,void 0,{scope:"Suggestions"})),n.dismissSuggestions=function(e){var t=function(){var t=!0;n.props.onDismiss&&(t=n.props.onDismiss(e,n.suggestionStore.currentSuggestion?n.suggestionStore.currentSuggestion.item:void 0)),(!e||e&&!e.defaultPrevented)&&!1!==t&&n.canAddItems()&&n.suggestionStore.hasSelectedSuggestion()&&n.state.suggestedDisplayValue&&n.addItemByIndex(0)};n.currentPromise?n.currentPromise.then((function(){return t()})):t(),n.setState({suggestionsVisible:!1})},n.refocusSuggestions=function(e){n.resetFocus(),n.suggestionStore.suggestions&&n.suggestionStore.suggestions.length>0&&(e===l.m.up?n.suggestionStore.setSelectedSuggestion(n.suggestionStore.suggestions.length-1):e===l.m.down&&n.suggestionStore.setSelectedSuggestion(0))},n.onInputChange=function(e){n.updateValue(e),n.setState({moreSuggestionsAvailable:!0,isMostRecentlyUsedVisible:!1})},n.onSuggestionClick=function(e,t,o){n.addItemByIndex(o)},n.onSuggestionRemove=function(e,t,o){n.props.onRemoveSuggestion&&n.props.onRemoveSuggestion(t),n.suggestionStore.removeSuggestion(o)},n.onInputFocus=function(e){n.selection.setAllSelected(!1),n.state.isFocused||(n.setState({isFocused:!0}),n._userTriggeredSuggestions(),n.props.inputProps&&n.props.inputProps.onFocus&&n.props.inputProps.onFocus(e))},n.onInputBlur=function(e){n.props.inputProps&&n.props.inputProps.onBlur&&n.props.inputProps.onBlur(e)},n.onBlur=function(e){if(n.state.isFocused){var t=e.relatedTarget;null===e.relatedTarget&&(t=document.activeElement),t&&!(0,c.t)(n.root.current,t)&&(n.setState({isFocused:!1}),n.props.onBlur&&n.props.onBlur(e))}},n.onClick=function(e){void 0!==n.props.inputProps&&void 0!==n.props.inputProps.onClick&&n.props.inputProps.onClick(e),0===e.button&&n._userTriggeredSuggestions()},n.onKeyDown=function(e){var t=e.which;switch(t){case l.m.escape:n.state.suggestionsVisible&&(n.setState({suggestionsVisible:!1}),e.preventDefault(),e.stopPropagation());break;case l.m.tab:case l.m.enter:n.suggestionElement.current&&n.suggestionElement.current.hasSuggestedActionSelected()?n.suggestionElement.current.executeSelectedAction():!e.shiftKey&&n.suggestionStore.hasSelectedSuggestion()&&n.state.suggestionsVisible?(n.completeSuggestion(),e.preventDefault(),e.stopPropagation()):n._completeGenericSuggestion();break;case l.m.backspace:n.props.disabled||n.onBackspace(e),e.stopPropagation();break;case l.m.del:n.props.disabled||(n.input.current&&e.target===n.input.current.inputElement&&n.state.suggestionsVisible&&-1!==n.suggestionStore.currentIndex?(n.props.onRemoveSuggestion&&n.props.onRemoveSuggestion(n.suggestionStore.currentSuggestion.item),n.suggestionStore.removeSuggestion(n.suggestionStore.currentIndex),n.forceUpdate()):n.onBackspace(e)),e.stopPropagation();break;case l.m.up:n.input.current&&e.target===n.input.current.inputElement&&n.state.suggestionsVisible&&(n.suggestionElement.current&&n.suggestionElement.current.tryHandleKeyDown(t,n.suggestionStore.currentIndex)?(e.preventDefault(),e.stopPropagation(),n.forceUpdate()):n.suggestionElement.current&&n.suggestionElement.current.hasSuggestedAction()&&0===n.suggestionStore.currentIndex?(e.preventDefault(),e.stopPropagation(),n.suggestionElement.current.focusAboveSuggestions(),n.suggestionStore.deselectAllSuggestions(),n.forceUpdate()):n.suggestionStore.previousSuggestion()&&(e.preventDefault(),e.stopPropagation(),n.onSuggestionSelect()));break;case l.m.down:n.input.current&&e.target===n.input.current.inputElement&&n.state.suggestionsVisible&&(n.suggestionElement.current&&n.suggestionElement.current.tryHandleKeyDown(t,n.suggestionStore.currentIndex)?(e.preventDefault(),e.stopPropagation(),n.forceUpdate()):n.suggestionElement.current&&n.suggestionElement.current.hasSuggestedAction()&&n.suggestionStore.currentIndex+1===n.suggestionStore.suggestions.length?(e.preventDefault(),e.stopPropagation(),n.suggestionElement.current.focusBelowSuggestions(),n.suggestionStore.deselectAllSuggestions(),n.forceUpdate()):n.suggestionStore.nextSuggestion()&&(e.preventDefault(),e.stopPropagation(),n.onSuggestionSelect()))}},n.onItemChange=function(e,t){var o=n.state.items;if(t>=0){var r=o;r[t]=e,n._updateSelectedItems(r)}},n.onGetMoreResults=function(){n.setState({isSearching:!0},(function(){if(n.props.onGetMoreResults&&n.input.current){var e=n.props.onGetMoreResults(n.input.current.value,n.state.items),t=e,o=e;Array.isArray(t)?(n.updateSuggestions(t),n.setState({isSearching:!1})):o.then&&o.then((function(e){n.updateSuggestions(e),n.setState({isSearching:!1})}))}else n.setState({isSearching:!1});n.input.current&&n.input.current.focus(),n.setState({moreSuggestionsAvailable:!1,isResultsFooterVisible:!0})}))},n.completeSelection=function(e){n.addItem(e),n.updateValue(""),n.input.current&&n.input.current.clear(),n.setState({suggestionsVisible:!1})},n.addItemByIndex=function(e){n.completeSelection(n.suggestionStore.getSuggestionAtIndex(e).item)},n.addItem=function(e){var t=n.props.onItemSelected?n.props.onItemSelected(e):e;if(null!==t){var o=t,r=t;if(r&&r.then)r.then((function(e){var t=n.state.items.concat([e]);n._updateSelectedItems(t)}));else{var i=n.state.items.concat([o]);n._updateSelectedItems(i)}n.setState({suggestedDisplayValue:""})}},n.removeItem=function(e,t){var o=n.state.items,r=o.indexOf(e);if(r>=0){var i=o.slice(0,r).concat(o.slice(r+1));n._updateSelectedItems(i)}},n.removeItems=function(e){var t=n.state.items.filter((function(t){return-1===e.indexOf(t)}));n._updateSelectedItems(t)},n._shouldFocusZoneEnterInnerZone=function(e){if(n.state.suggestionsVisible)switch(e.which){case l.m.up:case l.m.down:return!0}return e.which===l.m.enter},n._onResolveSuggestions=function(e){var t=n.props.onResolveSuggestions(e,n.state.items);null!==t&&n.updateSuggestionsList(t,e)},n._completeGenericSuggestion=function(){if(n.props.onValidateInput&&n.input.current&&n.props.onValidateInput(n.input.current.value)!==I.Y.invalid&&n.props.createGenericItem){var e=n.props.createGenericItem(n.input.current.value,n.props.onValidateInput(n.input.current.value));n.suggestionStore.createGenericSuggestion(e),n.completeSuggestion()}},n._userTriggeredSuggestions=function(){if(!n.state.suggestionsVisible){var e=n.input.current?n.input.current.value:"";e?0===n.suggestionStore.suggestions.length?n._onResolveSuggestions(e):n.setState({isMostRecentlyUsedVisible:!1,suggestionsVisible:!0}):n.onEmptyInputFocus()}},(0,u.l)(n),n._async=new d.e(n);var r=t.selectedItems||t.defaultSelectedItems||[];return n._id=(0,p.z)(),n._ariaMap={selectedItems:"selected-items-"+n._id,selectedSuggestionAlert:"selected-suggestion-alert-"+n._id,suggestionList:"suggestion-list-"+n._id,combobox:"combobox-"+n._id},n.suggestionStore=new w.Z,n.selection=new v.Y({onSelectionChanged:function(){return n.onSelectionChange()}}),n.selection.setItems(r),n.state={items:r,suggestedDisplayValue:"",isMostRecentlyUsedVisible:!1,moreSuggestionsAvailable:!1,isFocused:!1,isSearching:!1,selectedIndices:[]},n}return(0,r.ZT)(t,e),t.getDerivedStateFromProps=function(e){return e.selectedItems?{items:e.selectedItems}:null},Object.defineProperty(t.prototype,"items",{get:function(){return this.state.items},enumerable:!0,configurable:!0}),t.prototype.componentDidMount=function(){this.selection.setItems(this.state.items),this._onResolveSuggestions=this._async.debounce(this._onResolveSuggestions,this.props.resolveDelay)},t.prototype.componentDidUpdate=function(e,t){if(this.state.items&&this.state.items!==t.items){var o=this.selection.getSelectedIndices()[0];this.selection.setItems(this.state.items),this.state.isFocused&&this.state.items.length0?"listbox":"dialog"},this.getSuggestionsAlert(_.screenReaderText),i.createElement(b.i,{selection:this.selection,selectionMode:y.oW.multiple},i.createElement("div",{className:_.text,role:"presentation"},n.length>0&&i.createElement("span",{id:this._ariaMap.selectedItems,className:_.itemsWrapper,role:"list"},this.renderItems()),this.canAddItems()&&i.createElement(D.G,(0,r.pi)({spellCheck:!1},l,{className:_.input,componentRef:this.input,onClick:this.onClick,onFocus:this.onInputFocus,onBlur:this.onInputBlur,onInputValueChange:this.onInputChange,suggestedDisplayValue:t,"aria-describedby":n.length>0?this._ariaMap.selectedItems:void 0,"aria-controls":f+" "+p||void 0,"aria-activedescendant":this.getActiveDescendant(),"aria-labelledby":this.props["aria-label"]?this._ariaMap.combobox:void 0,role:"textbox",disabled:c,onInputChange:this.props.onInputChange}))))),this.renderSuggestions())},t.prototype.canAddItems=function(){var e=this.state.items,t=this.props.itemLimit;return void 0===t||e.length=0){var o=this.root.current&&this.root.current.querySelectorAll("[data-selection-index]")[Math.min(e,t.length-1)];o&&this.focusZone.current&&this.focusZone.current.focusElement(o)}else this.canAddItems()?this.input.current&&this.input.current.focus():this.resetFocus(t.length-1)},t.prototype.onSuggestionSelect=function(){if(this.suggestionStore.currentSuggestion){var e=this.input.current?this.input.current.value:"",t=this._getTextFromItem(this.suggestionStore.currentSuggestion.item,e);this.setState({suggestedDisplayValue:t})}},t.prototype.onSelectionChange=function(){this.setState({selectedIndices:this.selection.getSelectedIndices()})},t.prototype.updateSuggestions=function(e){this.suggestionStore.updateSuggestions(e,0),this.forceUpdate()},t.prototype.onEmptyInputFocus=function(){var e=this.props.onEmptyResolveSuggestions?this.props.onEmptyResolveSuggestions:this.props.onEmptyInputFocus;if(e){var t=e(this.state.items);this.updateSuggestionsList(t),this.setState({isMostRecentlyUsedVisible:!0,suggestionsVisible:!0,moreSuggestionsAvailable:!1})}},t.prototype.updateValue=function(e){this._onResolveSuggestions(e)},t.prototype.updateSuggestionsList=function(e,t){var o=this,n=e,r=e;if(Array.isArray(n))this._updateAndResolveValue(t,n);else if(r&&r.then){this.setState({suggestionsLoading:!0}),this.suggestionStore.updateSuggestions([]),void 0!==t?this.setState({suggestionsVisible:this._getShowSuggestions()}):this.setState({suggestionsVisible:this.input.current&&this.input.current.inputElement===document.activeElement});var i=this.currentPromise=r;i.then((function(e){i===o.currentPromise&&o._updateAndResolveValue(t,e)}))}},t.prototype.resolveNewValue=function(e,t){var o=this;this.updateSuggestions(t);var n=void 0;this.suggestionStore.currentSuggestion&&(n=this._getTextFromItem(this.suggestionStore.currentSuggestion.item,e)),this.setState({suggestedDisplayValue:n,suggestionsVisible:this._getShowSuggestions()},(function(){return o.setState({suggestionsLoading:!1})}))},t.prototype.onChange=function(e){this.props.onChange&&this.props.onChange(e)},t.prototype.onBackspace=function(e){(this.state.items.length&&!this.input.current||this.input.current&&!this.input.current.isValueSelected&&0===this.input.current.cursorLocation)&&(this.selection.getSelectedCount()>0?this.removeItems(this.selection.getSelection()):this.removeItem(this.state.items[this.state.items.length-1]))},t.prototype.getActiveDescendant=function(){if(!this.state.suggestionsLoading){var e=this.suggestionStore.currentIndex;return e<0&&this.suggestionElement.current&&this.suggestionElement.current.hasSuggestedAction()?"sug-selectedAction":e>-1&&!this.state.suggestionsLoading?"sug-"+e:void 0}},t.prototype.getSuggestionsAlert=function(e){void 0===e&&(e=B.screenReaderOnly);var t=this.suggestionStore.currentIndex;if(this.props.enableSelectedSuggestionAlert){var o=t>-1?this.suggestionStore.getSuggestionAtIndex(this.suggestionStore.currentIndex):void 0,n=o?o.ariaLabel:void 0;return i.createElement("div",{className:e,role:"alert",id:this._ariaMap.selectedSuggestionAlert,"aria-live":"assertive"},n," ")}},t.prototype._updateAndResolveValue=function(e,t){void 0!==e?this.resolveNewValue(e,t):(this.suggestionStore.updateSuggestions(t,-1),this.state.suggestionsLoading&&this.setState({suggestionsLoading:!1}))},t.prototype._updateSelectedItems=function(e){var t=this;this.props.selectedItems?this.onChange(e):this.setState({items:e},(function(){t._onSelectedItemsUpdated(e)}))},t.prototype._onSelectedItemsUpdated=function(e){this.onChange(e)},t.prototype._getShowSuggestions=function(){return void 0!==this.input.current&&null!==this.input.current&&this.input.current.inputElement===document.activeElement&&""!==this.input.current.value},t.prototype._getTextFromItem=function(e,t){return this.props.getTextFromItem?this.props.getTextFromItem(e,t):""},t}(i.Component),A=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,r.ZT)(t,e),t.prototype.render=function(){var e=this.state,t=e.suggestedDisplayValue,o=e.isFocused,n=this.props,a=n.className,s=n.inputProps,l=n.disabled,c=n.theme,u=n.styles,d=this.props.enableSelectedSuggestionAlert?this._ariaMap.selectedSuggestionAlert:"",p=this.state.suggestionsVisible?this._ariaMap.suggestionList:"",f=u?F(u,{theme:c,className:a,isFocused:o,inputClassName:s&&s.className}):{root:(0,m.i)("ms-BasePicker",a||""),text:(0,m.i)("ms-BasePicker-text",B.pickerText,this.state.isFocused&&B.inputFocused,l&&B.inputDisabled),itemsWrapper:B.pickerItems,input:(0,m.i)("ms-BasePicker-input",B.pickerInput,s&&s.className),screenReaderText:B.screenReaderOnly};return i.createElement("div",{ref:this.root,onBlur:this.onBlur},i.createElement("div",{className:f.root,onKeyDown:this.onKeyDown},this.getSuggestionsAlert(f.screenReaderText),i.createElement("div",{className:f.text,"aria-owns":p||void 0,"aria-expanded":!!this.state.suggestionsVisible,"aria-haspopup":p&&this.suggestionStore.suggestions.length>0?"listbox":"dialog",role:"combobox"},i.createElement(D.G,(0,r.pi)({},s,{className:f.input,componentRef:this.input,onFocus:this.onInputFocus,onBlur:this.onInputBlur,onClick:this.onClick,onInputValueChange:this.onInputChange,suggestedDisplayValue:t,"aria-activedescendant":this.getActiveDescendant(),role:"textbox",disabled:l,"aria-controls":p+" "+d||void 0,onInputChange:this.props.onInputChange})))),this.renderSuggestions(),i.createElement(b.i,{selection:this.selection,selectionMode:y.oW.single},i.createElement(h.k,{componentRef:this.focusZone,className:"ms-BasePicker-selectedItems",isCircularNavigation:!0,direction:g.U.bidirectional,shouldEnterInnerZone:this._shouldFocusZoneEnterInnerZone,id:this._ariaMap.selectedItems,role:"list"},this.renderItems())))},t.prototype.onBackspace=function(e){},t}(L)},9378:(e,t,o)=>{"use strict";o.d(t,{W:()=>i});var n=o(9729),r={root:"ms-BasePicker",text:"ms-BasePicker-text",itemsWrapper:"ms-BasePicker-itemsWrapper",input:"ms-BasePicker-input"};function i(e){var t,o=e.className,i=e.theme,a=e.isFocused,s=e.inputClassName,l=e.disabled;if(!i)throw new Error("theme is undefined or null in base BasePicker getStyles function.");var c=i.semanticColors,u=i.effects,d=i.fonts,p=c.inputBorder,m=c.inputBorderHovered,h=c.inputFocusBorderAlt,g=(0,n.Cn)(r,i),f="rgba(218, 218, 218, 0.29)";return{root:[g.root,o],text:[g.text,{display:"flex",position:"relative",flexWrap:"wrap",alignItems:"center",boxSizing:"border-box",minWidth:180,minHeight:30,border:"1px solid "+p,borderRadius:u.roundedCorner2},!a&&!l&&{selectors:{":hover":{borderColor:m}}},a&&!l&&(0,n.$Y)(h,u.roundedCorner2),l&&{borderColor:f,selectors:(t={":after":{content:'""',position:"absolute",top:0,right:0,bottom:0,left:0,background:f}},t[n.qJ]={borderColor:"GrayText",selectors:{":after":{background:"none"}}},t)}],itemsWrapper:[g.itemsWrapper,{display:"flex",flexWrap:"wrap",maxWidth:"100%"}],input:[g.input,d.medium,{height:30,border:"none",flexGrow:1,outline:"none",padding:"0 6px 0",alignSelf:"flex-end",borderRadius:u.roundedCorner2,backgroundColor:"transparent",color:c.inputText,selectors:{"::-ms-clear":{display:"none"}}},s],screenReaderText:n.ul}}},7115:(e,t,o)=>{"use strict";var n;o.d(t,{Y:()=>n}),function(e){e[e.valid=0]="valid",e[e.warning=1]="warning",e[e.invalid=2]="invalid"}(n||(n={}))},9318:(e,t,o)=>{"use strict";o.d(t,{UM:()=>m,Aj:()=>h,fK:()=>g,eT:()=>f,XF:()=>v,IV:()=>b,cA:()=>y,V1:()=>_,CV:()=>C});var n=o(7622),r=o(7002),i=o(6104),a=o(5951),s=o(2002),l=o(8976),c=o(7115),u=o(4885),d=o(2535),p=o(9378),m=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t}(l.d),h=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t}(l.Y),g=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.defaultProps={onRenderItem:function(e){return r.createElement(u.A,(0,n.pi)({},e))},onRenderSuggestionsItem:function(e,t){return r.createElement(d.E,{personaProps:e,suggestionsProps:t})},createGenericItem:b},t}(m),f=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.defaultProps={onRenderItem:function(e){return r.createElement(u.A,(0,n.pi)({},e))},onRenderSuggestionsItem:function(e,t){return r.createElement(d.E,{personaProps:e,suggestionsProps:t,compact:!0})},createGenericItem:b},t}(m),v=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.defaultProps={onRenderItem:function(e){return r.createElement(u.A,(0,n.pi)({},e))},onRenderSuggestionsItem:function(e,t){return r.createElement(d.E,{personaProps:e,suggestionsProps:t})},createGenericItem:b},t}(h);function b(e,t){var o={key:e,primaryText:e,imageInitials:"!",ValidationState:t};return t!==c.Y.warning&&(o.imageInitials=(0,i.Q)(e,(0,a.zg)())),o}var y=(0,s.z)(g,p.W,void 0,{scope:"NormalPeoplePicker"}),_=(0,s.z)(f,p.W,void 0,{scope:"CompactPeoplePicker"}),C=(0,s.z)(v,p.W,void 0,{scope:"ListPeoplePickerBase"})},4885:(e,t,o)=>{"use strict";o.d(t,{A:()=>v,u:()=>f});var n=o(7622),r=o(7002),i=o(7300),a=o(2782),s=o(2002),l=o(7665),c=o(7481),u=o(5758),d=o(7115),p=o(9729),m=o(2657),h={root:"ms-PickerPersona-container",itemContent:"ms-PickerItem-content",removeButton:"ms-PickerItem-removeButton",isSelected:"is-selected",isInvalid:"is-invalid"},g=(0,i.y)(),f=function(e){var t=e.item,o=e.onRemoveItem,i=e.index,s=e.selected,p=e.removeButtonAriaLabel,m=e.styles,h=e.theme,f=e.className,v=e.disabled,b=(0,a.z)(),y=g(m,{theme:h,className:f,selected:s,disabled:v,invalid:t.ValidationState===d.Y.warning}),_=y.subComponentStyles?y.subComponentStyles.persona:void 0,C=y.subComponentStyles?y.subComponentStyles.personaCoin:void 0;return r.createElement("div",{className:y.root,"data-is-focusable":!v,"data-is-sub-focuszone":!0,"data-selection-index":i,role:"listitem","aria-labelledby":"selectedItemPersona-"+b},r.createElement("div",{className:y.itemContent,id:"selectedItemPersona-"+b},r.createElement(l.I,(0,n.pi)({size:c.Ir.size24,styles:_,coinProps:{styles:C}},t))),r.createElement(u.h,{onClick:o,disabled:v,iconProps:{iconName:"Cancel",styles:{root:{fontSize:"12px"}}},className:y.removeButton,ariaLabel:p}))},v=(0,s.z)(f,(function(e){var t,o,r,i,a,s,l,c=e.className,u=e.theme,d=e.selected,g=e.invalid,f=e.disabled,v=u.palette,b=u.semanticColors,y=u.fonts,_=(0,p.Cn)(h,u),C=[d&&!g&&!f&&{color:v.white,selectors:(t={":hover":{color:v.white}},t[p.qJ]={color:"HighlightText"},t)},(g&&!d||g&&d&&f)&&{color:v.redDark,borderBottom:"2px dotted "+v.redDark,selectors:(o={},o["."+_.root+":hover &"]={color:v.redDark},o)},g&&d&&!f&&{color:v.white,borderBottom:"2px dotted "+v.white},f&&{selectors:(r={},r[p.qJ]={color:"GrayText"},r)}],S=[g&&{fontSize:y.xLarge.fontSize}];return{root:[_.root,(0,p.GL)(u,{inset:-2}),{borderRadius:15,display:"inline-flex",alignItems:"center",background:v.neutralLighter,margin:"1px 2px",cursor:"default",userSelect:"none",maxWidth:300,verticalAlign:"middle",minWidth:0,selectors:(i={":hover":{background:d||f?"":v.neutralLight}},i[p.qJ]=[{border:"1px solid WindowText"},f&&{borderColor:"GrayText"}],i)},d&&!f&&[_.isSelected,{background:v.themePrimary,selectors:(a={},a[p.qJ]=(0,n.pi)({borderColor:"HighLight",background:"Highlight"},(0,p.xM)()),a)}],g&&[_.isInvalid],g&&d&&!f&&{background:v.redDark},c],itemContent:[_.itemContent,{flex:"0 1 auto",minWidth:0,maxWidth:"100%",overflow:"hidden"}],removeButton:[_.removeButton,{borderRadius:15,color:v.neutralPrimary,flex:"0 0 auto",width:24,height:24,selectors:{":hover":{background:v.neutralTertiaryAlt,color:v.neutralDark}}},d&&[{color:v.white,selectors:(s={":hover":{color:v.white,background:v.themeDark},":active":{color:v.white,background:v.themeDarker}},s[p.qJ]={color:"HighlightText"},s)},g&&{selectors:{":hover":{background:v.red},":active":{background:v.redDark}}}],f&&{selectors:(l={},l["."+m.n.msButtonIcon]={color:b.buttonText},l)}],subComponentStyles:{persona:{primaryText:C},personaCoin:{initials:S}}}}),void 0,{scope:"PeoplePickerItem"})},2535:(e,t,o)=>{"use strict";o.d(t,{E:()=>h,R:()=>m});var n=o(7622),r=o(7002),i=o(7300),a=o(2002),s=o(7665),l=o(7481),c=o(9729),u=o(4010),d={root:"ms-PeoplePicker-personaContent",personaWrapper:"ms-PeoplePicker-Persona"},p=(0,i.y)(),m=function(e){var t=e.personaProps,o=e.suggestionsProps,i=e.compact,a=e.styles,c=e.theme,u=e.className,d=p(a,{theme:c,className:o&&o.suggestionsItemClassName||u}),m=d.subComponentStyles&&d.subComponentStyles.persona?d.subComponentStyles.persona:void 0;return r.createElement("div",{className:d.root},r.createElement(s.I,(0,n.pi)({size:l.Ir.size24,styles:m,className:d.personaWrapper,showSecondaryText:!i},t)))},h=(0,a.z)(m,(function(e){var t,o,n,r=e.className,i=e.theme,a=(0,c.Cn)(d,i),s={selectors:(t={},t["."+u.k.isSuggested+" &"]={selectors:(o={},o[c.qJ]={color:"HighlightText"},o)},t["."+a.root+":hover &"]={selectors:(n={},n[c.qJ]={color:"HighlightText"},n)},t)};return{root:[a.root,{width:"100%",padding:"4px 12px"},r],personaWrapper:[a.personaWrapper,{width:180}],subComponentStyles:{persona:{primaryText:s,secondaryText:s}}}}),void 0,{scope:"PeoplePickerItemSuggestion"})},4800:(e,t,o)=>{"use strict";o.d(t,{D:()=>y});var n=o(7622),r=o(7002),i=o(7300),a=o(2002),s=o(8145),l=o(688),c=o(8088),u=o(990),d=o(76),p=o(3945),m=o(9862),h=o(7420),g=o(4010),f=o(8463),v=(0,i.y)(),b=(0,a.z)(h.S,g.W,void 0,{scope:"SuggestionItem"}),y=function(e){function t(t){var o=e.call(this,t)||this;return o._forceResolveButton=r.createRef(),o._searchForMoreButton=r.createRef(),o._selectedElement=r.createRef(),o.tryHandleKeyDown=function(e,t){var n=!1,r=null,i=o.state.selectedActionType,a=o.props.suggestions.length;if(e===s.m.down)switch(i){case m.L.forceResolve:a>0?(o._refocusOnSuggestions(e),r=m.L.none):r=o._searchForMoreButton.current?m.L.searchMore:m.L.forceResolve;break;case m.L.searchMore:o._forceResolveButton.current?r=m.L.forceResolve:a>0?(o._refocusOnSuggestions(e),r=m.L.none):r=m.L.searchMore;break;case m.L.none:-1===t&&o._forceResolveButton.current&&(r=m.L.forceResolve)}else if(e===s.m.up)switch(i){case m.L.forceResolve:o._searchForMoreButton.current?r=m.L.searchMore:a>0&&(o._refocusOnSuggestions(e),r=m.L.none);break;case m.L.searchMore:a>0?(o._refocusOnSuggestions(e),r=m.L.none):o._forceResolveButton.current&&(r=m.L.forceResolve);break;case m.L.none:-1===t&&o._searchForMoreButton.current&&(r=m.L.searchMore)}return null!==r&&(o.setState({selectedActionType:r}),n=!0),n},o._getAlertText=function(){var e=o.props,t=e.isLoading,n=e.isSearching,r=e.suggestions,i=e.suggestionsAvailableAlertText,a=e.noResultsFoundText;if(!t&&!n){if(r.length>0)return i||"";if(a)return a}return""},o._getMoreResults=function(){o.props.onGetMoreResults&&o.props.onGetMoreResults()},o._forceResolve=function(){o.props.createGenericItem&&o.props.createGenericItem()},o._shouldShowForceResolve=function(){return!!o.props.showForceResolve&&o.props.showForceResolve()},o._onClickTypedSuggestionsItem=function(e,t){return function(n){o.props.onSuggestionClick(n,e,t)}},o._refocusOnSuggestions=function(e){"function"==typeof o.props.refocusSuggestions&&o.props.refocusSuggestions(e)},o._onRemoveTypedSuggestionsItem=function(e,t){return function(n){(0,o.props.onSuggestionRemove)(n,e,t),n.stopPropagation()}},(0,l.l)(o),o.state={selectedActionType:m.L.none},o}return(0,n.ZT)(t,e),t.prototype.componentDidMount=function(){this.scrollSelected(),this.activeSelectedElement=this._selectedElement?this._selectedElement.current:null},t.prototype.componentDidUpdate=function(){this._selectedElement.current&&this.activeSelectedElement!==this._selectedElement.current&&(this.scrollSelected(),this.activeSelectedElement=this._selectedElement.current)},t.prototype.render=function(){var e,t,o=this,i=this.props,a=i.forceResolveText,s=i.mostRecentlyUsedHeaderText,l=i.searchForMoreText,h=i.className,g=i.moreSuggestionsAvailable,b=i.noResultsFoundText,y=i.suggestions,_=i.isLoading,C=i.isSearching,S=i.loadingText,x=i.onRenderNoResultFound,k=i.searchingText,w=i.isMostRecentlyUsedVisible,I=i.resultsMaximumNumber,D=i.resultsFooterFull,T=i.resultsFooter,E=i.isResultsFooterVisible,P=void 0===E||E,M=i.suggestionsHeaderText,R=i.suggestionsClassName,N=i.theme,B=i.styles,F=i.suggestionsListId;this._classNames=B?v(B,{theme:N,className:h,suggestionsClassName:R,forceResolveButtonSelected:this.state.selectedActionType===m.L.forceResolve,searchForMoreButtonSelected:this.state.selectedActionType===m.L.searchMore}):{root:(0,c.i)("ms-Suggestions",h,f.root),title:(0,c.i)("ms-Suggestions-title",f.suggestionsTitle),searchForMoreButton:(0,c.i)("ms-SearchMore-button",f.actionButton,(e={},e["is-selected "+f.buttonSelected]=this.state.selectedActionType===m.L.searchMore,e)),forceResolveButton:(0,c.i)("ms-forceResolve-button",f.actionButton,(t={},t["is-selected "+f.buttonSelected]=this.state.selectedActionType===m.L.forceResolve,t)),suggestionsAvailable:(0,c.i)("ms-Suggestions-suggestionsAvailable",f.suggestionsAvailable),suggestionsContainer:(0,c.i)("ms-Suggestions-container",f.suggestionsContainer,R),noSuggestions:(0,c.i)("ms-Suggestions-none",f.suggestionsNone)};var L=this._classNames.subComponentStyles?this._classNames.subComponentStyles.spinner:void 0,A=B?{styles:L}:{className:(0,c.i)("ms-Suggestions-spinner",f.suggestionsSpinner)},z=function(){return b?r.createElement("div",{className:o._classNames.noSuggestions},b):null},H=M;w&&s&&(H=s);var O=void 0;P&&(O=y.length>=I?D:T);var W=!(y&&y.length||_),V=W||_?{role:"dialog",id:F}:{},K=this.state.selectedActionType===m.L.forceResolve?"sug-selectedAction":void 0,q=this.state.selectedActionType===m.L.searchMore?"sug-selectedAction":void 0;return r.createElement("div",(0,n.pi)({className:this._classNames.root},V),r.createElement(p.O,{message:this._getAlertText(),"aria-live":"polite"}),H?r.createElement("div",{className:this._classNames.title},H):null,a&&this._shouldShowForceResolve()&&r.createElement(u.M,{componentRef:this._forceResolveButton,className:this._classNames.forceResolveButton,id:K,onClick:this._forceResolve,"data-automationid":"sug-forceResolve"},a),_&&r.createElement(d.$,(0,n.pi)({},A,{label:S})),W?x?x(void 0,z):z():this._renderSuggestions(),l&&g&&r.createElement(u.M,{componentRef:this._searchForMoreButton,className:this._classNames.searchForMoreButton,iconProps:{iconName:"Search"},id:q,onClick:this._getMoreResults,"data-automationid":"sug-searchForMore"},l),C?r.createElement(d.$,(0,n.pi)({},A,{label:k})):null,!O||g||w||C?null:r.createElement("div",{className:this._classNames.title},O(this.props)))},t.prototype.hasSuggestedAction=function(){return!!this._searchForMoreButton.current||!!this._forceResolveButton.current},t.prototype.hasSuggestedActionSelected=function(){return this.state.selectedActionType!==m.L.none},t.prototype.executeSelectedAction=function(){switch(this.state.selectedActionType){case m.L.forceResolve:this._forceResolve();break;case m.L.searchMore:this._getMoreResults()}},t.prototype.focusAboveSuggestions=function(){this._forceResolveButton.current?this.setState({selectedActionType:m.L.forceResolve}):this._searchForMoreButton.current&&this.setState({selectedActionType:m.L.searchMore})},t.prototype.focusBelowSuggestions=function(){this._searchForMoreButton.current?this.setState({selectedActionType:m.L.searchMore}):this._forceResolveButton.current&&this.setState({selectedActionType:m.L.forceResolve})},t.prototype.focusSearchForMoreButton=function(){this._searchForMoreButton.current&&this._searchForMoreButton.current.focus()},t.prototype.scrollSelected=function(){this._selectedElement.current&&void 0!==this._selectedElement.current.scrollIntoView&&this._selectedElement.current.scrollIntoView(!1)},t.prototype._renderSuggestions=function(){var e=this,t=this.props,o=t.onRenderSuggestion,n=t.removeSuggestionAriaLabel,i=t.suggestionsItemClassName,a=t.resultsMaximumNumber,s=t.showRemoveButtons,l=t.suggestionsContainerAriaLabel,c=t.suggestionsListId,u=this.props.suggestions,d=b,p=-1;return u.some((function(e,t){return!!e.selected&&(p=t,!0)})),a&&(u=p>=a?u.slice(p-a+1,p+1):u.slice(0,a)),0===u.length?null:r.createElement("div",{className:this._classNames.suggestionsContainer,id:c,role:"listbox","aria-label":l},u.map((function(t,a){return r.createElement("div",{ref:t.selected?e._selectedElement:void 0,key:t.item.key?t.item.key:a},r.createElement(d,{suggestionModel:t,RenderSuggestion:o,onClick:e._onClickTypedSuggestionsItem(t.item,a),className:i,showRemoveButton:s,removeButtonAriaLabel:n,onRemoveItem:e._onRemoveTypedSuggestionsItem(t.item,a),id:"sug-"+a}))})))},t}(r.Component)},8463:(e,t,o)=>{"use strict";o.r(t),o.d(t,{root:()=>n,suggestionsItem:()=>r,closeButton:()=>i,suggestionsItemIsSuggested:()=>a,itemButton:()=>s,actionButton:()=>l,buttonSelected:()=>c,suggestionsTitle:()=>u,suggestionsContainer:()=>d,suggestionsNone:()=>p,suggestionsSpinner:()=>m,suggestionsAvailable:()=>h}),(0,o(4976).RM)([{rawString:".root_744a4167{min-width:260px}.suggestionsItem_744a4167{display:-webkit-box;display:-ms-flexbox;display:flex;-webkit-box-align:stretch;-ms-flex-align:stretch;align-items:stretch;-webkit-box-sizing:border-box;box-sizing:border-box;width:100%;position:relative;overflow:hidden}.suggestionsItem_744a4167:hover{background:"},{theme:"neutralLighter",defaultValue:"#f3f2f1"},{rawString:"}.suggestionsItem_744a4167:hover .closeButton_744a4167{display:block}.suggestionsItem_744a4167.suggestionsItemIsSuggested_744a4167{background:"},{theme:"neutralLight",defaultValue:"#edebe9"},{rawString:"}.suggestionsItem_744a4167.suggestionsItemIsSuggested_744a4167:hover{background:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c6c4"},{rawString:"}@media screen and (-ms-high-contrast:active){.suggestionsItem_744a4167.suggestionsItemIsSuggested_744a4167:hover{background:Highlight;color:HighlightText}}@media screen and (-ms-high-contrast:active){.suggestionsItem_744a4167.suggestionsItemIsSuggested_744a4167{background:Highlight;color:HighlightText;-ms-high-contrast-adjust:none}}.suggestionsItem_744a4167.suggestionsItemIsSuggested_744a4167 .closeButton_744a4167:hover{background:"},{theme:"neutralTertiary",defaultValue:"#a19f9d"},{rawString:";color:"},{theme:"neutralPrimary",defaultValue:"#323130"},{rawString:"}@media screen and (-ms-high-contrast:active){.suggestionsItem_744a4167.suggestionsItemIsSuggested_744a4167 .itemButton_744a4167{color:HighlightText}}.suggestionsItem_744a4167 .closeButton_744a4167{display:none;color:"},{theme:"neutralSecondary",defaultValue:"#605e5c"},{rawString:"}.suggestionsItem_744a4167 .closeButton_744a4167:hover{background:"},{theme:"neutralLight",defaultValue:"#edebe9"},{rawString:"}.actionButton_744a4167{background-color:transparent;border:0;cursor:pointer;margin:0;position:relative;border-top:1px solid "},{theme:"neutralLight",defaultValue:"#edebe9"},{rawString:";height:40px;width:100%;font-size:12px}[dir=ltr] .actionButton_744a4167{padding-left:8px}[dir=rtl] .actionButton_744a4167{padding-right:8px}html[dir=ltr] .actionButton_744a4167{text-align:left}html[dir=rtl] .actionButton_744a4167{text-align:right}.actionButton_744a4167:hover{background-color:"},{theme:"neutralLight",defaultValue:"#edebe9"},{rawString:";cursor:pointer}.actionButton_744a4167:active,.actionButton_744a4167:focus{background-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:"}.actionButton_744a4167 .ms-Button-icon{font-size:16px;width:25px}.actionButton_744a4167 .ms-Button-label{margin:0 4px 0 9px}html[dir=rtl] .actionButton_744a4167 .ms-Button-label{margin:0 9px 0 4px}.buttonSelected_744a4167{background-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:"}.suggestionsTitle_744a4167{padding:0 12px;color:"},{theme:"themePrimary",defaultValue:"#0078d4"},{rawString:";font-size:12px;line-height:40px;border-bottom:1px solid "},{theme:"neutralLight",defaultValue:"#edebe9"},{rawString:"}.suggestionsContainer_744a4167{overflow-y:auto;overflow-x:hidden;max-height:300px;border-bottom:1px solid "},{theme:"neutralLight",defaultValue:"#edebe9"},{rawString:"}.suggestionsNone_744a4167{text-align:center;color:#797775;font-size:12px;line-height:30px}.suggestionsSpinner_744a4167{margin:5px 0;white-space:nowrap;line-height:20px;font-size:12px}html[dir=ltr] .suggestionsSpinner_744a4167{padding-left:14px}html[dir=rtl] .suggestionsSpinner_744a4167{padding-right:14px}html[dir=ltr] .suggestionsSpinner_744a4167{text-align:left}html[dir=rtl] .suggestionsSpinner_744a4167{text-align:right}.suggestionsSpinner_744a4167 .ms-Spinner-circle{display:inline-block;vertical-align:middle}.suggestionsSpinner_744a4167 .ms-Spinner-label{display:inline-block;margin:0 10px 0 16px;vertical-align:middle}html[dir=rtl] .suggestionsSpinner_744a4167 .ms-Spinner-label{margin:0 16px 0 10px}.itemButton_744a4167.itemButton_744a4167{width:100%;padding:0;min-width:0;height:100%}@media screen and (-ms-high-contrast:active){.itemButton_744a4167.itemButton_744a4167{color:WindowText}}.itemButton_744a4167.itemButton_744a4167:hover{color:"},{theme:"neutralDark",defaultValue:"#201f1e"},{rawString:"}.closeButton_744a4167.closeButton_744a4167{padding:0 4px;height:auto;width:32px}@media screen and (-ms-high-contrast:active){.closeButton_744a4167.closeButton_744a4167{color:WindowText}}.closeButton_744a4167.closeButton_744a4167:hover{background:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c6c4"},{rawString:";color:"},{theme:"neutralDark",defaultValue:"#201f1e"},{rawString:"}.suggestionsAvailable_744a4167{position:absolute;width:1px;height:1px;padding:0;margin:-1px;overflow:hidden;clip:rect(0,0,0,0);border:0}"}]);var n="root_744a4167",r="suggestionsItem_744a4167",i="closeButton_744a4167",a="suggestionsItemIsSuggested_744a4167",s="itemButton_744a4167",l="actionButton_744a4167",c="buttonSelected_744a4167",u="suggestionsTitle_744a4167",d="suggestionsContainer_744a4167",p="suggestionsNone_744a4167",m="suggestionsSpinner_744a4167",h="suggestionsAvailable_744a4167"},9862:(e,t,o)=>{"use strict";var n;o.d(t,{L:()=>n}),function(e){e[e.none=0]="none",e[e.forceResolve=1]="forceResolve",e[e.searchMore=2]="searchMore"}(n||(n={}))},6920:(e,t,o)=>{"use strict";o.d(t,{Z:()=>n});var n=function(){function e(){var e=this;this._isSuggestionModel=function(e){return void 0!==e.item},this._ensureSuggestionModel=function(t){return e._isSuggestionModel(t)?t:{item:t,selected:!1,ariaLabel:t.name||t.primaryText}},this.suggestions=[],this.currentIndex=-1}return e.prototype.updateSuggestions=function(e,t){e&&e.length>0?(this.suggestions=this.convertSuggestionsToSuggestionItems(e),this.currentIndex=t||0,-1===t?this.currentSuggestion=void 0:void 0!==t&&(this.suggestions[t].selected=!0,this.currentSuggestion=this.suggestions[t])):(this.suggestions=[],this.currentIndex=-1,this.currentSuggestion=void 0)},e.prototype.nextSuggestion=function(){if(this.suggestions&&this.suggestions.length){if(this.currentIndex0)return this.setSelectedSuggestion(this.currentIndex-1),!0;if(0===this.currentIndex)return this.setSelectedSuggestion(this.suggestions.length-1),!0}return!1},e.prototype.getSuggestions=function(){return this.suggestions},e.prototype.getCurrentItem=function(){return this.currentSuggestion},e.prototype.getSuggestionAtIndex=function(e){return this.suggestions[e]},e.prototype.hasSelectedSuggestion=function(){return!!this.currentSuggestion},e.prototype.removeSuggestion=function(e){this.suggestions.splice(e,1)},e.prototype.createGenericSuggestion=function(e){var t=this.convertSuggestionsToSuggestionItems([e])[0];this.currentSuggestion=t},e.prototype.convertSuggestionsToSuggestionItems=function(e){return Array.isArray(e)?e.map(this._ensureSuggestionModel):[]},e.prototype.deselectAllSuggestions=function(){this.currentIndex>-1&&(this.suggestions[this.currentIndex].selected=!1,this.currentIndex=-1)},e.prototype.setSelectedSuggestion=function(e){e>this.suggestions.length-1||e<0?(this.currentIndex=0,this.currentSuggestion.selected=!1,this.currentSuggestion=this.suggestions[0],this.currentSuggestion.selected=!0):(this.currentIndex>-1&&(this.suggestions[this.currentIndex].selected=!1),this.suggestions[e].selected=!0,this.currentIndex=e,this.currentSuggestion=this.suggestions[e])},e}()},7420:(e,t,o)=>{"use strict";o.d(t,{S:()=>p});var n=o(7622),r=o(7002),i=o(7300),a=o(688),s=o(8088),l=o(990),c=o(5758),u=o(8463),d=(0,i.y)(),p=function(e){function t(t){var o=e.call(this,t)||this;return(0,a.l)(o),o}return(0,n.ZT)(t,e),t.prototype.render=function(){var e,t=this.props,o=t.suggestionModel,n=t.RenderSuggestion,i=t.onClick,a=t.className,p=t.id,m=t.onRemoveItem,h=t.isSelectedOverride,g=t.removeButtonAriaLabel,f=t.styles,v=t.theme,b=f?d(f,{theme:v,className:a,suggested:o.selected||h}):{root:(0,s.i)("ms-Suggestions-item",u.suggestionsItem,(e={},e["is-suggested "+u.suggestionsItemIsSuggested]=o.selected||h,e),a),itemButton:(0,s.i)("ms-Suggestions-itemButton",u.itemButton),closeButton:(0,s.i)("ms-Suggestions-closeButton",u.closeButton)};return r.createElement("div",{className:b.root},r.createElement(l.M,{onClick:i,className:b.itemButton,id:p,"aria-selected":o.selected,role:"option","aria-label":o.ariaLabel},n(o.item,this.props)),this.props.showRemoveButton?r.createElement(c.h,{iconProps:{iconName:"Cancel",styles:{root:{fontSize:"12px"}}},title:g,ariaLabel:g,onClick:m,className:b.closeButton}):null)},t}(r.Component)},4010:(e,t,o)=>{"use strict";o.d(t,{k:()=>a,W:()=>s});var n=o(7622),r=o(9729),i=o(6145),a={root:"ms-Suggestions-item",itemButton:"ms-Suggestions-itemButton",closeButton:"ms-Suggestions-closeButton",isSuggested:"is-suggested"};function s(e){var t,o,s,l,c,u,d=e.className,p=e.theme,m=e.suggested,h=p.palette,g=p.semanticColors,f=(0,r.Cn)(a,p);return{root:[f.root,{display:"flex",alignItems:"stretch",boxSizing:"border-box",width:"100%",position:"relative",selectors:{"&:hover":{background:g.menuItemBackgroundHovered},"&:hover .ms-Suggestions-closeButton":{display:"block"}}},m&&{selectors:(t={},t["."+i.G$+" &"]={selectors:(o={},o["."+f.closeButton]={display:"block",background:g.menuItemBackgroundPressed},o)},t[":after"]={pointerEvents:"none",content:'""',position:"absolute",left:0,top:0,bottom:0,right:0,border:"1px solid "+p.semanticColors.focusBorder},t)},d],itemButton:[f.itemButton,{width:"100%",padding:0,border:"none",height:"100%",minWidth:0,overflow:"hidden",selectors:(s={},s[r.qJ]={color:"WindowText",selectors:{":hover":(0,n.pi)({background:"Highlight",color:"HighlightText"},(0,r.xM)())}},s[":hover"]={color:g.menuItemTextHovered},s)},m&&[f.isSuggested,{background:g.menuItemBackgroundPressed,selectors:(l={":hover":{background:g.menuDivider}},l[r.qJ]=(0,n.pi)({background:"Highlight",color:"HighlightText"},(0,r.xM)()),l)}]],closeButton:[f.closeButton,{display:"none",color:h.neutralSecondary,padding:"0 4px",height:"auto",width:32,selectors:(c={":hover, :active":{background:h.neutralTertiaryAlt,color:h.neutralDark}},c[r.qJ]={color:"WindowText"},c)},m&&(u={},u["."+i.G$+" &"]={selectors:{":hover, :active":{background:h.neutralTertiary}}},u.selectors={":hover, :active":{background:h.neutralTertiary,color:h.neutralPrimary}},u)]}}},6826:(e,t,o)=>{"use strict";o.r(t),o.d(t,{ActionButton:()=>_e.K,ActivityItem:()=>S,AnimationClassNames:()=>u.k4,AnimationDirection:()=>Be.s,AnimationStyles:()=>u.Ic,AnimationVariables:()=>u.D1,Announced:()=>k.O,AnnouncedBase:()=>w.d,Async:()=>bo.e,AutoScroll:()=>Ws,Autofill:()=>x.G,BaseButton:()=>ve.Y,BaseComponent:()=>Ie.H,BaseExtendedPeoplePicker:()=>na,BaseExtendedPicker:()=>ta,BaseFloatingPeoplePicker:()=>Ba,BaseFloatingPicker:()=>Ra,BasePeoplePicker:()=>wl.UM,BasePeopleSelectedItemsList:()=>Bc,BasePicker:()=>xl.d,BasePickerListBelow:()=>xl.Y,BaseSelectedItemsList:()=>fc,BaseSlots:()=>np,Breadcrumb:()=>fe,BreadcrumbBase:()=>ue,Button:()=>xe,ButtonGrid:()=>Me._,ButtonGridCell:()=>Re.U,ButtonType:()=>ne,COACHMARK_ATTRIBUTE_NAME:()=>xt,Calendar:()=>Ne.f,Callout:()=>Ae.U,CalloutContent:()=>ze.N,CalloutContentBase:()=>He.H,Check:()=>je,CheckBase:()=>qe,Checkbox:()=>Je.X,CheckboxBase:()=>Ye.A,CheckboxVisibility:()=>un,ChoiceGroup:()=>Ze.F,ChoiceGroupBase:()=>Xe.q,ChoiceGroupOption:()=>Qe.c,Coachmark:()=>Dt,CoachmarkBase:()=>wt,CollapseAllVisibility:()=>zo,ColorClassNames:()=>u.JJ,ColorPicker:()=>go.z,ColorPickerBase:()=>fo.T,ColorPickerGridCell:()=>qu.h,ColorPickerGridCellBase:()=>Gu.t,ColumnActionsMode:()=>an,ColumnDragEndLocation:()=>ln,ComboBox:()=>vo.C,CommandBar:()=>qo,CommandBarBase:()=>Ko,CommandBarButton:()=>ke.Q,CommandButton:()=>we.M,CommunicationColors:()=>vd,CompactPeoplePicker:()=>wl.V1,CompactPeoplePickerBase:()=>wl.eT,CompoundButton:()=>Ce.W,ConstrainMode:()=>sn,ContextualMenu:()=>Go.r,ContextualMenuBase:()=>Uo.MK,ContextualMenuItem:()=>Jo.W,ContextualMenuItemBase:()=>Yo.b,ContextualMenuItemType:()=>jo.n,Customizations:()=>Du.X,Customizer:()=>wp.N,CustomizerContext:()=>Iu.i,DATAKTP_ARIA_TARGET:()=>hs.A4,DATAKTP_EXECUTE_TARGET:()=>hs.ms,DATAKTP_TARGET:()=>hs.fV,DATA_IS_SCROLLABLE_ATTRIBUTE:()=>yo.c6,DATA_PORTAL_ATTRIBUTE:()=>Fp.Y,DAYS_IN_WEEK:()=>Le.NA,DEFAULT_CELL_STYLE_PROPS:()=>hn,DEFAULT_MASK_CHAR:()=>gd,DEFAULT_ROW_HEIGHTS:()=>gn,DatePicker:()=>Xo.M,DatePickerBase:()=>Qo.R,DateRangeType:()=>Le.NU,DayOfWeek:()=>Le.eO,DefaultButton:()=>ye.a,DefaultEffects:()=>u.rN,DefaultFontStyles:()=>u.ir,DefaultPalette:()=>u.UK,DefaultSpacing:()=>wd.C,DelayedRender:()=>Us.U,Depths:()=>kd.N,DetailsColumnBase:()=>En,DetailsHeader:()=>Hn,DetailsHeaderBase:()=>Bn,DetailsList:()=>xr,DetailsListBase:()=>br,DetailsListLayoutMode:()=>cn,DetailsRow:()=>Gn,DetailsRowBase:()=>Kn,DetailsRowCheck:()=>In,DetailsRowFields:()=>On,DetailsRowGlobalClassNames:()=>mn,Dialog:()=>ni,DialogBase:()=>ti,DialogContent:()=>Xr,DialogContentBase:()=>Yr,DialogFooter:()=>Ur,DialogFooterBase:()=>qr,DialogType:()=>Cr,DirectionalHint:()=>K.b,DocumentCard:()=>mi,DocumentCardActions:()=>vi,DocumentCardActivity:()=>_i,DocumentCardDetails:()=>ki,DocumentCardImage:()=>Li,DocumentCardLocation:()=>Di,DocumentCardLogo:()=>Ki,DocumentCardPreview:()=>Mi,DocumentCardStatus:()=>ji,DocumentCardTitle:()=>Hi,DocumentCardType:()=>ri,DragDropHelper:()=>Dn,Dropdown:()=>Ji.L,DropdownBase:()=>Yi.P,DropdownMenuItemType:()=>Zi.F,EdgeChromiumHighContrastSelector:()=>u.Ox,ElementType:()=>oe,EventGroup:()=>at.r,ExpandingCard:()=>ja,ExpandingCardBase:()=>Ua,ExpandingCardMode:()=>Va,ExtendedPeoplePicker:()=>ra,ExtendedSelectedItem:()=>Ec,Fabric:()=>ia.P,FabricBase:()=>aa.d,FabricPerformance:()=>fp,FabricSlots:()=>rp,Facepile:()=>ha,FacepileBase:()=>pa,FirstWeekOfYear:()=>Le.On,FloatingPeoplePicker:()=>Fa,FluentTheme:()=>Vd,FocusRects:()=>B.u,FocusTrapCallout:()=>We,FocusTrapZone:()=>Oe.P,FocusZone:()=>M.k,FocusZoneDirection:()=>R.U,FocusZoneTabbableElements:()=>R.J,FontClassNames:()=>u.yV,FontIcon:()=>Ve.xu,FontSizes:()=>u.TS,FontWeights:()=>u.lq,GlobalSettings:()=>vp.D,GroupFooter:()=>ir,GroupHeader:()=>$n,GroupShowAll:()=>or,GroupSpacer:()=>pn,GroupedList:()=>dr,GroupedListBase:()=>ur,GroupedListSection:()=>ar,HEX_REGEX:()=>Tt.lX,HighContrastSelector:()=>u.qJ,HighContrastSelectorBlack:()=>u.$v,HighContrastSelectorWhite:()=>u.bO,HoverCard:()=>es,HoverCardBase:()=>$a,HoverCardType:()=>Oa,Icon:()=>W.J,IconBase:()=>ts.A,IconButton:()=>V.h,IconFontSizes:()=>u.ld,IconType:()=>os.T,Image:()=>Ti.E,ImageBase:()=>is.v,ImageCoverStyle:()=>as.yZ,ImageFit:()=>as.kQ,ImageIcon:()=>ns.X,ImageLoadState:()=>as.U9,InjectionMode:()=>u.qS,IsFocusVisibleClassName:()=>de.G$,KTP_ARIA_SEPARATOR:()=>hs.Tc,KTP_FULL_PREFIX:()=>hs.L7,KTP_LAYER_ID:()=>hs.nK,KTP_PREFIX:()=>hs.ww,KTP_SEPARATOR:()=>hs.by,KeyCodes:()=>rt.m,KeyboardSpinDirection:()=>fu.T,Keytip:()=>ps,KeytipData:()=>ms.a,KeytipEvents:()=>hs.Tj,KeytipLayer:()=>Es,KeytipLayerBase:()=>Ts,KeytipManager:()=>Bo.K,Label:()=>Ns._,LabelBase:()=>Rs.E,Layer:()=>dt.m,LayerBase:()=>Ls.s,LayerHost:()=>zs,Link:()=>O,LinkBase:()=>A,List:()=>Eo,ListPeoplePicker:()=>wl.CV,ListPeoplePickerBase:()=>wl.XF,LocalizedFontFamilies:()=>Od.II,LocalizedFontNames:()=>Od.Qm,MAX_COLOR_ALPHA:()=>Tt.c5,MAX_COLOR_HUE:()=>Tt.a_,MAX_COLOR_RGB:()=>Tt.uc,MAX_COLOR_RGBA:()=>Tt.WC,MAX_COLOR_SATURATION:()=>Tt.fr,MAX_COLOR_VALUE:()=>Tt.uw,MAX_HEX_LENGTH:()=>Tt.fG,MAX_RGBA_LENGTH:()=>Tt.jU,MIN_HEX_LENGTH:()=>Tt.yE,MIN_RGBA_LENGTH:()=>Tt.HT,MarqueeSelection:()=>Gs,MaskedTextField:()=>fd,MeasuredContext:()=>Z,MemberListPeoplePicker:()=>wl.Aj,MessageBar:()=>il,MessageBarBase:()=>$s,MessageBarButton:()=>Ee,MessageBarType:()=>Bs,Modal:()=>Wr,ModalBase:()=>Or,MonthOfYear:()=>Le.m2,MotionAnimations:()=>xd,MotionDurations:()=>Cd,MotionTimings:()=>Sd,Nav:()=>dl,NavBase:()=>ul,NeutralColors:()=>bd,NormalPeoplePicker:()=>wl.cA,NormalPeoplePickerBase:()=>wl.fK,OpenCardMode:()=>Ha,OverflowButtonType:()=>oa,OverflowSet:()=>Oo,OverflowSetBase:()=>Ao,Overlay:()=>Ir.a,OverlayBase:()=>pl.R,Panel:()=>ml.s,PanelBase:()=>hl.P,PanelType:()=>gl.w,PeoplePickerItem:()=>Il.A,PeoplePickerItemBase:()=>Il.u,PeoplePickerItemSuggestion:()=>Dl.E,PeoplePickerItemSuggestionBase:()=>Dl.R,Persona:()=>ua.I,PersonaBase:()=>fl.R,PersonaCoin:()=>_.t,PersonaCoinBase:()=>vl.z,PersonaInitialsColor:()=>C.z5,PersonaPresence:()=>C.H_,PersonaSize:()=>C.Ir,Pivot:()=>Xl,PivotBase:()=>Ul,PivotItem:()=>Vl,PivotLinkFormat:()=>jl,PivotLinkSize:()=>Jl,PlainCard:()=>Xa,PlainCardBase:()=>Za,Popup:()=>Dr.G,Position:()=>lt.L,PositioningContainer:()=>bt,PrimaryButton:()=>Se.K,ProgressIndicator:()=>nc,ProgressIndicatorBase:()=>$l,PulsingBeaconAnimationStyles:()=>u.a1,RGBA_REGEX:()=>Tt.Xb,Rating:()=>rc.i,RatingBase:()=>ic.x,RatingSize:()=>ac.O,Rectangle:()=>bp.A,RectangleEdge:()=>lt.z,ResizeGroup:()=>re,ResizeGroupBase:()=>te,ResizeGroupDirection:()=>z,ResponsiveMode:()=>Er.eD,SELECTION_CHANGE:()=>on.F5,ScreenWidthMaxLarge:()=>u.P$,ScreenWidthMaxMedium:()=>u.yp,ScreenWidthMaxSmall:()=>u.mV,ScreenWidthMaxXLarge:()=>u.yO,ScreenWidthMaxXXLarge:()=>u.CQ,ScreenWidthMinLarge:()=>u.AV,ScreenWidthMinMedium:()=>u.dd,ScreenWidthMinSmall:()=>u.QQ,ScreenWidthMinUhfMobile:()=>u.bE,ScreenWidthMinXLarge:()=>u.qv,ScreenWidthMinXXLarge:()=>u.B,ScreenWidthMinXXXLarge:()=>u.F1,ScrollToMode:()=>xo,ScrollablePane:()=>pc,ScrollablePaneBase:()=>dc,ScrollablePaneContext:()=>cc,ScrollbarVisibility:()=>lc,SearchBox:()=>mc.R,SearchBoxBase:()=>hc.i,SelectAllVisibility:()=>wn,SelectableOptionMenuItemType:()=>Zi.F,SelectedPeopleList:()=>Fc,Selection:()=>nn.Y,SelectionDirection:()=>on.a$,SelectionMode:()=>on.oW,SelectionZone:()=>rn.i,SemanticColorSlots:()=>ip,Separator:()=>zc,SeparatorBase:()=>Ac,Shade:()=>Yt,SharedColors:()=>yd,Shimmer:()=>cu,ShimmerBase:()=>lu,ShimmerCircle:()=>tu,ShimmerCircleBase:()=>eu,ShimmerElementType:()=>Hc,ShimmerElementsDefaultHeights:()=>Oc,ShimmerElementsGroup:()=>au,ShimmerElementsGroupBase:()=>nu,ShimmerGap:()=>Xc,ShimmerGapBase:()=>Yc,ShimmerLine:()=>jc,ShimmerLineBase:()=>Gc,ShimmeredDetailsList:()=>pu,ShimmeredDetailsListBase:()=>du,Slider:()=>mu.i,SliderBase:()=>hu.V,SpinButton:()=>gu.k,Spinner:()=>Yn.$,SpinnerBase:()=>vu.G,SpinnerSize:()=>bu.E,SpinnerType:()=>bu.d,Stack:()=>Hu,StackItem:()=>Nu,Sticky:()=>Ou,StickyPositionType:()=>Pu,Stylesheet:()=>u.Ye,SuggestionActionType:()=>Cl.L,SuggestionItemType:()=>_a,Suggestions:()=>_l.D,SuggestionsControl:()=>Pa,SuggestionsController:()=>Sl.Z,SuggestionsCore:()=>ya,SuggestionsHeaderFooterItem:()=>Ea,SuggestionsItem:()=>fa.S,SuggestionsStore:()=>Aa,SwatchColorPicker:()=>Vu.U,SwatchColorPickerBase:()=>Ku._,TagItem:()=>Nl,TagItemBase:()=>Rl,TagItemSuggestion:()=>Al,TagItemSuggestionBase:()=>Ll,TagPicker:()=>Hl,TagPickerBase:()=>zl,TeachingBubble:()=>nd,TeachingBubbleBase:()=>od,TeachingBubbleContent:()=>$u,TeachingBubbleContentBase:()=>ju,Text:()=>ad,TextField:()=>sd.n,TextFieldBase:()=>ld.P,TextStyles:()=>id,TextView:()=>rd,ThemeContext:()=>qd,ThemeGenerator:()=>sp,ThemeProvider:()=>op,ThemeSettingName:()=>u.Jw,TimeConstants:()=>tn.r,Toggle:()=>cp.Z,ToggleBase:()=>up.s,Tooltip:()=>dp.u,TooltipBase:()=>pp.P,TooltipDelay:()=>mp.j,TooltipHost:()=>ie.G,TooltipHostBase:()=>hp.Z,TooltipOverflowMode:()=>ae.y,ValidationState:()=>kl.Y,VerticalDivider:()=>ii.p,VirtualizedComboBox:()=>Mo,WeeklyDayPicker:()=>hm,WindowContext:()=>j.Hn,WindowProvider:()=>j.WU,ZIndexes:()=>u.bR,addDays:()=>en.E4,addDirectionalKeyCode:()=>Op.e,addElementAtIndex:()=>Co.OA,addMonths:()=>en.zI,addWeeks:()=>en.jh,addYears:()=>en.Bc,allowOverscrollOnElement:()=>yo.eC,allowScrollOnElement:()=>yo.C7,anchorProperties:()=>E.h2,appendFunction:()=>yp.Z,arraysEqual:()=>Co.cO,asAsync:()=>Sp,assertNever:()=>xp,assign:()=>Xt.f0,audioProperties:()=>E.vF,baseElementEvents:()=>E.WO,baseElementProperties:()=>E.Nf,buildClassMap:()=>u.$O,buildColumns:()=>yr,buildKeytipConfigMap:()=>Ps,buttonProperties:()=>E.Yq,calculatePrecision:()=>Vs.oe,canAnyMenuItemsCheck:()=>Uo.Hl,clamp:()=>Mt.u,classNamesFunction:()=>D.y,colGroupProperties:()=>E.YG,colProperties:()=>E.qi,compareDatePart:()=>en.NJ,compareDates:()=>en.aN,composeComponentAs:()=>No,composeRenderFunction:()=>ko.k,concatStyleSets:()=>u.E$,concatStyleSetsWithProps:()=>u.l7,constructKeytip:()=>Ms,correctHSV:()=>Jt,correctHex:()=>Zt.L,correctRGB:()=>jt.k,createArray:()=>Co.Ri,createFontStyles:()=>u.FF,createGenericItem:()=>wl.IV,createItem:()=>La,createMemoizer:()=>d.Ct,createMergedRef:()=>am.S,createTheme:()=>u.jG,css:()=>pt.i,cssColor:()=>Et.r,customizable:()=>De.a,defaultCalendarNavigationIcons:()=>Fe.XU,defaultCalendarStrings:()=>Fe.V3,defaultDatePickerStrings:()=>$o.f,defaultDayPickerStrings:()=>Fe.GC,defaultWeeklyDayPickerNavigationIcons:()=>um,defaultWeeklyDayPickerStrings:()=>cm,disableBodyScroll:()=>yo.Qp,divProperties:()=>E.n7,doesElementContainFocus:()=>ot.WU,elementContains:()=>it.t,elementContainsAttribute:()=>Tp.j,enableBodyScroll:()=>yo.tG,extendComponent:()=>Ap.c,filteredAssign:()=>Xt.lW,find:()=>Co.sE,findElementRecursive:()=>Ep.X,findIndex:()=>Co.cx,findScrollableParent:()=>yo.zj,fitContentToBounds:()=>Vs.nK,flatten:()=>Co.xH,focusAsync:()=>ot.um,focusClear:()=>u.e2,focusFirstChild:()=>ot.uo,fontFace:()=>u.jN,formProperties:()=>E.NX,format:()=>ap.W,getAllSelectedOptions:()=>gc.t,getAriaDescribedBy:()=>ss.w7,getBackgroundShade:()=>po,getBoundsFromTargetWindow:()=>ct.qE,getChildren:()=>Mp,getColorFromHSV:()=>Wt,getColorFromRGBA:()=>Ht.N,getColorFromString:()=>zt.T,getContrastRatio:()=>mo,getDatePartHashValue:()=>en.c8,getDateRangeArray:()=>en.e0,getDetailsRowStyles:()=>vn,getDistanceBetweenPoints:()=>Vs.Iw,getDocument:()=>nt.M,getEdgeChromiumNoHighContrastAdjustSelector:()=>u.h4,getElementIndexPath:()=>ot.xu,getEndDateOfWeek:()=>en.Hx,getFadedOverflowStyle:()=>u.$X,getFirstFocusable:()=>ot.ft,getFirstTabbable:()=>ot.RK,getFocusOutlineStyle:()=>u.jx,getFocusStyle:()=>u.GL,getFocusableByIndexPath:()=>ot.bF,getFontIcon:()=>Ve.Pw,getFullColorString:()=>Vt.p,getGlobalClassNames:()=>u.Cn,getHighContrastNoAdjustStyle:()=>u.xM,getIcon:()=>u.q7,getIconClassName:()=>u.Wx,getIconContent:()=>Ve.z1,getId:()=>dn.z,getInitialResponsiveMode:()=>Er.K7,getInitials:()=>Na.Q,getInputFocusStyle:()=>u.$Y,getLanguage:()=>Gp.G,getLastFocusable:()=>ot.TE,getLastTabbable:()=>ot.xY,getMaxHeight:()=>ct.DC,getMeasurementCache:()=>J,getMenuItemStyles:()=>Zo.w,getMonthEnd:()=>en.D7,getMonthStart:()=>en.pU,getNativeElementProps:()=>$d,getNativeProps:()=>E.pq,getNextElement:()=>ot.dc,getNextResizeGroupStateProvider:()=>Y,getOppositeEdge:()=>ct.bv,getParent:()=>_o.G,getPersonaInitialsColor:()=>yl.g,getPlaceholderStyles:()=>u.Sv,getPreviousElement:()=>ot.TD,getPropsWithDefaults:()=>st.j,getRTL:()=>T.zg,getRTLSafeKeyCode:()=>T.dP,getRect:()=>mr,getResourceUrl:()=>Xp,getResponsiveMode:()=>Er.tc,getScreenSelector:()=>u.sK,getScrollbarWidth:()=>yo.np,getShade:()=>uo,getSplitButtonClassNames:()=>Pe.W,getStartDateOfWeek:()=>en.wu,getSubmenuItems:()=>Uo.Nb,getTheme:()=>u.gh,getThemedContext:()=>u.Nf,getVirtualParent:()=>Rp.r,getWeekNumber:()=>en.uW,getWeekNumbersInMonth:()=>en.iU,getWindow:()=>So.J,getYearEnd:()=>en.Q9,getYearStart:()=>en.W8,hasHorizontalOverflow:()=>Yp.b5,hasOverflow:()=>Yp.zS,hasVerticalOverflow:()=>Yp.cs,hiddenContentStyle:()=>u.ul,hoistMethods:()=>zp.W,hoistStatics:()=>Hp.f,hsl2hsv:()=>Nt.E,hsl2rgb:()=>Rt.w,hsv2hex:()=>Ft.d,hsv2hsl:()=>At,hsv2rgb:()=>Bt.X,htmlElementProperties:()=>E.iY,iframeProperties:()=>E.SZ,imageProperties:()=>E.X7,imgProperties:()=>E.it,initializeComponentRef:()=>P.l,initializeFocusRects:()=>Wp,initializeIcons:()=>rs.l,initializeResponsiveMode:()=>Er.LF,inputProperties:()=>E.Gg,isControlled:()=>kp.s,isDark:()=>co,isDirectionalKeyCode:()=>Op.L,isElementFocusSubZone:()=>ot.gc,isElementFocusZone:()=>ot.jz,isElementTabbable:()=>ot.MW,isElementVisible:()=>ot.Jv,isIE11:()=>rm.f,isIOS:()=>jp.g,isInDateRangeArray:()=>en.le,isMac:()=>_s.V,isRelativeUrl:()=>ll,isValidShade:()=>ao,isVirtualElement:()=>Pp.r,keyframes:()=>u.F4,ktpTargetFromId:()=>ss._l,ktpTargetFromSequences:()=>ss.eX,labelProperties:()=>E.mp,liProperties:()=>E.PT,loadTheme:()=>u.jz,makeStyles:()=>Zd,mapEnumByName:()=>Xt.vT,memoize:()=>d.HP,memoizeFunction:()=>d.NF,merge:()=>Up.T,mergeAriaAttributeValues:()=>_p.I,mergeCustomizations:()=>Ip.u,mergeOverflows:()=>ss.a1,mergeScopedSettings:()=>Dp.J,mergeSettings:()=>Dp.O,mergeStyleSets:()=>u.ZC,mergeStyles:()=>u.y0,mergeThemes:()=>_d.I,modalize:()=>Jp.O,noWrap:()=>u.jq,normalize:()=>u.Fv,nullRender:()=>Ie.S,olProperties:()=>E.t$,omit:()=>Xt.CE,on:()=>Mr.on,optionProperties:()=>E.Qy,personaPresenceSize:()=>bl.bw,personaSize:()=>bl.or,portalContainsElement:()=>Np.w,positionCallout:()=>ct.c5,positionCard:()=>ct.Su,positionElement:()=>ct.p$,precisionRound:()=>Vs.F0,presenceBoolean:()=>bl.zx,raiseClick:()=>Bp.x,registerDefaultFontFaces:()=>u.Kq,registerIconAlias:()=>u.M_,registerIcons:()=>u.fm,registerOnThemeChangeCallback:()=>u.tj,removeIndex:()=>Co.$E,removeOnThemeChangeCallback:()=>u.sw,replaceElement:()=>Co.wm,resetControlledWarnings:()=>om.G,resetIds:()=>dn._,resetMemoizations:()=>d.du,rgb2hex:()=>Pt.C,rgb2hsv:()=>Lt.D,safeRequestAnimationFrame:()=>$p.J,safeSetTimeout:()=>em,selectProperties:()=>E.bL,sequencesToID:()=>ss.aB,setBaseUrl:()=>Qp,setFocusVisibility:()=>de.MU,setIconOptions:()=>u.yN,setLanguage:()=>Gp.m,setMemoizeWeakMap:()=>d.rQ,setMonth:()=>en.q0,setPortalAttribute:()=>Fp.U,setRTL:()=>T.ok,setResponsiveMode:()=>Er.kd,setSSR:()=>im.T,setVirtualParent:()=>Lp.N,setWarningCallback:()=>be.U,shallowCompare:()=>Xt.Vv,shouldWrapFocus:()=>ot.mM,sizeBoolean:()=>bl.yR,sizeToPixels:()=>bl.Y4,styled:()=>I.z,tableProperties:()=>E.$B,tdProperties:()=>E.IX,textAreaProperties:()=>E.FI,thProperties:()=>E.fI,themeRulesStandardCreator:()=>lp,toMatrix:()=>Co.QC,trProperties:()=>E.PC,transitionKeysAreEqual:()=>Ss,transitionKeysContain:()=>xs,unhoistMethods:()=>zp.e,unregisterIcons:()=>u.Kf,updateA:()=>Ut.R,updateH:()=>qt.i,updateRGB:()=>Gt,updateSV:()=>Kt.d,updateT:()=>ho.X,useCustomizationSettings:()=>Kd.D,useDocument:()=>j.ky,useFocusRects:()=>B.P,useHeightOffset:()=>vt,useKeytipRef:()=>fs,useResponsiveMode:()=>Tr.q,useTheme:()=>Gd,useWindow:()=>j.zY,values:()=>Xt.VO,videoProperties:()=>E.NI,warn:()=>be.Z,warnConditionallyRequiredProps:()=>tm.w,warnControlledUsage:()=>om.Q,warnDeprecations:()=>Vr.b,warnMutuallyExclusive:()=>nm.L,withResponsiveMode:()=>Er.Ae});var n={};o.r(n),o.d(n,{pickerInput:()=>$i,pickerText:()=>Qi});var r={};o.r(r),o.d(r,{callout:()=>ga});var i={};o.r(i),o.d(i,{suggestionsContainer:()=>va});var a={};o.r(a),o.d(a,{actionButton:()=>Sa,buttonSelected:()=>xa,itemButton:()=>Ia,root:()=>Ca,screenReaderOnly:()=>Da,suggestionsSpinner:()=>wa,suggestionsTitle:()=>ka});var s={};o.r(s),o.d(s,{actionButton:()=>yc,expandButton:()=>kc,hover:()=>bc,itemContainer:()=>Dc,itemContent:()=>Sc,personaContainer:()=>vc,personaContainerIsSelected:()=>_c,personaDetails:()=>Ic,personaWrapper:()=>wc,removeButton:()=>xc,validationError:()=>Cc});var l=o(7622),c=o(7002),u=o(9729),d=o(5094),p=(0,d.NF)((function(e,t,o,n){return{root:(0,u.y0)("ms-ActivityItem",t,e.root,n&&e.isCompactRoot),pulsingBeacon:(0,u.y0)("ms-ActivityItem-pulsingBeacon",e.pulsingBeacon),personaContainer:(0,u.y0)("ms-ActivityItem-personaContainer",e.personaContainer,n&&e.isCompactPersonaContainer),activityPersona:(0,u.y0)("ms-ActivityItem-activityPersona",e.activityPersona,n&&e.isCompactPersona,!n&&o&&2===o.length&&e.doublePersona),activityTypeIcon:(0,u.y0)("ms-ActivityItem-activityTypeIcon",e.activityTypeIcon,n&&e.isCompactIcon),activityContent:(0,u.y0)("ms-ActivityItem-activityContent",e.activityContent,n&&e.isCompactContent),activityText:(0,u.y0)("ms-ActivityItem-activityText",e.activityText),commentText:(0,u.y0)("ms-ActivityItem-commentText",e.commentText),timeStamp:(0,u.y0)("ms-ActivityItem-timeStamp",e.timeStamp,n&&e.isCompactTimeStamp)}})),m="32px",h="16px",g="16px",f="13px",v=(0,d.NF)((function(){return(0,u.F4)({from:{opacity:0},to:{opacity:1}})})),b=(0,d.NF)((function(){return(0,u.F4)({from:{transform:"translateX(-10px)"},to:{transform:"translateX(0)"}})})),y=(0,d.NF)((function(e,t,o,n,r,i){var a;void 0===e&&(e=(0,u.gh)());var s={animationName:u.a1.continuousPulseAnimationSingle(n||e.palette.themePrimary,r||e.palette.themeTertiary,"4px","28px","4px"),animationIterationCount:"1",animationDuration:".8s",zIndex:1},l={animationName:b(),animationIterationCount:"1",animationDuration:".5s"},c={animationName:v(),animationIterationCount:"1",animationDuration:".5s"},d={root:[e.fonts.small,{display:"flex",justifyContent:"flex-start",alignItems:"flex-start",boxSizing:"border-box",color:e.palette.neutralSecondary},i&&o&&c],pulsingBeacon:[{position:"absolute",top:"50%",left:"50%",transform:"translate(-50%, -50%)",width:"0px",height:"0px",borderRadius:"225px",borderStyle:"solid",opacity:0},i&&o&&s],isCompactRoot:{alignItems:"center"},personaContainer:{display:"flex",flexWrap:"wrap",minWidth:m,width:m,height:m},isCompactPersonaContainer:{display:"inline-flex",flexWrap:"nowrap",flexBasis:"auto",height:h,width:"auto",minWidth:"0",paddingRight:"6px"},activityTypeIcon:{height:m,fontSize:g,lineHeight:g,marginTop:"3px"},isCompactIcon:{height:h,minWidth:h,fontSize:f,lineHeight:f,color:e.palette.themePrimary,marginTop:"1px",position:"relative",display:"flex",justifyContent:"center",alignItems:"center",selectors:{".ms-Persona-imageArea":{margin:"-2px 0 0 -2px",border:"2px solid"+e.palette.white,borderRadius:"50%",selectors:(a={},a[u.qJ]={border:"none",margin:"0"},a)}}},activityPersona:{display:"block"},doublePersona:{selectors:{":first-child":{alignSelf:"flex-end"}}},isCompactPersona:{display:"inline-block",width:"8px",minWidth:"8px",overflow:"visible"},activityContent:[{padding:"0 8px"},i&&o&&l],activityText:{display:"inline"},isCompactContent:{flex:"1",padding:"0 4px",whiteSpace:"nowrap",textOverflow:"ellipsis",overflowX:"hidden"},commentText:{color:e.palette.neutralPrimary},timeStamp:[e.fonts.tiny,{fontWeight:400,color:e.palette.neutralSecondary}],isCompactTimeStamp:{display:"inline-block",paddingLeft:"0.3em",fontSize:"1em"}};return(0,u.E$)(d,t)})),_=o(6543),C=o(7481),S=function(e){function t(t){var o=e.call(this,t)||this;return o._onRenderIcon=function(e){return e.activityPersonas?o._onRenderPersonaArray(e):o.props.activityIcon},o._onRenderActivityDescription=function(e){var t=o._getClassNames(e),n=e.activityDescription||e.activityDescriptionText;return n?c.createElement("span",{className:t.activityText},n):null},o._onRenderComments=function(e){var t=o._getClassNames(e),n=e.comments||e.commentText;return!e.isCompact&&n?c.createElement("div",{className:t.commentText},n):null},o._onRenderTimeStamp=function(e){var t=o._getClassNames(e);return!e.isCompact&&e.timeStamp?c.createElement("div",{className:t.timeStamp},e.timeStamp):null},o._onRenderPersonaArray=function(e){var t=o._getClassNames(e),n=null,r=e.activityPersonas;if(r[0].imageUrl||r[0].imageInitials){var i=[],a=r.length>1||e.isCompact,s=e.isCompact?3:4,u=void 0;e.isCompact&&(u={display:"inline-block",width:"10px",minWidth:"10px",overflow:"visible"}),r.filter((function(e,t){return tt;){var l=r(a);if(void 0===l)return{renderedData:a,resizeDirection:void 0,dataToMeasure:void 0};if(void 0===(s=o.getCachedMeasurement(l)))return{dataToMeasure:l,resizeDirection:"shrink"};a=l}return{renderedData:a,resizeDirection:void 0,dataToMeasure:void 0}}return{getNextState:function(e,i,a,s){if(void 0!==s||void 0!==i.dataToMeasure){if(s){if(t&&i.renderedData&&!i.dataToMeasure)return(0,l.pi)((0,l.pi)({},i),function(e,o,n,r){var i;return i=e>t?r?{resizeDirection:"grow",dataToMeasure:r(n)}:{resizeDirection:"shrink",dataToMeasure:o}:{resizeDirection:"shrink",dataToMeasure:n},t=e,(0,l.pi)((0,l.pi)({},i),{measureContainer:!1})}(s,e.data,i.renderedData,e.onGrowData));t=s}var c=(0,l.pi)((0,l.pi)({},i),{measureContainer:!1});return i.dataToMeasure&&(c="grow"===i.resizeDirection&&e.onGrowData?(0,l.pi)((0,l.pi)({},c),function(e,i,a,s){for(var c=e,u=n(e,a);u=i))return(t=(0,l.pr)(t)).splice(r,0,a),(0,l.pi)((0,l.pi)({},e),{renderedItems:t,renderedOverflowItems:o})},o._onRenderBreadcrumb=function(e){var t=e.props,n=t.ariaLabel,r=t.dividerAs,i=void 0===r?W.J:r,a=t.onRenderItem,s=void 0===a?o._onRenderItem:a,u=t.overflowAriaLabel,d=t.overflowIndex,p=t.onRenderOverflowIcon,m=t.overflowButtonAs,h=e.renderedOverflowItems,g=e.renderedItems,f=h.map((function(e){var t=!(!e.onClick&&!e.href);return{text:e.text,name:e.text,key:e.key,onClick:e.onClick?o._onBreadcrumbClicked.bind(o,e):null,href:e.href,disabled:!t,itemProps:t?void 0:ce}})),v=g.length-1,b=h&&0!==h.length,y=g.map((function(e,t){return c.createElement("li",{className:o._classNames.listItem,key:e.key||String(t)},s(e,o._onRenderItem),(t!==v||b&&t===d-1)&&c.createElement(i,{className:o._classNames.chevron,iconName:(0,T.zg)(o.props.theme)?"ChevronLeft":"ChevronRight",item:e}))}));if(b){var _=p?{}:{iconName:"More"},C=p||le,S=m||V.h;y.splice(d,0,c.createElement("li",{className:o._classNames.overflow,key:"overflow"},c.createElement(S,{className:o._classNames.overflowButton,iconProps:_,role:"button","aria-haspopup":"true",ariaLabel:u,onRenderMenuIcon:C,menuProps:{items:f,directionalHint:K.b.bottomLeftEdge}}),d!==v+1&&c.createElement(i,{className:o._classNames.chevron,iconName:(0,T.zg)(o.props.theme)?"ChevronLeft":"ChevronRight",item:h[h.length-1]})))}var x=(0,E.pq)(o.props,E.iY,["className"]);return c.createElement("div",(0,l.pi)({className:o._classNames.root,role:"navigation","aria-label":n},x),c.createElement(M.k,(0,l.pi)({componentRef:o._focusZone,direction:R.U.horizontal},o.props.focusZoneProps),c.createElement("ol",{className:o._classNames.list},y)))},o._onRenderItem=function(e){var t=e.as,n=e.href,r=e.onClick,i=e.isCurrentItem,a=e.text,s=(0,l._T)(e,["as","href","onClick","isCurrentItem","text"]);if(r||n)return c.createElement(O,(0,l.pi)({},s,{as:t,className:o._classNames.itemLink,href:n,"aria-current":i?"page":void 0,onClick:o._onBreadcrumbClicked.bind(o,e)}),c.createElement(ie.G,(0,l.pi)({content:a,overflowMode:ae.y.Parent},o.props.tooltipHostProps),a));var u=t||"span";return c.createElement(u,(0,l.pi)({},s,{className:o._classNames.item}),c.createElement(ie.G,(0,l.pi)({content:a,overflowMode:ae.y.Parent},o.props.tooltipHostProps),a))},o._onBreadcrumbClicked=function(e,t){e.onClick&&e.onClick(t,e)},(0,P.l)(o),o._validateProps(t),o}return(0,l.ZT)(t,e),t.prototype.focus=function(){this._focusZone.current&&this._focusZone.current.focus()},t.prototype.render=function(){this._validateProps(this.props);var e=this.props,t=e.onReduceData,o=void 0===t?this._onReduceData:t,n=e.onGrowData,r=void 0===n?this._onGrowData:n,i=e.overflowIndex,a=e.maxDisplayedItems,s=e.items,u=e.className,d=e.theme,p=e.styles,m=(0,l.pr)(s),h=m.splice(i,m.length-a),g={props:this.props,renderedItems:m,renderedOverflowItems:h};return this._classNames=se(p,{className:u,theme:d}),c.createElement(re,{onRenderData:this._onRenderBreadcrumb,onReduceData:o,onGrowData:r,data:g})},t.prototype._validateProps=function(e){var t=e.maxDisplayedItems,o=e.overflowIndex,n=e.items;if(o<0||t>1&&o>t-1||n.length>0&&o>n.length-1)throw new Error("Breadcrumb: overflowIndex out of range")},t.defaultProps={items:[],maxDisplayedItems:999,overflowIndex:0},t}(c.Component),de=o(6145),pe={root:"ms-Breadcrumb",list:"ms-Breadcrumb-list",listItem:"ms-Breadcrumb-listItem",chevron:"ms-Breadcrumb-chevron",overflow:"ms-Breadcrumb-overflow",overflowButton:"ms-Breadcrumb-overflowButton",itemLink:"ms-Breadcrumb-itemLink",item:"ms-Breadcrumb-item"},me={whiteSpace:"nowrap",textOverflow:"ellipsis",overflow:"hidden"},he=(0,u.sK)(0,u.mV),ge=(0,u.sK)(u.dd,u.yp),fe=(0,I.z)(ue,(function(e){var t,o,n,r,i=e.className,a=e.theme,s=a.palette,c=a.semanticColors,d=a.fonts,p=(0,u.Cn)(pe,a),m=c.menuItemBackgroundHovered,h=c.menuItemBackgroundPressed,g=s.neutralSecondary,f=u.lq.regular,v=s.neutralPrimary,b=s.neutralPrimary,y=u.lq.semibold,_=s.neutralSecondary,C=s.neutralSecondary,S={fontWeight:y,color:b},x={":hover":{color:v,backgroundColor:m,cursor:"pointer",selectors:(t={},t[u.qJ]={color:"Highlight"},t)},":active":{backgroundColor:h,color:v},"&:active:hover":{color:v,backgroundColor:h},"&:active, &:hover, &:active:hover":{textDecoration:"none"}},k={color:g,padding:"0 8px",lineHeight:36,fontSize:18,fontWeight:f};return{root:[p.root,d.medium,{margin:"11px 0 1px"},i],list:[p.list,{whiteSpace:"nowrap",padding:0,margin:0,display:"flex",alignItems:"stretch"}],listItem:[p.listItem,{listStyleType:"none",margin:"0",padding:"0",display:"flex",position:"relative",alignItems:"center",selectors:{"&:last-child .ms-Breadcrumb-itemLink":S,"&:last-child .ms-Breadcrumb-item":S}}],chevron:[p.chevron,{color:_,fontSize:d.small.fontSize,selectors:(o={},o[u.qJ]=(0,l.pi)({color:"WindowText"},(0,u.xM)()),o[ge]={fontSize:8},o[he]={fontSize:8},o)}],overflow:[p.overflow,{position:"relative",display:"flex",alignItems:"center"}],overflowButton:[p.overflowButton,(0,u.GL)(a),me,{fontSize:16,color:C,height:"100%",cursor:"pointer",selectors:(0,l.pi)((0,l.pi)({},x),(n={},n[he]={padding:"4px 6px"},n[ge]={fontSize:d.mediumPlus.fontSize},n))}],itemLink:[p.itemLink,(0,u.GL)(a),me,(0,l.pi)((0,l.pi)({},k),{selectors:(0,l.pi)((r={":focus":{color:s.neutralDark}},r["."+de.G$+" &:focus"]={outline:"none"},r),x)})],item:[p.item,(0,l.pi)((0,l.pi)({},k),{selectors:{":hover":{cursor:"default"}}})]}}),void 0,{scope:"Breadcrumb"}),ve=o(4968);!function(e){e[e.button=0]="button",e[e.anchor=1]="anchor"}(oe||(oe={})),function(e){e[e.normal=0]="normal",e[e.primary=1]="primary",e[e.hero=2]="hero",e[e.compound=3]="compound",e[e.command=4]="command",e[e.icon=5]="icon",e[e.default=6]="default"}(ne||(ne={}));var be=o(687),ye=o(9632),_e=o(2898),Ce=o(8959),Se=o(8924),xe=function(e){function t(t){var o=e.call(this,t)||this;return(0,be.Z)("The Button component has been deprecated. Use specific variants instead. (PrimaryButton, DefaultButton, IconButton, ActionButton, etc.)"),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props;switch(e.buttonType){case ne.command:return c.createElement(_e.K,(0,l.pi)({},e));case ne.compound:return c.createElement(Ce.W,(0,l.pi)({},e));case ne.icon:return c.createElement(V.h,(0,l.pi)({},e));case ne.primary:return c.createElement(Se.K,(0,l.pi)({},e));default:return c.createElement(ye.a,(0,l.pi)({},e))}},t}(c.Component),ke=o(1420),we=o(990),Ie=o(9013),De=o(6053),Te=(0,d.NF)((function(e,t){return(0,u.E$)({root:[(0,u.GL)(e,{inset:1,highContrastStyle:{outlineOffset:"-4px",outline:"1px solid Window"},borderColor:"transparent"}),{height:24}]},t)})),Ee=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.theme;return c.createElement(ye.a,(0,l.pi)({},this.props,{styles:Te(o,t),onRenderDescription:Ie.S}))},(0,l.gn)([(0,De.a)("MessageBarButton",["theme","styles"],!0)],t)}(c.Component),Pe=o(5032),Me=o(2836),Re=o(634),Ne=o(4977),Be=o(716),Fe=o(6883),Le=o(1093),Ae=o(5953),ze=o(4941),He=o(5666),Oe=o(6007),We=function(e){return c.createElement(Ae.U,(0,l.pi)({},e),c.createElement(Oe.P,(0,l.pi)({disabled:e.hidden},e.focusTrapProps),e.children))},Ve=o(4734),Ke=(0,D.y)(),qe=c.forwardRef((function(e,t){var o=e.checked,n=void 0!==o&&o,r=e.className,i=e.theme,a=e.styles,s=e.useFastIcons,l=void 0===s||s,u=Ke(a,{theme:i,className:r,checked:n}),d=l?Ve.xu:W.J;return c.createElement("div",{className:u.root,ref:t},c.createElement(d,{iconName:"CircleRing",className:u.circle}),c.createElement(d,{iconName:"StatusCircleCheckmark",className:u.check}))}));qe.displayName="CheckBase";var Ge,Ue={root:"ms-Check",circle:"ms-Check-circle",check:"ms-Check-check",checkHost:"ms-Check-checkHost"},je=(0,I.z)(qe,(function(e){var t,o,n,r,i,a=e.height,s=void 0===a?e.checkBoxHeight||"18px":a,c=e.checked,d=e.className,p=e.theme,m=p.palette,h=p.semanticColors,g=p.fonts,f=(0,T.zg)(p),v=(0,u.Cn)(Ue,p),b={fontSize:s,position:"absolute",left:0,top:0,width:s,height:s,textAlign:"center",verticalAlign:"middle"};return{root:[v.root,g.medium,{lineHeight:"1",width:s,height:s,verticalAlign:"top",position:"relative",userSelect:"none",selectors:(t={":before":{content:'""',position:"absolute",top:"1px",right:"1px",bottom:"1px",left:"1px",borderRadius:"50%",opacity:1,background:h.bodyBackground}},t["."+v.checkHost+":hover &, ."+v.checkHost+":focus &, &:hover, &:focus"]={opacity:1},t)},c&&["is-checked",{selectors:{":before":{background:m.themePrimary,opacity:1,selectors:(o={},o[u.qJ]={background:"Window"},o)}}}],d],circle:[v.circle,b,{color:m.neutralSecondary,selectors:(n={},n[u.qJ]={color:"WindowText"},n)},c&&{color:m.white}],check:[v.check,b,{opacity:0,color:m.neutralSecondary,fontSize:u.ld.medium,left:f?"-0.5px":".5px",selectors:(r={":hover":{opacity:1}},r[u.qJ]=(0,l.pi)({},(0,u.xM)()),r)},c&&{opacity:1,color:m.white,fontWeight:900,selectors:(i={},i[u.qJ]={border:"none",color:"WindowText"},i)}],checkHost:v.checkHost}}),void 0,{scope:"Check"},!0),Je=o(2777),Ye=o(5790),Ze=o(9240),Xe=o(5554),Qe=o(1351),$e=(0,d.NF)((function(){return(0,u.F4)({"0%":{transform:"translate(0, 0)",animationTimingFunction:"linear"},"78.57%":{transform:"translate(0, 0)",animationTimingFunction:"cubic-bezier(0.62, 0, 0.56, 1)"},"82.14%":{transform:"translate(0, -5px)",animationTimingFunction:"cubic-bezier(0.58, 0, 0, 1)"},"84.88%":{transform:"translate(0, 9px)",animationTimingFunction:"cubic-bezier(1, 0, 0.56, 1)"},"88.1%":{transform:"translate(0, -2px)",animationTimingFunction:"cubic-bezier(0.58, 0, 0.67, 1)"},"90.12%":{transform:"translate(0, 0)",animationTimingFunction:"linear"},"100%":{transform:"translate(0, 0)"}})})),et=(0,d.NF)((function(){return(0,u.F4)({"0%":{transform:" scale(0)",animationTimingFunction:"linear"},"14.29%":{transform:"scale(0)",animationTimingFunction:"cubic-bezier(0.84, 0, 0.52, 0.99)"},"16.67%":{transform:"scale(1.15)",animationTimingFunction:"cubic-bezier(0.48, -0.01, 0.52, 1.01)"},"19.05%":{transform:"scale(0.95)",animationTimingFunction:"cubic-bezier(0.48, 0.02, 0.52, 0.98)"},"21.43%":{transform:"scale(1)",animationTimingFunction:"linear"},"42.86%":{transform:"scale(1)",animationTimingFunction:"cubic-bezier(0.48, -0.02, 0.52, 1.02)"},"45.71%":{transform:"scale(0.8)",animationTimingFunction:"cubic-bezier(0.48, 0.01, 0.52, 0.99)"},"50%":{transform:"scale(1)",animationTimingFunction:"linear"},"90.12%":{transform:"scale(1)",animationTimingFunction:"cubic-bezier(0.48, -0.02, 0.52, 1.02)"},"92.98%":{transform:"scale(0.8)",animationTimingFunction:"cubic-bezier(0.48, 0.01, 0.52, 0.99)"},"97.26%":{transform:"scale(1)",animationTimingFunction:"linear"},"100%":{transform:"scale(1)"}})})),tt=(0,d.NF)((function(){return(0,u.F4)({"0%":{transform:"rotate(0deg)",animationTimingFunction:"linear"},"83.33%":{transform:" rotate(0deg)",animationTimingFunction:"cubic-bezier(0.33, 0, 0.67, 1)"},"83.93%":{transform:"rotate(15deg)",animationTimingFunction:"cubic-bezier(0.33, 0, 0.67, 1)"},"84.52%":{transform:"rotate(-15deg)",animationTimingFunction:"cubic-bezier(0.33, 0, 0.67, 1)"},"85.12%":{transform:"rotate(15deg)",animationTimingFunction:"cubic-bezier(0.33, 0, 0.67, 1)"},"85.71%":{transform:"rotate(-15deg)",animationTimingFunction:"cubic-bezier(0.33, 0, 0.67, 1)"},"86.31%":{transform:"rotate(0deg)",animationTimingFunction:"linear"},"100%":{transform:"rotate(0deg)"}})})),ot=o(4553),nt=o(5446),rt=o(8145),it=o(3345),at=o(9919),st=o(63),lt=o(4568),ct=o(6591),ut=(0,d.NF)((function(){var e;return(0,u.ZC)({root:[{position:"absolute",boxSizing:"border-box",border:"1px solid ${}",selectors:(e={},e[u.qJ]={border:"1px solid WindowText"},e)},(0,u.e2)()],container:{position:"relative"},main:{backgroundColor:"#ffffff",overflowX:"hidden",overflowY:"hidden",position:"relative"},overFlowYHidden:{overflowY:"hidden"}})})),dt=o(7513),pt=o(8088),mt=o(2674),ht={opacity:0},gt=((Ge={})[lt.z.top]="slideUpIn20",Ge[lt.z.bottom]="slideDownIn20",Ge[lt.z.left]="slideLeftIn20",Ge[lt.z.right]="slideRightIn20",Ge),ft={preventDismissOnScroll:!1,offsetFromTarget:0,minPagePadding:8,directionalHint:K.b.bottomAutoEdge};function vt(e,t){var o=e.finalHeight,n=c.useState(0),r=n[0],i=n[1],a=(0,G.r)(),s=c.useRef(0),l=function(){t&&o&&(s.current=a.requestAnimationFrame((function(){if(t.current){var e=t.current.lastChild,n=e.scrollHeight,c=e.offsetHeight;i(r+(n-c)),e.offsetHeightk?k:_,I=c.createElement("div",{ref:i,className:(0,pt.i)("ms-PositioningContainer",S.container)},c.createElement("div",{className:(0,u.y0)("ms-PositioningContainer-layerHost",S.root,b,x,!!y&&{width:y}),style:h?h.elementPosition:ht,tabIndex:-1,ref:n},C,w));return o.doNotLayer?I:c.createElement(dt.m,null,I)}));function yt(e){return{root:[{position:"absolute",boxShadow:"inherit",border:"none",boxSizing:"border-box",transform:e.transform,width:e.width,height:e.height,left:e.left,top:e.top,right:e.right,bottom:e.bottom}],beak:{fill:e.color,display:"block"}}}bt.displayName="PositioningContainer";var _t=c.forwardRef((function(e,t){var o,n,r,i,a,s,l=e.left,u=e.top,d=e.bottom,p=e.right,m=e.color,h=e.direction,g=void 0===h?lt.z.top:h;switch(g===lt.z.top||g===lt.z.bottom?(o=10,n=18):(o=18,n=10),g){case lt.z.top:default:r="9, 0",i="18, 10",a="0, 10",s="translateY(-100%)";break;case lt.z.right:r="0, 0",i="10, 10",a="0, 18",s="translateX(100%)";break;case lt.z.bottom:r="0, 0",i="18, 0",a="9, 10",s="translateY(100%)";break;case lt.z.left:r="10, 0",i="0, 10",a="10, 18",s="translateX(-100%)"}var f=(0,D.y)()(yt,{left:l,top:u,bottom:d,right:p,height:o+"px",width:n+"px",transform:s,color:m});return c.createElement("div",{className:f.root,role:"presentation",ref:t},c.createElement("svg",{height:o,width:n,className:f.beak},c.createElement("polygon",{points:r+" "+i+" "+a})))}));_t.displayName="Beak";var Ct=o(5646),St=(0,D.y)(),xt="data-coachmarkid",kt={isCollapsed:!0,mouseProximityOffset:10,delayBeforeMouseOpen:3600,delayBeforeCoachmarkAnimation:0,isPositionForced:!0,positioningContainerProps:{directionalHint:K.b.bottomAutoEdge}},wt=c.forwardRef((function(e,t){var o=(0,st.j)(kt,e),n=c.useRef(null),r=c.useRef(null),i=function(){var e=(0,G.r)(),t=c.useState(),o=t[0],n=t[1],r=c.useState(),i=r[0],a=r[1];return[o,i,function(t){var o=t.alignmentEdge,r=t.targetEdge;return e.requestAnimationFrame((function(){n(o),a(r)}))}]}(),a=i[0],s=i[1],u=i[2],d=function(e,t){var o=e.isCollapsed,n=e.onAnimationOpenStart,r=e.onAnimationOpenEnd,i=c.useState(!!o),a=i[0],s=i[1],l=(0,Ct.L)().setTimeout,u=c.useRef(!a),d=c.useCallback((function(){var e,o,i,a;u.current||(s(!1),null===(e=n)||void 0===e||e(),null===(a=null===(o=t.current)||void 0===o?void 0:(i=o).addEventListener)||void 0===a||a.call(i,"transitionend",(function(){var e;l((function(){t.current&&(0,ot.uo)(t.current)}),1e3),null===(e=r)||void 0===e||e()})),u.current=!0)}),[t,r,n,l]);return c.useEffect((function(){o||d()}),[o]),[a,d]}(o,n),p=d[0],m=d[1],h=function(e,t,o){var n=(0,T.zg)(e.theme);return c.useMemo((function(){var e,r,i=void 0===o?lt.z.bottom:(0,ct.bv)(o),a={direction:i},s="3px";switch(i){case lt.z.top:case lt.z.bottom:t?t===lt.z.left?(a.left="7px",e="left"):(a.right="7px",e="right"):(a.left="calc(50% - 9px)",e="center"),i===lt.z.top?(a.top=s,r="top"):(a.bottom=s,r="bottom");break;case lt.z.left:case lt.z.right:t?t===lt.z.top?(a.top="7px",r="top"):(a.bottom="7px",r="bottom"):(a.top="calc(50% - 9px)",r="center"),i===lt.z.left?(n?a.right=s:a.left=s,e="left"):(n?a.left=s:a.right=s,e="right")}return[a,e+" "+r]}),[t,o,n])}(o,a,s),g=h[0],f=h[1],v=function(e,t){var o=c.useState(!!e.isCollapsed),n=o[0],r=o[1],i=c.useState(e.isCollapsed?{width:0,height:0}:{}),a=i[0],s=i[1],l=(0,G.r)();return c.useEffect((function(){l.requestAnimationFrame((function(){t.current&&(s({width:t.current.offsetWidth,height:t.current.offsetHeight}),r(!1))}))}),[]),[n,a]}(o,n),b=v[0],y=v[1],_=function(e){var t=e.ariaAlertText,o=(0,G.r)(),n=c.useState(),r=n[0],i=n[1];return c.useEffect((function(){o.requestAnimationFrame((function(){i(t)}))}),[]),r}(o),C=function(e){var t=e.preventFocusOnMount,o=(0,Ct.L)().setTimeout,n=c.useRef(null);return c.useEffect((function(){t||o((function(){var e;return null===(e=n.current)||void 0===e?void 0:e.focus()}),1e3)}),[]),n}(o);!function(e,t,o){var n,r=null===(n=(0,nt.M)())||void 0===n?void 0:n.documentElement;(0,U.d)(r,"keydown",(function(e){var n,r,i;(e.altKey&&e.which===rt.m.c||e.which===rt.m.enter&&(null===(i=null===(n=t.current)||void 0===n?void 0:(r=n).contains)||void 0===i?void 0:i.call(r,e.target)))&&o()}),!0);var i=function(o){var n,r;if(e.preventDismissOnLostFocus){var i=o.target,a=t.current&&!(0,it.t)(t.current,i),s=e.target;a&&i!==s&&!(0,it.t)(s,i)&&(null===(r=(n=e).onDismiss)||void 0===r||r.call(n,o))}};(0,U.d)(r,"click",i,!0),(0,U.d)(r,"focus",i,!0)}(o,r,m),function(e){var t=e.onDismiss;c.useImperativeHandle(e.componentRef,(function(e){return{dismiss:function(){var o;null===(o=t)||void 0===o||o(e)}}}),[t])}(o),function(e,t,o){var n=(0,Ct.L)(),r=n.setTimeout,i=n.clearTimeout,a=c.useRef();c.useEffect((function(){var n=function(){t.current&&(a.current=t.current.getBoundingClientRect())},s=new at.r({});return r((function(){var t=e.mouseProximityOffset,l=void 0===t?0:t,c=[];r((function(){n(),s.on(window,"resize",(function(){c.forEach((function(e){i(e)})),c.splice(0,c.length),c.push(r((function(){n()}),100))}))}),10),s.on(document,"mousemove",(function(t){var r,i,s=t.clientY,c=t.clientX;n(),function(e,t,o,n){return void 0===n&&(n=0),t>e.left-n&&te.top-n&&o=Yt.Unshaded&&e<=Yt.Shade8}function so(e,t){return{h:e.h,s:e.s,v:(0,Mt.u)(e.v-e.v*t,100,0)}}function lo(e,t){return{h:e.h,s:(0,Mt.u)(e.s-e.s*t,100,0),v:(0,Mt.u)(e.v+(100-e.v)*t,100,0)}}function co(e){return At(e.h,e.s,e.v).l<50}function uo(e,t,o){if(void 0===o&&(o=!1),!e)return null;if(t===Yt.Unshaded||!ao(t))return e;var n=At(e.h,e.s,e.v),r={h:e.h,s:e.s,v:e.v},i=t-1,a=lo,s=so;return o&&(a=so,s=lo),r=function(e){return e.r===Tt.uc&&e.g===Tt.uc&&e.b===Tt.uc}(e)?so(r,eo[i]):function(e){return 0===e.r&&0===e.g&&0===e.b}(e)?lo(r,to[i]):n.l/100>.8?s(r,no[i]):n.l/100<.2?a(r,oo[i]):i1?n/r:r/n}!function(e){e[e.Unshaded=0]="Unshaded",e[e.Shade1=1]="Shade1",e[e.Shade2=2]="Shade2",e[e.Shade3=3]="Shade3",e[e.Shade4=4]="Shade4",e[e.Shade5=5]="Shade5",e[e.Shade6=6]="Shade6",e[e.Shade7=7]="Shade7",e[e.Shade8=8]="Shade8"}(Yt||(Yt={}));var ho=o(1332),go=o(6847),fo=o(1958),vo=o(610),bo=o(2167),yo=o(4948),_o=o(6840),Co=o(2470),So=o(9757),xo={auto:0,top:1,bottom:2,center:3},ko=o(8826),wo={top:-1,bottom:-1,left:-1,right:-1,width:0,height:0},Io=function(e){return e.getBoundingClientRect()},Do=Io,To=Io,Eo=function(e){function t(t){var o=e.call(this,t)||this;return o._root=c.createRef(),o._surface=c.createRef(),o._pageRefs={},o._getDerivedStateFromProps=function(e,t){return e.items!==o.props.items||e.renderCount!==o.props.renderCount||e.startIndex!==o.props.startIndex||e.version!==o.props.version?(o._resetRequiredWindows(),o._requiredRect=null,o._measureVersion++,o._invalidatePageCache(),o._updatePages(e,t)):t},o._onRenderRoot=function(e){var t=e.rootRef,o=e.surfaceElement,n=e.divProps;return c.createElement("div",(0,l.pi)({ref:t},n),o)},o._onRenderSurface=function(e){var t=e.surfaceRef,o=e.pageElements,n=e.divProps;return c.createElement("div",(0,l.pi)({ref:t},n),o)},o._onRenderPage=function(e,t){for(var n=o.props,r=n.onRenderCell,i=n.role,a=e.page,s=a.items,u=void 0===s?[]:s,d=a.startIndex,p=(0,l._T)(e,["page"]),m=void 0===i?"listitem":"presentation",h=[],g=0;ge){if(t&&this._scrollElement){for(var d=To(this._scrollElement),p={top:this._scrollElement.scrollTop,bottom:this._scrollElement.scrollTop+d.height},m=e-l,h=0;h=p.top&&g<=p.bottom)return;ap.bottom&&(a=g-d.height)}return void(this._scrollElement.scrollTop=a)}a+=u}},t.prototype.getStartItemIndexInView=function(e){for(var t=0,o=this.state.pages||[];t=n.top&&(this._scrollTop||0)<=n.top+n.height){if(!e){var r=Math.floor(n.height/n.itemCount);return n.startIndex+Math.floor((this._scrollTop-n.top)/r)}for(var i=0,a=n.startIndex;a0?n:void 0})})},t.prototype._shouldVirtualize=function(e){void 0===e&&(e=this.props);var t=e.onShouldVirtualize;return!t||t(e)},t.prototype._invalidatePageCache=function(){this._pageCache={}},t.prototype._renderPage=function(e){var t,o=this,n=this.props.usePageCache;if(n&&(t=this._pageCache[e.key])&&t.pageElement)return t.pageElement;var r=this._getPageStyle(e),i=this.props.onRenderPage,a=(void 0===i?this._onRenderPage:i)({page:e,className:"ms-List-page",key:e.key,ref:function(t){o._pageRefs[e.key]=t},style:r,role:"presentation"},this._onRenderPage);return n&&0===e.startIndex&&(this._pageCache[e.key]={page:e,pageElement:a}),a},t.prototype._getPageStyle=function(e){var t=this.props.getPageStyle;return(0,l.pi)((0,l.pi)({},t?t(e):{}),e.items?{}:{height:e.height})},t.prototype._onFocus=function(e){for(var t=e.target;t!==this._surface.current;){var o=t.getAttribute("data-list-index");if(o){this._focusedIndex=Number(o);break}t=(0,_o.G)(t)}},t.prototype._onScroll=function(){this.state.isScrolling||this.props.ignoreScrollingState||this.setState({isScrolling:!0}),this._resetRequiredWindows(),this._onScrollingDone()},t.prototype._resetRequiredWindows=function(){this._requiredWindowsAhead=0,this._requiredWindowsBehind=0},t.prototype._onAsyncScroll=function(){var e,t;this._updateRenderRects(this.props,this.state),this._materializedRect&&(e=this._requiredRect,t=this._materializedRect,e.top>=t.top&&e.left>=t.left&&e.bottom<=t.bottom&&e.right<=t.right)||this.setState(this._updatePages(this.props,this.state))},t.prototype._onAsyncIdle=function(){var e=this.props,t=e.renderedWindowsAhead,o=e.renderedWindowsBehind,n=this._requiredWindowsAhead,r=this._requiredWindowsBehind,i=Math.min(t,n+1),a=Math.min(o,r+1);i===n&&a===r||(this._requiredWindowsAhead=i,this._requiredWindowsBehind=a,this._updateRenderRects(this.props,this.state),this.setState(this._updatePages(this.props,this.state))),(t>i||o>a)&&this._onAsyncIdle()},t.prototype._onScrollingDone=function(){this.props.ignoreScrollingState||this.setState({isScrolling:!1})},t.prototype._onAsyncResize=function(){this.forceUpdate()},t.prototype._updatePages=function(e,t){this._requiredRect||this._updateRenderRects(e,t);var o=this._buildPages(e,t),n=t.pages;return this._notifyPageChanges(n,o.pages,this.props),(0,l.pi)((0,l.pi)({},t),o)},t.prototype._notifyPageChanges=function(e,t,o){var n=o.onPageAdded,r=o.onPageRemoved;if(n||r){for(var i={},a=0,s=e;a-1,x=!f||C>=f.top&&u<=f.bottom,k=!b._requiredRect||C>=b._requiredRect.top&&u<=b._requiredRect.bottom;if(!g&&(k||x&&S)||!h||p>=e&&p=b._visibleRect.top&&u<=b._visibleRect.bottom),s.push(I),k&&b._allowedRect&&(y=a,_={top:u,bottom:C,height:i,left:f.left,right:f.right,width:f.width},y.top=_.topy.bottom||-1===y.bottom?_.bottom:y.bottom,y.right=_.right>y.right||-1===y.right?_.right:y.right,y.width=y.right-y.left+1,y.height=y.bottom-y.top+1)}else d||(d=b._createPage("spacer-"+e,void 0,e,0,void 0,l,!0)),d.height=(d.height||0)+(C-u)+1,d.itemCount+=c;if(u+=C-u+1,g&&h)return"break"},b=this,y=r;ythis._estimatedPageHeight/3)&&(a=this._surfaceRect=Do(this._surface.current),this._scrollTop=c),!o&&s&&s===this._scrollHeight||this._measureVersion++,this._scrollHeight=s;var u=Math.max(0,-a.top),d=(0,So.J)(this._root.current),p={top:u,left:a.left,bottom:u+d.innerHeight,right:a.right,width:a.width,height:d.innerHeight};this._requiredRect=Po(p,this._requiredWindowsBehind,this._requiredWindowsAhead),this._allowedRect=Po(p,r,n),this._visibleRect=p}},t.defaultProps={startIndex:0,onRenderCell:function(e,t,o){return c.createElement(c.Fragment,null,e&&e.name||"")},renderedWindowsAhead:2,renderedWindowsBehind:2},t}(c.Component);function Po(e,t,o){var n=e.top-t*e.height,r=e.height+(t+o)*e.height;return{top:n,bottom:n+r,height:r,left:e.left,right:e.right,width:e.width}}var Mo=function(e){function t(t){var o=e.call(this,t)||this;return o._comboBox=c.createRef(),o._list=c.createRef(),o._onRenderList=function(e){var t=e.onRenderItem;return c.createElement(Eo,{componentRef:o._list,role:"listbox",items:e.options,onRenderCell:t?function(e){return t(e)}:function(){return null}})},o._onScrollToItem=function(e){o._list.current&&o._list.current.scrollToIndex(e)},(0,P.l)(o),o}return(0,l.ZT)(t,e),Object.defineProperty(t.prototype,"selectedOptions",{get:function(){return this._comboBox.current?this._comboBox.current.selectedOptions:[]},enumerable:!0,configurable:!0}),t.prototype.dismissMenu=function(){if(this._comboBox.current)return this._comboBox.current.dismissMenu()},t.prototype.focus=function(e,t){return!!this._comboBox.current&&(this._comboBox.current.focus(e,t),!0)},t.prototype.render=function(){return c.createElement(vo.C,(0,l.pi)({},this.props,{componentRef:this._comboBox,onRenderList:this._onRenderList,onScrollToItem:this._onScrollToItem}))},t}(c.Component),Ro=(0,d.Ct)((function(e){var t=e;return(0,d.Ct)((function(o){if(e===o)throw new Error("Attempted to compose a component with itself.");var n=o,r=(0,d.Ct)((function(e){return function(t){return c.createElement(n,(0,l.pi)({},t,{defaultRender:e}))}}));return function(e){var o=e.defaultRender;return c.createElement(t,(0,l.pi)({},e,{defaultRender:o?r(o):n}))}}))}));function No(e,t){return Ro(e)(t)}var Bo=o(344),Fo=function(e){var t=Bo.K.getInstance(),o=e.className,n=e.overflowItems,r=e.keytipSequences,i=e.itemSubMenuProvider,a=e.onRenderOverflowButton,s=(0,q.B)({}),u=c.useCallback((function(e){return i?i(e):e.subMenuProps?e.subMenuProps.items:void 0}),[i]),d=c.useMemo((function(){var e,o=[];return r?null===(e=n)||void 0===e||e.forEach((function(e){var n,i,a,c,d=e.keytipProps;if(d){var p={content:d.content,keySequences:d.keySequences,disabled:d.disabled||!(!e.disabled&&!e.isDisabled),hasDynamicChildren:d.hasDynamicChildren,hasMenu:d.hasMenu};d.hasDynamicChildren||u(e)?p.onExecute=t.menuExecute.bind(t,r,null===(i=null===(n=e)||void 0===n?void 0:n.keytipProps)||void 0===i?void 0:i.keySequences):p.onExecute=d.onExecute,s[p.content]=p;var m=(0,l.pi)((0,l.pi)({},e),{keytipProps:(0,l.pi)((0,l.pi)({},d),{overflowSetSequence:r})});null===(a=o)||void 0===a||a.push(m)}else null===(c=o)||void 0===c||c.push(e)})):o=n,o}),[n,u,t,r,s]);return function(e,t){c.useEffect((function(){return Object.keys(e).forEach((function(o){var n=e[o],r=t.register(n,!0);e[r]=n,delete e[o]})),function(){Object.keys(e).forEach((function(o){t.unregister(e[o],o,!0),delete e[o]}))}}),[e,t])}(s,t),c.createElement("div",{className:o},a(d))},Lo=(0,D.y)(),Ao=c.forwardRef((function(e,t){var o=c.useRef(null),n=(0,N.r)(o,t);!function(e,t){c.useImperativeHandle(e.componentRef,(function(){return{focus:function(){var e=!1;return t.current&&(e=(0,ot.uo)(t.current)),e},focusElement:function(e){var o=!1;return!!e&&(t.current&&(0,it.t)(t.current,e)&&(e.focus(),o=document.activeElement===e),o)}}}),[t])}(e,o);var r=e.items,i=e.overflowItems,a=e.className,s=e.styles,u=e.vertical,d=e.role,p=e.overflowSide,m=void 0===p?"end":p,h=e.onRenderItem,g=Lo(s,{className:a,vertical:u}),f=!!i&&i.length>0;return c.createElement("div",(0,l.pi)({},(0,E.pq)(e,E.n7),{role:d||"group","aria-orientation":"menubar"===d?!0===u?"vertical":"horizontal":void 0,className:g.root,ref:n}),"start"===m&&f&&c.createElement(Fo,(0,l.pi)({},e,{className:g.overflowButton})),r&&r.map((function(e,t){return c.createElement("div",{className:g.item,key:e.key},h(e))})),"end"===m&&f&&c.createElement(Fo,(0,l.pi)({},e,{className:g.overflowButton})))}));Ao.displayName="OverflowSet";var zo,Ho={flexShrink:0,display:"inherit"},Oo=(0,I.z)(Ao,(function(e){var t=e.className;return{root:["ms-OverflowSet",{position:"relative",display:"flex",flexWrap:"nowrap"},e.vertical&&{flexDirection:"column"},t],item:["ms-OverflowSet-item",Ho],overflowButton:["ms-OverflowSet-overflowButton",Ho]}}),void 0,{scope:"OverflowSet"}),Wo=(0,d.NF)((function(e){var t={height:"100%"},o={whiteSpace:"nowrap"},n=e||{},r=n.root,i=n.label,a=(0,l._T)(n,["root","label"]);return(0,l.pi)((0,l.pi)({},a),{root:r?[t,r]:t,label:i?[o,i]:o})})),Vo=(0,D.y)(),Ko=function(e){function t(t){var o=e.call(this,t)||this;return o._overflowSet=c.createRef(),o._resizeGroup=c.createRef(),o._onRenderData=function(e){return c.createElement(M.k,{className:(0,pt.i)(o._classNames.root),direction:R.U.horizontal,role:"menubar","aria-label":o.props.ariaLabel},c.createElement(Oo,{role:"none",componentRef:o._overflowSet,className:(0,pt.i)(o._classNames.primarySet),items:e.primaryItems,overflowItems:e.overflowItems.length?e.overflowItems:void 0,onRenderItem:o._onRenderItem,onRenderOverflowButton:o._onRenderOverflowButton}),e.farItems&&e.farItems.length>0&&c.createElement(Oo,{role:"none",className:(0,pt.i)(o._classNames.secondarySet),items:e.farItems,onRenderItem:o._onRenderItem,onRenderOverflowButton:Ie.S}))},o._onRenderItem=function(e){if(e.onRender)return e.onRender(e,(function(){}));var t=e.text||e.name,n=(0,l.pi)((0,l.pi)({allowDisabledFocus:!0,role:"menuitem"},e),{styles:Wo(e.buttonStyles),className:(0,pt.i)("ms-CommandBarItem-link",e.className),text:e.iconOnly?void 0:t,menuProps:e.subMenuProps,onClick:o._onButtonClick(e)});return e.iconOnly&&(void 0!==t||e.tooltipHostProps)?c.createElement(ie.G,(0,l.pi)({content:t},e.tooltipHostProps),o._commandButton(e,n)):o._commandButton(e,n)},o._commandButton=function(e,t){var n=o.props.buttonAs,r=e.commandBarButtonAs,i=ke.Q;return r&&(i=No(r,i)),n&&(i=No(n,i)),c.createElement(i,(0,l.pi)({},t))},o._onRenderOverflowButton=function(e){var t=o.props.overflowButtonProps,n=void 0===t?{}:t,r=(0,l.pr)(n.menuProps?n.menuProps.items:[],e),i=(0,l.pi)((0,l.pi)({role:"menuitem"},n),{styles:(0,l.pi)({menuIcon:{fontSize:"17px"}},n.styles),className:(0,pt.i)("ms-CommandBar-overflowButton",n.className),menuProps:(0,l.pi)((0,l.pi)({},n.menuProps),{items:r}),menuIconProps:(0,l.pi)({iconName:"More"},n.menuIconProps)}),a=o.props.overflowButtonAs?No(o.props.overflowButtonAs,ke.Q):ke.Q;return c.createElement(a,(0,l.pi)({},i))},o._onReduceData=function(e){var t=o.props,n=t.shiftOnReduce,r=t.onDataReduced,i=e.primaryItems,a=e.overflowItems,s=e.cacheKey,c=i[n?0:i.length-1];if(void 0!==c){c.renderedInOverflow=!0,a=(0,l.pr)([c],a),i=n?i.slice(1):i.slice(0,-1);var u=(0,l.pi)((0,l.pi)({},e),{primaryItems:i,overflowItems:a});return s=o._computeCacheKey({primaryItems:i,overflow:a.length>0}),r&&r(c),u.cacheKey=s,u}},o._onGrowData=function(e){var t=o.props,n=t.shiftOnReduce,r=t.onDataGrown,i=e.minimumOverflowItems,a=e.primaryItems,s=e.overflowItems,c=e.cacheKey,u=s[0];if(void 0!==u&&s.length>i){u.renderedInOverflow=!1,s=s.slice(1),a=n?(0,l.pr)([u],a):(0,l.pr)(a,[u]);var d=(0,l.pi)((0,l.pi)({},e),{primaryItems:a,overflowItems:s});return c=o._computeCacheKey({primaryItems:a,overflow:s.length>0}),r&&r(u),d.cacheKey=c,d}},(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.items,o=e.overflowItems,n=e.farItems,r=e.styles,i=e.theme,a=e.dataDidRender,s=e.onReduceData,u=void 0===s?this._onReduceData:s,d=e.onGrowData,p=void 0===d?this._onGrowData:d,m={primaryItems:(0,l.pr)(t),overflowItems:(0,l.pr)(o),minimumOverflowItems:(0,l.pr)(o).length,farItems:n,cacheKey:this._computeCacheKey({primaryItems:(0,l.pr)(t),overflow:o&&o.length>0})};this._classNames=Vo(r,{theme:i});var h=(0,E.pq)(this.props,E.n7);return c.createElement(re,(0,l.pi)({},h,{componentRef:this._resizeGroup,data:m,onReduceData:u,onGrowData:p,onRenderData:this._onRenderData,dataDidRender:a}))},t.prototype.focus=function(){var e=this._overflowSet.current;e&&e.focus()},t.prototype.remeasure=function(){this._resizeGroup.current&&this._resizeGroup.current.remeasure()},t.prototype._onButtonClick=function(e){return function(t){e.inactive||e.onClick&&e.onClick(t,e)}},t.prototype._computeCacheKey=function(e){var t=e.primaryItems,o=e.overflow;return[t&&t.reduce((function(e,t){var o=t.cacheKey;return e+(void 0===o?t.key:o)}),""),o?"overflow":""].join("")},t.defaultProps={items:[],overflowItems:[]},t}(c.Component),qo=(0,I.z)(Ko,(function(e){var t=e.className,o=e.theme,n=o.semanticColors;return{root:[o.fonts.medium,"ms-CommandBar",{display:"flex",backgroundColor:n.bodyBackground,padding:"0 14px 0 24px",height:44},t],primarySet:["ms-CommandBar-primaryCommand",{flexGrow:"1",display:"flex",alignItems:"stretch"}],secondarySet:["ms-CommandBar-secondaryCommand",{flexShrink:"0",display:"flex",alignItems:"stretch"}]}}),void 0,{scope:"CommandBar"}),Go=o(9134),Uo=o(7817),jo=o(5183),Jo=o(6662),Yo=o(1839),Zo=o(668),Xo=o(127),Qo=o(6381),$o=o(1194),en=o(6974),tn=o(7433),on=o(5238),nn=o(3297),rn=o(4449);!function(e){e[e.hidden=0]="hidden",e[e.visible=1]="visible"}(zo||(zo={}));var an,sn,ln,cn,un,dn=o(2782);!function(e){e[e.disabled=0]="disabled",e[e.clickable=1]="clickable",e[e.hasDropdown=2]="hasDropdown"}(an||(an={})),function(e){e[e.unconstrained=0]="unconstrained",e[e.horizontalConstrained=1]="horizontalConstrained"}(sn||(sn={})),function(e){e[e.outside=0]="outside",e[e.surface=1]="surface",e[e.header=2]="header"}(ln||(ln={})),function(e){e[e.fixedColumns=0]="fixedColumns",e[e.justified=1]="justified"}(cn||(cn={})),function(e){e[e.onHover=0]="onHover",e[e.always=1]="always",e[e.hidden=2]="hidden"}(un||(un={}));var pn=function(e){var t=e.count,o=e.indentWidth,n=void 0===o?36:o,r=e.role,i=void 0===r?"presentation":r,a=t*n;return t>0?c.createElement("span",{className:"ms-GroupSpacer",style:{display:"inline-block",width:a},role:i}):null},mn={root:"ms-DetailsRow",compact:"ms-DetailsList--Compact",cell:"ms-DetailsRow-cell",cellAnimation:"ms-DetailsRow-cellAnimation",cellCheck:"ms-DetailsRow-cellCheck",check:"ms-DetailsRow-check",cellMeasurer:"ms-DetailsRow-cellMeasurer",listCellFirstChild:"ms-List-cell:first-child",isContentUnselectable:"is-contentUnselectable",isSelected:"is-selected",isCheckVisible:"is-check-visible",isRowHeader:"is-row-header",fields:"ms-DetailsRow-fields"},hn={cellLeftPadding:12,cellRightPadding:8,cellExtraRightPadding:24},gn={rowHeight:42,compactRowHeight:32},fn=(0,l.pi)((0,l.pi)({},gn),{rowVerticalPadding:11,compactRowVerticalPadding:6}),vn=function(e){var t,o,n,r,i,a,s,c,d,p,m,h,g=e.theme,f=e.isSelected,v=e.canSelect,b=e.droppingClassName,y=e.anySelected,_=e.isCheckVisible,C=e.checkboxCellClassName,S=e.compact,x=e.className,k=e.cellStyleProps,w=void 0===k?hn:k,I=e.enableUpdateAnimations,D=g.palette,T=g.fonts,E=D.neutralPrimary,P=D.white,M=D.neutralSecondary,R=D.neutralLighter,N=D.neutralLight,B=D.neutralDark,F=D.neutralQuaternaryAlt,L=g.semanticColors.focusBorder,A=(0,u.Cn)(mn,g),z={defaultHeaderText:E,defaultMetaText:M,defaultBackground:P,defaultHoverHeaderText:B,defaultHoverMetaText:E,defaultHoverBackground:R,selectedHeaderText:B,selectedMetaText:E,selectedBackground:N,selectedHoverHeaderText:B,selectedHoverMetaText:E,selectedHoverBackground:F,focusHeaderText:B,focusMetaText:E,focusBackground:N,focusHoverBackground:F},H=[(0,u.GL)(g,{inset:-1,borderColor:L,outlineColor:P}),A.isSelected,{color:z.selectedMetaText,background:z.selectedBackground,borderBottom:"1px solid "+P,selectors:(t={"&:before":{position:"absolute",display:"block",top:-1,height:1,bottom:0,left:0,right:0,content:"",borderTop:"1px solid "+P},"&:hover":{background:z.selectedHoverBackground,color:z.selectedHoverMetaText,selectors:(o={},o["."+A.cell+" "+u.qJ]={color:"HighlightText",selectors:{"> a":{color:"HighlightText"}}},o["."+A.isRowHeader]={color:z.selectedHoverHeaderText,selectors:(n={},n[u.qJ]={color:"HighlightText"},n)},o[u.qJ]={background:"Highlight"},o)},"&:focus":{background:z.focusBackground,selectors:(r={},r["."+A.cell]={color:z.focusMetaText,selectors:(i={},i[u.qJ]={color:"HighlightText",selectors:{"> a":{color:"HighlightText"}}},i)},r["."+A.isRowHeader]={color:z.focusHeaderText,selectors:(a={},a[u.qJ]={color:"HighlightText"},a)},r[u.qJ]={background:"Highlight"},r)}},t[u.qJ]=(0,l.pi)((0,l.pi)({background:"Highlight",color:"HighlightText"},(0,u.xM)()),{selectors:{a:{color:"HighlightText"}}}),t["&:focus:hover"]={background:z.focusHoverBackground},t)}],O=[A.isContentUnselectable,{userSelect:"none",cursor:"default"}],W={minHeight:fn.compactRowHeight,border:0},V={minHeight:fn.compactRowHeight,paddingTop:fn.compactRowVerticalPadding,paddingBottom:fn.compactRowVerticalPadding,paddingLeft:w.cellLeftPadding+"px"},K=[(0,u.GL)(g,{inset:-1}),A.cell,{display:"inline-block",position:"relative",boxSizing:"border-box",minHeight:fn.rowHeight,verticalAlign:"top",whiteSpace:"nowrap",overflow:"hidden",textOverflow:"ellipsis",paddingTop:fn.rowVerticalPadding,paddingBottom:fn.rowVerticalPadding,paddingLeft:w.cellLeftPadding+"px",selectors:(s={"& > button":{maxWidth:"100%"}},s["[data-is-focusable='true']"]=(0,u.GL)(g,{inset:-1,borderColor:M,outlineColor:P}),s)},f&&{selectors:(c={},c[u.qJ]=(0,l.pi)((0,l.pi)({background:"Highlight",color:"HighlightText"},(0,u.xM)()),{selectors:{a:{color:"HighlightText"}}}),c)},S&&V];return{root:[A.root,u.k4.fadeIn400,b,g.fonts.small,_&&A.isCheckVisible,(0,u.GL)(g,{borderColor:L,outlineColor:P}),{borderBottom:"1px solid "+R,background:z.defaultBackground,color:z.defaultMetaText,display:"inline-flex",minWidth:"100%",minHeight:fn.rowHeight,whiteSpace:"nowrap",padding:0,boxSizing:"border-box",verticalAlign:"top",textAlign:"left",selectors:(d={},d["."+A.listCellFirstChild+" &:before"]={display:"none"},d["&:hover"]={background:z.defaultHoverBackground,color:z.defaultHoverMetaText,selectors:(p={},p["."+A.isRowHeader]={color:z.defaultHoverHeaderText},p)},d["&:hover ."+A.check]={opacity:1},d["."+de.G$+" &:focus ."+A.check]={opacity:1},d[".ms-GroupSpacer"]={flexShrink:0,flexGrow:0},d)},f&&H,!v&&O,S&&W,x],cellUnpadded:{paddingRight:w.cellRightPadding+"px"},cellPadded:{paddingRight:w.cellExtraRightPadding+w.cellRightPadding+"px",selectors:(m={},m["&."+A.cellCheck]={paddingRight:0},m)},cell:K,cellAnimation:I&&u.Ic.slideLeftIn40,cellMeasurer:[A.cellMeasurer,{overflow:"visible",whiteSpace:"nowrap"}],checkCell:[K,A.cellCheck,C,{padding:0,paddingTop:1,marginTop:-1,flexShrink:0}],checkCover:{position:"absolute",top:-1,left:0,bottom:0,right:0,display:y?"block":"none"},fields:[A.fields,{display:"flex",alignItems:"stretch"}],isRowHeader:[A.isRowHeader,{color:z.defaultHeaderText,fontSize:T.medium.fontSize},f&&{color:z.selectedHeaderText,fontWeight:u.lq.semibold,selectors:(h={},h[u.qJ]={color:"HighlightText"},h)}],isMultiline:[K,{whiteSpace:"normal",wordBreak:"break-word",textOverflow:"clip"}],check:[A.check]}},bn={tooltipHost:"ms-TooltipHost",root:"ms-DetailsHeader",cell:"ms-DetailsHeader-cell",cellIsCheck:"ms-DetailsHeader-cellIsCheck",collapseButton:"ms-DetailsHeader-collapseButton",isCollapsed:"is-collapsed",isAllSelected:"is-allSelected",isSelectAllHidden:"is-selectAllHidden",isResizingColumn:"is-resizingColumn",cellSizer:"ms-DetailsHeader-cellSizer",isResizing:"is-resizing",dropHintCircleStyle:"ms-DetailsHeader-dropHintCircleStyle",dropHintCaretStyle:"ms-DetailsHeader-dropHintCaretStyle",dropHintLineStyle:"ms-DetailsHeader-dropHintLineStyle",cellTitle:"ms-DetailsHeader-cellTitle",cellName:"ms-DetailsHeader-cellName",filterChevron:"ms-DetailsHeader-filterChevron",gripperBarVertical:"ms-DetailsColumn-gripperBarVertical",checkTooltip:"ms-DetailsHeader-checkTooltip",check:"ms-DetailsHeader-check"},yn=function(e){var t=e.theme,o=e.cellStyleProps,n=void 0===o?hn:o,r=t.semanticColors;return[(0,u.Cn)(bn,t).cell,(0,u.GL)(t),{color:r.bodyText,position:"relative",display:"inline-block",boxSizing:"border-box",padding:"0 "+n.cellRightPadding+"px 0 "+n.cellLeftPadding+"px",lineHeight:"inherit",margin:"0",height:42,verticalAlign:"top",whiteSpace:"nowrap",textOverflow:"ellipsis",textAlign:"left"}]},_n={root:"ms-DetailsRow-check",isDisabled:"ms-DetailsRow-check--isDisabled",isHeader:"ms-DetailsRow-check--isHeader"},Cn=(0,D.y)(),Sn=c.memo((function(e){return c.createElement(je,{theme:e.theme,checked:e.checked,className:e.className,useFastIcons:!0})}));function xn(e){return c.createElement(je,{checked:e.checked})}function kn(e){return c.createElement(Sn,{theme:e.theme,checked:e.checked})}var wn,In=(0,I.z)((function(e){var t=e.isVisible,o=void 0!==t&&t,n=e.canSelect,r=void 0!==n&&n,i=e.anySelected,a=void 0!==i&&i,s=e.selected,u=void 0!==s&&s,d=e.isHeader,p=void 0!==d&&d,m=e.className,h=(e.checkClassName,e.styles),g=e.theme,f=e.compact,v=e.onRenderDetailsCheckbox,b=e.useFastIcons,y=void 0===b||b,_=(0,l._T)(e,["isVisible","canSelect","anySelected","selected","isHeader","className","checkClassName","styles","theme","compact","onRenderDetailsCheckbox","useFastIcons"]),C=y?kn:xn,S=v?(0,ko.k)(v,C):C,x=Cn(h,{theme:g,canSelect:r,selected:u,anySelected:a,className:m,isHeader:p,isVisible:o,compact:f}),k={checked:u,theme:g};return r?c.createElement("div",(0,l.pi)({},_,{role:"checkbox",className:(0,pt.i)(x.root,x.check),"aria-checked":u,"data-selection-toggle":!0,"data-automationid":"DetailsRowCheck"}),S(k)):c.createElement("div",(0,l.pi)({},_,{className:(0,pt.i)(x.root,x.check)}))}),(function(e){var t=e.theme,o=e.className,n=e.isHeader,r=e.selected,i=e.anySelected,a=e.canSelect,s=e.compact,l=e.isVisible,c=(0,u.Cn)(_n,t),d=gn.rowHeight,p=gn.compactRowHeight,m=n?42:s?p:d,h=l||r||i;return{root:[c.root,o],check:[!a&&c.isDisabled,n&&c.isHeader,(0,u.GL)(t),t.fonts.small,Ue.checkHost,{display:"flex",alignItems:"center",justifyContent:"center",cursor:"default",boxSizing:"border-box",verticalAlign:"top",background:"none",backgroundColor:"transparent",border:"none",opacity:h?1:0,height:m,width:48,padding:0,margin:0}],isDisabled:[]}}),void 0,{scope:"DetailsRowCheck"},!0),Dn=function(){function e(e){this._selection=e.selection,this._dragEnterCounts={},this._activeTargets={},this._lastId=0,this._initialized=!1}return e.prototype.dispose=function(){this._events&&this._events.dispose()},e.prototype.subscribe=function(e,t,o){var n=this;if(!this._initialized){this._events=new at.r(this);var r=(0,nt.M)();r&&(this._events.on(r.body,"mouseup",this._onMouseUp.bind(this),!0),this._events.on(r,"mouseup",this._onDocumentMouseUp.bind(this),!0)),this._initialized=!0}var i,a,s,l,c,u,d,p,m,h,g=o.key,f=void 0===g?""+ ++this._lastId:g,v=[];if(o&&e){var b=o.eventMap,y=o.context,_=o.updateDropState,C={root:e,options:o,key:f};if(p=this._isDraggable(C),m=this._isDroppable(C),(p||m)&&b)for(var S=0,x=b;S0&&(at.r.raise(this._dragData.dropTarget.root,"dragleave"),at.r.raise(r,"dragenter"),this._dragData.dropTarget=e)}},e.prototype._onMouseLeave=function(e,t){this._isDragging&&this._dragData&&this._dragData.dropTarget&&this._dragData.dropTarget.key===e.key&&(at.r.raise(e.root,"dragleave"),this._dragData.dropTarget=void 0)},e.prototype._onMouseDown=function(e,t){if(0===t.button)if(this._isDraggable(e)){this._dragData={clientX:t.clientX,clientY:t.clientY,eventTarget:t.target,dragTarget:e};for(var o=0,n=Object.keys(this._activeTargets);o=0&&"drop"!==t.type&&!e&&o._resetDropHints()},o._onDragOver=function(e,t){o._draggedColumnIndex>=0&&(t.stopPropagation(),o._computeDropHintToBeShown(t.clientX))},o._onDrop=function(e,t){var n=o._getColumnReorderProps();if(o._draggedColumnIndex>=0&&t){var r=o._draggedColumnIndex>o._currentDropHintIndex?o._currentDropHintIndex:o._currentDropHintIndex-1,i=o._isValidCurrentDropHintIndex();if(t.stopPropagation(),i)if(o._onDropIndexInfo.sourceIndex=o._draggedColumnIndex,o._onDropIndexInfo.targetIndex=r,n.onColumnDrop){var a={draggedIndex:o._draggedColumnIndex,targetIndex:r};n.onColumnDrop(a)}else n.handleColumnReorder&&n.handleColumnReorder(o._draggedColumnIndex,r)}o._resetDropHints(),o._dropHintDetails={},o._draggedColumnIndex=-1},o._updateDragInfo=function(e,t){var n=o._getColumnReorderProps(),r=e.itemIndex;if(r>=0)o._draggedColumnIndex=o._isCheckboxColumnHidden()?r-1:r-2,o._getDropHintPositions(),n.onColumnDragStart&&n.onColumnDragStart(!0);else if(t&&o._draggedColumnIndex>=0&&(o._resetDropHints(),o._draggedColumnIndex=-1,o._dropHintDetails={},n.onColumnDragEnd)){var i=o._isEventOnHeader(t);n.onColumnDragEnd({dropLocation:i},t)}},o._getDropHintPositions=function(){for(var e,t=o.props.columns,n=void 0===t?Nn:t,r=o._getColumnReorderProps(),i=0,a=0,s=r.frozenColumnCountFromStart||0,l=r.frozenColumnCountFromEnd||0,c=s;c=0&&(o._resetDropHints(),o._updateDropHintElement(o._dropHintDetails[p].dropHintElementRef,"inline-block"),o._currentDropHintIndex=p)}},o._renderColumnSizer=function(e){var t,n=e.columnIndex,r=o.props.columns,i=void 0===r?Nn:r,a=i[n],s=o.state.columnResizeDetails,l=o._classNames;return a.isResizable?c.createElement("div",{key:a.key+"_sizer","aria-hidden":!0,role:"button","data-is-focusable":!1,onClick:zn,"data-sizer-index":n,onBlur:o._onSizerBlur,className:(0,pt.i)(l.cellSizer,n=0&&this._onDropIndexInfo.targetIndex>=0){var t=e.columns,o=void 0===t?Nn:t,n=this.props.columns,r=void 0===n?Nn:n;o[this._onDropIndexInfo.sourceIndex].key===r[this._onDropIndexInfo.targetIndex].key&&(this._onDropIndexInfo={sourceIndex:-1,targetIndex:-1})}this.props.isAllCollapsed!==e.isAllCollapsed&&this.setState({isAllCollapsed:this.props.isAllCollapsed})},t.prototype.componentWillUnmount=function(){this._subscriptionObject&&(this._subscriptionObject.dispose(),delete this._subscriptionObject),this._dragDropHelper.dispose(),this._events.dispose()},t.prototype.render=function(){var e=this,t=this.props,o=t.columns,n=void 0===o?Nn:o,r=t.ariaLabel,i=t.ariaLabelForToggleAllGroupsButton,a=t.ariaLabelForSelectAllCheckbox,s=t.selectAllVisibility,l=t.ariaLabelForSelectionColumn,u=t.indentWidth,d=t.onColumnClick,p=t.onColumnContextMenu,m=t.onRenderColumnHeaderTooltip,h=void 0===m?this._onRenderColumnHeaderTooltip:m,g=t.styles,f=t.selectionMode,v=t.theme,b=t.onRenderDetailsCheckbox,y=t.groupNestingDepth,_=t.useFastIcons,C=t.checkboxVisibility,S=t.className,x=this.state,k=x.isAllSelected,w=x.columnResizeDetails,I=x.isSizing,D=x.isAllCollapsed,E=s!==wn.none,P=s===wn.hidden,N=C===un.always,B=this._getColumnReorderProps(),F=B&&B.frozenColumnCountFromStart?B.frozenColumnCountFromStart:0,L=B&&B.frozenColumnCountFromEnd?B.frozenColumnCountFromEnd:0;this._classNames=Rn(g,{theme:v,isAllSelected:k,isSelectAllHidden:s===wn.hidden,isResizingColumn:!!w&&I,isSizing:I,isAllCollapsed:D,isCheckboxHidden:P,className:S});var A=this._classNames,z=_?Ve.xu:W.J,H=(0,T.zg)(v);return c.createElement(M.k,{role:"row","aria-label":r,className:A.root,componentRef:this._rootComponent,elementRef:this._rootElement,onMouseMove:this._onRootMouseMove,"data-automationid":"DetailsHeader",direction:R.U.horizontal},E?[c.createElement("div",{key:"__checkbox",className:A.cellIsCheck,"aria-labelledby":this._id+"-check",onClick:P?void 0:this._onSelectAllClicked,"aria-colindex":1,role:"columnheader"},h({hostClassName:A.checkTooltip,id:this._id+"-checkTooltip",setAriaDescribedBy:!1,content:a,children:c.createElement(In,{id:this._id+"-check","aria-label":f===on.oW.multiple?a:l,"aria-describedby":P?l&&!this.props.onRenderColumnHeaderTooltip?this._id+"-checkTooltip":void 0:a&&!this.props.onRenderColumnHeaderTooltip?this._id+"-checkTooltip":void 0,"data-is-focusable":!P||void 0,isHeader:!0,selected:k,anySelected:!1,canSelect:!P,className:A.check,onRenderDetailsCheckbox:b,useFastIcons:_,isVisible:N})},this._onRenderColumnHeaderTooltip)),this.props.onRenderColumnHeaderTooltip?null:a&&!P?c.createElement("label",{key:"__checkboxLabel",id:this._id+"-checkTooltip",className:A.accessibleLabel,"aria-hidden":!0},a):l&&P?c.createElement("label",{key:"__checkboxLabel",id:this._id+"-checkTooltip",className:A.accessibleLabel,"aria-hidden":!0},l):null]:null,y>0&&this.props.collapseAllVisibility===zo.visible?c.createElement("div",{className:A.cellIsGroupExpander,onClick:this._onToggleCollapseAll,"data-is-focusable":!0,"aria-label":i,"aria-expanded":!D,role:"columnheader"},c.createElement(z,{className:A.collapseButton,iconName:H?"ChevronLeftMed":"ChevronRightMed"})):null,c.createElement(pn,{indentWidth:u,role:"gridcell",count:y-1}),n.map((function(t,o){var r=!!B&&o>=F&&o=0},t.prototype._isCheckboxColumnHidden=function(){var e=this.props,t=e.selectionMode,o=e.checkboxVisibility;return t===on.oW.none||o===un.hidden},t.prototype._resetDropHints=function(){this._currentDropHintIndex>=0&&(this._updateDropHintElement(this._dropHintDetails[this._currentDropHintIndex].dropHintElementRef,"none"),this._currentDropHintIndex=-1)},t.prototype._updateDropHintElement=function(e,t){e.childNodes[1].style.display=t,e.childNodes[0].style.display=t},t.prototype._isEventOnHeader=function(e){if(this._rootElement.current){var t=this._rootElement.current.getBoundingClientRect();if(e.clientX>t.left&&e.clientXt.top&&e.clientY=n:t>=o&&t<=n}function Ln(e,t,o){return e?t>=o:t<=o}function An(e,t,o){return e?t<=o:t>=o}function zn(e){e.stopPropagation()}var Hn=(0,I.z)(Bn,(function(e){var t,o,n,r,i=e.theme,a=e.className,s=e.isAllSelected,c=e.isResizingColumn,d=e.isSizing,p=e.isAllCollapsed,m=e.cellStyleProps,h=void 0===m?hn:m,g=i.semanticColors,f=i.palette,v=i.fonts,b=(0,u.Cn)(bn,i),y={iconForegroundColor:g.bodySubtext,headerForegroundColor:g.bodyText,headerBackgroundColor:g.bodyBackground,resizerColor:f.neutralTertiaryAlt},_={opacity:1,transition:"opacity 0.3s linear"},C=yn(e);return{root:[b.root,v.small,{display:"inline-block",background:y.headerBackgroundColor,position:"relative",minWidth:"100%",verticalAlign:"top",height:42,lineHeight:42,whiteSpace:"nowrap",boxSizing:"content-box",paddingBottom:"1px",paddingTop:"16px",borderBottom:"1px solid "+g.bodyDivider,cursor:"default",userSelect:"none",selectors:(t={},t["&:hover ."+b.check]={opacity:1},t["& ."+b.tooltipHost+" ."+b.checkTooltip]={display:"block"},t)},s&&b.isAllSelected,c&&b.isResizingColumn,a],check:[b.check,{height:42},{selectors:(o={},o["."+de.G$+" &:focus"]={opacity:1},o)}],cellWrapperPadded:{paddingRight:h.cellExtraRightPadding+h.cellRightPadding},cellIsCheck:[C,b.cellIsCheck,{position:"relative",padding:0,margin:0,display:"inline-flex",alignItems:"center",border:"none"},s&&{opacity:1}],cellIsGroupExpander:[C,{display:"inline-flex",alignItems:"center",justifyContent:"center",fontSize:v.small.fontSize,padding:0,border:"none",width:36,color:f.neutralSecondary,selectors:{":hover":{backgroundColor:f.neutralLighter},":active":{backgroundColor:f.neutralLight}}}],cellIsActionable:{selectors:{":hover":{color:g.bodyText,background:g.listHeaderBackgroundHovered},":active":{background:g.listHeaderBackgroundPressed}}},cellIsEmpty:{textOverflow:"clip"},cellSizer:[b.cellSizer,(0,u.e2)(),{display:"inline-block",position:"relative",cursor:"ew-resize",bottom:0,top:0,overflow:"hidden",height:"inherit",background:"transparent",zIndex:1,width:16,selectors:(n={":after":{content:'""',position:"absolute",top:0,bottom:0,width:1,background:y.resizerColor,opacity:0,left:"50%"},":focus:after":_,":hover:after":_},n["&."+b.isResizing+":after"]=[_,{boxShadow:"0 0 5px 0 rgba(0, 0, 0, 0.4)"}],n)}],cellIsResizing:b.isResizing,cellSizerStart:{margin:"0 -8px"},cellSizerEnd:{margin:0,marginLeft:-16},collapseButton:[b.collapseButton,{transformOrigin:"50% 50%",transition:"transform .1s linear"},p?[b.isCollapsed,{transform:"rotate(0deg)"}]:{transform:(0,T.zg)(i)?"rotate(-90deg)":"rotate(90deg)"}],checkTooltip:b.checkTooltip,sizingOverlay:d&&{position:"absolute",left:0,top:0,right:0,bottom:0,cursor:"ew-resize",background:"rgba(255, 255, 255, 0)",selectors:(r={},r[u.qJ]=(0,l.pi)({background:"transparent"},(0,u.xM)()),r)},accessibleLabel:u.ul,dropHintCircleStyle:[b.dropHintCircleStyle,{display:"inline-block",visibility:"hidden",position:"absolute",bottom:0,height:9,width:9,borderRadius:"50%",marginLeft:-5,top:34,overflow:"visible",zIndex:10,border:"1px solid "+f.themePrimary,background:f.white}],dropHintCaretStyle:[b.dropHintCaretStyle,{display:"none",position:"absolute",top:-28,left:-6.5,fontSize:v.medium.fontSize,color:f.themePrimary,overflow:"visible",zIndex:10}],dropHintLineStyle:[b.dropHintLineStyle,{display:"none",position:"absolute",bottom:0,top:0,overflow:"hidden",height:42,width:1,background:f.themePrimary,zIndex:10}],dropHintStyle:{display:"inline-block",position:"absolute"}}}),void 0,{scope:"DetailsHeader"}),On=function(e){var t=e.columns,o=e.columnStartIndex,n=e.rowClassNames,r=e.cellStyleProps,i=void 0===r?hn:r,a=e.item,s=e.itemIndex,l=e.onRenderItemColumn,u=e.getCellValueKey,d=e.cellsByColumn,p=e.enableUpdateAnimations,m=c.useRef(),h=m.current||(m.current={});return c.createElement("div",{className:n.fields,"data-automationid":"DetailsRowFields",role:"presentation"},t.map((function(e,t){var r=void 0===e.calculatedWidth?"auto":e.calculatedWidth+i.cellLeftPadding+i.cellRightPadding+(e.isPadded?i.cellExtraRightPadding:0),m=e.onRender,g=void 0===m?l:m,f=e.getValueKey,v=void 0===f?u:f,b=d&&e.key in d?d[e.key]:g?g(a,s,e):function(e,t){var o=e&&t&&t.fieldName?e[t.fieldName]:"";return null==o&&(o=""),"boolean"==typeof o?o.toString():o}(a,e),y=h[e.key],_=p&&v?v(a,s,e):void 0,C=!1;void 0!==_&&void 0!==y&&_!==y&&(C=!0),h[e.key]=_;var S=e.key+(void 0!==_?"-"+_:"");return c.createElement("div",{key:S,role:e.isRowHeader?"rowheader":"gridcell","aria-readonly":!0,"aria-colindex":t+o+1,className:(0,pt.i)(e.className,e.isMultiline&&n.isMultiline,e.isRowHeader&&n.isRowHeader,n.cell,e.isPadded?n.cellPadded:n.cellUnpadded,C&&n.cellAnimation),style:{width:r},"data-automationid":"DetailsRowCell","data-automation-key":e.key},b)})))},Wn=(0,D.y)(),Vn=[],Kn=function(e){function t(t){var o=e.call(this,t)||this;return o._root=c.createRef(),o._cellMeasurer=c.createRef(),o._focusZone=c.createRef(),o._onSelectionChanged=function(){var e=qn(o.props);(0,Xt.Vv)(e,o.state.selectionState)||o.setState({selectionState:e})},o._updateDroppingState=function(e,t){var n=o.state.isDropping,r=o.props,i=r.dragDropEvents,a=r.item;e?i.onDragEnter&&(o._droppingClassNames=i.onDragEnter(a,t)):i.onDragLeave&&i.onDragLeave(a,t),n!==e&&o.setState({isDropping:e})},(0,P.l)(o),o._events=new at.r(o),o.state={selectionState:qn(t),columnMeasureInfo:void 0,isDropping:!1},o._droppingClassNames="",o}return(0,l.ZT)(t,e),t.getDerivedStateFromProps=function(e,t){return(0,l.pi)((0,l.pi)({},t),{selectionState:qn(e)})},t.prototype.componentDidMount=function(){var e=this.props,t=e.dragDropHelper,o=e.selection,n=e.item,r=e.onDidMount;t&&this._root.current&&(this._dragDropSubscription=t.subscribe(this._root.current,this._events,this._getRowDragDropOptions())),o&&this._events.on(o,on.F5,this._onSelectionChanged),r&&n&&(this._onDidMountCalled=!0,r(this))},t.prototype.componentDidUpdate=function(e){var t=this.state,o=this.props,n=o.item,r=o.onDidMount,i=t.columnMeasureInfo;if(this.props.itemIndex===e.itemIndex&&this.props.item===e.item&&this.props.dragDropHelper===e.dragDropHelper||(this._dragDropSubscription&&(this._dragDropSubscription.dispose(),delete this._dragDropSubscription),this.props.dragDropHelper&&this._root.current&&(this._dragDropSubscription=this.props.dragDropHelper.subscribe(this._root.current,this._events,this._getRowDragDropOptions()))),i&&i.index>=0&&this._cellMeasurer.current){var a=this._cellMeasurer.current.getBoundingClientRect().width;i.onMeasureDone(a),this.setState({columnMeasureInfo:void 0})}n&&r&&!this._onDidMountCalled&&(this._onDidMountCalled=!0,r(this))},t.prototype.componentWillUnmount=function(){var e=this.props,t=e.item,o=e.onWillUnmount;o&&t&&o(this),this._dragDropSubscription&&(this._dragDropSubscription.dispose(),delete this._dragDropSubscription),this._events.dispose()},t.prototype.shouldComponentUpdate=function(e,t){if(this.props.useReducedRowRenderer){var o=qn(e);return this.state.selectionState.isSelected!==o.isSelected||!(0,Xt.Vv)(this.props,e)}return!0},t.prototype.render=function(){var e=this.props,t=e.className,o=e.columns,n=void 0===o?Vn:o,r=e.dragDropEvents,i=e.item,a=e.itemIndex,s=e.flatIndexOffset,u=void 0===s?2:s,d=e.onRenderCheck,p=void 0===d?this._onRenderCheck:d,m=e.onRenderDetailsCheckbox,h=e.onRenderItemColumn,g=e.getCellValueKey,f=e.selectionMode,v=e.rowWidth,b=void 0===v?0:v,y=e.checkboxVisibility,_=e.getRowAriaLabel,C=e.getRowAriaDescribedBy,S=e.checkButtonAriaLabel,x=e.checkboxCellClassName,k=e.rowFieldsAs,w=void 0===k?On:k,I=e.selection,D=e.indentWidth,T=e.enableUpdateAnimations,P=e.compact,N=e.theme,B=e.styles,F=e.cellsByColumn,L=e.groupNestingDepth,A=e.useFastIcons,z=void 0===A||A,H=e.cellStyleProps,O=this.state,W=O.columnMeasureInfo,V=O.isDropping,K=this.state.selectionState,q=K.isSelected,G=void 0!==q&&q,U=K.isSelectionModal,j=void 0!==U&&U,J=r?!(!r.canDrag||!r.canDrag(i)):void 0,Y=V?this._droppingClassNames||"is-dropping":"",Z=_?_(i):void 0,X=C?C(i):void 0,Q=!!I&&I.canSelectItem(i,a),$=f===on.oW.multiple,ee=f!==on.oW.none&&y!==un.hidden,te=f===on.oW.none?void 0:G;this._classNames=(0,l.pi)((0,l.pi)({},this._classNames),Wn(B,{theme:N,isSelected:G,canSelect:!$,anySelected:j,checkboxCellClassName:x,droppingClassName:Y,className:t,compact:P,enableUpdateAnimations:T,cellStyleProps:H}));var oe={isMultiline:this._classNames.isMultiline,isRowHeader:this._classNames.isRowHeader,cell:this._classNames.cell,cellAnimation:this._classNames.cellAnimation,cellPadded:this._classNames.cellPadded,cellUnpadded:this._classNames.cellUnpadded,fields:this._classNames.fields};(0,Xt.Vv)(this._rowClassNames||{},oe)||(this._rowClassNames=oe);var ne=c.createElement(w,{rowClassNames:this._rowClassNames,cellsByColumn:F,columns:n,item:i,itemIndex:a,columnStartIndex:(ee?1:0)+(L?1:0),onRenderItemColumn:h,getCellValueKey:g,enableUpdateAnimations:T,cellStyleProps:H});return c.createElement(M.k,(0,l.pi)({"data-is-focusable":!0},(0,E.pq)(this.props,E.n7),"boolean"==typeof J?{"data-is-draggable":J,draggable:J}:{},{direction:R.U.horizontal,elementRef:this._root,componentRef:this._focusZone,role:"row","aria-label":Z,"aria-describedby":X,className:this._classNames.root,"data-selection-index":a,"data-selection-touch-invoke":!0,"data-item-index":a,"aria-rowindex":L?void 0:a+u,"aria-level":L&&L+1||void 0,"data-automationid":"DetailsRow",style:{minWidth:b},"aria-selected":te,allowFocusRoot:!0}),ee&&c.createElement("div",{role:"gridcell","aria-colindex":1,"data-selection-toggle":!0,className:this._classNames.checkCell},p({selected:G,anySelected:j,"aria-label":S,canSelect:Q,compact:P,className:this._classNames.check,theme:N,isVisible:y===un.always,onRenderDetailsCheckbox:m,useFastIcons:z})),c.createElement(pn,{indentWidth:D,role:"gridcell",count:L-(this.props.collapseAllVisibility===zo.hidden?1:0)}),i&&ne,W&&c.createElement("span",{role:"presentation",className:(0,pt.i)(this._classNames.cellMeasurer,this._classNames.cell),ref:this._cellMeasurer},c.createElement(w,{rowClassNames:this._rowClassNames,columns:[W.column],item:i,itemIndex:a,columnStartIndex:(ee?1:0)+(L?1:0)+n.length,onRenderItemColumn:h,getCellValueKey:g})),c.createElement("span",{role:"checkbox",className:this._classNames.checkCover,"aria-checked":G,"data-selection-toggle":!0}))},t.prototype.measureCell=function(e,t){var o=this.props.columns,n=void 0===o?Vn:o,r=(0,l.pi)({},n[e]);r.minWidth=0,r.maxWidth=999999,delete r.calculatedWidth,this.setState({columnMeasureInfo:{index:e,column:r,onMeasureDone:t}})},t.prototype.focus=function(e){var t;return void 0===e&&(e=!1),!!(null===(t=this._focusZone.current)||void 0===t?void 0:t.focus(e))},t.prototype._onRenderCheck=function(e){return c.createElement(In,(0,l.pi)({},e))},t.prototype._getRowDragDropOptions=function(){var e=this.props,t=e.item,o=e.itemIndex,n=e.dragDropEvents;return{eventMap:e.eventsToRegister,selectionIndex:o,context:{data:t,index:o},canDrag:n.canDrag,canDrop:n.canDrop,onDragStart:n.onDragStart,updateDropState:this._updateDroppingState,onDrop:n.onDrop,onDragEnd:n.onDragEnd,onDragOver:n.onDragOver}},t}(c.Component);function qn(e){var t,o,n,r,i=e.itemIndex,a=e.selection;return{isSelected:!!(null===(t=a)||void 0===t?void 0:t.isIndexSelected(i)),isSelectionModal:!!(null===(r=null===(o=a)||void 0===o?void 0:(n=o).isModal)||void 0===r?void 0:r.call(n))}}var Gn=(0,I.z)(Kn,vn,void 0,{scope:"DetailsRow"}),Un={root:"ms-GroupedList",compact:"ms-GroupedList--Compact",group:"ms-GroupedList-group",link:"ms-Link",listCell:"ms-List-cell"},jn={root:"ms-GroupHeader",compact:"ms-GroupHeader--compact",check:"ms-GroupHeader-check",dropIcon:"ms-GroupHeader-dropIcon",expand:"ms-GroupHeader-expand",isCollapsed:"is-collapsed",title:"ms-GroupHeader-title",isSelected:"is-selected",iconTag:"ms-Icon--Tag",group:"ms-GroupedList-group",isDropping:"is-dropping"},Jn="cubic-bezier(0.390, 0.575, 0.565, 1.000)",Yn=o(76),Zn=(0,D.y)(),Xn=function(e){function t(t){var o=e.call(this,t)||this;return o._toggleCollapse=function(){var e=o.props,t=e.group,n=e.onToggleCollapse,r=e.isGroupLoading,i=!o.state.isCollapsed,a=!i&&r&&r(t);o.setState({isCollapsed:i,isLoadingVisible:a}),n&&n(t)},o._onKeyUp=function(e){var t=o.props,n=t.group,r=t.onGroupHeaderKeyUp;if(r&&r(e,n),!e.defaultPrevented){var i=o.state.isCollapsed&&e.which===(0,T.dP)(rt.m.right,o.props.theme);(!o.state.isCollapsed&&e.which===(0,T.dP)(rt.m.left,o.props.theme)||i)&&(o._toggleCollapse(),e.stopPropagation(),e.preventDefault())}},o._onToggleClick=function(e){o._toggleCollapse(),e.stopPropagation(),e.preventDefault()},o._onToggleSelectGroupClick=function(e){var t=o.props,n=t.onToggleSelectGroup,r=t.group;n&&n(r),e.preventDefault(),e.stopPropagation()},o._onHeaderClick=function(){var e=o.props,t=e.group,n=e.onGroupHeaderClick,r=e.onToggleSelectGroup;n?n(t):r&&r(t)},o._onRenderTitle=function(e){var t=e.group,n=e.ariaColSpan;return t?c.createElement("div",{className:o._classNames.title,id:o._id,role:"gridcell","aria-colspan":n},c.createElement("span",null,t.name),c.createElement("span",{className:o._classNames.headerCount},"(",t.count,t.hasMoreData&&"+",")")):null},o._id=(0,dn.z)("GroupHeader"),o.state={isCollapsed:o.props.group&&o.props.group.isCollapsed,isLoadingVisible:!1},o}return(0,l.ZT)(t,e),t.getDerivedStateFromProps=function(e,t){if(e.group){var o=e.group.isCollapsed,n=e.isGroupLoading,r=!o&&n&&n(e.group);return(0,l.pi)((0,l.pi)({},t),{isCollapsed:o||!1,isLoadingVisible:r||!1})}return t},t.prototype.render=function(){var e=this.props,t=e.group,o=e.groupLevel,n=void 0===o?0:o,r=e.viewport,i=e.selectionMode,a=e.loadingText,s=e.isSelected,u=void 0!==s&&s,d=e.selected,p=void 0!==d&&d,m=e.indentWidth,h=e.onRenderTitle,g=void 0===h?this._onRenderTitle:h,f=e.onRenderGroupHeaderCheckbox,v=e.isCollapsedGroupSelectVisible,b=void 0===v||v,y=e.expandButtonProps,_=e.expandButtonIcon,C=e.selectAllButtonProps,S=e.theme,x=e.styles,k=e.className,w=e.compact,I=e.ariaPosInSet,D=e.ariaSetSize,E=e.useFastIcons?this._fastDefaultCheckboxRender:this._defaultCheckboxRender,P=f?(0,ko.k)(f,E):E,M=this.state,R=M.isCollapsed,N=M.isLoadingVisible,B=i===on.oW.multiple,F=B&&(b||!(t&&t.isCollapsed)),L=p||u,A=(0,T.zg)(S);return this._classNames=Zn(x,{theme:S,className:k,selected:L,isCollapsed:R,compact:w}),t?c.createElement("div",{className:this._classNames.root,style:r?{minWidth:r.width}:{},onClick:this._onHeaderClick,role:"row","aria-setsize":D,"aria-posinset":I,"data-is-focusable":!0,onKeyUp:this._onKeyUp,"aria-label":t.ariaLabel,"aria-labelledby":t.ariaLabel?void 0:this._id,"aria-expanded":!this.state.isCollapsed,"aria-selected":B?L:void 0,"aria-level":n+1},c.createElement("div",{className:this._classNames.groupHeaderContainer,role:"presentation"},F?c.createElement("div",{role:"gridcell"},c.createElement("button",(0,l.pi)({"data-is-focusable":!1,type:"button",className:this._classNames.check,role:"checkbox","aria-checked":L,"data-selection-toggle":!0,onClick:this._onToggleSelectGroupClick},C),P({checked:L,theme:S},P))):i!==on.oW.none&&c.createElement(pn,{indentWidth:48,count:1}),c.createElement(pn,{indentWidth:m,count:n}),c.createElement("div",{className:this._classNames.dropIcon,role:"presentation"},c.createElement(W.J,{iconName:"Tag"})),c.createElement("div",{role:"gridcell"},c.createElement("button",(0,l.pi)({"data-is-focusable":!1,type:"button",className:this._classNames.expand,onClick:this._onToggleClick,"aria-expanded":!this.state.isCollapsed},y),c.createElement(W.J,{className:this._classNames.expandIsCollapsed,iconName:_||(A?"ChevronLeftMed":"ChevronRightMed")}))),g(this.props,this._onRenderTitle),N&&c.createElement(Yn.$,{label:a}))):null},t.prototype._defaultCheckboxRender=function(e){return c.createElement(je,{checked:e.checked})},t.prototype._fastDefaultCheckboxRender=function(e){return c.createElement(Qn,{theme:e.theme,checked:e.checked})},t.defaultProps={expandButtonProps:{"aria-label":"expand collapse group"}},t}(c.Component),Qn=c.memo((function(e){return c.createElement(je,{theme:e.theme,checked:e.checked,className:e.className,useFastIcons:!0})})),$n=(0,I.z)(Xn,(function(e){var t,o,n,r,i,a=e.theme,s=e.className,l=e.selected,c=e.isCollapsed,d=e.compact,p=hn.cellLeftPadding,m=d?40:48,h=a.semanticColors,g=a.palette,f=a.fonts,v=(0,u.Cn)(jn,a),b=[(0,u.GL)(a),{cursor:"default",background:"none",backgroundColor:"transparent",border:"none",padding:0}];return{root:[v.root,(0,u.GL)(a),a.fonts.medium,{borderBottom:"1px solid "+h.listBackground,cursor:"default",userSelect:"none",selectors:(t={":hover":{background:h.listItemBackgroundHovered,color:h.actionLinkHovered}},t["&:hover ."+v.check]={opacity:1},t["."+de.G$+" &:focus ."+v.check]={opacity:1},t[":global(."+v.group+"."+v.isDropping+")"]={selectors:(o={},o["& > ."+v.root+" ."+v.dropIcon]={transition:"transform "+u.D1.durationValue4+" cubic-bezier(0.075, 0.820, 0.165, 1.000) opacity "+u.D1.durationValue1+" "+Jn,transitionDelay:u.D1.durationValue3,opacity:1,transform:"rotate(0.2deg) scale(1);"},o["."+v.check]={opacity:0},o)},t)},l&&[v.isSelected,{background:h.listItemBackgroundChecked,selectors:(n={":hover":{background:h.listItemBackgroundCheckedHovered}},n[""+v.check]={opacity:1},n)}],d&&[v.compact,{border:"none"}],s],groupHeaderContainer:[{display:"flex",alignItems:"center",height:m}],headerCount:[{padding:"0px 4px"}],check:[v.check,b,{display:"flex",alignItems:"center",justifyContent:"center",paddingTop:1,marginTop:-1,opacity:0,width:48,height:m,selectors:(r={},r["."+de.G$+" &:focus"]={opacity:1},r)}],expand:[v.expand,b,{display:"flex",alignItems:"center",justifyContent:"center",fontSize:f.small.fontSize,width:36,height:m,color:l?g.neutralPrimary:g.neutralSecondary,selectors:{":hover":{backgroundColor:l?g.neutralQuaternary:g.neutralLight},":active":{backgroundColor:l?g.neutralTertiaryAlt:g.neutralQuaternaryAlt}}}],expandIsCollapsed:[c?[v.isCollapsed,{transform:"rotate(0deg)",transformOrigin:"50% 50%",transition:"transform .1s linear"}]:{transform:(0,T.zg)(a)?"rotate(-90deg)":"rotate(90deg)",transformOrigin:"50% 50%",transition:"transform .1s linear"}],title:[v.title,{paddingLeft:p,fontSize:d?f.medium.fontSize:f.mediumPlus.fontSize,fontWeight:c?u.lq.regular:u.lq.semibold,cursor:"pointer",outline:0,whiteSpace:"nowrap",textOverflow:"ellipsis"}],dropIcon:[v.dropIcon,{position:"absolute",left:-26,fontSize:u.ld.large,color:g.neutralSecondary,transition:"transform "+u.D1.durationValue2+" cubic-bezier(0.600, -0.280, 0.735, 0.045), opacity "+u.D1.durationValue4+" "+Jn,opacity:0,transform:"rotate(0.2deg) scale(0.65)",transformOrigin:"10px 10px",selectors:(i={},i[":global(."+v.iconTag+")"]={position:"absolute"},i)}]}}),void 0,{scope:"GroupHeader"}),er={root:"ms-GroupShowAll",link:"ms-Link"},tr=(0,D.y)(),or=(0,I.z)((function(e){var t=e.group,o=e.groupLevel,n=e.showAllLinkText,r=void 0===n?"Show All":n,i=e.styles,a=e.theme,s=e.onToggleSummarize,l=tr(i,{theme:a}),u=(0,c.useCallback)((function(e){s(t),e.stopPropagation(),e.preventDefault()}),[s,t]);return t?c.createElement("div",{className:l.root},c.createElement(pn,{count:o}),c.createElement(O,{onClick:u},r)):null}),(function(e){var t,o=e.theme,n=o.fonts,r=(0,u.Cn)(er,o);return{root:[r.root,{position:"relative",padding:"10px 84px",cursor:"pointer",selectors:(t={},t["."+r.link]={fontSize:n.small.fontSize},t)}]}}),void 0,{scope:"GroupShowAll"}),nr={root:"ms-groupFooter"},rr=(0,D.y)(),ir=(0,I.z)((function(e){var t=e.group,o=e.groupLevel,n=e.footerText,r=e.indentWidth,i=e.styles,a=e.theme,s=rr(i,{theme:a});return t&&n?c.createElement("div",{className:s.root},c.createElement(pn,{indentWidth:r,count:o}),n):null}),(function(e){var t=e.theme,o=e.className,n=(0,u.Cn)(nr,t);return{root:[t.fonts.medium,n.root,{position:"relative",padding:"5px 38px"},o]}}),void 0,{scope:"GroupFooter"}),ar=function(e){function t(o){var n=e.call(this,o)||this;n._root=c.createRef(),n._list=c.createRef(),n._subGroupRefs={},n._droppingClassName="",n._onRenderGroupHeader=function(e){return c.createElement($n,(0,l.pi)({},e))},n._onRenderGroupShowAll=function(e){return c.createElement(or,(0,l.pi)({},e))},n._onRenderGroupFooter=function(e){return c.createElement(ir,(0,l.pi)({},e))},n._renderSubGroup=function(e,o){var r=n.props,i=r.dragDropEvents,a=r.dragDropHelper,s=r.eventsToRegister,l=r.getGroupItemLimit,u=r.groupNestingDepth,d=r.groupProps,p=r.items,m=r.headerProps,h=r.showAllProps,g=r.footerProps,f=r.listProps,v=r.onRenderCell,b=r.selection,y=r.selectionMode,_=r.viewport,C=r.onRenderGroupHeader,S=r.onRenderGroupShowAll,x=r.onRenderGroupFooter,k=r.onShouldVirtualize,w=r.group,I=r.compact,D=e.level?e.level+1:u;return!e||e.count>0||d&&d.showEmptyGroups?c.createElement(t,{ref:function(e){return n._subGroupRefs["subGroup_"+o]=e},key:n._getGroupKey(e,o),dragDropEvents:i,dragDropHelper:a,eventsToRegister:s,footerProps:g,getGroupItemLimit:l,group:e,groupIndex:o,groupNestingDepth:D,groupProps:d,headerProps:m,items:p,listProps:f,onRenderCell:v,selection:b,selectionMode:y,showAllProps:h,viewport:_,onRenderGroupHeader:C,onRenderGroupShowAll:S,onRenderGroupFooter:x,onShouldVirtualize:k,groups:w?w.children:[],compact:I}):null},n._getGroupDragDropOptions=function(){var e=n.props,t=e.group,o=e.groupIndex,r=e.dragDropEvents;return{eventMap:e.eventsToRegister,selectionIndex:-1,context:{data:t,index:o,isGroup:!0},updateDropState:n._updateDroppingState,canDrag:r.canDrag,canDrop:r.canDrop,onDrop:r.onDrop,onDragStart:r.onDragStart,onDragEnter:r.onDragEnter,onDragLeave:r.onDragLeave,onDragEnd:r.onDragEnd,onDragOver:r.onDragOver}},n._updateDroppingState=function(e,t){var o=n.state.isDropping,r=n.props,i=r.dragDropEvents,a=r.group;o!==e&&(o?i&&i.onDragLeave&&i.onDragLeave(a,t):i&&i.onDragEnter&&(n._droppingClassName=i.onDragEnter(a,t)),n.setState({isDropping:e}))};var r=o.selection,i=o.group;return(0,P.l)(n),n._id=(0,dn.z)("GroupedListSection"),n.state={isDropping:!1,isSelected:!(!r||!i)&&r.isRangeSelected(i.startIndex,i.count)},n._events=new at.r(n),n}return(0,l.ZT)(t,e),t.prototype.componentDidMount=function(){var e=this.props,t=e.dragDropHelper,o=e.selection;t&&this._root.current&&(this._dragDropSubscription=t.subscribe(this._root.current,this._events,this._getGroupDragDropOptions())),o&&this._events.on(o,on.F5,this._onSelectionChange)},t.prototype.componentWillUnmount=function(){this._events.dispose(),this._dragDropSubscription&&this._dragDropSubscription.dispose()},t.prototype.componentDidUpdate=function(e){this.props.group===e.group&&this.props.groupIndex===e.groupIndex&&this.props.dragDropHelper===e.dragDropHelper||(this._dragDropSubscription&&(this._dragDropSubscription.dispose(),delete this._dragDropSubscription),this.props.dragDropHelper&&this._root.current&&(this._dragDropSubscription=this.props.dragDropHelper.subscribe(this._root.current,this._events,this._getGroupDragDropOptions())))},t.prototype.render=function(){var e=this.props,t=e.getGroupItemLimit,o=e.group,n=e.groupIndex,r=e.headerProps,i=e.showAllProps,a=e.footerProps,s=e.viewport,u=e.selectionMode,d=e.onRenderGroupHeader,p=void 0===d?this._onRenderGroupHeader:d,m=e.onRenderGroupShowAll,h=void 0===m?this._onRenderGroupShowAll:m,g=e.onRenderGroupFooter,f=void 0===g?this._onRenderGroupFooter:g,v=e.onShouldVirtualize,b=e.groupedListClassNames,y=e.groups,_=e.compact,C=e.listProps,S=void 0===C?{}:C,x=this.state.isSelected,k=o&&t?t(o):1/0,w=o&&!o.children&&!o.isCollapsed&&!o.isShowingAll&&(o.count>k||o.hasMoreData),I=o&&o.children&&o.children.length>0,D=S.version,T={group:o,groupIndex:n,groupLevel:o?o.level:0,isSelected:x,selected:x,viewport:s,selectionMode:u,groups:y,compact:_},E={groupedListId:this._id,ariaSetSize:y?y.length:void 0,ariaPosInSet:void 0!==n?n+1:void 0},P=(0,l.pi)((0,l.pi)((0,l.pi)({},r),T),E),M=(0,l.pi)((0,l.pi)({},i),T),R=(0,l.pi)((0,l.pi)({},a),T),N=!!this.props.dragDropHelper&&this._getGroupDragDropOptions().canDrag(o)&&!!this.props.dragDropEvents.canDragGroups;return c.createElement("div",(0,l.pi)({ref:this._root},N&&{draggable:!0},{className:(0,pt.i)(b&&b.group,this._getDroppingClassName()),role:"presentation"}),p(P,this._onRenderGroupHeader),o&&o.isCollapsed?null:I?c.createElement(Eo,{role:"presentation",ref:this._list,items:o?o.children:[],onRenderCell:this._renderSubGroup,getItemCountForPage:this._returnOne,onShouldVirtualize:v,version:D,id:this._id}):this._onRenderGroup(k),o&&o.isCollapsed?null:w&&h(M,this._onRenderGroupShowAll),f(R,this._onRenderGroupFooter))},t.prototype.forceUpdate=function(){e.prototype.forceUpdate.call(this),this.forceListUpdate()},t.prototype.forceListUpdate=function(){var e=this.props.group;if(this._list.current){if(this._list.current.forceUpdate(),e&&e.children&&e.children.length>0)for(var t=e.children.length,o=0;o0&&(r&&r(e),this._setGroupsCollapsedState(o,e),this._updateIsSomeGroupExpanded(),this.forceUpdate())},t.prototype._setGroupsCollapsedState=function(e,t){for(var o=0;o0;)e++,t=t[0].children;return e},t.prototype._forceListUpdates=function(e){this.setState({version:{}})},t.prototype._computeIsSomeGroupExpanded=function(e){var t=this;return!(!e||!e.some((function(e){return e.children?t._computeIsSomeGroupExpanded(e.children):!e.isCollapsed})))},t.prototype._updateIsSomeGroupExpanded=function(){var e=this.state.groups,t=this.props.onGroupExpandStateChanged,o=this._computeIsSomeGroupExpanded(e);this._isSomeGroupExpanded!==o&&(t&&t(o),this._isSomeGroupExpanded=o)},t.defaultProps={selectionMode:on.oW.multiple,isHeaderVisible:!0,groupProps:{},compact:!1},t}(c.Component),dr=(0,I.z)(ur,(function(e){var t,o,n=e.theme,r=e.className,i=e.compact,a=n.palette,s=(0,u.Cn)(Un,n);return{root:[s.root,n.fonts.small,{position:"relative",selectors:(t={},t["."+s.listCell]={minHeight:38},t)},i&&[s.compact,{selectors:(o={},o["."+s.listCell]={minHeight:32},o)}],r],group:[s.group,{transition:"background-color "+u.D1.durationValue2+" cubic-bezier(0.445, 0.050, 0.550, 0.950)"}],groupIsDropping:{backgroundColor:a.neutralLight}}}),void 0,{scope:"GroupedList"}),pr=o(1071);function mr(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 hr(e){return function(t){function o(e){var o=t.call(this,e)||this;return o._root=c.createRef(),o._registerResizeObserver=function(){var e=(0,So.J)(o._root.current);o._viewportResizeObserver=new e.ResizeObserver(o._onAsyncResize),o._viewportResizeObserver.observe(o._root.current)},o._unregisterResizeObserver=function(){o._viewportResizeObserver&&(o._viewportResizeObserver.disconnect(),delete o._viewportResizeObserver)},o._updateViewport=function(e){var t=o.state.viewport,n=o._root.current,r=mr((0,yo.zj)(n)),i=mr(n);((i&&i.width)!==t.width||(r&&r.height)!==t.height)&&o._resizeAttempts<3&&i&&r?(o._resizeAttempts++,o.setState({viewport:{width:i.width,height:r.height}},(function(){o._updateViewport(e)}))):(o._resizeAttempts=0,e&&o._composedComponentInstance&&o._composedComponentInstance.forceUpdate())},o._async=new bo.e(o),o._events=new at.r(o),o._resizeAttempts=0,o.state={viewport:{width:0,height:0}},o}return(0,l.ZT)(o,t),o.prototype.componentDidMount=function(){var e=this.props,t=e.skipViewportMeasures,o=e.disableResizeObserver,n=(0,So.J)(this._root.current);this._onAsyncResize=this._async.debounce(this._onAsyncResize,500,{leading:!1}),t||(!o&&this._isResizeObserverAvailable()?this._registerResizeObserver():this._events.on(n,"resize",this._onAsyncResize),this._updateViewport())},o.prototype.componentDidUpdate=function(e){var t=e.skipViewportMeasures,o=this.props,n=o.skipViewportMeasures,r=o.disableResizeObserver,i=(0,So.J)(this._root.current);n!==t&&(n?(this._unregisterResizeObserver(),this._events.off(i,"resize",this._onAsyncResize)):(!r&&this._isResizeObserverAvailable()?this._viewportResizeObserver||this._registerResizeObserver():this._events.on(i,"resize",this._onAsyncResize),this._updateViewport()))},o.prototype.componentWillUnmount=function(){this._events.dispose(),this._async.dispose(),this._unregisterResizeObserver()},o.prototype.render=function(){var t=this.state.viewport,o=t.width>0&&t.height>0?t:void 0;return c.createElement("div",{className:"ms-Viewport",ref:this._root,style:{minWidth:1,minHeight:1}},c.createElement(e,(0,l.pi)({ref:this._updateComposedComponentRef,viewport:o},this.props)))},o.prototype.forceUpdate=function(){this._updateViewport(!0)},o.prototype._onAsyncResize=function(){this._updateViewport()},o.prototype._isResizeObserverAvailable=function(){var e=(0,So.J)(this._root.current);return e&&e.ResizeObserver},o}(pr.P)}var gr=(0,D.y)(),fr=100,vr=function(e){var t=e.selection,o=e.ariaLabelForListHeader,n=e.ariaLabelForSelectAllCheckbox,r=e.ariaLabelForSelectionColumn,i=e.className,a=e.checkboxVisibility,s=e.compact,u=e.constrainMode,p=e.dragDropEvents,m=e.groups,h=e.groupProps,g=e.indentWidth,f=e.items,v=e.isPlaceholderData,b=e.isHeaderVisible,y=e.layoutMode,_=e.onItemInvoked,C=e.onItemContextMenu,S=e.onColumnHeaderClick,x=e.onColumnHeaderContextMenu,k=e.selectionMode,w=void 0===k?t.mode:k,I=e.selectionPreservedOnEmptyClick,D=e.selectionZoneProps,E=e.ariaLabel,P=e.ariaLabelForGrid,N=e.rowElementEventMap,F=e.shouldApplyApplicationRole,L=void 0!==F&&F,A=e.getKey,z=e.listProps,H=e.usePageCache,O=e.onShouldVirtualize,W=e.viewport,V=e.minimumPixelsForDrag,K=e.getGroupHeight,G=e.styles,U=e.theme,j=e.cellStyleProps,J=void 0===j?hn:j,Y=e.onRenderCheckbox,Z=e.useFastIcons,X=e.dragDropHelper,Q=e.adjustedColumns,$=e.isCollapsed,ee=e.isSizing,te=e.isSomeGroupExpanded,oe=e.version,ne=e.rootRef,re=e.listRef,ie=e.focusZoneRef,ae=e.columnReorderOptions,se=e.groupedListRef,le=e.headerRef,ce=e.onGroupExpandStateChanged,ue=e.onColumnIsSizingChanged,de=e.onRowDidMount,pe=e.onRowWillUnmount,me=e.disableSelectionZone,he=e.onColumnResized,ge=e.onColumnAutoResized,fe=e.onToggleCollapse,ve=e.onActiveRowChanged,be=e.onBlur,ye=e.rowElementEventMap,_e=e.onRenderMissingItem,Ce=e.onRenderItemColumn,Se=e.getCellValueKey,xe=e.getRowAriaLabel,ke=e.getRowAriaDescribedBy,we=e.checkButtonAriaLabel,Ie=e.checkboxCellClassName,De=e.useReducedRowRenderer,Te=e.enableUpdateAnimations,Ee=e.enterModalSelectionOnTouch,Pe=e.onRenderDefaultRow,Me=e.selectionZoneRef,Re=function(e){for(var t=0,o=e;o&&o.length>0;)t++,o=o[0].children;return t}(m),Ne=c.useMemo((function(){return(0,l.pi)({renderedWindowsAhead:ee?0:2,renderedWindowsBehind:ee?0:2,getKey:A,version:oe},z)}),[ee,A,oe,z]),Be=wn.none;if(w===on.oW.single&&(Be=wn.hidden),w===on.oW.multiple){var Fe=h&&h.headerProps&&h.headerProps.isCollapsedGroupSelectVisible;void 0===Fe&&(Fe=!0),Be=Fe||!m||te?wn.visible:wn.hidden}a===un.hidden&&(Be=wn.none);var Le=c.useCallback((function(e){return c.createElement(Hn,(0,l.pi)({},e))}),[]),Ae=c.useCallback((function(){return null}),[]),ze=e.onRenderDetailsHeader,He=c.useMemo((function(){return ze?(0,ko.k)(ze,Le):Le}),[ze,Le]),Oe=e.onRenderDetailsFooter,We=c.useMemo((function(){return Oe?(0,ko.k)(Oe,Ae):Ae}),[Oe,Ae]),Ve=c.useMemo((function(){return{columns:Q,groupNestingDepth:Re,selection:t,selectionMode:w,viewport:W,checkboxVisibility:a,indentWidth:g,cellStyleProps:J}}),[Q,Re,t,w,W,a,g,J]),Ke=ae&&ae.onDragEnd,qe=c.useCallback((function(e,t){var o=e.dropLocation,n=ln.outside;if(Ke){if(o&&o!==ln.header)n=o;else if(ne.current){var r=ne.current.getBoundingClientRect();t.clientX>r.left&&t.clientXr.top&&t.clientY0;)++t,(n=o.pop())&&n.children&&o.push.apply(o,n.children);return t}(m)+(f?f.length:0),je=(Be!==wn.none?1:0)+(Q?Q.length:0)+(m?1:0),Je=c.useMemo((function(){return gr(G,{theme:U,compact:s,isFixed:y===cn.fixedColumns,isHorizontalConstrained:u===sn.horizontalConstrained,className:i})}),[G,U,s,y,u,i]),Ye=h&&h.onRenderFooter,Ze=c.useMemo((function(){return Ye?function(e,o){return Ye((0,l.pi)((0,l.pi)({},e),{columns:Q,groupNestingDepth:Re,indentWidth:g,selection:t,selectionMode:w,viewport:W,checkboxVisibility:a,cellStyleProps:J}),o)}:void 0}),[Ye,Q,Re,g,t,w,W,a,J]),Xe=h&&h.onRenderHeader,Qe=c.useMemo((function(){return Xe?function(e,o){var n=e.ariaPosInSet,r=e.ariaSetSize;return Xe((0,l.pi)((0,l.pi)({},e),{columns:Q,groupNestingDepth:Re,indentWidth:g,selection:t,selectionMode:w,viewport:W,checkboxVisibility:a,cellStyleProps:J,ariaColSpan:Q.length,ariaPosInSet:void 0,ariaSetSize:void 0,ariaRowCount:r?r+(b?1:0):void 0,ariaRowIndex:n?n+(b?1:0):void 0}),o)}:function(e,t){var o=e.ariaPosInSet,n=e.ariaSetSize;return t((0,l.pi)((0,l.pi)({},e),{ariaColSpan:Q.length,ariaPosInSet:void 0,ariaSetSize:void 0,ariaRowCount:n?n+(b?1:0):void 0,ariaRowIndex:o?o+(b?1:0):void 0}))}}),[Xe,Q,Re,g,b,t,w,W,a,J]),$e=c.useMemo((function(){return(0,l.pi)((0,l.pi)({},h),{role:"rowgroup",onRenderFooter:Ze,onRenderHeader:Qe})}),[h,Ze,Qe]),et=(0,q.B)((function(){return(0,d.NF)((function(e){var t=0;return e.forEach((function(e){return t+=e.calculatedWidth||e.minWidth})),t}))})),tt=h&&h.collapseAllVisibility,ot=c.useMemo((function(){return et(Q)}),[Q,et]),nt=c.useCallback((function(o,n,r){var i=e.onRenderRow?(0,ko.k)(e.onRenderRow,Pe):Pe,l={item:n,itemIndex:r,flatIndexOffset:b?2:1,compact:s,columns:Q,groupNestingDepth:o,selectionMode:w,selection:t,onDidMount:de,onWillUnmount:pe,onRenderItemColumn:Ce,getCellValueKey:Se,eventsToRegister:ye,dragDropEvents:p,dragDropHelper:X,viewport:W,checkboxVisibility:a,collapseAllVisibility:tt,getRowAriaLabel:xe,getRowAriaDescribedBy:ke,checkButtonAriaLabel:we,checkboxCellClassName:Ie,useReducedRowRenderer:De,indentWidth:g,cellStyleProps:J,onRenderDetailsCheckbox:Y,enableUpdateAnimations:Te,rowWidth:ot,useFastIcons:Z};return n?i(l):_e?_e(r,l):null}),[s,Q,w,t,de,pe,Ce,Se,ye,p,X,W,a,tt,xe,ke,b,we,Ie,De,g,J,Y,Te,Z,Pe,_e,e.onRenderRow,ot]),it=c.useCallback((function(e){return function(t,o){return nt(e,t,o)}}),[nt]),at=c.useCallback((function(e){return e.which===(0,T.dP)(rt.m.right,U)}),[U]),st={componentRef:ie,className:Je.focusZone,direction:R.U.vertical,shouldEnterInnerZone:at,onActiveElementChanged:ve,shouldRaiseClicks:!1,onBlur:be},lt=m?c.createElement(dr,{focusZoneProps:st,componentRef:se,groups:m,groupProps:$e,items:f,onRenderCell:nt,role:"presentation",selection:t,selectionMode:a!==un.hidden?w:on.oW.none,dragDropEvents:p,dragDropHelper:X,eventsToRegister:N,listProps:Ne,onGroupExpandStateChanged:ce,usePageCache:H,onShouldVirtualize:O,getGroupHeight:K,compact:s}):c.createElement(M.k,(0,l.pi)({},st),c.createElement(Eo,(0,l.pi)({ref:re,role:"presentation",items:f,onRenderCell:it(0),usePageCache:H,onShouldVirtualize:O},Ne))),ct=c.useCallback((function(e){e.which===rt.m.down&&ie.current&&ie.current.focus()&&(0===t.getSelectedIndices().length&&t.setIndexSelected(0,!0,!1),e.preventDefault(),e.stopPropagation())}),[t,ie]),ut=c.useCallback((function(e){e.which!==rt.m.up||e.altKey||le.current&&le.current.focus()&&(e.preventDefault(),e.stopPropagation())}),[le]);return c.createElement("div",(0,l.pi)({ref:ne,className:Je.root,"data-automationid":"DetailsList","data-is-scrollable":"false","aria-label":E},L?{role:"application"}:{}),c.createElement(B.u,null),c.createElement("div",{role:"grid","aria-label":P,"aria-rowcount":v?-1:Ue,"aria-colcount":je,"aria-readonly":"true","aria-busy":v},c.createElement("div",{onKeyDown:ct,role:"presentation",className:Je.headerWrapper},b&&He({componentRef:le,selectionMode:w,layoutMode:y,selection:t,columns:Q,onColumnClick:S,onColumnContextMenu:x,onColumnResized:he,onColumnIsSizingChanged:ue,onColumnAutoResized:ge,groupNestingDepth:Re,isAllCollapsed:$,onToggleCollapseAll:fe,ariaLabel:o,ariaLabelForSelectAllCheckbox:n,ariaLabelForSelectionColumn:r,selectAllVisibility:Be,collapseAllVisibility:h&&h.collapseAllVisibility,viewport:W,columnReorderProps:Ge,minimumPixelsForDrag:V,cellStyleProps:J,checkboxVisibility:a,indentWidth:g,onRenderDetailsCheckbox:Y,rowWidth:et(Q),useFastIcons:Z},He)),c.createElement("div",{onKeyDown:ut,role:"presentation",className:Je.contentWrapper},me?lt:c.createElement(rn.i,(0,l.pi)({ref:Me,selection:t,selectionPreservedOnEmptyClick:I,selectionMode:w,onItemInvoked:_,onItemContextMenu:C,enterModalOnTouch:Ee},D||{}),lt)),We((0,l.pi)({},Ve))))},br=function(e){function t(t){var o=e.call(this,t)||this;return o._root=c.createRef(),o._header=c.createRef(),o._groupedList=c.createRef(),o._list=c.createRef(),o._focusZone=c.createRef(),o._selectionZone=c.createRef(),o._onRenderRow=function(e,t){return c.createElement(Gn,(0,l.pi)({},e))},o._getDerivedStateFromProps=function(e,t){var n=o.props,r=n.checkboxVisibility,i=n.items,a=n.setKey,s=n.selectionMode,c=void 0===s?o._selection.mode:s,u=n.columns,d=n.viewport,p=n.compact,m=n.dragDropEvents,h=(o.props.groupProps||{}).isAllGroupsCollapsed,g=void 0===h?void 0:h,f=e.viewport&&e.viewport.width||0,v=d&&d.width||0,b=e.setKey!==a||void 0===e.setKey,y=!1;e.layoutMode!==o.props.layoutMode&&(y=!0);var _=t;return b&&(o._initialFocusedIndex=e.initialFocusedIndex,_=(0,l.pi)((0,l.pi)({},_),{focusedItemIndex:void 0!==o._initialFocusedIndex?o._initialFocusedIndex:-1})),o.props.disableSelectionZone||e.items===i||o._selection.setItems(e.items,b),e.checkboxVisibility===r&&e.columns===u&&f===v&&e.compact===p||(y=!0),_=(0,l.pi)((0,l.pi)({},_),o._adjustColumns(e,_,!0)),e.selectionMode!==c&&(y=!0),void 0===g&&e.groupProps&&void 0!==e.groupProps.isAllGroupsCollapsed&&(_=(0,l.pi)((0,l.pi)({},_),{isCollapsed:e.groupProps.isAllGroupsCollapsed,isSomeGroupExpanded:!e.groupProps.isAllGroupsCollapsed})),e.dragDropEvents!==m&&(o._dragDropHelper&&o._dragDropHelper.dispose(),o._dragDropHelper=e.dragDropEvents?new Dn({selection:o._selection,minimumPixelsForDrag:e.minimumPixelsForDrag}):void 0,y=!0),y&&(_=(0,l.pi)((0,l.pi)({},_),{version:{}})),_},o._onGroupExpandStateChanged=function(e){o.setState({isSomeGroupExpanded:e})},o._onColumnIsSizingChanged=function(e,t){o.setState({isSizing:t})},o._onRowDidMount=function(e){var t=e.props,n=t.item,r=t.itemIndex,i=o._getItemKey(n,r);o._activeRows[i]=e,o._setFocusToRowIfPending(e);var a=o.props.onRowDidMount;a&&a(n,r)},o._onRowWillUnmount=function(e){var t=o.props.onRowWillUnmount,n=e.props,r=n.item,i=n.itemIndex,a=o._getItemKey(r,i);delete o._activeRows[a],t&&t(r,i)},o._onToggleCollapse=function(e){o.setState({isCollapsed:e}),o._groupedList.current&&o._groupedList.current.toggleCollapseAll(e)},o._onColumnResized=function(e,t,n){var r=Math.max(e.minWidth||fr,t);o.props.onColumnResize&&o.props.onColumnResize(e,r,n),o._rememberCalculatedWidth(e,r),o.setState((0,l.pi)((0,l.pi)({},o._adjustColumns(o.props,o.state,!0,n)),{version:{}}))},o._onColumnAutoResized=function(e,t){var n=0,r=0,i=Object.keys(o._activeRows).length;for(var a in o._activeRows)o._activeRows.hasOwnProperty(a)&&o._activeRows[a].measureCell(t,(function(a){n=Math.max(n,a),++r===i&&o._onColumnResized(e,n,t)}))},o._onActiveRowChanged=function(e,t){var n=o.props,r=n.items,i=n.onActiveItemChanged;if(e&&e.getAttribute("data-item-index")){var a=Number(e.getAttribute("data-item-index"));a>=0&&(i&&i(r[a],a,t),o.setState({focusedItemIndex:a}))}},o._onBlur=function(e){o.setState({focusedItemIndex:-1})},(0,P.l)(o),o._async=new bo.e(o),o._activeRows={},o._columnOverrides={},o.state={focusedItemIndex:-1,lastWidth:0,adjustedColumns:o._getAdjustedColumns(t,void 0),isSizing:!1,isCollapsed:t.groupProps&&t.groupProps.isAllGroupsCollapsed,isSomeGroupExpanded:t.groupProps&&!t.groupProps.isAllGroupsCollapsed,version:{},getDerivedStateFromProps:o._getDerivedStateFromProps},o._selection=t.selection||new nn.Y({onSelectionChanged:void 0,getKey:t.getKey,selectionMode:t.selectionMode}),o.props.disableSelectionZone||o._selection.setItems(t.items,!1),o._dragDropHelper=t.dragDropEvents?new Dn({selection:o._selection,minimumPixelsForDrag:t.minimumPixelsForDrag}):void 0,o._initialFocusedIndex=t.initialFocusedIndex,o}return(0,l.ZT)(t,e),t.getDerivedStateFromProps=function(e,t){return t.getDerivedStateFromProps(e,t)},t.prototype.scrollToIndex=function(e,t,o){this._list.current&&this._list.current.scrollToIndex(e,t,o),this._groupedList.current&&this._groupedList.current.scrollToIndex(e,t,o)},t.prototype.focusIndex=function(e,t,o,n){void 0===t&&(t=!1);var r=this.props.items[e];if(r){this.scrollToIndex(e,o,n);var i=this._getItemKey(r,e),a=this._activeRows[i];a&&this._setFocusToRow(a,t)}},t.prototype.getStartItemIndexInView=function(){return this._list&&this._list.current?this._list.current.getStartItemIndexInView():this._groupedList&&this._groupedList.current?this._groupedList.current.getStartItemIndexInView():0},t.prototype.componentWillUnmount=function(){this._dragDropHelper&&this._dragDropHelper.dispose(),this._async.dispose()},t.prototype.componentDidUpdate=function(e,t){if(this._notifyColumnsResized(),void 0!==this._initialFocusedIndex&&(i=this.props.items[this._initialFocusedIndex])){var o=this._getItemKey(i,this._initialFocusedIndex);(n=this._activeRows[o])&&this._setFocusToRowIfPending(n)}if(this.props.items!==e.items&&this.props.items.length>0&&-1!==this.state.focusedItemIndex&&!(0,it.t)(this._root.current,document.activeElement,!1)){var n,r=this.state.focusedItemIndex0;)e++,t=t[0].children;return e},t.prototype._setFocusToRowIfPending=function(e){var t=e.props.itemIndex;void 0!==this._initialFocusedIndex&&t===this._initialFocusedIndex&&(this._setFocusToRow(e),delete this._initialFocusedIndex)},t.prototype._setFocusToRow=function(e,t){void 0===t&&(t=!1),this._selectionZone.current&&this._selectionZone.current.ignoreNextFocus(),this._async.setTimeout((function(){e.focus(t)}),0)},t.prototype._forceListUpdates=function(){this._groupedList.current&&this._groupedList.current.forceUpdate(),this._list.current&&this._list.current.forceUpdate()},t.prototype._notifyColumnsResized=function(){this.state.adjustedColumns.forEach((function(e){e.onColumnResize&&e.onColumnResize(e.currentWidth)}))},t.prototype._adjustColumns=function(e,t,o,n){var r=this._getAdjustedColumns(e,t,o,n),i=this.props.viewport,a=i&&i.width?i.width:0;return(0,l.pi)((0,l.pi)({},t),{adjustedColumns:r,lastWidth:a})},t.prototype._getAdjustedColumns=function(e,t,o,n){var r,i=this,a=e.items,s=e.layoutMode,l=e.selectionMode,c=e.viewport,u=c&&c.width?c.width:0,d=e.columns,p=this.props?this.props.columns:[],m=t?t.lastWidth:-1,h=t?t.lastSelectionMode:void 0;return o||m!==u||h!==l||p&&d!==p?(d=d||yr(a,!0),s===cn.fixedColumns?(r=this._getFixedColumns(d)).forEach((function(e){i._rememberCalculatedWidth(e,e.calculatedWidth)})):(r=void 0!==n?this._getJustifiedColumnsAfterResize(d,u,e,n):this._getJustifiedColumns(d,u,e,0)).forEach((function(e){i._getColumnOverride(e.key).currentWidth=e.calculatedWidth})),r):d||[]},t.prototype._getFixedColumns=function(e){var t=this;return e.map((function(e){var o=(0,l.pi)((0,l.pi)({},e),t._columnOverrides[e.key]);return o.calculatedWidth||(o.calculatedWidth=o.maxWidth||o.minWidth||fr),o}))},t.prototype._getJustifiedColumnsAfterResize=function(e,t,o,n){var r=this,i=e.slice(0,n);i.forEach((function(e){return e.calculatedWidth=r._getColumnOverride(e.key).currentWidth}));var a=i.reduce((function(e,t,n){return e+_r(t,0,o)}),0),s=e.slice(n),c=t-a;return(0,l.pr)(i,this._getJustifiedColumns(s,c,o,n))},t.prototype._getJustifiedColumns=function(e,t,o,n){for(var r=this,i=o.selectionMode,a=void 0===i?this._selection.mode:i,s=o.checkboxVisibility,c=a!==on.oW.none&&s!==un.hidden?48:0,u=36*this._getGroupNestingDepth(),d=0,p=t-(c+u),m=e.map((function(e,t){var n=(0,l.pi)((0,l.pi)((0,l.pi)({},e),{calculatedWidth:e.minWidth||fr}),r._columnOverrides[e.key]);return d+=_r(n,0,o),n})),h=m.length-1;h>0&&d>p;){var g=(y=m[h]).minWidth||fr,f=d-p;if(y.calculatedWidth-g>=f||!y.isCollapsible&&!y.isCollapsable){var v=y.calculatedWidth;y.calculatedWidth=Math.max(y.calculatedWidth-f,g),d-=v-y.calculatedWidth}else d-=_r(y,0,o),m.splice(h,1);h--}for(var b=0;b=(E||Er.eD.small)&&c.createElement(dt.m,(0,l.pi)({ref:H},ve),c.createElement(Dr.G,{role:M||!v?"dialog":"alertdialog","aria-modal":!M,ariaLabelledBy:k,ariaDescribedBy:I,onDismiss:_,shouldRestoreFocus:!f},c.createElement("div",{className:fe.root,role:M?void 0:"document"},!M&&c.createElement(Ir.a,(0,l.pi)({isDarkThemed:y,onClick:v?void 0:_,allowTouchBodyScroll:a},S)),R?c.createElement(Br,{handleSelector:R.dragHandleSelector||"#"+V,preventDragSelector:"button",onStart:Se,onDragChange:xe,onStop:ke,position:ne},we):we)))||null}));Or.displayName="Modal";var Wr=(0,I.z)(Or,(function(e){var t,o=e.className,n=e.containerClassName,r=e.scrollableContentClassName,i=e.isOpen,a=e.isVisible,s=e.hasBeenOpened,l=e.modalRectangleTop,c=e.theme,d=e.topOffsetFixed,p=e.isModeless,m=e.layerClassName,h=e.isDefaultDragHandle,g=e.windowInnerHeight,f=c.palette,v=c.effects,b=c.fonts,y=(0,u.Cn)(wr,c);return{root:[y.root,b.medium,{backgroundColor:"transparent",position:p?"absolute":"fixed",height:"100%",width:"100%",display:"flex",alignItems:"center",justifyContent:"center",opacity:0,pointerEvents:"none",transition:"opacity "+kr},d&&s&&{alignItems:"flex-start"},i&&y.isOpen,a&&{opacity:1,pointerEvents:"auto"},o],main:[y.main,{boxShadow:v.elevation64,borderRadius:v.roundedCorner2,backgroundColor:f.white,boxSizing:"border-box",position:"relative",textAlign:"left",outline:"3px solid transparent",maxHeight:"calc(100% - 32px)",maxWidth:"calc(100% - 32px)",minHeight:"176px",minWidth:"288px",overflowY:"auto",zIndex:p?u.bR.Layer:void 0},d&&s&&{top:l},h&&{cursor:"move"},n],scrollableContent:[y.scrollableContent,{overflowY:"auto",flexGrow:1,maxHeight:"100vh",selectors:(t={},t["@supports (-webkit-overflow-scrolling: touch)"]={maxHeight:g},t)},r],layer:p&&[m,y.layer,{position:"static",width:"unset",height:"unset"}],keyboardMoveIconContainer:{position:"absolute",display:"flex",justifyContent:"center",width:"100%",padding:"3px 0px"},keyboardMoveIcon:{fontSize:b.xLargePlus.fontSize,width:"24px"}}}),void 0,{scope:"Modal",fields:["theme","styles","enableAriaHiddenSiblings"]});Wr.displayName="Modal";var Vr=o(3129),Kr=(0,D.y)(),qr=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.className,o=e.styles,n=e.theme;return this._classNames=Kr(o,{theme:n,className:t}),c.createElement("div",{className:this._classNames.actions},c.createElement("div",{className:this._classNames.actionsRight},this._renderChildrenAsActions()))},t.prototype._renderChildrenAsActions=function(){var e=this;return c.Children.map(this.props.children,(function(t){return t?c.createElement("span",{className:e._classNames.action},t):null}))},t}(c.Component),Gr={actions:"ms-Dialog-actions",action:"ms-Dialog-action",actionsRight:"ms-Dialog-actionsRight"},Ur=(0,I.z)(qr,(function(e){var t=e.className,o=e.theme,n=(0,u.Cn)(Gr,o);return{actions:[n.actions,{position:"relative",width:"100%",minHeight:"24px",lineHeight:"24px",margin:"16px 0 0",fontSize:"0",selectors:{".ms-Button":{lineHeight:"normal"}}},t],action:[n.action,{margin:"0 4px"}],actionsRight:[n.actionsRight,{textAlign:"right",marginRight:"-4px",fontSize:"0"}]}}),void 0,{scope:"DialogFooter"}),jr=(0,D.y)(),Jr=c.createElement(Ur,null).type,Yr=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),(0,Vr.b)("DialogContent",t,{titleId:"titleProps.id"}),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e,t=this.props,o=t.showCloseButton,n=t.className,r=t.closeButtonAriaLabel,i=t.onDismiss,a=t.subTextId,s=t.subText,u=t.titleProps,d=void 0===u?{}:u,p=t.titleId,m=t.title,h=t.type,g=t.styles,f=t.theme,v=t.draggableHeaderClassName,b=jr(g,{theme:f,className:n,isLargeHeader:h===Cr.largeHeader,isClose:h===Cr.close,draggableHeaderClassName:v}),y=this._groupChildren();return s&&(e=c.createElement("p",{className:b.subText,id:a},s)),c.createElement("div",{className:b.content},c.createElement("div",{className:b.header},c.createElement("div",(0,l.pi)({id:p,role:"heading","aria-level":1},d,{className:(0,pt.i)(b.title,d.className)}),m),c.createElement("div",{className:b.topButton},this.props.topButtonsProps.map((function(e,t){return c.createElement(V.h,(0,l.pi)({key:e.uniqueId||t},e))})),(h===Cr.close||o&&h!==Cr.largeHeader)&&c.createElement(V.h,{className:b.button,iconProps:{iconName:"Cancel"},ariaLabel:r,onClick:i,title:r}))),c.createElement("div",{className:b.inner},c.createElement("div",{className:b.innerContent},e,y.contents),y.footers))},t.prototype._groupChildren=function(){var e={footers:[],contents:[]};return c.Children.map(this.props.children,(function(t){"object"==typeof t&&null!==t&&t.type===Jr?e.footers.push(t):e.contents.push(t)})),e},t.defaultProps={showCloseButton:!1,className:"",topButtonsProps:[],closeButtonAriaLabel:"Close"},(0,l.gn)([Er.Ae],t)}(c.Component),Zr={contentLgHeader:"ms-Dialog-lgHeader",close:"ms-Dialog--close",subText:"ms-Dialog-subText",header:"ms-Dialog-header",headerLg:"ms-Dialog--lgHeader",button:"ms-Dialog-button ms-Dialog-button--close",inner:"ms-Dialog-inner",content:"ms-Dialog-content",title:"ms-Dialog-title"},Xr=(0,I.z)(Yr,(function(e){var t,o,n,r=e.className,i=e.theme,a=e.isLargeHeader,s=e.isClose,l=e.hidden,c=e.isMultiline,d=e.draggableHeaderClassName,p=i.palette,m=i.fonts,h=i.effects,g=i.semanticColors,f=(0,u.Cn)(Zr,i);return{content:[a&&[f.contentLgHeader,{borderTop:"4px solid "+p.themePrimary}],s&&f.close,{flexGrow:1,overflowY:"hidden"},r],subText:[f.subText,m.medium,{margin:"0 0 24px 0",color:g.bodySubtext,lineHeight:"1.5",wordWrap:"break-word",fontWeight:u.lq.regular}],header:[f.header,{position:"relative",width:"100%",boxSizing:"border-box"},s&&f.close,d&&[d,{cursor:"move"}]],button:[f.button,l&&{selectors:{".ms-Icon.ms-Icon--Cancel":{color:g.buttonText,fontSize:u.ld.medium}}}],inner:[f.inner,{padding:"0 24px 24px",selectors:(t={},t["@media (min-width: "+u.QQ+"px) and (max-width: "+u.mV+"px)"]={padding:"0 16px 16px"},t)}],innerContent:[f.content,{position:"relative",width:"100%"}],title:[f.title,m.xLarge,{color:g.bodyText,margin:"0",minHeight:m.xLarge.fontSize,padding:"16px 46px 20px 24px",lineHeight:"normal",selectors:(o={},o["@media (min-width: "+u.QQ+"px) and (max-width: "+u.mV+"px)"]={padding:"16px 46px 16px 16px"},o)},a&&{color:g.menuHeader},c&&{fontSize:m.xxLarge.fontSize}],topButton:[{display:"flex",flexDirection:"row",flexWrap:"nowrap",position:"absolute",top:"0",right:"0",padding:"15px 15px 0 0",selectors:(n={"> *":{flex:"0 0 auto"},".ms-Dialog-button":{color:g.buttonText},".ms-Dialog-button:hover":{color:g.buttonTextHovered,borderRadius:h.roundedCorner2}},n["@media (min-width: "+u.QQ+"px) and (max-width: "+u.mV+"px)"]={padding:"15px 8px 0 0"},n)}]}}),void 0,{scope:"DialogContent"}),Qr=(0,D.y)(),$r={isDarkOverlay:!1,isBlocking:!1,className:"",containerClassName:"",topOffsetFixed:!1},ei={type:Cr.normal,className:"",topButtonsProps:[]},ti=function(e){function t(t){var o=e.call(this,t)||this;return o._getSubTextId=function(){var e=o.props,t=e.ariaDescribedById,n=e.modalProps,r=e.dialogContentProps,i=e.subText,a=n&&n.subtitleAriaId||t;return a||(a=(r&&r.subText||i)&&o._defaultSubTextId),a},o._getTitleTextId=function(){var e=o.props,t=e.ariaLabelledById,n=e.modalProps,r=e.dialogContentProps,i=e.title,a=n&&n.titleAriaId||t;return a||(a=(r&&r.title||i)&&o._defaultTitleTextId),a},o._id=(0,dn.z)("Dialog"),o._defaultTitleTextId=o._id+"-title",o._defaultSubTextId=o._id+"-subText",o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e,t,o,n,r=this.props,i=r.className,a=r.containerClassName,s=r.contentClassName,u=r.elementToFocusOnDismiss,d=r.firstFocusableSelector,p=r.forceFocusInsideTrap,m=r.styles,h=r.hidden,g=r.ignoreExternalFocusing,f=r.isBlocking,v=r.isClickableOutsideFocusTrap,b=r.isDarkOverlay,y=r.isOpen,_=r.onDismiss,C=r.onDismissed,S=r.onLayerDidMount,x=r.responsiveMode,k=r.subText,w=r.theme,I=r.title,D=r.topButtonsProps,T=r.type,E=r.minWidth,P=r.maxWidth,M=r.modalProps,R=(0,l.pi)({},M?M.layerProps:{onLayerDidMount:S});S&&!R.onLayerDidMount&&(R.onLayerDidMount=S),M&&M.dragOptions&&!M.dragOptions.dragHandleSelector?(o="ms-Dialog-draggable-header",n=(0,l.pi)((0,l.pi)({},M.dragOptions),{dragHandleSelector:"."+o})):n=M&&M.dragOptions;var N=(0,l.pi)((0,l.pi)((0,l.pi)((0,l.pi)({},$r),{className:i,containerClassName:a,isBlocking:f,isDarkOverlay:b,onDismissed:C}),M),{layerProps:R,dragOptions:n}),B=(0,l.pi)((0,l.pi)((0,l.pi)({className:s,subText:k,title:I,topButtonsProps:D,type:T},ei),this.props.dialogContentProps),{draggableHeaderClassName:o,titleProps:(0,l.pi)({id:(null===(e=this.props.dialogContentProps)||void 0===e?void 0:e.titleId)||this._defaultTitleTextId},null===(t=this.props.dialogContentProps)||void 0===t?void 0:t.titleProps)}),F=Qr(m,{theme:w,className:N.className,containerClassName:N.containerClassName,hidden:h,dialogDefaultMinWidth:E,dialogDefaultMaxWidth:P});return c.createElement(Wr,(0,l.pi)({elementToFocusOnDismiss:u,firstFocusableSelector:d,forceFocusInsideTrap:p,ignoreExternalFocusing:g,isClickableOutsideFocusTrap:v,onDismissed:N.onDismissed,responsiveMode:x},N,{isDarkOverlay:N.isDarkOverlay,isBlocking:N.isBlocking,isOpen:void 0!==y?y:!h,className:F.root,containerClassName:F.main,onDismiss:_||N.onDismiss,subtitleAriaId:this._getSubTextId(),titleAriaId:this._getTitleTextId()}),c.createElement(Xr,(0,l.pi)({subTextId:this._defaultSubTextId,title:B.title,subText:B.subText,showCloseButton:N.isBlocking,topButtonsProps:B.topButtonsProps,type:B.type,onDismiss:_||B.onDismiss,className:B.className},B),this.props.children))},t.defaultProps={hidden:!0},(0,l.gn)([Er.Ae],t)}(c.Component),oi={root:"ms-Dialog"},ni=(0,I.z)(ti,(function(e){var t,o=e.className,n=e.containerClassName,r=e.dialogDefaultMinWidth,i=void 0===r?"288px":r,a=e.dialogDefaultMaxWidth,s=void 0===a?"340px":a,l=e.hidden,c=e.theme;return{root:[(0,u.Cn)(oi,c).root,c.fonts.medium,o],main:[{width:i,outline:"3px solid transparent",selectors:(t={},t["@media (min-width: "+u.dd+"px)"]={width:"auto",maxWidth:s,minWidth:i},t)},!l&&{display:"flex"},n]}}),void 0,{scope:"Dialog"});ni.displayName="Dialog";var ri,ii=o(8386);!function(e){e[e.normal=0]="normal",e[e.compact=1]="compact"}(ri||(ri={}));var ai=(0,D.y)(),si=function(e){function t(t){var o=e.call(this,t)||this;return o._rootElement=c.createRef(),o._onClick=function(e){o._onAction(e)},o._onKeyDown=function(e){e.which!==rt.m.enter&&e.which!==rt.m.space||o._onAction(e)},o._onAction=function(e){var t=o.props,n=t.onClick,r=t.onClickHref,i=t.onClickTarget;n?n(e):!n&&r&&(i?window.open(r,i,"noreferrer noopener nofollow"):window.location.href=r,e.preventDefault(),e.stopPropagation())},(0,P.l)(o),(0,Vr.b)("DocumentCard",t,{accentColor:void 0}),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e,t=this.props,o=t.onClick,n=t.onClickHref,r=t.children,i=t.type,a=t.accentColor,s=t.styles,u=t.theme,d=t.className,p=(0,E.pq)(this.props,E.n7,["className","onClick","type","role"]),m=!(!o&&!n);this._classNames=ai(s,{theme:u,className:d,actionable:m,compact:i===ri.compact}),i===ri.compact&&a&&(e={borderBottomColor:a});var h=this.props.role||(m?o?"button":"link":void 0),g=m?0:void 0;return c.createElement("div",(0,l.pi)({ref:this._rootElement,tabIndex:g,"data-is-focusable":m,role:h,className:this._classNames.root,onKeyDown:m?this._onKeyDown:void 0,onClick:m?this._onClick:void 0,style:e},p),r)},t.prototype.focus=function(){this._rootElement.current&&this._rootElement.current.focus()},t.defaultProps={type:ri.normal},t}(c.Component),li={root:"ms-DocumentCardPreview",icon:"ms-DocumentCardPreview-icon",iconContainer:"ms-DocumentCardPreview-iconContainer"},ci={root:"ms-DocumentCardActivity",multiplePeople:"ms-DocumentCardActivity--multiplePeople",details:"ms-DocumentCardActivity-details",name:"ms-DocumentCardActivity-name",activity:"ms-DocumentCardActivity-activity",avatars:"ms-DocumentCardActivity-avatars",avatar:"ms-DocumentCardActivity-avatar"},ui={root:"ms-DocumentCardTitle"},di={root:"ms-DocumentCardLocation"},pi={root:"ms-DocumentCard",rootActionable:"ms-DocumentCard--actionable",rootCompact:"ms-DocumentCard--compact"},mi=(0,I.z)(si,(function(e){var t,o,n=e.className,r=e.theme,i=e.actionable,a=e.compact,s=r.palette,l=r.fonts,c=r.effects,d=(0,u.Cn)(pi,r);return{root:[d.root,{WebkitFontSmoothing:"antialiased",backgroundColor:s.white,border:"1px solid "+s.neutralLight,maxWidth:"320px",minWidth:"206px",userSelect:"none",position:"relative",selectors:(t={":focus":{outline:"0px solid"}},t["."+de.G$+" &:focus"]=(0,u.$Y)(s.neutralSecondary,c.roundedCorner2),t["."+di.root+" + ."+ui.root]={paddingTop:"4px"},t)},i&&[d.rootActionable,{selectors:{":hover":{cursor:"pointer",borderColor:s.neutralTertiaryAlt},":hover:after":{content:'" "',position:"absolute",top:0,right:0,bottom:0,left:0,border:"1px solid "+s.neutralTertiaryAlt,pointerEvents:"none"}}}],a&&[d.rootCompact,{display:"flex",maxWidth:"480px",height:"108px",selectors:(o={},o["."+li.root]={borderRight:"1px solid "+s.neutralLight,borderBottom:0,maxHeight:"106px",maxWidth:"144px"},o["."+li.icon]={maxHeight:"32px",maxWidth:"32px"},o["."+ci.root]={paddingBottom:"12px"},o["."+ui.root]={paddingBottom:"12px 16px 8px 16px",fontSize:l.mediumPlus.fontSize,lineHeight:"16px"},o)}],n]}}),void 0,{scope:"DocumentCard"}),hi=(0,D.y)(),gi=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this,t=this.props,o=t.actions,n=t.views,r=t.styles,i=t.theme,a=t.className;return this._classNames=hi(r,{theme:i,className:a}),c.createElement("div",{className:this._classNames.root},o&&o.map((function(t,o){return c.createElement("div",{className:e._classNames.action,key:o},c.createElement(V.h,(0,l.pi)({},t)))})),n>0&&c.createElement("div",{className:this._classNames.views},c.createElement(W.J,{iconName:"View",className:this._classNames.viewsIcon}),n))},t}(c.Component),fi={root:"ms-DocumentCardActions",action:"ms-DocumentCardActions-action",views:"ms-DocumentCardActions-views"},vi=(0,I.z)(gi,(function(e){var t=e.className,o=e.theme,n=o.palette,r=o.fonts,i=(0,u.Cn)(fi,o);return{root:[i.root,{height:"34px",padding:"4px 12px",position:"relative"},t],action:[i.action,{float:"left",marginRight:"4px",color:n.neutralSecondary,cursor:"pointer",selectors:{".ms-Button":{fontSize:r.mediumPlus.fontSize,height:34,width:34},".ms-Button:hover .ms-Button-icon":{color:o.semanticColors.buttonText,cursor:"pointer"}}}],views:[i.views,{textAlign:"right",lineHeight:34}],viewsIcon:{marginRight:"8px",fontSize:r.medium.fontSize,verticalAlign:"top"}}}),void 0,{scope:"DocumentCardActions"}),bi=(0,D.y)(),yi=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.activity,o=e.people,n=e.styles,r=e.theme,i=e.className;return this._classNames=bi(n,{theme:r,className:i,multiplePeople:o.length>1}),o&&0!==o.length?c.createElement("div",{className:this._classNames.root},this._renderAvatars(o),c.createElement("div",{className:this._classNames.details},c.createElement("span",{className:this._classNames.name},this._getNameString(o)),c.createElement("span",{className:this._classNames.activity},t))):null},t.prototype._renderAvatars=function(e){return c.createElement("div",{className:this._classNames.avatars},e.length>1?this._renderAvatar(e[1]):null,this._renderAvatar(e[0]))},t.prototype._renderAvatar=function(e){return c.createElement("div",{className:this._classNames.avatar},c.createElement(_.t,{imageInitials:e.initials,text:e.name,imageUrl:e.profileImageSrc,initialsColor:e.initialsColor,allowPhoneInitials:e.allowPhoneInitials,role:"presentation",size:C.Ir.size32}))},t.prototype._getNameString=function(e){var t=e[0].name;return e.length>=2&&(t+=" +"+(e.length-1)),t},t}(c.Component),_i=(0,I.z)(yi,(function(e){var t=e.theme,o=e.className,n=e.multiplePeople,r=t.palette,i=t.fonts,a=(0,u.Cn)(ci,t);return{root:[a.root,n&&a.multiplePeople,{padding:"8px 16px",position:"relative"},o],avatars:[a.avatars,{marginLeft:"-2px",height:"32px"}],avatar:[a.avatar,{display:"inline-block",verticalAlign:"top",position:"relative",textAlign:"center",width:32,height:32,selectors:{"&:after":{content:'" "',position:"absolute",left:"-1px",top:"-1px",right:"-1px",bottom:"-1px",border:"2px solid "+r.white,borderRadius:"50%"},":nth-of-type(2)":n&&{marginLeft:"-16px"}}}],details:[a.details,{left:n?"72px":"56px",height:32,position:"absolute",top:8,width:"calc(100% - 72px)"}],name:[a.name,{display:"block",fontSize:i.small.fontSize,lineHeight:"15px",height:"15px",overflow:"hidden",textOverflow:"ellipsis",whiteSpace:"nowrap",color:r.neutralPrimary,fontWeight:u.lq.semibold}],activity:[a.activity,{display:"block",fontSize:i.small.fontSize,lineHeight:"15px",height:"15px",overflow:"hidden",textOverflow:"ellipsis",whiteSpace:"nowrap",color:r.neutralSecondary}]}}),void 0,{scope:"DocumentCardActivity"}),Ci=(0,D.y)(),Si=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.children,o=e.styles,n=e.theme,r=e.className;return this._classNames=Ci(o,{theme:n,className:r}),c.createElement("div",{className:this._classNames.root},t)},t}(c.Component),xi={root:"ms-DocumentCardDetails"},ki=(0,I.z)(Si,(function(e){var t=e.className,o=e.theme;return{root:[(0,u.Cn)(xi,o).root,{display:"flex",flexDirection:"column",flex:1,justifyContent:"space-between",overflow:"hidden"},t]}}),void 0,{scope:"DocumentCardDetails"}),wi=(0,D.y)(),Ii=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.location,o=e.locationHref,n=e.ariaLabel,r=e.onClick,i=e.styles,a=e.theme,s=e.className;return this._classNames=wi(i,{theme:a,className:s}),c.createElement("a",{className:this._classNames.root,href:o,onClick:r,"aria-label":n},t)},t}(c.Component),Di=(0,I.z)(Ii,(function(e){var t=e.theme,o=e.className,n=t.palette,r=t.fonts;return{root:[(0,u.Cn)(di,t).root,r.small,{color:n.themePrimary,display:"block",fontWeight:u.lq.semibold,overflow:"hidden",padding:"8px 16px",position:"relative",textDecoration:"none",textOverflow:"ellipsis",whiteSpace:"nowrap",selectors:{":hover":{color:n.themePrimary,cursor:"pointer"}}},o]}}),void 0,{scope:"DocumentCardLocation"}),Ti=o(4861),Ei=(0,D.y)(),Pi=function(e){function t(t){var o=e.call(this,t)||this;return o._renderPreviewList=function(e){var t=o.props,n=t.getOverflowDocumentCountText,r=t.maxDisplayCount,i=void 0===r?3:r,a=e.length-i,s=a?n?n(a):"+"+a:null,u=e.slice(0,i).map((function(e,t){return c.createElement("li",{key:t},c.createElement(Ti.E,{className:o._classNames.fileListIcon,src:e.iconSrc,role:"presentation",alt:"",width:"16px",height:"16px"}),c.createElement(O,(0,l.pi)({className:o._classNames.fileListLink},(e.linkProps,{href:e.linkProps&&e.linkProps.href||e.url})),e.name))}));return c.createElement("div",null,c.createElement("ul",{className:o._classNames.fileList},u),s&&c.createElement("span",{className:o._classNames.fileListOverflowText},s))},(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e,t,o=this.props,n=o.previewImages,r=o.styles,i=o.theme,a=o.className,s=n.length>1;return this._classNames=Ei(r,{theme:i,className:a,isFileList:s}),n.length>1?t=this._renderPreviewList(n):1===n.length&&(t=this._renderPreviewImage(n[0]),n[0].accentColor&&(e={borderBottomColor:n[0].accentColor})),c.createElement("div",{className:this._classNames.root,style:e},t)},t.prototype._renderPreviewImage=function(e){var t=e.width,o=e.height,n=e.imageFit,r=e.previewIconProps,i=e.previewIconContainerClass;if(r)return c.createElement("div",{className:(0,pt.i)(this._classNames.previewIcon,i),style:{width:t,height:o}},c.createElement(W.J,(0,l.pi)({},r)));var a,s=c.createElement(Ti.E,{width:t,height:o,imageFit:n,src:e.previewImageSrc,role:"presentation",alt:""});return e.iconSrc&&(a=c.createElement(Ti.E,{className:this._classNames.icon,src:e.iconSrc,role:"presentation",alt:""})),c.createElement("div",null,s,a)},t}(c.Component),Mi=(0,I.z)(Pi,(function(e){var t,o,n=e.theme,r=e.className,i=e.isFileList,a=n.palette,s=n.fonts,l=(0,u.Cn)(li,n);return{root:[l.root,s.small,{backgroundColor:i?a.white:a.neutralLighterAlt,borderBottom:"1px solid "+a.neutralLight,overflow:"hidden",position:"relative"},r],previewIcon:[l.iconContainer,{display:"flex",alignItems:"center",justifyContent:"center",height:"100%"}],icon:[l.icon,{left:"10px",bottom:"10px",position:"absolute"}],fileList:{padding:"16px 16px 0 16px",listStyleType:"none",margin:0,selectors:{li:{height:"16px",lineHeight:"16px",marginBottom:"8px",overflow:"hidden"}}},fileListIcon:{display:"inline-block",marginRight:"8px"},fileListLink:[(0,u.GL)(n,{highContrastStyle:{border:"1px solid WindowText",outline:"none"}}),{boxSizing:"border-box",color:a.neutralDark,overflow:"hidden",display:"inline-block",textDecoration:"none",textOverflow:"ellipsis",whiteSpace:"nowrap",width:"calc(100% - 24px)",selectors:(t={":hover":{color:a.themePrimary}},t["."+de.G$+" &:focus"]={selectors:(o={},o[u.qJ]={outline:"none"},o)},t)}],fileListOverflowText:{padding:"0px 16px 8px 16px",display:"block"}}}),void 0,{scope:"DocumentCardPreview"}),Ri=(0,D.y)(),Ni=function(e){function t(t){var o=e.call(this,t)||this;return o._onImageLoad=function(){o.setState({imageHasLoaded:!0})},(0,P.l)(o),o.state={imageHasLoaded:!1},o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.width,n=e.height,r=e.imageFit,i=e.imageSrc;return this._classNames=Ri(t,this.props),c.createElement("div",{className:this._classNames.root},i&&c.createElement(Ti.E,{width:o,height:n,imageFit:r,src:i,role:"presentation",alt:"",onLoad:this._onImageLoad}),this.state.imageHasLoaded?this._renderCornerIcon():this._renderCenterIcon())},t.prototype._renderCenterIcon=function(){var e=this.props.iconProps;return c.createElement("div",{className:this._classNames.centeredIconWrapper},c.createElement(W.J,(0,l.pi)({className:this._classNames.centeredIcon},e)))},t.prototype._renderCornerIcon=function(){var e=this.props.iconProps;return c.createElement(W.J,(0,l.pi)({className:this._classNames.cornerIcon},e))},t}(c.Component),Bi="42px",Fi="32px",Li=(0,I.z)(Ni,(function(e){var t=e.theme,o=e.className,n=e.height,r=e.width,i=t.palette;return{root:[{borderBottom:"1px solid "+i.neutralLight,position:"relative",backgroundColor:i.neutralLighterAlt,overflow:"hidden",height:n&&n+"px",width:r&&r+"px"},o],centeredIcon:[{height:Bi,width:Bi,fontSize:Bi}],centeredIconWrapper:[{display:"flex",alignItems:"center",justifyContent:"center",height:"100%",width:"100%",position:"absolute",top:0,left:0}],cornerIcon:[{left:"10px",bottom:"10px",height:Fi,width:Fi,fontSize:Fi,position:"absolute",overflow:"visible"}]}}),void 0,{scope:"DocumentCardImage"}),Ai=(0,D.y)(),zi=function(e){function t(t){var o=e.call(this,t)||this;return o._titleElement=c.createRef(),o._measureTitleElement=c.createRef(),o._truncateTitle=function(){o.state.needMeasurement&&o._async.requestAnimationFrame(o._truncateWhenInAnimation)},o._truncateWhenInAnimation=function(){var e=o.props.title,t=o._measureTitleElement.current;if(t){var n=getComputedStyle(t);if(n.width&&n.lineHeight&&n.height){var r=t.clientWidth,i=t.scrollWidth,a=Math.floor((parseInt(n.height,10)+5)/parseInt(n.lineHeight,10)),s=i/(parseInt(n.width,10)*a);if(s>1){var l=e.length/s-3;return o.setState({truncatedTitleFirstPiece:e.slice(0,l/2),truncatedTitleSecondPiece:e.slice(e.length-l/2),clientWidth:r,needMeasurement:!1})}}}return o.setState({needMeasurement:!1})},o._shrinkTitle=function(){var e=o.state,t=e.truncatedTitleFirstPiece,n=e.truncatedTitleSecondPiece;if(t&&n){var r=o._titleElement.current;if(!r)return;(r.scrollHeight>r.clientHeight+5||r.scrollWidth>r.clientWidth)&&o.setState({truncatedTitleFirstPiece:t.slice(0,t.length-1),truncatedTitleSecondPiece:n.slice(1)})}},(0,P.l)(o),o._async=new bo.e(o),o._events=new at.r(o),o.state={truncatedTitleFirstPiece:"",truncatedTitleSecondPiece:"",previousTitle:t.title,needMeasurement:!!t.shouldTruncate},o}return(0,l.ZT)(t,e),t.prototype.componentDidUpdate=function(){this.props.title!==this.state.previousTitle&&this.setState({truncatedTitleFirstPiece:void 0,truncatedTitleSecondPiece:void 0,clientWidth:void 0,previousTitle:this.props.title,needMeasurement:!!this.props.shouldTruncate}),this._events.off(window,"resize",this._updateTruncation),this.props.shouldTruncate&&(this._truncateTitle(),requestAnimationFrame(this._shrinkTitle),this._events.on(window,"resize",this._updateTruncation))},t.prototype.componentDidMount=function(){this.props.shouldTruncate&&(this._truncateTitle(),this._events.on(window,"resize",this._updateTruncation))},t.prototype.componentWillUnmount=function(){this._events.dispose(),this._async.dispose()},t.prototype.render=function(){var e=this.props,t=e.title,o=e.shouldTruncate,n=e.showAsSecondaryTitle,r=e.styles,i=e.theme,a=e.className,s=this.state,l=s.truncatedTitleFirstPiece,u=s.truncatedTitleSecondPiece,d=s.needMeasurement;return this._classNames=Ai(r,{theme:i,className:a,showAsSecondaryTitle:n}),d?c.createElement("div",{className:this._classNames.root,ref:this._measureTitleElement,title:t,style:{whiteSpace:"nowrap"}},t):o&&l&&u?c.createElement("div",{className:this._classNames.root,ref:this._titleElement,title:t},l,"…",u):c.createElement("div",{className:this._classNames.root,ref:this._titleElement,title:t},t)},t.prototype._updateTruncation=function(){var e=this;this._async.requestAnimationFrame((function(){if(e._titleElement.current){var t=e._titleElement.current.clientWidth;clearTimeout(e._titleTruncationTimer),e.state.clientWidth!==t&&(e._titleTruncationTimer=e._async.setTimeout((function(){return e.setState({truncatedTitleFirstPiece:void 0,truncatedTitleSecondPiece:void 0,needMeasurement:!0})}),250))}}))},t}(c.Component),Hi=(0,I.z)(zi,(function(e){var t=e.theme,o=e.className,n=e.showAsSecondaryTitle,r=t.palette,i=t.fonts;return{root:[(0,u.Cn)(ui,t).root,n?i.medium:i.large,{padding:"8px 16px",display:"block",overflow:"hidden",wordWrap:"break-word",height:n?"45px":"38px",lineHeight:n?"18px":"21px",color:n?r.neutralSecondary:r.neutralPrimary},o]}}),void 0,{scope:"DocumentCardTitle"}),Oi=(0,D.y)(),Wi=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.logoIcon,o=e.styles,n=e.theme,r=e.className;return this._classNames=Oi(o,{theme:n,className:r}),c.createElement("div",{className:this._classNames.root},c.createElement(W.J,{iconName:t}))},t}(c.Component),Vi={root:"ms-DocumentCardLogo"},Ki=(0,I.z)(Wi,(function(e){var t=e.theme,o=e.className,n=t.palette,r=t.fonts;return{root:[(0,u.Cn)(Vi,t).root,{fontSize:r.xxLargePlus.fontSize,color:n.themePrimary,display:"block",padding:"16px 16px 0 16px"},o]}}),void 0,{scope:"DocumentCardLogo"}),qi=(0,D.y)(),Gi=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.statusIcon,o=e.status,n=e.styles,r=e.theme,i=e.className,a={iconName:t,styles:{root:{padding:"8px"}}};return this._classNames=qi(n,{theme:r,className:i}),c.createElement("div",{className:this._classNames.root},t&&c.createElement(W.J,(0,l.pi)({},a)),o)},t}(c.Component),Ui={root:"ms-DocumentCardStatus"},ji=(0,I.z)(Gi,(function(e){var t=e.className,o=e.theme,n=o.palette,r=o.fonts;return{root:[(0,u.Cn)(Ui,o).root,r.medium,{margin:"8px 16px",color:n.neutralPrimary,backgroundColor:n.neutralLighter,height:"32px"},t]}}),void 0,{scope:"DocumentCardStatus"}),Ji=o(4004),Yi=o(8982),Zi=o(2703),Xi=o(4976);(0,Xi.RM)([{rawString:".pickerText_43ffcad1{display:-webkit-box;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;-webkit-box-align:center;-ms-flex-align:center;align-items:center;-webkit-box-sizing:border-box;box-sizing:border-box;border:1px solid "},{theme:"neutralTertiary",defaultValue:"#a19f9d"},{rawString:";min-width:180px;padding:1px;min-height:32px}.pickerText_43ffcad1:hover{border-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:"}.pickerInput_43ffcad1{height:34px;border:none;-webkit-box-flex:1;-ms-flex-positive:1;flex-grow:1;outline:0;padding:0 6px 0;margin:1px}.pickerInput_43ffcad1::-ms-clear{display:none}"}]);var Qi="pickerText_43ffcad1",$i="pickerInput_43ffcad1",ea=n,ta=function(e){function t(t){var o=e.call(this,t)||this;return o.floatingPicker=c.createRef(),o.selectedItemsList=c.createRef(),o.root=c.createRef(),o.input=c.createRef(),o.onSelectionChange=function(){o.forceUpdate()},o.onInputChange=function(e,t){t||(o.setState({queryString:e}),o.floatingPicker.current&&o.floatingPicker.current.onQueryStringChanged(e))},o.onInputFocus=function(e){o.selectedItemsList.current&&o.selectedItemsList.current.unselectAll(),o.props.inputProps&&o.props.inputProps.onFocus&&o.props.inputProps.onFocus(e)},o.onInputClick=function(e){if(o.selectedItemsList.current&&o.selectedItemsList.current.unselectAll(),o.floatingPicker.current&&o.inputElement){var t=""===o.inputElement.value||o.inputElement.value!==o.floatingPicker.current.inputText;o.floatingPicker.current.showPicker(t)}},o.onBackspace=function(e){e.which===rt.m.backspace&&o.selectedItemsList.current&&o.items.length&&(o.input.current&&!o.input.current.isValueSelected&&o.input.current.inputElement===document.activeElement&&0===o.input.current.cursorLocation?(o.floatingPicker.current&&o.floatingPicker.current.hidePicker(),e.preventDefault(),o.selectedItemsList.current.removeItemAt(o.items.length-1),o._onSelectedItemsChanged()):o.selectedItemsList.current.hasSelectedItems()&&(o.floatingPicker.current&&o.floatingPicker.current.hidePicker(),e.preventDefault(),o.selectedItemsList.current.removeSelectedItems(),o._onSelectedItemsChanged()))},o.onCopy=function(e){o.selectedItemsList.current&&o.selectedItemsList.current.onCopy(e)},o.onPaste=function(e){if(o.props.onPaste){var t=e.clipboardData.getData("Text");e.preventDefault(),o.props.onPaste(t)}},o._onSuggestionSelected=function(e){var t=o.props.currentRenderedQueryString,n=o.state.queryString;if(void 0===t||t===n){var r=o.props.onItemSelected?o.props.onItemSelected(e):e;if(null===r)return;var i,a=r,s=r;s&&s.then?s.then((function(e){i=e,o._addProcessedItem(i)})):(i=a,o._addProcessedItem(i))}},o._onSelectedItemsChanged=function(){o.focus()},o._onSuggestionsShownOrHidden=function(){o.forceUpdate()},(0,P.l)(o),o.selection=new nn.Y({onSelectionChanged:function(){return o.onSelectionChange()}}),o.state={queryString:""},o}return(0,l.ZT)(t,e),Object.defineProperty(t.prototype,"items",{get:function(){var e,t,o,n;return null!=(n=null!=(o=null!=(e=this.props.selectedItems)?e:null===(t=this.selectedItemsList.current)||void 0===t?void 0:t.items)?o:this.props.defaultSelectedItems)?n:null},enumerable:!0,configurable:!0}),t.prototype.componentDidMount=function(){this.forceUpdate()},t.prototype.focus=function(){this.input.current&&this.input.current.focus()},t.prototype.clearInput=function(){this.input.current&&this.input.current.clear()},Object.defineProperty(t.prototype,"inputElement",{get:function(){return this.input.current&&this.input.current.inputElement},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"highlightedItems",{get:function(){return this.selectedItemsList.current?this.selectedItemsList.current.highlightedItems():[]},enumerable:!0,configurable:!0}),t.prototype.render=function(){var e=this.props,t=e.className,o=e.inputProps,n=e.disabled,r=e.focusZoneProps,i=this.floatingPicker.current&&-1!==this.floatingPicker.current.currentSelectedSuggestionIndex?"sug-"+this.floatingPicker.current.currentSelectedSuggestionIndex:void 0,a=!!this.floatingPicker.current&&this.floatingPicker.current.isSuggestionsShown;return c.createElement("div",{ref:this.root,className:(0,pt.i)("ms-BasePicker ms-BaseExtendedPicker",t||""),onKeyDown:this.onBackspace,onCopy:this.onCopy},c.createElement(M.k,(0,l.pi)({direction:R.U.bidirectional},r),c.createElement(rn.i,{selection:this.selection,selectionMode:on.oW.multiple},c.createElement("div",{className:(0,pt.i)("ms-BasePicker-text",ea.pickerText),role:"list"},this.props.headerComponent,this.renderSelectedItemsList(),this.canAddItems()&&c.createElement(x.G,(0,l.pi)({},o,{className:(0,pt.i)("ms-BasePicker-input",ea.pickerInput),ref:this.input,onFocus:this.onInputFocus,onClick:this.onInputClick,onInputValueChange:this.onInputChange,"aria-activedescendant":i,"aria-owns":a?"suggestion-list":void 0,"aria-expanded":a,"aria-haspopup":"true",role:"combobox",disabled:n,onPaste:this.onPaste}))))),this.renderFloatingPicker())},Object.defineProperty(t.prototype,"floatingPickerProps",{get:function(){return this.props.floatingPickerProps},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"selectedItemsListProps",{get:function(){return this.props.selectedItemsListProps},enumerable:!0,configurable:!0}),t.prototype.canAddItems=function(){var e=this.props.itemLimit;return void 0===e||this.items.length0,p=d?r:r.slice(0,u),m=(d?i:r.slice(u))||[];return c.createElement("div",{className:l.root},this.onRenderAriaDescription(),c.createElement("div",{className:l.itemContainer},a?this._getAddNewElement():null,c.createElement("ul",{className:l.members,"aria-label":s},this._onRenderVisiblePersonas(p,0===m.length&&1===r.length)),e?this._getOverflowElement(m):null))},t.prototype.onRenderAriaDescription=function(){var e=this.props.ariaDescription,t=this._classNames;return e&&c.createElement("span",{className:t.screenReaderOnly,id:this._ariaDescriptionId},e)},t.prototype._onRenderVisiblePersonas=function(e,t){var o=this,n=this.props,r=n.onRenderPersona,i=void 0===r?this._getPersonaControl:r,a=n.onRenderPersonaCoin,s=void 0===a?this._getPersonaCoinControl:a;return e.map((function(e,n){var r=t?i(e,o._getPersonaControl):s(e,o._getPersonaCoinControl);return c.createElement("li",{key:(t?"persona":"personaCoin")+"-"+n,className:o._classNames.member},e.onClick?o._getElementWithOnClickEvent(r,e,n):o._getElementWithoutOnClickEvent(r,e,n))}))},t.prototype._getElementWithOnClickEvent=function(e,t,o){var n=t.keytipProps;return c.createElement(ca,(0,l.pi)({},(0,E.pq)(t,E.Yq),this._getElementProps(t,o),{keytipProps:n,onClick:this._onPersonaClick.bind(this,t)}),e)},t.prototype._getElementWithoutOnClickEvent=function(e,t,o){return c.createElement("div",(0,l.pi)({},(0,E.pq)(t,E.Yq),this._getElementProps(t,o)),e)},t.prototype._getElementProps=function(e,t){var o=this._classNames;return{key:(e.imageUrl?"i":"")+t,"data-is-focusable":!0,className:o.itemButton,title:e.personaName,onMouseMove:this._onPersonaMouseMove.bind(this,e),onMouseOut:this._onPersonaMouseOut.bind(this,e)}},t.prototype._getOverflowElement=function(e){switch(this.props.overflowButtonType){case oa.descriptive:return this._getDescriptiveOverflowElement(e);case oa.downArrow:return this._getIconElement("ChevronDown");case oa.more:return this._getIconElement("More");default:return null}},t.prototype._getDescriptiveOverflowElement=function(e){var t=this.props.personaSize;if(!e||e.length<1)return null;var o=e.map((function(e){return e.personaName})).join(", "),n=(0,l.pi)({title:o},this.props.overflowButtonProps),r=Math.max(e.length,0),i=this._classNames;return c.createElement(ca,(0,l.pi)({},n,{ariaDescription:n.title,className:i.descriptiveOverflowButton}),c.createElement(_.t,{size:t,onRenderInitials:this._renderInitialsNotPictured(r),initialsColor:C.z5.transparent}))},t.prototype._getIconElement=function(e){var t=this.props,o=t.overflowButtonProps,n=t.personaSize,r=this._classNames;return c.createElement(ca,(0,l.pi)({},o,{className:r.overflowButton}),c.createElement(_.t,{size:n,onRenderInitials:this._renderInitials(e,!0),initialsColor:C.z5.transparent}))},t.prototype._getAddNewElement=function(){var e=this.props,t=e.addButtonProps,o=e.personaSize,n=this._classNames;return c.createElement(ca,(0,l.pi)({},t,{className:n.addButton}),c.createElement(_.t,{size:o,onRenderInitials:this._renderInitials("AddFriend")}))},t.prototype._onPersonaClick=function(e,t){e.onClick(t,e),t.preventDefault(),t.stopPropagation()},t.prototype._onPersonaMouseMove=function(e,t){e.onMouseMove&&e.onMouseMove(t,e)},t.prototype._onPersonaMouseOut=function(e,t){e.onMouseOut&&e.onMouseOut(t,e)},t.prototype._renderInitials=function(e,t){var o=this._classNames;return function(){return c.createElement(W.J,{iconName:e,className:t?o.overflowInitialsIcon:""})}},t.prototype._renderInitialsNotPictured=function(e){var t=this._classNames;return function(){return c.createElement("span",{className:t.overflowInitialsIcon},e<100?"+"+e:"99+")}},t.defaultProps={maxDisplayablePersonas:5,personas:[],overflowPersonas:[],personaSize:C.Ir.size32},t}(c.Component),ma={root:"ms-Facepile",addButton:"ms-Facepile-addButton ms-Facepile-itemButton",descriptiveOverflowButton:"ms-Facepile-descriptiveOverflowButton ms-Facepile-itemButton",itemButton:"ms-Facepile-itemButton ms-Facepile-person",itemContainer:"ms-Facepile-itemContainer",members:"ms-Facepile-members",member:"ms-Facepile-member",overflowButton:"ms-Facepile-overflowButton ms-Facepile-itemButton"},ha=(0,I.z)(pa,(function(e){var t,o=e.className,n=e.theme,r=e.spacingAroundItemButton,i=void 0===r?2:r,a=n.palette,s=n.fonts,l=(0,u.Cn)(ma,n),c={textAlign:"center",padding:0,borderRadius:"50%",verticalAlign:"top",display:"inline",backgroundColor:"transparent",border:"none",selectors:{"&::-moz-focus-inner":{padding:0,border:0}}};return{root:[l.root,n.fonts.medium,{width:"auto"},o],addButton:[l.addButton,(0,u.GL)(n,{inset:-1}),c,{fontSize:s.medium.fontSize,color:a.white,backgroundColor:a.themePrimary,marginRight:2*i+"px",selectors:{"&:hover":{backgroundColor:a.themeDark},"&:focus":{backgroundColor:a.themeDark},"&:active":{backgroundColor:a.themeDarker},"&:disabled":{backgroundColor:a.neutralTertiaryAlt}}}],descriptiveOverflowButton:[l.descriptiveOverflowButton,(0,u.GL)(n,{inset:-1}),c,{fontSize:s.small.fontSize,color:a.neutralSecondary,backgroundColor:a.neutralLighter,marginLeft:2*i+"px"}],itemButton:[l.itemButton,c],itemContainer:[l.itemContainer,{display:"flex"}],members:[l.members,{display:"flex",overflow:"hidden",listStyleType:"none",padding:0,margin:"-"+i+"px"}],member:[l.member,{display:"inline-flex",flex:"0 0 auto",margin:i+"px"}],overflowButton:[l.overflowButton,(0,u.GL)(n,{inset:-1}),c,{fontSize:s.medium.fontSize,color:a.neutralSecondary,backgroundColor:a.neutralLighter,marginLeft:2*i+"px"}],overflowInitialsIcon:[{color:a.neutralPrimary,selectors:(t={},t[u.qJ]={color:"WindowText"},t)}],screenReaderOnly:u.ul}}),void 0,{scope:"Facepile"});(0,Xi.RM)([{rawString:".callout_467cd672 .ms-Suggestions-itemButton{padding:0;border:none}.callout_467cd672 .ms-Suggestions{min-width:300px}"}]);var ga="callout_467cd672",fa=o(7420);(0,Xi.RM)([{rawString:".suggestionsContainer_98495a3a{overflow-y:auto;overflow-x:hidden;max-height:300px}.suggestionsContainer_98495a3a .ms-Suggestion-item:hover{background-color:"},{theme:"neutralLighter",defaultValue:"#f3f2f1"},{rawString:";cursor:pointer}.suggestionsContainer_98495a3a .is-suggested{background-color:"},{theme:"themeLighter",defaultValue:"#deecf9"},{rawString:"}.suggestionsContainer_98495a3a .is-suggested:hover{background-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:";cursor:pointer}"}]);var va="suggestionsContainer_98495a3a",ba=i,ya=function(e){function t(t){var o=e.call(this,t)||this;return o._selectedElement=c.createRef(),o.SuggestionsItemOfProperType=fa.S,o._onClickTypedSuggestionsItem=function(e,t){return function(n){o.props.onSuggestionClick(n,e,t)}},o._onRemoveTypedSuggestionsItem=function(e,t){return function(n){(0,o.props.onSuggestionRemove)(n,e,t),n.stopPropagation()}},(0,P.l)(o),o.currentIndex=-1,o}return(0,l.ZT)(t,e),t.prototype.nextSuggestion=function(){var e=this.props.suggestions;if(e&&e.length>0){if(-1===this.currentIndex)return this.setSelectedSuggestion(0),!0;if(this.currentIndex0){if(-1===this.currentIndex)return this.setSelectedSuggestion(e.length-1),!0;if(this.currentIndex>0)return this.setSelectedSuggestion(this.currentIndex-1),!0;if(this.props.shouldLoopSelection&&0===this.currentIndex)return this.setSelectedSuggestion(e.length-1),!0}return!1},Object.defineProperty(t.prototype,"selectedElement",{get:function(){return this._selectedElement.current||void 0},enumerable:!0,configurable:!0}),t.prototype.getCurrentItem=function(){return this.props.suggestions[this.currentIndex]},t.prototype.getSuggestionAtIndex=function(e){return this.props.suggestions[e]},t.prototype.hasSuggestionSelected=function(){return-1!==this.currentIndex&&this.currentIndex-1&&this.props.suggestions[this.currentIndex]&&(this.props.suggestions[this.currentIndex].selected=!1,this.currentIndex=-1,this.forceUpdate())},t.prototype.setSelectedSuggestion=function(e){var t=this.props.suggestions;e>t.length-1||e<0?(this.currentIndex=0,this.currentSuggestion.selected=!1,this.currentSuggestion=t[0],this.currentSuggestion.selected=!0):(this.currentIndex>-1&&t[this.currentIndex]&&(t[this.currentIndex].selected=!1),t[e].selected=!0,this.currentIndex=e,this.currentSuggestion=t[e]),this.forceUpdate()},t.prototype.componentDidUpdate=function(){this.scrollSelected()},t.prototype.render=function(){var e=this,t=this.props,o=t.onRenderSuggestion,n=t.suggestionsItemClassName,r=t.resultsMaximumNumber,i=t.showRemoveButtons,a=t.suggestionsContainerAriaLabel,s=this.SuggestionsItemOfProperType,l=this.props.suggestions;return r&&(l=l.slice(0,r)),c.createElement("div",{className:(0,pt.i)("ms-Suggestions-container",ba.suggestionsContainer),id:"suggestion-list",role:"list","aria-label":a},l.map((function(t,r){return c.createElement("div",{ref:t.selected||r===e.currentIndex?e._selectedElement:void 0,key:t.item.key?t.item.key:r,id:"sug-"+r,role:"listitem","aria-label":t.ariaLabel},c.createElement(s,{id:"sug-item"+r,suggestionModel:t,RenderSuggestion:o,onClick:e._onClickTypedSuggestionsItem(t.item,r),className:n,showRemoveButton:i,onRemoveItem:e._onRemoveTypedSuggestionsItem(t.item,r),isSelectedOverride:r===e.currentIndex}))})))},t.prototype.scrollSelected=function(){var e;void 0!==(null===(e=this._selectedElement.current)||void 0===e?void 0:e.scrollIntoView)&&this._selectedElement.current.scrollIntoView(!1)},t}(c.Component);(0,Xi.RM)([{rawString:".root_6d187696{min-width:260px}.actionButton_6d187696{background:0 0;background-color:transparent;border:0;cursor:pointer;margin:0;padding:0;position:relative;width:100%;font-size:12px}html[dir=ltr] .actionButton_6d187696{text-align:left}html[dir=rtl] .actionButton_6d187696{text-align:right}.actionButton_6d187696:hover{background-color:"},{theme:"neutralLighter",defaultValue:"#f3f2f1"},{rawString:";cursor:pointer}.actionButton_6d187696:active,.actionButton_6d187696:focus{background-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:"}.actionButton_6d187696 .ms-Button-icon{font-size:16px;width:25px}.actionButton_6d187696 .ms-Button-label{margin:0 4px 0 9px}html[dir=rtl] .actionButton_6d187696 .ms-Button-label{margin:0 9px 0 4px}.buttonSelected_6d187696{background-color:"},{theme:"themeLighter",defaultValue:"#deecf9"},{rawString:"}.buttonSelected_6d187696:hover{background-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:";cursor:pointer}@media screen and (-ms-high-contrast:active){.buttonSelected_6d187696:hover{background-color:Highlight;color:HighlightText}}@media screen and (-ms-high-contrast:active){.buttonSelected_6d187696{background-color:Highlight;color:HighlightText;-ms-high-contrast-adjust:none}}.suggestionsTitle_6d187696{font-size:12px}.suggestionsSpinner_6d187696{margin:5px 0;white-space:nowrap;line-height:20px;font-size:12px}html[dir=ltr] .suggestionsSpinner_6d187696{padding-left:14px}html[dir=rtl] .suggestionsSpinner_6d187696{padding-right:14px}html[dir=ltr] .suggestionsSpinner_6d187696{text-align:left}html[dir=rtl] .suggestionsSpinner_6d187696{text-align:right}.suggestionsSpinner_6d187696 .ms-Spinner-circle{display:inline-block;vertical-align:middle}.suggestionsSpinner_6d187696 .ms-Spinner-label{display:inline-block;margin:0 10px 0 16px;vertical-align:middle}html[dir=rtl] .suggestionsSpinner_6d187696 .ms-Spinner-label{margin:0 16px 0 10px}.itemButton_6d187696{height:100%;width:100%;padding:7px 12px}@media screen and (-ms-high-contrast:active){.itemButton_6d187696{color:WindowText}}.screenReaderOnly_6d187696{position:absolute;width:1px;height:1px;padding:0;margin:-1px;overflow:hidden;clip:rect(0,0,0,0);border:0}"}]);var _a,Ca="root_6d187696",Sa="actionButton_6d187696",xa="buttonSelected_6d187696",ka="suggestionsTitle_6d187696",wa="suggestionsSpinner_6d187696",Ia="itemButton_6d187696",Da="screenReaderOnly_6d187696",Ta=a;!function(e){e[e.header=0]="header",e[e.suggestion=1]="suggestion",e[e.footer=2]="footer"}(_a||(_a={}));var Ea=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e,t=this.props,o=t.renderItem,n=t.onExecute,r=t.isSelected,i=t.id,a=t.className;return n?c.createElement("div",{id:i,onClick:n,className:(0,pt.i)("ms-Suggestions-sectionButton",a,Ta.actionButton,(e={},e["is-selected "+Ta.buttonSelected]=r,e))},o()):c.createElement("div",{id:i,className:(0,pt.i)("ms-Suggestions-section",a,Ta.suggestionsTitle)},o())},t}(c.Component),Pa=function(e){function t(t){var o=e.call(this,t)||this;return o._selectedElement=c.createRef(),o._suggestions=c.createRef(),o.SuggestionsOfProperType=ya,(0,P.l)(o),o.state={selectedHeaderIndex:-1,selectedFooterIndex:-1,suggestions:t.suggestions},o}return(0,l.ZT)(t,e),t.prototype.componentDidMount=function(){this.resetSelectedItem()},t.prototype.componentDidUpdate=function(e){var t=this;this.scrollSelected(),e.suggestions&&e.suggestions!==this.props.suggestions&&this.setState({suggestions:this.props.suggestions},(function(){t.resetSelectedItem()}))},t.prototype.componentWillUnmount=function(){var e;null===(e=this._suggestions.current)||void 0===e||e.deselectAllSuggestions()},t.prototype.render=function(){var e=this.props,t=e.className,o=e.headerItemsProps,n=e.footerItemsProps,r=e.suggestionsAvailableAlertText,i=(0,u.y0)(u.ul),a=this.state.suggestions&&this.state.suggestions.length>0&&r;return c.createElement("div",{className:(0,pt.i)("ms-Suggestions",t||"",Ta.root)},o&&this.renderHeaderItems(),this._renderSuggestions(),n&&this.renderFooterItems(),a?c.createElement("span",{role:"alert","aria-live":"polite",className:i},r):null)},Object.defineProperty(t.prototype,"currentSuggestion",{get:function(){var e;return(null===(e=this._suggestions.current)||void 0===e?void 0:e.getCurrentItem())||void 0},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"currentSuggestionIndex",{get:function(){return this._suggestions.current?this._suggestions.current.currentIndex:-1},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"selectedElement",{get:function(){var e;return this._selectedElement.current?this._selectedElement.current:null===(e=this._suggestions.current)||void 0===e?void 0:e.selectedElement},enumerable:!0,configurable:!0}),t.prototype.hasSuggestionSelected=function(){var e;return(null===(e=this._suggestions.current)||void 0===e?void 0:e.hasSuggestionSelected())||!1},t.prototype.hasSelection=function(){var e=this.state,t=e.selectedHeaderIndex,o=e.selectedFooterIndex;return-1!==t||this.hasSuggestionSelected()||-1!==o},t.prototype.executeSelectedAction=function(){var e,t=this.props,o=t.headerItemsProps,n=t.footerItemsProps,r=this.state,i=r.selectedHeaderIndex,a=r.selectedFooterIndex;if(o&&-1!==i&&it+1)return null===(o=this._suggestions.current)||void 0===o||o.setSelectedSuggestion(t+1),this.setState({selectedHeaderIndex:-1,selectedFooterIndex:-1}),!0}else{var r=e===_a.header,i=r?this.props.headerItemsProps:this.props.footerItemsProps;if(i&&i.length>t+1)for(var a=t+1;a0)return null===(o=this._suggestions.current)||void 0===o||o.setSelectedSuggestion(r-1),this.setState({selectedHeaderIndex:-1,selectedFooterIndex:-1}),!0}else{var r,i=e===_a.header,a=i?this.props.headerItemsProps:this.props.footerItemsProps;if(a&&(r=void 0!==t?t:a.length)>0)for(var s=r-1;s>=0;s--){var l=a[s];if(l.onExecute&&l.shouldShow())return this.setState({selectedHeaderIndex:i?s:-1}),this.setState({selectedFooterIndex:i?-1:s}),null===(n=this._suggestions.current)||void 0===n||n.deselectAllSuggestions(),!0}}return!1},t.prototype._getCurrentIndexForType=function(e){switch(e){case _a.header:return this.state.selectedHeaderIndex;case _a.suggestion:return this._suggestions.current.currentIndex;case _a.footer:return this.state.selectedFooterIndex}},t.prototype._getNextItemSectionType=function(e){switch(e){case _a.header:return _a.suggestion;case _a.suggestion:return _a.footer;case _a.footer:return _a.header}},t.prototype._getPreviousItemSectionType=function(e){switch(e){case _a.header:return _a.footer;case _a.suggestion:return _a.header;case _a.footer:return _a.suggestion}},t}(c.Component),Ma=r,Ra=function(e){function t(t){var o=e.call(this,t)||this;return o.root=c.createRef(),o.suggestionsControl=c.createRef(),o.SuggestionsControlOfProperType=Pa,o.isComponentMounted=!1,o.onQueryStringChanged=function(e){e!==o.state.queryString&&(o.setState({queryString:e}),o.props.onInputChanged&&o.props.onInputChanged(e),o.updateValue(e))},o.hidePicker=function(){var e=o.isSuggestionsShown;o.setState({suggestionsVisible:!1}),o.props.onSuggestionsHidden&&e&&o.props.onSuggestionsHidden()},o.showPicker=function(e){void 0===e&&(e=!1);var t=o.isSuggestionsShown;o.setState({suggestionsVisible:!0});var n=o.props.inputElement?o.props.inputElement.value:"";e&&o.updateValue(n),o.props.onSuggestionsShown&&!t&&o.props.onSuggestionsShown()},o.completeSuggestion=function(){o.suggestionsControl.current&&o.suggestionsControl.current.hasSuggestionSelected()&&o.onChange(o.suggestionsControl.current.currentSuggestion.item)},o.onSuggestionClick=function(e,t,n){o.onChange(t),o._updateSuggestionsVisible(!1)},o.onSuggestionRemove=function(e,t,n){o.props.onRemoveSuggestion&&o.props.onRemoveSuggestion(t),o.suggestionsControl.current&&o.suggestionsControl.current.removeSuggestion(n)},o.onKeyDown=function(e){if(o.state.suggestionsVisible&&(!o.props.inputElement||o.props.inputElement.contains(e.target))){var t=e.which;switch(t){case rt.m.escape:o.hidePicker(),e.preventDefault(),e.stopPropagation();break;case rt.m.tab:case rt.m.enter:!e.shiftKey&&!e.ctrlKey&&o.suggestionsControl.current&&o.suggestionsControl.current.handleKeyDown(t)?(e.preventDefault(),e.stopPropagation()):o._onValidateInput();break;case rt.m.del:o.props.onRemoveSuggestion&&o.suggestionsControl.current&&o.suggestionsControl.current.hasSuggestionSelected&&o.suggestionsControl.current.currentSuggestion&&e.shiftKey&&(o.props.onRemoveSuggestion(o.suggestionsControl.current.currentSuggestion.item),o.suggestionsControl.current.removeSuggestion(),o.forceUpdate(),e.stopPropagation());break;case rt.m.up:case rt.m.down:o.suggestionsControl.current&&o.suggestionsControl.current.handleKeyDown(t)&&(e.preventDefault(),e.stopPropagation(),o._updateActiveDescendant())}}},o._onValidateInput=function(){if(o.state.queryString&&o.props.onValidateInput&&o.props.createGenericItem){var e=o.props.createGenericItem(o.state.queryString,o.props.onValidateInput(o.state.queryString)),t=o.suggestionStore.convertSuggestionsToSuggestionItems([e]);o.onChange(t[0].item)}},o._async=new bo.e(o),(0,P.l)(o),o.suggestionStore=t.suggestionsStore,o.state={queryString:"",didBind:!1},o}return(0,l.ZT)(t,e),Object.defineProperty(t.prototype,"inputText",{get:function(){return this.state.queryString},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"suggestions",{get:function(){return this.suggestionStore.suggestions},enumerable:!0,configurable:!0}),t.prototype.forceResolveSuggestion=function(){this.suggestionsControl.current&&this.suggestionsControl.current.hasSuggestionSelected()?this.completeSuggestion():this._onValidateInput()},Object.defineProperty(t.prototype,"currentSelectedSuggestionIndex",{get:function(){return this.suggestionsControl.current?this.suggestionsControl.current.currentSuggestionIndex:-1},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"isSuggestionsShown",{get:function(){return void 0!==this.state.suggestionsVisible&&this.state.suggestionsVisible},enumerable:!0,configurable:!0}),t.prototype.componentDidMount=function(){this._bindToInputElement(),this.isComponentMounted=!0,this._onResolveSuggestions=this._async.debounce(this._onResolveSuggestions,this.props.resolveDelay)},t.prototype.componentDidUpdate=function(){this._bindToInputElement()},t.prototype.componentWillUnmount=function(){this._unbindFromInputElement(),this.isComponentMounted=!1},t.prototype.updateSuggestions=function(e,t){void 0===t&&(t=!1),this.suggestionStore.updateSuggestions(e),t&&this.forceUpdate()},t.prototype.render=function(){var e=this.props.className;return c.createElement("div",{ref:this.root,className:(0,pt.i)("ms-BasePicker ms-BaseFloatingPicker",e||"")},this.renderSuggestions())},t.prototype.renderSuggestions=function(){var e=this.SuggestionsControlOfProperType;return this.props.suggestionItems&&this.suggestionStore.updateSuggestions(this.props.suggestionItems),this.state.suggestionsVisible?c.createElement(Ae.U,(0,l.pi)({className:Ma.callout,isBeakVisible:!1,gapSpace:5,target:this.props.inputElement,onDismiss:this.hidePicker,directionalHint:K.b.bottomLeftEdge,directionalHintForRTL:K.b.bottomRightEdge,calloutWidth:this.props.calloutWidth?this.props.calloutWidth:0},this.props.pickerCalloutProps),c.createElement(e,(0,l.pi)({onRenderSuggestion:this.props.onRenderSuggestionsItem,onSuggestionClick:this.onSuggestionClick,onSuggestionRemove:this.onSuggestionRemove,suggestions:this.suggestionStore.getSuggestions(),componentRef:this.suggestionsControl,completeSuggestion:this.completeSuggestion,shouldLoopSelection:!1},this.props.pickerSuggestionsProps))):null},t.prototype.onSelectionChange=function(){this.forceUpdate()},t.prototype.updateValue=function(e){""===e?this.updateSuggestionWithZeroState():this._onResolveSuggestions(e)},t.prototype.updateSuggestionWithZeroState=function(){if(this.props.onZeroQuerySuggestion){var e=(0,this.props.onZeroQuerySuggestion)(this.props.selectedItems);this.updateSuggestionsList(e)}else this.hidePicker()},t.prototype.updateSuggestionsList=function(e){var t=this,o=e,n=e;if(Array.isArray(o))this.updateSuggestions(o,!0);else if(n&&n.then){var r=this.currentPromise=n;r.then((function(e){r===t.currentPromise&&t.isComponentMounted&&t.updateSuggestions(e,!0)}))}},t.prototype.onChange=function(e){this.props.onChange&&this.props.onChange(e)},t.prototype._updateActiveDescendant=function(){if(this.props.inputElement&&this.suggestionsControl.current&&this.suggestionsControl.current.selectedElement){var e=this.suggestionsControl.current.selectedElement.getAttribute("id");e&&this.props.inputElement.setAttribute("aria-activedescendant",e)}},t.prototype._onResolveSuggestions=function(e){var t=this.props.onResolveSuggestions(e,this.props.selectedItems);this._updateSuggestionsVisible(!0),null!==t&&this.updateSuggestionsList(t)},t.prototype._updateSuggestionsVisible=function(e){e?this.showPicker():this.hidePicker()},t.prototype._bindToInputElement=function(){this.props.inputElement&&!this.state.didBind&&(this.props.inputElement.addEventListener("keydown",this.onKeyDown),this.setState({didBind:!0}))},t.prototype._unbindFromInputElement=function(){this.props.inputElement&&this.state.didBind&&(this.props.inputElement.removeEventListener("keydown",this.onKeyDown),this.setState({didBind:!1}))},t}(c.Component),Na=o(6104);(0,Xi.RM)([{rawString:".resultContent_9816a275{display:table-row}.resultContent_9816a275 .resultItem_9816a275{display:table-cell;vertical-align:bottom}.peoplePickerPersona_9816a275{width:180px}.peoplePickerPersona_9816a275 .ms-Persona-details{width:100%}.peoplePicker_9816a275 .ms-BasePicker-text{min-height:40px}.peoplePickerPersonaContent_9816a275{display:-webkit-box;display:-ms-flexbox;display:flex;width:100%;-webkit-box-pack:justify;-ms-flex-pack:justify;justify-content:space-between;-webkit-box-align:center;-ms-flex-align:center;align-items:center;padding:7px 12px}"}]);var Ba=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,l.ZT)(t,e),t}(Ra),Fa=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,l.ZT)(t,e),t.defaultProps={onRenderSuggestionsItem:function(e,t){return o=(0,l.pi)({},e),(0,l.pi)({},t),c.createElement("div",{className:(0,pt.i)("ms-PeoplePicker-personaContent","peoplePickerPersonaContent_9816a275")},c.createElement(ua.I,(0,l.pi)({presence:void 0!==o.presence?o.presence:C.H_.none,size:C.Ir.size40,className:(0,pt.i)("ms-PeoplePicker-Persona","peoplePickerPersona_9816a275"),showSecondaryText:!0},o)));var o},createGenericItem:La},t}(Ba);function La(e,t){var o={key:e,primaryText:e,imageInitials:"!",isValid:t};return t||(o.imageInitials=(0,Na.Q)(e,(0,T.zg)())),o}var Aa=function(){function e(e){var t=this;this._isSuggestionModel=function(e){return void 0!==e.item},this._ensureSuggestionModel=function(e){return t._isSuggestionModel(e)?e:{item:e,selected:!1,ariaLabel:void 0!==t.getAriaLabel?t.getAriaLabel(e):e.name||e.text||e.primaryText}},this.suggestions=[],this.getAriaLabel=e&&e.getAriaLabel}return e.prototype.updateSuggestions=function(e){e&&e.length>0?this.suggestions=this.convertSuggestionsToSuggestionItems(e):this.suggestions=[]},e.prototype.getSuggestions=function(){return this.suggestions},e.prototype.getSuggestionAtIndex=function(e){return this.suggestions[e]},e.prototype.removeSuggestion=function(e){this.suggestions.splice(e,1)},e.prototype.convertSuggestionsToSuggestionItems=function(e){return Array.isArray(e)?e.map(this._ensureSuggestionModel):[]},e}(),za=o(6316);(0,za.x)("@fluentui/react-focus","8.0.4");var Ha,Oa,Wa={host:"ms-HoverCard-host"};!function(e){e[e.hover=0]="hover",e[e.hotKey=1]="hotKey"}(Ha||(Ha={})),function(e){e.plain="PlainCard",e.expanding="ExpandingCard"}(Oa||(Oa={}));var Va,Ka={root:"ms-ExpandingCard-root",compactCard:"ms-ExpandingCard-compactCard",expandedCard:"ms-ExpandingCard-expandedCard",expandedCardScroll:"ms-ExpandingCard-expandedCardScrollRegion"};!function(e){e[e.compact=0]="compact",e[e.expanded=1]="expanded"}(Va||(Va={}));var qa=function(e){var t=e.gapSpace,o=void 0===t?0:t,n=e.directionalHint,r=void 0===n?K.b.bottomLeftEdge:n,i=e.directionalHintFixed,a=e.targetElement,s=e.firstFocus,u=e.trapFocus,d=e.onLeave,p=e.className,m=e.finalHeight,h=e.content,g=e.calloutProps,f=(0,l.pi)((0,l.pi)((0,l.pi)({},(0,E.pq)(e,E.n7)),{className:p,target:a,isBeakVisible:!1,directionalHint:r,directionalHintFixed:i,finalHeight:m,minPagePadding:24,onDismiss:d,gapSpace:o}),g);return c.createElement(c.Fragment,null,u?c.createElement(We,(0,l.pi)({},f,{focusTrapProps:{forceFocusInsideTrap:!1,isClickableOutsideFocusTrap:!0,disableFirstFocus:!s}}),h):c.createElement(Ae.U,(0,l.pi)({},f),h))},Ga=(0,D.y)(),Ua=function(e){function t(t){var o=e.call(this,t)||this;return o._expandedElem=c.createRef(),o._onKeyDown=function(e){e.which===rt.m.escape&&o.props.onLeave&&o.props.onLeave(e)},o._onRenderCompactCard=function(){return c.createElement("div",{className:o._classNames.compactCard},o.props.onRenderCompactCard(o.props.renderData))},o._onRenderExpandedCard=function(){return!o.state.firstFrameRendered&&o._async.requestAnimationFrame((function(){o.setState({firstFrameRendered:!0})})),c.createElement("div",{className:o._classNames.expandedCard,ref:o._expandedElem},c.createElement("div",{className:o._classNames.expandedCardScroll},o.props.onRenderExpandedCard&&o.props.onRenderExpandedCard(o.props.renderData)))},o._checkNeedsScroll=function(){var e=o.props.expandedCardHeight;o._async.requestAnimationFrame((function(){o._expandedElem.current&&o._expandedElem.current.scrollHeight>=e&&o.setState({needsScroll:!0})}))},o._async=new bo.e(o),(0,P.l)(o),o.state={firstFrameRendered:!1,needsScroll:!1},o}return(0,l.ZT)(t,e),t.prototype.componentDidMount=function(){this._checkNeedsScroll()},t.prototype.componentWillUnmount=function(){this._async.dispose()},t.prototype.render=function(){var e=this.props,t=e.styles,o=e.compactCardHeight,n=e.expandedCardHeight,r=e.theme,i=e.mode,a=e.className,s=this.state,u=s.needsScroll,d=s.firstFrameRendered,p=o+n;this._classNames=Ga(t,{theme:r,compactCardHeight:o,className:a,expandedCardHeight:n,needsScroll:u,expandedCardFirstFrameRendered:i===Va.expanded&&d});var m=c.createElement("div",{onMouseEnter:this.props.onEnter,onMouseLeave:this.props.onLeave,onKeyDown:this._onKeyDown},this._onRenderCompactCard(),this._onRenderExpandedCard());return c.createElement(qa,(0,l.pi)({},this.props,{content:m,finalHeight:p,className:this._classNames.root}))},t.defaultProps={compactCardHeight:156,expandedCardHeight:384,directionalHintFixed:!0},t}(c.Component),ja=(0,I.z)(Ua,(function(e){var t,o=e.theme,n=e.needsScroll,r=e.expandedCardFirstFrameRendered,i=e.compactCardHeight,a=e.expandedCardHeight,s=e.className,l=o.palette,c=(0,u.Cn)(Ka,o);return{root:[c.root,{width:320,pointerEvents:"none",selectors:(t={},t[u.qJ]={border:"1px solid WindowText"},t)},s],compactCard:[c.compactCard,{pointerEvents:"auto",position:"relative",height:i}],expandedCard:[c.expandedCard,{height:1,overflowY:"hidden",pointerEvents:"auto",transition:"height 0.467s cubic-bezier(0.5, 0, 0, 1)",selectors:{":before":{content:'""',position:"relative",display:"block",top:0,left:24,width:272,height:1,backgroundColor:l.neutralLighter}}},r&&{height:a}],expandedCardScroll:[c.expandedCardScroll,n&&{height:"100%",boxSizing:"border-box",overflowY:"auto"}]}}),void 0,{scope:"ExpandingCard"}),Ja={root:"ms-PlainCard-root"},Ya=(0,D.y)(),Za=function(e){function t(t){var o=e.call(this,t)||this;return o._onKeyDown=function(e){e.which===rt.m.escape&&o.props.onLeave&&o.props.onLeave(e)},(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.theme,n=e.className;this._classNames=Ya(t,{theme:o,className:n});var r=c.createElement("div",{onMouseEnter:this.props.onEnter,onMouseLeave:this.props.onLeave,onKeyDown:this._onKeyDown},this.props.onRenderPlainCard(this.props.renderData));return c.createElement(qa,(0,l.pi)({},this.props,{content:r,className:this._classNames.root}))},t}(c.Component),Xa=(0,I.z)(Za,(function(e){var t,o=e.theme,n=e.className;return{root:[(0,u.Cn)(Ja,o).root,{pointerEvents:"auto",selectors:(t={},t[u.qJ]={border:"1px solid WindowText"},t)},n]}}),void 0,{scope:"PlainCard"}),Qa=(0,D.y)(),$a=function(e){function t(t){var o=e.call(this,t)||this;return o._hoverCard=c.createRef(),o.dismiss=function(e){o._async.clearTimeout(o._openTimerId),o._async.clearTimeout(o._dismissTimerId),e?o._dismissTimerId=o._async.setTimeout((function(){o._setDismissedState()}),o.props.cardDismissDelay):o._setDismissedState()},o._cardOpen=function(e){o._shouldBlockHoverCard()||"keydown"===e.type&&e.which!==o.props.openHotKey||(o._async.clearTimeout(o._dismissTimerId),"mouseenter"===e.type&&(o._currentMouseTarget=e.currentTarget),o._executeCardOpen(e))},o._executeCardOpen=function(e){o._async.clearTimeout(o._openTimerId),o._openTimerId=o._async.setTimeout((function(){o.setState((function(t){return t.isHoverCardVisible?t:{isHoverCardVisible:!0,mode:Va.compact,openMode:"keydown"===e.type?Ha.hotKey:Ha.hover}}))}),o.props.cardOpenDelay)},o._cardDismiss=function(e,t){if(e){if(!(t instanceof MouseEvent))return;if("keydown"===t.type&&t.which!==rt.m.escape)return;o.props.sticky||o._currentMouseTarget!==t.currentTarget&&t.which!==rt.m.escape||o.dismiss(!0)}else{if(o.props.sticky&&!(t instanceof MouseEvent)&&t.nativeEvent instanceof MouseEvent&&"mouseleave"===t.type)return;o.dismiss(!0)}},o._setDismissedState=function(){o.setState({isHoverCardVisible:!1,mode:Va.compact,openMode:Ha.hover})},o._instantOpenAsExpanded=function(e){o._async.clearTimeout(o._dismissTimerId),o.setState((function(e){return e.isHoverCardVisible?e:{isHoverCardVisible:!0,mode:Va.expanded}}))},o._setEventListeners=function(){var e=o.props,t=e.trapFocus,n=e.instantOpenOnClick,r=e.eventListenerTarget,i=r?o._getTargetElement(r):o._getTargetElement(o.props.target),a=o._nativeDismissEvent;i&&(o._events.on(i,"mouseenter",o._cardOpen),o._events.on(i,"mouseleave",a),t?o._events.on(i,"keydown",o._cardOpen):(o._events.on(i,"focus",o._cardOpen),o._events.on(i,"blur",a)),n?o._events.on(i,"click",o._instantOpenAsExpanded):(o._events.on(i,"mousedown",a),o._events.on(i,"keydown",a)))},(0,P.l)(o),o._async=new bo.e(o),o._events=new at.r(o),o._nativeDismissEvent=o._cardDismiss.bind(o,!0),o._childDismissEvent=o._cardDismiss.bind(o,!1),o.state={isHoverCardVisible:!1,mode:Va.compact,openMode:Ha.hover},o}return(0,l.ZT)(t,e),t.prototype.componentDidMount=function(){this._setEventListeners()},t.prototype.componentWillUnmount=function(){this._async.dispose(),this._events.dispose()},t.prototype.componentDidUpdate=function(e,t){var o=this;e.target!==this.props.target&&(this._events.off(),this._setEventListeners()),t.isHoverCardVisible!==this.state.isHoverCardVisible&&(this.state.isHoverCardVisible?(this._async.setTimeout((function(){o.setState({mode:Va.expanded},(function(){o.props.onCardExpand&&o.props.onCardExpand()}))}),this.props.expandedCardOpenDelay),this.props.onCardVisible&&this.props.onCardVisible()):(this.setState({mode:Va.compact}),this.props.onCardHide&&this.props.onCardHide()))},t.prototype.render=function(){var e=this.props,t=e.expandingCardProps,o=e.children,n=e.id,r=e.setAriaDescribedBy,i=void 0===r||r,a=e.styles,s=e.theme,u=e.className,d=e.type,p=e.plainCardProps,m=e.trapFocus,h=e.setInitialFocus,g=this.state,f=g.isHoverCardVisible,v=g.mode,b=g.openMode,y=n||(0,dn.z)("hoverCard");this._classNames=Qa(a,{theme:s,className:u});var _=(0,l.pi)((0,l.pi)({},(0,E.pq)(this.props,E.n7)),{id:y,trapFocus:!!m,firstFocus:h||b===Ha.hotKey,targetElement:this._getTargetElement(this.props.target),onEnter:this._cardOpen,onLeave:this._childDismissEvent}),C=(0,l.pi)((0,l.pi)((0,l.pi)({},t),_),{mode:v}),S=(0,l.pi)((0,l.pi)({},p),_);return c.createElement("div",{className:this._classNames.host,ref:this._hoverCard,"aria-describedby":i&&f?y:void 0,"data-is-focusable":!this.props.target},o,f&&(d===Oa.expanding?c.createElement(ja,(0,l.pi)({},C)):c.createElement(Xa,(0,l.pi)({},S))))},t.prototype._getTargetElement=function(e){switch(typeof e){case"string":return(0,nt.M)().querySelector(e);case"object":return e;default:return this._hoverCard.current||void 0}},t.prototype._shouldBlockHoverCard=function(){return!(!this.props.shouldBlockHoverCard||!this.props.shouldBlockHoverCard())},t.defaultProps={cardOpenDelay:500,cardDismissDelay:100,expandedCardOpenDelay:1500,instantOpenOnClick:!1,setInitialFocus:!1,openHotKey:rt.m.c,type:Oa.expanding},t}(c.Component),es=(0,I.z)($a,(function(e){var t=e.className,o=e.theme;return{host:[(0,u.Cn)(Wa,o).host,t]}}),void 0,{scope:"HoverCard"}),ts=o(3874),os=o(6569),ns=o(7840),rs=o(2481),is=o(9759),as=o(6711),ss=o(5325),ls=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.content,o=e.styles,n=e.theme,r=e.disabled,i=e.visible,a=(0,D.y)()(o,{theme:n,disabled:r,visible:i});return c.createElement("div",{className:a.container},c.createElement("span",{className:a.root},t))},t}(c.Component),cs=function(e){return{container:[],root:[{border:"none",boxShadow:"none"}],beak:[],beakCurtain:[],calloutMain:[{backgroundColor:"transparent"}]}},us=function(e){return function(t){return(0,u.ZC)({container:[],root:[{border:"none",boxShadow:"none"}],beak:[],beakCurtain:[],calloutMain:[{backgroundColor:"transparent"}]},{root:[{marginLeft:e.left||e.x,marginTop:e.top||e.y}]})}},ds=(0,I.z)(ls,(function(e){var t,o=e.theme,n=e.disabled,r=e.visible;return{container:[{backgroundColor:o.palette.neutralDark},n&&{opacity:.5,selectors:(t={},t[u.qJ]={color:"GrayText",opacity:1},t)},!r&&{visibility:"hidden"}],root:[o.fonts.medium,{textAlign:"center",paddingLeft:"3px",paddingRight:"3px",backgroundColor:o.palette.neutralDark,color:o.palette.neutralLight,minWidth:"11px",lineHeight:"17px",height:"17px",display:"inline-block"},n&&{color:o.palette.neutralTertiaryAlt}]}}),void 0,{scope:"KeytipContent"}),ps=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,l.ZT)(t,e),t.prototype.render=function(){var e,t=this.props,o=t.keySequences,n=t.offset,r=t.overflowSetSequence,i=this.props.calloutProps;return e=r?(0,ss.eX)((0,ss.a1)(o,r)):(0,ss.eX)(o),n&&(i=(0,l.pi)((0,l.pi)({},i),{coverTarget:!0,directionalHint:K.b.topLeftEdge})),i&&void 0!==i.directionalHint||(i=(0,l.pi)((0,l.pi)({},i),{directionalHint:K.b.bottomCenter})),c.createElement(Ae.U,(0,l.pi)({},i,{isBeakVisible:!1,doNotLayer:!0,minPagePadding:0,styles:n?us(n):cs,preventDismissOnScroll:!0,target:e}),c.createElement(ds,(0,l.pi)({},this.props)))},t}(c.Component),ms=o(9949),hs=o(8128),gs=o(2304);function fs(e){var t=(0,gs.c)(e),o=t.keytipId,n=t.ariaDescribedBy;return function(e){if(e){var t=bs(e,hs.fV)||e,r=bs(e,hs.ms)||t,i=bs(e,hs.A4)||r;vs(t,hs.fV,o),vs(r,hs.ms,o),vs(i,"aria-describedby",n,!0)}}}function vs(e,t,o,n){if(void 0===n&&(n=!1),e&&o){var r=o;if(n){var i=e.getAttribute(t);i&&-1===i.indexOf(o)&&(r=i+" "+o)}e.setAttribute(t,r)}}function bs(e,t){return e.querySelector("["+t+"]")}var ys=function(e){return{root:[{zIndex:u.bR.KeytipLayer}]}},_s=o(6479),Cs=function(){function e(){this.nodeMap={},this.root={id:hs.nK,children:[],parent:"",keySequences:[]},this.nodeMap[this.root.id]=this.root}return e.prototype.addNode=function(e,t,o){var n=this._getFullSequence(e),r=(0,ss.aB)(n);n.pop();var i=this._getParentID(n),a=this._createNode(r,i,[],e,o);this.nodeMap[t]=a;var s=this.getNode(i);s&&s.children.push(r)},e.prototype.updateNode=function(e,t){var o=this._getFullSequence(e),n=(0,ss.aB)(o);o.pop();var r=this._getParentID(o),i=this.nodeMap[t],a=i.parent,s=this.getNode(a),l=this.getNode(r);if(i){if(s&&a!==r){var c=s.children.indexOf(i.id);c>=0&&s.children.splice(c,1)}if(l&&i.id!==n){var u=l.children.indexOf(i.id);u>=0?l.children[u]=n:l.children.push(n)}i.id=n,i.keySequences=e.keySequences,i.overflowSetSequence=e.overflowSetSequence,i.onExecute=e.onExecute,i.onReturn=e.onReturn,i.hasDynamicChildren=e.hasDynamicChildren,i.hasMenu=e.hasMenu,i.parent=r,i.disabled=e.disabled}},e.prototype.removeNode=function(e,t){var o=this._getFullSequence(e),n=(0,ss.aB)(o);o.pop();var r=this._getParentID(o),i=this.getNode(r);i&&i.children.splice(i.children.indexOf(n),1),this.nodeMap[t]&&delete this.nodeMap[t]},e.prototype.getExactMatchedNode=function(e,t){var o=this,n=this.getNodes(t.children);return(0,Co.sE)(n,(function(t){return o._getNodeSequence(t)===e&&!t.disabled}))},e.prototype.getPartiallyMatchedNodes=function(e,t){var o=this;return this.getNodes(t.children).filter((function(t){return 0===o._getNodeSequence(t).indexOf(e)&&!t.disabled}))},e.prototype.getChildren=function(e){var t=this;if(!e&&!(e=this.currentKeytip))return[];var o=e.children;return Object.keys(this.nodeMap).reduce((function(e,n){return o.indexOf(t.nodeMap[n].id)>=0&&!t.nodeMap[n].persisted&&e.push(t.nodeMap[n].id),e}),[])},e.prototype.getNodes=function(e){var t=this;return Object.keys(this.nodeMap).reduce((function(o,n){return e.indexOf(t.nodeMap[n].id)>=0&&o.push(t.nodeMap[n]),o}),[])},e.prototype.getNode=function(e){var t=(0,Xt.VO)(this.nodeMap);return(0,Co.sE)(t,(function(t){return t.id===e}))},e.prototype.isCurrentKeytipParent=function(e){if(this.currentKeytip){var t=(0,l.pr)(e.keySequences);e.overflowSetSequence&&(t=(0,ss.a1)(t,e.overflowSetSequence)),t.pop();var o=0===t.length?this.root.id:(0,ss.aB)(t),n=!1;return this.currentKeytip.overflowSetSequence&&(n=(0,ss.aB)(this.currentKeytip.keySequences)===o),n||this.currentKeytip.id===o}return!1},e.prototype._getParentID=function(e){return 0===e.length?this.root.id:(0,ss.aB)(e)},e.prototype._getFullSequence=function(e){var t=(0,l.pr)(e.keySequences);return e.overflowSetSequence&&(t=(0,ss.a1)(t,e.overflowSetSequence)),t},e.prototype._getNodeSequence=function(e){var t=(0,l.pr)(e.keySequences);return e.overflowSetSequence&&(t=(0,ss.a1)(t,e.overflowSetSequence)),t[t.length-1]},e.prototype._createNode=function(e,t,o,n,r){var i=this,a=n.keySequences,s=n.hasDynamicChildren,l=n.overflowSetSequence,c=n.hasMenu,u=n.onExecute,d=n.onReturn,p=n.disabled,m={id:e,keySequences:a,overflowSetSequence:l,parent:t,children:o,onExecute:u,onReturn:d,hasDynamicChildren:s,hasMenu:c,disabled:p,persisted:r};return m.children=Object.keys(this.nodeMap).reduce((function(t,o){return i.nodeMap[o].parent===e&&t.push(i.nodeMap[o].id),t}),[]),m},e}();function Ss(e,t){if(e.key!==t.key)return!1;var o=e.modifierKeys,n=t.modifierKeys;if(!o&&n||o&&!n)return!1;if(o&&n){if(o.length!==n.length)return!1;o=o.sort(),n=n.sort();for(var r=0;r0){var s=a.filter((function(e){return!e.persisted})).map((function(e){return e.id}));this.showKeytips(s),this._currentSequence=o}}},t.prototype.showKeytips=function(e){for(var t=0,o=this._keytipManager.getKeytips();t=0?n.visible=!0:n.visible=!1}this._setKeytips()},t.prototype._enterKeytipMode=function(){this._keytipManager.shouldEnterKeytipMode&&(this._keytipManager.delayUpdatingKeytipChange&&(this._buildTree(),this._setKeytips()),this._keytipTree.currentKeytip=this._keytipTree.root,this.showKeytips(this._keytipTree.getChildren()),this._setInKeytipMode(!0),this.props.onEnterKeytipMode&&this.props.onEnterKeytipMode())},t.prototype._buildTree=function(){this._keytipTree=new Cs;for(var e=0,t=Object.keys(this._keytipManager.keytips);e=0&&(this._delayedKeytipQueue.splice(o,1),this._delayedQueueTimeout&&this._async.clearTimeout(this._delayedQueueTimeout),this._delayedQueueTimeout=this._async.setTimeout((function(){t._delayedKeytipQueue.length&&(t.showKeytips(t._delayedKeytipQueue),t._delayedKeytipQueue=[])}),300))},t.prototype._getKtpExecuteTarget=function(e){return(0,nt.M)().querySelector((0,ss._l)(e.id))},t.prototype._getKtpTarget=function(e){return(0,nt.M)().querySelector((0,ss.eX)(e.keySequences))},t.prototype._isCurrentKeytipAnAlias=function(e){var t=this._keytipTree.currentKeytip;return!(!t||!t.overflowSetSequence&&!t.persisted||!(0,Co.cO)(e.keySequences,t.keySequences))},t.defaultProps={keytipStartSequences:[ks],keytipExitSequences:[ws],keytipReturnSequences:[Is],content:""},t}(c.Component),Es=(0,I.z)(Ts,(function(e){return{innerContent:[{position:"absolute",width:0,height:0,margin:0,padding:0,border:0,overflow:"hidden",visibility:"hidden"}]}}),void 0,{scope:"KeytipLayer"});function Ps(e){for(var t={},o=0,n=e.keytips;o0&&this._computeScrollVelocity(e)},e.prototype._computeScrollVelocity=function(e){if(this._scrollRect){var t,o;"clientX"in e?(t=e.clientX,o=e.clientY):(t=e.touches[0].clientX,o=e.touches[0].clientY);var n,r,i,a=this._scrollRect.top,s=this._scrollRect.left,l=a+this._scrollRect.height-Os,c=s+this._scrollRect.width-Os;ol?(r=o,n=a,i=l,this._isVerticalScroll=!0):(r=t,n=s,i=c,this._isVerticalScroll=!1),this._scrollVelocity=ri?Math.min(15,(r-i)/Os*15):0,this._scrollVelocity?this._startScroll():this._stopScroll()}},e.prototype._startScroll=function(){this._timeoutId||this._incrementScroll()},e.prototype._incrementScroll=function(){this._scrollableParent&&(this._isVerticalScroll?this._scrollableParent.scrollTop+=Math.round(this._scrollVelocity):this._scrollableParent.scrollLeft+=Math.round(this._scrollVelocity)),this._timeoutId=setTimeout(this._incrementScroll,16)},e.prototype._stopScroll=function(){this._timeoutId&&(clearTimeout(this._timeoutId),delete this._timeoutId)},e}(),Vs=o(8633),Ks=(0,D.y)(),qs=function(e){function t(t){var o=e.call(this,t)||this;return o._root=c.createRef(),o._onMouseDown=function(e){var t=o.props,n=t.isEnabled,r=t.onShouldStartSelection;o._isMouseEventOnScrollbar(e)||o._isInSelectionToggle(e)||o._isTouch||!n||o._isDragStartInSelection(e)||r&&!r(e)||o._scrollableSurface&&0===e.button&&o._root.current&&(o._selectedIndicies={},o._preservedIndicies=void 0,o._events.on(window,"mousemove",o._onAsyncMouseMove,!0),o._events.on(o._scrollableParent,"scroll",o._onAsyncMouseMove),o._events.on(window,"click",o._onMouseUp,!0),o._autoScroll=new Ws(o._root.current),o._scrollTop=o._scrollableSurface.scrollTop,o._scrollLeft=o._scrollableSurface.scrollLeft,o._rootRect=o._root.current.getBoundingClientRect(),o._onMouseMove(e))},o._onTouchStart=function(e){o._isTouch=!0,o._async.setTimeout((function(){o._isTouch=!1}),0)},o._onPointerDown=function(e){"touch"===e.pointerType&&(o._isTouch=!0,o._async.setTimeout((function(){o._isTouch=!1}),0))},(0,P.l)(o),o._async=new bo.e(o),o._events=new at.r(o),o.state={dragRect:void 0},o}return(0,l.ZT)(t,e),t.prototype.componentDidMount=function(){this._scrollableParent=(0,yo.zj)(this._root.current),this._scrollableSurface=this._scrollableParent===window?document.body:this._scrollableParent;var e=this.props.isDraggingConstrainedToRoot?this._root.current:this._scrollableSurface;this._events.on(e,"mousedown",this._onMouseDown),this._events.on(e,"touchstart",this._onTouchStart,!0),this._events.on(e,"pointerdown",this._onPointerDown,!0)},t.prototype.componentWillUnmount=function(){this._autoScroll&&this._autoScroll.dispose(),delete this._scrollableParent,delete this._scrollableSurface,this._events.dispose(),this._async.dispose()},t.prototype.render=function(){var e=this.props,t=e.rootProps,o=e.children,n=e.theme,r=e.className,i=e.styles,a=this.state.dragRect,s=Ks(i,{theme:n,className:r});return c.createElement("div",(0,l.pi)({},t,{className:s.root,ref:this._root}),o,a&&c.createElement("div",{className:s.dragMask}),a&&c.createElement("div",{className:s.box,style:a},c.createElement("div",{className:s.boxFill})))},t.prototype._isMouseEventOnScrollbar=function(e){var t=e.target,o=t.offsetWidth-t.clientWidth;if(o){var n=t.getBoundingClientRect();if((0,T.zg)(this.props.theme)){if(e.clientXn.left+t.clientWidth)return!0;if(e.clientY>n.top+t.clientHeight)return!0}return!1},t.prototype._getRootRect=function(){return{left:this._rootRect.left+(this._scrollLeft-this._scrollableSurface.scrollLeft),top:this._rootRect.top+(this._scrollTop-this._scrollableSurface.scrollTop),width:this._rootRect.width,height:this._rootRect.height}},t.prototype._onAsyncMouseMove=function(e){var t=this;this._async.requestAnimationFrame((function(){t._onMouseMove(e)})),e.stopPropagation(),e.preventDefault()},t.prototype._onMouseMove=function(e){if(this._autoScroll){void 0!==e.clientX&&(this._lastMouseEvent=e);var t=this._getRootRect(),o={left:e.clientX-t.left,top:e.clientY-t.top};if(this._dragOrigin||(this._dragOrigin=o),void 0!==e.buttons&&0===e.buttons)this._onMouseUp(e);else if(this.state.dragRect||(0,Vs.Iw)(this._dragOrigin,o)>5){if(!this.state.dragRect){var n=this.props.selection;e.shiftKey||n.setAllSelected(!1),this._preservedIndicies=n&&n.getSelectedIndices&&n.getSelectedIndices()}var r=this.props.isDraggingConstrainedToRoot?{left:Math.max(0,Math.min(t.width,this._lastMouseEvent.clientX-t.left)),top:Math.max(0,Math.min(t.height,this._lastMouseEvent.clientY-t.top))}:{left:this._lastMouseEvent.clientX-t.left,top:this._lastMouseEvent.clientY-t.top},i={left:Math.min(this._dragOrigin.left||0,r.left),top:Math.min(this._dragOrigin.top||0,r.top),width:Math.abs(r.left-(this._dragOrigin.left||0)),height:Math.abs(r.top-(this._dragOrigin.top||0))};this._evaluateSelection(i,t),this.setState({dragRect:i})}return!1}},t.prototype._onMouseUp=function(e){this._events.off(window),this._events.off(this._scrollableParent,"scroll"),this._autoScroll&&this._autoScroll.dispose(),this._autoScroll=this._dragOrigin=this._lastMouseEvent=void 0,this._selectedIndicies=this._itemRectCache=void 0,this.state.dragRect&&(this.setState({dragRect:void 0}),e.preventDefault(),e.stopPropagation())},t.prototype._isPointInRectangle=function(e,t){return!!t.top&&e.topt.top&&!!t.left&&e.leftt.left},t.prototype._isDragStartInSelection=function(e){var t=this.props.selection;if(!this._root.current||t&&0===t.getSelectedCount())return!1;for(var o=this._root.current.querySelectorAll("[data-selection-index]"),n=0;n0&&s.height>0&&(this._itemRectCache[a]=s),s.tope.top&&s.lefte.left?this._selectedIndicies[a]=!0:delete this._selectedIndicies[a]}var l=this._allSelectedIndices||{};for(var a in this._allSelectedIndices={},this._selectedIndicies)this._selectedIndicies.hasOwnProperty(a)&&(this._allSelectedIndices[a]=!0);if(this._preservedIndicies)for(var c=0,u=this._preservedIndicies;c0&&(p=e.collapseAriaLabel||e.expandAriaLabel?e.isExpanded?e.collapseAriaLabel:e.expandAriaLabel:i?e.name+" "+i:e.name),c.createElement("div",(0,l.pi)({},n,{key:e.key||t,className:d.compositeLink}),e.links&&e.links.length>0?c.createElement("button",{className:d.chevronButton,onClick:this._onLinkExpandClicked.bind(this,e),"aria-label":p,"aria-expanded":e.isExpanded?"true":"false"},c.createElement(W.J,{className:d.chevronIcon,iconName:"ChevronDown"})):null,this._renderNavLink(e,t,o))},t.prototype._renderLink=function(e,t,o){var n=this.props,r=n.styles,i=n.groups,a=n.theme,s=cl(r,{theme:a,groups:i});return c.createElement("li",{key:e.key||t,role:"listitem",className:s.navItem},this._renderCompositeLink(e,t,o),e.isExpanded?this._renderLinks(e.links,++o):null)},t.prototype._renderLinks=function(e,t){var o=this;if(!e||!e.length)return null;var n=e.map((function(e,n){return o._renderLink(e,n,t)})),r=this.props,i=r.styles,a=r.groups,s=r.theme,l=cl(i,{theme:s,groups:a});return c.createElement("ul",{role:"list",className:l.navItems},n)},t.prototype._onGroupHeaderClicked=function(e,t){e.onHeaderClick&&e.onHeaderClick(t,this._isGroupExpanded(e)),this._toggleCollapsed(e),t&&(t.preventDefault(),t.stopPropagation())},t.prototype._onLinkExpandClicked=function(e,t){var o=this.props.onLinkExpandClick;o&&o(t,e),t.defaultPrevented||(e.isExpanded=!e.isExpanded,this.setState({isLinkExpandStateChanged:!0})),t.preventDefault(),t.stopPropagation()},t.prototype._preventBounce=function(e,t){!e.url&&e.forceAnchor&&t.preventDefault()},t.prototype._onNavAnchorLinkClicked=function(e,t){this._preventBounce(e,t),this.props.onLinkClick&&this.props.onLinkClick(t,e),!e.url&&e.links&&e.links.length>0&&this._onLinkExpandClicked(e,t),this.setState({selectedKey:e.key})},t.prototype._onNavButtonLinkClicked=function(e,t){this._preventBounce(e,t),e.onClick&&e.onClick(t,e),!e.url&&e.links&&e.links.length>0&&this._onLinkExpandClicked(e,t),this.setState({selectedKey:e.key})},t.prototype._isLinkSelected=function(e){if(void 0!==this.props.selectedKey)return e.key===this.props.selectedKey;if(void 0!==this.state.selectedKey)return e.key===this.state.selectedKey;if(void 0===(0,So.J)()||!e.url)return!1;(el=el||document.createElement("a")).href=e.url||"";var t=el.href;return location.href===t||location.protocol+"//"+location.host+location.pathname===t||!!location.hash&&(location.hash===e.url||(el.href=location.hash.substring(1),el.href===t))},t.prototype._isGroupExpanded=function(e){return e.name&&this.state.isGroupCollapsed.hasOwnProperty(e.name)?!this.state.isGroupCollapsed[e.name]:void 0===e.collapseByDefault||!e.collapseByDefault},t.prototype._toggleCollapsed=function(e){var t;if(e.name){var o=(0,l.pi)((0,l.pi)({},this.state.isGroupCollapsed),((t={})[e.name]=this._isGroupExpanded(e),t));this.setState({isGroupCollapsed:o})}},t.defaultProps={groups:null},t}(c.Component),dl=(0,I.z)(ul,(function(e){var t,o=e.className,n=e.theme,r=e.isOnTop,i=e.isExpanded,a=e.isGroup,s=e.isLink,l=e.isSelected,c=e.isDisabled,d=e.isButtonEntry,p=e.navHeight,m=void 0===p?44:p,h=e.position,g=e.leftPadding,f=void 0===g?20:g,v=e.leftPaddingExpanded,b=void 0===v?28:v,y=e.rightPadding,_=void 0===y?20:y,C=n.palette,S=n.semanticColors,x=n.fonts,k=(0,u.Cn)(al,n);return{root:[k.root,o,x.medium,{overflowY:"auto",userSelect:"none",WebkitOverflowScrolling:"touch"},r&&[{position:"absolute"},u.k4.slideRightIn40]],linkText:[k.linkText,{margin:"0 4px",overflow:"hidden",verticalAlign:"middle",textAlign:"left",textOverflow:"ellipsis"}],compositeLink:[k.compositeLink,{display:"block",position:"relative",color:S.bodyText},i&&"is-expanded",l&&"is-selected",c&&"is-disabled",c&&{color:S.disabledText}],link:[k.link,(0,u.GL)(n),{display:"block",position:"relative",height:m,width:"100%",lineHeight:m+"px",textDecoration:"none",cursor:"pointer",textOverflow:"ellipsis",whiteSpace:"nowrap",overflow:"hidden",paddingLeft:f,paddingRight:_,color:S.bodyText,selectors:(t={},t[u.qJ]={border:0,selectors:{":focus":{border:"1px solid WindowText"}}},t)},!c&&{selectors:{".ms-Nav-compositeLink:hover &":{backgroundColor:S.bodyBackgroundHovered}}},l&&{color:S.bodyTextChecked,fontWeight:u.lq.semibold,backgroundColor:S.bodyBackgroundChecked,selectors:{"&:after":{borderLeft:"2px solid "+C.themePrimary,content:'""',position:"absolute",top:0,right:0,bottom:0,left:0,pointerEvents:"none"}}},c&&{color:S.disabledText},d&&{color:C.themePrimary}],chevronButton:[k.chevronButton,(0,u.GL)(n),x.small,{display:"block",textAlign:"left",lineHeight:m+"px",margin:"5px 0",padding:"0px, "+_+"px, 0px, "+b+"px",border:"none",textOverflow:"ellipsis",whiteSpace:"nowrap",overflow:"hidden",cursor:"pointer",color:S.bodyText,backgroundColor:"transparent",selectors:{"&:visited":{color:S.bodyText}}},a&&{fontSize:x.large.fontSize,width:"100%",height:m,borderBottom:"1px solid "+S.bodyDivider},s&&{display:"block",width:b-2,height:m-2,position:"absolute",top:"1px",left:h+"px",zIndex:u.bR.Nav,padding:0,margin:0},l&&{color:C.themePrimary,backgroundColor:C.neutralLighterAlt,selectors:{"&:after":{borderLeft:"2px solid "+C.themePrimary,content:'""',position:"absolute",top:0,right:0,bottom:0,left:0,pointerEvents:"none"}}}],chevronIcon:[k.chevronIcon,{position:"absolute",left:"8px",height:m,lineHeight:m+"px",fontSize:x.small.fontSize,transition:"transform .1s linear"},i&&{transform:"rotate(-180deg)"},s&&{top:0}],navItem:[k.navItem,{padding:0}],navItems:[k.navItems,{listStyleType:"none",padding:0,margin:0}],group:[k.group,i&&"is-expanded"],groupContent:[k.groupContent,{display:"none",marginBottom:"40px"},u.k4.slideDownIn20,i&&{display:"block"}]}}),void 0,{scope:"Nav"}),pl=o(6178),ml=o(9755),hl=o(5357),gl=o(2758),fl=o(7047),vl=o(867),bl=o(8337),yl=o(4192),_l=o(4800),Cl=o(9862),Sl=o(6920),xl=o(8976),kl=o(7115),wl=o(9318),Il=o(4885),Dl=o(2535),Tl=o(9378),El=o(2657),Pl={root:"ms-TagItem",text:"ms-TagItem-text",close:"ms-TagItem-close",isSelected:"is-selected"},Ml=(0,D.y)(),Rl=function(e){var t=e.theme,o=e.styles,n=e.selected,r=e.disabled,i=e.enableTagFocusInDisabledPicker,a=e.children,s=e.className,l=e.index,u=e.onRemoveItem,d=e.removeButtonAriaLabel,p=e.title,m=void 0===p?"string"==typeof e.children?e.children:e.item.name:p,h=Ml(o,{theme:t,className:s,selected:n,disabled:r});return c.createElement("div",{className:h.root,role:"listitem",key:l,"data-selection-index":l,"data-is-focusable":(i||!r)&&!0},c.createElement("span",{className:h.text,"aria-label":m,title:m},a),c.createElement(V.h,{onClick:u,disabled:r,iconProps:{iconName:"Cancel",styles:{root:{fontSize:"12px"}}},className:h.close,ariaLabel:d}))},Nl=(0,I.z)(Rl,(function(e){var t,o,n,r,i=e.className,a=e.theme,s=e.selected,l=e.disabled,c=a.palette,d=a.effects,p=a.fonts,m=a.semanticColors,h=(0,u.Cn)(Pl,a);return{root:[h.root,p.medium,(0,u.GL)(a),{boxSizing:"content-box",flexShrink:"1",margin:2,height:26,lineHeight:26,cursor:"default",userSelect:"none",display:"flex",flexWrap:"nowrap",maxWidth:300,minWidth:0,borderRadius:d.roundedCorner2,color:m.inputText,background:!s||l?c.neutralLighter:c.themePrimary,selectors:(t={":hover":[!l&&!s&&{color:c.neutralDark,background:c.neutralLight,selectors:{".ms-TagItem-close":{color:c.neutralPrimary}}},l&&{background:c.neutralLighter},s&&!l&&{background:c.themePrimary}]},t[u.qJ]={border:"1px solid "+(s?"WindowFrame":"WindowText")},t)},l&&{selectors:(o={},o[u.qJ]={borderColor:"GrayText"},o)},s&&!l&&[h.isSelected,{color:c.white}],i],text:[h.text,{overflow:"hidden",textOverflow:"ellipsis",whiteSpace:"nowrap",minWidth:30,margin:"0 8px"},l&&{selectors:(n={},n[u.qJ]={color:"GrayText"},n)}],close:[h.close,{color:c.neutralSecondary,width:30,height:"100%",flex:"0 0 auto",borderRadius:(0,T.zg)(a)?d.roundedCorner2+" 0 0 "+d.roundedCorner2:"0 "+d.roundedCorner2+" "+d.roundedCorner2+" 0",selectors:{":hover":{background:c.neutralQuaternaryAlt,color:c.neutralPrimary},":active":{color:c.white,backgroundColor:c.themeDark}}},s&&{color:c.white,selectors:{":hover":{color:c.white,background:c.themeDark}}},l&&{selectors:(r={},r["."+El.n.msButtonIcon]={color:c.neutralSecondary},r)}]}}),void 0,{scope:"TagItem"}),Bl={suggestionTextOverflow:"ms-TagItem-TextOverflow"},Fl=(0,D.y)(),Ll=function(e){var t=e.styles,o=e.theme,n=e.children,r=Fl(t,{theme:o});return c.createElement("div",{className:r.suggestionTextOverflow}," ",n," ")},Al=(0,I.z)(Ll,(function(e){var t=e.className,o=e.theme;return{suggestionTextOverflow:[(0,u.Cn)(Bl,o).suggestionTextOverflow,{overflow:"hidden",textOverflow:"ellipsis",maxWidth:"60vw",padding:"6px 12px 7px",whiteSpace:"nowrap"},t]}}),void 0,{scope:"TagItemSuggestion"}),zl=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.defaultProps={onRenderItem:function(e){return c.createElement(Nl,(0,l.pi)({},e),e.item.name)},onRenderSuggestionsItem:function(e){return c.createElement(Al,null,e.name)}},t}(xl.d),Hl=(0,I.z)(zl,Tl.W,void 0,{scope:"TagPicker"}),Ol=o(6548);function Wl(e,t){void 0===t&&(t=null);var o=c.useRef({ref:Object.assign((function(e){o.ref.current!==e&&(o.cleanup&&(o.cleanup(),o.cleanup=void 0),o.ref.current=e,null!==e&&(o.cleanup=o.callback(e)))}),{current:t}),callback:e}).current;return o.callback=e,o.ref}var Vl=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),(0,Vr.b)("PivotItem",t,{linkText:"headerText"}),o}return(0,l.ZT)(t,e),t.prototype.render=function(){return c.createElement("div",(0,l.pi)({},(0,E.pq)(this.props,E.n7)),this.props.children)},t}(c.Component),Kl=(0,D.y)(),ql=function(e,t){var o={links:[],keyToIndexMapping:{},keyToTabIdMapping:{}};return c.Children.forEach(c.Children.toArray(e.children),(function(n,r){if(Gl(n)){var i=n.props,a=i.linkText,s=(0,l._T)(i,["linkText"]),c=n.props.itemKey||r.toString();o.links.push((0,l.pi)((0,l.pi)({headerText:a},s),{itemKey:c})),o.keyToIndexMapping[c]=r,o.keyToTabIdMapping[c]=function(e,t,o,n){return e.getTabId?e.getTabId(o,n):t+"-Tab"+n}(e,t,c,r)}else n&&(0,be.Z)("The children of a Pivot component must be of type PivotItem to be rendered.")})),o},Gl=function(e){var t,o;return(null===(o=null===(t=e)||void 0===t?void 0:t.type)||void 0===o?void 0:o.name)===Vl.name},Ul=c.forwardRef((function(e,t){var o,n=c.useRef(null),r=c.useRef(null),i=(0,Fr.M)("Pivot"),a=(0,Ol.G)(e.selectedKey,e.defaultSelectedKey),s=a[0],u=a[1],d=e.componentRef,p=e.theme,m=e.linkSize,h=e.linkFormat,g=e.overflowBehavior,f=(0,E.pq)(e,E.n7),v=ql(e,i);c.useImperativeHandle(d,(function(){return{focus:function(){var e;null===(e=n.current)||void 0===e||e.focus()}}}));var b=function(e){if(!e)return null;var t=e.itemCount,n=e.itemIcon,r=e.headerText;return c.createElement("span",{className:o.linkContent},void 0!==n&&c.createElement("span",{className:o.icon},c.createElement(W.J,{iconName:n})),void 0!==r&&c.createElement("span",{className:o.text}," ",e.headerText),void 0!==t&&c.createElement("span",{className:o.count}," (",t,")"))},y=function(e,t,n,r){var i,a=t.itemKey,s=t.headerButtonProps,u=t.onRenderItemLink,d=e.keyToTabIdMapping[a],p=n===a;i=u?u(t,b):b(t);var m=t.headerText||"";return m+=t.itemCount?" ("+t.itemCount+")":"",m+=t.itemIcon?" xx":"",c.createElement(we.M,(0,l.pi)({},s,{id:d,key:a,className:(0,pt.i)(r,p&&o.linkIsSelected),onClick:function(e){return _(a,e)},onKeyDown:function(e){return C(a,e)},"aria-label":t.ariaLabel,role:"tab","aria-selected":p,name:t.headerText,keytipProps:t.keytipProps,"data-content":m}),i)},_=function(e,t){t.preventDefault(),S(e,t)},C=function(e,t){t.which===rt.m.enter&&(t.preventDefault(),S(e))},S=function(t,o){var n;if(u(t),v=ql(e,i),e.onLinkClick&&v.keyToIndexMapping[t]>=0){var a=v.keyToIndexMapping[t],s=c.Children.toArray(e.children)[a];Gl(s)&&e.onLinkClick(s,o)}null===(n=r.current)||void 0===n||n.dismissMenu()};o=Kl(e.styles,{theme:p,linkSize:m,linkFormat:h});var x,k=null===(x=s)||void 0!==x&&void 0!==v.keyToIndexMapping[x]?s:v.links.length?v.links[0].itemKey:void 0,w=k?v.keyToIndexMapping[k]:0,I=v.links.map((function(e){return y(v,e,k,o.link)})),D=c.useMemo((function(){return{items:[],alignTargetEdge:!0,directionalHint:K.b.bottomRightEdge}}),[]),P=function(e){var t=e.onOverflowItemsChanged,o=e.rtl,n=e.pinnedIndex,r=c.useRef(),i=c.useRef(),a=Wl((function(e){var t=function(e,t){if("undefined"!=typeof ResizeObserver){var o=new ResizeObserver(t);return Array.isArray(e)?e.forEach((function(e){return o.observe(e)})):o.observe(e),function(){return o.disconnect()}}var n=function(){return t(void 0)},r=(0,So.J)(Array.isArray(e)?e[0]:e);if(!r)return function(){};var i=r.requestAnimationFrame(n);return r.addEventListener("resize",n,!1),function(){r.cancelAnimationFrame(i),r.removeEventListener("resize",n,!1)}}(e,(function(t){i.current=t?t[0].contentRect.width:e.clientWidth,r.current&&r.current()}));return function(){t(),i.current=void 0}})),s=Wl((function(e){return a(e.parentElement),function(){return a(null)}}));return c.useLayoutEffect((function(){var e=a.current,l=s.current;if(e&&l){for(var c=[],u=0;u=0;t--){if(void 0===p[t]){var r=o?e-c[t].offsetLeft:c[t].offsetLeft+c[t].offsetWidth;t+1p[t])return void g(t+1)}g(0)}};var h=c.length,g=function(e){h!==e&&(h=e,t(e,c.map((function(t,o){return{ele:t,isOverflowing:o>=e&&o!==n}}))))},f=void 0;if(void 0!==i.current){var v=(0,So.J)(e);if(v){var b=v.requestAnimationFrame(r.current);f=function(){return v.cancelAnimationFrame(b)}}}return function(){f&&f(),g(c.length),r.current=void 0}}})),{menuButtonRef:s}}({onOverflowItemsChanged:function(e,t){t.forEach((function(e){var t=e.ele,o=e.isOverflowing;return t.dataset.isOverflowing=""+o})),D.items=v.links.slice(e).map((function(t,n){return{key:t.itemKey||""+(e+n),onRender:function(){return y(v,t,k,o.linkInMenu)}}}))},rtl:(0,T.zg)(p),pinnedIndex:w}).menuButtonRef;return c.createElement("div",(0,l.pi)({role:"toolbar"},f,{ref:t}),c.createElement(M.k,{componentRef:n,direction:R.U.horizontal,className:o.root,role:"tablist"},I,"menu"===g&&c.createElement(we.M,{className:(0,pt.i)(o.link,o.overflowMenuButton),elementRef:P,componentRef:r,menuProps:D,menuIconProps:{iconName:"More",style:{color:"inherit"}}})),k&&v.links.map((function(t){return(!0===t.alwaysRender||k===t.itemKey)&&function(t,n){if(e.headersOnly||!t)return null;var r=v.keyToIndexMapping[t],i=v.keyToTabIdMapping[t];return c.createElement("div",{role:"tabpanel",hidden:!n,key:t,"aria-hidden":!n,"aria-labelledby":i,className:o.itemContainer},c.Children.toArray(e.children)[r])}(t.itemKey,k===t.itemKey)})))}));Ul.displayName="Pivot";var jl,Jl,Yl={count:"ms-Pivot-count",icon:"ms-Pivot-icon",linkIsSelected:"is-selected",link:"ms-Pivot-link",linkContent:"ms-Pivot-linkContent",root:"ms-Pivot",rootIsLarge:"ms-Pivot--large",rootIsTabs:"ms-Pivot--tabs",text:"ms-Pivot-text",linkInMenu:"ms-Pivot-linkInMenu",overflowMenuButton:"ms-Pivot-overflowMenuButton"},Zl=function(e,t,o){var n,r,i;void 0===o&&(o=!1);var a=e.linkSize,s=e.linkFormat,c=e.theme,d=c.semanticColors,p=c.fonts,m="large"===a,h="tabs"===s;return[p.medium,{color:d.actionLink,padding:"0 8px",position:"relative",backgroundColor:"transparent",border:0,borderRadius:0,selectors:(n={":hover":{backgroundColor:d.buttonBackgroundHovered,color:d.buttonTextHovered,cursor:"pointer"},":active":{backgroundColor:d.buttonBackgroundPressed,color:d.buttonTextHovered},":focus":{outline:"none"}},n["."+de.G$+" &:focus"]={outline:"1px solid "+d.focusBorder},n["."+de.G$+" &:focus:after"]={content:"attr(data-content)",position:"relative",border:0},n)},!o&&[{display:"inline-block",lineHeight:44,height:44,marginRight:8,textAlign:"center",selectors:{":before":{backgroundColor:"transparent",bottom:0,content:'""',height:2,left:8,position:"absolute",right:8,transition:"left "+u.D1.durationValue2+" "+u.D1.easeFunction2+",\n right "+u.D1.durationValue2+" "+u.D1.easeFunction2},":after":{color:"transparent",content:"attr(data-content)",display:"block",fontWeight:u.lq.bold,height:1,overflow:"hidden",visibility:"hidden"}}},m&&{fontSize:p.large.fontSize},h&&[{marginRight:0,height:44,lineHeight:44,backgroundColor:d.buttonBackground,padding:"0 10px",verticalAlign:"top",selectors:(r={":focus":{outlineOffset:"-1px"}},r["."+de.G$+" &:focus::before"]={height:"auto",background:"transparent",transition:"none"},r["&:hover, &:focus"]={color:d.buttonTextCheckedHovered},r["&:active, &:hover"]={color:d.primaryButtonText,backgroundColor:d.primaryButtonBackground},r["&."+t.linkIsSelected]={backgroundColor:d.primaryButtonBackground,color:d.primaryButtonText,fontWeight:u.lq.regular,selectors:(i={":before":{backgroundColor:"transparent",transition:"none",position:"absolute",top:0,left:0,right:0,bottom:0,content:'""',height:0},":hover":{backgroundColor:d.primaryButtonBackgroundHovered,color:d.primaryButtonText},"&:active":{backgroundColor:d.primaryButtonBackgroundPressed,color:d.primaryButtonText}},i[u.qJ]=(0,l.pi)({fontWeight:u.lq.semibold,color:"HighlightText",background:"Highlight"},(0,u.xM)()),i)},r)}]]]},Xl=(0,I.z)(Ul,(function(e){var t,o,n,r,i=e.className,a=e.linkSize,s=e.linkFormat,c=e.theme,d=c.semanticColors,p=c.fonts,m=(0,u.Cn)(Yl,c),h="large"===a,g="tabs"===s;return{root:[m.root,p.medium,u.Fv,{position:"relative",color:d.link,whiteSpace:"nowrap"},h&&m.rootIsLarge,g&&m.rootIsTabs,i],itemContainer:{selectors:{"&[hidden]":{display:"none"}}},link:(0,l.pr)([m.link],Zl(e,m),[(t={},t["&[data-is-overflowing='true']"]={display:"none"},t)]),overflowMenuButton:[m.overflowMenuButton,(o={visibility:"hidden",position:"absolute",right:0},o["."+m.link+"[data-is-overflowing='true'] ~ &"]={visibility:"visible",position:"relative"},o)],linkInMenu:(0,l.pr)([m.linkInMenu],Zl(e,m,!0),[{textAlign:"left",width:"100%",height:36,lineHeight:36}]),linkIsSelected:[m.link,m.linkIsSelected,{fontWeight:u.lq.semibold,selectors:(n={":before":{backgroundColor:d.inputBackgroundChecked,selectors:(r={},r[u.qJ]={backgroundColor:"Highlight"},r)},":hover::before":{left:0,right:0}},n[u.qJ]={color:"Highlight"},n)}],linkContent:[m.linkContent,{flex:"0 1 100%",selectors:{"& > * ":{marginLeft:4},"& > *:first-child":{marginLeft:0}}}],text:[m.text,{display:"inline-block",verticalAlign:"top"}],count:[m.count,{display:"inline-block",verticalAlign:"top"}],icon:m.icon}}),void 0,{scope:"Pivot"});!function(e){e.links="links",e.tabs="tabs"}(jl||(jl={})),function(e){e.normal="normal",e.large="large"}(Jl||(Jl={}));var Ql=(0,D.y)(),$l=function(e){function t(t){var o=e.call(this,t)||this;o._onRenderProgress=function(e){var t=o.props,n=t.ariaValueText,r=t.barHeight,i=t.className,a=t.description,s=t.label,l=void 0===s?o.props.title:s,u=t.styles,d=t.theme,p="number"==typeof o.props.percentComplete?Math.min(100,Math.max(0,100*o.props.percentComplete)):void 0,m=Ql(u,{theme:d,className:i,barHeight:r,indeterminate:void 0===p}),h={width:void 0!==p?p+"%":void 0,transition:void 0!==p&&p<.01?"none":void 0},g=void 0!==p?0:void 0,f=void 0!==p?100:void 0,v=void 0!==p?Math.floor(p):void 0;return c.createElement("div",{className:m.itemProgress},c.createElement("div",{className:m.progressTrack}),c.createElement("div",{className:m.progressBar,style:h,role:"progressbar","aria-describedby":a?o._descriptionId:void 0,"aria-labelledby":l?o._labelId:void 0,"aria-valuemin":g,"aria-valuemax":f,"aria-valuenow":v,"aria-valuetext":n}))};var n=(0,dn.z)("progress-indicator");return o._labelId=n+"-label",o._descriptionId=n+"-description",o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.barHeight,o=e.className,n=e.label,r=void 0===n?this.props.title:n,i=e.description,a=e.styles,s=e.theme,u=e.progressHidden,d=e.onRenderProgress,p=void 0===d?this._onRenderProgress:d,m="number"==typeof this.props.percentComplete?Math.min(100,Math.max(0,100*this.props.percentComplete)):void 0,h=Ql(a,{theme:s,className:o,barHeight:t,indeterminate:void 0===m});return c.createElement("div",{className:h.root},r?c.createElement("div",{id:this._labelId,className:h.itemName},r):null,u?null:p((0,l.pi)((0,l.pi)({},this.props),{percentComplete:m}),this._onRenderProgress),i?c.createElement("div",{id:this._descriptionId,className:h.itemDescription},i):null)},t.defaultProps={label:"",description:"",width:180},t}(c.Component),ec={root:"ms-ProgressIndicator",itemName:"ms-ProgressIndicator-itemName",itemDescription:"ms-ProgressIndicator-itemDescription",itemProgress:"ms-ProgressIndicator-itemProgress",progressTrack:"ms-ProgressIndicator-progressTrack",progressBar:"ms-ProgressIndicator-progressBar"},tc=(0,d.NF)((function(){return(0,u.F4)({"0%":{left:"-30%"},"100%":{left:"100%"}})})),oc=(0,d.NF)((function(){return(0,u.F4)({"100%":{right:"-30%"},"0%":{right:"100%"}})})),nc=(0,I.z)($l,(function(e){var t,o,n,r=(0,T.zg)(e.theme),i=e.className,a=e.indeterminate,s=e.theme,c=e.barHeight,d=void 0===c?2:c,p=s.palette,m=s.semanticColors,h=s.fonts,g=(0,u.Cn)(ec,s),f=p.neutralLight;return{root:[g.root,h.medium,i],itemName:[g.itemName,u.jq,{color:m.bodyText,paddingTop:4,lineHeight:20}],itemDescription:[g.itemDescription,{color:m.bodySubtext,fontSize:h.small.fontSize,lineHeight:18}],itemProgress:[g.itemProgress,{position:"relative",overflow:"hidden",height:d,padding:"8px 0"}],progressTrack:[g.progressTrack,{position:"absolute",width:"100%",height:d,backgroundColor:f,selectors:(t={},t[u.qJ]={borderBottom:"1px solid WindowText"},t)}],progressBar:[{backgroundColor:p.themePrimary,height:d,position:"absolute",transition:"width .3s ease",width:0,selectors:(o={},o[u.qJ]=(0,l.pi)({backgroundColor:"highlight"},(0,u.xM)()),o)},a?{position:"absolute",minWidth:"33%",background:"linear-gradient(to right, "+f+" 0%, "+p.themePrimary+" 50%, "+f+" 100%)",animation:(r?oc():tc())+" 3s infinite",selectors:(n={},n[u.qJ]={background:"highlight"},n)}:{transition:"width .15s linear"},g.progressBar]}}),void 0,{scope:"ProgressIndicator"}),rc=o(558),ic=o(1405),ac=o(7813),sc={root:"ms-ScrollablePane",contentContainer:"ms-ScrollablePane--contentContainer"},lc={auto:"auto",always:"always"},cc=c.createContext({scrollablePane:void 0}),uc=(0,D.y)(),dc=function(e){function t(t){var o=e.call(this,t)||this;return o._root=c.createRef(),o._stickyAboveRef=c.createRef(),o._stickyBelowRef=c.createRef(),o._contentContainer=c.createRef(),o.subscribe=function(e){o._subscribers.add(e)},o.unsubscribe=function(e){o._subscribers.delete(e)},o.addSticky=function(e){o._stickies.add(e),o.contentContainer&&(e.setDistanceFromTop(o.contentContainer),o.sortSticky(e))},o.removeSticky=function(e){o._stickies.delete(e),o._removeStickyFromContainers(e),o.notifySubscribers()},o.sortSticky=function(e,t){o.stickyAbove&&o.stickyBelow&&(t&&o._removeStickyFromContainers(e),e.canStickyTop&&e.stickyContentTop&&o._addToStickyContainer(e,o.stickyAbove,e.stickyContentTop),e.canStickyBottom&&e.stickyContentBottom&&o._addToStickyContainer(e,o.stickyBelow,e.stickyContentBottom))},o.updateStickyRefHeights=function(){var e=o._stickies,t=0,n=0;e.forEach((function(e){var r=e.state,i=r.isStickyTop,a=r.isStickyBottom;e.nonStickyContent&&(i&&(t+=e.nonStickyContent.offsetHeight),a&&(n+=e.nonStickyContent.offsetHeight),o._checkStickyStatus(e))})),o.setState({stickyTopHeight:t,stickyBottomHeight:n})},o.notifySubscribers=function(){o.contentContainer&&o._subscribers.forEach((function(e){e(o.contentContainer,o.stickyBelow)}))},o.getScrollPosition=function(){return o.contentContainer?o.contentContainer.scrollTop:0},o.syncScrollSticky=function(e){e&&o.contentContainer&&e.syncScroll(o.contentContainer)},o._getScrollablePaneContext=function(){return{scrollablePane:{subscribe:o.subscribe,unsubscribe:o.unsubscribe,addSticky:o.addSticky,removeSticky:o.removeSticky,updateStickyRefHeights:o.updateStickyRefHeights,sortSticky:o.sortSticky,notifySubscribers:o.notifySubscribers,syncScrollSticky:o.syncScrollSticky}}},o._addToStickyContainer=function(e,t,n){if(t.children.length){if(!t.contains(n)){var r=[].slice.call(t.children),i=[];o._stickies.forEach((function(n){(t===o.stickyAbove&&e.canStickyTop||e.canStickyBottom)&&i.push(n)}));for(var a=void 0,s=0,l=i.sort((function(e,t){return(e.state.distanceFromTop||0)-(t.state.distanceFromTop||0)})).filter((function(e){var n=t===o.stickyAbove?e.stickyContentTop:e.stickyContentBottom;return!!n&&r.indexOf(n)>-1}));s=(e.state.distanceFromTop||0)){a=c;break}}var u=null;a&&(u=t===o.stickyAbove?a.stickyContentTop:a.stickyContentBottom),t.insertBefore(n,u)}}else t.appendChild(n)},o._removeStickyFromContainers=function(e){o.stickyAbove&&e.stickyContentTop&&o.stickyAbove.contains(e.stickyContentTop)&&o.stickyAbove.removeChild(e.stickyContentTop),o.stickyBelow&&e.stickyContentBottom&&o.stickyBelow.contains(e.stickyContentBottom)&&o.stickyBelow.removeChild(e.stickyContentBottom)},o._onWindowResize=function(){var e=o._getScrollbarWidth(),t=o._getScrollbarHeight();o.setState({scrollbarWidth:e,scrollbarHeight:t}),o.notifySubscribers()},o._getStickyContainerStyle=function(e,t){return(0,l.pi)((0,l.pi)({height:e},(0,T.zg)(o.props.theme)?{right:"0",left:(o.state.scrollbarWidth||o._getScrollbarWidth()||0)+"px"}:{left:"0",right:(o.state.scrollbarWidth||o._getScrollbarWidth()||0)+"px"}),t?{top:"0"}:{bottom:(o.state.scrollbarHeight||o._getScrollbarHeight()||0)+"px"})},o._onScroll=function(){var e=o.contentContainer;e&&o._stickies.forEach((function(t){t.syncScroll(e)})),o._notifyThrottled()},o._subscribers=new Set,o._stickies=new Set,(0,P.l)(o),o._async=new bo.e(o),o._events=new at.r(o),o.state={stickyTopHeight:0,stickyBottomHeight:0,scrollbarWidth:0,scrollbarHeight:0},o._notifyThrottled=o._async.throttle(o.notifySubscribers,50),o}return(0,l.ZT)(t,e),Object.defineProperty(t.prototype,"root",{get:function(){return this._root.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"stickyAbove",{get:function(){return this._stickyAboveRef.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"stickyBelow",{get:function(){return this._stickyBelowRef.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"contentContainer",{get:function(){return this._contentContainer.current},enumerable:!0,configurable:!0}),t.prototype.componentDidMount=function(){var e=this,t=this.props.initialScrollPosition;this._events.on(this.contentContainer,"scroll",this._onScroll),this._events.on(window,"resize",this._onWindowResize),this.contentContainer&&t&&(this.contentContainer.scrollTop=t),this.setStickiesDistanceFromTop(),this._stickies.forEach((function(t){e.sortSticky(t)})),this.notifySubscribers(),"MutationObserver"in window&&(this._mutationObserver=new MutationObserver((function(t){var o=e._getScrollbarHeight();if(o!==e.state.scrollbarHeight&&e.setState({scrollbarHeight:o}),e.notifySubscribers(),t.some(function(e){return null!==this.stickyAbove&&null!==this.stickyBelow&&(this.stickyAbove.contains(e.target)||this.stickyBelow.contains(e.target))}.bind(e)))e.updateStickyRefHeights();else{var n=[];e._stickies.forEach((function(e){e.root&&e.root.contains(t[0].target)&&n.push(e)})),n.length&&n.forEach((function(e){e.forceUpdate()}))}})),this.root&&this._mutationObserver.observe(this.root,{childList:!0,attributes:!0,subtree:!0,characterData:!0}))},t.prototype.componentWillUnmount=function(){this._events.dispose(),this._async.dispose(),this._mutationObserver&&this._mutationObserver.disconnect()},t.prototype.shouldComponentUpdate=function(e,t){return this.props.children!==e.children||this.props.initialScrollPosition!==e.initialScrollPosition||this.props.className!==e.className||this.state.stickyTopHeight!==t.stickyTopHeight||this.state.stickyBottomHeight!==t.stickyBottomHeight||this.state.scrollbarWidth!==t.scrollbarWidth||this.state.scrollbarHeight!==t.scrollbarHeight},t.prototype.componentDidUpdate=function(e,t){var o=this.props.initialScrollPosition;this.contentContainer&&"number"==typeof o&&e.initialScrollPosition!==o&&(this.contentContainer.scrollTop=o),t.stickyTopHeight===this.state.stickyTopHeight&&t.stickyBottomHeight===this.state.stickyBottomHeight||this.notifySubscribers(),this._async.setTimeout(this._onWindowResize,0)},t.prototype.render=function(){var e=this.props,t=e.className,o=e.theme,n=e.styles,r=this.state,i=r.stickyTopHeight,a=r.stickyBottomHeight,s=uc(n,{theme:o,className:t,scrollbarVisibility:this.props.scrollbarVisibility});return c.createElement("div",(0,l.pi)({},(0,E.pq)(this.props,E.n7),{ref:this._root,className:s.root}),c.createElement("div",{ref:this._stickyAboveRef,className:s.stickyAbove,style:this._getStickyContainerStyle(i,!0)}),c.createElement("div",{ref:this._contentContainer,className:s.contentContainer,"data-is-scrollable":!0},c.createElement(cc.Provider,{value:this._getScrollablePaneContext()},this.props.children)),c.createElement("div",{className:s.stickyBelow,style:this._getStickyContainerStyle(a,!1)},c.createElement("div",{ref:this._stickyBelowRef,className:s.stickyBelowItems})))},t.prototype.setStickiesDistanceFromTop=function(){var e=this;this.contentContainer&&this._stickies.forEach((function(t){t.setDistanceFromTop(e.contentContainer)}))},t.prototype.forceLayoutUpdate=function(){this._onWindowResize()},t.prototype._checkStickyStatus=function(e){this.stickyAbove&&this.stickyBelow&&this.contentContainer&&e.nonStickyContent&&(e.state.isStickyTop||e.state.isStickyBottom?(e.state.isStickyTop&&!this.stickyAbove.contains(e.nonStickyContent)&&e.stickyContentTop&&e.addSticky(e.stickyContentTop),e.state.isStickyBottom&&!this.stickyBelow.contains(e.nonStickyContent)&&e.stickyContentBottom&&e.addSticky(e.stickyContentBottom)):this.contentContainer.contains(e.nonStickyContent)||e.resetSticky())},t.prototype._getScrollbarWidth=function(){var e=this.contentContainer;return e?e.offsetWidth-e.clientWidth:0},t.prototype._getScrollbarHeight=function(){var e=this.contentContainer;return e?e.offsetHeight-e.clientHeight:0},t}(c.Component),pc=(0,I.z)(dc,(function(e){var t,o,n=e.className,r=e.theme,i=(0,u.Cn)(sc,r),a={position:"absolute",pointerEvents:"none"},s={position:"absolute",top:0,right:0,bottom:0,left:0,WebkitOverflowScrolling:"touch"};return{root:[i.root,r.fonts.medium,s,n],contentContainer:[i.contentContainer,{overflowY:"always"===e.scrollbarVisibility?"scroll":"auto"},s],stickyAbove:[{top:0,zIndex:1,selectors:(t={},t[u.qJ]={borderBottom:"1px solid WindowText"},t)},a],stickyBelow:[{bottom:0,selectors:(o={},o[u.qJ]={borderTop:"1px solid WindowText"},o)},a],stickyBelowItems:[{bottom:0},a,{width:"100%"}]}}),void 0,{scope:"ScrollablePane"}),mc=o(6419),hc=o(3863),gc=o(5515),fc=function(e){function t(t){var o=e.call(this,t)||this;o.addItems=function(e){var t=o.props.onItemSelected?o.props.onItemSelected(e):e,n=t,r=t;if(r&&r.then)r.then((function(e){var t=o.state.items.concat(e);o.updateItems(t)}));else{var i=o.state.items.concat(n);o.updateItems(i)}},o.removeItemAt=function(e){var t=o.state.items;if(o._canRemoveItem(t[e])&&e>-1){o.props.onItemsDeleted&&o.props.onItemsDeleted([t[e]]);var n=t.slice(0,e).concat(t.slice(e+1));o.updateItems(n)}},o.removeItem=function(e){var t=o.state.items.indexOf(e);o.removeItemAt(t)},o.replaceItem=function(e,t){var n=o.state.items,r=n.indexOf(e);if(r>-1){var i=n.slice(0,r).concat(t).concat(n.slice(r+1));o.updateItems(i)}},o.removeItems=function(e){var t=o.state.items,n=e.filter((function(e){return o._canRemoveItem(e)})),r=t.filter((function(e){return-1===n.indexOf(e)})),i=n[0],a=t.indexOf(i);o.props.onItemsDeleted&&o.props.onItemsDeleted(n),o.updateItems(r,a)},o.onCopy=function(e){if(o.props.onCopyItems&&o.selection.getSelectedCount()>0){var t=o.selection.getSelection();o.copyItems(t)}},o.renderItems=function(){var e=o.props.removeButtonAriaLabel,t=o.props.onRenderItem;return o.state.items.map((function(n,r){return t({item:n,index:r,key:n.key?n.key:r,selected:o.selection.isIndexSelected(r),onRemoveItem:function(){return o.removeItem(n)},onItemChange:o.onItemChange,removeButtonAriaLabel:e,onCopyItem:function(e){return o.copyItems([e])}})}))},o.onSelectionChanged=function(){o.forceUpdate()},o.onItemChange=function(e,t){var n=o.state.items;if(t>=0){var r=n;r[t]=e,o.updateItems(r)}},(0,P.l)(o);var n=t.selectedItems||t.defaultSelectedItems||[];return o.state={items:n},o._defaultSelection=new nn.Y({onSelectionChanged:o.onSelectionChanged}),o}return(0,l.ZT)(t,e),t.getDerivedStateFromProps=function(e){return e.selectedItems?{items:e.selectedItems}:null},Object.defineProperty(t.prototype,"items",{get:function(){return this.state.items},enumerable:!0,configurable:!0}),t.prototype.removeSelectedItems=function(){this.state.items.length&&this.selection.getSelectedCount()>0&&this.removeItems(this.selection.getSelection())},t.prototype.updateItems=function(e,t){var o=this;this.props.selectedItems?this.onChange(e):this.setState({items:e},(function(){o._onSelectedItemsUpdated(e,t)}))},t.prototype.hasSelectedItems=function(){return this.selection.getSelectedCount()>0},t.prototype.componentDidUpdate=function(e,t){this.state.items&&this.state.items!==t.items&&this.selection.setItems(this.state.items)},t.prototype.unselectAll=function(){this.selection.setAllSelected(!1)},t.prototype.highlightedItems=function(){return this.selection.getSelection()},t.prototype.componentDidMount=function(){this.selection.setItems(this.state.items)},Object.defineProperty(t.prototype,"selection",{get:function(){var e;return null!=(e=this.props.selection)?e:this._defaultSelection},enumerable:!0,configurable:!0}),t.prototype.render=function(){return this.renderItems()},t.prototype.onChange=function(e){this.props.onChange&&this.props.onChange(e)},t.prototype.copyItems=function(e){if(this.props.onCopyItems){var t=this.props.onCopyItems(e),o=document.createElement("input");document.body.appendChild(o);try{if(o.value=t,o.select(),!document.execCommand("copy"))throw new Error}catch(e){}finally{document.body.removeChild(o)}}},t.prototype._onSelectedItemsUpdated=function(e,t){this.onChange(e)},t.prototype._canRemoveItem=function(e){return!this.props.canRemoveItem||this.props.canRemoveItem(e)},t}(c.Component);(0,Xi.RM)([{rawString:".personaContainer_e3941fa3{border-radius:15px;display:-webkit-inline-box;display:-ms-inline-flexbox;display:inline-flex;-webkit-box-align:center;-ms-flex-align:center;align-items:center;background:"},{theme:"themeLighterAlt",defaultValue:"#eff6fc"},{rawString:";margin:4px;cursor:default;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;vertical-align:middle;position:relative}.personaContainer_e3941fa3::-moz-focus-inner{border:0}.personaContainer_e3941fa3{outline:transparent}.personaContainer_e3941fa3{position:relative}.ms-Fabric--isFocusVisible .personaContainer_e3941fa3:focus:after{-webkit-box-sizing:border-box;box-sizing:border-box;content:'';position:absolute;top:-2px;right:-2px;bottom:-2px;left:-2px;pointer-events:none;border:1px solid "},{theme:"focusBorder",defaultValue:"#605e5c"},{rawString:";border-radius:0}.personaContainer_e3941fa3 .ms-Persona-primaryText{color:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:";font-size:14px;font-weight:400}.personaContainer_e3941fa3 .ms-Persona-primaryText.hover_e3941fa3{color:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:"}@media screen and (-ms-high-contrast:active){.personaContainer_e3941fa3 .ms-Persona-primaryText{color:HighlightText}}.personaContainer_e3941fa3 .actionButton_e3941fa3:hover{background:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:"}.personaContainer_e3941fa3 .actionButton_e3941fa3 .ms-Button-icon{color:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:"}@media screen and (-ms-high-contrast:active){.personaContainer_e3941fa3 .actionButton_e3941fa3 .ms-Button-icon{color:HighlightText}}.personaContainer_e3941fa3:hover{background:"},{theme:"themeLighter",defaultValue:"#deecf9"},{rawString:"}.personaContainer_e3941fa3:hover .ms-Persona-primaryText{color:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:";font-size:14px;font-weight:400}@media screen and (-ms-high-contrast:active){.personaContainer_e3941fa3:hover .ms-Persona-primaryText{color:HighlightText}}.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3{background:"},{theme:"themePrimary",defaultValue:"#0078d4"},{rawString:"}.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3 .ms-Persona-primaryText{color:"},{theme:"white",defaultValue:"#ffffff"},{rawString:"}@media screen and (-ms-high-contrast:active){.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3 .ms-Persona-primaryText{color:HighlightText}}.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3 .actionButton_e3941fa3{color:"},{theme:"white",defaultValue:"#ffffff"},{rawString:"}.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3 .actionButton_e3941fa3 .ms-Button-icon{color:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:"}.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3 .actionButton_e3941fa3 .ms-Button-icon:hover{background:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:"}@media screen and (-ms-high-contrast:active){.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3 .actionButton_e3941fa3 .ms-Button-icon{color:HighlightText}}@media screen and (-ms-high-contrast:active){.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3{border-color:Highlight;background:Highlight;-ms-high-contrast-adjust:none}}.personaContainer_e3941fa3.validationError_e3941fa3 .ms-Persona-primaryText{color:"},{theme:"red",defaultValue:"#e81123"},{rawString:"}.personaContainer_e3941fa3.validationError_e3941fa3 .ms-Persona-initials{font-size:20px}@media screen and (-ms-high-contrast:active){.personaContainer_e3941fa3{border:1px solid WindowText}}.personaContainer_e3941fa3 .itemContent_e3941fa3{-webkit-box-flex:0;-ms-flex:0 1 auto;flex:0 1 auto;min-width:0;max-width:100%}.personaContainer_e3941fa3 .removeButton_e3941fa3{border-radius:15px;-webkit-box-flex:0;-ms-flex:0 0 auto;flex:0 0 auto;width:33px;height:33px;-ms-flex-preferred-size:32px;flex-basis:32px}.personaContainer_e3941fa3 .expandButton_e3941fa3{border-radius:15px 0 0 15px;height:33px;width:44px;padding-right:16px;position:inherit;display:-webkit-box;display:-ms-flexbox;display:flex;margin-right:-17px}.personaContainer_e3941fa3 .personaWrapper_e3941fa3{position:relative;display:inherit}.personaContainer_e3941fa3 .personaWrapper_e3941fa3 .ms-Persona-details{padding:0 8px}.personaContainer_e3941fa3 .personaDetails_e3941fa3{-webkit-box-flex:0;-ms-flex:0 1 auto;flex:0 1 auto}.itemContainer_e3941fa3{display:inline-block;vertical-align:top}"}]);var vc="personaContainer_e3941fa3",bc="hover_e3941fa3",yc="actionButton_e3941fa3",_c="personaContainerIsSelected_e3941fa3",Cc="validationError_e3941fa3",Sc="itemContent_e3941fa3",xc="removeButton_e3941fa3",kc="expandButton_e3941fa3",wc="personaWrapper_e3941fa3",Ic="personaDetails_e3941fa3",Dc="itemContainer_e3941fa3",Tc=s,Ec=function(e){function t(t){var o=e.call(this,t)||this;return o.persona=c.createRef(),(0,P.l)(o),o.state={contextualMenuVisible:!1},o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e,t,o=this.props,n=o.item,r=o.onExpandItem,i=o.onRemoveItem,a=o.removeButtonAriaLabel,s=o.index,u=o.selected,d=(0,dn.z)();return c.createElement("div",{ref:this.persona,className:(0,pt.i)("ms-PickerPersona-container",Tc.personaContainer,(e={},e["is-selected "+Tc.personaContainerIsSelected]=u,e),(t={},t["is-invalid "+Tc.validationError]=!n.isValid,t)),"data-is-focusable":!0,"data-is-sub-focuszone":!0,"data-selection-index":s,role:"listitem","aria-labelledby":"selectedItemPersona-"+d},c.createElement("div",{hidden:!n.canExpand||void 0===r},c.createElement(V.h,{onClick:this._onClickIconButton(r),iconProps:{iconName:"Add",style:{fontSize:"14px"}},className:(0,pt.i)("ms-PickerItem-removeButton",Tc.expandButton,Tc.actionButton),ariaLabel:a})),c.createElement("div",{className:(0,pt.i)(Tc.personaWrapper)},c.createElement("div",{className:(0,pt.i)("ms-PickerItem-content",Tc.itemContent),id:"selectedItemPersona-"+d},c.createElement(ua.I,(0,l.pi)({},n,{onRenderCoin:this.props.renderPersonaCoin,onRenderPrimaryText:this.props.renderPrimaryText,size:C.Ir.size32}))),c.createElement(V.h,{onClick:this._onClickIconButton(i),iconProps:{iconName:"Cancel",style:{fontSize:"14px"}},className:(0,pt.i)("ms-PickerItem-removeButton",Tc.removeButton,Tc.actionButton),ariaLabel:a})))},t.prototype._onClickIconButton=function(e){return function(t){t.stopPropagation(),t.preventDefault(),e&&e()}},t}(c.Component),Pc=function(e){function t(t){var o=e.call(this,t)||this;return o.itemElement=c.createRef(),o._onClick=function(e){e.preventDefault(),o.props.beginEditing&&!o.props.item.isValid?o.props.beginEditing(o.props.item):o.setState({contextualMenuVisible:!0})},o._onCloseContextualMenu=function(e){o.setState({contextualMenuVisible:!1})},(0,P.l)(o),o.state={contextualMenuVisible:!1},o}return(0,l.ZT)(t,e),t.prototype.render=function(){return c.createElement("div",{ref:this.itemElement,onContextMenu:this._onClick},this.props.renderedItem,this.state.contextualMenuVisible?c.createElement(Go.r,{items:this.props.menuItems,shouldFocusOnMount:!0,target:this.itemElement.current,onDismiss:this._onCloseContextualMenu,directionalHint:K.b.bottomLeftEdge}):null)},t}(c.Component),Mc={root:"ms-EditingItem",input:"ms-EditingItem-input"},Rc=function(e){var t=(0,u.gh)();if(!t)throw new Error("theme is undefined or null in Editing item getStyles function.");var o=t.semanticColors,n=(0,u.Cn)(Mc,t);return{root:[n.root,{margin:"4px"}],input:[n.input,{border:"0px",outline:"none",width:"100%",backgroundColor:o.inputBackground,color:o.inputText,selectors:{"::-ms-clear":{display:"none"}}}]}},Nc=function(e){function t(t){var o=e.call(this,t)||this;return o._editingFloatingPicker=c.createRef(),o._renderEditingSuggestions=function(){var e=o.props.onRenderFloatingPicker,t=o.props.floatingPickerProps;return e&&t?c.createElement(e,(0,l.pi)({componentRef:o._editingFloatingPicker,onChange:o._onSuggestionSelected,inputElement:o._editingInput,selectedItems:[]},t)):c.createElement(c.Fragment,null)},o._resolveInputRef=function(e){o._editingInput=e,o.forceUpdate((function(){o._editingInput.focus()}))},o._onInputClick=function(){o._editingFloatingPicker.current&&o._editingFloatingPicker.current.showPicker(!0)},o._onInputBlur=function(e){if(o._editingFloatingPicker.current&&null!==e.relatedTarget){var t=e.relatedTarget;-1===t.className.indexOf("ms-Suggestions-itemButton")&&-1===t.className.indexOf("ms-Suggestions-sectionButton")&&o._editingFloatingPicker.current.forceResolveSuggestion()}},o._onInputChange=function(e){var t=e.target.value;""===t?o.props.onRemoveItem&&o.props.onRemoveItem():o._editingFloatingPicker.current&&o._editingFloatingPicker.current.onQueryStringChanged(t)},o._onSuggestionSelected=function(e){o.props.onEditingComplete(o.props.item,e)},(0,P.l)(o),o.state={contextualMenuVisible:!1},o}return(0,l.ZT)(t,e),t.prototype.componentDidMount=function(){var e=(0,this.props.getEditingItemText)(this.props.item);this._editingFloatingPicker.current&&this._editingFloatingPicker.current.onQueryStringChanged(e),this._editingInput.value=e,this._editingInput.focus()},t.prototype.render=function(){var e=(0,dn.z)(),t=(0,E.pq)(this.props,E.Gg),o=(0,D.y)()(Rc);return c.createElement("div",{"aria-labelledby":"editingItemPersona-"+e,className:o.root},c.createElement("input",(0,l.pi)({autoCapitalize:"off",autoComplete:"off"},t,{ref:this._resolveInputRef,onChange:this._onInputChange,onKeyDown:this._onInputKeyDown,onBlur:this._onInputBlur,onClick:this._onInputClick,"data-lpignore":!0,className:o.input,id:e})),this._renderEditingSuggestions())},t.prototype._onInputKeyDown=function(e){e.which!==rt.m.backspace&&e.which!==rt.m.del||e.stopPropagation()},t}(c.Component),Bc=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,l.ZT)(t,e),t}(fc),Fc=function(e){function t(){var t=null!==e&&e.apply(this,arguments)||this;return t.renderItems=function(){return t.state.items.map((function(e,o){return t._renderItem(e,o)}))},t._beginEditing=function(e){e.isEditing=!0,t.forceUpdate()},t._completeEditing=function(e,o){e.isEditing=!1,t.replaceItem(e,o)},t}return(0,l.ZT)(t,e),t.prototype._renderItem=function(e,t){var o=this,n=this.props.removeButtonAriaLabel,r=this.props.onExpandGroup,i={item:e,index:t,key:e.key?e.key:t,selected:this.selection.isIndexSelected(t),onRemoveItem:function(){return o.removeItem(e)},onItemChange:this.onItemChange,removeButtonAriaLabel:n,onCopyItem:function(e){return o.copyItems([e])},onExpandItem:r?function(){return r(e)}:void 0,menuItems:this._createMenuItems(e)},a=i.menuItems.length>0;if(e.isEditing&&a)return c.createElement(Nc,(0,l.pi)({},i,{onRenderFloatingPicker:this.props.onRenderFloatingPicker,floatingPickerProps:this.props.floatingPickerProps,onEditingComplete:this._completeEditing,getEditingItemText:this.props.getEditingItemText}));var s=(0,this.props.onRenderItem)(i);return a?c.createElement(Pc,{key:i.key,renderedItem:s,beginEditing:this._beginEditing,menuItems:this._createMenuItems(i.item),item:i.item}):s},t.prototype._createMenuItems=function(e){var t=this,o=[];return this.props.editMenuItemText&&this.props.getEditingItemText&&o.push({key:"Edit",text:this.props.editMenuItemText,onClick:function(e,o){t._beginEditing(o.data)},data:e}),this.props.removeMenuItemText&&o.push({key:"Remove",text:this.props.removeMenuItemText,onClick:function(e,o){t.removeItem(o.data)},data:e}),this.props.copyMenuItemText&&o.push({key:"Copy",text:this.props.copyMenuItemText,onClick:function(e,o){t.props.onCopyItems&&t.copyItems([o.data])},data:e}),o},t.defaultProps={onRenderItem:function(e){return c.createElement(Ec,(0,l.pi)({},e))}},t}(Bc),Lc=(0,D.y)(),Ac=c.forwardRef((function(e,t){var o=e.styles,n=e.theme,r=e.className,i=e.vertical,a=e.alignContent,s=e.children,l=Lc(o,{theme:n,className:r,alignContent:a,vertical:i});return c.createElement("div",{className:l.root,ref:t},c.createElement("div",{className:l.content,role:"separator","aria-orientation":i?"vertical":"horizontal"},s))})),zc=(0,I.z)(Ac,(function(e){var t,o,n=e.theme,r=e.alignContent,i=e.vertical,a=e.className,s="start"===r,l="center"===r,c="end"===r;return{root:[n.fonts.medium,{position:"relative"},r&&{textAlign:r},!r&&{textAlign:"center"},i&&(l||!r)&&{verticalAlign:"middle"},i&&s&&{verticalAlign:"top"},i&&c&&{verticalAlign:"bottom"},i&&{padding:"0 4px",height:"inherit",display:"table-cell",zIndex:1,selectors:{":after":(t={backgroundColor:n.palette.neutralLighter,width:"1px",content:'""',position:"absolute",top:"0",bottom:"0",left:"50%",right:"0",zIndex:-1},t[u.qJ]={backgroundColor:"WindowText"},t)}},!i&&{padding:"4px 0",selectors:{":before":(o={backgroundColor:n.palette.neutralLighter,height:"1px",content:'""',display:"block",position:"absolute",top:"50%",bottom:"0",left:"0",right:"0"},o[u.qJ]={backgroundColor:"WindowText"},o)}},a],content:[{position:"relative",display:"inline-block",padding:"0 12px",color:n.semanticColors.bodyText,background:n.semanticColors.bodyBackground},i&&{padding:"12px 0"}]}}),void 0,{scope:"Separator"});zc.displayName="Separator";var Hc,Oc,Wc={root:"ms-Shimmer-container",shimmerWrapper:"ms-Shimmer-shimmerWrapper",shimmerGradient:"ms-Shimmer-shimmerGradient",dataWrapper:"ms-Shimmer-dataWrapper"},Vc=(0,d.NF)((function(){return(0,u.F4)({"0%":{transform:"translateX(-100%)"},"100%":{transform:"translateX(100%)"}})})),Kc=(0,d.NF)((function(){return(0,u.F4)({"100%":{transform:"translateX(-100%)"},"0%":{transform:"translateX(100%)"}})}));!function(e){e[e.line=1]="line",e[e.circle=2]="circle",e[e.gap=3]="gap"}(Hc||(Hc={})),function(e){e[e.line=16]="line",e[e.gap=16]="gap",e[e.circle=24]="circle"}(Oc||(Oc={}));var qc=(0,D.y)(),Gc=function(e){var t=e.height,o=e.styles,n=e.width,r=void 0===n?"100%":n,i=e.borderStyle,a=e.theme,s=qc(o,{theme:a,height:t,borderStyle:i});return c.createElement("div",{style:{width:r,minWidth:"number"==typeof r?r+"px":"auto"},className:s.root},c.createElement("svg",{width:"2",height:"2",className:s.topLeftCorner},c.createElement("path",{d:"M0 2 A 2 2, 0, 0, 1, 2 0 L 0 0 Z"})),c.createElement("svg",{width:"2",height:"2",className:s.topRightCorner},c.createElement("path",{d:"M0 0 A 2 2, 0, 0, 1, 2 2 L 2 0 Z"})),c.createElement("svg",{width:"2",height:"2",className:s.bottomRightCorner},c.createElement("path",{d:"M2 0 A 2 2, 0, 0, 1, 0 2 L 2 2 Z"})),c.createElement("svg",{width:"2",height:"2",className:s.bottomLeftCorner},c.createElement("path",{d:"M2 2 A 2 2, 0, 0, 1, 0 0 L 0 2 Z"})))},Uc={root:"ms-ShimmerLine-root",topLeftCorner:"ms-ShimmerLine-topLeftCorner",topRightCorner:"ms-ShimmerLine-topRightCorner",bottomLeftCorner:"ms-ShimmerLine-bottomLeftCorner",bottomRightCorner:"ms-ShimmerLine-bottomRightCorner"},jc=(0,I.z)(Gc,(function(e){var t,o=e.height,n=e.borderStyle,r=e.theme,i=r.semanticColors,a=(0,u.Cn)(Uc,r),s=n||{},l={position:"absolute",fill:i.bodyBackground};return{root:[a.root,r.fonts.medium,{height:o+"px",boxSizing:"content-box",position:"relative",borderTopStyle:"solid",borderBottomStyle:"solid",borderColor:i.bodyBackground,borderWidth:0,selectors:(t={},t[u.qJ]={borderColor:"Window",selectors:{"> *":{fill:"Window"}}},t)},s],topLeftCorner:[a.topLeftCorner,{top:"0",left:"0"},l],topRightCorner:[a.topRightCorner,{top:"0",right:"0"},l],bottomRightCorner:[a.bottomRightCorner,{bottom:"0",right:"0"},l],bottomLeftCorner:[a.bottomLeftCorner,{bottom:"0",left:"0"},l]}}),void 0,{scope:"ShimmerLine"}),Jc=(0,D.y)(),Yc=function(e){var t=e.height,o=e.styles,n=e.width,r=void 0===n?"10px":n,i=e.borderStyle,a=e.theme,s=Jc(o,{theme:a,height:t,borderStyle:i});return c.createElement("div",{style:{width:r,minWidth:"number"==typeof r?r+"px":"auto"},className:s.root})},Zc={root:"ms-ShimmerGap-root"},Xc=(0,I.z)(Yc,(function(e){var t,o=e.height,n=e.borderStyle,r=e.theme,i=r.semanticColors,a=n||{};return{root:[(0,u.Cn)(Zc,r).root,r.fonts.medium,{backgroundColor:i.bodyBackground,height:o+"px",boxSizing:"content-box",borderTopStyle:"solid",borderBottomStyle:"solid",borderColor:i.bodyBackground,selectors:(t={},t[u.qJ]={backgroundColor:"Window",borderColor:"Window"},t)},a]}}),void 0,{scope:"ShimmerGap"}),Qc={root:"ms-ShimmerCircle-root",svg:"ms-ShimmerCircle-svg"},$c=(0,D.y)(),eu=function(e){var t=e.height,o=e.styles,n=e.borderStyle,r=e.theme,i=$c(o,{theme:r,height:t,borderStyle:n});return c.createElement("div",{className:i.root},c.createElement("svg",{viewBox:"0 0 10 10",width:t,height:t,className:i.svg},c.createElement("path",{d:"M0,0 L10,0 L10,10 L0,10 L0,0 Z M0,5 C0,7.76142375 2.23857625,10 5,10 C7.76142375,10 10,7.76142375 10,5 C10,2.23857625 7.76142375,2.22044605e-16 5,0 C2.23857625,-2.22044605e-16 0,2.23857625 0,5 L0,5 Z"})))},tu=(0,I.z)(eu,(function(e){var t,o,n=e.height,r=e.borderStyle,i=e.theme,a=i.semanticColors,s=(0,u.Cn)(Qc,i),l=r||{};return{root:[s.root,i.fonts.medium,{width:n+"px",height:n+"px",minWidth:n+"px",boxSizing:"content-box",borderTopStyle:"solid",borderBottomStyle:"solid",borderColor:a.bodyBackground,selectors:(t={},t[u.qJ]={borderColor:"Window"},t)},l],svg:[s.svg,{display:"block",fill:a.bodyBackground,selectors:(o={},o[u.qJ]={fill:"Window"},o)}]}}),void 0,{scope:"ShimmerCircle"}),ou=(0,D.y)(),nu=function(e){var t=e.styles,o=e.width,n=void 0===o?"auto":o,r=e.shimmerElements,i=e.rowHeight,a=void 0===i?function(e){return e.map((function(e){switch(e.type){case Hc.circle:e.height||(e.height=Oc.circle);break;case Hc.line:e.height||(e.height=Oc.line);break;case Hc.gap:e.height||(e.height=Oc.gap)}return e})).reduce((function(e,t){return t.height&&t.height>e?t.height:e}),0)}(r||[]):i,s=e.flexWrap,u=void 0!==s&&s,d=e.theme,p=e.backgroundColor,m=ou(t,{theme:d,flexWrap:u});return c.createElement("div",{style:{width:n},className:m.root},function(e,t,o){return e?e.map((function(e,n){var r=e.type,i=(0,l._T)(e,["type"]),a=i.verticalAlign,s=i.height,u=ru(a,r,s,t,o);switch(e.type){case Hc.circle:return c.createElement(tu,(0,l.pi)({key:n},i,{styles:u}));case Hc.gap:return c.createElement(Xc,(0,l.pi)({key:n},i,{styles:u}));case Hc.line:return c.createElement(jc,(0,l.pi)({key:n},i,{styles:u}))}})):c.createElement(jc,{height:Oc.line})}(r,p,a))},ru=(0,d.NF)((function(e,t,o,n,r){var i,a=r&&o?r-o:0;if(e&&"center"!==e?e&&"top"===e?i={borderBottomWidth:a+"px",borderTopWidth:"0px"}:e&&"bottom"===e&&(i={borderBottomWidth:"0px",borderTopWidth:a+"px"}):i={borderBottomWidth:(a?Math.floor(a/2):0)+"px",borderTopWidth:(a?Math.ceil(a/2):0)+"px"},n)switch(t){case Hc.circle:return{root:(0,l.pi)((0,l.pi)({},i),{borderColor:n}),svg:{fill:n}};case Hc.gap:return{root:(0,l.pi)((0,l.pi)({},i),{borderColor:n,backgroundColor:n})};case Hc.line:return{root:(0,l.pi)((0,l.pi)({},i),{borderColor:n}),topLeftCorner:{fill:n},topRightCorner:{fill:n},bottomLeftCorner:{fill:n},bottomRightCorner:{fill:n}}}return{root:i}})),iu={root:"ms-ShimmerElementsGroup-root"},au=(0,I.z)(nu,(function(e){var t=e.flexWrap,o=e.theme;return{root:[(0,u.Cn)(iu,o).root,o.fonts.medium,{display:"flex",alignItems:"center",flexWrap:t?"wrap":"nowrap",position:"relative"}]}}),void 0,{scope:"ShimmerElementsGroup"}),su=(0,D.y)(),lu=c.forwardRef((function(e,t){var o=e.styles,n=e.shimmerElements,r=e.children,i=e.width,a=e.className,s=e.customElementsGroup,u=e.theme,d=e.ariaLabel,p=e.shimmerColors,m=e.isDataLoaded,h=void 0!==m&&m,g=(0,E.pq)(e,E.n7),f=su(o,{theme:u,isDataLoaded:h,className:a,transitionAnimationInterval:200,shimmerColor:p&&p.shimmer,shimmerWaveColor:p&&p.shimmerWave}),v=(0,q.B)({lastTimeoutId:0}),b=(0,Ct.L)(),y=b.setTimeout,_=b.clearTimeout,C=c.useState(h),S=C[0],x=C[1],k={width:i||"100%"};return c.useEffect((function(){if(h!==S){if(h)return v.lastTimeoutId=y((function(){x(!0)}),200),function(){return _(v.lastTimeoutId)};x(!1)}}),[h]),c.createElement("div",(0,l.pi)({},g,{className:f.root,ref:t}),!S&&c.createElement("div",{style:k,className:f.shimmerWrapper},c.createElement("div",{className:f.shimmerGradient}),s||c.createElement(au,{shimmerElements:n,backgroundColor:p&&p.background})),r&&c.createElement("div",{className:f.dataWrapper},r),d&&!h&&c.createElement("div",{role:"status","aria-live":"polite"},c.createElement(Us.U,null,c.createElement("div",{className:f.screenReaderText},d))))}));lu.displayName="Shimmer";var cu=(0,I.z)(lu,(function(e){var t,o=e.isDataLoaded,n=e.className,r=e.theme,i=e.transitionAnimationInterval,a=e.shimmerColor,s=e.shimmerWaveColor,c=r.semanticColors,d=(0,u.Cn)(Wc,r),p=(0,T.zg)(r);return{root:[d.root,r.fonts.medium,{position:"relative",height:"auto"},n],shimmerWrapper:[d.shimmerWrapper,{position:"relative",overflow:"hidden",transform:"translateZ(0)",backgroundColor:a||c.disabledBackground,transition:"opacity "+i+"ms",selectors:(t={"> *":{transform:"translateZ(0)"}},t[u.qJ]=(0,l.pi)({background:"WindowText\n linear-gradient(\n to right,\n transparent 0%,\n Window 50%,\n transparent 100%)\n 0 0 / 90% 100%\n no-repeat"},(0,u.xM)()),t)},o&&{opacity:"0",position:"absolute",top:"0",bottom:"0",left:"0",right:"0"}],shimmerGradient:[d.shimmerGradient,{position:"absolute",top:0,left:0,width:"100%",height:"100%",background:(a||c.disabledBackground)+"\n linear-gradient(\n to right,\n "+(a||c.disabledBackground)+" 0%,\n "+(s||c.bodyDivider)+" 50%,\n "+(a||c.disabledBackground)+" 100%)\n 0 0 / 90% 100%\n no-repeat",transform:"translateX(-100%)",animationDuration:"2s",animationTimingFunction:"ease-in-out",animationDirection:"normal",animationIterationCount:"infinite",animationName:p?Kc():Vc()}],dataWrapper:[d.dataWrapper,{position:"absolute",top:"0",bottom:"0",left:"0",right:"0",opacity:"0",background:"none",backgroundColor:"transparent",border:"none",transition:"opacity "+i+"ms"},o&&{opacity:"1",position:"static"}],screenReaderText:u.ul}}),void 0,{scope:"Shimmer"}),uu=(0,D.y)(),du=function(e){function t(t){var o=e.call(this,t)||this;return o._onRenderShimmerPlaceholder=function(e,t){var n=o.props.onRenderCustomPlaceholder,r=n?n(t,e,o._renderDefaultShimmerPlaceholder):o._renderDefaultShimmerPlaceholder(t);return c.createElement(cu,{customElementsGroup:r})},o._renderDefaultShimmerPlaceholder=function(e){var t=e.columns,o=e.compact,n=e.selectionMode,r=e.checkboxVisibility,i=e.cellStyleProps,a=void 0===i?hn:i,s=gn.rowHeight,l=gn.compactRowHeight,u=o?l:s+1,d=[];return n!==on.oW.none&&r!==un.hidden&&d.push(c.createElement(au,{key:"checkboxGap",shimmerElements:[{type:Hc.gap,width:"40px",height:u}]})),t.forEach((function(e,t){var o=[],n=a.cellLeftPadding+a.cellRightPadding+e.calculatedWidth+(e.isPadded?a.cellExtraRightPadding:0);o.push({type:Hc.gap,width:a.cellLeftPadding,height:u}),e.isIconOnly?(o.push({type:Hc.line,width:e.calculatedWidth,height:e.calculatedWidth}),o.push({type:Hc.gap,width:a.cellRightPadding,height:u})):(o.push({type:Hc.line,width:.95*e.calculatedWidth,height:7}),o.push({type:Hc.gap,width:a.cellRightPadding+(e.calculatedWidth-.95*e.calculatedWidth)+(e.isPadded?a.cellExtraRightPadding:0),height:u})),d.push(c.createElement(au,{key:t,width:n+"px",shimmerElements:o}))})),d.push(c.createElement(au,{key:"endGap",width:"100%",shimmerElements:[{type:Hc.gap,width:"100%",height:u}]})),c.createElement("div",{style:{display:"flex"}},d)},o._shimmerItems=t.shimmerLines?new Array(t.shimmerLines):new Array(10),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.detailsListStyles,o=e.enableShimmer,n=e.items,r=e.listProps,i=(e.onRenderCustomPlaceholder,e.removeFadingOverlay),a=(e.shimmerLines,e.styles),s=e.theme,u=e.ariaLabelForGrid,d=e.ariaLabelForShimmer,p=(0,l._T)(e,["detailsListStyles","enableShimmer","items","listProps","onRenderCustomPlaceholder","removeFadingOverlay","shimmerLines","styles","theme","ariaLabelForGrid","ariaLabelForShimmer"]),m=r&&r.className;this._classNames=uu(a,{theme:s});var h=(0,l.pi)((0,l.pi)({},r),{className:o&&!i?(0,pt.i)(this._classNames.root,m):m});return c.createElement(xr,(0,l.pi)({},p,{styles:t,items:o?this._shimmerItems:n,isPlaceholderData:o,ariaLabelForGrid:o&&d||u,onRenderMissingItem:this._onRenderShimmerPlaceholder,listProps:h}))},t}(c.Component),pu=(0,I.z)(du,(function(e){var t=e.theme.palette;return{root:{position:"relative",selectors:{":after":{content:'""',position:"absolute",top:0,right:0,bottom:0,left:0,backgroundImage:"linear-gradient(to bottom, transparent 30%, "+t.whiteTranslucent40+" 65%,"+t.white+" 100%)"}}}}}),void 0,{scope:"ShimmeredDetailsList"}),mu=o(4107),hu=o(9379),gu=o(3134),fu=o(998),vu=o(6315),bu=o(6362),yu=o(9444),_u=l.pi;function Cu(e,t){for(var o=[],n=2;n0)throw new Error("Any module using getSlots must use withSlots. Please see withSlots javadoc for more info.");return wu(t[e],o,n[e],n.slots&&n.slots[e],n._defaultStyles&&n._defaultStyles[e],n.theme)};r.isSlot=!0,o[e]=r}};for(var i in t)r(i);return o}function wu(e,t,o,n,r,i){return void 0!==e.create?e.create(t,o,n,r):xu(e)(t,o,n,r,i)}var Iu=o(7576),Du=o(1767);function Tu(e,t){void 0===t&&(t={});var o=t.factoryOptions,n=(void 0===o?{}:o).defaultProp,r=function(o){var n,r,i,a,s=(n=t.displayName,r=c.useContext(Iu.i),i=t.fields,a=["theme","styles","tokens"],Du.X.getSettings(i||a,n,r.customizations)),d=t.state;d&&(o=(0,l.pi)((0,l.pi)({},o),d(o)));var p=o.theme||s.theme,m=Eu(o,p,t.tokens,s.tokens,o.tokens),h=function(e,t,o){for(var n=[],r=3;r2)return{rowGap:{value:0,unit:"px"},columnGap:{value:0,unit:"px"}};if(2===o.length)return{rowGap:Fu(Bu(o[0],t)),columnGap:Fu(Bu(o[1],t))};var n=Fu(Bu(e,t));return{rowGap:n,columnGap:n}}(S,t),D=I.rowGap,T=I.columnGap,E=""+-.5*T.value+T.unit,P=""+-.5*D.value+D.unit,M={textOverflow:"ellipsis"},R={"> *:not(.ms-StackItem)":{flexShrink:y?0:1}};return f?{root:[C.root,{flexWrap:"wrap",maxWidth:k,maxHeight:x,width:"auto",overflow:"visible",height:"100%"},v&&(n={},n[m?"justifyContent":"alignItems"]=Au[v]||v,n),b&&(r={},r[m?"alignItems":"justifyContent"]=Au[b]||b,r),_,{display:"flex"},m&&{height:p?"100%":"auto"}],inner:[C.inner,{display:"flex",flexWrap:"wrap",marginLeft:E,marginRight:E,marginTop:P,marginBottom:P,overflow:"visible",boxSizing:"border-box",padding:Lu(w,t),width:0===T.value?"100%":"calc(100% + "+T.value+T.unit+")",maxWidth:"100vw",selectors:(0,l.pi)({"> *":(0,l.pi)({margin:""+.5*D.value+D.unit+" "+.5*T.value+T.unit},M)},R)},v&&(i={},i[m?"justifyContent":"alignItems"]=Au[v]||v,i),b&&(a={},a[m?"alignItems":"justifyContent"]=Au[b]||b,a),m&&{flexDirection:h?"row-reverse":"row",height:0===D.value?"100%":"calc(100% + "+D.value+D.unit+")",selectors:{"> *":{maxWidth:0===T.value?"100%":"calc(100% - "+T.value+T.unit+")"}}},!m&&{flexDirection:h?"column-reverse":"column",height:"calc(100% + "+D.value+D.unit+")",selectors:{"> *":{maxHeight:0===D.value?"100%":"calc(100% - "+D.value+D.unit+")"}}}]}:{root:[C.root,{display:"flex",flexDirection:m?h?"row-reverse":"row":h?"column-reverse":"column",flexWrap:"nowrap",width:"auto",height:p?"100%":"auto",maxWidth:k,maxHeight:x,padding:Lu(w,t),boxSizing:"border-box",selectors:(0,l.pi)((s={"> *":M},s[h?"> *:not(:last-child)":"> *:not(:first-child)"]=[m&&{marginLeft:""+T.value+T.unit},!m&&{marginTop:""+D.value+D.unit}],s),R)},g&&{flexGrow:!0===g?1:g},v&&(c={},c[m?"justifyContent":"alignItems"]=Au[v]||v,c),b&&(d={},d[m?"alignItems":"justifyContent"]=Au[b]||b,d),_]}},statics:{Item:Nu}});!function(e){e[e.Both=0]="Both",e[e.Header=1]="Header",e[e.Footer=2]="Footer"}(Pu||(Pu={}));var Ou=function(e){function t(t){var o=e.call(this,t)||this;return o._root=c.createRef(),o._stickyContentTop=c.createRef(),o._stickyContentBottom=c.createRef(),o._nonStickyContent=c.createRef(),o._placeHolder=c.createRef(),o.syncScroll=function(e){var t=o.nonStickyContent;t&&o.props.isScrollSynced&&(t.scrollLeft=e.scrollLeft)},o._getContext=function(){return o.context},o._onScrollEvent=function(e,t){if(o.root&&o.nonStickyContent){var n=o._getNonStickyDistanceFromTop(e),r=!1,i=!1;o.canStickyTop&&(r=n-o._getStickyDistanceFromTop()=o._getStickyDistanceFromTopForFooter(e,t)),document.activeElement&&o.nonStickyContent.contains(document.activeElement)&&(o.state.isStickyTop!==r||o.state.isStickyBottom!==i)?o._activeElement=document.activeElement:o._activeElement=void 0,o.setState({isStickyTop:o.canStickyTop&&r,isStickyBottom:i,distanceFromTop:n})}},o._getStickyDistanceFromTop=function(){var e=0;return o.stickyContentTop&&(e=o.stickyContentTop.offsetTop),e},o._getStickyDistanceFromTopForFooter=function(e,t){var n=0;return o.stickyContentBottom&&(n=e.clientHeight-t.offsetHeight+o.stickyContentBottom.offsetTop),n},o._getNonStickyDistanceFromTop=function(e){var t=0,n=o.root;if(n){for(;n&&n.offsetParent!==e;)t+=n.offsetTop,n=n.offsetParent;n&&n.offsetParent===e&&(t+=n.offsetTop)}return t},(0,P.l)(o),o.state={isStickyTop:!1,isStickyBottom:!1,distanceFromTop:void 0},o._activeElement=void 0,o}return(0,l.ZT)(t,e),Object.defineProperty(t.prototype,"root",{get:function(){return this._root.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"placeholder",{get:function(){return this._placeHolder.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"stickyContentTop",{get:function(){return this._stickyContentTop.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"stickyContentBottom",{get:function(){return this._stickyContentBottom.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"nonStickyContent",{get:function(){return this._nonStickyContent.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"canStickyTop",{get:function(){return this.props.stickyPosition===Pu.Both||this.props.stickyPosition===Pu.Header},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"canStickyBottom",{get:function(){return this.props.stickyPosition===Pu.Both||this.props.stickyPosition===Pu.Footer},enumerable:!0,configurable:!0}),t.prototype.componentDidMount=function(){var e=this._getContext().scrollablePane;e&&(e.subscribe(this._onScrollEvent),e.addSticky(this))},t.prototype.componentWillUnmount=function(){var e=this._getContext().scrollablePane;e&&(e.unsubscribe(this._onScrollEvent),e.removeSticky(this))},t.prototype.componentDidUpdate=function(e,t){var o=this._getContext().scrollablePane;if(o){var n=this.state,r=n.isStickyBottom,i=n.isStickyTop,a=n.distanceFromTop,s=!1;t.distanceFromTop!==a&&(o.sortSticky(this,!0),s=!0),t.isStickyTop===i&&t.isStickyBottom===r||(this._activeElement&&this._activeElement.focus(),o.updateStickyRefHeights(),s=!0),s&&o.syncScrollSticky(this)}},t.prototype.shouldComponentUpdate=function(e,t){if(!this.context.scrollablePane)return!0;var o=this.state,n=o.isStickyTop,r=o.isStickyBottom,i=o.distanceFromTop;return n!==t.isStickyTop||r!==t.isStickyBottom||this.props.stickyPosition!==e.stickyPosition||this.props.children!==e.children||i!==t.distanceFromTop||Wu(this._nonStickyContent,this._stickyContentTop)||Wu(this._nonStickyContent,this._stickyContentBottom)||Wu(this._nonStickyContent,this._placeHolder)},t.prototype.render=function(){var e=this.state,t=e.isStickyTop,o=e.isStickyBottom,n=this.props,r=n.stickyClassName,i=n.children;return this.context.scrollablePane?c.createElement("div",{ref:this._root},this.canStickyTop&&c.createElement("div",{ref:this._stickyContentTop,style:{pointerEvents:t?"auto":"none"}},c.createElement("div",{style:this._getStickyPlaceholderHeight(t)})),this.canStickyBottom&&c.createElement("div",{ref:this._stickyContentBottom,style:{pointerEvents:o?"auto":"none"}},c.createElement("div",{style:this._getStickyPlaceholderHeight(o)})),c.createElement("div",{style:this._getNonStickyPlaceholderHeightAndWidth(),ref:this._placeHolder},(t||o)&&c.createElement("span",{style:u.ul},i),c.createElement("div",{ref:this._nonStickyContent,className:t||o?r:void 0,style:this._getContentStyles(t||o)},i))):c.createElement("div",null,this.props.children)},t.prototype.addSticky=function(e){this.nonStickyContent&&e.appendChild(this.nonStickyContent)},t.prototype.resetSticky=function(){this.nonStickyContent&&this.placeholder&&this.placeholder.appendChild(this.nonStickyContent)},t.prototype.setDistanceFromTop=function(e){var t=this._getNonStickyDistanceFromTop(e);this.setState({distanceFromTop:t})},t.prototype._getContentStyles=function(e){return{backgroundColor:this.props.stickyBackgroundColor||this._getBackground(),overflow:e?"hidden":""}},t.prototype._getStickyPlaceholderHeight=function(e){var t=this.nonStickyContent?this.nonStickyContent.offsetHeight:0;return{visibility:e?"hidden":"visible",height:e?0:t}},t.prototype._getNonStickyPlaceholderHeightAndWidth=function(){var e=this.state,t=e.isStickyTop,o=e.isStickyBottom;if(t||o){var n=0,r=0;return this.nonStickyContent&&this.nonStickyContent.firstElementChild&&(n=this.nonStickyContent.offsetHeight,r=this.nonStickyContent.firstElementChild.scrollWidth+(this.nonStickyContent.firstElementChild.offsetWidth-this.nonStickyContent.firstElementChild.clientWidth)),{height:n,width:r}}return{}},t.prototype._getBackground=function(){if(this.root){for(var e=this.root;"rgba(0, 0, 0, 0)"===window.getComputedStyle(e).getPropertyValue("background-color")||"transparent"===window.getComputedStyle(e).getPropertyValue("background-color");){if("HTML"===e.tagName)return;e.parentElement&&(e=e.parentElement)}return window.getComputedStyle(e).getPropertyValue("background-color")}},t.defaultProps={stickyPosition:Pu.Both,isScrollSynced:!0},t.contextType=cc,t}(c.Component);function Wu(e,t){return e&&t&&e.current&&t.current&&e.current.offsetHeight!==t.current.offsetHeight}var Vu=o(9502),Ku=o(8621),qu=o(3624),Gu=o(1565),Uu=(0,D.y)(),ju=c.forwardRef((function(e,t){var o,n,r,i,a,s=c.useRef(null),u=(0,j.ky)(),d=(0,N.r)(s,t),p=e.illustrationImage,m=e.primaryButtonProps,h=e.secondaryButtonProps,g=e.headline,f=e.hasCondensedHeadline,v=e.hasCloseButton,b=void 0===v?e.hasCloseIcon:v,y=e.onDismiss,_=e.closeButtonAriaLabel,C=e.hasSmallHeadline,S=e.isWide,x=e.styles,k=e.theme,w=e.ariaDescribedBy,I=e.ariaLabelledBy,D=e.footerContent,T=e.focusTrapZoneProps,E=Uu(x,{theme:k,hasCondensedHeadline:f,hasSmallHeadline:C,hasCloseButton:b,hasHeadline:!!g,isWide:S,primaryButtonClassName:m?m.className:void 0,secondaryButtonClassName:h?h.className:void 0}),P=c.useCallback((function(e){y&&e.which===rt.m.escape&&y(e)}),[y]);if((0,U.d)(u,"keydown",P),p&&p.src&&(o=c.createElement("div",{className:E.imageContent},c.createElement(Ti.E,(0,l.pi)({},p)))),g){var M="string"==typeof g?"p":"div";n=c.createElement("div",{className:E.header},c.createElement(M,{role:"heading",className:E.headline,id:I},g))}if(e.children){var R="string"==typeof e.children?"p":"div";r=c.createElement("div",{className:E.body},c.createElement(R,{className:E.subText,id:w},e.children))}return(m||h||D)&&(i=c.createElement(Hu,{className:E.footer,horizontal:!0,horizontalAlign:D?"space-between":"end"},c.createElement(Hu.Item,{align:"center"},c.createElement("span",null,D)),c.createElement(Hu.Item,null,h&&c.createElement(ye.a,(0,l.pi)({},h,{className:E.secondaryButton})),m&&c.createElement(Se.K,(0,l.pi)({},m,{className:E.primaryButton}))))),b&&(a=c.createElement(V.h,{className:E.closeButton,iconProps:{iconName:"Cancel"},title:_,ariaLabel:_,onClick:y})),function(e,t){c.useImperativeHandle(e,(function(){return{focus:function(){var e;return null===(e=t.current)||void 0===e?void 0:e.focus()}}}),[t])}(e.componentRef,s),c.createElement("div",{className:E.content,ref:d,role:"dialog",tabIndex:-1,"aria-labelledby":I,"aria-describedby":w,"data-is-focusable":!0},o,c.createElement(Oe.P,(0,l.pi)({isClickableOutsideFocusTrap:!0},T),c.createElement("div",{className:E.bodyContent},n,r,i,a)))})),Ju={root:"ms-TeachingBubble",body:"ms-TeachingBubble-body",bodyContent:"ms-TeachingBubble-bodycontent",closeButton:"ms-TeachingBubble-closebutton",content:"ms-TeachingBubble-content",footer:"ms-TeachingBubble-footer",header:"ms-TeachingBubble-header",headerIsCondensed:"ms-TeachingBubble-header--condensed",headerIsSmall:"ms-TeachingBubble-header--small",headerIsLarge:"ms-TeachingBubble-header--large",headline:"ms-TeachingBubble-headline",image:"ms-TeachingBubble-image",primaryButton:"ms-TeachingBubble-primaryButton",secondaryButton:"ms-TeachingBubble-secondaryButton",subText:"ms-TeachingBubble-subText",button:"ms-Button",buttonLabel:"ms-Button-label"},Yu=(0,d.NF)((function(){return(0,u.F4)({"0%":{opacity:0,animationTimingFunction:u.D1.easeFunction1,transform:"scale3d(.90,.90,.90)"},"100%":{opacity:1,transform:"scale3d(1,1,1)"}})})),Zu=function(e,t){var o=t||{},n=o.calloutWidth,r=o.calloutMaxWidth;return[{display:"block",maxWidth:364,border:0,outline:"transparent",width:n||"calc(100% + 1px)",animationName:""+Yu(),animationDuration:"300ms",animationTimingFunction:"linear",animationFillMode:"both"},e&&{maxWidth:r||456}]},Xu=function(e,t,o){return t?[e.headerIsCondensed,{marginBottom:14}]:[o&&e.headerIsSmall,!o&&e.headerIsLarge,{selectors:{":not(:last-child)":{marginBottom:14}}}]},Qu=function(e){var t,o,n,r=e.hasCondensedHeadline,i=e.hasSmallHeadline,a=e.hasCloseButton,s=e.hasHeadline,c=e.isWide,d=e.primaryButtonClassName,p=e.secondaryButtonClassName,m=e.theme,h=e.calloutProps,g=void 0===h?{className:void 0,theme:m}:h,f=!r&&!i,v=m.palette,b=m.semanticColors,y=m.fonts,_=(0,u.Cn)(Ju,m);return{root:[_.root,y.medium,g.className],body:[_.body,a&&!s&&{marginRight:24},{selectors:{":not(:last-child)":{marginBottom:20}}}],bodyContent:[_.bodyContent,{padding:"20px 24px 20px 24px"}],closeButton:[_.closeButton,{position:"absolute",right:0,top:0,margin:"15px 15px 0 0",borderRadius:0,color:v.white,fontSize:y.small.fontSize,selectors:{":hover":{background:v.themeDarkAlt,color:v.white},":active":{background:v.themeDark,color:v.white},":focus":{border:"1px solid "+b.variantBorder}}}],content:(0,l.pr)([_.content],Zu(c),[c&&{display:"flex"}]),footer:[_.footer,{display:"flex",flex:"auto",alignItems:"center",color:v.white,selectors:(t={},t["."+_.button+":not(:first-child)"]={marginLeft:10},t)}],header:(0,l.pr)([_.header],Xu(_,r,i),[a&&{marginRight:24},(r||i)&&[y.medium,{fontWeight:u.lq.semibold}]]),headline:[_.headline,{margin:0,color:v.white,fontWeight:u.lq.semibold},f&&[{fontSize:y.xLarge.fontSize}]],imageContent:[_.header,_.image,c&&{display:"flex",alignItems:"center",maxWidth:154}],primaryButton:[_.primaryButton,d,{backgroundColor:v.white,borderColor:v.white,color:v.themePrimary,whiteSpace:"nowrap",selectors:(o={},o["."+_.buttonLabel]=y.medium,o[":hover"]={backgroundColor:v.themeLighter,borderColor:v.themeLighter,color:v.themePrimary},o[":focus"]={backgroundColor:v.themeLighter,borderColor:v.white},o[":active"]={backgroundColor:v.white,borderColor:v.white,color:v.themePrimary},o)}],secondaryButton:[_.secondaryButton,p,{backgroundColor:v.themePrimary,borderColor:v.white,whiteSpace:"nowrap",selectors:(n={},n["."+_.buttonLabel]=[y.medium,{color:v.white}],n["&:hover, &:focus"]={backgroundColor:v.themeDarkAlt,borderColor:v.white},n[":active"]={backgroundColor:v.themePrimary,borderColor:v.white},n)}],subText:[_.subText,{margin:0,fontSize:y.medium.fontSize,color:v.white,fontWeight:u.lq.regular}],subComponentStyles:{callout:{root:(0,l.pr)(Zu(c,g),[y.medium]),beak:[{background:v.themePrimary}],calloutMain:[{background:v.themePrimary}]}}}},$u=(0,I.z)(ju,Qu,void 0,{scope:"TeachingBubbleContent"}),ed={beakWidth:16,gapSpace:0,setInitialFocus:!0,doNotLayer:!1,directionalHint:K.b.rightCenter},td=(0,D.y)(),od=c.forwardRef((function(e,t){var o=c.useRef(null),n=(0,N.r)(o,t),r=e.calloutProps,i=e.targetElement,a=e.onDismiss,s=e.hasCloseButton,u=void 0===s?e.hasCloseIcon:s,d=e.isWide,p=e.styles,m=e.theme,h=e.target,g=c.useMemo((function(){return(0,l.pi)((0,l.pi)((0,l.pi)({},ed),r),{theme:m})}),[r,m]),f=td(p,{theme:m,isWide:d,calloutProps:g,hasCloseButton:u}),v=f.subComponentStyles?f.subComponentStyles.callout:void 0;return function(e,t){c.useImperativeHandle(e,(function(){return{focus:function(){var e;return null===(e=t.current)||void 0===e?void 0:e.focus()}}}),[t])}(e.componentRef,o),c.createElement(Ae.U,(0,l.pi)({target:h||i,onDismiss:a},g,{className:f.root,styles:v,hideOverflow:!0}),c.createElement("div",{ref:n},c.createElement($u,(0,l.pi)({},e))))}));od.displayName="TeachingBubble";var nd=(0,I.z)(od,Qu,void 0,{scope:"TeachingBubble"}),rd=function(e){if(null==e.children)return null;e.block,e.className;var t=e.as,o=void 0===t?"span":t,n=(e.variant,e.nowrap,(0,l._T)(e,["block","className","as","variant","nowrap"]));return Cu(ku(e,{root:o}).root,(0,l.pi)({},(0,E.pq)(n,E.iY)))},id=function(e,t){var o=e.as,n=e.className,r=e.block,i=e.nowrap,a=e.variant,s=t.fonts,l=t.semanticColors,c=s[a||"medium"];return{root:[c,{color:c.color||l.bodyText,display:r?"td"===o?"table-cell":"block":"inline",mozOsxFontSmoothing:c.MozOsxFontSmoothing,webkitFontSmoothing:c.WebkitFontSmoothing},i&&{whiteSpace:"nowrap",overflow:"hidden",textOverflow:"ellipsis"},n]}},ad=Tu(rd,{displayName:"Text",styles:id}),sd=o(8623),ld=o(5229),cd={9:/[0-9]/,a:/[a-zA-Z]/,"*":/[a-zA-Z0-9]/};function ud(e,t){if(void 0===t&&(t=cd),!e)return[];for(var o=[],n=0,r=0;r+n0&&(r=t[0].displayIndex-1);for(var i=0,a=t;ir&&(r=s.displayIndex)):o&&(l=o),n=n.slice(0,s.displayIndex)+l+n.slice(s.displayIndex+1)}return o||(n=n.slice(0,r+1)),n}function pd(e,t){for(var o=0;o=t)return e[o].displayIndex;return e[e.length-1].displayIndex}function md(e,t,o){for(var n=0;n=t){if(e[n].displayIndex>=t+o)break;e[n].value=void 0}return e}function hd(e,t,o){for(var n=0,r=0,i=!1,a=0;a=t)for(i=!0,r=e[a].displayIndex;n=t){e[o].value=void 0;break}return e}(y.maskCharData,s),r=pd(y.maskCharData,s)):(y.maskCharData=function(e,t){for(var o=e.length-1;o>=0;o--)if(e[o].displayIndex=0;o--)if(e[o].displayIndexk.length){p=l-(d=t.length-k.length);var v=t.substr(p,d);r=hd(y.maskCharData,p,v)}else if(t.length<=k.length){d=1;var b=k.length+d-t.length;p=l-d,v=t.substr(p,d),y.maskCharData=md(y.maskCharData,p,b),r=hd(y.maskCharData,p,v)}y.changeSelectionData=null;var _=dd(m,y.maskCharData,g);w(_),S(r),null===(n=u)||void 0===n||n(e,_)}}),[k.length,y,m,g,u]),R=c.useCallback((function(e){var t;if(null===(t=p)||void 0===t||t(e),y.changeSelectionData=null,o.current&&o.current.value){var n=e.keyCode,r=e.ctrlKey,i=e.metaKey;if(r||i)return;if(n===rt.m.backspace||n===rt.m.del){var a=e.target.selectionStart,s=e.target.selectionEnd;if(!(n===rt.m.backspace&&s&&s>0||n===rt.m.del&&null!==a&&a{"use strict";o.d(t,{_:()=>m});var n=o(2002),r=o(7622),i=o(7002),a=o(7300),s=o(8127),l=o(2470),c=o(2998),u=o(4085),d=(0,a.y)(),p=i.forwardRef((function(e,t){var o=(0,u.M)(void 0,e.id),n=e.items,a=e.columnCount,p=e.onRenderItem,m=e.ariaPosInSet,h=void 0===m?e.positionInSet:m,g=e.ariaSetSize,f=void 0===g?e.setSize:g,v=e.styles,b=e.doNotContainWithinFocusZone,y=(0,s.pq)(e,s.iY,b?[]:["onBlur"]),_=d(v,{theme:e.theme}),C=(0,l.QC)(n,a),S=i.createElement("table",(0,r.pi)({"aria-posinset":h,"aria-setsize":f,id:o,role:"grid"},y,{className:_.root}),i.createElement("tbody",null,C.map((function(e,t){return i.createElement("tr",{role:"row",key:t},e.map((function(e,t){return i.createElement("td",{role:"presentation",key:t+"-cell",className:_.tableCell},p(e,t))})))}))));return b?S:i.createElement(c.k,{elementRef:t,isCircularNavigation:e.shouldFocusCircularNavigate,className:_.focusedContainer,onBlur:e.onBlur},S)})),m=(0,n.z)(p,(function(e){return{root:{padding:2,outline:"none"},tableCell:{padding:0}}}));m.displayName="ButtonGrid"},634:(e,t,o)=>{"use strict";o.d(t,{U:()=>s});var n=o(7002),r=o(8088),i=o(990),a=o(4085),s=function(e){var t,o=(0,a.M)("gridCell"),s=e.item,l=e.id,c=void 0===l?o:l,u=e.className,d=e.role,p=e.selected,m=e.disabled,h=void 0!==m&&m,g=e.onRenderItem,f=e.cellDisabledStyle,v=e.cellIsSelectedStyle,b=e.index,y=e.label,_=e.getClassNames,C=e.onClick,S=e.onHover,x=e.onMouseMove,k=e.onMouseLeave,w=e.onMouseEnter,I=e.onFocus,D=n.useCallback((function(){C&&!h&&C(s)}),[h,s,C]),T=n.useCallback((function(e){w&&w(e)||!S||h||S(s)}),[h,s,S,w]),E=n.useCallback((function(e){x&&x(e)||!S||h||S(s)}),[h,s,S,x]),P=n.useCallback((function(e){k&&k(e)||!S||h||S()}),[h,S,k]),M=n.useCallback((function(){I&&!h&&I(s)}),[h,s,I]);return n.createElement(i.M,{id:c,"data-index":b,"data-is-focusable":!0,disabled:h,className:(0,r.i)(u,(t={},t[""+v]=p,t[""+f]=h,t)),onClick:D,onMouseEnter:T,onMouseMove:E,onMouseLeave:P,onFocus:M,role:d,"aria-selected":p,ariaLabel:y,title:y,getClassNames:_},g(s))}},7970:(e,t,o)=>{"use strict";o.d(t,{a:()=>r});var n=o(21);function r(e,t,o,r,i){return r===n.c5||"number"!=typeof r?"#"+i:"rgba("+e+", "+t+", "+o+", "+r/n.c5+")"}},1342:(e,t,o)=>{"use strict";function n(e,t,o){return void 0===o&&(o=0),et?t:e}o.d(t,{u:()=>n})},21:(e,t,o)=>{"use strict";o.d(t,{fr:()=>n,a_:()=>r,uw:()=>i,uc:()=>a,WC:()=>s,c5:()=>l,yE:()=>c,fG:()=>u,HT:()=>d,jU:()=>p,lX:()=>m,Xb:()=>h});var n=100,r=359,i=100,a=255,s=a,l=100,c=3,u=6,d=1,p=3,m=/^[\da-f]{0,6}$/i,h=/^\d{0,3}$/},5298:(e,t,o)=>{"use strict";o.d(t,{L:()=>r});var n=o(21);function r(e){return!e||e.length=n.fG?e.substring(0,n.fG):e.substring(0,n.yE)}},2775:(e,t,o)=>{"use strict";o.d(t,{k:()=>i});var n=o(21),r=o(1342);function i(e){return{r:(0,r.u)(e.r,n.uc),g:(0,r.u)(e.g,n.uc),b:(0,r.u)(e.b,n.uc),a:"number"==typeof e.a?(0,r.u)(e.a,n.c5):e.a}}},8584:(e,t,o)=>{"use strict";o.d(t,{r:()=>i});var n=o(21),r=o(5194);function i(e){if(e)return a(e)||function(e){if("#"===e[0]&&7===e.length&&/^#[\da-fA-F]{6}$/.test(e))return{r:parseInt(e.slice(1,3),16),g:parseInt(e.slice(3,5),16),b:parseInt(e.slice(5,7),16),a:n.c5}}(e)||function(e){if("#"===e[0]&&4===e.length&&/^#[\da-fA-F]{3}$/.test(e))return{r:parseInt(e[1]+e[1],16),g:parseInt(e[2]+e[2],16),b:parseInt(e[3]+e[3],16),a:n.c5}}(e)||function(e){var t=e.match(/^hsl(a?)\(([\d., ]+)\)$/);if(t){var o=!!t[1],i=o?4:3,a=t[2].split(/ *, */).map(Number);if(a.length===i){var s=(0,r.w)(a[0],a[1],a[2]);return s.a=o?100*a[3]:n.c5,s}}}(e)||function(e){if("undefined"!=typeof document){var t=document.createElement("div");t.style.backgroundColor=e,t.style.position="absolute",t.style.top="-9999px",t.style.left="-9999px",t.style.height="1px",t.style.width="1px",document.body.appendChild(t);var o=getComputedStyle(t),n=o&&o.backgroundColor;if(document.body.removeChild(t),"rgba(0, 0, 0, 0)"!==n&&"transparent"!==n)return a(n);switch(e.trim()){case"transparent":case"#0000":case"#00000000":return{r:0,g:0,b:0,a:0}}}}(e)}function a(e){if(e){var t=e.match(/^rgb(a?)\(([\d., ]+)\)$/);if(t){var o=!!t[1],r=o?4:3,i=t[2].split(/ *, */).map(Number);if(i.length===r)return{r:i[0],g:i[1],b:i[2],a:o?100*i[3]:n.c5}}}}},8208:(e,t,o)=>{"use strict";o.d(t,{N:()=>s});var n=o(21),r=o(5772),i=o(5705),a=o(7970);function s(e){var t=e.a,o=void 0===t?n.c5:t,s=e.b,l=e.g,c=e.r,u=(0,r.D)(c,l,s),d=u.h,p=u.s,m=u.v,h=(0,i.C)(c,l,s);return{a:o,b:s,g:l,h:d,hex:h,r:c,s:p,str:(0,a.a)(c,l,s,o,h),v:m,t:n.c5-o}}},7375:(e,t,o)=>{"use strict";o.d(t,{T:()=>a});var n=o(7622),r=o(8584),i=o(8208);function a(e){var t=(0,r.r)(e);if(t)return(0,n.pi)((0,n.pi)({},(0,i.N)(t)),{str:e})}},2417:(e,t,o)=>{"use strict";o.d(t,{p:()=>i});var n=o(21),r=o(3770);function i(e){return"#"+(0,r.d)(e.h,n.fr,n.uw)}},5040:(e,t,o)=>{"use strict";function n(e,t,o){var n=o+(t*=(o<50?o:100-o)/100);return{h:e,s:0===n?0:2*t/n*100,v:n}}o.d(t,{E:()=>n})},5194:(e,t,o)=>{"use strict";o.d(t,{w:()=>i});var n=o(5040),r=o(9865);function i(e,t,o){var i=(0,n.E)(e,t,o);return(0,r.X)(i.h,i.s,i.v)}},3770:(e,t,o)=>{"use strict";o.d(t,{d:()=>i});var n=o(9865),r=o(5705);function i(e,t,o){var i=(0,n.X)(e,t,o),a=i.r,s=i.g,l=i.b;return(0,r.C)(a,s,l)}},9865:(e,t,o)=>{"use strict";o.d(t,{X:()=>r});var n=o(21);function r(e,t,o){var r=[],i=(o/=100)*(t/=100),a=e/60,s=i*(1-Math.abs(a%2-1)),l=o-i;switch(Math.floor(a)){case 0:r=[i,s,0];break;case 1:r=[s,i,0];break;case 2:r=[0,i,s];break;case 3:r=[0,s,i];break;case 4:r=[s,0,i];break;case 5:r=[i,0,s]}return{r:Math.round(n.uc*(r[0]+l)),g:Math.round(n.uc*(r[1]+l)),b:Math.round(n.uc*(r[2]+l))}}},5705:(e,t,o)=>{"use strict";o.d(t,{C:()=>i});var n=o(21),r=o(1342);function i(e,t,o){return[a(e),a(t),a(o)].join("")}function a(e){var t=(e=(0,r.u)(e,n.uc)).toString(16);return 1===t.length?"0"+t:t}},5772:(e,t,o)=>{"use strict";o.d(t,{D:()=>r});var n=o(21);function r(e,t,o){var r=NaN,i=Math.max(e,t,o),a=i-Math.min(e,t,o);return 0===a?r=0:e===i?r=(t-o)/a%6:t===i?r=(o-e)/a+2:o===i&&(r=(e-t)/a+4),(r=Math.round(60*r))<0&&(r+=360),{h:r,s:Math.round(100*(0===i?0:a/i)),v:Math.round(i/n.uc*100)}}},8490:(e,t,o)=>{"use strict";o.d(t,{R:()=>a});var n=o(7622),r=o(7970),i=o(21);function a(e,t){return(0,n.pi)((0,n.pi)({},e),{a:t,t:i.c5-t,str:(0,r.a)(e.r,e.g,e.b,t,e.hex)})}},1990:(e,t,o)=>{"use strict";o.d(t,{i:()=>s});var n=o(7622),r=o(9865),i=o(5705),a=o(7970);function s(e,t){var o=(0,r.X)(t,e.s,e.v),s=o.r,l=o.g,c=o.b,u=(0,i.C)(s,l,c);return(0,n.pi)((0,n.pi)({},e),{h:t,r:s,g:l,b:c,hex:u,str:(0,a.a)(s,l,c,e.a,u)})}},6119:(e,t,o)=>{"use strict";o.d(t,{d:()=>s});var n=o(7622),r=o(9865),i=o(5705),a=o(7970);function s(e,t,o){var s=(0,r.X)(e.h,t,o),l=s.r,c=s.g,u=s.b,d=(0,i.C)(l,c,u);return(0,n.pi)((0,n.pi)({},e),{s:t,v:o,r:l,g:c,b:u,hex:d,str:(0,a.a)(l,c,u,e.a,d)})}},1332:(e,t,o)=>{"use strict";o.d(t,{X:()=>a});var n=o(7622),r=o(7970),i=o(21);function a(e,t){var o=i.c5-t;return(0,n.pi)((0,n.pi)({},e),{t,a:o,str:(0,r.a)(e.r,e.g,e.b,o,e.hex)})}},2240:(e,t,o)=>{"use strict";function n(e){return e.canCheck?!(!e.isChecked&&!e.checked):"boolean"==typeof e.isChecked?e.isChecked:"boolean"==typeof e.checked?e.checked:null}function r(e){return!(!e.subMenuProps&&!e.items)}function i(e){return!(!e.isDisabled&&!e.disabled)}function a(e){return null!==n(e)?"menuitemcheckbox":"menuitem"}o.d(t,{E3:()=>n,Df:()=>r,P_:()=>i,JF:()=>a})},1071:(e,t,o)=>{"use strict";o.d(t,{P:()=>a});var n=o(7622),r=o(7002),i=o(4542),a=function(e){function t(t){var o=e.call(this,t)||this;return o._updateComposedComponentRef=o._updateComposedComponentRef.bind(o),o}return(0,n.ZT)(t,e),t.prototype._updateComposedComponentRef=function(e){this._composedComponentInstance=e,e?this._hoisted=(0,i.W)(this,e):this._hoisted&&(0,i.e)(this,this._hoisted)},t}(r.Component)},9761:(e,t,o)=>{"use strict";o.d(t,{eD:()=>n,kd:()=>h,LF:()=>g,K7:()=>f,Ae:()=>v,tc:()=>b});var n,r=o(7622),i=o(7002),a=o(1071),s=o(9757),l=o(9919),c=o(1529),u=o(8901);!function(e){e[e.small=0]="small",e[e.medium=1]="medium",e[e.large=2]="large",e[e.xLarge=3]="xLarge",e[e.xxLarge=4]="xxLarge",e[e.xxxLarge=5]="xxxLarge",e[e.unknown=999]="unknown"}(n||(n={}));var d,p,m=[479,639,1023,1365,1919,99999999];function h(e){d=e}function g(e){var t=(0,s.J)(e);t&&b(t)}function f(){return d||p||n.large}function v(e){var t,o=((t=function(t){function o(e){var o=t.call(this,e)||this;return o._onResize=function(){var e=b(o.context.window);e!==o.state.responsiveMode&&o.setState({responsiveMode:e})},o._events=new l.r(o),o._updateComposedComponentRef=o._updateComposedComponentRef.bind(o),o.state={responsiveMode:f()},o}return(0,r.ZT)(o,t),o.prototype.componentDidMount=function(){this._events.on(this.context.window,"resize",this._onResize),this._onResize()},o.prototype.componentWillUnmount=function(){this._events.dispose()},o.prototype.render=function(){var t=this.state.responsiveMode;return t===n.unknown?null:i.createElement(e,(0,r.pi)({ref:this._updateComposedComponentRef,responsiveMode:t},this.props))},o}(a.P)).contextType=u.Hn,t);return(0,c.f)(e,o)}function b(e){var t=n.small;if(e){try{for(;e.innerWidth>m[t];)t++}catch(e){t=f()}p=t}else{if(void 0===d)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.");t=d}return t}},4126:(e,t,o)=>{"use strict";o.d(t,{q:()=>l});var n=o(7002),r=o(9757),i=o(757),a=o(9761),s=o(8901),l=function(e){var t=n.useState(a.K7),o=t[0],l=t[1],c=n.useCallback((function(){var t=(0,a.tc)((0,r.J)(e.current));o!==t&&l(t)}),[e,o]),u=(0,s.zY)();return(0,i.d)(u,"resize",c),n.useEffect((function(){c()}),[]),o}},8128:(e,t,o)=>{"use strict";o.d(t,{ww:()=>r,by:()=>i,L7:()=>a,fV:()=>s,ms:()=>l,A4:()=>c,nK:()=>u,Tc:()=>d,Tj:()=>n});var n,r="ktp",i="-",a=r+i,s="data-ktp-target",l="data-ktp-execute-target",c="data-ktp-aria-target",u="ktp-layer-id",d=", ";!function(e){e.KEYTIP_ADDED="keytipAdded",e.KEYTIP_REMOVED="keytipRemoved",e.KEYTIP_UPDATED="keytipUpdated",e.PERSISTED_KEYTIP_ADDED="persistedKeytipAdded",e.PERSISTED_KEYTIP_REMOVED="persistedKeytipRemoved",e.PERSISTED_KEYTIP_EXECUTE="persistedKeytipExecute",e.ENTER_KEYTIP_MODE="enterKeytipMode",e.EXIT_KEYTIP_MODE="exitKeytipMode"}(n||(n={}))},344:(e,t,o)=>{"use strict";o.d(t,{K:()=>s});var n=o(7622),r=o(9919),i=o(2782),a=o(8128),s=function(){function e(){this.keytips={},this.persistedKeytips={},this.sequenceMapping={},this.inKeytipMode=!1,this.shouldEnterKeytipMode=!0,this.delayUpdatingKeytipChange=!1}return e.getInstance=function(){return this._instance},e.prototype.init=function(e){this.delayUpdatingKeytipChange=e},e.prototype.register=function(e,t){void 0===t&&(t=!1);var o=e;t||(o=this.addParentOverflow(e),this.sequenceMapping[o.keySequences.toString()]=o);var n=this._getUniqueKtp(o);if(t?this.persistedKeytips[n.uniqueID]=n:this.keytips[n.uniqueID]=n,this.inKeytipMode||!this.delayUpdatingKeytipChange){var i=t?a.Tj.PERSISTED_KEYTIP_ADDED:a.Tj.KEYTIP_ADDED;r.r.raise(this,i,{keytip:o,uniqueID:n.uniqueID})}return n.uniqueID},e.prototype.update=function(e,t){var o=this.addParentOverflow(e),n=this._getUniqueKtp(o,t),i=this.keytips[t];i&&(n.keytip.visible=i.keytip.visible,this.keytips[t]=n,delete this.sequenceMapping[i.keytip.keySequences.toString()],this.sequenceMapping[n.keytip.keySequences.toString()]=n.keytip,!this.inKeytipMode&&this.delayUpdatingKeytipChange||r.r.raise(this,a.Tj.KEYTIP_UPDATED,{keytip:n.keytip,uniqueID:n.uniqueID}))},e.prototype.unregister=function(e,t,o){void 0===o&&(o=!1),o?delete this.persistedKeytips[t]:delete this.keytips[t],!o&&delete this.sequenceMapping[e.keySequences.toString()];var n=o?a.Tj.PERSISTED_KEYTIP_REMOVED:a.Tj.KEYTIP_REMOVED;!this.inKeytipMode&&this.delayUpdatingKeytipChange||r.r.raise(this,n,{keytip:e,uniqueID:t})},e.prototype.enterKeytipMode=function(){r.r.raise(this,a.Tj.ENTER_KEYTIP_MODE)},e.prototype.exitKeytipMode=function(){r.r.raise(this,a.Tj.EXIT_KEYTIP_MODE)},e.prototype.getKeytips=function(){var e=this;return Object.keys(this.keytips).map((function(t){return e.keytips[t].keytip}))},e.prototype.addParentOverflow=function(e){var t=(0,n.pr)(e.keySequences);if(t.pop(),0!==t.length){var o=this.sequenceMapping[t.toString()];if(o&&o.overflowSetSequence)return(0,n.pi)((0,n.pi)({},e),{overflowSetSequence:o.overflowSetSequence})}return e},e.prototype.menuExecute=function(e,t){r.r.raise(this,a.Tj.PERSISTED_KEYTIP_EXECUTE,{overflowButtonSequences:e,keytipSequences:t})},e.prototype._getUniqueKtp=function(e,t){return void 0===t&&(t=(0,i.z)()),{keytip:(0,n.pi)({},e),uniqueID:t}},e._instance=new e,e}()},5325:(e,t,o)=>{"use strict";o.d(t,{aB:()=>a,a1:()=>s,eX:()=>l,_l:()=>c,w7:()=>u});var n=o(7622),r=o(8128),i=o(2470);function a(e){return e.reduce((function(e,t){return e+r.by+t.split("").join(r.by)}),r.ww)}function s(e,t){var o=t.length,r=(0,n.pr)(t).pop(),a=(0,n.pr)(e);return(0,i.OA)(a,o-1,r)}function l(e){return"["+r.fV+'="'+a(e)+'"]'}function c(e){return"["+r.ms+'="'+e+'"]'}function u(e){var t=" "+r.nK;return e.length?t+" "+a(e):t}},6591:(e,t,o)=>{"use strict";o.d(t,{p$:()=>F,c5:()=>L,Su:()=>A,DC:()=>z,bv:()=>H,qE:()=>O});var n,r=o(7622),i=o(6628),a=o(5951),s=o(4948),l=o(4568),c=o(4884);function u(e,t,o){return{targetEdge:e,alignmentEdge:t,isAuto:o}}var d=((n={})[i.b.topLeftEdge]=u(l.z.top,l.z.left),n[i.b.topCenter]=u(l.z.top),n[i.b.topRightEdge]=u(l.z.top,l.z.right),n[i.b.topAutoEdge]=u(l.z.top,void 0,!0),n[i.b.bottomLeftEdge]=u(l.z.bottom,l.z.left),n[i.b.bottomCenter]=u(l.z.bottom),n[i.b.bottomRightEdge]=u(l.z.bottom,l.z.right),n[i.b.bottomAutoEdge]=u(l.z.bottom,void 0,!0),n[i.b.leftTopEdge]=u(l.z.left,l.z.top),n[i.b.leftCenter]=u(l.z.left),n[i.b.leftBottomEdge]=u(l.z.left,l.z.bottom),n[i.b.rightTopEdge]=u(l.z.right,l.z.top),n[i.b.rightCenter]=u(l.z.right),n[i.b.rightBottomEdge]=u(l.z.right,l.z.bottom),n);function p(e,t){return!(e.topt.bottom||e.leftt.right)}function m(e,t){var o=[];return e.topt.bottom&&o.push(l.z.bottom),e.leftt.right&&o.push(l.z.right),o}function h(e,t){return e[l.z[t]]}function g(e,t,o){return e[l.z[t]]=o,e}function f(e,t){var o=I(t);return(h(e,o.positiveEdge)+h(e,o.negativeEdge))/2}function v(e,t){return e>0?t:-1*t}function b(e,t){return v(e,h(t,e))}function y(e,t,o){return v(o,h(e,o)-h(t,o))}function _(e,t,o){var n=h(e,t)-o;return e=g(e,t,o),g(e,-1*t,h(e,-1*t)-n)}function C(e,t,o,n){return void 0===n&&(n=0),_(e,o,h(t,o)+v(o,n))}function S(e,t,o){return b(o,e)>b(o,t)}function x(e,t,o){for(var n=0,r=e;nMath.abs(y(e,o,-1*t))?-1*t:t}function T(e,t,o){var n=f(t,e),r=f(o,e),i=I(e),a=i.positiveEdge,s=i.negativeEdge;return n<=r?a:s}function E(e,t,o,n,r,i,s){var c=w(e,t,n,r,s);return p(c,o)?{elementRectangle:c,targetEdge:n.targetEdge,alignmentEdge:n.alignmentEdge}:function(e,t,o,n,r,i,s){void 0===r&&(r=0);var c=n.alignmentEdge,u=n.alignTargetEdge,d={elementRectangle:e,targetEdge:n.targetEdge,alignmentEdge:c};i||s||(d=function(e,t,o,n,r){void 0===r&&(r=0);var i=[l.z.left,l.z.right,l.z.bottom,l.z.top];(0,a.zg)()&&(i[0]*=-1,i[1]*=-1);for(var s=e,c=n.targetEdge,u=n.alignmentEdge,d=0;d<4;d++){if(S(s,o,c))return{elementRectangle:s,targetEdge:c,alignmentEdge:u};i.splice(i.indexOf(c),1),i.length>0&&(i.indexOf(-1*c)>-1?c*=-1:(u=c,c=i.slice(-1)[0]),s=w(e,t,{targetEdge:c,alignmentEdge:u},r))}return{elementRectangle:e,targetEdge:n.targetEdge,alignmentEdge:n.alignmentEdge}}(e,t,o,n,r));var h=m(e,o);if(u){if(d.alignmentEdge&&h.indexOf(-1*d.alignmentEdge)>-1){var g=function(e,t,o,n){var r=e.alignmentEdge,i=e.targetEdge,a=-1*r;return{elementRectangle:w(e.elementRectangle,t,{targetEdge:i,alignmentEdge:a},o,n),targetEdge:i,alignmentEdge:a}}(d,t,r,s);if(p(g.elementRectangle,o))return g;d=x(m(g.elementRectangle,o),d,o)}}else d=x(h,d,o);return d}(e,t,o,n,r,i,s)}function P(e){var t=e.getBoundingClientRect();return new c.A(t.left,t.right,t.top,t.bottom)}function M(e){return new c.A(e.left,e.right,e.top,e.bottom)}function R(e,t,o,n){var s=e.gapSpace?e.gapSpace:0,u=function(e,t){var o;if(t){if(t.preventDefault){var n=t;o=new c.A(n.clientX,n.clientX,n.clientY,n.clientY)}else if(t.getBoundingClientRect)o=P(t);else{var r=t,i=r.left||r.x,a=r.top||r.y,s=r.right||i,u=r.bottom||a;o=new c.A(i,s,a,u)}if(!p(o,e))for(var d=0,h=m(o,e);d0?i:n.height}(i.stopPropagation?new c.A(i.clientX,i.clientX,i.clientY,i.clientY):void 0!==m&&void 0!==g?new c.A(m,f,g,v):P(a),t,o,p,r)}function H(e){return-1*e}function O(e,t){return function(e,t){var o=void 0;if(t.getWindowSegments&&(o=t.getWindowSegments()),void 0===o||o.length<=1)return{top:0,left:0,right:t.innerWidth,bottom:t.innerHeight,width:t.innerWidth,height:t.innerHeight};var n=0,r=0;if(null!==e&&e.getBoundingClientRect){var i=e.getBoundingClientRect();n=(i.left+i.right)/2,r=(i.top+i.bottom)/2}else null!==e&&(n=e.left||e.x,r=e.top||e.y);for(var a={top:0,left:0,right:0,bottom:0,width:0,height:0},s=0,l=o;s=n&&r&&c.top<=r&&c.bottom>=r&&(a={top:c.top,left:c.left,right:c.right,bottom:c.bottom,width:c.width,height:c.height})}return a}(e,t)}},4568:(e,t,o)=>{"use strict";var n,r;o.d(t,{z:()=>n,L:()=>r}),function(e){e[e.top=1]="top",e[e.bottom=-1]="bottom",e[e.left=2]="left",e[e.right=-2]="right"}(n||(n={})),function(e){e[e.top=0]="top",e[e.bottom=1]="bottom",e[e.start=2]="start",e[e.end=3]="end"}(r||(r={}))},5515:(e,t,o)=>{"use strict";function n(e,t){for(var o=[],n=0,r=t;nn})},2703:(e,t,o)=>{"use strict";var n;o.d(t,{F:()=>n}),function(e){e[e.Normal=0]="Normal",e[e.Divider=1]="Divider",e[e.Header=2]="Header"}(n||(n={}))},4449:(e,t,o)=>{"use strict";o.d(t,{i:()=>S});var n=o(7622),r=o(7002),i=o(3345),a=o(6840),s=o(8145),l=o(9919),c=o(2167),u=o(688),d=o(9757),p=o(8088),m=o(5480),h=o(4948),g=o(5446),f=o(4553),v=o(5238),b="data-selection-index",y="data-selection-toggle",_="data-selection-invoke",C="data-selection-all-toggle",S=function(e){function t(t){var o=e.call(this,t)||this;o._root=r.createRef(),o.ignoreNextFocus=function(){o._handleNextFocus(!1)},o._onSelectionChange=function(){var e=o.props.selection,t=e.isModal&&e.isModal();o.setState({isModal:t})},o._onMouseDownCapture=function(e){var t=e.target;if(document.activeElement===t||(0,i.t)(document.activeElement,t)){if((0,i.t)(t,o._root.current))for(;t!==o._root.current;){if(o._hasAttribute(t,_)){o.ignoreNextFocus();break}t=(0,a.G)(t)}}else o.ignoreNextFocus()},o._onFocus=function(e){var t=e.target,n=o.props.selection,r=o._isCtrlPressed||o._isMetaPressed,i=o._getSelectionMode();if(o._shouldHandleFocus&&i!==v.oW.none){var a=o._hasAttribute(t,y),s=o._findItemRoot(t);if(!a&&s){var l=o._getItemIndex(s);r?(n.setIndexSelected(l,n.isIndexSelected(l),!0),o.props.enterModalOnTouch&&o._isTouch&&n.setModal&&(n.setModal(!0),o._setIsTouch(!1))):o.props.isSelectedOnFocus&&o._onItemSurfaceClick(e,l)}}o._handleNextFocus(!1)},o._onMouseDown=function(e){o._updateModifiers(e);var t=e.target,n=o._findItemRoot(t);if(!o._isSelectionDisabled(t))for(;t!==o._root.current&&!o._hasAttribute(t,C);){if(n){if(o._hasAttribute(t,y))break;if(o._hasAttribute(t,_))break;if(!(t!==n&&!o._shouldAutoSelect(t)||o._isShiftPressed||o._isCtrlPressed||o._isMetaPressed)){o._onInvokeMouseDown(e,o._getItemIndex(n));break}if(o.props.disableAutoSelectOnInputElements&&("A"===t.tagName||"BUTTON"===t.tagName||"INPUT"===t.tagName))return}t=(0,a.G)(t)}},o._onTouchStartCapture=function(e){o._setIsTouch(!0)},o._onClick=function(e){var t=o.props.enableTouchInvocationTarget,n=void 0!==t&&t;o._updateModifiers(e);for(var r=e.target,i=o._findItemRoot(r),s=o._isSelectionDisabled(r);r!==o._root.current;){if(o._hasAttribute(r,C)){s||o._onToggleAllClick(e);break}if(i){var l=o._getItemIndex(i);if(o._hasAttribute(r,y)){s||(o._isShiftPressed?o._onItemSurfaceClick(e,l):o._onToggleClick(e,l));break}if(o._isTouch&&n&&o._hasAttribute(r,"data-selection-touch-invoke")||o._hasAttribute(r,_)){o._onInvokeClick(e,l);break}if(r===i){s||o._onItemSurfaceClick(e,l);break}if("A"===r.tagName||"BUTTON"===r.tagName||"INPUT"===r.tagName)return}r=(0,a.G)(r)}},o._onContextMenu=function(e){var t=e.target,n=o.props,r=n.onItemContextMenu,i=n.selection;if(r){var a=o._findItemRoot(t);if(a){var s=o._getItemIndex(a);o._onInvokeMouseDown(e,s),r(i.getItems()[s],s,e.nativeEvent)||e.preventDefault()}}},o._onDoubleClick=function(e){var t=e.target,n=o.props.onItemInvoked,r=o._findItemRoot(t);if(r&&n&&!o._isInputElement(t)){for(var i=o._getItemIndex(r);t!==o._root.current&&!o._hasAttribute(t,y)&&!o._hasAttribute(t,_);){if(t===r){o._onInvokeClick(e,i);break}t=(0,a.G)(t)}t=(0,a.G)(t)}},o._onKeyDownCapture=function(e){o._updateModifiers(e),o._handleNextFocus(!0)},o._onKeyDown=function(e){o._updateModifiers(e);var t=e.target,n=o._isSelectionDisabled(t),r=o.props.selection,i=e.which===s.m.a&&(o._isCtrlPressed||o._isMetaPressed),l=e.which===s.m.escape;if(!o._isInputElement(t)){var c=o._getSelectionMode();if(i&&c===v.oW.multiple&&!r.isAllSelected())return n||r.setAllSelected(!0),e.stopPropagation(),void e.preventDefault();if(l&&r.getSelectedCount()>0)return n||r.setAllSelected(!1),e.stopPropagation(),void e.preventDefault();var u=o._findItemRoot(t);if(u)for(var d=o._getItemIndex(u);t!==o._root.current&&!o._hasAttribute(t,y);){if(o._shouldAutoSelect(t)){n||o._onInvokeMouseDown(e,d);break}if(!(e.which!==s.m.enter&&e.which!==s.m.space||"BUTTON"!==t.tagName&&"A"!==t.tagName&&"INPUT"!==t.tagName))return!1;if(t===u){if(e.which===s.m.enter)return o._onInvokeClick(e,d),void e.preventDefault();if(e.which===s.m.space)return n||o._onToggleClick(e,d),void e.preventDefault();break}t=(0,a.G)(t)}}},o._events=new l.r(o),o._async=new c.e(o),(0,u.l)(o);var n=o.props.selection,d=n.isModal&&n.isModal();return o.state={isModal:d},o}return(0,n.ZT)(t,e),t.getDerivedStateFromProps=function(e,t){var o=e.selection.isModal&&e.selection.isModal();return(0,n.pi)((0,n.pi)({},t),{isModal:o})},t.prototype.componentDidMount=function(){var e=(0,d.J)(this._root.current);this._events.on(e,"keydown, keyup",this._updateModifiers,!0),this._events.on(document,"click",this._findScrollParentAndTryClearOnEmptyClick),this._events.on(document.body,"touchstart",this._onTouchStartCapture,!0),this._events.on(document.body,"touchend",this._onTouchStartCapture,!0),this._events.on(this.props.selection,"change",this._onSelectionChange)},t.prototype.render=function(){var e=this.state.isModal;return r.createElement("div",{className:(0,p.i)("ms-SelectionZone",this.props.className,{"ms-SelectionZone--modal":!!e}),ref:this._root,onKeyDown:this._onKeyDown,onMouseDown:this._onMouseDown,onKeyDownCapture:this._onKeyDownCapture,onClick:this._onClick,role:"presentation",onDoubleClick:this._onDoubleClick,onContextMenu:this._onContextMenu,onMouseDownCapture:this._onMouseDownCapture,onFocusCapture:this._onFocus,"data-selection-is-modal":!!e||void 0},this.props.children,r.createElement(m.u,null))},t.prototype.componentDidUpdate=function(e){var t=this.props.selection;t!==e.selection&&(this._events.off(e.selection),this._events.on(t,"change",this._onSelectionChange))},t.prototype.componentWillUnmount=function(){this._events.dispose(),this._async.dispose()},t.prototype._isSelectionDisabled=function(e){if(this._getSelectionMode()===v.oW.none)return!0;for(;e!==this._root.current;){if(this._hasAttribute(e,"data-selection-disabled"))return!0;e=(0,a.G)(e)}return!1},t.prototype._onToggleAllClick=function(e){var t=this.props.selection;this._getSelectionMode()===v.oW.multiple&&(t.toggleAllSelected(),e.stopPropagation(),e.preventDefault())},t.prototype._onToggleClick=function(e,t){var o=this.props.selection,n=this._getSelectionMode();if(o.setChangeEvents(!1),this.props.enterModalOnTouch&&this._isTouch&&!o.isIndexSelected(t)&&o.setModal&&(o.setModal(!0),this._setIsTouch(!1)),n===v.oW.multiple)o.toggleIndexSelected(t);else{if(n!==v.oW.single)return void o.setChangeEvents(!0);var r=o.isIndexSelected(t),i=o.isModal&&o.isModal();o.setAllSelected(!1),o.setIndexSelected(t,!r,!0),i&&o.setModal&&o.setModal(!0)}o.setChangeEvents(!0),e.stopPropagation()},t.prototype._onInvokeClick=function(e,t){var o=this.props,n=o.selection,r=o.onItemInvoked;r&&(r(n.getItems()[t],t,e.nativeEvent),e.preventDefault(),e.stopPropagation())},t.prototype._onItemSurfaceClick=function(e,t){var o=this.props.selection,n=this._isCtrlPressed||this._isMetaPressed,r=this._getSelectionMode();r===v.oW.multiple?this._isShiftPressed&&!this._isTabPressed?o.selectToIndex(t,!n):n?o.toggleIndexSelected(t):this._clearAndSelectIndex(t):r===v.oW.single&&this._clearAndSelectIndex(t)},t.prototype._onInvokeMouseDown=function(e,t){this.props.selection.isIndexSelected(t)||this._clearAndSelectIndex(t)},t.prototype._findScrollParentAndTryClearOnEmptyClick=function(e){var t=(0,h.zj)(this._root.current);this._events.off(document,"click",this._findScrollParentAndTryClearOnEmptyClick),this._events.on(t,"click",this._tryClearOnEmptyClick),(t&&e.target instanceof Node&&t.contains(e.target)||t===e.target)&&this._tryClearOnEmptyClick(e)},t.prototype._tryClearOnEmptyClick=function(e){!this.props.selectionPreservedOnEmptyClick&&this._isNonHandledClick(e.target)&&this.props.selection.setAllSelected(!1)},t.prototype._clearAndSelectIndex=function(e){var t=this.props.selection;if(1!==t.getSelectedCount()||!t.isIndexSelected(e)){var o=t.isModal&&t.isModal();t.setChangeEvents(!1),t.setAllSelected(!1),t.setIndexSelected(e,!0,!0),(o||this.props.enterModalOnTouch&&this._isTouch)&&(t.setModal&&t.setModal(!0),this._isTouch&&this._setIsTouch(!1)),t.setChangeEvents(!0)}},t.prototype._updateModifiers=function(e){this._isShiftPressed=e.shiftKey,this._isCtrlPressed=e.ctrlKey,this._isMetaPressed=e.metaKey;var t=e.keyCode;this._isTabPressed=!!t&&t===s.m.tab},t.prototype._findItemRoot=function(e){for(var t=this.props.selection;e!==this._root.current;){var o=e.getAttribute(b),n=Number(o);if(null!==o&&n>=0&&n{"use strict";o.d(t,{x:()=>i});var n={},r=void 0;try{r=window}catch(e){}function i(e,t){if(void 0!==r){var o=r.__packages__=r.__packages__||{};o[e]&&n[e]||(n[e]=t,(o[e]=o[e]||[]).push(t))}}i("@fluentui/set-version","6.0.0")},9729:(e,t,o)=>{"use strict";o.d(t,{k4:()=>X,Ic:()=>G,D1:()=>q,JJ:()=>he,rN:()=>ve.r,ir:()=>Q.i,UK:()=>ee.U,Ox:()=>xe,yV:()=>$,TS:()=>be.TS,lq:()=>be.lq,qJ:()=>_e,$v:()=>Se,bO:()=>Ce,ld:()=>be.ld,qS:()=>Xe.q,a1:()=>Ze,P$:()=>Re,yp:()=>Me,mV:()=>Pe,yO:()=>Ne,CQ:()=>Be,AV:()=>Ie,dd:()=>we,QQ:()=>ke,bE:()=>Fe,qv:()=>De,B:()=>Te,F1:()=>Ee,Ye:()=>Xe.Y,Jw:()=>le,bR:()=>He,$O:()=>r,E$:()=>xt.m,l7:()=>kt.l,FF:()=>ye.F,jG:()=>ie.j,e2:()=>Ve,jN:()=>ct.j,h4:()=>ze,$X:()=>rt,jx:()=>Ke,GL:()=>We,Cn:()=>$e,xM:()=>Ae,q7:()=>ft,Wx:()=>St,$Y:()=>qe,Sv:()=>at,sK:()=>Le,gh:()=>ue,Nf:()=>tt,ul:()=>Ge,F4:()=>i.F,jz:()=>me,ZC:()=>wt.Z,y0:()=>n.y,jq:()=>nt,Fv:()=>ot,Kq:()=>Q.K,M_:()=>gt,fm:()=>mt,tj:()=>de,sw:()=>pe,yN:()=>vt,Kf:()=>ht});var n=o(9444);function r(e){var t={},o=function(o){var r;e.hasOwnProperty(o)&&Object.defineProperty(t,o,{get:function(){return void 0===r&&(r=(0,n.y)(e[o]).toString()),r},enumerable:!0,configurable:!0})};for(var r in e)o(r);return t}var i=o(2762),a="cubic-bezier(.1,.9,.2,1)",s="cubic-bezier(.1,.25,.75,.9)",l="0.167s",c="0.267s",u="0.367s",d="0.467s",p=(0,i.F)({from:{opacity:0},to:{opacity:1}}),m=(0,i.F)({from:{opacity:1},to:{opacity:0,visibility:"hidden"}}),h=j(-10),g=j(-20),f=j(-40),v=j(-400),b=j(10),y=j(20),_=j(40),C=j(400),S=J(10),x=J(20),k=J(-10),w=J(-20),I=Y(10),D=Y(20),T=Y(40),E=Y(400),P=Y(-10),M=Y(-20),R=Y(-40),N=Y(-400),B=Z(-10),F=Z(-20),L=Z(10),A=Z(20),z=(0,i.F)({from:{transform:"scale3d(.98,.98,1)"},to:{transform:"scale3d(1,1,1)"}}),H=(0,i.F)({from:{transform:"scale3d(1,1,1)"},to:{transform:"scale3d(.98,.98,1)"}}),O=(0,i.F)({from:{transform:"scale3d(1.03,1.03,1)"},to:{transform:"scale3d(1,1,1)"}}),W=(0,i.F)({from:{transform:"scale3d(1,1,1)"},to:{transform:"scale3d(1.03,1.03,1)"}}),V=(0,i.F)({from:{transform:"rotateZ(0deg)"},to:{transform:"rotateZ(90deg)"}}),K=(0,i.F)({from:{transform:"rotateZ(0deg)"},to:{transform:"rotateZ(-90deg)"}}),q={easeFunction1:a,easeFunction2:s,durationValue1:l,durationValue2:c,durationValue3:u,durationValue4:d},G={slideRightIn10:U(p+","+h,u,a),slideRightIn20:U(p+","+g,u,a),slideRightIn40:U(p+","+f,u,a),slideRightIn400:U(p+","+v,u,a),slideLeftIn10:U(p+","+b,u,a),slideLeftIn20:U(p+","+y,u,a),slideLeftIn40:U(p+","+_,u,a),slideLeftIn400:U(p+","+C,u,a),slideUpIn10:U(p+","+S,u,a),slideUpIn20:U(p+","+x,u,a),slideDownIn10:U(p+","+k,u,a),slideDownIn20:U(p+","+w,u,a),slideRightOut10:U(m+","+I,u,a),slideRightOut20:U(m+","+D,u,a),slideRightOut40:U(m+","+T,u,a),slideRightOut400:U(m+","+E,u,a),slideLeftOut10:U(m+","+P,u,a),slideLeftOut20:U(m+","+M,u,a),slideLeftOut40:U(m+","+R,u,a),slideLeftOut400:U(m+","+N,u,a),slideUpOut10:U(m+","+B,u,a),slideUpOut20:U(m+","+F,u,a),slideDownOut10:U(m+","+L,u,a),slideDownOut20:U(m+","+A,u,a),scaleUpIn100:U(p+","+z,u,a),scaleDownIn100:U(p+","+O,u,a),scaleUpOut103:U(m+","+W,l,s),scaleDownOut98:U(m+","+H,l,s),fadeIn100:U(p,l,s),fadeIn200:U(p,c,s),fadeIn400:U(p,u,s),fadeIn500:U(p,d,s),fadeOut100:U(m,l,s),fadeOut200:U(m,c,s),fadeOut400:U(m,u,s),fadeOut500:U(m,d,s),rotate90deg:U(V,"0.1s",s),rotateN90deg:U(K,"0.1s",s)};function U(e,t,o){return{animationName:e,animationDuration:t,animationTimingFunction:o,animationFillMode:"both"}}function j(e){return(0,i.F)({from:{transform:"translate3d("+e+"px,0,0)",pointerEvents:"none"},to:{transform:"translate3d(0,0,0)",pointerEvents:"auto"}})}function J(e){return(0,i.F)({from:{transform:"translate3d(0,"+e+"px,0)",pointerEvents:"none"},to:{transform:"translate3d(0,0,0)",pointerEvents:"auto"}})}function Y(e){return(0,i.F)({from:{transform:"translate3d(0,0,0)"},to:{transform:"translate3d("+e+"px,0,0)"}})}function Z(e){return(0,i.F)({from:{transform:"translate3d(0,0,0)"},to:{transform:"translate3d(0,"+e+"px,0)"}})}var X=r(G),Q=o(1209),$=r(Q.i),ee=o(5314),te=o(7622),oe=o(1767),ne=o(9757),re=o(4976),ie=o(8932),ae=(0,ie.j)({}),se=[],le="theme";function ce(){var e,t,o;if(!oe.X.getSettings([le]).theme){var n=(0,ne.J)();(null===(o=null===(t=n)||void 0===t?void 0:t.FabricConfig)||void 0===o?void 0:o.theme)&&(ae=(0,ie.j)(n.FabricConfig.theme)),oe.X.applySettings(((e={})[le]=ae,e))}}function ue(e){return void 0===e&&(e=!1),!0===e&&(ae=(0,ie.j)({},e)),ae}function de(e){-1===se.indexOf(e)&&se.push(e)}function pe(e){var t=se.indexOf(e);-1!==t&&se.splice(t,1)}function me(e,t){var o;return void 0===t&&(t=!1),ae=(0,ie.j)(e,t),(0,re.jz)((0,te.pi)((0,te.pi)((0,te.pi)((0,te.pi)({},ae.palette),ae.semanticColors),ae.effects),function(e){for(var t={},o=0,n=Object.keys(e.fonts);o10?" (+ "+(bt.length-10)+" more)":"")),yt=void 0,bt=[]}),2e3)))}var Ct={display:"inline-block"};function St(e){var t="",o=ft(e);return o&&(t=(0,n.y)(o.subset.className,Ct,{selectors:{"::before":{content:'"'+o.code+'"'}}})),t}var xt=o(3570),kt=o(965),wt=o(2005);(0,o(6316).x)("@fluentui/style-utilities","8.0.2"),ce()},5314:(e,t,o)=>{"use strict";o.d(t,{U:()=>n});var n={themeDarker:"#004578",themeDark:"#005a9e",themeDarkAlt:"#106ebe",themePrimary:"#0078d4",themeSecondary:"#2b88d8",themeTertiary:"#71afe5",themeLight:"#c7e0f4",themeLighter:"#deecf9",themeLighterAlt:"#eff6fc",black:"#000000",blackTranslucent40:"rgba(0,0,0,.4)",neutralDark:"#201f1e",neutralPrimary:"#323130",neutralPrimaryAlt:"#3b3a39",neutralSecondary:"#605e5c",neutralSecondaryAlt:"#8a8886",neutralTertiary:"#a19f9d",neutralTertiaryAlt:"#c8c6c4",neutralQuaternary:"#d2d0ce",neutralQuaternaryAlt:"#e1dfdd",neutralLight:"#edebe9",neutralLighter:"#f3f2f1",neutralLighterAlt:"#faf9f8",accent:"#0078d4",white:"#ffffff",whiteTranslucent40:"rgba(255,255,255,.4)",yellowDark:"#d29200",yellow:"#ffb900",yellowLight:"#fff100",orange:"#d83b01",orangeLight:"#ea4300",orangeLighter:"#ff8c00",redDark:"#a4262c",red:"#e81123",magentaDark:"#5c005c",magenta:"#b4009e",magentaLight:"#e3008c",purpleDark:"#32145a",purple:"#5c2d91",purpleLight:"#b4a0ff",blueDark:"#002050",blueMid:"#00188f",blue:"#0078d4",blueLight:"#00bcf2",tealDark:"#004b50",teal:"#008272",tealLight:"#00b294",greenDark:"#004b1c",green:"#107c10",greenLight:"#bad80a"}},8932:(e,t,o)=>{"use strict";o.d(t,{j:()=>c});var n=o(5314),r=o(8708),i=o(1209),a=o(8188),s=o(3968),l=o(6267);function c(e,t){void 0===e&&(e={}),void 0===t&&(t=!1);var o=!!e.isInverted,c={palette:n.U,effects:r.r,fonts:i.i,spacing:s.C,isInverted:o,disableGlobalClassNames:!1,semanticColors:(0,l.b)(n.U,r.r,void 0,o,t),rtl:void 0};return(0,a.I)(c,e)}},8708:(e,t,o)=>{"use strict";o.d(t,{r:()=>r});var n=o(4733),r={elevation4:n.N.depth4,elevation8:n.N.depth8,elevation16:n.N.depth16,elevation64:n.N.depth64,roundedCorner2:"2px",roundedCorner4:"4px",roundedCorner6:"6px"}},4733:(e,t,o)=>{"use strict";var n;o.d(t,{N:()=>n}),function(e){e.depth0="0 0 0 0 transparent",e.depth4="0 1.6px 3.6px 0 rgba(0, 0, 0, 0.132), 0 0.3px 0.9px 0 rgba(0, 0, 0, 0.108)",e.depth8="0 3.2px 7.2px 0 rgba(0, 0, 0, 0.132), 0 0.6px 1.8px 0 rgba(0, 0, 0, 0.108)",e.depth16="0 6.4px 14.4px 0 rgba(0, 0, 0, 0.132), 0 1.2px 3.6px 0 rgba(0, 0, 0, 0.108)",e.depth64="0 25.6px 57.6px 0 rgba(0, 0, 0, 0.22), 0 4.8px 14.4px 0 rgba(0, 0, 0, 0.18)"}(n||(n={}))},1209:(e,t,o)=>{"use strict";o.d(t,{i:()=>d,K:()=>h});var n,r,i,a=o(3310),s=o(3182),l=o(7134),c=o(3856),u=o(9757),d=(0,l.F)((0,c.G)());function p(e,t,o,n){e="'"+e+"'";var r=void 0!==n?"local('"+n+"'),":"";(0,a.j)({fontFamily:e,src:r+"url('"+t+".woff2') format('woff2'),url('"+t+".woff') format('woff')",fontWeight:o,fontStyle:"normal",fontDisplay:"swap"})}function m(e,t,o,n,r){void 0===n&&(n="segoeui");var i=e+"/"+o+"/"+n;p(t,i+"-light",s.lq.light,r&&r+" Light"),p(t,i+"-semilight",s.lq.semilight,r&&r+" SemiLight"),p(t,i+"-regular",s.lq.regular,r),p(t,i+"-semibold",s.lq.semibold,r&&r+" SemiBold"),p(t,i+"-bold",s.lq.bold,r&&r+" Bold")}function h(e){if(e){var t=e+"/fonts";m(t,s.Qm.Thai,"leelawadeeui-thai","leelawadeeui"),m(t,s.Qm.Arabic,"segoeui-arabic"),m(t,s.Qm.Cyrillic,"segoeui-cyrillic"),m(t,s.Qm.EastEuropean,"segoeui-easteuropean"),m(t,s.Qm.Greek,"segoeui-greek"),m(t,s.Qm.Hebrew,"segoeui-hebrew"),m(t,s.Qm.Vietnamese,"segoeui-vietnamese"),m(t,s.Qm.WestEuropean,"segoeui-westeuropean","segoeui","Segoe UI"),m(t,s.II.Selawik,"selawik","selawik"),m(t,s.Qm.Armenian,"segoeui-armenian"),m(t,s.Qm.Georgian,"segoeui-georgian"),p("Leelawadee UI Web",t+"/leelawadeeui-thai/leelawadeeui-semilight",s.lq.light),p("Leelawadee UI Web",t+"/leelawadeeui-thai/leelawadeeui-bold",s.lq.semibold)}}h(null!=(i=null===(r=null===(n=(0,u.J)())||void 0===n?void 0:n.FabricConfig)||void 0===r?void 0:r.fontBaseUrl)?i:"https://static2.sharepointonline.com/files/fabric/assets")},3182:(e,t,o)=>{"use strict";var n,r,i,a,s;o.d(t,{Qm:()=>n,II:()=>r,TS:()=>i,lq:()=>a,ld:()=>s}),function(e){e.Arabic="Segoe UI Web (Arabic)",e.Cyrillic="Segoe UI Web (Cyrillic)",e.EastEuropean="Segoe UI Web (East European)",e.Greek="Segoe UI Web (Greek)",e.Hebrew="Segoe UI Web (Hebrew)",e.Thai="Leelawadee UI Web",e.Vietnamese="Segoe UI Web (Vietnamese)",e.WestEuropean="Segoe UI Web (West European)",e.Selawik="Selawik Web",e.Armenian="Segoe UI Web (Armenian)",e.Georgian="Segoe UI Web (Georgian)"}(n||(n={})),function(e){e.Arabic="'"+n.Arabic+"'",e.ChineseSimplified="'Microsoft Yahei UI', Verdana, Simsun",e.ChineseTraditional="'Microsoft Jhenghei UI', Pmingliu",e.Cyrillic="'"+n.Cyrillic+"'",e.EastEuropean="'"+n.EastEuropean+"'",e.Greek="'"+n.Greek+"'",e.Hebrew="'"+n.Hebrew+"'",e.Hindi="'Nirmala UI'",e.Japanese="'Yu Gothic UI', 'Meiryo UI', Meiryo, 'MS Pgothic', Osaka",e.Korean="'Malgun Gothic', Gulim",e.Selawik="'"+n.Selawik+"'",e.Thai="'Leelawadee UI Web', 'Kmer UI'",e.Vietnamese="'"+n.Vietnamese+"'",e.WestEuropean="'"+n.WestEuropean+"'",e.Armenian="'"+n.Armenian+"'",e.Georgian="'"+n.Georgian+"'"}(r||(r={})),function(e){e.size10="10px",e.size12="12px",e.size14="14px",e.size16="16px",e.size18="18px",e.size20="20px",e.size24="24px",e.size28="28px",e.size32="32px",e.size42="42px",e.size68="68px",e.mini="10px",e.xSmall="10px",e.small="12px",e.smallPlus="12px",e.medium="14px",e.mediumPlus="16px",e.icon="16px",e.large="18px",e.xLarge="20px",e.xLargePlus="24px",e.xxLarge="28px",e.xxLargePlus="32px",e.superLarge="42px",e.mega="68px"}(i||(i={})),function(e){e.light=100,e.semilight=300,e.regular=400,e.semibold=600,e.bold=700}(a||(a={})),function(e){e.xSmall="10px",e.small="12px",e.medium="16px",e.large="20px"}(s||(s={}))},7134:(e,t,o)=>{"use strict";o.d(t,{F:()=>s});var n=o(3182),r="'Segoe UI', '"+n.Qm.WestEuropean+"'",i={ar:n.II.Arabic,bg:n.II.Cyrillic,cs:n.II.EastEuropean,el:n.II.Greek,et:n.II.EastEuropean,he:n.II.Hebrew,hi:n.II.Hindi,hr:n.II.EastEuropean,hu:n.II.EastEuropean,ja:n.II.Japanese,kk:n.II.EastEuropean,ko:n.II.Korean,lt:n.II.EastEuropean,lv:n.II.EastEuropean,pl:n.II.EastEuropean,ru:n.II.Cyrillic,sk:n.II.EastEuropean,"sr-latn":n.II.EastEuropean,th:n.II.Thai,tr:n.II.EastEuropean,uk:n.II.Cyrillic,vi:n.II.Vietnamese,"zh-hans":n.II.ChineseSimplified,"zh-hant":n.II.ChineseTraditional,hy:n.II.Armenian,ka:n.II.Georgian};function a(e,t,o){return{fontFamily:o,MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontSize:e,fontWeight:t}}function s(e){var t=function(e){for(var t in i)if(i.hasOwnProperty(t)&&e&&0===t.indexOf(e))return i[t];return r}(e)+", 'Segoe UI', -apple-system, BlinkMacSystemFont, 'Roboto', 'Helvetica Neue', sans-serif";return{tiny:a(n.TS.mini,n.lq.regular,t),xSmall:a(n.TS.xSmall,n.lq.regular,t),small:a(n.TS.small,n.lq.regular,t),smallPlus:a(n.TS.smallPlus,n.lq.regular,t),medium:a(n.TS.medium,n.lq.regular,t),mediumPlus:a(n.TS.mediumPlus,n.lq.regular,t),large:a(n.TS.large,n.lq.regular,t),xLarge:a(n.TS.xLarge,n.lq.semibold,t),xLargePlus:a(n.TS.xLargePlus,n.lq.semibold,t),xxLarge:a(n.TS.xxLarge,n.lq.semibold,t),xxLargePlus:a(n.TS.xxLargePlus,n.lq.semibold,t),superLarge:a(n.TS.superLarge,n.lq.semibold,t),mega:a(n.TS.mega,n.lq.semibold,t)}}},8188:(e,t,o)=>{"use strict";o.d(t,{I:()=>i});var n=o(9478),r=o(6267);function i(e,t){var o,i,a,s;void 0===t&&(t={});var l=(0,n.T)({},e,t,{semanticColors:(0,r.Q)(t.palette,t.effects,t.semanticColors,void 0===t.isInverted?e.isInverted:t.isInverted)});if((null===(o=t.palette)||void 0===o?void 0:o.themePrimary)&&!(null===(i=t.palette)||void 0===i?void 0:i.accent)&&(l.palette.accent=t.palette.themePrimary),t.defaultFontStyle)for(var c=0,u=Object.keys(l.fonts);c{"use strict";o.d(t,{C:()=>n});var n={s2:"4px",s1:"8px",m:"16px",l1:"20px",l2:"32px"}},6267:(e,t,o)=>{"use strict";o.d(t,{b:()=>r,Q:()=>i});var n=o(7622);function r(e,t,o,r,a){return void 0===a&&(a=!1),function(e,t){var o="";return!0===t&&(o=" /* @deprecated */"),e.listTextColor=e.listText+o,e.menuItemBackgroundChecked+=o,e.warningHighlight+=o,e.warningText=e.messageText+o,e.successText+=o,e}(i(e,t,(0,n.pi)({primaryButtonBorder:"transparent",errorText:r?"#F1707B":"#a4262c",messageText:r?"#F3F2F1":"#323130",messageLink:r?"#6CB8F6":"#005A9E",messageLinkHovered:r?"#82C7FF":"#004578",infoIcon:r?"#C8C6C4":"#605e5c",errorIcon:r?"#F1707B":"#A80000",blockingIcon:r?"#442726":"#FDE7E9",warningIcon:r?"#C8C6C4":"#797775",severeWarningIcon:r?"#FCE100":"#D83B01",successIcon:r?"#92C353":"#107C10",infoBackground:r?"#323130":"#f3f2f1",errorBackground:r?"#442726":"#FDE7E9",blockingBackground:r?"#442726":"#FDE7E9",warningBackground:r?"#433519":"#FFF4CE",severeWarningBackground:r?"#4F2A0F":"#FED9CC",successBackground:r?"#393D1B":"#DFF6DD",warningHighlight:r?"#fff100":"#ffb900",successText:r?"#92c353":"#107C10"},o),r),a)}function i(e,t,o,r,i){var a,s,l;void 0===i&&(i=!1);var c={},u=e||{},d=u.white,p=u.black,m=u.themePrimary,h=u.themeDark,g=u.themeDarker,f=u.themeDarkAlt,v=u.themeLighter,b=u.neutralLight,y=u.neutralLighter,_=u.neutralDark,C=u.neutralQuaternary,S=u.neutralQuaternaryAlt,x=u.neutralPrimary,k=u.neutralSecondary,w=u.neutralSecondaryAlt,I=u.neutralTertiary,D=u.neutralTertiaryAlt,T=u.neutralLighterAlt,E=u.accent;return d&&(c.bodyBackground=d,c.bodyFrameBackground=d,c.accentButtonText=d,c.buttonBackground=d,c.primaryButtonText=d,c.primaryButtonTextHovered=d,c.primaryButtonTextPressed=d,c.inputBackground=d,c.inputForegroundChecked=d,c.listBackground=d,c.menuBackground=d,c.cardStandoutBackground=d),p&&(c.bodyTextChecked=p,c.buttonTextCheckedHovered=p),m&&(c.link=m,c.primaryButtonBackground=m,c.inputBackgroundChecked=m,c.inputIcon=m,c.inputFocusBorderAlt=m,c.menuIcon=m,c.menuHeader=m,c.accentButtonBackground=m),h&&(c.primaryButtonBackgroundPressed=h,c.inputBackgroundCheckedHovered=h,c.inputIconHovered=h),g&&(c.linkHovered=g),f&&(c.primaryButtonBackgroundHovered=f),v&&(c.inputPlaceholderBackgroundChecked=v),b&&(c.bodyBackgroundChecked=b,c.bodyFrameDivider=b,c.bodyDivider=b,c.variantBorder=b,c.buttonBackgroundCheckedHovered=b,c.buttonBackgroundPressed=b,c.listItemBackgroundChecked=b,c.listHeaderBackgroundPressed=b,c.menuItemBackgroundPressed=b,c.menuItemBackgroundChecked=b),y&&(c.bodyBackgroundHovered=y,c.buttonBackgroundHovered=y,c.buttonBackgroundDisabled=y,c.buttonBorderDisabled=y,c.primaryButtonBackgroundDisabled=y,c.disabledBackground=y,c.listItemBackgroundHovered=y,c.listHeaderBackgroundHovered=y,c.menuItemBackgroundHovered=y),C&&(c.primaryButtonTextDisabled=C,c.disabledSubtext=C),S&&(c.listItemBackgroundCheckedHovered=S),I&&(c.disabledBodyText=I,c.variantBorderHovered=(null===(a=o)||void 0===a?void 0:a.variantBorderHovered)||I,c.buttonTextDisabled=I,c.inputIconDisabled=I,c.disabledText=I),x&&(c.bodyText=x,c.actionLink=x,c.buttonText=x,c.inputBorderHovered=x,c.inputText=x,c.listText=x,c.menuItemText=x),T&&(c.bodyStandoutBackground=T,c.defaultStateBackground=T),_&&(c.actionLinkHovered=_,c.buttonTextHovered=_,c.buttonTextChecked=_,c.buttonTextPressed=_,c.inputTextHovered=_,c.menuItemTextHovered=_),k&&(c.bodySubtext=k,c.focusBorder=k,c.inputBorder=k,c.smallInputBorder=k,c.inputPlaceholderText=k),w&&(c.buttonBorder=w),D&&(c.disabledBodySubtext=D,c.disabledBorder=D,c.buttonBackgroundChecked=D,c.menuDivider=D),E&&(c.accentButtonBackground=E),(null===(s=t)||void 0===s?void 0:s.elevation4)&&(c.cardShadow=t.elevation4),!r&&(null===(l=t)||void 0===l?void 0:l.elevation8)?c.cardShadowHovered=t.elevation8:c.variantBorderHovered&&(c.cardShadowHovered="0 0 1px "+c.variantBorderHovered),(0,n.pi)((0,n.pi)({},c),o)}},2167:(e,t,o)=>{"use strict";o.d(t,{e:()=>r});var n=o(9757),r=function(){function e(e,t){this._timeoutIds=null,this._immediateIds=null,this._intervalIds=null,this._animationFrameIds=null,this._isDisposed=!1,this._parent=e||null,this._onErrorHandler=t,this._noop=function(){}}return e.prototype.dispose=function(){var e;if(this._isDisposed=!0,this._parent=null,this._timeoutIds){for(e in this._timeoutIds)this._timeoutIds.hasOwnProperty(e)&&this.clearTimeout(parseInt(e,10));this._timeoutIds=null}if(this._immediateIds){for(e in this._immediateIds)this._immediateIds.hasOwnProperty(e)&&this.clearImmediate(parseInt(e,10));this._immediateIds=null}if(this._intervalIds){for(e in this._intervalIds)this._intervalIds.hasOwnProperty(e)&&this.clearInterval(parseInt(e,10));this._intervalIds=null}if(this._animationFrameIds){for(e in this._animationFrameIds)this._animationFrameIds.hasOwnProperty(e)&&this.cancelAnimationFrame(parseInt(e,10));this._animationFrameIds=null}},e.prototype.setTimeout=function(e,t){var o=this,n=0;return this._isDisposed||(this._timeoutIds||(this._timeoutIds={}),n=setTimeout((function(){try{o._timeoutIds&&delete o._timeoutIds[n],e.apply(o._parent)}catch(e){o._logError(e)}}),t),this._timeoutIds[n]=!0),n},e.prototype.clearTimeout=function(e){this._timeoutIds&&this._timeoutIds[e]&&(clearTimeout(e),delete this._timeoutIds[e])},e.prototype.setImmediate=function(e,t){var o=this,r=0,i=(0,n.J)(t);return this._isDisposed||(this._immediateIds||(this._immediateIds={}),r=i.setTimeout((function(){try{o._immediateIds&&delete o._immediateIds[r],e.apply(o._parent)}catch(e){o._logError(e)}}),0),this._immediateIds[r]=!0),r},e.prototype.clearImmediate=function(e,t){var o=(0,n.J)(t);this._immediateIds&&this._immediateIds[e]&&(o.clearTimeout(e),delete this._immediateIds[e])},e.prototype.setInterval=function(e,t){var o=this,n=0;return this._isDisposed||(this._intervalIds||(this._intervalIds={}),n=setInterval((function(){try{e.apply(o._parent)}catch(e){o._logError(e)}}),t),this._intervalIds[n]=!0),n},e.prototype.clearInterval=function(e){this._intervalIds&&this._intervalIds[e]&&(clearInterval(e),delete this._intervalIds[e])},e.prototype.throttle=function(e,t,o){var n=this;if(this._isDisposed)return this._noop;var r,i,a=t||0,s=!0,l=!0,c=0,u=null;o&&"boolean"==typeof o.leading&&(s=o.leading),o&&"boolean"==typeof o.trailing&&(l=o.trailing);var d=function(t){var o=Date.now(),p=o-c,m=s?a-p:a;return p>=a&&(!t||s)?(c=o,u&&(n.clearTimeout(u),u=null),r=e.apply(n._parent,i)):null===u&&l&&(u=n.setTimeout(d,m)),r};return function(){for(var e=[],t=0;t=s&&(o=!0),d=t);var r=t-d,a=s-r,h=t-p,v=!1;return null!==u&&(h>=u&&m?v=!0:a=Math.min(a,u-h)),r>=s||v||o?g(t):null!==m&&e||!c||(m=n.setTimeout(f,a)),i},v=function(){return!!m},b=function(){for(var e=[],t=0;t{"use strict";o.d(t,{H:()=>u,S:()=>p});var n=o(7622),r=o(7002),i=o(2167),a=o(9919),s=o(5415),l=o(209),c=o(3129),u=function(e){function t(o,n){var r=e.call(this,o,n)||this;return function(e,t,o){for(var n=0,r=o.length;n1?e[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 i.e(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 a.r(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(o){return t[e]=o}),this.__resolves[e]},t.prototype._updateComponentRef=function(e,t){void 0===t&&(t={}),e&&t&&e.componentRef!==t.componentRef&&(this._setComponentRef(e.componentRef,null),this._setComponentRef(t.componentRef,this))},t.prototype._warnDeprecations=function(e){(0,c.b)(this.className,this.props,e)},t.prototype._warnMutuallyExclusive=function(e){(0,l.L)(this.className,this.props,e)},t.prototype._warnConditionallyRequiredProps=function(e,t,o){(0,s.w)(this.className,this.props,e,t,o)},t.prototype._setComponentRef=function(e,t){!this._skipComponentRefResolution&&e&&("function"==typeof e&&e(t),"object"==typeof e&&(e.current=t))},t}(r.Component);function d(e,t,o){var n=e[o],r=t[o];(n||r)&&(e[o]=function(){for(var e,t=[],o=0;o{"use strict";o.d(t,{U:()=>i});var n=o(7622),r=o(7002),i=function(e){function t(t){var o=e.call(this,t)||this;return o.state={isRendered:!1},o}return(0,n.ZT)(t,e),t.prototype.componentDidMount=function(){var e=this,t=this.props.delay;this._timeoutId=window.setTimeout((function(){e.setState({isRendered:!0})}),t)},t.prototype.componentWillUnmount=function(){this._timeoutId&&clearTimeout(this._timeoutId)},t.prototype.render=function(){return this.state.isRendered?r.Children.only(this.props.children):null},t.defaultProps={delay:0},t}(r.Component)},9919:(e,t,o)=>{"use strict";o.d(t,{r:()=>r});var n=o(2447),r=function(){function e(t){this._id=e._uniqueId++,this._parent=t,this._eventRecords=[]}return e.raise=function(t,o,r,i){var a;if(e._isElement(t)){if("undefined"!=typeof document&&document.createEvent){var s=document.createEvent("HTMLEvents");s.initEvent(o,i||!1,!0),(0,n.f0)(s,r),a=t.dispatchEvent(s)}else if("undefined"!=typeof document&&document.createEventObject){var l=document.createEventObject(r);t.fireEvent("on"+o,l)}}else for(;t&&!1!==a;){var c=t.__events__,u=c?c[o]:null;if(u)for(var d in u)if(u.hasOwnProperty(d))for(var p=u[d],m=0;!1!==a&&m-1)for(var a=o.split(/[ ,]+/),s=0;s{"use strict";o.d(t,{D:()=>i});var n=o(9757),r=0,i=function(){function e(){}return e.getValue=function(e,t){var o=a();return void 0===o[e]&&(o[e]="function"==typeof t?t():t),o[e]},e.setValue=function(e,t){var o=a(),n=o.__callbacks__,r=o[e];if(t!==r){o[e]=t;var i={oldValue:r,value:t,key:e};for(var s in n)n.hasOwnProperty(s)&&n[s](i)}return t},e.addChangeListener=function(e){var t=e.__id__,o=s();t||(t=e.__id__=String(r++)),o[t]=e},e.removeChangeListener=function(e){delete s()[e.__id__]},e}();function a(){var e,t=(0,n.J)()||{};return t.__globalSettings__||(t.__globalSettings__=((e={}).__callbacks__={},e)),t.__globalSettings__}function s(){return a().__callbacks__}},8145:(e,t,o)=>{"use strict";o.d(t,{m:()=>n});var n={backspace:8,tab:9,enter:13,shift:16,ctrl:17,alt:18,pauseBreak:19,capslock:20,escape:27,space:32,pageUp:33,pageDown:34,end:35,home:36,left:37,up:38,right:39,down:40,insert:45,del:46,zero:48,one:49,two:50,three:51,four:52,five:53,six:54,seven:55,eight:56,nine:57,a:65,b:66,c:67,d:68,e:69,f:70,g:71,h:72,i:73,j:74,k:75,l:76,m:77,n:78,o:79,p:80,q:81,r:82,s:83,t:84,u:85,v:86,w:87,x:88,y:89,z:90,leftWindow:91,rightWindow:92,select:93,zero_numpad:96,one_numpad:97,two_numpad:98,three_numpad:99,four_numpad:100,five_numpad:101,six_numpad:102,seven_numpad:103,eight_numpad:104,nine_numpad:105,multiply:106,add:107,subtract:109,decimalPoint:110,divide:111,f1:112,f2:113,f3:114,f4:115,f5:116,f6:117,f7:118,f8:119,f9:120,f10:121,f11:122,f12:123,numlock:144,scrollLock:145,semicolon:186,equalSign:187,comma:188,dash:189,period:190,forwardSlash:191,graveAccent:192,openBracket:219,backSlash:220,closeBracket:221,singleQuote:222}},4884:(e,t,o)=>{"use strict";o.d(t,{A:()=>n});var n=function(){function e(e,t,o,n){void 0===e&&(e=0),void 0===t&&(t=0),void 0===o&&(o=0),void 0===n&&(n=0),this.top=o,this.bottom=n,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}()},9151:(e,t,o)=>{"use strict";function n(e){for(var t=[],o=1;on})},9577:(e,t,o)=>{"use strict";function n(){for(var e=[],t=0;tn})},2470:(e,t,o)=>{"use strict";function n(e,t,o){void 0===o&&(o=0);for(var n=-1,r=o;e&&rn,sE:()=>r,Ri:()=>i,QC:()=>a,$E:()=>s,wm:()=>l,OA:()=>c,xH:()=>u,cO:()=>d})},7300:(e,t,o)=>{"use strict";o.d(t,{y:()=>u});var n=o(729),r=o(2005),i=o(5951),a=o(9757),s=0,l=n.Y.getInstance();l&&l.onReset&&l.onReset((function(){return s++}));var c="__retval__";function u(e){void 0===e&&(e={});var t=new Map,o=0,n=0,l=s;return function(u,d){var m,h;if(void 0===d&&(d={}),e.useStaticStyles&&"function"==typeof u&&u.__noStyleOverride__)return u(d);n++;var g=t,f=d.theme,v=f&&void 0!==f.rtl?f.rtl:(0,i.zg)(),b=e.disableCaching;return l!==s&&(l=s,t=new Map,o=0),e.disableCaching||(g=p(t,u),g=p(g,d)),!b&&g[c]||(g[c]=void 0===u?{}:(0,r.I)(["function"==typeof u?u(d):u],{rtl:!!v,specificityMultiplier:e.useStaticStyles?5:void 0}),b||o++),o>(e.cacheSize||50)&&((null===(h=null===(m=(0,a.J)())||void 0===m?void 0:m.FabricConfig)||void 0===h?void 0:h.enableClassNameCacheFullWarning)&&(console.warn("Styles are being recalculated too frequently. Cache miss rate is "+o+"/"+n+"."),console.trace()),t.clear(),o=0,e.disableCaching=!0),g[c]}}function d(e,t){return t=function(e){switch(e){case void 0:return"__undefined__";case null:return"__null__";default:return e}}(t),e.has(t)||e.set(t,new Map),e.get(t)}function p(e,t){if("function"==typeof t)if(t.__cachedInputs__)for(var o=0,n=t.__cachedInputs__;o{"use strict";function n(e,t){return void 0!==e[t]&&null!==e[t]}o.d(t,{s:()=>n})},4932:(e,t,o)=>{"use strict";o.d(t,{S:()=>i});var n=o(2470),r=function(e){return function(t){for(var o=0,n=e.refs;o{"use strict";function n(){for(var e=[],t=0;tn})},1767:(e,t,o)=>{"use strict";o.d(t,{X:()=>l});var n=o(7622),r=o(5822),i={settings:{},scopedSettings:{},inCustomizerContext:!1},a=r.D.getValue("customizations",{settings:{},scopedSettings:{},inCustomizerContext:!1}),s=[],l=function(){function e(){}return e.reset=function(){a.settings={},a.scopedSettings={}},e.applySettings=function(t){a.settings=(0,n.pi)((0,n.pi)({},a.settings),t),e._raiseChange()},e.applyScopedSettings=function(t,o){a.scopedSettings[t]=(0,n.pi)((0,n.pi)({},a.scopedSettings[t]),o),e._raiseChange()},e.getSettings=function(e,t,o){void 0===o&&(o=i);for(var n={},r=t&&o.scopedSettings[t]||{},s=t&&a.scopedSettings[t]||{},l=0,c=e;l{"use strict";o.d(t,{N:()=>l});var n=o(7622),r=o(7002),i=o(1767),a=o(7576),s=o(8889),l=function(e){function t(){var t=null!==e&&e.apply(this,arguments)||this;return t._onCustomizationChange=function(){return t.forceUpdate()},t}return(0,n.ZT)(t,e),t.prototype.componentDidMount=function(){i.X.observe(this._onCustomizationChange)},t.prototype.componentWillUnmount=function(){i.X.unobserve(this._onCustomizationChange)},t.prototype.render=function(){var e=this,t=this.props.contextTransform;return r.createElement(a.i.Consumer,null,(function(o){var n=(0,s.u)(e.props,o);return t&&(n=t(n)),r.createElement(a.i.Provider,{value:n},e.props.children)}))},t}(r.Component)},7576:(e,t,o)=>{"use strict";o.d(t,{i:()=>n});var n=o(7002).createContext({customizations:{inCustomizerContext:!1,settings:{},scopedSettings:{}}})},6053:(e,t,o)=>{"use strict";o.d(t,{a:()=>c});var n=o(7622),r=o(7002),i=o(1767),a=o(1529),s=o(7576),l=o(3570);function c(e,t,o){return function(c){var u,d=((u=function(a){function u(e){var t=a.call(this,e)||this;return t._styleCache={},t._onSettingChanged=t._onSettingChanged.bind(t),t}return(0,n.ZT)(u,a),u.prototype.componentDidMount=function(){i.X.observe(this._onSettingChanged)},u.prototype.componentWillUnmount=function(){i.X.unobserve(this._onSettingChanged)},u.prototype.render=function(){var a=this;return r.createElement(s.i.Consumer,null,(function(s){var u=i.X.getSettings(t,e,s.customizations),d=a.props;if(u.styles&&"function"==typeof u.styles&&(u.styles=u.styles((0,n.pi)((0,n.pi)({},u),d))),o&&u.styles){if(a._styleCache.default!==u.styles||a._styleCache.component!==d.styles){var p=(0,l.m)(u.styles,d.styles);a._styleCache.default=u.styles,a._styleCache.component=d.styles,a._styleCache.merged=p}return r.createElement(c,(0,n.pi)({},u,d,{styles:a._styleCache.merged}))}return r.createElement(c,(0,n.pi)({},u,d))}))},u.prototype._onSettingChanged=function(){this.forceUpdate()},u}(r.Component)).displayName="Customized"+e,u);return(0,a.f)(c,d)}}},8889:(e,t,o)=>{"use strict";o.d(t,{u:()=>r});var n=o(3579);function r(e,t){var o=(t||{}).customizations,r=void 0===o?{settings:{},scopedSettings:{}}:o;return{customizations:{settings:(0,n.O)(r.settings,e.settings),scopedSettings:(0,n.J)(r.scopedSettings,e.scopedSettings),inCustomizerContext:!0}}}},3579:(e,t,o)=>{"use strict";o.d(t,{O:()=>r,J:()=>i});var n=o(7622);function r(e,t){return void 0===e&&(e={}),(a(t)?t:function(e){return function(t){return e?(0,n.pi)((0,n.pi)({},t),e):t}}(t))(e)}function i(e,t){return void 0===e&&(e={}),(a(t)?t:(void 0===(o=t)&&(o={}),function(e){var t=(0,n.pi)({},e);for(var r in o)o.hasOwnProperty(r)&&(t[r]=(0,n.pi)((0,n.pi)({},e[r]),o[r]));return t}))(e);var o}function a(e){return"function"==typeof e}},9296:(e,t,o)=>{"use strict";o.d(t,{D:()=>a});var n=o(7002),r=o(1767),i=o(7576);function a(e,t){var o,a=(o=n.useState(0)[1],function(){return o((function(e){return++e}))}),s=n.useContext(i.i).customizations,l=s.inCustomizerContext;return n.useEffect((function(){return l||r.X.observe(a),function(){l||r.X.unobserve(a)}}),[l]),r.X.getSettings(e,t,s)}},5446:(e,t,o)=>{"use strict";o.d(t,{M:()=>r});var n=o(6169);function r(e){if(!n.N&&"undefined"!=typeof document){var t=e;return t&&t.ownerDocument?t.ownerDocument:document}}},9757:(e,t,o)=>{"use strict";o.d(t,{J:()=>i});var n=o(6169),r=void 0;try{r=window}catch(e){}function i(e){if(!n.N&&void 0!==r){var t=e;return t&&t.ownerDocument&&t.ownerDocument.defaultView?t.ownerDocument.defaultView:r}}},9251:(e,t,o)=>{"use strict";function n(e,t,o,n){return e.addEventListener(t,o,n),function(){return e.removeEventListener(t,o,n)}}o.d(t,{on:()=>n})},3978:(e,t,o)=>{"use strict";function n(e){var t=function(e){var t;return"function"==typeof Event?t=new Event(e):(t=document.createEvent("Event")).initEvent(e,!0,!0),t}("MouseEvents");t.initEvent("click",!0,!0),e.dispatchEvent(t)}o.d(t,{x:()=>n})},6169:(e,t,o)=>{"use strict";o.d(t,{N:()=>n,T:()=>r});var n=!1;function r(e){n=e}},3774:(e,t,o)=>{"use strict";o.d(t,{c:()=>r});var n=o(9151);function r(e,t){for(var o in t)t.hasOwnProperty(o)&&(e[o]=(0,n.Z)(e,e[o],t[o]))}},4553:(e,t,o)=>{"use strict";o.d(t,{ft:()=>l,TE:()=>c,RK:()=>u,xY:()=>d,uo:()=>p,TD:()=>m,dc:()=>h,Jv:()=>g,MW:()=>f,jz:()=>v,gc:()=>b,WU:()=>y,mM:()=>_,um:()=>S,bF:()=>x,xu:()=>k});var n=o(5081),r=o(3345),i=o(6840),a=o(9757),s=o(5446);function l(e,t,o){return h(e,t,!0,!1,!1,o)}function c(e,t,o){return m(e,t,!0,!1,!0,o)}function u(e,t,o,n){return void 0===n&&(n=!0),h(e,t,n,!1,!1,o,!1,!0)}function d(e,t,o,n){return void 0===n&&(n=!0),m(e,t,n,!1,!0,o,!1,!0)}function p(e){var t=h(e,e,!0,!1,!1,!0);return!!t&&(S(t),!0)}function m(e,t,o,n,r,i,a,s){if(!t||!a&&t===e)return null;var l=g(t);if(r&&l&&(i||!v(t)&&!b(t))){var c=m(e,t.lastElementChild,!0,!0,!0,i,a,s);if(c){if(s&&f(c,!0)||!s)return c;var u=m(e,c.previousElementSibling,!0,!0,!0,i,a,s);if(u)return u;for(var d=c.parentElement;d&&d!==t;){var p=m(e,d.previousElementSibling,!0,!0,!0,i,a,s);if(p)return p;d=d.parentElement}}}return o&&l&&f(t,s)?t:m(e,t.previousElementSibling,!0,!0,!0,i,a,s)||(n?null:m(e,t.parentElement,!0,!1,!1,i,a,s))}function h(e,t,o,n,r,i,a,s){if(!t||t===e&&r&&!a)return null;var l=g(t);if(o&&l&&f(t,s))return t;if(!r&&l&&(i||!v(t)&&!b(t))){var c=h(e,t.firstElementChild,!0,!0,!1,i,a,s);if(c)return c}return t===e?null:h(e,t.nextElementSibling,!0,!0,!1,i,a,s)||(n?null:h(e,t.parentElement,!1,!1,!0,i,a,s))}function g(e){if(!e||!e.getAttribute)return!1;var t=e.getAttribute("data-is-visible");return null!=t?"true"===t:0!==e.offsetHeight||null!==e.offsetParent||!0===e.isVisible}function f(e,t){if(!e||e.disabled)return!1;var o=0,n=null;e&&e.getAttribute&&(n=e.getAttribute("tabIndex"))&&(o=parseInt(n,10));var r=e.getAttribute?e.getAttribute("data-is-focusable"):null,i=null!==n&&o>=0,a=!!e&&"false"!==r&&("A"===e.tagName||"BUTTON"===e.tagName||"INPUT"===e.tagName||"TEXTAREA"===e.tagName||"SELECT"===e.tagName||"true"===r||i);return t?-1!==o&&a:a}function v(e){return!!(e&&e.getAttribute&&e.getAttribute("data-focuszone-id"))}function b(e){return!(!e||!e.getAttribute||"true"!==e.getAttribute("data-is-sub-focuszone"))}function y(e){var t=(0,s.M)(e),o=t&&t.activeElement;return!(!o||!(0,r.t)(e,o))}function _(e,t){return"true"!==(0,n.j)(e,t)}var C=void 0;function S(e){if(e){if(C)return void(C=e);C=e;var t=(0,a.J)(e);t&&t.requestAnimationFrame((function(){C&&C.focus(),C=void 0}))}}function x(e,t){for(var o=e,n=0,r=t;n{"use strict";o.d(t,{z:()=>s,_:()=>l});var n=o(9757),r=o(729),i=(0,n.J)()||{};void 0===i.__currentId__&&(i.__currentId__=0);var a=!1;function s(e){if(!a){var t=r.Y.getInstance();t&&t.onReset&&t.onReset(l),a=!0}return(void 0===e?"id__":e)+i.__currentId__++}function l(e){void 0===e&&(e=0),i.__currentId__=e}},63:(e,t,o)=>{"use strict";o.d(t,{j:()=>r});var n=o(7622);function r(e,t){for(var o=(0,n.pi)({},t),r=0,i=Object.keys(e);r{"use strict";o.d(t,{W:()=>r,e:()=>i});var n=["setState","render","componentWillMount","UNSAFE_componentWillMount","componentDidMount","componentWillReceiveProps","UNSAFE_componentWillReceiveProps","shouldComponentUpdate","componentWillUpdate","getSnapshotBeforeUpdate","UNSAFE_componentWillUpdate","componentDidUpdate","componentWillUnmount"];function r(e,t,o){void 0===o&&(o=n);var r=[],i=function(n){"function"!=typeof t[n]||void 0!==e[n]||o&&-1!==o.indexOf(n)||(r.push(n),e[n]=function(){for(var e=[],o=0;o{"use strict";function n(e,t){for(var o in e)e.hasOwnProperty(o)&&(t[o]=e[o]);return t}o.d(t,{f:()=>n})},5036:(e,t,o)=>{"use strict";o.d(t,{f:()=>r});var n=o(9757),r=function(){var e,t,o=(0,n.J)();return!!(null===(t=null===(e=o)||void 0===e?void 0:e.navigator)||void 0===t?void 0:t.userAgent)&&o.navigator.userAgent.indexOf("rv:11.0")>-1}},688:(e,t,o)=>{"use strict";o.d(t,{l:()=>r});var n=o(3774);function r(e){(0,n.c)(e,{componentDidMount:i,componentDidUpdate:a,componentWillUnmount:s})}function i(){l(this.props.componentRef,this)}function a(e){e.componentRef!==this.props.componentRef&&(l(e.componentRef,null),l(this.props.componentRef,this))}function s(){l(this.props.componentRef,null)}function l(e,t){e&&("object"==typeof e?e.current=t:"function"==typeof e&&e(t))}},6104:(e,t,o)=>{"use strict";o.d(t,{Q:()=>l});var n=/[\(\[\{][^\)\]\}]*[\)\]\}]/g,r=/[\0-\u001F\!-/:-@\[-`\{-\u00BF\u0250-\u036F\uD800-\uFFFF]/g,i=/^\d+[\d\s]*(:?ext|x|)\s*\d+$/i,a=/\s+/g,s=/[\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]/;function l(e,t,o){return e?(e=function(e){return(e=(e=(e=e.replace(n,"")).replace(r,"")).replace(a," ")).trim()}(e),s.test(e)||!o&&i.test(e)?"":function(e,t){var o="",n=e.split(" ");return 2===n.length?(o+=n[0].charAt(0).toUpperCase(),o+=n[1].charAt(0).toUpperCase()):3===n.length?(o+=n[0].charAt(0).toUpperCase(),o+=n[2].charAt(0).toUpperCase()):0!==n.length&&(o+=n[0].charAt(0).toUpperCase()),t&&o.length>1?o.charAt(1)+o.charAt(0):o}(e,t)):""}},7414:(e,t,o)=>{"use strict";o.d(t,{L:()=>a,e:()=>s});var n,r=o(8145),i=((n={})[r.m.up]=1,n[r.m.down]=1,n[r.m.left]=1,n[r.m.right]=1,n[r.m.home]=1,n[r.m.end]=1,n[r.m.tab]=1,n[r.m.pageUp]=1,n[r.m.pageDown]=1,n);function a(e){return!!i[e]}function s(e){i[e]=1}},3856:(e,t,o)=>{"use strict";o.d(t,{G:()=>l,m:()=>c});var n,r=o(5446),i=o(9757),a=o(6982),s="language";function l(e){if(void 0===e&&(e="sessionStorage"),void 0===n){var t=(0,r.M)(),o="localStorage"===e?function(e){var t=null;try{var o=(0,i.J)();t=o?o.localStorage.getItem("language"):null}catch(e){}return t}():"sessionStorage"===e?a.r(s):void 0;o&&(n=o),void 0===n&&t&&(n=t.documentElement.getAttribute("lang")),void 0===n&&(n="en")}return n}function c(e,t){var o=(0,r.M)();o&&o.documentElement.setAttribute("lang",e);var l=!0===t?"none":t||"sessionStorage";"localStorage"===l?function(e,t){try{var o=(0,i.J)();o&&o.localStorage.setItem("language",t)}catch(e){}}(0,e):"sessionStorage"===l&&a.L(s,e),n=e}},8633:(e,t,o)=>{"use strict";function n(e,t){var o=e.left||e.x||0,n=e.top||e.y||0,r=t.left||t.x||0,i=t.top||t.y||0;return Math.sqrt(Math.pow(o-r,2)+Math.pow(n-i,2))}function r(e){var t,o=e.contentSize,n=e.boundsSize,r=e.mode,i=void 0===r?"contain":r,a=e.maxScale,s=void 0===a?1:a,l=o.width/o.height,c=n.width/n.height;t=("contain"===i?l>c:ln,nK:()=>r,oe:()=>i,F0:()=>a})},5094:(e,t,o)=>{"use strict";o.d(t,{rQ:()=>c,du:()=>u,HP:()=>d,NF:()=>p,Ct:()=>m});var n=o(729),r=!1,i=0,a={empty:!0},s={},l="undefined"==typeof WeakMap?null:WeakMap;function c(e){l=e}function u(){i++}function d(e,t,o){var n=p(o.value&&o.value.bind(null));return{configurable:!0,get:function(){return n}}}function p(e,t,o){if(void 0===t&&(t=100),void 0===o&&(o=!1),!l)return e;if(!r){var a=n.Y.getInstance();a&&a.onReset&&n.Y.getInstance().onReset(u),r=!0}var s,c=0,d=i;return function(){for(var n=[],r=0;r0&&c>t)&&(s=g(),c=0,d=i),a=s;for(var l=0;l{"use strict";function n(e){for(var t=[],o=1;o-1;e[n]=a?i:r(e[n]||{},i,o)}}return o.pop(),e}o.d(t,{T:()=>n})},8936:(e,t,o)=>{"use strict";o.d(t,{g:()=>n});var n=function(){return!!(window&&window.navigator&&window.navigator.userAgent)&&/iPad|iPhone|iPod/i.test(window.navigator.userAgent)}},6093:(e,t,o)=>{"use strict";o.d(t,{O:()=>r});var n=o(5446);function r(e){for(var t,o=[],r=(0,n.M)(e)||document;e!==r.body;){for(var i=0,a=e.parentElement.children;i{"use strict";function n(e,t){for(var o in e)if(e.hasOwnProperty(o)&&(!t.hasOwnProperty(o)||t[o]!==e[o]))return!1;for(var o in t)if(t.hasOwnProperty(o)&&!e.hasOwnProperty(o))return!1;return!0}function r(e){for(var t=[],o=1;on,f0:()=>r,lW:()=>i,vT:()=>a,VO:()=>s,CE:()=>l})},6479:(e,t,o)=>{"use strict";o.d(t,{V:()=>i});var n,r=o(9757);function i(e){if(void 0===n||e){var t=(0,r.J)(),o=t&&t.navigator.userAgent;n=!!o&&-1!==o.indexOf("Macintosh")}return!!n}},6670:(e,t,o)=>{"use strict";function n(e){return e.clientWidthn,cs:()=>r,zS:()=>i})},8127:(e,t,o)=>{"use strict";o.d(t,{WO:()=>r,Nf:()=>i,iY:()=>a,mp:()=>s,vF:()=>l,NI:()=>c,t$:()=>u,PT:()=>d,h2:()=>p,Yq:()=>m,Gg:()=>h,FI:()=>g,bL:()=>f,Qy:()=>v,$B:()=>b,PC:()=>y,fI:()=>_,IX:()=>C,YG:()=>S,qi:()=>x,NX:()=>k,SZ:()=>w,it:()=>I,X7:()=>D,n7:()=>T,pq:()=>E});var n=function(){for(var e=[],t=0;t=0||0===l.indexOf("data-")||0===l.indexOf("aria-"))||o&&-1!==(null===(n=o)||void 0===n?void 0:n.indexOf(l))||(i[l]=e[l])}return i}},8826:(e,t,o)=>{"use strict";o.d(t,{k:()=>i});var n=o(5094),r=(0,n.Ct)((function(e){return(0,n.Ct)((function(t){var o=(0,n.Ct)((function(e){return function(o){return t(o,e)}}));return function(n,r){return e(n,r?o(r):t)}}))}));function i(e,t){return r(e)(t)}},5951:(e,t,o)=>{"use strict";o.d(t,{zg:()=>c,ok:()=>u,dP:()=>d});var n,r=o(8145),i=o(5446),a=o(6982),s=o(6825),l="isRTL";function c(e){if(void 0===e&&(e={}),void 0!==e.rtl)return e.rtl;if(void 0===n){var t=(0,a.r)(l);null!==t&&u(n="1"===t);var o=(0,i.M)();void 0===n&&o&&(n="rtl"===(o.body&&o.body.getAttribute("dir")||o.documentElement.getAttribute("dir")),(0,s.ok)(n))}return!!n}function u(e,t){void 0===t&&(t=!1);var o=(0,i.M)();o&&o.documentElement.setAttribute("dir",e?"rtl":"ltr"),t&&(0,a.L)(l,e?"1":"0"),n=e,(0,s.ok)(n)}function d(e,t){return void 0===t&&(t={}),c(t)&&(e===r.m.left?e=r.m.right:e===r.m.right&&(e=r.m.left)),e}},2990:(e,t,o)=>{"use strict";o.d(t,{J:()=>r});var n=o(3774),r=function(e){var t;return function(o){t||(t=new Set,(0,n.c)(e,{componentWillUnmount:function(){t.forEach((function(e){return cancelAnimationFrame(e)}))}}));var r=requestAnimationFrame((function(){t.delete(r),o()}));t.add(r)}}},4948:(e,t,o)=>{"use strict";o.d(t,{c6:()=>c,C7:()=>u,eC:()=>d,Qp:()=>m,tG:()=>h,np:()=>g,zj:()=>f});var n,r=o(5446),i=o(9444),a=o(9757),s=0,l=(0,i.y)({overflow:"hidden !important"}),c="data-is-scrollable",u=function(e,t){if(e){var o=0,n=null;t.on(e,"touchstart",(function(e){1===e.targetTouches.length&&(o=e.targetTouches[0].clientY)}),{passive:!1}),t.on(e,"touchmove",(function(e){if(1===e.targetTouches.length&&(e.stopPropagation(),n)){var t=e.targetTouches[0].clientY-o,r=f(e.target);r&&(n=r),0===n.scrollTop&&t>0&&e.preventDefault(),n.scrollHeight-Math.ceil(n.scrollTop)<=n.clientHeight&&t<0&&e.preventDefault()}}),{passive:!1}),n=e}},d=function(e,t){e&&t.on(e,"touchmove",(function(e){e.stopPropagation()}),{passive:!1})},p=function(e){e.preventDefault()};function m(){var e=(0,r.M)();e&&e.body&&!s&&(e.body.classList.add(l),e.body.addEventListener("touchmove",p,{passive:!1,capture:!1})),s++}function h(){if(s>0){var e=(0,r.M)();e&&e.body&&1===s&&(e.body.classList.remove(l),e.body.removeEventListener("touchmove",p)),s--}}function g(){if(void 0===n){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),n=e.offsetWidth-e.clientWidth,document.body.removeChild(e)}return n}function f(e){for(var t=e,o=(0,r.M)(e);t&&t!==o.body;){if("true"===t.getAttribute(c))return t;t=t.parentElement}for(t=e;t&&t!==o.body;){if("false"!==t.getAttribute(c)){var n=getComputedStyle(t),i=n?n.getPropertyValue("overflow-y"):"";if(i&&("scroll"===i||"auto"===i))return t}t=t.parentElement}return t&&t!==o.body||(t=(0,a.J)(e)),t}},3297:(e,t,o)=>{"use strict";o.d(t,{Y:()=>i});var n=o(5238),r=o(9919),i=function(){function e(){for(var e=[],t=0;t0&&this._isAllSelected&&0===this._exemptedCount||!this._isAllSelected&&this._exemptedCount===e&&e>0},e.prototype.isKeySelected=function(e){var t=this._keyToIndexMap[e];return this.isIndexSelected(t)},e.prototype.isIndexSelected=function(e){return!!(this.count>0&&this._isAllSelected&&!this._exemptedIndices[e]&&!this._unselectableIndices[e]||!this._isAllSelected&&this._exemptedIndices[e])},e.prototype.setAllSelected=function(e){if(!e||this.mode===n.oW.multiple){var t=this._items?this._items.length-this._unselectableCount:0;this.setChangeEvents(!1),t>0&&(this._exemptedCount>0||e!==this._isAllSelected)&&(this._exemptedIndices={},(e!==this._isAllSelected||this._exemptedCount>0)&&(this._exemptedCount=0,this._isAllSelected=e,this._change()),this._updateCount()),this.setChangeEvents(!0)}},e.prototype.setKeySelected=function(e,t,o){var n=this._keyToIndexMap[e];n>=0&&this.setIndexSelected(n,t,o)},e.prototype.setIndexSelected=function(e,t,o){if(this.mode!==n.oW.none&&!((e=Math.min(Math.max(0,e),this._items.length-1))<0||e>=this._items.length)){this.setChangeEvents(!1);var r=this._exemptedIndices[e];!this._unselectableIndices[e]&&(t&&this.mode===n.oW.single&&this._setAllSelected(!1,!0),r&&(t&&this._isAllSelected||!t&&!this._isAllSelected)&&(delete this._exemptedIndices[e],this._exemptedCount--),!r&&(t&&!this._isAllSelected||!t&&this._isAllSelected)&&(this._exemptedIndices[e]=!0,this._exemptedCount++),o&&(this._anchoredIndex=e)),this._updateCount(),this.setChangeEvents(!0)}},e.prototype.selectToKey=function(e,t){this.selectToIndex(this._keyToIndexMap[e],t)},e.prototype.selectToIndex=function(e,t){if(this.mode!==n.oW.none)if(this.mode!==n.oW.single){var o=this._anchoredIndex||0,r=Math.min(e,o),i=Math.max(e,o);for(this.setChangeEvents(!1),t&&this._setAllSelected(!1,!0);r<=i;r++)this.setIndexSelected(r,!0,!1);this.setChangeEvents(!0)}else this.setIndexSelected(e,!0,!0)},e.prototype.toggleAllSelected=function(){this.setAllSelected(!this.isAllSelected())},e.prototype.toggleKeySelected=function(e){this.setKeySelected(e,!this.isKeySelected(e),!0)},e.prototype.toggleIndexSelected=function(e){this.setIndexSelected(e,!this.isIndexSelected(e),!0)},e.prototype.toggleRangeSelected=function(e,t){if(this.mode!==n.oW.none){var o=this.isRangeSelected(e,t),r=e+t;if(!(this.mode===n.oW.single&&t>1)){this.setChangeEvents(!1);for(var i=e;i0&&(this._exemptedCount>0||e!==this._isAllSelected)&&(this._exemptedIndices={},(e!==this._isAllSelected||this._exemptedCount>0)&&(this._exemptedCount=0,this._isAllSelected=e,this._change()),this._updateCount(t)),this.setChangeEvents(!0)}},e.prototype._change=function(){0===this._changeEventSuppressionCount?(this._selectedItems=null,this._selectedIndices=void 0,r.r.raise(this,n.F5),this._onSelectionChanged&&this._onSelectionChanged()):this._hasChanged=!0},e}();function a(e,t){var o=(e||{}).key;return void 0===o?""+t:o}},5238:(e,t,o)=>{"use strict";o.d(t,{F5:()=>i,oW:()=>n,a$:()=>r});var n,r,i="change";!function(e){e[e.none=0]="none",e[e.single=1]="single",e[e.multiple=2]="multiple"}(n||(n={})),function(e){e[e.horizontal=0]="horizontal",e[e.vertical=1]="vertical"}(r||(r={}))},6982:(e,t,o)=>{"use strict";o.d(t,{r:()=>r,L:()=>i});var n=o(9757);function r(e){var t=null;try{var o=(0,n.J)();t=o?o.sessionStorage.getItem(e):null}catch(e){}return t}function i(e,t){var o;try{null===(o=(0,n.J)())||void 0===o||o.sessionStorage.setItem(e,t)}catch(e){}}},6145:(e,t,o)=>{"use strict";o.d(t,{G$:()=>r,MU:()=>a});var n=o(9757),r="ms-Fabric--isFocusVisible",i="ms-Fabric--isFocusHidden";function a(e,t){var o=t?(0,n.J)(t):(0,n.J)();if(o){var a=o.document.body.classList;a.add(e?r:i),a.remove(e?i:r)}}},6953:(e,t,o)=>{"use strict";o.d(t,{W:()=>i});var n=/[\{\}]/g,r=/\{\d+\}/g;function i(e){for(var t=[],o=1;o{"use strict";o.d(t,{z:()=>l});var n=o(7622),r=o(7002),i=o(965),a=o(9296),s=["theme","styles"];function l(e,t,o,l,c){var u=(l=l||{scope:"",fields:void 0}).scope,d=l.fields,p=void 0===d?s:d,m=r.forwardRef((function(s,l){var c=r.useRef(),d=(0,a.D)(p,u),m=d.styles,h=(d.dir,(0,n._T)(d,["styles","dir"])),g=o?o(s):void 0,f=c.current&&c.current.__cachedInputs__||[];if(!c.current||m!==f[1]||s.styles!==f[2]){var v=function(e){return(0,i.l)(e,t,m,s.styles)};v.__cachedInputs__=[t,m,s.styles],v.__noStyleOverride__=!m&&!s.styles,c.current=v}return r.createElement(e,(0,n.pi)({ref:l},h,g,s,{styles:c.current}))}));m.displayName="Styled"+(e.displayName||e.name);var h=c?r.memo(m):m;return m.displayName&&(h.displayName=m.displayName),h}},5480:(e,t,o)=>{"use strict";o.d(t,{P:()=>c,u:()=>u});var n=o(7002),r=o(9757),i=o(7414),a=o(6145),s=new WeakMap;function l(e,t){var o,n=s.get(e);return o=n?n+t:1,s.set(e,o),o}function c(e){n.useEffect((function(){var t,o,n=(0,r.J)(null===(t=e)||void 0===t?void 0:t.current);if(n&&!0!==(null===(o=n.FabricConfig)||void 0===o?void 0:o.disableFocusRects)){var i=l(n,1);return i<=1&&(n.addEventListener("mousedown",d,!0),n.addEventListener("pointerdown",p,!0),n.addEventListener("keydown",m,!0)),function(){var e;n&&!0!==(null===(e=n.FabricConfig)||void 0===e?void 0:e.disableFocusRects)&&0===(i=l(n,-1))&&(n.removeEventListener("mousedown",d,!0),n.removeEventListener("pointerdown",p,!0),n.removeEventListener("keydown",m,!0))}}}),[e])}var u=function(e){return c(e.rootRef),null};function d(e){(0,a.MU)(!1,e.target)}function p(e){"mouse"!==e.pointerType&&(0,a.MU)(!1,e.target)}function m(e){(0,i.L)(e.which)&&(0,a.MU)(!0,e.target)}},687:(e,t,o)=>{"use strict";function n(e){console&&console.warn&&console.warn(e)}function r(e){}o.d(t,{Z:()=>n,U:()=>r})},5415:(e,t,o)=>{"use strict";function n(e,t,o,n,r){}o.d(t,{w:()=>n}),o(687)},5301:(e,t,o)=>{"use strict";function n(){}function r(e){}o.d(t,{G:()=>n,Q:()=>r})},3129:(e,t,o)=>{"use strict";function n(e,t,o){}o.d(t,{b:()=>n})},209:(e,t,o)=>{"use strict";function n(e,t,o){}o.d(t,{L:()=>n})},4976:(e,t,o)=>{"use strict";o.d(t,{RM:()=>d,jz:()=>m});var n,r=function(){return(r=Object.assign||function(e){for(var t,o=1,n=arguments.length;oo&&t.push({rawString:e.substring(o,r)}),t.push({theme:n[1],defaultValue:n[2]}),o=l.lastIndex}t.push({rawString:e.substring(o)})}return t}(e),n=s.runState,r=n.mode,i=n.buffer,a=n.flushTimer;t||1===r?(i.push(o),a||(s.runState.flushTimer=setTimeout((function(){s.runState.flushTimer=0,u((function(){var e=s.runState.buffer.slice();s.runState.buffer=[];var t=[].concat.apply([],e);t.length>0&&p(t)}))}),0))):p(o)}))}function p(e,t){s.loadStyles?s.loadStyles(g(e).styleString,e):function(e){if("undefined"!=typeof document){var t=document.getElementsByTagName("head")[0],o=document.createElement("style"),n=g(e),r=n.styleString,i=n.themable;o.setAttribute("data-load-themed-styles","true"),a&&o.setAttribute("nonce",a),o.appendChild(document.createTextNode(r)),s.perf.count++,t.appendChild(o);var l=document.createEvent("HTMLEvents");l.initEvent("styleinsert",!0,!1),l.args={newStyle:o},document.dispatchEvent(l);var c={styleElement:o,themableStyle:e};i?s.registeredThemableStyles.push(c):s.registeredStyles.push(c)}}(e)}function m(e){s.theme=e,function(){if(s.theme){for(var e=[],t=0,o=s.registeredThemableStyles;t0&&(void 0===(r=1)&&(r=3),3!==r&&2!==r||(h(s.registeredStyles),s.registeredStyles=[]),3!==r&&1!==r||(h(s.registeredThemableStyles),s.registeredThemableStyles=[]),p([].concat.apply([],e)))}var r}()}function h(e){e.forEach((function(e){var t=e&&e.styleElement;t&&t.parentElement&&t.parentElement.removeChild(t)}))}function g(e){var t=s.theme,o=!1;return{styleString:(e||[]).map((function(e){var n=e.theme;if(n){o=!0;var r=t?t[n]:void 0,i=e.defaultValue||"inherit";return t&&!r&&console&&!(n in t)&&"undefined"!=typeof DEBUG&&DEBUG&&console.warn('Theming value not provided for "'+n+'". Falling back to "'+i+'".'),r||i}return e.rawString})).join(""),themable:o}}},7622:(e,t,o)=>{"use strict";o.d(t,{ZT:()=>r,pi:()=>i,_T:()=>a,gn:()=>s,pr:()=>l});var n=function(e,t){return(n=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var o in t)t.hasOwnProperty(o)&&(e[o]=t[o])})(e,t)};function r(e,t){function o(){this.constructor=e}n(e,t),e.prototype=null===t?Object.create(t):(o.prototype=t.prototype,new o)}var i=function(){return(i=Object.assign||function(e){for(var t,o=1,n=arguments.length;o=0;s--)(r=e[s])&&(a=(i<3?r(a):i>3?r(t,o,a):r(t,o))||a);return i>3&&a&&Object.defineProperty(t,o,a),a}function l(){for(var e=0,t=0,o=arguments.length;t{"use strict";o.r(t),o.d(t,{ActionButton:()=>T,Calendar:()=>F,Checkbox:()=>L,ChoiceGroup:()=>A,ColorPicker:()=>z,ComboBox:()=>H,CommandBarButton:()=>E,CommandButton:()=>P,CompoundButton:()=>M,DatePicker:()=>O,DefaultButton:()=>R,Dropdown:()=>W,IconButton:()=>N,NormalPeoplePicker:()=>V,PrimaryButton:()=>B,Rating:()=>K,SearchBox:()=>q,Slider:()=>G,SpinButton:()=>U,SwatchColorPicker:()=>j,TextField:()=>J,Toggle:()=>Y});var n=o(2898),r=o(1420),i=o(990),a=o(8959),s=o(9632),l=o(5758),c=o(8924),u=o(4977),d=o(2777),p=o(9240),m=o(6847),h=o(610),g=o(127),f=o(4004),v=o(9318),b=o(558),y=o(6419),_=o(4107),C=o(3134),S=o(9502),x=o(8623),k=o(1431);const w=jsmodule["@/shiny.react"];function I(e,t){(null==t||t>e.length)&&(t=e.length);for(var o=0,n=new Array(t);o{function n(e,t){var o=Object.keys(e);if(Object.getOwnPropertySymbols){var n=Object.getOwnPropertySymbols(e);t&&(n=n.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),o.push.apply(o,n)}return o}function r(e){for(var t=1;t{"use strict";e.exports=jsmodule.react}},t={};function o(n){if(t[n])return t[n].exports;var r=t[n]={exports:{}};return e[n](r,r.exports,o),r.exports}o.n=e=>{var t=e&&e.__esModule?()=>e.default:()=>e;return o.d(t,{a:t}),t},o.d=(e,t)=>{for(var n in t)o.o(t,n)&&!o.o(e,n)&&Object.defineProperty(e,n,{enumerable:!0,get:t[n]})},o.g=function(){if("object"==typeof globalThis)return globalThis;try{return this||new Function("return this")()}catch(e){if("object"==typeof window)return window}}(),o.o=(e,t)=>Object.prototype.hasOwnProperty.call(e,t),o.r=e=>{"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(e,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(e,"__esModule",{value:!0})},(()=>{"use strict";o(4686),(0,o(2481).l)()})()})(); \ No newline at end of file +(()=>{var e={6786:(e,t,o)=>{"use strict";o.d(t,{mR:()=>r,tf:()=>i});var n=o(7622),r={formatDay:function(e){return e.getDate().toString()},formatMonth:function(e,t){return t.months[e.getMonth()]},formatYear:function(e){return e.getFullYear().toString()},formatMonthDayYear:function(e,t){return t.months[e.getMonth()]+" "+e.getDate()+", "+e.getFullYear()},formatMonthYear:function(e,t){return t.months[e.getMonth()]+" "+e.getFullYear()}},i=(0,n.pi)((0,n.pi)({},{months:["January","February","March","April","May","June","July","August","September","October","November","December"],shortMonths:["Jan","Feb","Mar","Apr","May","Jun","Jul","Aug","Sep","Oct","Nov","Dec"],days:["Sunday","Monday","Tuesday","Wednesday","Thursday","Friday","Saturday"],shortDays:["S","M","T","W","T","F","S"]}),{goToToday:"Go to today",weekNumberFormatString:"Week number {0}",prevMonthAriaLabel:"Previous month",nextMonthAriaLabel:"Next month",prevYearAriaLabel:"Previous year",nextYearAriaLabel:"Next year",prevYearRangeAriaLabel:"Previous year range",nextYearRangeAriaLabel:"Next year range",closeButtonAriaLabel:"Close",selectedDateFormatString:"Selected date {0}",todayDateFormatString:"Today's date {0}",monthPickerHeaderAriaLabel:"{0}, change year",yearPickerHeaderAriaLabel:"{0}, change month",dayMarkedAriaLabel:"marked"})},6974:(e,t,o)=>{"use strict";o.d(t,{E4:()=>i,jh:()=>a,zI:()=>s,Bc:()=>l,pU:()=>c,D7:()=>u,W8:()=>d,Q9:()=>p,q0:()=>m,aN:()=>h,NJ:()=>g,e0:()=>f,le:()=>v,iU:()=>b,uW:()=>y,wu:()=>_,Hx:()=>C,c8:()=>x});var n=o(1093),r=o(7433);function i(e,t){var o=new Date(e.getTime());return o.setDate(o.getDate()+t),o}function a(e,t){return i(e,t*r.r.DaysInOneWeek)}function s(e,t){var o=new Date(e.getTime()),n=o.getMonth()+t;return o.setMonth(n),o.getMonth()!==(n%r.r.MonthInOneYear+r.r.MonthInOneYear)%r.r.MonthInOneYear&&(o=i(o,-o.getDate())),o}function l(e,t){var o=new Date(e.getTime());return o.setFullYear(e.getFullYear()+t),o.getMonth()!==(e.getMonth()%r.r.MonthInOneYear+r.r.MonthInOneYear)%r.r.MonthInOneYear&&(o=i(o,-o.getDate())),o}function c(e){return new Date(e.getFullYear(),e.getMonth(),1,0,0,0,0)}function u(e){return new Date(e.getFullYear(),e.getMonth()+1,0,0,0,0,0)}function d(e){return new Date(e.getFullYear(),0,1,0,0,0,0)}function p(e){return new Date(e.getFullYear()+1,0,0,0,0,0,0)}function m(e,t){return s(e,t-e.getMonth())}function h(e,t){return!e&&!t||!(!e||!t)&&e.getFullYear()===t.getFullYear()&&e.getMonth()===t.getMonth()&&e.getDate()===t.getDate()}function g(e,t){return x(e)-x(t)}function f(e,t,o,a,l){void 0===l&&(l=1);var c,u=[],d=null;switch(a||(a=[n.eO.Monday,n.eO.Tuesday,n.eO.Wednesday,n.eO.Thursday,n.eO.Friday]),l=Math.max(l,1),t){case n.NU.Day:d=i(c=S(e),l);break;case n.NU.Week:case n.NU.WorkWeek:d=i(c=_(S(e),o),r.r.DaysInOneWeek);break;case n.NU.Month:d=s(c=new Date(e.getFullYear(),e.getMonth(),1),1);break;default:throw new Error("Unexpected object: "+t)}var p=c;do{(t!==n.NU.WorkWeek||-1!==a.indexOf(p.getDay()))&&u.push(p),p=i(p,1)}while(!h(p,d));return u}function v(e,t){for(var o=0,n=t;o0&&(o-=r.r.DaysInOneWeek),i(e,o)}function C(e,t){var o=(t-1>=0?t-1:r.r.DaysInOneWeek-1)-e.getDay();return o<0&&(o+=r.r.DaysInOneWeek),i(e,o)}function S(e){return new Date(e.getFullYear(),e.getMonth(),e.getDate())}function x(e){return e.getDate()+(e.getMonth()<<5)+(e.getFullYear()<<9)}function k(e,t,o){var i=w(e)-1,a=e.getDay()-i%r.r.DaysInOneWeek,s=w(new Date(e.getFullYear()-1,n.m2.December,31))-1,l=(t-a+2*r.r.DaysInOneWeek)%r.r.DaysInOneWeek;0!==l&&l>=o&&(l-=r.r.DaysInOneWeek);var c=i-l;return c<0&&(0!=(l=(t-(a-=s%r.r.DaysInOneWeek)+2*r.r.DaysInOneWeek)%r.r.DaysInOneWeek)&&l+1>=o&&(l-=r.r.DaysInOneWeek),c=s-l),Math.floor(c/r.r.DaysInOneWeek+1)}function w(e){for(var t=e.getMonth(),o=e.getFullYear(),n=0,r=0;r{"use strict";var n,r,i,a;o.d(t,{eO:()=>n,m2:()=>r,On:()=>i,NU:()=>a,NA:()=>s}),function(e){e[e.Sunday=0]="Sunday",e[e.Monday=1]="Monday",e[e.Tuesday=2]="Tuesday",e[e.Wednesday=3]="Wednesday",e[e.Thursday=4]="Thursday",e[e.Friday=5]="Friday",e[e.Saturday=6]="Saturday"}(n||(n={})),function(e){e[e.January=0]="January",e[e.February=1]="February",e[e.March=2]="March",e[e.April=3]="April",e[e.May=4]="May",e[e.June=5]="June",e[e.July=6]="July",e[e.August=7]="August",e[e.September=8]="September",e[e.October=9]="October",e[e.November=10]="November",e[e.December=11]="December"}(r||(r={})),function(e){e[e.FirstDay=0]="FirstDay",e[e.FirstFullWeek=1]="FirstFullWeek",e[e.FirstFourDayWeek=2]="FirstFourDayWeek"}(i||(i={})),function(e){e[e.Day=0]="Day",e[e.Week=1]="Week",e[e.Month=2]="Month",e[e.WorkWeek=3]="WorkWeek"}(a||(a={}));var s=7},7433:(e,t,o)=>{"use strict";o.d(t,{r:()=>n});var n={MillisecondsInOneDay:864e5,MillisecondsIn1Sec:1e3,MillisecondsIn1Min:6e4,MillisecondsIn30Mins:18e5,MillisecondsIn1Hour:36e5,MinutesInOneDay:1440,MinutesInOneHour:60,DaysInOneWeek:7,MonthInOneYear:12}},3345:(e,t,o)=>{"use strict";o.d(t,{t:()=>r});var n=o(6840);function r(e,t,o){void 0===o&&(o=!0);var r=!1;if(e&&t)if(o)if(e===t)r=!0;else for(r=!1;t;){var i=(0,n.G)(t);if(i===e){r=!0;break}t=i}else e.contains&&(r=e.contains(t));return r}},5081:(e,t,o)=>{"use strict";o.d(t,{j:()=>r});var n=o(8023);function r(e,t){var o=(0,n.X)(e,(function(e){return e.hasAttribute(t)}));return o&&o.getAttribute(t)}},8023:(e,t,o)=>{"use strict";o.d(t,{X:()=>r});var n=o(6840);function r(e,t){return e&&e!==document.body?t(e)?e:r((0,n.G)(e),t):null}},6840:(e,t,o)=>{"use strict";o.d(t,{G:()=>r});var n=o(9157);function r(e,t){return void 0===t&&(t=!0),e&&(t&&(0,n.r)(e)||e.parentNode&&e.parentNode)}},9157:(e,t,o)=>{"use strict";o.d(t,{r:()=>r});var n=o(7876);function r(e){var t;return e&&(0,n.r)(e)&&(t=e._virtual.parent),t}},7876:(e,t,o)=>{"use strict";function n(e){return e&&!!e._virtual}o.d(t,{r:()=>n})},7466:(e,t,o)=>{"use strict";o.d(t,{w:()=>i});var n=o(8023),r=o(8308);function i(e,t){var o=(0,n.X)(e,(function(e){return t===e||e.hasAttribute(r.Y)}));return null!==o&&o.hasAttribute(r.Y)}},8308:(e,t,o)=>{"use strict";o.d(t,{Y:()=>n,U:()=>r});var n="data-portal-element";function r(e){e.setAttribute(n,"true")}},7829:(e,t,o)=>{"use strict";function n(e,t){var o=e,n=t;o._virtual||(o._virtual={children:[]});var r=o._virtual.parent;if(r&&r!==t){var i=r._virtual.children.indexOf(o);i>-1&&r._virtual.children.splice(i,1)}o._virtual.parent=n||void 0,n&&(n._virtual||(n._virtual={children:[]}),n._virtual.children.push(o))}o.d(t,{N:()=>n})},2481:(e,t,o)=>{"use strict";o.d(t,{l:()=>x});var n=o(9729);function r(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons"',src:"url('"+e+"fabric-icons-a13498cf.woff') format('woff')"},icons:{GlobalNavButton:"",ChevronDown:"",ChevronUp:"",Edit:"",Add:"",Cancel:"",More:"",Settings:"",Mail:"",Filter:"",Search:"",Share:"",BlockedSite:"",FavoriteStar:"",FavoriteStarFill:"",CheckMark:"",Delete:"",ChevronLeft:"",ChevronRight:"",Calendar:"",Megaphone:"",Undo:"",Flag:"",Page:"",Pinned:"",View:"",Clear:"",Download:"",Upload:"",Folder:"",Sort:"",AlignRight:"",AlignLeft:"",Tag:"",AddFriend:"",Info:"",SortLines:"",List:"",CircleRing:"",Heart:"",HeartFill:"",Tiles:"",Embed:"",Glimmer:"",Ascending:"",Descending:"",SortUp:"",SortDown:"",SyncToPC:"",LargeGrid:"",SkypeCheck:"",SkypeClock:"",SkypeMinus:"",ClearFilter:"",Flow:"",StatusCircleCheckmark:"",MoreVertical:""}};(0,n.fm)(o,t)}function i(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-0"',src:"url('"+e+"fabric-icons-0-467ee27f.woff') format('woff')"},icons:{PageLink:"",CommentSolid:"",ChangeEntitlements:"",Installation:"",WebAppBuilderModule:"",WebAppBuilderFragment:"",WebAppBuilderSlot:"",BullseyeTargetEdit:"",WebAppBuilderFragmentCreate:"",PageData:"",PageHeaderEdit:"",ProductList:"",UnpublishContent:"",DependencyAdd:"",DependencyRemove:"",EntitlementPolicy:"",EntitlementRedemption:"",SchoolDataSyncLogo:"",PinSolid12:"",PinSolidOff12:"",AddLink:"",SharepointAppIcon16:"",DataflowsLink:"",TimePicker:"",UserWarning:"",ComplianceAudit:"",InternetSharing:"",Brightness:"",MapPin:"",Airplane:"",Tablet:"",QuickNote:"",Video:"",People:"",Phone:"",Pin:"",Shop:"",Stop:"",Link:"",AllApps:"",Zoom:"",ZoomOut:"",Microphone:"",Camera:"",Attach:"",Send:"",FavoriteList:"",PageSolid:"",Forward:"",Back:"",Refresh:"",Lock:"",ReportHacked:"",EMI:"",MiniLink:"",Blocked:"",ReadingMode:"",Favicon:"",Remove:"",Checkbox:"",CheckboxComposite:"",CheckboxFill:"",CheckboxIndeterminate:"",CheckboxCompositeReversed:"",BackToWindow:"",FullScreen:"",Print:"",Up:"",Down:"",OEM:"",Save:"",ReturnKey:"",Cloud:"",Flashlight:"",CommandPrompt:"",Sad:"",RealEstate:"",SIPMove:"",EraseTool:"",GripperTool:"",Dialpad:"",PageLeft:"",PageRight:"",MultiSelect:"",KeyboardClassic:"",Play:"",Pause:"",InkingTool:"",Emoji2:"",GripperBarHorizontal:"",System:"",Personalize:"",SearchAndApps:"",Globe:"",EaseOfAccess:"",ContactInfo:"",Unpin:"",Contact:"",Memo:"",IncomingCall:""}};(0,n.fm)(o,t)}function a(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-1"',src:"url('"+e+"fabric-icons-1-4d521695.woff') format('woff')"},icons:{Paste:"",WindowsLogo:"",Error:"",GripperBarVertical:"",Unlock:"",Slideshow:"",Trim:"",AutoEnhanceOn:"",AutoEnhanceOff:"",Color:"",SaveAs:"",Light:"",Filters:"",AspectRatio:"",Contrast:"",Redo:"",Crop:"",PhotoCollection:"",Album:"",Rotate:"",PanoIndicator:"",Translate:"",RedEye:"",ViewOriginal:"",ThumbnailView:"",Package:"",Telemarketer:"",Warning:"",Financial:"",Education:"",ShoppingCart:"",Train:"",Move:"",TouchPointer:"",Merge:"",TurnRight:"",Ferry:"",Highlight:"",PowerButton:"",Tab:"",Admin:"",TVMonitor:"",Speakers:"",Game:"",HorizontalTabKey:"",UnstackSelected:"",StackIndicator:"",Nav2DMapView:"",StreetsideSplitMinimize:"",Car:"",Bus:"",EatDrink:"",SeeDo:"",LocationCircle:"",Home:"",SwitcherStartEnd:"",ParkingLocation:"",IncidentTriangle:"",Touch:"",MapDirections:"",CaretHollow:"",CaretSolid:"",History:"",Location:"",MapLayers:"",SearchNearby:"",Work:"",Recent:"",Hotel:"",Bank:"",LocationDot:"",Dictionary:"",ChromeBack:"",FolderOpen:"",PinnedFill:"",RevToggleKey:"",USB:"",Previous:"",Next:"",Sync:"",Help:"",Emoji:"",MailForward:"",ClosePane:"",OpenPane:"",PreviewLink:"",ZoomIn:"",Bookmarks:"",Document:"",ProtectedDocument:"",OpenInNewWindow:"",MailFill:"",ViewAll:"",Switch:"",Rename:"",Go:"",Remote:"",SelectAll:"",Orientation:"",Import:""}};(0,n.fm)(o,t)}function s(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-2"',src:"url('"+e+"fabric-icons-2-63c99abf.woff') format('woff')"},icons:{Picture:"",ChromeClose:"",ShowResults:"",Message:"",CalendarDay:"",CalendarWeek:"",MailReplyAll:"",Read:"",Cut:"",PaymentCard:"",Copy:"",Important:"",MailReply:"",GotoToday:"",Font:"",FontColor:"",FolderFill:"",Permissions:"",DisableUpdates:"",Unfavorite:"",Italic:"",Underline:"",Bold:"",MoveToFolder:"",Dislike:"",Like:"",AlignCenter:"",OpenFile:"",ClearSelection:"",FontDecrease:"",FontIncrease:"",FontSize:"",CellPhone:"",RepeatOne:"",RepeatAll:"",Calculator:"",Library:"",PostUpdate:"",NewFolder:"",CalendarReply:"",UnsyncFolder:"",SyncFolder:"",BlockContact:"",Accept:"",BulletedList:"",Preview:"",News:"",Chat:"",Group:"",World:"",Comment:"",DockLeft:"",DockRight:"",Repair:"",Accounts:"",Street:"",RadioBullet:"",Stopwatch:"",Clock:"",WorldClock:"",AlarmClock:"",Photo:"",ActionCenter:"",Hospital:"",Timer:"",FullCircleMask:"",LocationFill:"",ChromeMinimize:"",ChromeRestore:"",Annotation:"",Fingerprint:"",Handwriting:"",ChromeFullScreen:"",Completed:"",Label:"",FlickDown:"",FlickUp:"",FlickLeft:"",FlickRight:"",MiniExpand:"",MiniContract:"",Streaming:"",MusicInCollection:"",OneDriveLogo:"",CompassNW:"",Code:"",LightningBolt:"",CalculatorMultiply:"",CalculatorAddition:"",CalculatorSubtract:"",CalculatorPercentage:"",CalculatorEqualTo:"",PrintfaxPrinterFile:"",StorageOptical:"",Communications:"",Headset:"",Health:"",Webcam2:"",FrontCamera:"",ChevronUpSmall:""}};(0,n.fm)(o,t)}function l(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-3"',src:"url('"+e+"fabric-icons-3-089e217a.woff') format('woff')"},icons:{ChevronDownSmall:"",ChevronLeftSmall:"",ChevronRightSmall:"",ChevronUpMed:"",ChevronDownMed:"",ChevronLeftMed:"",ChevronRightMed:"",Devices2:"",PC1:"",PresenceChickletVideo:"",Reply:"",HalfAlpha:"",ConstructionCone:"",DoubleChevronLeftMed:"",Volume0:"",Volume1:"",Volume2:"",Volume3:"",Chart:"",Robot:"",Manufacturing:"",LockSolid:"",FitPage:"",FitWidth:"",BidiLtr:"",BidiRtl:"",RightDoubleQuote:"",Sunny:"",CloudWeather:"",Cloudy:"",PartlyCloudyDay:"",PartlyCloudyNight:"",ClearNight:"",RainShowersDay:"",Rain:"",Thunderstorms:"",RainSnow:"",Snow:"",BlowingSnow:"",Frigid:"",Fog:"",Squalls:"",Duststorm:"",Unknown:"",Precipitation:"",Ribbon:"",AreaChart:"",Assign:"",FlowChart:"",CheckList:"",Diagnostic:"",Generate:"",LineChart:"",Equalizer:"",BarChartHorizontal:"",BarChartVertical:"",Freezing:"",FunnelChart:"",Processing:"",Quantity:"",ReportDocument:"",StackColumnChart:"",SnowShowerDay:"",HailDay:"",WorkFlow:"",HourGlass:"",StoreLogoMed20:"",TimeSheet:"",TriangleSolid:"",UpgradeAnalysis:"",VideoSolid:"",RainShowersNight:"",SnowShowerNight:"",Teamwork:"",HailNight:"",PeopleAdd:"",Glasses:"",DateTime2:"",Shield:"",Header1:"",PageAdd:"",NumberedList:"",PowerBILogo:"",Info2:"",MusicInCollectionFill:"",Asterisk:"",ErrorBadge:"",CircleFill:"",Record2:"",AllAppsMirrored:"",BookmarksMirrored:"",BulletedListMirrored:"",CaretHollowMirrored:"",CaretSolidMirrored:"",ChromeBackMirrored:"",ClearSelectionMirrored:"",ClosePaneMirrored:"",DockLeftMirrored:"",DoubleChevronLeftMedMirrored:"",GoMirrored:""}};(0,n.fm)(o,t)}function c(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-4"',src:"url('"+e+"fabric-icons-4-a656cc0a.woff') format('woff')"},icons:{HelpMirrored:"",ImportMirrored:"",ImportAllMirrored:"",ListMirrored:"",MailForwardMirrored:"",MailReplyMirrored:"",MailReplyAllMirrored:"",MiniContractMirrored:"",MiniExpandMirrored:"",OpenPaneMirrored:"",ParkingLocationMirrored:"",SendMirrored:"",ShowResultsMirrored:"",ThumbnailViewMirrored:"",Media:"",Devices3:"",Focus:"",VideoLightOff:"",Lightbulb:"",StatusTriangle:"",VolumeDisabled:"",Puzzle:"",EmojiNeutral:"",EmojiDisappointed:"",HomeSolid:"",Ringer:"",PDF:"",HeartBroken:"",StoreLogo16:"",MultiSelectMirrored:"",Broom:"",AddToShoppingList:"",Cocktails:"",Wines:"",Articles:"",Cycling:"",DietPlanNotebook:"",Pill:"",ExerciseTracker:"",HandsFree:"",Medical:"",Running:"",Weights:"",Trackers:"",AddNotes:"",AllCurrency:"",BarChart4:"",CirclePlus:"",Coffee:"",Cotton:"",Market:"",Money:"",PieDouble:"",PieSingle:"",RemoveFilter:"",Savings:"",Sell:"",StockDown:"",StockUp:"",Lamp:"",Source:"",MSNVideos:"",Cricket:"",Golf:"",Baseball:"",Soccer:"",MoreSports:"",AutoRacing:"",CollegeHoops:"",CollegeFootball:"",ProFootball:"",ProHockey:"",Rugby:"",SubstitutionsIn:"",Tennis:"",Arrivals:"",Design:"",Website:"",Drop:"",HistoricalWeather:"",SkiResorts:"",Snowflake:"",BusSolid:"",FerrySolid:"",AirplaneSolid:"",TrainSolid:"",Ticket:"",WifiWarning4:"",Devices4:"",AzureLogo:"",BingLogo:"",MSNLogo:"",OutlookLogoInverse:"",OfficeLogo:"",SkypeLogo:"",Door:"",EditMirrored:"",GiftCard:"",DoubleBookmark:"",StatusErrorFull:""}};(0,n.fm)(o,t)}function u(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-5"',src:"url('"+e+"fabric-icons-5-f95ba260.woff') format('woff')"},icons:{Certificate:"",FastForward:"",Rewind:"",Photo2:"",OpenSource:"",Movers:"",CloudDownload:"",Family:"",WindDirection:"",Bug:"",SiteScan:"",BrowserScreenShot:"",F12DevTools:"",CSS:"",JS:"",DeliveryTruck:"",ReminderPerson:"",ReminderGroup:"",ReminderTime:"",TabletMode:"",Umbrella:"",NetworkTower:"",CityNext:"",CityNext2:"",Section:"",OneNoteLogoInverse:"",ToggleFilled:"",ToggleBorder:"",SliderThumb:"",ToggleThumb:"",Documentation:"",Badge:"",Giftbox:"",VisualStudioLogo:"",HomeGroup:"",ExcelLogoInverse:"",WordLogoInverse:"",PowerPointLogoInverse:"",Cafe:"",SpeedHigh:"",Commitments:"",ThisPC:"",MusicNote:"",MicOff:"",PlaybackRate1x:"",EdgeLogo:"",CompletedSolid:"",AlbumRemove:"",MessageFill:"",TabletSelected:"",MobileSelected:"",LaptopSelected:"",TVMonitorSelected:"",DeveloperTools:"",Shapes:"",InsertTextBox:"",LowerBrightness:"",WebComponents:"",OfflineStorage:"",DOM:"",CloudUpload:"",ScrollUpDown:"",DateTime:"",Event:"",Cake:"",Org:"",PartyLeader:"",DRM:"",CloudAdd:"",AppIconDefault:"",Photo2Add:"",Photo2Remove:"",Calories:"",POI:"",AddTo:"",RadioBtnOff:"",RadioBtnOn:"",ExploreContent:"",Product:"",ProgressLoopInner:"",ProgressLoopOuter:"",Blocked2:"",FangBody:"",Toolbox:"",PageHeader:"",ChatInviteFriend:"",Brush:"",Shirt:"",Crown:"",Diamond:"",ScaleUp:"",QRCode:"",Feedback:"",SharepointLogoInverse:"",YammerLogo:"",Hide:"",Uneditable:"",ReturnToSession:"",OpenFolderHorizontal:"",CalendarMirrored:""}};(0,n.fm)(o,t)}function d(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-6"',src:"url('"+e+"fabric-icons-6-ef6fd590.woff') format('woff')"},icons:{SwayLogoInverse:"",OutOfOffice:"",Trophy:"",ReopenPages:"",EmojiTabSymbols:"",AADLogo:"",AccessLogo:"",AdminALogoInverse32:"",AdminCLogoInverse32:"",AdminDLogoInverse32:"",AdminELogoInverse32:"",AdminLLogoInverse32:"",AdminMLogoInverse32:"",AdminOLogoInverse32:"",AdminPLogoInverse32:"",AdminSLogoInverse32:"",AdminYLogoInverse32:"",DelveLogoInverse:"",ExchangeLogoInverse:"",LyncLogo:"",OfficeVideoLogoInverse:"",SocialListeningLogo:"",VisioLogoInverse:"",Balloons:"",Cat:"",MailAlert:"",MailCheck:"",MailLowImportance:"",MailPause:"",MailRepeat:"",SecurityGroup:"",Table:"",VoicemailForward:"",VoicemailReply:"",Waffle:"",RemoveEvent:"",EventInfo:"",ForwardEvent:"",WipePhone:"",AddOnlineMeeting:"",JoinOnlineMeeting:"",RemoveLink:"",PeopleBlock:"",PeopleRepeat:"",PeopleAlert:"",PeoplePause:"",TransferCall:"",AddPhone:"",UnknownCall:"",NoteReply:"",NoteForward:"",NotePinned:"",RemoveOccurrence:"",Timeline:"",EditNote:"",CircleHalfFull:"",Room:"",Unsubscribe:"",Subscribe:"",HardDrive:"",RecurringTask:"",TaskManager:"",TaskManagerMirrored:"",Combine:"",Split:"",DoubleChevronUp:"",DoubleChevronLeft:"",DoubleChevronRight:"",TextBox:"",TextField:"",NumberField:"",Dropdown:"",PenWorkspace:"",BookingsLogo:"",ClassNotebookLogoInverse:"",DelveAnalyticsLogo:"",DocsLogoInverse:"",Dynamics365Logo:"",DynamicSMBLogo:"",OfficeAssistantLogo:"",OfficeStoreLogo:"",OneNoteEduLogoInverse:"",PlannerLogo:"",PowerApps:"",Suitcase:"",ProjectLogoInverse:"",CaretLeft8:"",CaretRight8:"",CaretUp8:"",CaretDown8:"",CaretLeftSolid8:"",CaretRightSolid8:"",CaretUpSolid8:"",CaretDownSolid8:"",ClearFormatting:"",Superscript:"",Subscript:"",Strikethrough:"",Export:"",ExportMirrored:""}};(0,n.fm)(o,t)}function p(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-7"',src:"url('"+e+"fabric-icons-7-2b97bb99.woff') format('woff')"},icons:{SingleBookmark:"",SingleBookmarkSolid:"",DoubleChevronDown:"",FollowUser:"",ReplyAll:"",WorkforceManagement:"",RecruitmentManagement:"",Questionnaire:"",ManagerSelfService:"",ProductionFloorManagement:"",ProductRelease:"",ProductVariant:"",ReplyMirrored:"",ReplyAllMirrored:"",Medal:"",AddGroup:"",QuestionnaireMirrored:"",CloudImportExport:"",TemporaryUser:"",CaretSolid16:"",GroupedDescending:"",GroupedAscending:"",AwayStatus:"",MyMoviesTV:"",GenericScan:"",AustralianRules:"",WifiEthernet:"",TrackersMirrored:"",DateTimeMirrored:"",StopSolid:"",DoubleChevronUp12:"",DoubleChevronDown12:"",DoubleChevronLeft12:"",DoubleChevronRight12:"",CalendarAgenda:"",ConnectVirtualMachine:"",AddEvent:"",AssetLibrary:"",DataConnectionLibrary:"",DocLibrary:"",FormLibrary:"",FormLibraryMirrored:"",ReportLibrary:"",ReportLibraryMirrored:"",ContactCard:"",CustomList:"",CustomListMirrored:"",IssueTracking:"",IssueTrackingMirrored:"",PictureLibrary:"",OfficeAddinsLogo:"",OfflineOneDriveParachute:"",OfflineOneDriveParachuteDisabled:"",TriangleSolidUp12:"",TriangleSolidDown12:"",TriangleSolidLeft12:"",TriangleSolidRight12:"",TriangleUp12:"",TriangleDown12:"",TriangleLeft12:"",TriangleRight12:"",ArrowUpRight8:"",ArrowDownRight8:"",DocumentSet:"",GoToDashboard:"",DelveAnalytics:"",ArrowUpRightMirrored8:"",ArrowDownRightMirrored8:"",CompanyDirectory:"",OpenEnrollment:"",CompanyDirectoryMirrored:"",OneDriveAdd:"",ProfileSearch:"",Header2:"",Header3:"",Header4:"",RingerSolid:"",Eyedropper:"",MarketDown:"",CalendarWorkWeek:"",SidePanel:"",GlobeFavorite:"",CaretTopLeftSolid8:"",CaretTopRightSolid8:"",ViewAll2:"",DocumentReply:"",PlayerSettings:"",ReceiptForward:"",ReceiptReply:"",ReceiptCheck:"",Fax:"",RecurringEvent:"",ReplyAlt:"",ReplyAllAlt:"",EditStyle:"",EditMail:"",Lifesaver:"",LifesaverLock:"",InboxCheck:"",FolderSearch:""}};(0,n.fm)(o,t)}function m(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-8"',src:"url('"+e+"fabric-icons-8-6fdf1528.woff') format('woff')"},icons:{CollapseMenu:"",ExpandMenu:"",Boards:"",SunAdd:"",SunQuestionMark:"",LandscapeOrientation:"",DocumentSearch:"",PublicCalendar:"",PublicContactCard:"",PublicEmail:"",PublicFolder:"",WordDocument:"",PowerPointDocument:"",ExcelDocument:"",GroupedList:"",ClassroomLogo:"",Sections:"",EditPhoto:"",Starburst:"",ShareiOS:"",AirTickets:"",PencilReply:"",Tiles2:"",SkypeCircleCheck:"",SkypeCircleClock:"",SkypeCircleMinus:"",SkypeMessage:"",ClosedCaption:"",ATPLogo:"",OfficeFormsLogoInverse:"",RecycleBin:"",EmptyRecycleBin:"",Hide2:"",Breadcrumb:"",BirthdayCake:"",TimeEntry:"",CRMProcesses:"",PageEdit:"",PageArrowRight:"",PageRemove:"",Database:"",DataManagementSettings:"",CRMServices:"",EditContact:"",ConnectContacts:"",AppIconDefaultAdd:"",AppIconDefaultList:"",ActivateOrders:"",DeactivateOrders:"",ProductCatalog:"",ScatterChart:"",AccountActivity:"",DocumentManagement:"",CRMReport:"",KnowledgeArticle:"",Relationship:"",HomeVerify:"",ZipFolder:"",SurveyQuestions:"",TextDocument:"",TextDocumentShared:"",PageCheckedOut:"",PageShared:"",SaveAndClose:"",Script:"",Archive:"",ActivityFeed:"",Compare:"",EventDate:"",ArrowUpRight:"",CaretRight:"",SetAction:"",ChatBot:"",CaretSolidLeft:"",CaretSolidDown:"",CaretSolidRight:"",CaretSolidUp:"",PowerAppsLogo:"",PowerApps2Logo:"",SearchIssue:"",SearchIssueMirrored:"",FabricAssetLibrary:"",FabricDataConnectionLibrary:"",FabricDocLibrary:"",FabricFormLibrary:"",FabricFormLibraryMirrored:"",FabricReportLibrary:"",FabricReportLibraryMirrored:"",FabricPublicFolder:"",FabricFolderSearch:"",FabricMovetoFolder:"",FabricUnsyncFolder:"",FabricSyncFolder:"",FabricOpenFolderHorizontal:"",FabricFolder:"",FabricFolderFill:"",FabricNewFolder:"",FabricPictureLibrary:"",PhotoVideoMedia:"",AddFavorite:""}};(0,n.fm)(o,t)}function h(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-9"',src:"url('"+e+"fabric-icons-9-c6162b42.woff') format('woff')"},icons:{AddFavoriteFill:"",BufferTimeBefore:"",BufferTimeAfter:"",BufferTimeBoth:"",PublishContent:"",ClipboardList:"",ClipboardListMirrored:"",CannedChat:"",SkypeForBusinessLogo:"",TabCenter:"",PageCheckedin:"",PageList:"",ReadOutLoud:"",CaretBottomLeftSolid8:"",CaretBottomRightSolid8:"",FolderHorizontal:"",MicrosoftStaffhubLogo:"",GiftboxOpen:"",StatusCircleOuter:"",StatusCircleInner:"",StatusCircleRing:"",StatusTriangleOuter:"",StatusTriangleInner:"",StatusTriangleExclamation:"",StatusCircleExclamation:"",StatusCircleErrorX:"",StatusCircleInfo:"",StatusCircleBlock:"",StatusCircleBlock2:"",StatusCircleQuestionMark:"",StatusCircleSync:"",Toll:"",ExploreContentSingle:"",CollapseContent:"",CollapseContentSingle:"",InfoSolid:"",GroupList:"",ProgressRingDots:"",CaloriesAdd:"",BranchFork:"",MuteChat:"",AddHome:"",AddWork:"",MobileReport:"",ScaleVolume:"",HardDriveGroup:"",FastMode:"",ToggleLeft:"",ToggleRight:"",TriangleShape:"",RectangleShape:"",CubeShape:"",Trophy2:"",BucketColor:"",BucketColorFill:"",Taskboard:"",SingleColumn:"",DoubleColumn:"",TripleColumn:"",ColumnLeftTwoThirds:"",ColumnRightTwoThirds:"",AccessLogoFill:"",AnalyticsLogo:"",AnalyticsQuery:"",NewAnalyticsQuery:"",AnalyticsReport:"",WordLogo:"",WordLogoFill:"",ExcelLogo:"",ExcelLogoFill:"",OneNoteLogo:"",OneNoteLogoFill:"",OutlookLogo:"",OutlookLogoFill:"",PowerPointLogo:"",PowerPointLogoFill:"",PublisherLogo:"",PublisherLogoFill:"",ScheduleEventAction:"",FlameSolid:"",ServerProcesses:"",Server:"",SaveAll:"",LinkedInLogo:"",Decimals:"",SidePanelMirrored:"",ProtectRestrict:"",Blog:"",UnknownMirrored:"",PublicContactCardMirrored:"",GridViewSmall:"",GridViewMedium:"",GridViewLarge:"",Step:"",StepInsert:"",StepShared:"",StepSharedAdd:"",StepSharedInsert:"",ViewDashboard:"",ViewList:""}};(0,n.fm)(o,t)}function g(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-10"',src:"url('"+e+"fabric-icons-10-c4ded8e4.woff') format('woff')"},icons:{ViewListGroup:"",ViewListTree:"",TriggerAuto:"",TriggerUser:"",PivotChart:"",StackedBarChart:"",StackedLineChart:"",BuildQueue:"",BuildQueueNew:"",UserFollowed:"",ContactLink:"",Stack:"",Bullseye:"",VennDiagram:"",FiveTileGrid:"",FocalPoint:"",Insert:"",RingerRemove:"",TeamsLogoInverse:"",TeamsLogo:"",TeamsLogoFill:"",SkypeForBusinessLogoFill:"",SharepointLogo:"",SharepointLogoFill:"",DelveLogo:"",DelveLogoFill:"",OfficeVideoLogo:"",OfficeVideoLogoFill:"",ExchangeLogo:"",ExchangeLogoFill:"",Signin:"",DocumentApproval:"",CloneToDesktop:"",InstallToDrive:"",Blur:"",Build:"",ProcessMetaTask:"",BranchFork2:"",BranchLocked:"",BranchCommit:"",BranchCompare:"",BranchMerge:"",BranchPullRequest:"",BranchSearch:"",BranchShelveset:"",RawSource:"",MergeDuplicate:"",RowsGroup:"",RowsChild:"",Deploy:"",Redeploy:"",ServerEnviroment:"",VisioDiagram:"",HighlightMappedShapes:"",TextCallout:"",IconSetsFlag:"",VisioLogo:"",VisioLogoFill:"",VisioDocument:"",TimelineProgress:"",TimelineDelivery:"",Backlog:"",TeamFavorite:"",TaskGroup:"",TaskGroupMirrored:"",ScopeTemplate:"",AssessmentGroupTemplate:"",NewTeamProject:"",CommentAdd:"",CommentNext:"",CommentPrevious:"",ShopServer:"",LocaleLanguage:"",QueryList:"",UserSync:"",UserPause:"",StreamingOff:"",ArrowTallUpLeft:"",ArrowTallUpRight:"",ArrowTallDownLeft:"",ArrowTallDownRight:"",FieldEmpty:"",FieldFilled:"",FieldChanged:"",FieldNotChanged:"",RingerOff:"",PlayResume:"",BulletedList2:"",BulletedList2Mirrored:"",ImageCrosshair:"",GitGraph:"",Repo:"",RepoSolid:"",FolderQuery:"",FolderList:"",FolderListMirrored:"",LocationOutline:"",POISolid:"",CalculatorNotEqualTo:"",BoxSubtractSolid:""}};(0,n.fm)(o,t)}function f(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-11"',src:"url('"+e+"fabric-icons-11-2a8393d6.woff') format('woff')"},icons:{BoxAdditionSolid:"",BoxMultiplySolid:"",BoxPlaySolid:"",BoxCheckmarkSolid:"",CirclePauseSolid:"",CirclePause:"",MSNVideosSolid:"",CircleStopSolid:"",CircleStop:"",NavigateBack:"",NavigateBackMirrored:"",NavigateForward:"",NavigateForwardMirrored:"",UnknownSolid:"",UnknownMirroredSolid:"",CircleAddition:"",CircleAdditionSolid:"",FilePDB:"",FileTemplate:"",FileSQL:"",FileJAVA:"",FileASPX:"",FileCSS:"",FileSass:"",FileLess:"",FileHTML:"",JavaScriptLanguage:"",CSharpLanguage:"",CSharp:"",VisualBasicLanguage:"",VB:"",CPlusPlusLanguage:"",CPlusPlus:"",FSharpLanguage:"",FSharp:"",TypeScriptLanguage:"",PythonLanguage:"",PY:"",CoffeeScript:"",MarkDownLanguage:"",FullWidth:"",FullWidthEdit:"",Plug:"",PlugSolid:"",PlugConnected:"",PlugDisconnected:"",UnlockSolid:"",Variable:"",Parameter:"",CommentUrgent:"",Storyboard:"",DiffInline:"",DiffSideBySide:"",ImageDiff:"",ImagePixel:"",FileBug:"",FileCode:"",FileComment:"",BusinessHoursSign:"",FileImage:"",FileSymlink:"",AutoFillTemplate:"",WorkItem:"",WorkItemBug:"",LogRemove:"",ColumnOptions:"",Packages:"",BuildIssue:"",AssessmentGroup:"",VariableGroup:"",FullHistory:"",Wheelchair:"",SingleColumnEdit:"",DoubleColumnEdit:"",TripleColumnEdit:"",ColumnLeftTwoThirdsEdit:"",ColumnRightTwoThirdsEdit:"",StreamLogo:"",PassiveAuthentication:"",AlertSolid:"",MegaphoneSolid:"",TaskSolid:"",ConfigurationSolid:"",BugSolid:"",CrownSolid:"",Trophy2Solid:"",QuickNoteSolid:"",ConstructionConeSolid:"",PageListSolid:"",PageListMirroredSolid:"",StarburstSolid:"",ReadingModeSolid:"",SadSolid:"",HealthSolid:"",ShieldSolid:"",GiftBoxSolid:"",ShoppingCartSolid:"",MailSolid:"",ChatSolid:"",RibbonSolid:""}};(0,n.fm)(o,t)}function v(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-12"',src:"url('"+e+"fabric-icons-12-7e945a1e.woff') format('woff')"},icons:{FinancialSolid:"",FinancialMirroredSolid:"",HeadsetSolid:"",PermissionsSolid:"",ParkingSolid:"",ParkingMirroredSolid:"",DiamondSolid:"",AsteriskSolid:"",OfflineStorageSolid:"",BankSolid:"",DecisionSolid:"",Parachute:"",ParachuteSolid:"",FiltersSolid:"",ColorSolid:"",ReviewSolid:"",ReviewRequestSolid:"",ReviewRequestMirroredSolid:"",ReviewResponseSolid:"",FeedbackRequestSolid:"",FeedbackRequestMirroredSolid:"",FeedbackResponseSolid:"",WorkItemBar:"",WorkItemBarSolid:"",Separator:"",NavigateExternalInline:"",PlanView:"",TimelineMatrixView:"",EngineeringGroup:"",ProjectCollection:"",CaretBottomRightCenter8:"",CaretBottomLeftCenter8:"",CaretTopRightCenter8:"",CaretTopLeftCenter8:"",DonutChart:"",ChevronUnfold10:"",ChevronFold10:"",DoubleChevronDown8:"",DoubleChevronUp8:"",DoubleChevronLeft8:"",DoubleChevronRight8:"",ChevronDownEnd6:"",ChevronUpEnd6:"",ChevronLeftEnd6:"",ChevronRightEnd6:"",ContextMenu:"",AzureAPIManagement:"",AzureServiceEndpoint:"",VSTSLogo:"",VSTSAltLogo1:"",VSTSAltLogo2:"",FileTypeSolution:"",WordLogoInverse16:"",WordLogo16:"",WordLogoFill16:"",PowerPointLogoInverse16:"",PowerPointLogo16:"",PowerPointLogoFill16:"",ExcelLogoInverse16:"",ExcelLogo16:"",ExcelLogoFill16:"",OneNoteLogoInverse16:"",OneNoteLogo16:"",OneNoteLogoFill16:"",OutlookLogoInverse16:"",OutlookLogo16:"",OutlookLogoFill16:"",PublisherLogoInverse16:"",PublisherLogo16:"",PublisherLogoFill16:"",VisioLogoInverse16:"",VisioLogo16:"",VisioLogoFill16:"",TestBeaker:"",TestBeakerSolid:"",TestExploreSolid:"",TestAutoSolid:"",TestUserSolid:"",TestImpactSolid:"",TestPlan:"",TestStep:"",TestParameter:"",TestSuite:"",TestCase:"",Sprint:"",SignOut:"",TriggerApproval:"",Rocket:"",AzureKeyVault:"",Onboarding:"",Transition:"",LikeSolid:"",DislikeSolid:"",CRMCustomerInsightsApp:"",EditCreate:"",PlayReverseResume:"",PlayReverse:"",SearchData:"",UnSetColor:"",DeclineCall:""}};(0,n.fm)(o,t)}function b(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-13"',src:"url('"+e+"fabric-icons-13-c3989a02.woff') format('woff')"},icons:{RectangularClipping:"",TeamsLogo16:"",TeamsLogoFill16:"",Spacer:"",SkypeLogo16:"",SkypeForBusinessLogo16:"",SkypeForBusinessLogoFill16:"",FilterSolid:"",MailUndelivered:"",MailTentative:"",MailTentativeMirrored:"",MailReminder:"",ReceiptUndelivered:"",ReceiptTentative:"",ReceiptTentativeMirrored:"",Inbox:"",IRMReply:"",IRMReplyMirrored:"",IRMForward:"",IRMForwardMirrored:"",VoicemailIRM:"",EventAccepted:"",EventTentative:"",EventTentativeMirrored:"",EventDeclined:"",IDBadge:"",BackgroundColor:"",OfficeFormsLogoInverse16:"",OfficeFormsLogo:"",OfficeFormsLogoFill:"",OfficeFormsLogo16:"",OfficeFormsLogoFill16:"",OfficeFormsLogoInverse24:"",OfficeFormsLogo24:"",OfficeFormsLogoFill24:"",PageLock:"",NotExecuted:"",NotImpactedSolid:"",FieldReadOnly:"",FieldRequired:"",BacklogBoard:"",ExternalBuild:"",ExternalTFVC:"",ExternalXAML:"",IssueSolid:"",DefectSolid:"",LadybugSolid:"",NugetLogo:"",TFVCLogo:"",ProjectLogo32:"",ProjectLogoFill32:"",ProjectLogo16:"",ProjectLogoFill16:"",SwayLogo32:"",SwayLogoFill32:"",SwayLogo16:"",SwayLogoFill16:"",ClassNotebookLogo32:"",ClassNotebookLogoFill32:"",ClassNotebookLogo16:"",ClassNotebookLogoFill16:"",ClassNotebookLogoInverse32:"",ClassNotebookLogoInverse16:"",StaffNotebookLogo32:"",StaffNotebookLogoFill32:"",StaffNotebookLogo16:"",StaffNotebookLogoFill16:"",StaffNotebookLogoInverted32:"",StaffNotebookLogoInverted16:"",KaizalaLogo:"",TaskLogo:"",ProtectionCenterLogo32:"",GallatinLogo:"",Globe2:"",Guitar:"",Breakfast:"",Brunch:"",BeerMug:"",Vacation:"",Teeth:"",Taxi:"",Chopsticks:"",SyncOccurence:"",UnsyncOccurence:"",GIF:"",PrimaryCalendar:"",SearchCalendar:"",VideoOff:"",MicrosoftFlowLogo:"",BusinessCenterLogo:"",ToDoLogoBottom:"",ToDoLogoTop:"",EditSolid12:"",EditSolidMirrored12:"",UneditableSolid12:"",UneditableSolidMirrored12:"",UneditableMirrored:"",AdminALogo32:"",AdminALogoFill32:"",ToDoLogoInverse:""}};(0,n.fm)(o,t)}function y(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-14"',src:"url('"+e+"fabric-icons-14-5cf58db8.woff') format('woff')"},icons:{Snooze:"",WaffleOffice365:"",ImageSearch:"",NewsSearch:"",VideoSearch:"",R:"",FontColorA:"",FontColorSwatch:"",LightWeight:"",NormalWeight:"",SemiboldWeight:"",GroupObject:"",UngroupObject:"",AlignHorizontalLeft:"",AlignHorizontalCenter:"",AlignHorizontalRight:"",AlignVerticalTop:"",AlignVerticalCenter:"",AlignVerticalBottom:"",HorizontalDistributeCenter:"",VerticalDistributeCenter:"",Ellipse:"",Line:"",Octagon:"",Hexagon:"",Pentagon:"",RightTriangle:"",HalfCircle:"",QuarterCircle:"",ThreeQuarterCircle:"","6PointStar":"","12PointStar":"",ArrangeBringToFront:"",ArrangeSendToBack:"",ArrangeSendBackward:"",ArrangeBringForward:"",BorderDash:"",BorderDot:"",LineStyle:"",LineThickness:"",WindowEdit:"",HintText:"",MediaAdd:"",AnchorLock:"",AutoHeight:"",ChartSeries:"",ChartXAngle:"",ChartYAngle:"",Combobox:"",LineSpacing:"",Padding:"",PaddingTop:"",PaddingBottom:"",PaddingLeft:"",PaddingRight:"",NavigationFlipper:"",AlignJustify:"",TextOverflow:"",VisualsFolder:"",VisualsStore:"",PictureCenter:"",PictureFill:"",PicturePosition:"",PictureStretch:"",PictureTile:"",Slider:"",SliderHandleSize:"",DefaultRatio:"",NumberSequence:"",GUID:"",ReportAdd:"",DashboardAdd:"",MapPinSolid:"",WebPublish:"",PieSingleSolid:"",BlockedSolid:"",DrillDown:"",DrillDownSolid:"",DrillExpand:"",DrillShow:"",SpecialEvent:"",OneDriveFolder16:"",FunctionalManagerDashboard:"",BIDashboard:"",CodeEdit:"",RenewalCurrent:"",RenewalFuture:"",SplitObject:"",BulkUpload:"",DownloadDocument:"",GreetingCard:"",Flower:"",WaitlistConfirm:"",WaitlistConfirmMirrored:"",LaptopSecure:"",DragObject:"",EntryView:"",EntryDecline:"",ContactCardSettings:"",ContactCardSettingsMirrored:""}};(0,n.fm)(o,t)}function _(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-15"',src:"url('"+e+"fabric-icons-15-3807251b.woff') format('woff')"},icons:{CalendarSettings:"",CalendarSettingsMirrored:"",HardDriveLock:"",HardDriveUnlock:"",AccountManagement:"",ReportWarning:"",TransitionPop:"",TransitionPush:"",TransitionEffect:"",LookupEntities:"",ExploreData:"",AddBookmark:"",SearchBookmark:"",DrillThrough:"",MasterDatabase:"",CertifiedDatabase:"",MaximumValue:"",MinimumValue:"",VisualStudioIDELogo32:"",PasteAsText:"",PasteAsCode:"",BrowserTab:"",BrowserTabScreenshot:"",DesktopScreenshot:"",FileYML:"",ClipboardSolid:"",FabricUserFolder:"",FabricNetworkFolder:"",BullseyeTarget:"",AnalyticsView:"",Video360Generic:"",Untag:"",Leave:"",Trending12:"",Blocked12:"",Warning12:"",CheckedOutByOther12:"",CheckedOutByYou12:"",CircleShapeSolid:"",SquareShapeSolid:"",TriangleShapeSolid:"",DropShapeSolid:"",RectangleShapeSolid:"",ZoomToFit:"",InsertColumnsLeft:"",InsertColumnsRight:"",InsertRowsAbove:"",InsertRowsBelow:"",DeleteColumns:"",DeleteRows:"",DeleteRowsMirrored:"",DeleteTable:"",AccountBrowser:"",VersionControlPush:"",StackedColumnChart2:"",TripleColumnWide:"",QuadColumn:"",WhiteBoardApp16:"",WhiteBoardApp32:"",PinnedSolid:"",InsertSignatureLine:"",ArrangeByFrom:"",Phishing:"",CreateMailRule:"",PublishCourse:"",DictionaryRemove:"",UserRemove:"",UserEvent:"",Encryption:"",PasswordField:"",OpenInNewTab:"",Hide3:"",VerifiedBrandSolid:"",MarkAsProtected:"",AuthenticatorApp:"",WebTemplate:"",DefenderTVM:"",MedalSolid:"",D365TalentLearn:"",D365TalentInsight:"",D365TalentHRCore:"",BacklogList:"",ButtonControl:"",TableGroup:"",MountainClimbing:"",TagUnknown:"",TagUnknownMirror:"",TagUnknown12:"",TagUnknown12Mirror:"",Link12:"",Presentation:"",Presentation12:"",Lock12:"",BuildDefinition:"",ReleaseDefinition:"",SaveTemplate:"",UserGauge:"",BlockedSiteSolid12:"",TagSolid:"",OfficeChat:""}};(0,n.fm)(o,t)}function C(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-16"',src:"url('"+e+"fabric-icons-16-9cf93f3b.woff') format('woff')"},icons:{OfficeChatSolid:"",MailSchedule:"",WarningSolid:"",Blocked2Solid:"",SkypeCircleArrow:"",SkypeArrow:"",SyncStatus:"",SyncStatusSolid:"",ProjectDocument:"",ToDoLogoOutline:"",VisioOnlineLogoFill32:"",VisioOnlineLogo32:"",VisioOnlineLogoCloud32:"",VisioDiagramSync:"",Event12:"",EventDateMissed12:"",UserOptional:"",ResponsesMenu:"",DoubleDownArrow:"",DistributeDown:"",BookmarkReport:"",FilterSettings:"",GripperDotsVertical:"",MailAttached:"",AddIn:"",LinkedDatabase:"",TableLink:"",PromotedDatabase:"",BarChartVerticalFilter:"",BarChartVerticalFilterSolid:"",MicOff2:"",MicrosoftTranslatorLogo:"",ShowTimeAs:"",FileRequest:"",WorkItemAlert:"",PowerBILogo16:"",PowerBILogoBackplate16:"",BulletedListText:"",BulletedListBullet:"",BulletedListTextMirrored:"",BulletedListBulletMirrored:"",NumberedListText:"",NumberedListNumber:"",NumberedListTextMirrored:"",NumberedListNumberMirrored:"",RemoveLinkChain:"",RemoveLinkX:"",FabricTextHighlight:"",ClearFormattingA:"",ClearFormattingEraser:"",Photo2Fill:"",IncreaseIndentText:"",IncreaseIndentArrow:"",DecreaseIndentText:"",DecreaseIndentArrow:"",IncreaseIndentTextMirrored:"",IncreaseIndentArrowMirrored:"",DecreaseIndentTextMirrored:"",DecreaseIndentArrowMirrored:"",CheckListText:"",CheckListCheck:"",CheckListTextMirrored:"",CheckListCheckMirrored:"",NumberSymbol:"",Coupon:"",VerifiedBrand:"",ReleaseGate:"",ReleaseGateCheck:"",ReleaseGateError:"",M365InvoicingLogo:"",RemoveFromShoppingList:"",ShieldAlert:"",FabricTextHighlightComposite:"",Dataflows:"",GenericScanFilled:"",DiagnosticDataBarTooltip:"",SaveToMobile:"",Orientation2:"",ScreenCast:"",ShowGrid:"",SnapToGrid:"",ContactList:"",NewMail:"",EyeShadow:"",FabricFolderConfirm:"",InformationBarriers:"",CommentActive:"",ColumnVerticalSectionEdit:"",WavingHand:"",ShakeDevice:"",SmartGlassRemote:"",Rotate90Clockwise:"",Rotate90CounterClockwise:"",CampaignTemplate:"",ChartTemplate:"",PageListFilter:"",SecondaryNav:"",ColumnVerticalSection:"",SkypeCircleSlash:"",SkypeSlash:""}};(0,n.fm)(o,t)}function S(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-17"',src:"url('"+e+"fabric-icons-17-0c4ed701.woff') format('woff')"},icons:{CustomizeToolbar:"",DuplicateRow:"",RemoveFromTrash:"",MailOptions:"",Childof:"",Footer:"",Header:"",BarChartVerticalFill:"",StackedColumnChart2Fill:"",PlainText:"",AccessibiltyChecker:"",DatabaseSync:"",ReservationOrders:"",TabOneColumn:"",TabTwoColumn:"",TabThreeColumn:"",BulletedTreeList:"",MicrosoftTranslatorLogoGreen:"",MicrosoftTranslatorLogoBlue:"",InternalInvestigation:"",AddReaction:"",ContactHeart:"",VisuallyImpaired:"",EventToDoLogo:"",Variable2:"",ModelingView:"",DisconnectVirtualMachine:"",ReportLock:"",Uneditable2:"",Uneditable2Mirrored:"",BarChartVerticalEdit:"",GlobalNavButtonActive:"",PollResults:"",Rerun:"",QandA:"",QandAMirror:"",BookAnswers:"",AlertSettings:"",TrimStart:"",TrimEnd:"",TableComputed:"",DecreaseIndentLegacy:"",IncreaseIndentLegacy:"",SizeLegacy:""}};(0,n.fm)(o,t)}function x(e,t){void 0===e&&(e="https://spoprod-a.akamaihd.net/files/fabric/assets/icons/"),[r,i,a,s,l,c,u,d,p,m,h,g,f,v,b,y,_,C,S].forEach((function(o){return o(e,t)})),(0,n.M_)("trash","delete"),(0,n.M_)("onedrive","onedrivelogo"),(0,n.M_)("alertsolid12","eventdatemissed12"),(0,n.M_)("sixpointstar","6pointstar"),(0,n.M_)("twelvepointstar","12pointstar"),(0,n.M_)("toggleon","toggleleft"),(0,n.M_)("toggleoff","toggleright")}(0,o(6316).x)("@fluentui/font-icons-mdl2","8.0.2")},6825:(e,t,o)=>{"use strict";function n(e){i!==e&&(i=e)}function r(){return void 0===i&&(i="undefined"!=typeof document&&!!document.documentElement&&"rtl"===document.documentElement.getAttribute("dir")),i}var i;function a(){return{rtl:r()}}o.d(t,{ok:()=>n,Eo:()=>a}),i=r()},729:(e,t,o)=>{"use strict";o.d(t,{q:()=>i,Y:()=>l});var n,r=o(7622),i={none:0,insertNode:1,appendChild:2},a="undefined"!=typeof navigator&&/rv:11.0/.test(navigator.userAgent),s={};try{s=window}catch(e){}var l=function(){function e(e){this._rules=[],this._preservedRules=[],this._rulesToInsert=[],this._counter=0,this._keyToClassName={},this._onResetCallbacks=[],this._classNameToArgs={},this._config=(0,r.pi)({injectionMode:i.insertNode,defaultPrefix:"css",namespace:void 0,cspSettings:void 0},e),this._keyToClassName=this._config.classNameCache||{}}return e.getInstance=function(){var t;if(!(n=s.__stylesheet__)||n._lastStyleElement&&n._lastStyleElement.ownerDocument!==document){var o=(null===(t=s)||void 0===t?void 0:t.FabricConfig)||{};n=s.__stylesheet__=new e(o.mergeStyles)}return n},e.prototype.setConfig=function(e){this._config=(0,r.pi)((0,r.pi)({},this._config),e)},e.prototype.onReset=function(e){this._onResetCallbacks.push(e)},e.prototype.getClassName=function(e){var t=this._config.namespace;return(t?t+"-":"")+(e||this._config.defaultPrefix)+"-"+this._counter++},e.prototype.cacheClassName=function(e,t,o,n){this._keyToClassName[t]=e,this._classNameToArgs[e]={args:o,rules:n}},e.prototype.classNameFromKey=function(e){return this._keyToClassName[e]},e.prototype.getClassNameCache=function(){return this._keyToClassName},e.prototype.argsFromClassName=function(e){var t=this._classNameToArgs[e];return t&&t.args},e.prototype.insertedRulesFromClassName=function(e){var t=this._classNameToArgs[e];return t&&t.rules},e.prototype.insertRule=function(e,t){var o=this._config.injectionMode!==i.none?this._getStyleElement():void 0;if(t&&this._preservedRules.push(e),o)switch(this._config.injectionMode){case i.insertNode:var n=o.sheet;try{n.insertRule(e,n.cssRules.length)}catch(e){}break;case i.appendChild:o.appendChild(document.createTextNode(e))}else this._rules.push(e);this._config.onInsertRule&&this._config.onInsertRule(e)},e.prototype.getRules=function(e){return(e?this._preservedRules.join(""):"")+this._rules.join("")+this._rulesToInsert.join("")},e.prototype.reset=function(){this._rules=[],this._rulesToInsert=[],this._counter=0,this._classNameToArgs={},this._keyToClassName={},this._onResetCallbacks.forEach((function(e){return e()}))},e.prototype.resetKeys=function(){this._keyToClassName={}},e.prototype._getStyleElement=function(){var e=this;return this._styleElement||"undefined"==typeof document||(this._styleElement=this._createStyleElement(),a||window.requestAnimationFrame((function(){e._styleElement=void 0}))),this._styleElement},e.prototype._createStyleElement=function(){var e=document.head,t=document.createElement("style");t.setAttribute("data-merge-styles","true");var o=this._config.cspSettings;if(o&&o.nonce&&t.setAttribute("nonce",o.nonce),this._lastStyleElement)e.insertBefore(t,this._lastStyleElement.nextElementSibling);else{var n=this._findPlaceholderStyleTag();n?e.insertBefore(t,n.nextElementSibling):e.insertBefore(t,e.childNodes[0])}return this._lastStyleElement=t,t},e.prototype._findPlaceholderStyleTag=function(){var e=document.head;return e?e.querySelector("style[data-merge-styles]"):null},e}()},3570:(e,t,o)=>{"use strict";o.d(t,{m:()=>r});var n=o(7622);function r(){for(var e=[],t=0;t0){o.subComponentStyles={};var h=o.subComponentStyles,g=function(e){if(i.hasOwnProperty(e)){var t=i[e];h[e]=function(e){return r.apply(void 0,t.map((function(t){return"function"==typeof t?t(e):t})))}}};for(var d in i)g(d)}return o}},965:(e,t,o)=>{"use strict";o.d(t,{l:()=>r});var n=o(3570);function r(e){for(var t=[],o=1;o{"use strict";o.d(t,{U:()=>r});var n=o(729);function r(){for(var e=[],t=0;t=0)a(s.split(" "));else{var l=i.argsFromClassName(s);l?a(l):-1===o.indexOf(s)&&o.push(s)}else Array.isArray(s)?a(s):"object"==typeof s&&r.push(s)}}return a(e),{classes:o,objects:r}}},3310:(e,t,o)=>{"use strict";o.d(t,{j:()=>a});var n=o(6825),r=o(729),i=o(8186);function a(e){r.Y.getInstance().insertRule("@font-face{"+(0,i.dH)((0,n.Eo)(),e)+"}",!0)}},2762:(e,t,o)=>{"use strict";o.d(t,{F:()=>a});var n=o(6825),r=o(729),i=o(8186);function a(e){var t=r.Y.getInstance(),o=t.getClassName(),a=[];for(var s in e)e.hasOwnProperty(s)&&a.push(s,"{",(0,i.dH)((0,n.Eo)(),e[s]),"}");var l=a.join("");return t.insertRule("@keyframes "+o+"{"+l+"}",!0),t.cacheClassName(o,l,[],["keyframes",l]),o}},2005:(e,t,o)=>{"use strict";o.d(t,{Z:()=>s,I:()=>l});var n=o(3570),r=o(1836),i=o(6825),a=o(8186);function s(){for(var e=[],t=0;t{"use strict";o.d(t,{y:()=>a,R:()=>s});var n=o(1836),r=o(6825),i=o(8186);function a(){for(var e=[],t=0;t{"use strict";o.d(t,{Jh:()=>D,dH:()=>w,AE:()=>T,aj:()=>I});var n,r=o(7622),i=o(729),a={},s={"user-select":1};function l(e,t){var o=function(){if(!n){var e="undefined"!=typeof document?document:void 0,t="undefined"!=typeof navigator?navigator:void 0,o=t?t.userAgent.toLowerCase():void 0;n=e?{isWebkit:!(!e||!("WebkitAppearance"in e.documentElement.style)),isMoz:!!(o&&o.indexOf("firefox")>-1),isOpera:!!(o&&o.indexOf("opera")>-1),isMs:!(!t||!/rv:11.0/i.test(t.userAgent)&&!/Edge\/\d./i.test(navigator.userAgent))}:{isWebkit:!0,isMoz:!0,isOpera:!0,isMs:!0}}return n}(),r=e[t];if(s[r]){var i=e[t+1];s[r]&&(o.isWebkit&&e.push("-webkit-"+r,i),o.isMoz&&e.push("-moz-"+r,i),o.isMs&&e.push("-ms-"+r,i),o.isOpera&&e.push("-o-"+r,i))}}var c,u=["column-count","font-weight","flex","flex-grow","flex-shrink","fill-opacity","opacity","order","z-index","zoom"];function d(e,t){var o=e[t],n=e[t+1];if("number"==typeof n){var r=u.indexOf(o)>-1,i=o.indexOf("--")>-1,a=r||i?"":"px";e[t+1]=""+n+a}}var p="left",m="right",h=((c={}).left=m,c.right=p,c),g={"w-resize":"e-resize","sw-resize":"se-resize","nw-resize":"ne-resize"};function f(e,t,o){if(e.rtl){var n=t[o];if(!n)return;var r=t[o+1];if("string"==typeof r&&r.indexOf("@noflip")>=0)t[o+1]=r.replace(/\s*(?:\/\*\s*)?\@noflip\b(?:\s*\*\/)?\s*?/g,"");else if(n.indexOf(p)>=0)t[o]=n.replace(p,m);else if(n.indexOf(m)>=0)t[o]=n.replace(m,p);else if(String(r).indexOf(p)>=0)t[o+1]=r.replace(p,m);else if(String(r).indexOf(m)>=0)t[o+1]=r.replace(m,p);else if(h[n])t[o]=h[n];else if(g[r])t[o+1]=g[r];else switch(n){case"margin":case"padding":t[o+1]=function(e){if("string"==typeof e){var t=e.split(" ");if(4===t.length)return t[0]+" "+t[3]+" "+t[2]+" "+t[1]}return e}(r);break;case"box-shadow":t[o+1]=function(e,t){var o=e.split(" "),n=parseInt(o[0],10);return o[0]=o[0].replace(String(n),String(-1*n)),o.join(" ")}(r)}}}function v(e){var t=e&&e["&"];return t?t.displayName:void 0}var b=/\:global\((.+?)\)/g;function y(e,t){return e.indexOf(":global(")>=0?e.replace(b,"$1"):0===e.indexOf(":")?t+e:e.indexOf("&")<0?t+" "+e:e}function _(e,t,o,n){void 0===t&&(t={__order:[]}),0===o.indexOf("@")?C([n],t,o=o+"{"+e):o.indexOf(",")>-1?function(e){if(!b.test(e))return e;for(var t=[],o=/\:global\((.+?)\)/g,n=null;n=o.exec(e);)n[1].indexOf(",")>-1&&t.push([n.index,n.index+n[0].length,n[1].split(",").map((function(e){return":global("+e.trim()+")"})).join(", ")]);return t.reverse().reduce((function(e,t){var o=t[0],n=t[1],r=t[2];return e.slice(0,o)+r+e.slice(n)}),e)}(o).split(",").map((function(e){return e.trim()})).forEach((function(o){return C([n],t,y(o,e))})):C([n],t,y(o,e))}function C(e,t,o){void 0===t&&(t={__order:[]}),void 0===o&&(o="&");var n=i.Y.getInstance(),r=t[o];r||(r={},t[o]=r,t.__order.push(o));for(var a=0,s=e;ao&&t.push(e.substring(o,r)),o=r+1)}return o{"use strict";o.d(t,{k:()=>F});var n,r=o(7622),i=o(7002),a=o(7023),s=o(4932),l=o(4553),c=o(6840),u=o(8145),d=o(5951),p=o(688),m=o(2782),h=o(9757),g=o(8127),f=o(8088),v=o(3345),b=o(3978),y=o(4948),_=o(7466),C=o(5446),S=o(9444),x=o(9729),k="data-is-focusable",w="data-focuszone-id",I="tabindex",D="data-no-vertical-wrap",T="data-no-horizontal-wrap",E=999999999,P=-999999999,M={},R=new Set,N=["text","number","password","email","tel","url","search"],B=!1,F=function(e){function t(t){var o=e.call(this,t)||this;return o._root=i.createRef(),o._mergedRef=(0,s.S)(),o._onFocus=function(e){if(!o._portalContainsElement(e.target)){var t,n=o.props,r=n.onActiveElementChanged,i=n.doNotAllowFocusEventToPropagate,a=n.stopFocusPropagation,s=n.onFocusNotification,u=n.onFocus,d=n.shouldFocusInnerElementWhenReceivedFocus,p=n.defaultTabbableElement,m=o._isImmediateDescendantOfZone(e.target);if(m)t=e.target;else for(var h=e.target;h&&h!==o._root.current;){if((0,l.MW)(h)&&o._isImmediateDescendantOfZone(h)){t=h;break}h=(0,c.G)(h,B)}if(d&&e.target===o._root.current){var g=p&&"function"==typeof p&&p(o._root.current);g&&(0,l.MW)(g)?(t=g,g.focus()):(o.focus(!0),o._activeElement&&(t=null))}var f=!o._activeElement;t&&t!==o._activeElement&&((m||f)&&o._setFocusAlignment(t,!0,!0),o._activeElement=t,f&&o._updateTabIndexes()),r&&r(o._activeElement,e),(a||i)&&e.stopPropagation(),u?u(e):s&&s()}},o._onBlur=function(){o._setParkedFocus(!1)},o._onMouseDown=function(e){if(!o._portalContainsElement(e.target)&&!o.props.disabled){for(var t=e.target,n=[];t&&t!==o._root.current;)n.push(t),t=(0,c.G)(t,B);for(;n.length&&((t=n.pop())&&(0,l.MW)(t)&&o._setActiveElement(t,!0),!(0,l.jz)(t)););}},o._onKeyDown=function(e,t){if(!o._portalContainsElement(e.target)){var n=o.props,r=n.direction,i=n.disabled,s=n.isInnerZoneKeystroke,c=n.pagingSupportDisabled,p=n.shouldEnterInnerZone;if(!(i||(o.props.onKeyDown&&o.props.onKeyDown(e),e.isDefaultPrevented()||o._getDocument().activeElement===o._root.current&&o._isInnerZone))){if((p&&p(e)||s&&s(e))&&o._isImmediateDescendantOfZone(e.target)){var m=o._getFirstInnerZone();if(m){if(!m.focus(!0))return}else{if(!(0,l.gc)(e.target))return;if(!o.focusElement((0,l.dc)(e.target,e.target.firstChild,!0)))return}}else{if(e.altKey)return;switch(e.which){case u.m.space:if(o._tryInvokeClickForFocusable(e.target))break;return;case u.m.left:if(r!==a.U.vertical&&(o._preventDefaultWhenHandled(e),o._moveFocusLeft(t)))break;return;case u.m.right:if(r!==a.U.vertical&&(o._preventDefaultWhenHandled(e),o._moveFocusRight(t)))break;return;case u.m.up:if(r!==a.U.horizontal&&(o._preventDefaultWhenHandled(e),o._moveFocusUp()))break;return;case u.m.down:if(r!==a.U.horizontal&&(o._preventDefaultWhenHandled(e),o._moveFocusDown()))break;return;case u.m.pageDown:if(!c&&o._moveFocusPaging(!0))break;return;case u.m.pageUp:if(!c&&o._moveFocusPaging(!1))break;return;case u.m.tab:if(o.props.allowTabKey||o.props.handleTabKey===a.J.all||o.props.handleTabKey===a.J.inputOnly&&o._isElementInput(e.target)){var h=!1;if(o._processingTabKey=!0,h=r!==a.U.vertical&&o._shouldWrapFocus(o._activeElement,T)?((0,d.zg)(t)?!e.shiftKey:e.shiftKey)?o._moveFocusLeft(t):o._moveFocusRight(t):e.shiftKey?o._moveFocusUp():o._moveFocusDown(),o._processingTabKey=!1,h)break;o.props.shouldResetActiveElementWhenTabFromZone&&(o._activeElement=null)}return;case u.m.home:if(o._isContentEditableElement(e.target)||o._isElementInput(e.target)&&!o._shouldInputLoseFocus(e.target,!1))return!1;var g=o._root.current&&o._root.current.firstChild;if(o._root.current&&g&&o.focusElement((0,l.dc)(o._root.current,g,!0)))break;return;case u.m.end:if(o._isContentEditableElement(e.target)||o._isElementInput(e.target)&&!o._shouldInputLoseFocus(e.target,!0))return!1;var f=o._root.current&&o._root.current.lastChild;if(o._root.current&&o.focusElement((0,l.TD)(o._root.current,f,!0,!0,!0)))break;return;case u.m.enter:if(o._tryInvokeClickForFocusable(e.target))break;return;default:return}}e.preventDefault(),e.stopPropagation()}}},o._getHorizontalDistanceFromCenter=function(e,t,n){var r=o._focusAlignment.left||o._focusAlignment.x||0,i=Math.floor(n.top),a=Math.floor(t.bottom),s=Math.floor(n.bottom),l=Math.floor(t.top);return e&&i>a||!e&&s=n.left&&r<=n.left+n.width?0:Math.abs(n.left+n.width/2-r):o._shouldWrapFocus(o._activeElement,D)?E:P},(0,p.l)(o),o._id=(0,m.z)("FocusZone"),o._focusAlignment={left:0,top:0},o._processingTabKey=!1,o}return(0,r.ZT)(t,e),t.getOuterZones=function(){return R.size},t._onKeyDownCapture=function(e){e.which===u.m.tab&&R.forEach((function(e){return e._updateTabIndexes()}))},t.prototype.componentDidMount=function(){var e=this._root.current;if(M[this._id]=this,e){this._windowElement=(0,h.J)(e);for(var o=(0,c.G)(e,B);o&&o!==this._getDocument().body&&1===o.nodeType;){if((0,l.jz)(o)){this._isInnerZone=!0;break}o=(0,c.G)(o,B)}this._isInnerZone||(R.add(this),this._windowElement&&1===R.size&&this._windowElement.addEventListener("keydown",t._onKeyDownCapture,!0)),this._root.current&&this._root.current.addEventListener("blur",this._onBlur,!0),this._updateTabIndexes(),this.props.defaultTabbableElement&&"string"==typeof this.props.defaultTabbableElement?this._activeElement=this._getDocument().querySelector(this.props.defaultTabbableElement):this.props.defaultActiveElement&&(this._activeElement=this._getDocument().querySelector(this.props.defaultActiveElement)),this.props.shouldFocusOnMount&&this.focus()}},t.prototype.componentDidUpdate=function(){var e=this._root.current,t=this._getDocument();if(t&&this._lastIndexPath&&(t.activeElement===t.body||null===t.activeElement||!this.props.preventFocusRestoration&&t.activeElement===e)){var o=(0,l.bF)(e,this._lastIndexPath);o?(this._setActiveElement(o,!0),o.focus(),this._setParkedFocus(!1)):this._setParkedFocus(!0)}},t.prototype.componentWillUnmount=function(){delete M[this._id],this._isInnerZone||(R.delete(this),this._windowElement&&0===R.size&&this._windowElement.removeEventListener("keydown",t._onKeyDownCapture,!0)),this._root.current&&this._root.current.removeEventListener("blur",this._onBlur,!0),this._activeElement=null,this._defaultFocusElement=null},t.prototype.render=function(){var e=this,t=this.props,o=t.as,a=t.elementType,s=t.rootProps,l=t.ariaDescribedBy,c=t.ariaLabelledBy,u=t.className,d=(0,g.pq)(this.props,g.iY),p=o||a||"div";this._evaluateFocusBeforeRender();var m=(0,x.gh)();return i.createElement(p,(0,r.pi)({"aria-labelledby":c,"aria-describedby":l},d,s,{className:(0,f.i)((n||(n=(0,S.y)({selectors:{":focus":{outline:"none"}}},"ms-FocusZone")),n),u),ref:this._mergedRef(this.props.elementRef,this._root),"data-focuszone-id":this._id,onKeyDown:function(t){return e._onKeyDown(t,m)},onFocus:this._onFocus,onMouseDownCapture:this._onMouseDown}),this.props.children)},t.prototype.focus=function(e){if(void 0===e&&(e=!1),this._root.current){if(!e&&"true"===this._root.current.getAttribute(k)&&this._isInnerZone){var t=this._getOwnerZone(this._root.current);if(t!==this._root.current){var o=M[t.getAttribute(w)];return!!o&&o.focusElement(this._root.current)}return!1}if(!e&&this._activeElement&&(0,v.t)(this._root.current,this._activeElement)&&(0,l.MW)(this._activeElement))return this._activeElement.focus(),!0;var n=this._root.current.firstChild;return this.focusElement((0,l.dc)(this._root.current,n,!0))}return!1},t.prototype.focusLast=function(){if(this._root.current){var e=this._root.current&&this._root.current.lastChild;return this.focusElement((0,l.TD)(this._root.current,e,!0,!0,!0))}return!1},t.prototype.focusElement=function(e,t){var o=this.props,n=o.onBeforeFocus,r=o.shouldReceiveFocus;return!(r&&!r(e)||n&&!n(e)||!e||(this._setActiveElement(e,t),this._activeElement&&this._activeElement.focus(),0))},t.prototype.setFocusAlignment=function(e){this._focusAlignment=e},t.prototype._evaluateFocusBeforeRender=function(){var e=this._root.current,t=this._getDocument();if(t){var o=t.activeElement;if(o!==e){var n=(0,v.t)(e,o,!1);this._lastIndexPath=n?(0,l.xu)(e,o):void 0}}},t.prototype._setParkedFocus=function(e){var t=this._root.current;t&&this._isParked!==e&&(this._isParked=e,e?(this.props.allowFocusRoot||(this._parkedTabIndex=t.getAttribute("tabindex"),t.setAttribute("tabindex","-1")),t.focus()):this.props.allowFocusRoot||(this._parkedTabIndex?(t.setAttribute("tabindex",this._parkedTabIndex),this._parkedTabIndex=void 0):t.removeAttribute("tabindex")))},t.prototype._setActiveElement=function(e,t){var o=this._activeElement;this._activeElement=e,o&&((0,l.jz)(o)&&this._updateTabIndexes(o),o.tabIndex=-1),this._activeElement&&(this._focusAlignment&&!t||this._setFocusAlignment(e,!0,!0),this._activeElement.tabIndex=0)},t.prototype._preventDefaultWhenHandled=function(e){this.props.preventDefaultWhenHandled&&e.preventDefault()},t.prototype._tryInvokeClickForFocusable=function(e){if(e===this._root.current||!this.props.shouldRaiseClicks)return!1;do{if("BUTTON"===e.tagName||"A"===e.tagName||"INPUT"===e.tagName||"TEXTAREA"===e.tagName)return!1;if(this._isImmediateDescendantOfZone(e)&&"true"===e.getAttribute(k)&&"true"!==e.getAttribute("data-disable-click-on-enter"))return(0,b.x)(e),!0;e=(0,c.G)(e,B)}while(e!==this._root.current);return!1},t.prototype._getFirstInnerZone=function(e){if(!(e=e||this._activeElement||this._root.current))return null;if((0,l.jz)(e))return M[e.getAttribute(w)];for(var t=e.firstElementChild;t;){if((0,l.jz)(t))return M[t.getAttribute(w)];var o=this._getFirstInnerZone(t);if(o)return o;t=t.nextElementSibling}return null},t.prototype._moveFocus=function(e,t,o,n){void 0===n&&(n=!0);var r=this._activeElement,i=-1,s=void 0,c=!1,u=this.props.direction===a.U.bidirectional;if(!r||!this._root.current)return!1;if(this._isElementInput(r)&&!this._shouldInputLoseFocus(r,e))return!1;var d=u?r.getBoundingClientRect():null;do{if(r=e?(0,l.dc)(this._root.current,r):(0,l.TD)(this._root.current,r),!u){s=r;break}if(r){var p=t(d,r.getBoundingClientRect());if(-1===p&&-1===i){s=r;break}if(p>-1&&(-1===i||p=0&&p<0)break}}while(r);if(s&&s!==this._activeElement)c=!0,this.focusElement(s);else if(this.props.isCircularNavigation&&n)return e?this.focusElement((0,l.dc)(this._root.current,this._root.current.firstElementChild,!0)):this.focusElement((0,l.TD)(this._root.current,this._root.current.lastElementChild,!0,!0,!0));return c},t.prototype._moveFocusDown=function(){var e=this,t=-1,o=this._focusAlignment.left||this._focusAlignment.x||0;return!!this._moveFocus(!0,(function(n,r){var i=-1,a=Math.floor(r.top),s=Math.floor(n.bottom);return a=s||a===t)&&(t=a,i=o>=r.left&&o<=r.left+r.width?0:Math.abs(r.left+r.width/2-o)),i)}))&&(this._setFocusAlignment(this._activeElement,!1,!0),!0)},t.prototype._moveFocusUp=function(){var e=this,t=-1,o=this._focusAlignment.left||this._focusAlignment.x||0;return!!this._moveFocus(!1,(function(n,r){var i=-1,a=Math.floor(r.bottom),s=Math.floor(r.top),l=Math.floor(n.top);return a>l?e._shouldWrapFocus(e._activeElement,D)?E:P:((-1===t&&a<=l||s===t)&&(t=s,i=o>=r.left&&o<=r.left+r.width?0:Math.abs(r.left+r.width/2-o)),i)}))&&(this._setFocusAlignment(this._activeElement,!1,!0),!0)},t.prototype._moveFocusLeft=function(e){var t=this,o=this._shouldWrapFocus(this._activeElement,T);return!!this._moveFocus((0,d.zg)(e),(function(n,r){var i=-1;return((0,d.zg)(e)?parseFloat(r.top.toFixed(3))parseFloat(n.top.toFixed(3)))&&r.right<=n.right&&t.props.direction!==a.U.vertical?i=n.right-r.right:o||(i=P),i}),void 0,o)&&(this._setFocusAlignment(this._activeElement,!0,!1),!0)},t.prototype._moveFocusRight=function(e){var t=this,o=this._shouldWrapFocus(this._activeElement,T);return!!this._moveFocus(!(0,d.zg)(e),(function(n,r){var i=-1;return((0,d.zg)(e)?parseFloat(r.bottom.toFixed(3))>parseFloat(n.top.toFixed(3)):parseFloat(r.top.toFixed(3))=n.left&&t.props.direction!==a.U.vertical?i=r.left-n.left:o||(i=P),i}),void 0,o)&&(this._setFocusAlignment(this._activeElement,!0,!1),!0)},t.prototype._moveFocusPaging=function(e,t){void 0===t&&(t=!0);var o=this._activeElement;if(!o||!this._root.current)return!1;if(this._isElementInput(o)&&!this._shouldInputLoseFocus(o,e))return!1;var n=(0,y.zj)(o);if(!n)return!1;var r=-1,i=void 0,a=-1,s=-1,c=n.clientHeight,u=o.getBoundingClientRect();do{if(o=e?(0,l.dc)(this._root.current,o):(0,l.TD)(this._root.current,o)){var d=o.getBoundingClientRect(),p=Math.floor(d.top),m=Math.floor(u.bottom),h=Math.floor(d.bottom),g=Math.floor(u.top),f=this._getHorizontalDistanceFromCenter(e,u,d);if(e&&p>m+c||!e&&h-1&&(e&&p>a?(a=p,r=f,i=o):!e&&h-1){var o=e.selectionStart,n=o!==e.selectionEnd,r=e.value,i=e.readOnly;if(n||o>0&&!t&&!i||o!==r.length&&t&&!i||this.props.handleTabKey&&(!this.props.shouldInputLoseFocusOnArrowKey||!this.props.shouldInputLoseFocusOnArrowKey(e)))return!1}return!0},t.prototype._shouldWrapFocus=function(e,t){return!this.props.checkForNoWrap||(0,l.mM)(e,t)},t.prototype._portalContainsElement=function(e){return e&&!!this._root.current&&(0,_.w)(e,this._root.current)},t.prototype._getDocument=function(){return(0,C.M)(this._root.current)},t.defaultProps={isCircularNavigation:!1,direction:a.U.bidirectional,shouldRaiseClicks:!0},t}(i.Component)},7023:(e,t,o)=>{"use strict";o.d(t,{J:()=>r,U:()=>n});var n,r={none:0,all:1,inputOnly:2};!function(e){e[e.vertical=0]="vertical",e[e.horizontal=1]="horizontal",e[e.bidirectional=2]="bidirectional",e[e.domOrder=3]="domOrder"}(n||(n={}))},3528:(e,t,o)=>{"use strict";o.d(t,{r:()=>a});var n=o(2167),r=o(7002),i=o(7913);function a(){var e=(0,i.B)((function(){return new n.e}));return r.useEffect((function(){return function(){return e.dispose()}}),[e]),e}},2861:(e,t,o)=>{"use strict";o.d(t,{k:()=>i});var n=o(7002),r=o(7913);function i(e){var t=n.useState(e),o=t[0],i=t[1];return[o,{setTrue:(0,r.B)((function(){return function(){i(!0)}})),setFalse:(0,r.B)((function(){return function(){i(!1)}})),toggle:(0,r.B)((function(){return function(){i((function(e){return!e}))}}))}]}},7913:(e,t,o)=>{"use strict";o.d(t,{B:()=>r});var n=o(7002);function r(e){var t=n.useRef();return void 0===t.current&&(t.current={value:"function"==typeof e?e():e}),t.current.value}},6548:(e,t,o)=>{"use strict";o.d(t,{G:()=>i});var n=o(7002),r=o(7913);function i(e,t,o){var i=n.useState(t),a=i[0],s=i[1],l=(0,r.B)(void 0!==e),c=l?e:a,u=n.useRef(c),d=n.useRef(o);n.useEffect((function(){u.current=c,d.current=o}));var p=(0,r.B)((function(){return function(e,t){var o="function"==typeof e?e(u.current):e;d.current&&d.current(t,o),l||s(o)}}));return[c,p]}},4085:(e,t,o)=>{"use strict";o.d(t,{M:()=>i});var n=o(7002),r=o(2782);function i(e,t){var o=n.useRef(t);return o.current||(o.current=(0,r.z)(e)),o.current}},9241:(e,t,o)=>{"use strict";o.d(t,{r:()=>i});var n=o(7622),r=o(7002);function i(){for(var e=[],t=0;t{"use strict";o.d(t,{d:()=>i});var n=o(9251),r=o(7002);function i(e,t,o,i){var a=r.useRef(o);a.current=o,r.useEffect((function(){var o=e&&"current"in e?e.current:e;if(o)return(0,n.on)(o,t,(function(e){return a.current(e)}),i)}),[e,t,i])}},6876:(e,t,o)=>{"use strict";o.d(t,{D:()=>r});var n=o(7002);function r(e){var t=(0,n.useRef)();return(0,n.useEffect)((function(){t.current=e})),t.current}},5646:(e,t,o)=>{"use strict";o.d(t,{L:()=>i});var n=o(7002),r=o(7913),i=function(){var e=(0,r.B)({});return n.useEffect((function(){return function(){for(var t=0,o=Object.keys(e);t{"use strict";o.d(t,{e:()=>a});var n=o(5446),r=o(7002),i=o(8901);function a(e,t){var o,a=r.useRef(),s=r.useRef(null),l=(0,i.zY)();if(!e||e!==a.current||"string"==typeof e){var c=null===(o=t)||void 0===o?void 0:o.current;if(e)if("string"==typeof e){var u=(0,n.M)(c);s.current=u?u.querySelector(e):null}else s.current="stopPropagation"in e||"getBoundingClientRect"in e?e:"current"in e?e.current:e;a.current=e}return[s,l]}},8901:(e,t,o)=>{"use strict";o.d(t,{Hn:()=>r,zY:()=>i,ky:()=>a,WU:()=>s});var n=o(7002),r=n.createContext({window:"object"==typeof window?window:void 0}),i=function(){return n.useContext(r).window},a=function(){var e;return null===(e=n.useContext(r).window)||void 0===e?void 0:e.document},s=function(e){return n.createElement(r.Provider,{value:e},e.children)}},6628:(e,t,o)=>{"use strict";o.d(t,{b:()=>n});var n={topLeftEdge:0,topCenter:1,topRightEdge:2,topAutoEdge:3,bottomLeftEdge:4,bottomCenter:5,bottomRightEdge:6,bottomAutoEdge:7,leftTopEdge:8,leftCenter:9,leftBottomEdge:10,rightTopEdge:11,rightCenter:12,rightBottomEdge:13}},9942:(e,t,o)=>{"use strict";o.d(t,{d:()=>c});var n=o(7622),r=o(7002),i=o(7300),a=o(8127),s=o(6055),l=(0,i.y)(),c=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.message,o=e.styles,i=e.as,c=void 0===i?"div":i,u=e.className,d=l(o,{className:u});return r.createElement(c,(0,n.pi)({role:"status",className:d.root},(0,a.pq)(this.props,a.n7,["className"])),r.createElement(s.U,null,r.createElement("div",{className:d.screenReaderText},t)))},t.defaultProps={"aria-live":"polite"},t}(r.Component)},3945:(e,t,o)=>{"use strict";o.d(t,{O:()=>a});var n=o(2002),r=o(9942),i=o(9729),a=(0,n.z)(r.d,(function(e){return{root:e.className,screenReaderText:i.ul}}))},5767:(e,t,o)=>{"use strict";o.d(t,{G:()=>d});var n=o(7622),r=o(7002),i=o(5036),a=o(8145),s=o(688),l=o(2167),c=o(8127),u="backward",d=function(e){function t(t){var o=e.call(this,t)||this;return o._inputElement=r.createRef(),o._autoFillEnabled=!0,o._isComposing=!1,o._onCompositionStart=function(e){o._isComposing=!0,o._autoFillEnabled=!1},o._onCompositionUpdate=function(){(0,i.f)()&&o._updateValue(o._getCurrentInputValue(),!0)},o._onCompositionEnd=function(e){var t=o._getCurrentInputValue();o._tryEnableAutofill(t,o.value,!1,!0),o._isComposing=!1,o._async.setTimeout((function(){o._updateValue(o._getCurrentInputValue(),!1)}),0)},o._onClick=function(){o.value&&""!==o.value&&o._autoFillEnabled&&(o._autoFillEnabled=!1)},o._onKeyDown=function(e){if(o.props.onKeyDown&&o.props.onKeyDown(e),!e.nativeEvent.isComposing)switch(e.which){case a.m.backspace:o._autoFillEnabled=!1;break;case a.m.left:case a.m.right:o._autoFillEnabled&&(o.setState({inputValue:o.props.suggestedDisplayValue||""}),o._autoFillEnabled=!1);break;default:o._autoFillEnabled||-1!==o.props.enableAutofillOnKeyPress.indexOf(e.which)&&(o._autoFillEnabled=!0)}},o._onInputChanged=function(e){var t=o._getCurrentInputValue(e);if(o._isComposing||o._tryEnableAutofill(t,o.value,e.nativeEvent.isComposing),!(0,i.f)()||!o._isComposing){var n=e.nativeEvent.isComposing,r=void 0===n?o._isComposing:n;o._updateValue(t,r)}},o._onChanged=function(){},o._updateValue=function(e,t){var n;if(e||e!==o.value){var r=o.props,i=r.onInputChange,a=r.onInputValueChange;i&&(e=(null===(n=i)||void 0===n?void 0:n(e,t))||""),o.setState({inputValue:e},(function(){var o;return null===(o=a)||void 0===o?void 0:o(e,t)}))}},(0,s.l)(o),o._async=new l.e(o),o.state={inputValue:t.defaultVisibleValue||""},o}return(0,n.ZT)(t,e),t.getDerivedStateFromProps=function(e,t){if(e.updateValueInWillReceiveProps){var o=e.updateValueInWillReceiveProps();if(null!==o&&o!==t.inputValue)return{inputValue:o}}return null},Object.defineProperty(t.prototype,"cursorLocation",{get:function(){if(this._inputElement.current){var e=this._inputElement.current;return"forward"!==e.selectionDirection?e.selectionEnd:e.selectionStart}return-1},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"isValueSelected",{get:function(){return Boolean(this.inputElement&&this.inputElement.selectionStart!==this.inputElement.selectionEnd)},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"value",{get:function(){return this._getControlledValue()||this.state.inputValue||""},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"selectionStart",{get:function(){return this._inputElement.current?this._inputElement.current.selectionStart:-1},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"selectionEnd",{get:function(){return this._inputElement.current?this._inputElement.current.selectionEnd:-1},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"inputElement",{get:function(){return this._inputElement.current},enumerable:!0,configurable:!0}),t.prototype.componentDidUpdate=function(){var e=this.props,t=e.suggestedDisplayValue,o=e.shouldSelectFullInputValueInComponentDidUpdate,n=0;if(!e.preventValueSelection&&this._autoFillEnabled&&this.value&&t&&p(t,this.value)){var r=!1;if(o&&(r=o()),r&&this._inputElement.current)this._inputElement.current.setSelectionRange(0,t.length,u);else{for(;n0&&this._inputElement.current&&this._inputElement.current.setSelectionRange(n,t.length,u)}}},t.prototype.componentWillUnmount=function(){this._async.dispose()},t.prototype.render=function(){var e=(0,c.pq)(this.props,c.Gg),t=(0,n.pi)((0,n.pi)({},this.props.style),{fontFamily:"inherit"});return r.createElement("input",(0,n.pi)({autoCapitalize:"off",autoComplete:"off","aria-autocomplete":"both"},e,{style:t,ref:this._inputElement,value:this._getDisplayValue(),onCompositionStart:this._onCompositionStart,onCompositionUpdate:this._onCompositionUpdate,onCompositionEnd:this._onCompositionEnd,onChange:this._onChanged,onInput:this._onInputChanged,onKeyDown:this._onKeyDown,onClick:this.props.onClick?this.props.onClick:this._onClick,"data-lpignore":!0}))},t.prototype.focus=function(){this._inputElement.current&&this._inputElement.current.focus()},t.prototype.clear=function(){this._autoFillEnabled=!0,this._updateValue("",!1),this._inputElement.current&&this._inputElement.current.setSelectionRange(0,0)},t.prototype._getCurrentInputValue=function(e){return e&&e.target&&e.target.value?e.target.value:this.inputElement&&this.inputElement.value?this.inputElement.value:""},t.prototype._tryEnableAutofill=function(e,t,o,n){!o&&e&&this._inputElement.current&&this._inputElement.current.selectionStart===e.length&&!this._autoFillEnabled&&(e.length>t.length||n)&&(this._autoFillEnabled=!0)},t.prototype._getDisplayValue=function(){return this._autoFillEnabled?(e=this.value,t=this.props.suggestedDisplayValue,o=e,t&&e&&p(t,o)&&(o=t),o):this.value;var e,t,o},t.prototype._getControlledValue=function(){var e=this.props.value;return void 0===e||"string"==typeof e?e:(console.warn("props.value of Autofill should be a string, but it is "+e+" with type of "+typeof e),e.toString())},t.defaultProps={enableAutofillOnKeyPress:[a.m.down,a.m.up]},t}(r.Component);function p(e,t){return!(!e||!t)&&0===e.toLocaleLowerCase().indexOf(t.toLocaleLowerCase())}},2898:(e,t,o)=>{"use strict";o.d(t,{K:()=>c});var n=o(7622),r=o(7002),i=o(4968),a=o(9013),s=o(6053),l=o(3608),c=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.theme;return r.createElement(i.Y,(0,n.pi)({},this.props,{variantClassName:"ms-Button--action ms-Button--command",styles:(0,l.W)(o,t),onRenderDescription:a.S}))},(0,n.gn)([(0,s.a)("ActionButton",["theme","styles"],!0)],t)}(r.Component)},3608:(e,t,o)=>{"use strict";o.d(t,{W:()=>a});var n=o(9729),r=o(5094),i=o(1860),a=(0,r.NF)((function(e,t){var o,r,a,s=(0,i.W)(e),l={root:{padding:"0 4px",height:"40px",color:e.palette.neutralPrimary,backgroundColor:"transparent",border:"1px solid transparent",selectors:(o={},o[n.qJ]={borderColor:"Window"},o)},rootHovered:{color:e.palette.themePrimary,selectors:(r={},r[n.qJ]={color:"Highlight"},r)},iconHovered:{color:e.palette.themePrimary},rootPressed:{color:e.palette.black},rootExpanded:{color:e.palette.themePrimary},iconPressed:{color:e.palette.themeDarker},rootDisabled:{color:e.palette.neutralTertiary,backgroundColor:"transparent",borderColor:"transparent",selectors:(a={},a[n.qJ]={color:"GrayText"},a)},rootChecked:{color:e.palette.black},iconChecked:{color:e.palette.themeDarker},flexContainer:{justifyContent:"flex-start"},icon:{color:e.palette.themeDarkAlt},iconDisabled:{color:"inherit"},menuIcon:{color:e.palette.neutralSecondary},textContainer:{flexGrow:0}};return(0,n.E$)(s,l,t)}))},2657:(e,t,o)=>{"use strict";o.d(t,{n:()=>i,f:()=>a});var n=o(5094),r=o(9729),i={msButton:"ms-Button",msButtonHasMenu:"ms-Button--hasMenu",msButtonIcon:"ms-Button-icon",msButtonMenuIcon:"ms-Button-menuIcon",msButtonLabel:"ms-Button-label",msButtonDescription:"ms-Button-description",msButtonScreenReaderText:"ms-Button-screenReaderText",msButtonFlexContainer:"ms-Button-flexContainer",msButtonTextContainer:"ms-Button-textContainer"},a=(0,n.NF)((function(e,t,o,n,a,s,l,c,u,d,p){var m,h,g=(0,r.Cn)(i,e||{}),f=d&&!p;return(0,r.ZC)({root:[g.msButton,t.root,n,u&&["is-checked",t.rootChecked],f&&["is-expanded",t.rootExpanded,{selectors:(m={},m[":hover ."+g.msButtonIcon]=t.iconExpandedHovered,m[":hover ."+g.msButtonMenuIcon]=t.menuIconExpandedHovered||t.rootExpandedHovered,m[":hover"]=t.rootExpandedHovered,m)}],c&&[i.msButtonHasMenu,t.rootHasMenu],l&&["is-disabled",t.rootDisabled],!l&&!f&&!u&&{selectors:(h={":hover":t.rootHovered},h[":hover ."+g.msButtonLabel]=t.labelHovered,h[":hover ."+g.msButtonIcon]=t.iconHovered,h[":hover ."+g.msButtonDescription]=t.descriptionHovered,h[":hover ."+g.msButtonMenuIcon]=t.menuIconHovered,h[":focus"]=t.rootFocused,h[":active"]=t.rootPressed,h[":active ."+g.msButtonIcon]=t.iconPressed,h[":active ."+g.msButtonDescription]=t.descriptionPressed,h[":active ."+g.msButtonMenuIcon]=t.menuIconPressed,h)},l&&u&&[t.rootCheckedDisabled],!l&&u&&{selectors:{":hover":t.rootCheckedHovered,":active":t.rootCheckedPressed}},o],flexContainer:[g.msButtonFlexContainer,t.flexContainer],textContainer:[g.msButtonTextContainer,t.textContainer],icon:[g.msButtonIcon,a,t.icon,f&&t.iconExpanded,u&&t.iconChecked,l&&t.iconDisabled],label:[g.msButtonLabel,t.label,u&&t.labelChecked,l&&t.labelDisabled],menuIcon:[g.msButtonMenuIcon,s,t.menuIcon,u&&t.menuIconChecked,l&&!p&&t.menuIconDisabled,!l&&!f&&!u&&{selectors:{":hover":t.menuIconHovered,":active":t.menuIconPressed}},f&&["is-expanded",t.menuIconExpanded]],description:[g.msButtonDescription,t.description,u&&t.descriptionChecked,l&&t.descriptionDisabled],screenReaderText:[g.msButtonScreenReaderText,t.screenReaderText]})}))},4968:(e,t,o)=>{"use strict";o.d(t,{Y:()=>P});var n=o(7622),r=o(7002),i=o(5094),a=o(8088),s=o(7466),l=o(8145),c=o(688),u=o(2167),d=o(9919),p=o(5415),m=o(3129),h=o(2782),g=o(8127),f=o(2447),v=o(9013),b=o(5480),y=o(9577),_=o(4932),C=o(9947),S=o(4734),x=o(7840),k=o(6628),w=o(9134),I=o(2657),D=o(5032),T=o(9949),E="BaseButton",P=function(e){function t(t){var o=e.call(this,t)||this;return o._buttonElement=r.createRef(),o._splitButtonContainer=r.createRef(),o._mergedRef=(0,_.S)(),o._renderedVisibleMenu=!1,o._getMemoizedMenuButtonKeytipProps=(0,i.NF)((function(e){return(0,n.pi)((0,n.pi)({},e),{hasMenu:!0})})),o._onRenderIcon=function(e,t){var i=o.props.iconProps;if(i&&(void 0!==i.iconName||i.imageProps)){var s=i.className,l=i.imageProps,c=(0,n._T)(i,["className","imageProps"]);if(i.styles)return r.createElement(C.J,(0,n.pi)({className:(0,a.i)(o._classNames.icon,s),imageProps:l},c));if(i.iconName)return r.createElement(S.xu,(0,n.pi)({className:(0,a.i)(o._classNames.icon,s)},c));if(l)return r.createElement(x.X,(0,n.pi)({className:(0,a.i)(o._classNames.icon,s),imageProps:l},c))}return null},o._onRenderTextContents=function(){var e=o.props,t=e.text,n=e.children,i=e.secondaryText,a=void 0===i?o.props.description:i,s=e.onRenderText,l=void 0===s?o._onRenderText:s,c=e.onRenderDescription,u=void 0===c?o._onRenderDescription:c;return t||"string"==typeof n||a?r.createElement("span",{className:o._classNames.textContainer},l(o.props,o._onRenderText),u(o.props,o._onRenderDescription)):[l(o.props,o._onRenderText),u(o.props,o._onRenderDescription)]},o._onRenderText=function(){var e=o.props.text,t=o.props.children;return void 0===e&&"string"==typeof t&&(e=t),o._hasText()?r.createElement("span",{key:o._labelId,className:o._classNames.label,id:o._labelId},e):null},o._onRenderChildren=function(){var e=o.props.children;return"string"==typeof e?null:e},o._onRenderDescription=function(e){var t=e.secondaryText,n=void 0===t?o.props.description:t;return n?r.createElement("span",{key:o._descriptionId,className:o._classNames.description,id:o._descriptionId},n):null},o._onRenderAriaDescription=function(){var e=o.props.ariaDescription;return e?r.createElement("span",{className:o._classNames.screenReaderText,id:o._ariaDescriptionId},e):null},o._onRenderMenuIcon=function(e){var t=o.props.menuIconProps;return r.createElement(S.xu,(0,n.pi)({iconName:"ChevronDown"},t,{className:o._classNames.menuIcon}))},o._onRenderMenu=function(e){var t=o.props.persistMenu,i=o.state.menuHidden,s=o.props.menuAs||w.r;return e.ariaLabel||e.labelElementId||!o._hasText()||(e=(0,n.pi)((0,n.pi)({},e),{labelElementId:o._labelId})),r.createElement(s,(0,n.pi)({id:o._labelId+"-menu",directionalHint:k.b.bottomLeftEdge},e,{shouldFocusOnContainer:o._menuShouldFocusOnContainer,shouldFocusOnMount:o._menuShouldFocusOnMount,hidden:t?i:void 0,className:(0,a.i)("ms-BaseButton-menuhost",e.className),target:o._isSplitButton?o._splitButtonContainer.current:o._buttonElement.current,onDismiss:o._onDismissMenu}))},o._onDismissMenu=function(e){var t=o.props.menuProps;t&&t.onDismiss&&t.onDismiss(e),e&&e.defaultPrevented||o._dismissMenu()},o._dismissMenu=function(){o._menuShouldFocusOnMount=void 0,o._menuShouldFocusOnContainer=void 0,o.setState({menuHidden:!0})},o._openMenu=function(e,t){void 0===t&&(t=!0),o.props.menuProps&&(o._menuShouldFocusOnContainer=e,o._menuShouldFocusOnMount=t,o._renderedVisibleMenu=!0,o.setState({menuHidden:!1}))},o._onToggleMenu=function(e){var t=!0;o.props.menuProps&&!1===o.props.menuProps.shouldFocusOnMount&&(t=!1),o.state.menuHidden?o._openMenu(e,t):o._dismissMenu()},o._onSplitContainerFocusCapture=function(e){var t=o._splitButtonContainer.current;!t||e.target&&(0,s.w)(e.target,t)||t.focus()},o._onSplitButtonPrimaryClick=function(e){o.state.menuHidden||o._dismissMenu(),!o._processingTouch&&o.props.onClick?o.props.onClick(e):o._processingTouch&&o._onMenuClick(e)},o._onKeyDown=function(e){!o.props.disabled||e.which!==l.m.enter&&e.which!==l.m.space?o.props.disabled||(o.props.menuProps?o._onMenuKeyDown(e):void 0!==o.props.onKeyDown&&o.props.onKeyDown(e)):(e.preventDefault(),e.stopPropagation())},o._onKeyUp=function(e){o.props.disabled||void 0===o.props.onKeyUp||o.props.onKeyUp(e)},o._onKeyPress=function(e){o.props.disabled||void 0===o.props.onKeyPress||o.props.onKeyPress(e)},o._onMouseUp=function(e){o.props.disabled||void 0===o.props.onMouseUp||o.props.onMouseUp(e)},o._onMouseDown=function(e){o.props.disabled||void 0===o.props.onMouseDown||o.props.onMouseDown(e)},o._onClick=function(e){o.props.disabled||(o.props.menuProps?o._onMenuClick(e):void 0!==o.props.onClick&&o.props.onClick(e))},o._onSplitButtonContainerKeyDown=function(e){e.which===l.m.enter||e.which===l.m.space?o._buttonElement.current&&(o._buttonElement.current.click(),e.preventDefault(),e.stopPropagation()):o._onMenuKeyDown(e)},o._onMenuKeyDown=function(e){if(!o.props.disabled){o.props.onKeyDown&&o.props.onKeyDown(e);var t=e.which===l.m.up,n=e.which===l.m.down;if(!e.defaultPrevented&&o._isValidMenuOpenKey(e)){var r=o.props.onMenuClick;r&&r(e,o.props),o._onToggleMenu(!1),e.preventDefault(),e.stopPropagation()}e.altKey||e.metaKey||!t&&!n||!o.state.menuHidden&&o.props.menuProps&&((void 0!==o._menuShouldFocusOnMount?o._menuShouldFocusOnMount:o.props.menuProps.shouldFocusOnMount)||(e.preventDefault(),e.stopPropagation(),o._menuShouldFocusOnMount=!0,o.forceUpdate()))}},o._onTouchStart=function(){o._isSplitButton&&o._splitButtonContainer.current&&!("onpointerdown"in o._splitButtonContainer.current)&&o._handleTouchAndPointerEvent()},o._onMenuClick=function(e){var t=o.props.onMenuClick;if(t&&t(e,o.props),!e.defaultPrevented){var n=0!==e.nativeEvent.detail||"mouse"===e.nativeEvent.pointerType;o._onToggleMenu(n),e.preventDefault(),e.stopPropagation()}},(0,c.l)(o),o._async=new u.e(o),o._events=new d.r(o),(0,p.w)(E,t,["menuProps","onClick"],"split",o.props.split),(0,m.b)(E,t,{rootProps:void 0,description:"secondaryText",toggled:"checked"}),o._labelId=(0,h.z)(),o._descriptionId=(0,h.z)(),o._ariaDescriptionId=(0,h.z)(),o.state={menuHidden:!0},o}return(0,n.ZT)(t,e),Object.defineProperty(t.prototype,"_isSplitButton",{get:function(){return!!this.props.menuProps&&!!this.props.onClick&&!0===this.props.split},enumerable:!0,configurable:!0}),t.prototype.render=function(){var e,t=this.props,o=t.ariaDescription,n=t.ariaLabel,r=t.ariaHidden,i=t.className,a=t.disabled,s=t.allowDisabledFocus,l=t.primaryDisabled,c=t.secondaryText,u=void 0===c?this.props.description:c,d=t.href,p=t.iconProps,m=t.menuIconProps,h=t.styles,b=t.checked,y=t.variantClassName,_=t.theme,C=t.toggle,S=t.getClassNames,x=t.role,k=this.state.menuHidden,w=a||l;this._classNames=S?S(_,i,y,p&&p.className,m&&m.className,w,b,!k,!!this.props.menuProps,this.props.split,!!s):(0,I.f)(_,h,i,y,p&&p.className,m&&m.className,w,!!this.props.menuProps,b,!k,this.props.split);var D=this,T=D._ariaDescriptionId,E=D._labelId,P=D._descriptionId,M=!w&&!!d,R=M?"a":"button",N=(0,g.pq)((0,f.f0)(M?{}:{type:"button"},this.props.rootProps,this.props),M?g.h2:g.Yq,["disabled"]),B=n||N["aria-label"],F=void 0;o?F=T:u&&this.props.onRenderDescription!==v.S?F=P:N["aria-describedby"]&&(F=N["aria-describedby"]);var L=void 0;B||(N["aria-labelledby"]?L=N["aria-labelledby"]:F&&(L=this._hasText()?E:void 0));var A=!(!1===this.props["data-is-focusable"]||a&&!s||this._isSplitButton),z="menuitemcheckbox"===x||"checkbox"===x,H=z||!0===C?!!b:void 0,O=(0,f.f0)(N,((e={className:this._classNames.root,ref:this._mergedRef(this.props.elementRef,this._buttonElement),disabled:w&&!s,onKeyDown:this._onKeyDown,onKeyPress:this._onKeyPress,onKeyUp:this._onKeyUp,onMouseDown:this._onMouseDown,onMouseUp:this._onMouseUp,onClick:this._onClick,"aria-label":B,"aria-labelledby":L,"aria-describedby":F,"aria-disabled":w,"data-is-focusable":A})[z?"aria-checked":"aria-pressed"]=H,e));return r&&(O["aria-hidden"]=!0),this._isSplitButton?this._onRenderSplitButtonContent(R,O):(this.props.menuProps&&(0,f.f0)(O,{"aria-expanded":!k,"aria-controls":k?null:this._labelId+"-menu","aria-haspopup":!0}),this._onRenderContent(R,O))},t.prototype.componentDidMount=function(){this._isSplitButton&&this._splitButtonContainer.current&&("onpointerdown"in this._splitButtonContainer.current&&this._events.on(this._splitButtonContainer.current,"pointerdown",this._onPointerDown,!0),"onpointerup"in this._splitButtonContainer.current&&this.props.onPointerUp&&this._events.on(this._splitButtonContainer.current,"pointerup",this.props.onPointerUp,!0))},t.prototype.componentDidUpdate=function(e,t){this.props.onAfterMenuDismiss&&!t.menuHidden&&this.state.menuHidden&&this.props.onAfterMenuDismiss()},t.prototype.componentWillUnmount=function(){this._async.dispose(),this._events.dispose()},t.prototype.focus=function(){this._isSplitButton&&this._splitButtonContainer.current?this._splitButtonContainer.current.focus():this._buttonElement.current&&this._buttonElement.current.focus()},t.prototype.dismissMenu=function(){this._dismissMenu()},t.prototype.openMenu=function(e,t){this._openMenu(e,t)},t.prototype._onRenderContent=function(e,t){var o=this,i=this.props,a=e,s=i.menuIconProps,l=i.menuProps,c=i.onRenderIcon,u=void 0===c?this._onRenderIcon:c,d=i.onRenderAriaDescription,p=void 0===d?this._onRenderAriaDescription:d,m=i.onRenderChildren,h=void 0===m?this._onRenderChildren:m,g=i.onRenderMenu,f=void 0===g?this._onRenderMenu:g,v=i.onRenderMenuIcon,y=void 0===v?this._onRenderMenuIcon:v,_=i.disabled,C=i.keytipProps;C&&l&&(C=this._getMemoizedMenuButtonKeytipProps(C));var S=function(e){return r.createElement(a,(0,n.pi)({},t,e),r.createElement("span",{className:o._classNames.flexContainer,"data-automationid":"splitbuttonprimary"},u(i,o._onRenderIcon),o._onRenderTextContents(),p(i,o._onRenderAriaDescription),h(i,o._onRenderChildren),!o._isSplitButton&&(l||s||o.props.onRenderMenuIcon)&&y(o.props,o._onRenderMenuIcon),l&&!l.doNotLayer&&o._shouldRenderMenu()&&f(l,o._onRenderMenu)))},x=C?r.createElement(T.a,{keytipProps:this._isSplitButton?void 0:C,ariaDescribedBy:t["aria-describedby"],disabled:_},(function(e){return S(e)})):S();return l&&l.doNotLayer?r.createElement(r.Fragment,null,x,this._shouldRenderMenu()&&f(l,this._onRenderMenu)):r.createElement(r.Fragment,null,x,r.createElement(b.u,null))},t.prototype._shouldRenderMenu=function(){var e=this.state.menuHidden,t=this.props,o=t.persistMenu,n=t.renderPersistedMenuHiddenOnMount;return!e||!(!o||!this._renderedVisibleMenu&&!n)},t.prototype._hasText=function(){return null!==this.props.text&&(void 0!==this.props.text||"string"==typeof this.props.children)},t.prototype._onRenderSplitButtonContent=function(e,t){var o=this,i=this.props,a=i.styles,s=void 0===a?{}:a,l=i.disabled,c=i.allowDisabledFocus,u=i.checked,d=i.getSplitButtonClassNames,p=i.primaryDisabled,m=i.menuProps,h=i.toggle,v=i.role,b=i.primaryActionButtonProps,_=this.props.keytipProps,C=this.state.menuHidden,S=d?d(!!l,!C,!!u,!!c):s&&(0,D.W)(s,!!l,!C,!!u,!!p);(0,f.f0)(t,{onClick:void 0,onPointerDown:void 0,onPointerUp:void 0,tabIndex:-1,"data-is-focusable":!1}),_&&m&&(_=this._getMemoizedMenuButtonKeytipProps(_));var x=(0,g.pq)(t,[],["disabled"]);b&&(0,f.f0)(t,b);var k=function(i){return r.createElement("div",(0,n.pi)({},x,{"data-ktp-target":i?i["data-ktp-target"]:void 0,role:v||"button","aria-disabled":l,"aria-haspopup":!0,"aria-expanded":!C,"aria-pressed":h?!!u:void 0,"aria-describedby":(0,y.I)(t["aria-describedby"],i?i["aria-describedby"]:void 0),className:S&&S.splitButtonContainer,onKeyDown:o._onSplitButtonContainerKeyDown,onTouchStart:o._onTouchStart,ref:o._splitButtonContainer,"data-is-focusable":!0,onClick:l||p?void 0:o._onSplitButtonPrimaryClick,tabIndex:!l||c?0:void 0,"aria-roledescription":t["aria-roledescription"],onFocusCapture:o._onSplitContainerFocusCapture}),r.createElement("span",{style:{display:"flex"}},o._onRenderContent(e,t),o._onRenderSplitButtonMenuButton(S,i),o._onRenderSplitButtonDivider(S)))};return _?r.createElement(T.a,{keytipProps:_,disabled:l},(function(e){return k(e)})):k()},t.prototype._onRenderSplitButtonDivider=function(e){return e&&e.divider?r.createElement("span",{className:e.divider,"aria-hidden":!0,onClick:function(e){e.stopPropagation()}}):null},t.prototype._onRenderSplitButtonMenuButton=function(e,o){var i=this.props,a=i.allowDisabledFocus,s=i.checked,l=i.disabled,c=i.splitButtonMenuProps,u=i.splitButtonAriaLabel,d=this.state.menuHidden,p=this.props.menuIconProps;void 0===p&&(p={iconName:"ChevronDown"});var m=(0,n.pi)((0,n.pi)({},c),{styles:e,checked:s,disabled:l,allowDisabledFocus:a,onClick:this._onMenuClick,menuProps:void 0,iconProps:(0,n.pi)((0,n.pi)({},p),{className:this._classNames.menuIcon}),ariaLabel:u,"aria-haspopup":!0,"aria-expanded":!d,"data-is-focusable":!1});return r.createElement(t,(0,n.pi)({},m,{"data-ktp-execute-target":o?o["data-ktp-execute-target"]:o,onMouseDown:this._onMouseDown,tabIndex:-1}))},t.prototype._onPointerDown=function(e){var t=this.props.onPointerDown;t&&t(e),"touch"===e.pointerType&&(this._handleTouchAndPointerEvent(),e.preventDefault(),e.stopImmediatePropagation())},t.prototype._handleTouchAndPointerEvent=function(){var e=this;void 0!==this._lastTouchTimeoutId&&(this._async.clearTimeout(this._lastTouchTimeoutId),this._lastTouchTimeoutId=void 0),this._processingTouch=!0,this._lastTouchTimeoutId=this._async.setTimeout((function(){e._processingTouch=!1,e._lastTouchTimeoutId=void 0,e.focus()}),500)},t.prototype._isValidMenuOpenKey=function(e){return this.props.menuTriggerKeyCode?e.which===this.props.menuTriggerKeyCode:!!this.props.menuProps&&e.which===l.m.down&&(e.altKey||e.metaKey)},t.defaultProps={baseClassName:"ms-Button",styles:{},split:!1},t}(r.Component)},1860:(e,t,o)=>{"use strict";o.d(t,{W:()=>s});var n=o(5094),r=o(9729),i={outline:0},a=function(e){return{fontSize:e,margin:"0 4px",height:"16px",lineHeight:"16px",textAlign:"center",flexShrink:0}},s=(0,n.NF)((function(e){var t,o,n=e.semanticColors,s=e.effects,l=e.fonts,c=n.buttonBorder,u=n.disabledBackground,d=n.disabledText,p={left:-2,top:-2,bottom:-2,right:-2,outlineColor:"ButtonText"};return{root:[(0,r.GL)(e,{inset:1,highContrastStyle:p,borderColor:"transparent"}),e.fonts.medium,{boxSizing:"border-box",border:"1px solid "+c,userSelect:"none",display:"inline-block",textDecoration:"none",textAlign:"center",cursor:"pointer",padding:"0 16px",borderRadius:s.roundedCorner2,selectors:{":active > *":{position:"relative",left:0,top:0}}}],rootDisabled:[(0,r.GL)(e,{inset:1,highContrastStyle:p,borderColor:"transparent"}),{backgroundColor:u,borderColor:u,color:d,cursor:"default",pointerEvents:"none",selectors:{":hover":i,":focus":i}}],iconDisabled:{color:d,selectors:(t={},t[r.qJ]={color:"GrayText"},t)},menuIconDisabled:{color:d,selectors:(o={},o[r.qJ]={color:"GrayText"},o)},flexContainer:{display:"flex",height:"100%",flexWrap:"nowrap",justifyContent:"center",alignItems:"center"},description:{display:"block"},textContainer:{flexGrow:1,display:"block"},icon:a(l.mediumPlus.fontSize),menuIcon:a(l.small.fontSize),label:{margin:"0 4px",lineHeight:"100%",display:"block"},screenReaderText:r.ul}}))},7664:(e,t,o)=>{"use strict";o.d(t,{D:()=>a,f:()=>s});var n=o(7622),r=o(9729),i=o(6145);function a(e){var t,o,i,a,s,l=e.semanticColors,c=e.palette,u=l.buttonBackground,d=l.buttonBackgroundPressed,p=l.buttonBackgroundHovered,m=l.buttonBackgroundDisabled,h=l.buttonText,g=l.buttonTextHovered,f=l.buttonTextDisabled,v=l.buttonTextChecked,b=l.buttonTextCheckedHovered;return{root:{backgroundColor:u,color:h},rootHovered:{backgroundColor:p,color:g,selectors:(t={},t[r.qJ]={borderColor:"Highlight",color:"Highlight"},t)},rootPressed:{backgroundColor:d,color:v},rootExpanded:{backgroundColor:d,color:v},rootChecked:{backgroundColor:d,color:v},rootCheckedHovered:{backgroundColor:d,color:b},rootDisabled:{color:f,backgroundColor:m,selectors:(o={},o[r.qJ]={color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},o)},splitButtonContainer:{selectors:(i={},i[r.qJ]={border:"none"},i)},splitButtonMenuButton:{color:c.white,backgroundColor:"transparent",selectors:{":hover":{backgroundColor:c.neutralLight,selectors:(a={},a[r.qJ]={color:"Highlight"},a)}}},splitButtonMenuButtonDisabled:{backgroundColor:l.buttonBackgroundDisabled,selectors:{":hover":{backgroundColor:l.buttonBackgroundDisabled}}},splitButtonDivider:(0,n.pi)((0,n.pi)({},{position:"absolute",width:1,right:31,top:8,bottom:8}),{backgroundColor:c.neutralTertiaryAlt,selectors:(s={},s[r.qJ]={backgroundColor:"WindowText"},s)}),splitButtonDividerDisabled:{backgroundColor:e.palette.neutralTertiaryAlt},splitButtonMenuButtonChecked:{backgroundColor:c.neutralQuaternaryAlt,selectors:{":hover":{backgroundColor:c.neutralQuaternaryAlt}}},splitButtonMenuButtonExpanded:{backgroundColor:c.neutralQuaternaryAlt,selectors:{":hover":{backgroundColor:c.neutralQuaternaryAlt}}},splitButtonMenuIcon:{color:l.buttonText},splitButtonMenuIconDisabled:{color:l.buttonTextDisabled}}}function s(e){var t,o,a,s,l,c,u,d,p,m=e.palette,h=e.semanticColors;return{root:{backgroundColor:h.primaryButtonBackground,border:"1px solid "+h.primaryButtonBackground,color:h.primaryButtonText,selectors:(t={},t[r.qJ]=(0,n.pi)({color:"Window",backgroundColor:"WindowText",borderColor:"WindowText"},(0,r.xM)()),t["."+i.G$+" &:focus"]={selectors:{":after":{border:"none",outlineColor:m.white}}},t)},rootHovered:{backgroundColor:h.primaryButtonBackgroundHovered,border:"1px solid "+h.primaryButtonBackgroundHovered,color:h.primaryButtonTextHovered,selectors:(o={},o[r.qJ]={color:"Window",backgroundColor:"Highlight",borderColor:"Highlight"},o)},rootPressed:{backgroundColor:h.primaryButtonBackgroundPressed,border:"1px solid "+h.primaryButtonBackgroundPressed,color:h.primaryButtonTextPressed,selectors:(a={},a[r.qJ]=(0,n.pi)({color:"Window",backgroundColor:"WindowText",borderColor:"WindowText"},(0,r.xM)()),a)},rootExpanded:{backgroundColor:h.primaryButtonBackgroundPressed,color:h.primaryButtonTextPressed},rootChecked:{backgroundColor:h.primaryButtonBackgroundPressed,color:h.primaryButtonTextPressed},rootCheckedHovered:{backgroundColor:h.primaryButtonBackgroundPressed,color:h.primaryButtonTextPressed},rootDisabled:{color:h.primaryButtonTextDisabled,backgroundColor:h.primaryButtonBackgroundDisabled,selectors:(s={},s[r.qJ]={color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},s)},splitButtonContainer:{selectors:(l={},l[r.qJ]={border:"none"},l)},splitButtonDivider:(0,n.pi)((0,n.pi)({},{position:"absolute",width:1,right:31,top:8,bottom:8}),{backgroundColor:m.white,selectors:(c={},c[r.qJ]={backgroundColor:"Window"},c)}),splitButtonMenuButton:{backgroundColor:h.primaryButtonBackground,color:h.primaryButtonText,selectors:(u={},u[r.qJ]={backgroundColor:"WindowText"},u[":hover"]={backgroundColor:h.primaryButtonBackgroundHovered,selectors:(d={},d[r.qJ]={color:"Highlight"},d)},u)},splitButtonMenuButtonDisabled:{backgroundColor:h.primaryButtonBackgroundDisabled,selectors:{":hover":{backgroundColor:h.primaryButtonBackgroundDisabled}}},splitButtonMenuButtonChecked:{backgroundColor:h.primaryButtonBackgroundPressed,selectors:{":hover":{backgroundColor:h.primaryButtonBackgroundPressed}}},splitButtonMenuButtonExpanded:{backgroundColor:h.primaryButtonBackgroundPressed,selectors:{":hover":{backgroundColor:h.primaryButtonBackgroundPressed}}},splitButtonMenuIcon:{color:h.primaryButtonText},splitButtonMenuIconDisabled:{color:m.neutralTertiary,selectors:(p={},p[r.qJ]={color:"GrayText"},p)}}}},1420:(e,t,o)=>{"use strict";o.d(t,{Q:()=>h});var n=o(7622),r=o(7002),i=o(4968),a=o(9013),s=o(6053),l=o(9729),c=o(5094),u=o(1860),d=o(8198),p=o(2657),m=(0,c.NF)((function(e,t,o,r){var i,a,s,c,m,h,g,f,v,b,y,_,C,S,x=(0,u.W)(e),k=(0,d.W)(e),w=e.palette,I=e.semanticColors,D={root:[(0,l.GL)(e,{inset:2,highContrastStyle:{left:4,top:4,bottom:4,right:4,border:"none"},borderColor:"transparent"}),e.fonts.medium,{minWidth:"40px",backgroundColor:w.white,color:w.neutralPrimary,padding:"0 4px",border:"none",borderRadius:0,selectors:(i={},i[l.qJ]={border:"none"},i)}],rootHovered:{backgroundColor:w.neutralLighter,color:w.neutralDark,selectors:(a={},a[l.qJ]={color:"Highlight"},a["."+p.n.msButtonIcon]={color:w.themeDarkAlt},a["."+p.n.msButtonMenuIcon]={color:w.neutralPrimary},a)},rootPressed:{backgroundColor:w.neutralLight,color:w.neutralDark,selectors:(s={},s["."+p.n.msButtonIcon]={color:w.themeDark},s["."+p.n.msButtonMenuIcon]={color:w.neutralPrimary},s)},rootChecked:{backgroundColor:w.neutralLight,color:w.neutralDark,selectors:(c={},c["."+p.n.msButtonIcon]={color:w.themeDark},c["."+p.n.msButtonMenuIcon]={color:w.neutralPrimary},c)},rootCheckedHovered:{backgroundColor:w.neutralQuaternaryAlt,selectors:(m={},m["."+p.n.msButtonIcon]={color:w.themeDark},m["."+p.n.msButtonMenuIcon]={color:w.neutralPrimary},m)},rootExpanded:{backgroundColor:w.neutralLight,color:w.neutralDark,selectors:(h={},h["."+p.n.msButtonIcon]={color:w.themeDark},h["."+p.n.msButtonMenuIcon]={color:w.neutralPrimary},h)},rootExpandedHovered:{backgroundColor:w.neutralQuaternaryAlt},rootDisabled:{backgroundColor:w.white,selectors:(g={},g["."+p.n.msButtonIcon]={color:I.disabledBodySubtext,selectors:(f={},f[l.qJ]=(0,n.pi)({color:"GrayText"},(0,l.xM)()),f)},g[l.qJ]=(0,n.pi)({color:"GrayText",backgroundColor:"Window"},(0,l.xM)()),g)},splitButtonContainer:{height:"100%",selectors:(v={},v[l.qJ]={border:"none"},v)},splitButtonDividerDisabled:{selectors:(b={},b[l.qJ]={backgroundColor:"Window"},b)},splitButtonDivider:{backgroundColor:w.neutralTertiaryAlt},splitButtonMenuButton:{backgroundColor:w.white,border:"none",borderTopRightRadius:"0",borderBottomRightRadius:"0",color:w.neutralSecondary,selectors:{":hover":{backgroundColor:w.neutralLighter,color:w.neutralDark,selectors:(y={},y[l.qJ]={color:"Highlight"},y["."+p.n.msButtonIcon]={color:w.neutralPrimary},y)},":active":{backgroundColor:w.neutralLight,selectors:(_={},_["."+p.n.msButtonIcon]={color:w.neutralPrimary},_)}}},splitButtonMenuButtonDisabled:{backgroundColor:w.white,selectors:(C={},C[l.qJ]=(0,n.pi)({color:"GrayText",border:"none",backgroundColor:"Window"},(0,l.xM)()),C)},splitButtonMenuButtonChecked:{backgroundColor:w.neutralLight,color:w.neutralDark,selectors:{":hover":{backgroundColor:w.neutralQuaternaryAlt}}},splitButtonMenuButtonExpanded:{backgroundColor:w.neutralLight,color:w.black,selectors:{":hover":{backgroundColor:w.neutralQuaternaryAlt}}},splitButtonMenuIcon:{color:w.neutralPrimary},splitButtonMenuIconDisabled:{color:w.neutralTertiary},label:{fontWeight:"normal"},icon:{color:w.themePrimary},menuIcon:(S={color:w.neutralSecondary},S[l.qJ]={color:"GrayText"},S)};return(0,l.E$)(x,k,D,t)})),h=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.theme;return r.createElement(i.Y,(0,n.pi)({},this.props,{variantClassName:"ms-Button--commandBar",styles:m(o,t),onRenderDescription:a.S}))},(0,n.gn)([(0,s.a)("CommandBarButton",["theme","styles"],!0)],t)}(r.Component)},990:(e,t,o)=>{"use strict";o.d(t,{M:()=>n});var n=o(2898).K},8959:(e,t,o)=>{"use strict";o.d(t,{W:()=>m});var n=o(7622),r=o(7002),i=o(4968),a=o(6053),s=o(9729),l=o(5094),c=o(1860),u=o(8198),d=o(7664),p=(0,l.NF)((function(e,t,o){var r,i,a,l,p,m=e.fonts,h=e.palette,g=(0,c.W)(e),f=(0,u.W)(e),v={root:{maxWidth:"280px",minHeight:"72px",height:"auto",padding:"16px 12px"},flexContainer:{flexDirection:"row",alignItems:"flex-start",minWidth:"100%",margin:""},textContainer:{textAlign:"left"},icon:{fontSize:"2em",lineHeight:"1em",height:"1em",margin:"0px 8px 0px 0px",flexBasis:"1em",flexShrink:"0"},label:{margin:"0 0 5px",lineHeight:"100%",fontWeight:s.lq.semibold},description:[m.small,{lineHeight:"100%"}]},b={description:{color:h.neutralSecondary},descriptionHovered:{color:h.neutralDark},descriptionPressed:{color:"inherit"},descriptionChecked:{color:"inherit"},descriptionDisabled:{color:"inherit"}},y={description:{color:h.white,selectors:(r={},r[s.qJ]=(0,n.pi)({backgroundColor:"WindowText",color:"Window"},(0,s.xM)()),r)},descriptionHovered:{color:h.white,selectors:(i={},i[s.qJ]={backgroundColor:"Highlight",color:"Window"},i)},descriptionPressed:{color:"inherit",selectors:(a={},a[s.qJ]=(0,n.pi)({color:"Window",backgroundColor:"WindowText"},(0,s.xM)()),a)},descriptionChecked:{color:"inherit",selectors:(l={},l[s.qJ]=(0,n.pi)({color:"Window",backgroundColor:"WindowText"},(0,s.xM)()),l)},descriptionDisabled:{color:"inherit",selectors:(p={},p[s.qJ]={color:"inherit"},p)}};return(0,s.E$)(g,v,o?(0,d.f)(e):(0,d.D)(e),o?y:b,f,t)})),m=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.primary,o=void 0!==t&&t,a=e.styles,s=e.theme;return r.createElement(i.Y,(0,n.pi)({},this.props,{variantClassName:o?"ms-Button--compoundPrimary":"ms-Button--compound",styles:p(s,a,o)}))},(0,n.gn)([(0,a.a)("CompoundButton",["theme","styles"],!0)],t)}(r.Component)},9632:(e,t,o)=>{"use strict";o.d(t,{a:()=>h});var n=o(7622),r=o(7002),i=o(4968),a=o(9013),s=o(6053),l=o(9729),c=o(5094),u=o(1860),d=o(8198),p=o(7664),m=(0,c.NF)((function(e,t,o){var n=(0,u.W)(e),r=(0,d.W)(e),i={root:{minWidth:"80px",height:"32px"},label:{fontWeight:l.lq.semibold}};return(0,l.E$)(n,i,o?(0,p.f)(e):(0,p.D)(e),r,t)})),h=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.primary,o=void 0!==t&&t,s=e.styles,l=e.theme;return r.createElement(i.Y,(0,n.pi)({},this.props,{variantClassName:o?"ms-Button--primary":"ms-Button--default",styles:m(l,s,o),onRenderDescription:a.S}))},(0,n.gn)([(0,s.a)("DefaultButton",["theme","styles"],!0)],t)}(r.Component)},5758:(e,t,o)=>{"use strict";o.d(t,{h:()=>m});var n=o(7622),r=o(7002),i=o(4968),a=o(9013),s=o(6053),l=o(9729),c=o(5094),u=o(1860),d=o(8198),p=(0,c.NF)((function(e,t){var o,n=(0,u.W)(e),r=(0,d.W)(e),i=e.palette,a={root:{padding:"0 4px",width:"32px",height:"32px",backgroundColor:"transparent",border:"none",color:e.semanticColors.link},rootHovered:{color:i.themeDarkAlt,backgroundColor:i.neutralLighter,selectors:(o={},o[l.qJ]={borderColor:"Highlight",color:"Highlight"},o)},rootHasMenu:{width:"auto"},rootPressed:{color:i.themeDark,backgroundColor:i.neutralLight},rootExpanded:{color:i.themeDark,backgroundColor:i.neutralLight},rootChecked:{color:i.themeDark,backgroundColor:i.neutralLight},rootCheckedHovered:{color:i.themeDark,backgroundColor:i.neutralQuaternaryAlt},rootDisabled:{color:i.neutralTertiaryAlt}};return(0,l.E$)(n,a,r,t)})),m=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.theme;return r.createElement(i.Y,(0,n.pi)({},this.props,{variantClassName:"ms-Button--icon",styles:p(o,t),onRenderText:a.S,onRenderDescription:a.S}))},(0,n.gn)([(0,s.a)("IconButton",["theme","styles"],!0)],t)}(r.Component)},8924:(e,t,o)=>{"use strict";o.d(t,{K:()=>l});var n=o(7622),r=o(7002),i=o(9013),a=o(6053),s=o(9632),l=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){return r.createElement(s.a,(0,n.pi)({},this.props,{primary:!0,onRenderDescription:i.S}))},(0,n.gn)([(0,a.a)("PrimaryButton",["theme","styles"],!0)],t)}(r.Component)},5032:(e,t,o)=>{"use strict";o.d(t,{W:()=>i});var n=o(5094),r=o(9729),i=(0,n.NF)((function(e,t,o,n,i){return{root:(0,r.y0)(e.splitButtonMenuButton,o&&[e.splitButtonMenuButtonExpanded],t&&[e.splitButtonMenuButtonDisabled],n&&!t&&[e.splitButtonMenuButtonChecked]),splitButtonContainer:(0,r.y0)(e.splitButtonContainer,!t&&n&&[e.splitButtonContainerChecked,{selectors:{":hover":e.splitButtonContainerCheckedHovered}}],!t&&!n&&[{selectors:{":hover":e.splitButtonContainerHovered,":focus":e.splitButtonContainerFocused}}],t&&e.splitButtonContainerDisabled),icon:(0,r.y0)(e.splitButtonMenuIcon,t&&e.splitButtonMenuIconDisabled,!t&&i&&e.splitButtonMenuIcon),flexContainer:(0,r.y0)(e.splitButtonFlexContainer),divider:(0,r.y0)(e.splitButtonDivider,(i||t)&&e.splitButtonDividerDisabled)}}))},8198:(e,t,o)=>{"use strict";o.d(t,{W:()=>i});var n=o(7622),r=o(9729),i=(0,o(5094).NF)((function(e,t){var o,i,a,s,l,c,u,d,p,m,h,g,f,v=e.effects,b=e.palette,y=e.semanticColors,_={position:"absolute",width:1,right:31,top:8,bottom:8},C={splitButtonContainer:[(0,r.GL)(e,{highContrastStyle:{left:-2,top:-2,bottom:-2,right:-2,border:"none"},inset:2}),{display:"inline-flex",selectors:{".ms-Button--default":{borderTopRightRadius:"0",borderBottomRightRadius:"0",borderRight:"none"},".ms-Button--primary":{borderTopRightRadius:"0",borderBottomRightRadius:"0",border:"none",selectors:(o={},o[r.qJ]=(0,n.pi)({color:"WindowText",backgroundColor:"Window",border:"1px solid WindowText",borderRightWidth:"0"},(0,r.xM)()),o)},".ms-Button--primary + .ms-Button":{border:"none",selectors:(i={},i[r.qJ]={border:"1px solid WindowText",borderLeftWidth:"0"},i)}}}],splitButtonContainerHovered:{selectors:{".ms-Button--primary":{selectors:(a={},a[r.qJ]={color:"Window",backgroundColor:"Highlight"},a)},".ms-Button.is-disabled":{color:y.buttonTextDisabled,selectors:(s={},s[r.qJ]={color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},s)}}},splitButtonContainerChecked:{selectors:{".ms-Button--primary":{selectors:(l={},l[r.qJ]=(0,n.pi)({color:"Window",backgroundColor:"WindowText"},(0,r.xM)()),l)}}},splitButtonContainerCheckedHovered:{selectors:{".ms-Button--primary":{selectors:(c={},c[r.qJ]=(0,n.pi)({color:"Window",backgroundColor:"WindowText"},(0,r.xM)()),c)}}},splitButtonContainerFocused:{outline:"none!important"},splitButtonMenuButton:(u={padding:6,height:"auto",boxSizing:"border-box",borderRadius:0,borderTopRightRadius:v.roundedCorner2,borderBottomRightRadius:v.roundedCorner2,border:"1px solid "+b.neutralSecondaryAlt,borderLeft:"none",outline:"transparent",userSelect:"none",display:"inline-block",textDecoration:"none",textAlign:"center",cursor:"pointer",verticalAlign:"top",width:32,marginLeft:-1,marginTop:0,marginRight:0,marginBottom:0},u[r.qJ]={".ms-Button-menuIcon":{color:"WindowText"}},u),splitButtonDivider:(0,n.pi)((0,n.pi)({},_),{selectors:(d={},d[r.qJ]={backgroundColor:"WindowText"},d)}),splitButtonDividerDisabled:(0,n.pi)((0,n.pi)({},_),{selectors:(p={},p[r.qJ]={backgroundColor:"GrayText"},p)}),splitButtonMenuButtonDisabled:{pointerEvents:"none",border:"none",selectors:(m={":hover":{cursor:"default"},".ms-Button--primary":{selectors:(h={},h[r.qJ]={color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},h)},".ms-Button-menuIcon":{selectors:(g={},g[r.qJ]={color:"GrayText"},g)}},m[r.qJ]={color:"GrayText",border:"1px solid GrayText",backgroundColor:"Window"},m)},splitButtonFlexContainer:{display:"flex",height:"100%",flexWrap:"nowrap",justifyContent:"center",alignItems:"center"},splitButtonContainerDisabled:{outline:"none",border:"none",selectors:(f={},f[r.qJ]=(0,n.pi)({color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},(0,r.xM)()),f)}};return(0,r.E$)(C,t)}))},4977:(e,t,o)=>{"use strict";o.d(t,{f:()=>te});var n=o(2002),r=o(7622),i=o(7002),a=o(1093),s=o(6786),l=o(6974),c=o(7300),u=o(6953),d=o(8088),p=o(8145),m=o(9947),h=o(4316),g=o(4085),f=(0,c.y)(),v=function(e){var t=i.useRef(null);i.useImperativeHandle(e.componentRef,(function(){return{focus:function(){var e,o,n;null===(n=null===(e=t.current)||void 0===e?void 0:(o=e).focus)||void 0===n||n.call(o)}}}),[]);var o=e.strings,n=e.navigatedDate,a=e.dateTimeFormatter,s=e.styles,l=e.theme,c=e.className,d=e.onHeaderSelect,p=e.showSixWeeksByDefault,m=e.minDate,v=e.maxDate,_=e.restrictedDates,C=e.onNavigateDate,S=e.showWeekNumbers,x=e.dateRangeType,k=e.animationDirection,w=(0,g.M)(),I=(0,g.M)(),D=f(s,{theme:l,className:c,headerIsClickable:!!d,showWeekNumbers:S,animationDirection:k}),T=a.formatMonthYear(n,o),E=d?"button":"div",P=o.yearPickerHeaderAriaLabel?(0,u.W)(o.yearPickerHeaderAriaLabel,T):T;return i.createElement("div",{className:D.root,id:w},i.createElement("div",{className:D.header},i.createElement(E,{"aria-live":"polite","aria-atomic":"true","aria-label":d?P:void 0,key:T,className:D.monthAndYear,onClick:d,"data-is-focusable":!!d,tabIndex:d?0:-1,onKeyDown:y(d),type:"button"},i.createElement("span",{id:I},T)),i.createElement(b,(0,r.pi)({},e,{classNames:D,dayPickerId:w}))),i.createElement(h.Q,(0,r.pi)({},e,{styles:s,componentRef:t,strings:o,navigatedDate:n,weeksToShow:p?6:void 0,dateTimeFormatter:a,minDate:m,maxDate:v,restrictedDates:_,onNavigateDate:C,labelledBy:I,dateRangeType:x})))};v.displayName="CalendarDayBase";var b=function(e){var t,o,n=e.minDate,r=e.maxDate,a=e.navigatedDate,s=e.allFocusable,c=e.strings,u=e.navigationIcons,p=e.showCloseButton,h=e.classNames,g=e.dayPickerId,f=e.onNavigateDate,v=e.onDismiss,b=function(){f((0,l.zI)(a,1),!1)},_=function(){f((0,l.zI)(a,-1),!1)},C=u.leftNavigation,S=u.rightNavigation,x=u.closeIcon,k=!n||(0,l.NJ)(n,(0,l.pU)(a))<0,w=!r||(0,l.NJ)((0,l.D7)(a),r)<0;return i.createElement("div",{className:h.monthComponents},i.createElement("button",{className:(0,d.i)(h.headerIconButton,(t={},t[h.disabledStyle]=!k,t)),disabled:!s&&!k,"aria-disabled":!k,onClick:k?_:void 0,onKeyDown:k?y(_):void 0,"aria-controls":g,title:c.prevMonthAriaLabel?c.prevMonthAriaLabel+" "+c.months[(0,l.zI)(a,-1).getMonth()]:void 0,type:"button"},i.createElement(m.J,{iconName:C})),i.createElement("button",{className:(0,d.i)(h.headerIconButton,(o={},o[h.disabledStyle]=!w,o)),disabled:!s&&!w,"aria-disabled":!w,onClick:w?b:void 0,onKeyDown:w?y(b):void 0,"aria-controls":g,title:c.nextMonthAriaLabel?c.nextMonthAriaLabel+" "+c.months[(0,l.zI)(a,1).getMonth()]:void 0,type:"button"},i.createElement(m.J,{iconName:S})),p&&i.createElement("button",{className:(0,d.i)(h.headerIconButton),onClick:v,onKeyDown:y(v),title:c.closeButtonAriaLabel,type:"button"},i.createElement(m.J,{iconName:x})))};b.displayName="CalendarDayNavigationButtons";var y=function(e){return function(t){var o;switch(t.which){case p.m.enter:null===(o=e)||void 0===o||o()}}},_=o(9729),C=(0,n.z)(v,(function(e){var t=e.className,o=e.theme,n=e.headerIsClickable,i=e.showWeekNumbers,a=o.palette,s={selectors:{"&, &:disabled, & button":{color:a.neutralTertiaryAlt,pointerEvents:"none"}}};return{root:[_.Fv,{width:196,padding:12,boxSizing:"content-box"},i&&{width:226},t],header:{position:"relative",display:"inline-flex",height:28,lineHeight:44,width:"100%"},monthAndYear:[(0,_.GL)(o,{inset:1}),(0,r.pi)((0,r.pi)({},_.Ic.fadeIn200),{alignItems:"center",fontSize:_.TS.medium,fontFamily:"inherit",color:a.neutralPrimary,display:"inline-block",flexGrow:1,fontWeight:_.lq.semibold,padding:"0 4px 0 10px",border:"none",backgroundColor:"transparent",borderRadius:2,lineHeight:28,overflow:"hidden",whiteSpace:"nowrap",textAlign:"left",textOverflow:"ellipsis"}),n&&{selectors:{"&:hover":{cursor:"pointer",background:a.neutralLight,color:a.black}}}],monthComponents:{display:"inline-flex",alignSelf:"flex-end"},headerIconButton:[(0,_.GL)(o,{inset:-1}),{width:28,height:28,display:"block",textAlign:"center",lineHeight:28,fontSize:_.TS.small,fontFamily:"inherit",color:a.neutralPrimary,borderRadius:2,position:"relative",backgroundColor:"transparent",border:"none",padding:0,overflow:"visible",selectors:{"&:hover":{color:a.neutralDark,backgroundColor:a.neutralLight,cursor:"pointer",outline:"1px solid transparent"}}}],disabledStyle:s}}),void 0,{scope:"CalendarDay"}),S=o(2998),x=o(716),k=function(e){var t,o,n,i,a,s,l=e.className,c=e.theme,u=e.hasHeaderClickCallback,d=e.highlightCurrent,p=e.highlightSelected,m=e.animateBackwards,h=e.animationDirection,g=c.palette,f={};void 0!==m&&(f=h===x.s.Horizontal?m?_.Ic.slideRightIn20:_.Ic.slideLeftIn20:m?_.Ic.slideDownIn20:_.Ic.slideUpIn20);var v=void 0!==m?_.Ic.fadeIn200:{};return{root:[_.Fv,{width:196,padding:12,boxSizing:"content-box",overflow:"hidden"},l],headerContainer:{display:"flex"},currentItemButton:[(0,_.GL)(c,{inset:-1}),(0,r.pi)((0,r.pi)({},v),{fontSize:_.TS.medium,fontWeight:_.lq.semibold,fontFamily:"inherit",textAlign:"left",backgroundColor:"transparent",flexGrow:1,padding:"0 4px 0 10px",border:"none",overflow:"visible"}),u&&{selectors:{"&:hover, &:active":{cursor:u?"pointer":"default",color:g.neutralDark,outline:"1px solid transparent",backgroundColor:g.neutralLight}}}],navigationButtonsContainer:{display:"flex",alignItems:"center"},navigationButton:[(0,_.GL)(c,{inset:-1}),{fontFamily:"inherit",width:28,minWidth:28,height:28,minHeight:28,display:"block",textAlign:"center",lineHeight:28,fontSize:_.TS.small,color:g.neutralPrimary,borderRadius:2,position:"relative",backgroundColor:"transparent",border:"none",padding:0,overflow:"visible",selectors:{"&:hover":{color:g.neutralDark,cursor:"pointer",outline:"1px solid transparent",backgroundColor:g.neutralLight}}}],gridContainer:{marginTop:4},buttonRow:(0,r.pi)((0,r.pi)({},f),{marginBottom:16,selectors:{"&:nth-child(n + 3)":{marginBottom:0}}}),itemButton:[(0,_.GL)(c,{inset:-1}),{width:40,height:40,minWidth:40,minHeight:40,lineHeight:40,fontSize:_.TS.small,fontFamily:"inherit",padding:0,margin:"0 12px 0 0",color:g.neutralPrimary,backgroundColor:"transparent",border:"none",borderRadius:2,overflow:"visible",selectors:{"&:nth-child(4n + 4)":{marginRight:0},"&:nth-child(n + 9)":{marginBottom:0},"& div":{fontWeight:_.lq.regular},"&:hover":{color:g.neutralDark,backgroundColor:g.neutralLight,cursor:"pointer",outline:"1px solid transparent",selectors:(t={},t[_.qJ]=(0,r.pi)({background:"Window",color:"WindowText",outline:"1px solid Highlight"},(0,_.xM)()),t)},"&:active":{backgroundColor:g.themeLight,selectors:(o={},o[_.qJ]=(0,r.pi)({background:"Window",color:"Highlight"},(0,_.xM)()),o)}}}],current:d?{color:g.white,backgroundColor:g.themePrimary,selectors:(n={"& div":{fontWeight:_.lq.semibold},"&:hover":{backgroundColor:g.themePrimary,selectors:(i={},i[_.qJ]=(0,r.pi)({backgroundColor:"WindowText",color:"Window"},(0,_.xM)()),i)}},n[_.qJ]=(0,r.pi)({backgroundColor:"WindowText",color:"Window"},(0,_.xM)()),n)}:{},selected:p?{color:g.neutralPrimary,backgroundColor:g.themeLight,fontWeight:_.lq.semibold,selectors:(a={"& div":{fontWeight:_.lq.semibold},"&:hover, &:active":{backgroundColor:g.themeLight,selectors:(s={},s[_.qJ]=(0,r.pi)({color:"Window",background:"Highlight"},(0,_.xM)()),s)}},a[_.qJ]=(0,r.pi)({background:"Highlight",color:"Window"},(0,_.xM)()),a)}:{},disabled:{selectors:{"&, &:disabled, & button":{color:g.neutralTertiaryAlt,pointerEvents:"none"}}}}},w=function(e){return k(e)},I=o(63),D=o(5951),T=o(6876),E=o(6883),P=(0,c.y)(),M={prevRangeAriaLabel:void 0,nextRangeAriaLabel:void 0},R=function(e){var t,o,n,r=e.styles,a=e.theme,s=e.className,l=e.highlightCurrentYear,c=e.highlightSelectedYear,u=e.year,m=e.selected,h=e.disabled,g=e.componentRef,f=e.onSelectYear,v=e.onRenderYear,b=i.useRef(null);i.useImperativeHandle(g,(function(){return{focus:function(){var e,t,o;null===(o=null===(e=b.current)||void 0===e?void 0:(t=e).focus)||void 0===o||o.call(t)}}}),[]);var y=P(r,{theme:a,className:s,highlightCurrent:l,highlightSelected:c});return i.createElement("button",{className:(0,d.i)(y.itemButton,(t={},t[y.selected]=m,t[y.disabled]=h,t)),type:"button",role:"gridcell",onClick:h?void 0:function(){var e;null===(e=f)||void 0===e||e(u)},onKeyDown:h?void 0:function(e){var t;e.which===p.m.enter&&(null===(t=f)||void 0===t||t(u))},disabled:h,"aria-selected":m,ref:b,"aria-readonly":!0},null!=(n=null===(o=v)||void 0===o?void 0:o(u))?n:u)};R.displayName="CalendarYearGridCell";var N,B=function(e){var t=e.styles,o=e.theme,n=e.className,a=e.fromYear,s=e.toYear,l=e.animationDirection,c=e.animateBackwards,u=e.minYear,d=e.maxYear,p=e.onSelectYear,m=e.selectedYear,h=e.componentRef,g=i.useRef(null),f=i.useRef(null);i.useImperativeHandle(h,(function(){return{focus:function(){var e,t,o;null===(o=null===(e=g.current||f.current)||void 0===e?void 0:(t=e).focus)||void 0===o||o.call(t)}}}),[]);for(var v,b,y,_,C=P(t,{theme:o,className:n,animateBackwards:c,animationDirection:l}),x=function(t){var o,n,r;return null!=(r=null===(n=(o=e).onRenderYear)||void 0===n?void 0:n.call(o,t))?r:t},k=x(a)+" - "+x(s),w=a,I=[],D=0;D<(s-a+1)/4;D++){I.push([]);for(var T=0;T<4;T++)I[D].push((void 0,void 0,void 0,b=(v=w)===m,y=void 0!==u&&vd,_=v===(new Date).getFullYear(),i.createElement(R,(0,r.pi)({},e,{key:v,year:v,selected:b,current:_,disabled:y,onSelectYear:p,componentRef:b?g:_?f:void 0,theme:o})))),w++}return i.createElement(S.k,null,i.createElement("div",{className:C.gridContainer,role:"grid","aria-label":k},I.map((function(e,t){return i.createElement("div",{key:"yearPickerRow_"+t+"_"+a,role:"row",className:C.buttonRow},e)}))))};B.displayName="CalendarYearGrid",function(e){e[e.Previous=0]="Previous",e[e.Next=1]="Next"}(N||(N={}));var F=function(e){var t,o=e.styles,n=e.theme,r=e.className,a=e.navigationIcons,s=void 0===a?E.XU:a,l=e.strings,c=void 0===l?M:l,u=e.direction,h=e.onSelectPrev,g=e.onSelectNext,f=e.fromYear,v=e.toYear,b=e.maxYear,y=e.minYear,_=P(o,{theme:n,className:r}),C=0===u?c.prevRangeAriaLabel:c.nextRangeAriaLabel,S=0===u?-12:12,x=C?"string"==typeof C?C:C({fromYear:f+S,toYear:v+S}):void 0,k=0===u?void 0!==y&&fb,w=function(){var e,t;0===u?null===(e=h)||void 0===e||e():null===(t=g)||void 0===t||t()},I=(0,D.zg)()?1===u:0===u;return i.createElement("button",{className:(0,d.i)(_.navigationButton,(t={},t[_.disabled]=k,t)),onClick:k?void 0:w,onKeyDown:k?void 0:function(e){e.which===p.m.enter&&w()},type:"button",title:x,disabled:k},i.createElement(m.J,{iconName:I?s.leftNavigation:s.rightNavigation}))};F.displayName="CalendarYearNavArrow";var L=function(e){var t=e.styles,o=e.theme,n=e.className,a=P(t,{theme:o,className:n});return i.createElement("div",{className:a.navigationButtonsContainer},i.createElement(F,(0,r.pi)({},e,{direction:0})),i.createElement(F,(0,r.pi)({},e,{direction:1})))};L.displayName="CalendarYearNav";var A=function(e){var t=e.styles,o=e.theme,n=e.className,r=e.fromYear,a=e.toYear,s=e.strings,l=void 0===s?M:s,c=e.animateBackwards,d=e.animationDirection,m=function(){var t,o;null===(o=(t=e).onHeaderSelect)||void 0===o||o.call(t,!0)},h=function(t){var o,n,r;return null!=(r=null===(n=(o=e).onRenderYear)||void 0===n?void 0:n.call(o,t))?r:t},g=P(t,{theme:o,className:n,hasHeaderClickCallback:!!e.onHeaderSelect,animateBackwards:c,animationDirection:d});if(e.onHeaderSelect){var f=l.rangeAriaLabel,v=l.headerAriaLabelFormatString,b=f?"string"==typeof f?f:f(e):void 0,y=v?(0,u.W)(v,b):b;return i.createElement("button",{className:g.currentItemButton,onClick:m,onKeyDown:function(e){e.which!==p.m.enter&&e.which!==p.m.space||m()},"aria-label":y,role:"button",type:"button","aria-atomic":!0,"aria-live":"polite"},h(r)," - ",h(a))}return i.createElement("div",{className:g.current},h(r)," - ",h(a))};A.displayName="CalendarYearTitle";var z,H=function(e){var t,o,n=e.styles,a=e.theme,s=e.className,l=e.animateBackwards,c=e.animationDirection,u=e.onRenderTitle,d=P(n,{theme:a,className:s,hasHeaderClickCallback:!!e.onHeaderSelect,animateBackwards:l,animationDirection:c});return i.createElement("div",{className:d.headerContainer},null!=(o=null===(t=u)||void 0===t?void 0:t(e))?o:i.createElement(A,(0,r.pi)({},e)),i.createElement(L,(0,r.pi)({},e)))};H.displayName="CalendarYearHeader",function(e){e[e.Previous=0]="Previous",e[e.Next=1]="Next"}(z||(z={}));var O=function(e){var t=function(e){var t=e.selectedYear,o=e.navigatedYear,n=t||o||(new Date).getFullYear(),r=10*Math.floor(n/10),i=(0,T.D)(r);return i&&i!==r?i>r:void 0}(e),o=function(e){var t=e.selectedYear,o=e.navigatedYear,n=i.useReducer((function(e,t){return e+(1===t?12:-12)}),void 0,(function(){var e=t||o||(new Date).getFullYear();return 10*Math.floor(e/10)})),r=n[0],a=n[1];return[r,r+12-1,function(){return a(1)},function(){return a(0)}]}(e),n=o[0],a=o[1],s=o[2],l=o[3],c=i.useRef(null);i.useImperativeHandle(e.componentRef,(function(){return{focus:function(){var e,t,o;null===(o=null===(e=c.current)||void 0===e?void 0:(t=e).focus)||void 0===o||o.call(t)}}}));var u=e.styles,d=e.theme,p=e.className,m=P(u,{theme:d,className:p});return i.createElement("div",{className:m.root},i.createElement(H,(0,r.pi)({},e,{fromYear:n,toYear:a,onSelectPrev:l,onSelectNext:s,animateBackwards:t})),i.createElement(B,(0,r.pi)({},e,{fromYear:n,toYear:a,animateBackwards:t,componentRef:c})))};O.displayName="CalendarYearBase";var W=(0,n.z)(O,(function(e){return k(e)}),void 0,{scope:"CalendarYear"}),V=(0,c.y)(),K={styles:w,strings:void 0,navigationIcons:E.XU,dateTimeFormatter:s.mR,yearPickerHidden:!1},q=function(e){var t,o,n=(0,I.j)(K,e),r=function(e){var t=e.componentRef,o=i.useRef(null),n=i.useRef(null),r=i.useRef(!1),a=i.useCallback((function(){n.current?n.current.focus():o.current&&o.current.focus()}),[]);return i.useImperativeHandle(t,(function(){return{focus:a}}),[a]),i.useEffect((function(){r.current&&(a(),r.current=!1)})),[o,n,function(){r.current=!0}]}(n),a=r[0],s=r[1],c=r[2],p=i.useState(!1),h=p[0],g=p[1],f=function(e){var t=e.navigatedDate.getFullYear(),o=(0,T.D)(t);return void 0===o||o===t?void 0:o>t}(n),v=n.navigatedDate,b=n.selectedDate,y=n.strings,_=n.today,C=void 0===_?new Date:_,x=n.navigationIcons,k=n.dateTimeFormatter,w=n.minDate,E=n.maxDate,P=n.theme,M=n.styles,R=n.className,N=n.allFocusable,B=n.highlightCurrentMonth,F=n.highlightSelectedMonth,L=n.animationDirection,A=n.yearPickerHidden,z=n.onNavigateDate,H=function(e){return function(){return j(e)}},O=function(){z((0,l.Bc)(v,1),!1)},q=function(){z((0,l.Bc)(v,-1),!1)},j=function(e){var t,o;null===(o=(t=n).onHeaderSelect)||void 0===o||o.call(t),z((0,l.q0)(v,e),!0)},J=function(){var e,t;A?null===(t=(e=n).onHeaderSelect)||void 0===t||t.call(e):(c(),g(!0))},Y=x.leftNavigation,Z=x.rightNavigation,X=k,Q=!w||(0,l.NJ)(w,(0,l.W8)(v))<0,$=!E||(0,l.NJ)((0,l.Q9)(v),E)<0,ee=V(M,{theme:P,className:R,hasHeaderClickCallback:!!n.onHeaderSelect||!A,highlightCurrent:B,highlightSelected:F,animateBackwards:f,animationDirection:L});if(h){var te=function(e){var t=e.strings,o=e.navigatedDate,n=e.dateTimeFormatter,r=function(e){if(n){var t=new Date(o.getTime());return t.setFullYear(e),n.formatYear(t)}return String(e)},i=function(e){return r(e.fromYear)+" - "+r(e.toYear)};return[r,{rangeAriaLabel:i,prevRangeAriaLabel:function(e){return t.prevYearRangeAriaLabel?t.prevYearRangeAriaLabel+" "+i(e):""},nextRangeAriaLabel:function(e){return t.nextYearRangeAriaLabel?t.nextYearRangeAriaLabel+" "+i(e):""},headerAriaLabelFormatString:t.yearPickerHeaderAriaLabel}]}(n),oe=te[0],ne=te[1];return i.createElement(W,{key:"calendarYear",minYear:w?w.getFullYear():void 0,maxYear:E?E.getFullYear():void 0,onSelectYear:function(e){if(c(),v.getFullYear()!==e){var t=new Date(v.getTime());t.setFullYear(e),E&&t>E?t=(0,l.q0)(t,E.getMonth()):w&&t{"use strict";var n;o.d(t,{s:()=>n}),function(e){e[e.Horizontal=0]="Horizontal",e[e.Vertical=1]="Vertical"}(n||(n={}))},6883:(e,t,o)=>{"use strict";o.d(t,{V3:()=>n,GC:()=>r,XU:()=>i});var n=o(6786).tf,r=n,i={leftNavigation:"Up",rightNavigation:"Down",closeIcon:"CalculatorMultiply"}},4316:(e,t,o)=>{"use strict";o.d(t,{Q:()=>M});var n=o(7622),r=o(7002),i=o(7300),a=o(5951),s=o(2998),l=o(6974),c=o(1093),u=function(e,t,o){var r=(0,n.pr)(e);return t&&(r=r.filter((function(e){return(0,l.NJ)(e,t)>=0}))),o&&(r=r.filter((function(e){return(0,l.NJ)(e,o)<=0}))),r},d=function(e,t){var o=t.minDate;return!!o&&(0,l.NJ)(o,e)>=1},p=function(e,t){var o=t.maxDate;return!!o&&(0,l.NJ)(e,o)>=1},m=function(e,t){var o=t.restrictedDates,n=t.minDate,r=t.maxDate;return!!(o||n||r)&&(o&&o.some((function(t){return(0,l.aN)(t,e)}))||d(e,t)||p(e,t))},h=o(6876),g=o(4085),f=o(2470),v=o(8088),b=function(e){var t=e.showWeekNumbers,o=e.strings,n=e.firstDayOfWeek,i=e.allFocusable,a=e.weeksToShow,s=e.weeks,l=e.classNames,u=o.shortDays.slice(),d=(0,f.cx)(s[1],(function(e){return 1===e.originalDate.getDate()}));if(1===a&&d>=0){var p=(d+n)%c.NA;u[p]=o.shortMonths[s[1][d].originalDate.getMonth()]}return r.createElement("tr",null,t&&r.createElement("th",{className:l.dayCell}),u.map((function(e,t){var a=(t+n)%c.NA,s=t===d?o.days[a]+" "+u[a]:o.days[a];return r.createElement("th",{className:(0,v.i)(l.dayCell,l.weekDayLabelCell),scope:"col",key:u[a]+" "+t,title:s,"aria-label":s,"data-is-focusable":!!i||void 0},u[a])})))},y=o(6953),_=o(8145),C=function(e){var t=e.targetDate,o=e.initialDate,r=e.direction,i=(0,n._T)(e,["targetDate","initialDate","direction"]),a=t;if(!m(t,i))return t;for(;0!==(0,l.NJ)(o,a)&&m(a,i)&&!p(a,i)&&!d(a,i);)a=(0,l.E4)(a,r);return 0===(0,l.NJ)(o,a)||m(a,i)?void 0:a},S=function(e){var t,o,n=e.navigatedDate,i=e.dateTimeFormatter,s=e.allFocusable,u=e.strings,d=e.activeDescendantId,p=e.navigatedDayRef,m=e.calculateRoundedStyles,h=e.weeks,g=e.classNames,f=e.day,b=e.dayIndex,y=e.weekIndex,S=e.weekCorners,x=e.ariaHidden,k=e.customDayCellRef,w=e.dateRangeType,I=e.daysToSelectInDayView,D=e.onSelectDate,T=e.restrictedDates,E=e.minDate,P=e.maxDate,M=e.onNavigateDate,R=e.getDayInfosInRangeOfDay,N=e.getRefsFromDayInfos,B=null!=(o=null===(t=S)||void 0===t?void 0:t[y+"_"+b])?o:"",F=(0,l.aN)(n,f.originalDate),L=i.formatMonthDayYear(f.originalDate,u);return f.isMarked&&(L=L+", "+u.dayMarkedAriaLabel),r.createElement("td",{className:(0,v.i)(g.dayCell,S&&B,f.isSelected&&g.daySelected,f.isSelected&&"ms-CalendarDay-daySelected",!f.isInBounds&&g.dayOutsideBounds,!f.isInMonth&&g.dayOutsideNavigatedMonth),ref:function(e){var t;null===(t=k)||void 0===t||t(e,f.originalDate,g),f.setRef(e)},"aria-hidden":x,onClick:f.isInBounds&&!x?f.onSelected:void 0,onMouseOver:x?void 0:function(e){var t=R(f),o=N(t);o.forEach((function(e,n){var r;if(e&&(e.classList.add("ms-CalendarDay-hoverStyle"),!t[n].isSelected&&w===c.NU.Day&&I&&I>1)){e.classList.remove(g.bottomLeftCornerDate,g.bottomRightCornerDate,g.topLeftCornerDate,g.topRightCornerDate);var i=m(g,!1,!1,n>0,n1)){var i=m(g,!1,!1,n>0,n0)};return[function(e,n){var r={},i=n.slice(1,n.length-1);return i.forEach((function(n,a){n.forEach((function(n,s){var l=i[a-1]&&i[a-1][s]&&o(i[a-1][s].originalDate,n.originalDate,i[a-1][s].isSelected,n.isSelected),c=i[a+1]&&i[a+1][s]&&o(i[a+1][s].originalDate,n.originalDate,i[a+1][s].isSelected,n.isSelected),u=i[a][s-1]&&o(i[a][s-1].originalDate,n.originalDate,i[a][s-1].isSelected,n.isSelected),d=i[a][s+1]&&o(i[a][s+1].originalDate,n.originalDate,i[a][s+1].isSelected,n.isSelected),p=t(e,l,c,u,d);r[a+"_"+s]=p}))})),r},t]}(e),_=y[0],C=y[1];r.useImperativeHandle(e.componentRef,(function(){return{focus:function(){var e,o,n;null===(n=null===(e=t.current)||void 0===e?void 0:(o=e).focus)||void 0===n||n.call(o)}}}),[]);var S=e.styles,I=e.theme,D=e.className,T=e.dateRangeType,E=e.showWeekNumbers,P=e.labelledBy,M=e.lightenDaysOutsideNavigatedMonth,R=e.animationDirection,N=k(S,{theme:I,className:D,dateRangeType:T,showWeekNumbers:E,lightenDaysOutsideNavigatedMonth:void 0===M||M,animationDirection:R,animateBackwards:v}),B=_(N,f),F={weeks:f,navigatedDayRef:t,calculateRoundedStyles:C,activeDescendantId:o,classNames:N,weekCorners:B,getDayInfosInRangeOfDay:function(t){var o=function(e,t){if(t&&e===c.NU.WorkWeek){for(var o=t.slice().sort(),n=!0,r=1;r{"use strict";o.d(t,{U:()=>s});var n=o(7622),r=o(7002),i=o(4941),a=o(7513),s=r.forwardRef((function(e,t){var o=e.layerProps,s=e.doNotLayer,l=(0,n._T)(e,["layerProps","doNotLayer"]),c=r.createElement(i.N,(0,n.pi)({},l,{ref:t}));return s?c:r.createElement(a.m,(0,n.pi)({},o),c)}));s.displayName="Callout"},5666:(e,t,o)=>{"use strict";o.d(t,{H:()=>T});var n,r=o(7622),i=o(7002),a=o(6628),s=o(4553),l=o(3345),c=o(9251),u=o(63),d=o(8127),p=o(8088),m=o(2447),h=o(4568),g=o(6591),f=o(752),v=o(7300),b=o(9729),y=o(3528),_=o(7913),C=o(9241),S=o(2674),x=((n={})[h.z.top]=b.k4.slideUpIn10,n[h.z.bottom]=b.k4.slideDownIn10,n[h.z.left]=b.k4.slideLeftIn10,n[h.z.right]=b.k4.slideRightIn10,n),k=(0,v.y)({disableCaching:!0}),w={opacity:0,filter:"opacity(0)",pointerEvents:"none"},I=["role","aria-roledescription"],D={preventDismissOnLostFocus:!1,preventDismissOnScroll:!1,preventDismissOnResize:!1,isBeakVisible:!0,beakWidth:16,gapSpace:0,minPagePadding:8,directionalHint:a.b.bottomAutoEdge};var T=i.memo(i.forwardRef((function(e,t){var o=(0,u.j)(D,e),n=o.styles,a=o.style,m=o.ariaLabel,h=o.ariaDescribedBy,v=o.ariaLabelledBy,b=o.className,T=o.isBeakVisible,M=o.children,R=o.beakWidth,N=o.calloutWidth,B=o.calloutMaxWidth,F=o.calloutMinWidth,L=o.finalHeight,A=o.hideOverflow,z=void 0===A?!!L:A,H=o.backgroundColor,O=o.calloutMaxHeight,W=o.onScroll,V=o.shouldRestoreFocus,K=void 0===V||V,q=o.target,G=o.hidden,U=o.onLayerMounted,j=i.useRef(null),J=i.useRef(null),Y=(0,C.r)(j,t),Z=(0,S.e)(o.target,J),X=Z[0],Q=Z[1],$=function(e,t,o){var n=e.bounds,r=e.minPagePadding,a=void 0===r?D.minPagePadding:r,s=e.target,l=i.useRef();return i.useCallback((function(){if(!l.current){var e="function"==typeof n?o?n(s,o):void 0:n;!e&&o&&(e={top:(e=(0,g.qE)(t.current,o)).top+a,left:e.left+a,right:e.right-a,bottom:e.bottom-a,width:e.width-2*a,height:e.height-2*a}),l.current=e}return l.current}),[n,a,s,t,o])}(o,X,Q),ee=function(e,t,o){var n=e.beakWidth,r=e.coverTarget,a=e.directionalHint,s=e.directionalHintFixed,l=e.gapSpace,c=e.isBeakVisible,u=e.hidden,d=i.useState(),p=d[0],m=d[1],h=(0,y.r)(),f=t.current;return i.useEffect((function(){var e;if(p||u)u&&m(void 0);else if(s&&f){var i=(null!=l?l:0)+(c&&n?n:0);h.requestAnimationFrame((function(){t.current&&m((0,g.DC)(t.current,a,i,o(),r))}))}else m(null===(e=o())||void 0===e?void 0:e.height)}),[t,f,l,n,o,u,h,r,a,s,c,p]),p}(o,X,$),te=function(e,t){var o=e.finalHeight,n=e.hidden,r=i.useState(0),a=r[0],s=r[1],l=(0,y.r)(),c=i.useRef(),u=i.useCallback((function(){t.current&&o&&(c.current=l.requestAnimationFrame((function(){var e,n=null===(e=t.current)||void 0===e?void 0:e.lastChild;if(n){var r=n.scrollHeight-n.offsetHeight;s((function(e){return e+r})),n.offsetHeight0&&(u.current=0,null===(i=f)||void 0===i||i(l))}}),o.current);return function(){return d.cancelAnimationFrame(i)}}}),[p,v,d,o,t,n,h,a,f,l,e,m]),l}(o,j,J,X,$),ne=function(e,t,o,n,r){var a=e.hidden,s=e.onDismiss,u=e.preventDismissOnScroll,d=e.preventDismissOnResize,p=e.preventDismissOnLostFocus,m=e.shouldDismissOnWindowFocus,h=e.preventDismissOnEvent,g=i.useRef(!1),f=(0,y.r)(),v=(0,_.B)([function(){g.current=!0},function(){g.current=!1}]),b=!!t;return i.useEffect((function(){var e=function(e){b&&!u&&v(e)},t=function(e){var t;d||null===(t=s)||void 0===t||t(e)},i=function(e){p||v(e)},v=function(e){var t,i=e.target,a=o.current&&!(0,l.t)(o.current,i);a&&g.current?g.current=!1:(!n.current&&a||e.target!==r&&a&&(!n.current||"stopPropagation"in n.current||i!==n.current&&!(0,l.t)(n.current,i)))&&(null===(t=s)||void 0===t||t(e))},y=function(e){var t,o;m&&((!h||h(e))&&(h||p)||(null===(t=r)||void 0===t?void 0:t.document.hasFocus())||null!==e.relatedTarget||null===(o=s)||void 0===o||o(e))},_=new Promise((function(o){f.setTimeout((function(){if(!a&&r){var n=[(0,c.on)(r,"scroll",e,!0),(0,c.on)(r,"resize",t,!0),(0,c.on)(r.document.documentElement,"focus",i,!0),(0,c.on)(r.document.documentElement,"click",i,!0),(0,c.on)(r,"blur",y,!0)];o((function(){n.forEach((function(e){return e()}))}))}}),0)}));return function(){_.then((function(e){return e()}))}}),[a,f,o,n,r,s,m,p,d,u,b,h]),v}(o,oe,j,X,Q),re=ne[0],ie=ne[1];if(function(e,t,o){var n=e.hidden,r=e.setInitialFocus,a=(0,y.r)(),l=!!t;i.useEffect((function(){if(!n&&r&&l&&o.current){var e=a.requestAnimationFrame((function(){return(0,s.uo)(o.current)}),o.current);return function(){return a.cancelAnimationFrame(e)}}}),[n,l,a,o,r])}(o,oe,J),i.useEffect((function(){var e;G||null===(e=U)||void 0===e||e()}),[G]),!Q)return null;var ae=ee?ee+te:void 0,se=O&&ae&&O{"use strict";o.d(t,{N:()=>l});var n=o(2002),r=o(5666),i=o(9729);function a(e){return{height:e,width:e}}var s={container:"ms-Callout-container",root:"ms-Callout",beak:"ms-Callout-beak",beakCurtain:"ms-Callout-beakCurtain",calloutMain:"ms-Callout-main"},l=(0,n.z)(r.H,(function(e){var t,o=e.theme,n=e.className,r=e.overflowYHidden,l=e.calloutWidth,c=e.beakWidth,u=e.backgroundColor,d=e.calloutMaxWidth,p=e.calloutMinWidth,m=(0,i.Cn)(s,o),h=o.semanticColors,g=o.effects;return{container:[m.container,{position:"relative"}],root:[m.root,o.fonts.medium,{position:"absolute",boxSizing:"border-box",borderRadius:g.roundedCorner2,boxShadow:g.elevation16,selectors:(t={},t[i.qJ]={borderWidth:1,borderStyle:"solid",borderColor:"WindowText"},t)},(0,i.e2)(),n,!!l&&{width:l},!!d&&{maxWidth:d},!!p&&{minWidth:p}],beak:[m.beak,{position:"absolute",backgroundColor:h.menuBackground,boxShadow:"inherit",border:"inherit",boxSizing:"border-box",transform:"rotate(45deg)"},a(c),u&&{backgroundColor:u}],beakCurtain:[m.beakCurtain,{position:"absolute",top:0,right:0,bottom:0,left:0,backgroundColor:h.menuBackground,borderRadius:g.roundedCorner2}],calloutMain:[m.calloutMain,{backgroundColor:h.menuBackground,overflowX:"hidden",overflowY:"auto",position:"relative",borderRadius:g.roundedCorner2},r&&{overflowY:"hidden"},u&&{backgroundColor:u}]}}),void 0,{scope:"CalloutContent"})},5790:(e,t,o)=>{"use strict";o.d(t,{A:()=>p});var n=o(7622),r=o(7002),i=o(4085),a=o(9241),s=o(6548),l=o(7300),c=o(5480),u=o(9947),d=(0,l.y)(),p=r.forwardRef((function(e,t){var o=e.disabled,l=e.required,p=e.inputProps,m=e.name,h=e.ariaLabel,g=e.ariaLabelledBy,f=e.ariaDescribedBy,v=e.ariaPositionInSet,b=e.ariaSetSize,y=e.title,_=e.label,C=e.checkmarkIconProps,S=e.styles,x=e.theme,k=e.className,w=e.boxSide,I=void 0===w?"start":w,D=(0,i.M)("checkbox-",e.id),T=r.useRef(null),E=(0,a.r)(T,t),P=r.useRef(null),M=(0,s.G)(e.checked,e.defaultChecked,e.onChange),R=M[0],N=M[1],B=(0,s.G)(e.indeterminate,e.defaultIndeterminate),F=B[0],L=B[1];(0,c.P)(T),function(e,t,o,n){r.useImperativeHandle(e.componentRef,(function(){return{get checked(){return!!t},get indeterminate(){return!!o},focus:function(){n.current&&n.current.focus()}}}),[n,t,o])}(e,R,F,P);var A=d(S,{theme:x,className:k,disabled:o,indeterminate:F,checked:R,reversed:"start"!==I,isUsingCustomLabelRender:!!e.onRenderLabel}),z=r.useCallback((function(e){return e&&e.label?r.createElement("span",{"aria-hidden":"true",className:A.text,title:e.title},e.label):null}),[A.text]),H=e.onRenderLabel||z,O=F?"mixed":R?"true":"false",W=(0,n.pi)((0,n.pi)({className:A.input,type:"checkbox"},p),{checked:!!R,disabled:o,required:l,name:m,id:D,title:y,onChange:function(e){F?(N(!!R,e),L(!1)):N(!R,e)},"aria-disabled":o,"aria-label":h||_,"aria-labelledby":g,"aria-describedby":f,"aria-posinset":v,"aria-setsize":b,"aria-checked":O});return r.createElement("div",{className:A.root,title:y,ref:E},r.createElement("input",(0,n.pi)({},W,{ref:P,"data-ktp-execute-target":!0})),r.createElement("label",{className:A.label,htmlFor:D},r.createElement("div",{className:A.checkbox,"data-ktp-target":!0},r.createElement(u.J,(0,n.pi)({iconName:"CheckMark"},C,{className:A.checkmark}))),H(e,z)))}));p.displayName="CheckboxBase"},2777:(e,t,o)=>{"use strict";o.d(t,{X:()=>p});var n=o(2002),r=o(5790),i=o(7622),a=o(9729),s=o(6145),l={root:"ms-Checkbox",label:"ms-Checkbox-label",checkbox:"ms-Checkbox-checkbox",checkmark:"ms-Checkbox-checkmark",text:"ms-Checkbox-text"},c="20px",u="200ms",d="cubic-bezier(.4, 0, .23, 1)",p=(0,n.z)(r.A,(function(e){var t,o,n,r,p,m,h,g,f,v,b,y,_,C,S,x,k,w,I=e.className,D=e.theme,T=e.reversed,E=e.checked,P=e.disabled,M=e.isUsingCustomLabelRender,R=e.indeterminate,N=D.semanticColors,B=D.effects,F=D.palette,L=D.fonts,A=(0,a.Cn)(l,D),z=N.inputForegroundChecked,H=F.neutralSecondary,O=F.neutralPrimary,W=N.inputBackgroundChecked,V=N.inputBackgroundChecked,K=N.disabledBodySubtext,q=N.inputBorderHovered,G=N.inputBackgroundCheckedHovered,U=N.inputBackgroundChecked,j=N.inputBackgroundCheckedHovered,J=N.inputBackgroundCheckedHovered,Y=N.inputTextHovered,Z=N.disabledBodySubtext,X=N.bodyText,Q=N.disabledText,$=[(t={content:'""',borderRadius:B.roundedCorner2,position:"absolute",width:10,height:10,top:4,left:4,boxSizing:"border-box",borderWidth:5,borderStyle:"solid",borderColor:P?K:W,transitionProperty:"border-width, border, border-color",transitionDuration:u,transitionTimingFunction:d},t[a.qJ]={borderColor:"WindowText"},t)];return{root:[A.root,{position:"relative",display:"flex"},T&&"reversed",E&&"is-checked",!P&&"is-enabled",P&&"is-disabled",!P&&[!E&&(o={},o[":hover ."+A.checkbox]=(n={borderColor:q},n[a.qJ]={borderColor:"Highlight"},n),o[":focus ."+A.checkbox]={borderColor:q},o[":hover ."+A.checkmark]=(r={color:H,opacity:"1"},r[a.qJ]={color:"Highlight"},r),o),E&&!R&&(p={},p[":hover ."+A.checkbox]={background:j,borderColor:J},p[":focus ."+A.checkbox]={background:j,borderColor:J},p[a.qJ]=(m={},m[":hover ."+A.checkbox]={background:"Highlight",borderColor:"Highlight"},m[":focus ."+A.checkbox]={background:"Highlight"},m[":focus:hover ."+A.checkbox]={background:"Highlight"},m[":focus:hover ."+A.checkmark]={color:"Window"},m[":hover ."+A.checkmark]={color:"Window"},m),p),R&&(h={},h[":hover ."+A.checkbox+", :hover ."+A.checkbox+":after"]=(g={borderColor:G},g[a.qJ]={borderColor:"WindowText"},g),h[":focus ."+A.checkbox]={borderColor:G},h[":hover ."+A.checkmark]={opacity:"0"},h),(f={},f[":hover ."+A.text+", :focus ."+A.text]=(v={color:Y},v[a.qJ]={color:P?"GrayText":"WindowText"},v),f)],I],input:(b={position:"absolute",background:"none",opacity:0},b["."+s.G$+" &:focus + label::before"]=(y={outline:"1px solid "+D.palette.neutralSecondary,outlineOffset:"2px"},y[a.qJ]={outline:"1px solid WindowText"},y),b),label:[A.label,D.fonts.medium,{display:"flex",alignItems:M?"center":"flex-start",cursor:P?"default":"pointer",position:"relative",userSelect:"none"},T&&{flexDirection:"row-reverse",justifyContent:"flex-end"},{"&::before":{position:"absolute",left:0,right:0,top:0,bottom:0,content:'""',pointerEvents:"none"}}],checkbox:[A.checkbox,(_={position:"relative",display:"flex",flexShrink:0,alignItems:"center",justifyContent:"center",height:c,width:c,border:"1px solid "+O,borderRadius:B.roundedCorner2,boxSizing:"border-box",transitionProperty:"background, border, border-color",transitionDuration:u,transitionTimingFunction:d,overflow:"hidden",":after":R?$:null},_[a.qJ]=(0,i.pi)({borderColor:"WindowText"},(0,a.xM)()),_),R&&{borderColor:W},T?{marginLeft:4}:{marginRight:4},!P&&!R&&E&&(C={background:U,borderColor:V},C[a.qJ]={background:"Highlight",borderColor:"Highlight"},C),P&&(S={borderColor:K},S[a.qJ]={borderColor:"GrayText"},S),E&&P&&(x={background:Z,borderColor:K},x[a.qJ]={background:"Window"},x)],checkmark:[A.checkmark,(k={opacity:E?"1":"0",color:z},k[a.qJ]=(0,i.pi)({color:P?"GrayText":"Window"},(0,a.xM)()),k)],text:[A.text,(w={color:P?Q:X,fontSize:L.medium.fontSize,lineHeight:"20px"},w[a.qJ]=(0,i.pi)({color:P?"GrayText":"WindowText"},(0,a.xM)()),w),T?{marginRight:4}:{marginLeft:4}]}}),void 0,{scope:"Checkbox"})},5554:(e,t,o)=>{"use strict";o.d(t,{q:()=>f});var n=o(7622),r=o(7002),i=o(2052),a=o(7300),s=o(2470),l=o(6145),c=o(8127),u=o(1351),d=o(4085),p=o(6548),m=(0,a.y)(),h=function(e,t){return t+"-"+e.key},g=function(e,t){return void 0===t?void 0:(0,s.sE)(e,(function(e){return e.key===t}))},f=r.forwardRef((function(e,t){var o=e.className,a=e.theme,s=e.styles,f=e.options,v=void 0===f?[]:f,b=e.label,y=e.required,_=e.disabled,C=e.name,S=e.defaultSelectedKey,x=e.componentRef,k=e.onChange,w=(0,d.M)("ChoiceGroup"),I=(0,d.M)("ChoiceGroupLabel"),D=(0,c.pq)(e,c.n7,["onChange","className","required"]),T=m(s,{theme:a,className:o,optionsContainIconOrImage:v.some((function(e){return!(!e.iconProps&&!e.imageSrc)}))}),E=e.ariaLabelledBy||(b?I:e["aria-labelledby"]),P=(0,p.G)(e.selectedKey,S),M=P[0],R=P[1],N=r.useState(),B=N[0],F=N[1];!function(e,t,o,n){r.useImperativeHandle(n,(function(){return{get checkedOption(){return g(e,t)},focus:function(){var n=g(e,t)||e.filter((function(e){return!e.disabled}))[0],r=n&&document.getElementById(h(n,o));r&&(r.focus(),(0,l.MU)(!0,r))}}}),[e,t,o])}(v,M,w,x);var L=r.useCallback((function(e,t){var o,n;t&&(F(t.itemKey),null===(n=(o=t).onFocus)||void 0===n||n.call(o,e))}),[]),A=r.useCallback((function(e,t){var o,n,r;F(void 0),null===(r=null===(o=t)||void 0===o?void 0:(n=o).onBlur)||void 0===r||r.call(n,e)}),[]),z=r.useCallback((function(e,t){var o,n,r;t&&(R(t.itemKey),null===(n=(o=t).onChange)||void 0===n||n.call(o,e),null===(r=k)||void 0===r||r(e,g(v,t.itemKey)))}),[k,v,R]);return r.createElement("div",(0,n.pi)({className:T.root},D,{ref:t}),r.createElement("div",(0,n.pi)({role:"radiogroup"},E&&{"aria-labelledby":E}),b&&r.createElement(i._,{className:T.label,required:y,id:I,disabled:_},b),r.createElement("div",{className:T.flexContainer},v.map((function(e){return r.createElement(u.c,(0,n.pi)({key:e.key,itemKey:e.key},e,{onBlur:A,onFocus:L,onChange:z,focused:e.key===B,checked:e.key===M,disabled:e.disabled||_,id:h(e,w),labelId:e.labelId||I+"-"+e.key,name:C||w,required:y}))})))))}));f.displayName="ChoiceGroup"},9240:(e,t,o)=>{"use strict";o.d(t,{F:()=>s});var n=o(2002),r=o(5554),i=o(9729),a={root:"ms-ChoiceFieldGroup",flexContainer:"ms-ChoiceFieldGroup-flexContainer"},s=(0,n.z)(r.q,(function(e){var t=e.className,o=e.optionsContainIconOrImage,n=e.theme,r=(0,i.Cn)(a,n);return{root:[t,r.root,n.fonts.medium,{display:"block"}],flexContainer:[r.flexContainer,o&&{display:"flex",flexDirection:"row",flexWrap:"wrap"}]}}),void 0,{scope:"ChoiceGroup"})},1351:(e,t,o)=>{"use strict";o.d(t,{c:()=>x});var n=o(2002),r=o(7622),i=o(7002),a=o(4861),s=o(9947),l=o(7300),c=o(63),u=o(8127),d=o(8826),p=o(8088),m=(0,l.y)(),h={imageSize:{width:32,height:32}},g=function(e){var t=(0,c.j)((0,r.pi)((0,r.pi)({},h),{key:e.itemKey}),e),o=t.ariaLabel,n=t.focused,l=t.required,g=t.theme,f=t.iconProps,v=t.imageSrc,b=t.imageSize,y=t.disabled,_=t.checked,C=t.id,S=t.styles,x=t.name,k=(0,r._T)(t,["ariaLabel","focused","required","theme","iconProps","imageSrc","imageSize","disabled","checked","id","styles","name"]),w=m(S,{theme:g,hasIcon:!!f,hasImage:!!v,checked:_,disabled:y,imageIsLarge:!!v&&(b.width>71||b.height>71),imageSize:b,focused:n}),I=(0,u.pq)(k,u.Gg),D=I.className,T=(0,r._T)(I,["className"]),E=function(){return i.createElement("span",{id:t.labelId,className:"ms-ChoiceFieldLabel"},t.text)},P=function(){var e=t.imageAlt,o=void 0===e?"":e,n=t.selectedImageSrc,l=(t.onRenderLabel?(0,d.k)(t.onRenderLabel,E):E)(t);return i.createElement("label",{htmlFor:C,className:w.field},v&&i.createElement("div",{className:w.innerField},i.createElement("div",{className:w.imageWrapper},i.createElement(a.E,(0,r.pi)({src:v,alt:o},b))),i.createElement("div",{className:w.selectedImageWrapper},i.createElement(a.E,(0,r.pi)({src:n,alt:o},b)))),f&&i.createElement("div",{className:w.innerField},i.createElement("div",{className:w.iconWrapper},i.createElement(s.J,(0,r.pi)({},f)))),v||f?i.createElement("div",{className:w.labelWrapper},l):l)},M=t.onRenderField,R=void 0===M?P:M;return i.createElement("div",{className:w.root},i.createElement("div",{className:w.choiceFieldWrapper},i.createElement("input",(0,r.pi)({"aria-label":o,id:C,className:(0,p.i)(w.input,D),type:"radio",name:x,disabled:y,checked:_,required:l},T,{onChange:function(e){var o,n;null===(n=(o=t).onChange)||void 0===n||n.call(o,e,t)},onFocus:function(e){var o,n;null===(n=(o=t).onFocus)||void 0===n||n.call(o,e,t)},onBlur:function(e){var o,n;null===(n=(o=t).onBlur)||void 0===n||n.call(o,e)}})),R(t,P)))};g.displayName="ChoiceGroupOption";var f=o(9729),v=o(6145),b={root:"ms-ChoiceField",choiceFieldWrapper:"ms-ChoiceField-wrapper",input:"ms-ChoiceField-input",field:"ms-ChoiceField-field",innerField:"ms-ChoiceField-innerField",imageWrapper:"ms-ChoiceField-imageWrapper",iconWrapper:"ms-ChoiceField-iconWrapper",labelWrapper:"ms-ChoiceField-labelWrapper",checked:"is-checked"},y="200ms",_="cubic-bezier(.4, 0, .23, 1)";function C(e,t){var o,n;return["is-inFocus",{selectors:(o={},o["."+v.G$+" &"]={position:"relative",outline:"transparent",selectors:{"::-moz-focus-inner":{border:0},":after":{content:'""',top:-2,right:-2,bottom:-2,left:-2,pointerEvents:"none",border:"1px solid "+e,position:"absolute",selectors:(n={},n[f.qJ]={borderColor:"WindowText",borderWidth:t?1:2},n)}}},o)}]}function S(e,t,o){return[t,{paddingBottom:2,transitionProperty:"opacity",transitionDuration:y,transitionTimingFunction:"ease",selectors:{".ms-Image":{display:"inline-block",borderStyle:"none"}}},(o?!e:e)&&["is-hidden",{position:"absolute",left:0,top:0,width:"100%",height:"100%",overflow:"hidden",opacity:0}]]}var x=(0,n.z)(g,(function(e){var t,o,n,i,a,s=e.theme,l=e.hasIcon,c=e.hasImage,u=e.checked,d=e.disabled,p=e.imageIsLarge,m=e.focused,h=e.imageSize,g=s.palette,v=s.semanticColors,x=s.fonts,k=(0,f.Cn)(b,s),w=g.neutralPrimary,I=v.inputBorderHovered,D=v.inputBackgroundChecked,T=g.themeDark,E=v.disabledBodySubtext,P=v.bodyBackground,M=g.neutralSecondary,R=v.inputBackgroundChecked,N=g.themeDark,B=v.disabledBodySubtext,F=g.neutralDark,L=v.focusBorder,A=v.inputBorderHovered,z=v.inputBackgroundChecked,H=g.themeDark,O=g.neutralLighter,W={selectors:{".ms-ChoiceFieldLabel":{color:F},":before":{borderColor:u?T:I},":after":[!l&&!c&&!u&&{content:'""',transitionProperty:"background-color",left:5,top:5,width:10,height:10,backgroundColor:M},u&&{borderColor:N}]}},V={borderColor:u?H:A,selectors:{":before":{opacity:1,borderColor:u?T:I}}},K=[{content:'""',display:"inline-block",backgroundColor:P,borderWidth:1,borderStyle:"solid",borderColor:w,width:20,height:20,fontWeight:"normal",position:"absolute",top:0,left:0,boxSizing:"border-box",transitionProperty:"border-color",transitionDuration:y,transitionTimingFunction:_,borderRadius:"50%"},d&&{borderColor:E,selectors:(t={},t[f.qJ]=(0,r.pi)({borderColor:"GrayText",background:"Window"},(0,f.xM)()),t)},u&&{borderColor:d?E:D,selectors:(o={},o[f.qJ]={borderColor:"Highlight",background:"Window",forcedColorAdjust:"none"},o)},(l||c)&&{top:3,right:3,left:"auto",opacity:u?1:0}],q=[{content:'""',width:0,height:0,borderRadius:"50%",position:"absolute",left:10,right:0,transitionProperty:"border-width",transitionDuration:y,transitionTimingFunction:_,boxSizing:"border-box"},u&&{borderWidth:5,borderStyle:"solid",borderColor:d?B:R,left:5,top:5,width:10,height:10,selectors:(n={},n[f.qJ]={borderColor:"Highlight",forcedColorAdjust:"none"},n)},u&&(l||c)&&{top:8,right:8,left:"auto"}];return{root:[k.root,s.fonts.medium,{display:"flex",alignItems:"center",boxSizing:"border-box",color:v.bodyText,minHeight:26,border:"none",position:"relative",marginTop:8,selectors:{".ms-ChoiceFieldLabel":{display:"inline-block"}}},!l&&!c&&{selectors:{".ms-ChoiceFieldLabel":{paddingLeft:"26px"}}},c&&"ms-ChoiceField--image",l&&"ms-ChoiceField--icon",(l||c)&&{display:"inline-flex",fontSize:0,margin:"0 4px 4px 0",paddingLeft:0,backgroundColor:O,height:"100%"}],choiceFieldWrapper:[k.choiceFieldWrapper,m&&C(L,l||c)],input:[k.input,{position:"absolute",opacity:0,top:0,right:0,width:"100%",height:"100%",margin:0},d&&"is-disabled"],field:[k.field,u&&k.checked,{display:"inline-block",cursor:"pointer",marginTop:0,position:"relative",verticalAlign:"top",userSelect:"none",minHeight:20,selectors:{":hover":!d&&W,":focus":!d&&W,":before":K,":after":q}},l&&"ms-ChoiceField--icon",c&&"ms-ChoiceField-field--image",(l||c)&&{boxSizing:"content-box",cursor:"pointer",paddingTop:22,margin:0,textAlign:"center",transitionProperty:"all",transitionDuration:y,transitionTimingFunction:"ease",border:"1px solid transparent",justifyContent:"center",alignItems:"center",display:"flex",flexDirection:"column"},u&&{borderColor:z},(l||c)&&!d&&{selectors:{":hover":V,":focus":V}},d&&{cursor:"default",selectors:{".ms-ChoiceFieldLabel":{color:v.disabledBodyText,selectors:(i={},i[f.qJ]=(0,r.pi)({color:"GrayText"},(0,f.xM)()),i)}}},u&&d&&{borderColor:O}],innerField:[k.innerField,c&&{height:h.height,width:h.width},(l||c)&&{position:"relative",display:"inline-block",paddingLeft:30,paddingRight:30},(l||c)&&p&&{paddingLeft:24,paddingRight:24},(l||c)&&d&&{opacity:.25,selectors:(a={},a[f.qJ]={color:"GrayText",opacity:1},a)}],imageWrapper:S(!1,k.imageWrapper,u),selectedImageWrapper:S(!0,k.imageWrapper,u),iconWrapper:[k.iconWrapper,{fontSize:32,lineHeight:32,height:32}],labelWrapper:[k.labelWrapper,x.medium,(l||c)&&{display:"block",position:"relative",margin:"4px 8px 2px 8px",height:32,lineHeight:15,maxWidth:2*h.width,overflow:"hidden",whiteSpace:"pre-wrap"}]}}),void 0,{scope:"ChoiceGroupOption"})},1958:(e,t,o)=>{"use strict";o.d(t,{T:()=>z});var n=o(7622),r=o(7002),i=o(7300),a=o(688),s=o(3129),l=o(687),c=o(8623),u=o(2002),d=o(2782),p=o(8145),m=o(9251),h=o(21),g=o(2417),f=o(6119),v=o(1342),b=(0,i.y)(),y=function(e){function t(t){var o=e.call(this,t)||this;return o._disposables=[],o._root=r.createRef(),o._isAdjustingSaturation=!0,o._descriptionId=(0,d.z)("ColorRectangle-description"),o._onKeyDown=function(e){var t=o.state.color,n=t.s,r=t.v,i=e.shiftKey?10:1;switch(e.which){case p.m.up:o._isAdjustingSaturation=!1,r+=i;break;case p.m.down:o._isAdjustingSaturation=!1,r-=i;break;case p.m.left:o._isAdjustingSaturation=!0,n-=i;break;case p.m.right:o._isAdjustingSaturation=!0,n+=i;break;default:return}o._updateColor(e,(0,f.d)(t,(0,v.u)(n,h.fr),(0,v.u)(r,h.uw)))},o._onMouseDown=function(e){o._disposables.push((0,m.on)(window,"mousemove",o._onMouseMove,!0),(0,m.on)(window,"mouseup",o._disposeListeners,!0)),o._onMouseMove(e)},o._onMouseMove=function(e){if(o._root.current){var t=function(e,t,o){var n=o.getBoundingClientRect(),r=(e.clientX-n.left)/n.width,i=(e.clientY-n.top)/n.height;return(0,f.d)(t,(0,v.u)(Math.round(r*h.fr),h.fr),(0,v.u)(Math.round(h.uw-i*h.uw),h.uw))}(e,o.state.color,o._root.current);t&&o._updateColor(e,t)}},o._disposeListeners=function(){o._disposables.forEach((function(e){return e()})),o._disposables=[]},(0,a.l)(o),o.state={color:t.color},o}return(0,n.ZT)(t,e),Object.defineProperty(t.prototype,"color",{get:function(){return this.state.color},enumerable:!0,configurable:!0}),t.prototype.componentDidUpdate=function(e,t){e!==this.props&&this.props.color&&this.setState({color:this.props.color})},t.prototype.componentWillUnmount=function(){this._disposeListeners()},t.prototype.render=function(){var e=this.props,t=e.minSize,o=e.theme,n=e.className,i=e.styles,a=e.ariaValueFormat,s=e.ariaLabel,l=e.ariaDescription,c=this.state.color,u=b(i,{theme:o,className:n,minSize:t}),d=a.replace("{0}",String(c.s)).replace("{1}",String(c.v));return r.createElement("div",{ref:this._root,tabIndex:0,className:u.root,style:{backgroundColor:(0,g.p)(c)},onMouseDown:this._onMouseDown,onKeyDown:this._onKeyDown,role:"slider","aria-valuetext":d,"aria-valuenow":this._isAdjustingSaturation?c.s:c.v,"aria-valuemin":0,"aria-valuemax":h.uw,"aria-label":s,"aria-describedby":this._descriptionId,"data-is-focusable":!0},r.createElement("div",{className:u.description,id:this._descriptionId},l),r.createElement("div",{className:u.light}),r.createElement("div",{className:u.dark}),r.createElement("div",{className:u.thumb,style:{left:c.s+"%",top:h.uw-c.v+"%",backgroundColor:c.str}}))},t.prototype._updateColor=function(e,t){var o=this.props.onChange,n=this.state.color;t.s===n.s&&t.v===n.v||(o&&o(e,t),e.defaultPrevented||(this.setState({color:t}),e.preventDefault()))},t.defaultProps={minSize:220,ariaLabel:"Saturation and brightness",ariaValueFormat:"Saturation {0} brightness {1}",ariaDescription:"Use left and right arrow keys to set saturation. Use up and down arrow keys to set brightness."},t}(r.Component),_=o(9729),C=o(6145),S=(0,u.z)(y,(function(e){var t,o=e.className,r=e.theme,i=e.minSize,a=r.palette,s=r.effects;return{root:["ms-ColorPicker-colorRect",{position:"relative",marginBottom:8,border:"1px solid "+a.neutralLighter,borderRadius:s.roundedCorner2,minWidth:i,minHeight:i,outline:"none",selectors:(t={},t[_.qJ]=(0,n.pi)({},(0,_.xM)()),t["."+C.G$+" &:focus"]={outline:"1px solid "+a.neutralSecondary},t)},o],light:["ms-ColorPicker-light",{position:"absolute",left:0,right:0,top:0,bottom:0,background:"linear-gradient(to right, white 0%, transparent 100%) /*@noflip*/"}],dark:["ms-ColorPicker-dark",{position:"absolute",left:0,right:0,top:0,bottom:0,background:"linear-gradient(to bottom, transparent 0, #000 100%)"}],thumb:["ms-ColorPicker-thumb",{position:"absolute",width:20,height:20,background:"white",border:"1px solid "+a.neutralSecondaryAlt,borderRadius:"50%",boxShadow:s.elevation8,transform:"translate(-50%, -50%)",selectors:{":before":{position:"absolute",left:0,right:0,top:0,bottom:0,border:"2px solid "+a.white,borderRadius:"50%",boxSizing:"border-box",content:'""'}}}],description:_.ul}}),void 0,{scope:"ColorRectangle"}),x=o(9757),k=(0,i.y)(),w=function(e){function t(t){var o=e.call(this,t)||this;return o._disposables=[],o._root=r.createRef(),o._onKeyDown=function(e){var t=o.value,n=o._maxValue,r=e.shiftKey?10:1;switch(e.which){case p.m.left:t-=r;break;case p.m.right:t+=r;break;case p.m.home:t=0;break;case p.m.end:t=n;break;default:return}o._updateValue(e,(0,v.u)(t,n))},o._onMouseDown=function(e){var t=(0,x.J)(o);t&&o._disposables.push((0,m.on)(t,"mousemove",o._onMouseMove,!0),(0,m.on)(t,"mouseup",o._disposeListeners,!0)),o._onMouseMove(e)},o._onMouseMove=function(e){if(o._root.current){var t=o._maxValue,n=o._root.current.getBoundingClientRect(),r=(e.clientX-n.left)/n.width,i=(0,v.u)(Math.round(r*t),t);o._updateValue(e,i)}},o._disposeListeners=function(){o._disposables.forEach((function(e){return e()})),o._disposables=[]},(0,a.l)(o),(0,s.b)("ColorSlider",t,{thumbColor:"styles.sliderThumb",overlayStyle:"overlayColor",isAlpha:"type",maxValue:"type",minValue:"type"}),"hue"===o._type||t.overlayColor||t.overlayStyle||(0,l.Z)("ColorSlider: 'overlayColor' is required when 'type' is \"alpha\" or \"transparency\""),o.state={currentValue:t.value||0},o}return(0,n.ZT)(t,e),Object.defineProperty(t.prototype,"value",{get:function(){return this.state.currentValue},enumerable:!0,configurable:!0}),t.prototype.componentDidUpdate=function(e,t){e!==this.props&&void 0!==this.props.value&&this.setState({currentValue:this.props.value})},t.prototype.componentWillUnmount=function(){this._disposeListeners()},t.prototype.render=function(){var e=this._type,t=this._maxValue,o=this.props,n=o.overlayStyle,i=o.overlayColor,a=o.theme,s=o.className,l=o.styles,c=o.ariaLabel,u=void 0===c?e:c,d=this.value,p=k(l,{theme:a,className:s,type:e}),m=100*d/t;return r.createElement("div",{ref:this._root,className:p.root,tabIndex:0,onKeyDown:this._onKeyDown,onMouseDown:this._onMouseDown,role:"slider","aria-valuenow":d,"aria-valuetext":String(d),"aria-valuemin":0,"aria-valuemax":t,"aria-label":u,"data-is-focusable":!0},!(!i&&!n)&&r.createElement("div",{className:p.sliderOverlay,style:i?{background:"transparency"===e?"linear-gradient(to right, #"+i+", transparent)":"linear-gradient(to right, transparent, #"+i+")"}:n}),r.createElement("div",{className:p.sliderThumb,style:{left:m+"%"}}))},Object.defineProperty(t.prototype,"_type",{get:function(){var e=this.props,t=e.isAlpha,o=e.type;return void 0===o?t?"alpha":"hue":o},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"_maxValue",{get:function(){return"hue"===this._type?h.a_:h.c5},enumerable:!0,configurable:!0}),t.prototype._updateValue=function(e,t){if(t!==this.value){var o=this.props.onChange;o&&o(e,t),e.defaultPrevented||(this.setState({currentValue:t}),e.preventDefault())}},t.defaultProps={value:0},t}(r.Component),I={background:"linear-gradient("+["to left","red 0","#f09 10%","#cd00ff 20%","#3200ff 30%","#06f 40%","#00fffd 50%","#0f6 60%","#35ff00 70%","#cdff00 80%","#f90 90%","red 100%"].join(",")+")"},D={backgroundImage:"url(data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAAoAAAAKCAYAAACNMs+9AAAAJUlEQVQYV2N89erVfwY0ICYmxoguxjgUFKI7GsTH5m4M3w1ChQC1/Ca8i2n1WgAAAABJRU5ErkJggg==)"},T=(0,u.z)(w,(function(e){var t,o=e.theme,n=e.className,r=e.type,i=void 0===r?"hue":r,a=e.isAlpha,s=void 0===a?"hue"!==i:a,l=o.palette,c=o.effects;return{root:["ms-ColorPicker-slider",{position:"relative",height:20,marginBottom:8,border:"1px solid "+l.neutralLight,borderRadius:c.roundedCorner2,boxSizing:"border-box",outline:"none",selectors:(t={},t["."+C.G$+" &:focus"]={outline:"1px solid "+l.neutralSecondary},t)},s?D:I,n],sliderOverlay:["ms-ColorPicker-sliderOverlay",{content:"",position:"absolute",left:0,right:0,top:0,bottom:0}],sliderThumb:["ms-ColorPicker-thumb","is-slider",{position:"absolute",width:20,height:20,background:"white",border:"1px solid "+l.neutralSecondaryAlt,borderRadius:"50%",boxShadow:c.elevation8,transform:"translate(-50%, -50%)",top:"50%"}]}}),void 0,{scope:"ColorSlider"}),E=o(7375),P=o(8208),M=o(8490),R=o(1332),N=o(1990),B=o(2775),F=o(5298),L=(0,i.y)(),A=["hex","r","g","b","a","t"],z=function(e){function t(o){var r=e.call(this,o)||this;r._onSVChanged=function(e,t){r._updateColor(e,t)},r._onHChanged=function(e,t){r._updateColor(e,(0,N.i)(r.state.color,t))},r._onATChanged=function(e,t){var o="transparency"===r.props.alphaType?R.X:M.R;r._updateColor(e,o(r.state.color,Math.round(t)))},r._onBlur=function(e){var t,o=r.state,i=o.color,a=o.editingColor;if(a){var s=a.value,l=a.component,c="hex"===l,u="a"===l,d="t"===l,p=c?h.yE:h.HT;if(s.length>=p&&(c||!isNaN(Number(s)))){var m=void 0;m=c?(0,E.T)("#"+(0,F.L)(s)):u||d?(u?M.R:R.X)(i,(0,v.u)(Number(s),h.c5)):(0,P.N)((0,B.k)((0,n.pi)((0,n.pi)({},i),((t={})[l]=Number(s),t)))),r._updateColor(e,m)}else r.setState({editingColor:void 0})}},(0,a.l)(r);var i=o.strings;(0,s.b)("ColorPicker",o,{hexLabel:"strings.hex",redLabel:"strings.red",greenLabel:"strings.green",blueLabel:"strings.blue",alphaLabel:"strings.alpha",alphaSliderHidden:"alphaType"}),i.hue&&(0,l.Z)("ColorPicker property 'strings.hue' was used but has been deprecated. Use 'strings.hueAriaLabel' instead."),r.state={color:H(o)||(0,E.T)("#ffffff")},r._textChangeHandlers={};for(var c=0,u=A;c{"use strict";o.d(t,{z:()=>i});var n=o(2002),r=o(1958),i=(0,n.z)(r.T,(function(e){var t=e.className,o=e.theme,n=e.alphaType;return{root:["ms-ColorPicker",o.fonts.medium,{position:"relative",maxWidth:300},t],panel:["ms-ColorPicker-panel",{padding:"16px"}],table:["ms-ColorPicker-table",{tableLayout:"fixed",width:"100%",selectors:{"tbody td:last-of-type .ms-ColorPicker-input":{paddingRight:0}}}],tableHeader:[o.fonts.small,{selectors:{td:{paddingBottom:4}}}],tableHexCell:{width:"25%"},tableAlphaCell:"transparency"===n&&{width:"22%"},colorSquare:["ms-ColorPicker-colorSquare",{width:48,height:48,margin:"0 0 0 8px",border:"1px solid #c8c6c4"}],flexContainer:{display:"flex"},flexSlider:{flexGrow:"1"},flexPreviewBox:{flexGrow:"0"},input:["ms-ColorPicker-input",{width:"100%",border:"none",boxSizing:"border-box",height:30,selectors:{"&.ms-TextField":{paddingRight:4},"& .ms-TextField-field":{minWidth:"auto",padding:5,textOverflow:"clip"}}}]}}),void 0,{scope:"ColorPicker"})},610:(e,t,o)=>{"use strict";o.d(t,{C:()=>Y});var n,r,i,a,s=o(7622),l=o(7002),c=o(5767),u=o(2447),d=o(63),p=o(4553),m=o(9577),h=o(8023),g=o(8088),f=o(8145),v=o(6479),b=o(8936),y=o(688),_=o(2167),C=o(9919),S=o(209),x=o(2782),k=o(8127),w=o(6053),I=o(2470),D=o(5953),T=o(6628),E=o(2777),P=o(9729),M=o(5094),R=(0,M.NF)((function(e){var t,o=e.semanticColors;return{backgroundColor:o.disabledBackground,color:o.disabledText,cursor:"default",selectors:(t={":after":{borderColor:o.disabledBackground}},t[P.qJ]={color:"GrayText",selectors:{":after":{borderColor:"GrayText"}}},t)}})),N={selectors:(n={},n[P.qJ]=(0,s.pi)({backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},(0,P.xM)()),n)},B={selectors:(r={},r[P.qJ]=(0,s.pi)({color:"WindowText",backgroundColor:"Window"},(0,P.xM)()),r)},F=(0,M.NF)((function(e,t,o,n,r){var i,a=e.palette,s=e.semanticColors,l={textHoveredColor:s.menuItemTextHovered,textSelectedColor:a.neutralDark,textDisabledColor:s.disabledText,backgroundHoveredColor:s.menuItemBackgroundHovered,backgroundPressedColor:s.menuItemBackgroundPressed},c={root:[e.fonts.medium,{backgroundColor:n?l.backgroundHoveredColor:"transparent",boxSizing:"border-box",cursor:"pointer",display:r?"none":"block",width:"100%",height:"auto",minHeight:36,lineHeight:"20px",padding:"0 8px",position:"relative",borderWidth:"1px",borderStyle:"solid",borderColor:"transparent",borderRadius:0,wordWrap:"break-word",overflowWrap:"break-word",textAlign:"left",selectors:(i={},i[P.qJ]={border:"none",borderColor:"Background"},i["&.ms-Checkbox"]={display:"flex",alignItems:"center"},i["&.ms-Button--command:hover:active"]={backgroundColor:l.backgroundPressedColor},i[".ms-Checkbox-label"]={width:"100%"},i)}],rootHovered:{backgroundColor:l.backgroundHoveredColor,color:l.textHoveredColor},rootFocused:{backgroundColor:l.backgroundHoveredColor},rootChecked:[{backgroundColor:"transparent",color:l.textSelectedColor,selectors:{":hover":[{backgroundColor:l.backgroundHoveredColor},N]}},(0,P.GL)(e,{inset:-1,isFocusedOnly:!1}),N],rootDisabled:{color:l.textDisabledColor,cursor:"default"},optionText:{overflow:"hidden",whiteSpace:"nowrap",textOverflow:"ellipsis",minWidth:"0px",maxWidth:"100%",wordWrap:"break-word",overflowWrap:"break-word",display:"inline-block"},optionTextWrapper:{maxWidth:"100%",display:"flex",alignItems:"center"}};return(0,P.E$)(c,t,o)})),L=(0,M.NF)((function(e,t){var o,n,r=e.semanticColors,i=e.fonts,a={buttonTextColor:r.bodySubtext,buttonTextHoveredCheckedColor:r.buttonTextChecked,buttonBackgroundHoveredColor:r.listItemBackgroundHovered,buttonBackgroundCheckedColor:r.listItemBackgroundChecked,buttonBackgroundCheckedHoveredColor:r.listItemBackgroundCheckedHovered},l={selectors:(o={},o[P.qJ]=(0,s.pi)({backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},(0,P.xM)()),o)},c={root:{color:a.buttonTextColor,fontSize:i.small.fontSize,position:"absolute",top:0,height:"100%",lineHeight:30,width:32,textAlign:"center",cursor:"default",selectors:(n={},n[P.qJ]=(0,s.pi)({backgroundColor:"ButtonFace",borderColor:"ButtonText",color:"ButtonText"},(0,P.xM)()),n)},icon:{fontSize:i.small.fontSize},rootHovered:[{backgroundColor:a.buttonBackgroundHoveredColor,color:a.buttonTextHoveredCheckedColor,cursor:"pointer"},l],rootPressed:[{backgroundColor:a.buttonBackgroundCheckedColor,color:a.buttonTextHoveredCheckedColor},l],rootChecked:[{backgroundColor:a.buttonBackgroundCheckedColor,color:a.buttonTextHoveredCheckedColor},l],rootCheckedHovered:[{backgroundColor:a.buttonBackgroundCheckedHoveredColor,color:a.buttonTextHoveredCheckedColor},l],rootDisabled:[R(e),{position:"absolute"}]};return(0,P.E$)(c,t)})),A=(0,M.NF)((function(e,t,o){var n,r,i,a,l,c,u=e.semanticColors,d=e.fonts,p=e.effects,m={textColor:u.inputText,borderColor:u.inputBorder,borderHoveredColor:u.inputBorderHovered,borderPressedColor:u.inputFocusBorderAlt,borderFocusedColor:u.inputFocusBorderAlt,backgroundColor:u.inputBackground,erroredColor:u.errorText},h={headerTextColor:u.menuHeader,dividerBorderColor:u.bodyDivider},g={selectors:(n={},n[P.qJ]={color:"GrayText"},n)},f=[{color:u.inputPlaceholderText},g],v=[{color:u.inputTextHovered},g],b=[{color:u.disabledText},g],y=(0,s.pi)((0,s.pi)({color:"HighlightText",backgroundColor:"Window"},(0,P.xM)()),{selectors:{":after":{borderColor:"Highlight"}}}),_=(0,P.$Y)(m.borderPressedColor,p.roundedCorner2,"border",0),C={container:{},label:{},labelDisabled:{},root:[e.fonts.medium,{boxShadow:"none",marginLeft:"0",paddingRight:32,paddingLeft:9,color:m.textColor,position:"relative",outline:"0",userSelect:"none",backgroundColor:m.backgroundColor,cursor:"text",display:"block",height:32,whiteSpace:"nowrap",textOverflow:"ellipsis",boxSizing:"border-box",selectors:{".ms-Label":{display:"inline-block",marginBottom:"8px"},"&.is-open":{selectors:(r={},r[P.qJ]=y,r)},":after":{pointerEvents:"none",content:"''",position:"absolute",left:0,top:0,bottom:0,right:0,borderWidth:"1px",borderStyle:"solid",borderColor:m.borderColor,borderRadius:p.roundedCorner2}}}],rootHovered:{selectors:(i={":after":{borderColor:m.borderHoveredColor},".ms-ComboBox-Input":[{color:u.inputTextHovered},(0,P.Sv)(v),B]},i[P.qJ]=(0,s.pi)((0,s.pi)({color:"HighlightText",backgroundColor:"Window"},(0,P.xM)()),{selectors:{":after":{borderColor:"Highlight"}}}),i)},rootPressed:[{position:"relative",selectors:(a={},a[P.qJ]=y,a)}],rootFocused:[{selectors:(l={".ms-ComboBox-Input":[{color:u.inputTextHovered},B]},l[P.qJ]=y,l)},_],rootDisabled:R(e),rootError:{selectors:{":after":{borderColor:m.erroredColor},":hover:after":{borderColor:u.inputBorderHovered}}},rootDisallowFreeForm:{},input:[(0,P.Sv)(f),{backgroundColor:m.backgroundColor,color:m.textColor,boxSizing:"border-box",width:"100%",height:"100%",borderStyle:"none",outline:"none",font:"inherit",textOverflow:"ellipsis",padding:"0",selectors:{"::-ms-clear":{display:"none"}}},B],inputDisabled:[R(e),(0,P.Sv)(b)],errorMessage:[e.fonts.small,{color:m.erroredColor,marginTop:"5px"}],callout:{boxShadow:p.elevation8},optionsContainerWrapper:{width:o},optionsContainer:{display:"block"},screenReaderText:P.ul,header:[d.medium,{fontWeight:P.lq.semibold,color:h.headerTextColor,backgroundColor:"none",borderStyle:"none",height:36,lineHeight:36,cursor:"default",padding:"0 8px",userSelect:"none",textAlign:"left",selectors:(c={},c[P.qJ]=(0,s.pi)({color:"GrayText"},(0,P.xM)()),c)}],divider:{height:1,backgroundColor:h.dividerBorderColor}};return(0,P.E$)(C,t)})),z=(0,M.NF)((function(e,t,o,n,r,i,a,s){return{container:(0,P.y0)("ms-ComboBox-container",t,e.container),label:(0,P.y0)(e.label,n&&e.labelDisabled),root:(0,P.y0)("ms-ComboBox",s?e.rootError:o&&"is-open",r&&"is-required",e.root,!a&&e.rootDisallowFreeForm,s&&!i?e.rootError:!n&&i&&e.rootFocused,!n&&{selectors:{":hover":s?e.rootError:!o&&!i&&e.rootHovered,":active":s?e.rootError:e.rootPressed,":focus":s?e.rootError:e.rootFocused}},n&&["is-disabled",e.rootDisabled]),input:(0,P.y0)("ms-ComboBox-Input",e.input,n&&e.inputDisabled),errorMessage:(0,P.y0)(e.errorMessage),callout:(0,P.y0)("ms-ComboBox-callout",e.callout),optionsContainerWrapper:(0,P.y0)("ms-ComboBox-optionsContainerWrapper",e.optionsContainerWrapper),optionsContainer:(0,P.y0)("ms-ComboBox-optionsContainer",e.optionsContainer),header:(0,P.y0)("ms-ComboBox-header",e.header),divider:(0,P.y0)("ms-ComboBox-divider",e.divider),screenReaderText:(0,P.y0)(e.screenReaderText)}})),H=(0,M.NF)((function(e){return{optionText:(0,P.y0)("ms-ComboBox-optionText",e.optionText),root:(0,P.y0)("ms-ComboBox-option",e.root,{selectors:{":hover":e.rootHovered,":focus":e.rootFocused,":active":e.rootPressed}}),optionTextWrapper:(0,P.y0)(e.optionTextWrapper)}})),O=o(2052),W=o(2703),V=o(5515),K=o(5758),q=o(990),G=o(9241);!function(e){e[e.backward=-1]="backward",e[e.none=0]="none",e[e.forward=1]="forward"}(i||(i={})),function(e){e[e.clearAll=-2]="clearAll",e[e.default=-1]="default"}(a||(a={}));var U=l.memo((function(e){return(0,e.render)()}),(function(e,t){e.render;var o=(0,s._T)(e,["render"]),n=(t.render,(0,s._T)(t,["render"]));return(0,u.Vv)(o,n)})),j="ComboBox",J={options:[],allowFreeform:!1,autoComplete:"on",buttonIconProps:{iconName:"ChevronDown"}};var Y=l.forwardRef((function(e,t){var o=(0,d.j)(J,e),n=(o.ref,(0,s._T)(o,["ref"])),r=l.useRef(null),i=(0,G.r)(r,t),a=function(e){var t=e.options,o=e.defaultSelectedKey,n=e.selectedKey,r=l.useState((function(){return X(t,function(e,t){var o=Q(e);return o.length?o:Q(t)}(o,n))})),i=r[0],a=r[1],s=l.useState(t),c=s[0],u=s[1],d=l.useState(),p=d[0],m=d[1];return l.useEffect((function(){if(void 0!==n){var e=Q(n),o=X(t,e);a(o)}u(t)}),[t,n]),l.useEffect((function(){null===n&&m(void 0)}),[n]),[i,a,c,u,p,m]}(n),c=a[0],u=a[1],p=a[2],m=a[3],h=a[4],g=a[5];return l.createElement(Z,(0,s.pi)({},n,{hoisted:{mergedRootRef:i,rootRef:r,selectedIndices:c,setSelectedIndices:u,currentOptions:p,setCurrentOptions:m,suggestedDisplayValue:h,setSuggestedDisplayValue:g}}))}));Y.displayName=j;var Z=function(e){function t(t){var o=e.call(this,t)||this;return o._autofill=l.createRef(),o._comboBoxWrapper=l.createRef(),o._comboBoxMenu=l.createRef(),o._selectedElement=l.createRef(),o.focus=function(e,t){o._autofill.current&&(t?(0,p.um)(o._autofill.current):o._autofill.current.focus(),e&&o.setState({isOpen:!0})),o._hasFocus()||o.setState({focusState:"focused"})},o.dismissMenu=function(){o.state.isOpen&&o.setState({isOpen:!1})},o._onUpdateValueInAutofillWillReceiveProps=function(){var e=o._autofill.current;if(!e)return null;if(null===e.value||void 0===e.value)return null;var t=$(o._currentVisibleValue);return e.value!==t?t:e.value},o._renderComboBoxWrapper=function(e,t){var n=o.props,r=n.label,i=n.disabled,a=n.ariaLabel,u=n.ariaDescribedBy,d=n.required,p=n.errorMessage,h=n.buttonIconProps,g=n.isButtonAriaHidden,f=void 0===g||g,v=n.title,b=n.placeholder,y=n.tabIndex,_=n.autofill,C=n.iconButtonProps,S=n.hoisted.suggestedDisplayValue,x=o.state.isOpen,k=o._hasFocus()&&o.props.multiSelect&&e?e:b;return l.createElement("div",{"data-ktp-target":!0,ref:o._comboBoxWrapper,id:o._id+"wrapper",className:o._classNames.root},l.createElement(c.G,(0,s.pi)({"data-ktp-execute-target":!0,"data-is-interactable":!i,componentRef:o._autofill,id:o._id+"-input",className:o._classNames.input,type:"text",onFocus:o._onFocus,onBlur:o._onBlur,onKeyDown:o._onInputKeyDown,onKeyUp:o._onInputKeyUp,onClick:o._onAutofillClick,onTouchStart:o._onTouchStart,onInputValueChange:o._onInputChange,"aria-expanded":x,"aria-autocomplete":o._getAriaAutoCompleteValue(),role:"combobox",readOnly:i,"aria-labelledby":r&&o._id+"-label","aria-label":a&&!r?a:void 0,"aria-describedby":void 0!==p?(0,m.I)(u,t):u,"aria-activedescendant":o._getAriaActiveDescendantValue(),"aria-required":d,"aria-disabled":i,"aria-owns":x?o._id+"-list":void 0,spellCheck:!1,defaultVisibleValue:o._currentVisibleValue,suggestedDisplayValue:S,updateValueInWillReceiveProps:o._onUpdateValueInAutofillWillReceiveProps,shouldSelectFullInputValueInComponentDidUpdate:o._onShouldSelectFullInputValueInAutofillComponentDidUpdate,title:v,preventValueSelection:!o._hasFocus(),placeholder:k,tabIndex:y},_)),l.createElement(K.h,(0,s.pi)({className:"ms-ComboBox-CaretDown-button",styles:o._getCaretButtonStyles(),role:"presentation","aria-hidden":f,"data-is-focusable":!1,tabIndex:-1,onClick:o._onComboBoxClick,onBlur:o._onBlur,iconProps:h,disabled:i,checked:x},C)))},o._onShouldSelectFullInputValueInAutofillComponentDidUpdate=function(){return o._currentVisibleValue===o.props.hoisted.suggestedDisplayValue},o._getVisibleValue=function(){var e=o.props,t=e.text,n=e.allowFreeform,r=e.autoComplete,i=e.hoisted,a=i.suggestedDisplayValue,s=i.selectedIndices,l=i.currentOptions,c=o.state,u=c.currentPendingValueValidIndex,d=c.currentPendingValue,p=c.isOpen,m=ee(l,u);if((!p||!m)&&t&&null==d)return t;if(o.props.multiSelect){if(o._hasFocus()){var h=-1;return"on"===r&&m&&(h=u),o._getPendingString(d,l,h)}return o._getMultiselectDisplayString(s,l,a)}return h=o._getFirstSelectedIndex(),n?("on"===r&&m&&(h=u),o._getPendingString(d,l,h)):m&&"on"===r?(h=u,$(d)):!o.state.isOpen&&d?ee(l,h)?d:$(a):ee(l,h)?l[h].text:$(a)},o._onInputChange=function(e){o.props.disabled?o._handleInputWhenDisabled(null):o.props.allowFreeform?o._processInputChangeWithFreeform(e):o._processInputChangeWithoutFreeform(e)},o._onFocus=function(){var e,t;null===(t=null===(e=o._autofill.current)||void 0===e?void 0:e.inputElement)||void 0===t||t.select(),o._hasFocus()||o.setState({focusState:"focusing"})},o._onResolveOptions=function(){if(o.props.onResolveOptions){var e=o.props.onResolveOptions((0,s.pr)(o.props.hoisted.currentOptions));if(Array.isArray(e))o.props.hoisted.setCurrentOptions(e);else if(e&&e.then){var t=o._currentPromise=e;t.then((function(e){t===o._currentPromise&&o.props.hoisted.setCurrentOptions(e)}))}}},o._onBlur=function(e){var t,n,r=e.relatedTarget;if(null===e.relatedTarget&&(r=document.activeElement),r){var i=null===(t=o.props.hoisted.rootRef.current)||void 0===t?void 0:t.contains(r),a=null===(n=o._comboBoxMenu.current)||void 0===n?void 0:n.contains(r),s=o._comboBoxMenu.current&&(0,h.X)(o._comboBoxMenu.current,(function(e){return e===r}));if(i||a||s)return s&&o._hasFocus()&&(!o.props.multiSelect||o.props.allowFreeform)&&o._submitPendingValue(e),e.preventDefault(),void e.stopPropagation()}o._hasFocus()&&(o.setState({focusState:"none"}),o.props.multiSelect&&!o.props.allowFreeform||o._submitPendingValue(e))},o._onRenderContainer=function(e){var t,n,r=e.onRenderList,i=e.calloutProps,a=e.dropdownWidth,c=e.dropdownMaxWidth,u=e.onRenderUpperContent,d=void 0===u?o._onRenderUpperContent:u,p=e.onRenderLowerContent,m=void 0===p?o._onRenderLowerContent:p,h=e.useComboBoxAsMenuWidth,f=e.persistMenu,v=e.shouldRestoreFocus,b=void 0===v||v,y=o.state.isOpen,_=h&&o._comboBoxWrapper.current?o._comboBoxWrapper.current.clientWidth+2:void 0;return l.createElement(D.U,(0,s.pi)({isBeakVisible:!1,gapSpace:0,doNotLayer:!1,directionalHint:T.b.bottomLeftEdge,directionalHintFixed:!1},i,{onLayerMounted:o._onLayerMounted,className:(0,g.i)(o._classNames.callout,null===(t=i)||void 0===t?void 0:t.className),target:o._comboBoxWrapper.current,onDismiss:o._onDismiss,onMouseDown:o._onCalloutMouseDown,onScroll:o._onScroll,setInitialFocus:!1,calloutWidth:h&&o._comboBoxWrapper.current?_&&_:a,calloutMaxWidth:c||_,hidden:f?!y:void 0,shouldRestoreFocus:b}),d(o.props,o._onRenderUpperContent),l.createElement("div",{className:o._classNames.optionsContainerWrapper,ref:o._comboBoxMenu},null===(n=r)||void 0===n?void 0:n((0,s.pi)({},e),o._onRenderList)),m(o.props,o._onRenderLowerContent))},o._onLayerMounted=function(){o._onCalloutLayerMounted(),o.props.calloutProps&&o.props.calloutProps.onLayerMounted&&o.props.calloutProps.onLayerMounted()},o._onRenderLabel=function(e){var t=e.props,n=t.label,r=t.disabled,i=t.required;return n?l.createElement(O._,{id:o._id+"-label",disabled:r,required:i,className:o._classNames.label},n,e.multiselectAccessibleText&&l.createElement("span",{className:o._classNames.screenReaderText},e.multiselectAccessibleText)):null},o._onRenderList=function(e){var t=e.onRenderItem,n=e.options,r=o._id;return l.createElement("div",{id:r+"-list",className:o._classNames.optionsContainer,"aria-labelledby":r+"-label",role:"listbox"},n.map((function(e){var n;return null===(n=t)||void 0===n?void 0:n(e,o._onRenderItem)})))},o._onRenderItem=function(e){switch(e.itemType){case W.F.Divider:return o._renderSeparator(e);case W.F.Header:return o._renderHeader(e);default:return o._renderOption(e)}},o._onRenderLowerContent=function(){return null},o._onRenderUpperContent=function(){return null},o._renderOption=function(e){var t=o.props.onRenderOption,n=void 0===t?o._onRenderOptionContent:t,r=o._id,i=o._isOptionSelected(e.index),a=o._isOptionChecked(e.index),c=o._getCurrentOptionStyles(e),u=H(o._getCurrentOptionStyles(e)),d=oe(e),p=function(){return n(e,o._onRenderOptionContent)};return l.createElement(U,{key:e.key,index:e.index,disabled:e.disabled,isSelected:i,isChecked:a,text:e.text,render:function(){return o.props.multiSelect?l.createElement(E.X,{id:r+"-list"+e.index,ariaLabel:oe(e),key:e.key,styles:c,className:"ms-ComboBox-option",onChange:o._onItemClick(e),label:e.text,checked:a,title:d,disabled:e.disabled,onRenderLabel:p,inputProps:(0,s.pi)({"aria-selected":a?"true":"false",role:"option"},{"data-index":e.index,"data-is-focusable":!0})}):l.createElement(q.M,{id:r+"-list"+e.index,key:e.key,"data-index":e.index,styles:c,checked:i,className:"ms-ComboBox-option",onClick:o._onItemClick(e),onMouseEnter:o._onOptionMouseEnter.bind(o,e.index),onMouseMove:o._onOptionMouseMove.bind(o,e.index),onMouseLeave:o._onOptionMouseLeave,role:"option","aria-selected":a?"true":"false",ariaLabel:oe(e),disabled:e.disabled,title:d},l.createElement("span",{className:u.optionTextWrapper,ref:i?o._selectedElement:void 0},n(e,o._onRenderOptionContent)))},data:e.data})},o._onCalloutMouseDown=function(e){e.preventDefault()},o._onScroll=function(){o._isScrollIdle||void 0===o._scrollIdleTimeoutId?o._isScrollIdle=!1:(o._async.clearTimeout(o._scrollIdleTimeoutId),o._scrollIdleTimeoutId=void 0),o._scrollIdleTimeoutId=o._async.setTimeout((function(){o._isScrollIdle=!0}),250)},o._onRenderOptionContent=function(e){var t=H(o._getCurrentOptionStyles(e));return l.createElement("span",{className:t.optionText},e.text)},o._onDismiss=function(){var e=o.props.onMenuDismiss;e&&e(),o.props.persistMenu&&o._onCalloutLayerMounted(),o._setOpenStateAndFocusOnClose(!1,!1),o._resetSelectedIndex()},o._onAfterClearPendingInfo=function(){o._processingClearPendingInfo=!1},o._onInputKeyDown=function(e){var t=o.props,n=t.disabled,r=t.allowFreeform,s=t.autoComplete,l=t.hoisted.currentOptions,c=o.state,u=c.isOpen,d=c.currentPendingValueValidIndexOnHover;if(o._lastKeyDownWasAltOrMeta=ne(e),n)o._handleInputWhenDisabled(e);else{var p=o._getPendingSelectedIndex(!1);switch(e.which){case f.m.enter:o._autofill.current&&o._autofill.current.inputElement&&o._autofill.current.inputElement.select(),o._submitPendingValue(e),o.props.multiSelect&&u?o.setState({currentPendingValueValidIndex:p}):(u||(!r||void 0===o.state.currentPendingValue||null===o.state.currentPendingValue||o.state.currentPendingValue.length<=0)&&o.state.currentPendingValueValidIndex<0)&&o.setState({isOpen:!u});break;case f.m.tab:return o.props.multiSelect||o._submitPendingValue(e),void(u&&o._setOpenStateAndFocusOnClose(!u,!1));case f.m.escape:if(o._resetSelectedIndex(),!u)return;o.setState({isOpen:!1});break;case f.m.up:if(d===a.clearAll&&(p=o.props.hoisted.currentOptions.length),e.altKey||e.metaKey){if(u){o._setOpenStateAndFocusOnClose(!u,!0);break}return}o._setPendingInfoFromIndexAndDirection(p,i.backward);break;case f.m.down:e.altKey||e.metaKey?o._setOpenStateAndFocusOnClose(!0,!0):(d===a.clearAll&&(p=-1),o._setPendingInfoFromIndexAndDirection(p,i.forward));break;case f.m.home:case f.m.end:if(r)return;p=-1;var m=i.forward;e.which===f.m.end&&(p=l.length,m=i.backward),o._setPendingInfoFromIndexAndDirection(p,m);break;case f.m.space:if(!r&&"off"===s)break;default:if(e.which>=112&&e.which<=123)return;if(e.keyCode===f.m.alt||"Meta"===e.key)return;if(!r&&"on"===s){o._onInputChange(e.key);break}return}e.stopPropagation(),e.preventDefault()}},o._onInputKeyUp=function(e){var t=o.props,n=t.disabled,r=t.allowFreeform,i=t.autoComplete,a=o.state.isOpen,s=o._lastKeyDownWasAltOrMeta&&ne(e);o._lastKeyDownWasAltOrMeta=!1;var l=s&&!((0,v.V)()||(0,b.g)());if(n)o._handleInputWhenDisabled(e);else switch(e.which){case f.m.space:return void(r||"off"!==i||o._setOpenStateAndFocusOnClose(!a,!!a));default:return void(l&&a?o._setOpenStateAndFocusOnClose(!a,!0):("focusing"===o.state.focusState&&o.props.openOnKeyboardFocus&&o.setState({isOpen:!0}),"focused"!==o.state.focusState&&o.setState({focusState:"focused"})))}},o._onOptionMouseLeave=function(){o._shouldIgnoreMouseEvent()||o.props.persistMenu&&!o.state.isOpen||o.setState({currentPendingValueValidIndexOnHover:a.clearAll})},o._onComboBoxClick=function(){var e=o.props.disabled,t=o.state.isOpen;e||(o._setOpenStateAndFocusOnClose(!t,!1),o.setState({focusState:"focused"}))},o._onAutofillClick=function(){var e=o.props,t=e.disabled;e.allowFreeform&&!t?o.focus(o.state.isOpen||o._processingTouch):o._onComboBoxClick()},o._onTouchStart=function(){o._comboBoxWrapper.current&&!("onpointerdown"in o._comboBoxWrapper)&&o._handleTouchAndPointerEvent()},o._onPointerDown=function(e){"touch"===e.pointerType&&(o._handleTouchAndPointerEvent(),e.preventDefault(),e.stopImmediatePropagation())},(0,y.l)(o),o._async=new _.e(o),o._events=new C.r(o),(0,S.L)(j,t,{defaultSelectedKey:"selectedKey",text:"defaultSelectedKey",selectedKey:"value",dropdownWidth:"useComboBoxAsMenuWidth"}),o._id=t.id||(0,x.z)("ComboBox"),o._isScrollIdle=!0,o._processingTouch=!1,o._gotMouseMove=!1,o._processingClearPendingInfo=!1,o.state={isOpen:!1,focusState:"none",currentPendingValueValidIndex:-1,currentPendingValue:void 0,currentPendingValueValidIndexOnHover:a.default},o}return(0,s.ZT)(t,e),Object.defineProperty(t.prototype,"selectedOptions",{get:function(){var e=this.props.hoisted,t=e.currentOptions,o=e.selectedIndices;return(0,V.t)(t,o)},enumerable:!0,configurable:!0}),t.prototype.componentDidMount=function(){this._comboBoxWrapper.current&&!this.props.disabled&&(this._events.on(this._comboBoxWrapper.current,"focus",this._onResolveOptions,!0),"onpointerdown"in this._comboBoxWrapper.current&&this._events.on(this._comboBoxWrapper.current,"pointerdown",this._onPointerDown,!0))},t.prototype.componentDidUpdate=function(e,t){var o=this,n=this.props,r=n.allowFreeform,i=n.text,a=n.onMenuOpen,s=n.onMenuDismissed,l=n.hoisted.selectedIndices,c=this.state,u=c.isOpen,d=c.currentPendingValueValidIndex;!u||t.isOpen&&t.currentPendingValueValidIndex===d||this._async.setTimeout((function(){return o._scrollIntoView()}),0),this._hasFocus()&&(u||t.isOpen&&!u&&this._focusInputAfterClose&&this._autofill.current&&document.activeElement!==this._autofill.current.inputElement)&&this.focus(void 0,!0),this._focusInputAfterClose&&(t.isOpen&&!u||this._hasFocus()&&(!u&&!this.props.multiSelect&&e.hoisted.selectedIndices&&l&&e.hoisted.selectedIndices[0]!==l[0]||!r||i!==e.text))&&this._onFocus(),this._notifyPendingValueChanged(t),u&&!t.isOpen&&a&&a(),!u&&t.isOpen&&s&&s()},t.prototype.componentWillUnmount=function(){this._async.dispose(),this._events.dispose()},t.prototype.render=function(){var e=this._id+"-error",t=this.props,o=t.className,n=t.disabled,r=t.required,i=t.errorMessage,a=t.onRenderContainer,c=void 0===a?this._onRenderContainer:a,u=t.onRenderLabel,d=void 0===u?this._onRenderLabel:u,p=t.onRenderList,m=void 0===p?this._onRenderList:p,h=t.onRenderItem,g=void 0===h?this._onRenderItem:h,f=t.onRenderOption,v=void 0===f?this._onRenderOptionContent:f,b=t.allowFreeform,y=t.styles,_=t.theme,C=t.persistMenu,S=t.multiSelect,x=t.hoisted,w=x.suggestedDisplayValue,I=x.selectedIndices,D=x.currentOptions,T=this.state.isOpen;this._currentVisibleValue=this._getVisibleValue();var E=S?this._getMultiselectDisplayString(I,D,w):void 0,P=(0,k.pq)(this.props,k.n7,["onChange","value"]),M=!!(i&&i.length>0);this._classNames=this.props.getClassNames?this.props.getClassNames(_,!!T,!!n,!!r,!!this._hasFocus(),!!b,!!M,o):z(A(_,y),o,!!T,!!n,!!r,!!this._hasFocus(),!!b,!!M);var R=this._renderComboBoxWrapper(E,e);return l.createElement("div",(0,s.pi)({},P,{ref:this.props.hoisted.mergedRootRef,className:this._classNames.container}),d({props:this.props,multiselectAccessibleText:E},this._onRenderLabel),R,(C||T)&&c((0,s.pi)((0,s.pi)({},this.props),{onRenderList:m,onRenderItem:g,onRenderOption:v,options:D.map((function(e,t){return(0,s.pi)((0,s.pi)({},e),{index:t})})),onDismiss:this._onDismiss}),this._onRenderContainer),l.createElement("div",(0,s.pi)({role:"region","aria-live":"polite","aria-atomic":"true",id:e},M?{className:this._classNames.errorMessage}:{"aria-hidden":!0}),void 0!==i?i:""))},t.prototype._getPendingString=function(e,t,o){return null!=e?e:ee(t,o)?t[o].text:""},t.prototype._getMultiselectDisplayString=function(e,t,o){for(var n=[],r=0;e&&r0){var a=oe(r[0]);i=a.toLocaleLowerCase()!==e?a:"",o=r[0].index}}else 1===(r=t.map((function(e,t){return(0,s.pi)((0,s.pi)({},e),{index:t})})).filter((function(t){return te(t)&&oe(t).toLocaleLowerCase()===e}))).length&&(o=r[0].index);this._setPendingInfo(n,o,i)},t.prototype._processInputChangeWithoutFreeform=function(e){var t=this,o=this.props.hoisted.currentOptions,n=this.state,r=n.currentPendingValue,i=n.currentPendingValueValidIndex;if("on"===this.props.autoComplete&&""!==e){this._autoCompleteTimeout&&(this._async.clearTimeout(this._autoCompleteTimeout),this._autoCompleteTimeout=void 0,e=$(r)+e);var a=e;e=e.toLocaleLowerCase();var l=o.map((function(e,t){return(0,s.pi)((0,s.pi)({},e),{index:t})})).filter((function(t){return te(t)&&0===t.text.toLocaleLowerCase().indexOf(e)}));return l.length>0&&this._setPendingInfo(a,l[0].index,oe(l[0])),void(this._autoCompleteTimeout=this._async.setTimeout((function(){t._autoCompleteTimeout=void 0}),1e3))}var c=i>=0?i:this._getFirstSelectedIndex();this._setPendingInfoFromIndex(c)},t.prototype._getFirstSelectedIndex=function(){var e,t=this.props.hoisted.selectedIndices;return(null===(e=t)||void 0===e?void 0:e.length)?t[0]:-1},t.prototype._getNextSelectableIndex=function(e,t){var o=this.props.hoisted.currentOptions,n=e+t;if(!ee(o,n=Math.max(0,Math.min(o.length-1,n))))return-1;var r=o[n];if(!te(r)||!0===r.hidden){if(t===i.none||!(n>0&&t=0&&ni.none))return e;n=this._getNextSelectableIndex(n,t)}return n},t.prototype._setSelectedIndex=function(e,t,o){void 0===o&&(o=i.none);var n=this.props,r=n.onChange,a=n.onPendingValueChanged,l=n.hoisted,c=l.selectedIndices,u=l.currentOptions,d=c?c.slice():[];if(ee(u,e=this._getNextSelectableIndex(e,o))){if(this.props.multiSelect||d.length<1||1===d.length&&d[0]!==e){var p=(0,s.pi)({},u[e]);if(!p||p.disabled)return;if(this.props.multiSelect?(p.selected=void 0!==p.selected?!p.selected:d.indexOf(e)<0,p.selected&&d.indexOf(e)<0?d.push(e):!p.selected&&d.indexOf(e)>=0&&(d=d.filter((function(t){return t!==e})))):d[0]=e,t.persist(),this.props.selectedKey||null===this.props.selectedKey)this._hasPendingValue&&a&&(a(),this._hasPendingValue=!1),r&&r(t,p,e,void 0);else{var m=u.slice();m[e]=p,this.props.hoisted.setSelectedIndices(d),this.props.hoisted.setCurrentOptions(m),this._hasPendingValue&&a&&(a(),this._hasPendingValue=!1),r&&r(t,p,e,void 0)}}this.props.multiSelect&&this.state.isOpen||this._clearPendingInfo()}},t.prototype._submitPendingValue=function(e){var t,o,n,r=this.props,i=r.onChange,a=r.allowFreeform,s=r.autoComplete,l=r.multiSelect,c=r.hoisted,u=c.currentOptions,d=this.state,p=d.currentPendingValue,m=d.currentPendingValueValidIndex,h=d.currentPendingValueValidIndexOnHover,g=this.props.hoisted.selectedIndices;if(!this._processingClearPendingInfo){if(a){if(null==p)return void(h>=0&&(this._setSelectedIndex(h,e),this._clearPendingInfo()));if(ee(u,m)){var f=oe(u[m]).toLocaleLowerCase(),v=this._autofill.current;if(p.toLocaleLowerCase()===f||s&&0===f.indexOf(p.toLocaleLowerCase())&&(null===(t=v)||void 0===t?void 0:t.isValueSelected)&&p.length+(v.selectionEnd-v.selectionStart)===f.length||(null===(n=null===(o=v)||void 0===o?void 0:o.inputElement)||void 0===n?void 0:n.value.toLocaleLowerCase())===f){if(this._setSelectedIndex(m,e),l&&this.state.isOpen)return;return void this._clearPendingInfo()}}if(i)i&&i(e,void 0,void 0,p);else{var b={key:p||(0,x.z)(),text:$(p)};l&&(b.selected=!0);var y=u.concat([b]);g&&(l||(g=[]),g.push(y.length-1)),c.setCurrentOptions(y),c.setSelectedIndices(g)}}else m>=0?this._setSelectedIndex(m,e):h>=0&&this._setSelectedIndex(h,e);this._clearPendingInfo()}},t.prototype._onCalloutLayerMounted=function(){this._gotMouseMove=!1},t.prototype._renderSeparator=function(e){var t=e.index,o=e.key;return t&&t>0?l.createElement("div",{role:"separator",key:o,className:this._classNames.divider}):null},t.prototype._renderHeader=function(e){var t=this.props.onRenderOption,o=void 0===t?this._onRenderOptionContent:t;return l.createElement("div",{key:e.key,className:this._classNames.header},o(e,this._onRenderOptionContent))},t.prototype._isOptionSelected=function(e){return this.state.currentPendingValueValidIndexOnHover!==a.clearAll&&this._getPendingSelectedIndex(!0)===e},t.prototype._isOptionChecked=function(e){return!(!this.props.multiSelect||void 0===e||!this.props.hoisted.selectedIndices)&&this.props.hoisted.selectedIndices.indexOf(e)>=0},t.prototype._getPendingSelectedIndex=function(e){var t=this.state,o=t.currentPendingValueValidIndexOnHover,n=t.currentPendingValueValidIndex,r=t.currentPendingValue;return o>=0?o:n>=0||e&&null!=r?n:this.props.multiSelect?0:this._getFirstSelectedIndex()},t.prototype._scrollIntoView=function(){var e=this.props,t=e.onScrollToItem,o=e.scrollSelectedToTop,n=this.state,r=n.currentPendingValueValidIndex,i=n.currentPendingValue;if(t)t(r>=0||""!==i?r:this._getFirstSelectedIndex());else if(this._selectedElement.current&&this._selectedElement.current.offsetParent)if(o)this._selectedElement.current.offsetParent.scrollIntoView(!0);else{var a=!0;if(this._comboBoxMenu.current&&this._comboBoxMenu.current.offsetParent){var s=this._comboBoxMenu.current.offsetParent.getBoundingClientRect(),l=this._selectedElement.current.offsetParent.getBoundingClientRect();if(s.top<=l.top&&s.top+s.height>=l.top+l.height)return;s.top+s.height<=l.top+l.height&&(a=!1)}this._selectedElement.current.offsetParent.scrollIntoView(a)}},t.prototype._onItemClick=function(e){var t=this,o=this.props.onItemClick,n=e.index;return function(r){t.props.multiSelect||(t._autofill.current&&t._autofill.current.focus(),t.setState({isOpen:!1})),o&&o(r,e,n),t._setSelectedIndex(n,r)}},t.prototype._resetSelectedIndex=function(){var e=this.props.hoisted.currentOptions;this._clearPendingInfo();var t=this._getFirstSelectedIndex();t>0&&t=0&&e=o.length-1?e=-1:t===i.backward&&e<=0&&(e=o.length);var n=this._getNextSelectableIndex(e,t);e===n?t===i.forward?e=this._getNextSelectableIndex(-1,t):t===i.backward&&(e=this._getNextSelectableIndex(o.length,t)):e=n,ee(o,e)&&this._setPendingInfoFromIndex(e)},t.prototype._notifyPendingValueChanged=function(e){var t=this.props.onPendingValueChanged;if(t){var o=this.props.hoisted.currentOptions,n=this.state,r=n.currentPendingValue,i=n.currentPendingValueValidIndex,a=n.currentPendingValueValidIndexOnHover,s=void 0,l=void 0;a!==e.currentPendingValueValidIndexOnHover&&ee(o,a)?s=a:i!==e.currentPendingValueValidIndex&&ee(o,i)?s=i:r!==e.currentPendingValue&&(l=r),(void 0!==s||void 0!==l||this._hasPendingValue)&&(t(void 0!==s?o[s]:void 0,s,l),this._hasPendingValue=void 0!==s||void 0!==l)}},t.prototype._setOpenStateAndFocusOnClose=function(e,t){this._focusInputAfterClose=t,this.setState({isOpen:e})},t.prototype._onOptionMouseEnter=function(e){this._shouldIgnoreMouseEvent()||this.setState({currentPendingValueValidIndexOnHover:e})},t.prototype._onOptionMouseMove=function(e){this._gotMouseMove=!0,this._isScrollIdle&&this.state.currentPendingValueValidIndexOnHover!==e&&this.setState({currentPendingValueValidIndexOnHover:e})},t.prototype._shouldIgnoreMouseEvent=function(){return!this._isScrollIdle||!this._gotMouseMove},t.prototype._handleInputWhenDisabled=function(e){this.props.disabled&&(this.state.isOpen&&this.setState({isOpen:!1}),null!==e&&e.which!==f.m.tab&&e.which!==f.m.escape&&(e.which<112||e.which>123)&&(e.stopPropagation(),e.preventDefault()))},t.prototype._handleTouchAndPointerEvent=function(){var e=this;void 0!==this._lastTouchTimeoutId&&(this._async.clearTimeout(this._lastTouchTimeoutId),this._lastTouchTimeoutId=void 0),this._processingTouch=!0,this._lastTouchTimeoutId=this._async.setTimeout((function(){e._processingTouch=!1,e._lastTouchTimeoutId=void 0}),500)},t.prototype._getCaretButtonStyles=function(){var e=this.props.caretDownButtonStyles;return L(this.props.theme,e)},t.prototype._getCurrentOptionStyles=function(e){var t=this.props.comboBoxOptionStyles,o=e.styles;return F(this.props.theme,t,o,this._isPendingOption(e),e.hidden)},t.prototype._getAriaActiveDescendantValue=function(){var e,t=this.props.hoisted.selectedIndices,o=this.state,n=o.isOpen,r=o.currentPendingValueValidIndex,i=n&&(null===(e=t)||void 0===e?void 0:e.length)?this._id+"-list"+t[0]:void 0;return n&&this._hasFocus()&&-1!==r&&(i=this._id+"-list"+r),i},t.prototype._getAriaAutoCompleteValue=function(){return this.props.disabled||"on"!==this.props.autoComplete?"none":this.props.allowFreeform?"inline":"both"},t.prototype._isPendingOption=function(e){return e&&e.index===this.state.currentPendingValueValidIndex},t.prototype._hasFocus=function(){return"none"!==this.state.focusState},(0,s.gn)([(0,w.a)("ComboBox",["theme","styles"],!0)],t)}(l.Component);function X(e,t){if(!e||!t)return[];var o={};e.forEach((function(e,t){e.selected&&(o[t]=!0)}));for(var n=function(t){var n=(0,I.cx)(e,(function(e){return e.key===t}));n>-1&&(o[n]=!0)},r=0,i=t;r=0&&t{"use strict";o.d(t,{MK:()=>Y,Hl:()=>j,Nb:()=>U});var n=o(7622),r=o(7002),i=r.createContext({}),a=o(5183),s=o(6628),l=o(7023),c=o(2998),u=o(7300),d=o(5094),p=o(63),m=o(8145),h=o(6479),g=o(8936),f=o(5951),v=o(4553),b=o(2167),y=o(9919),_=o(688),C=o(3129),S=o(2782),x=o(2447),k=o(8088),w=o(8127),I=o(2240),D=o(5953),T=o(6662),E=o(9577),P=function(e){function t(t){var o=e.call(this,t)||this;return o._onItemMouseEnter=function(e){var t=o.props,n=t.item,r=t.onItemMouseEnter;r&&r(n,e,e.currentTarget)},o._onItemClick=function(e){var t=o.props,n=t.item,r=t.onItemClickBase;r&&r(n,e,e.currentTarget)},o._onItemMouseLeave=function(e){var t=o.props,n=t.item,r=t.onItemMouseLeave;r&&r(n,e)},o._onItemKeyDown=function(e){var t=o.props,n=t.item,r=t.onItemKeyDown;r&&r(n,e)},o._onItemMouseMove=function(e){var t=o.props,n=t.item,r=t.onItemMouseMove;r&&r(n,e,e.currentTarget)},o._getSubmenuTarget=function(){},(0,_.l)(o),o}return(0,n.ZT)(t,e),t.prototype.shouldComponentUpdate=function(e){return!(0,x.Vv)(e,this.props)},t}(r.Component),M=o(9949),R=function(e){function t(){var t=null!==e&&e.apply(this,arguments)||this;return t._anchor=r.createRef(),t._getMemoizedMenuButtonKeytipProps=(0,d.NF)((function(e){return(0,n.pi)((0,n.pi)({},e),{hasMenu:!0})})),t._getSubmenuTarget=function(){return t._anchor.current?t._anchor.current:void 0},t._onItemClick=function(e){var o=t.props,n=o.item,r=o.onItemClick;r&&r(n,e)},t._renderAriaDescription=function(e,o){return e?r.createElement("span",{id:t._ariaDescriptionId,className:o},e):null},t}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this,t=this.props,o=t.item,i=t.classNames,a=t.index,s=t.focusableElementIndex,l=t.totalItemCount,c=t.hasCheckmarks,u=t.hasIcons,d=t.contextualMenuItemAs,p=void 0===d?T.W:d,m=t.expandedMenuItemKey,h=t.onItemClick,g=t.openSubMenu,f=t.dismissSubMenu,v=t.dismissMenu,b=o.rel;o.target&&"_blank"===o.target.toLowerCase()&&(b=b||"nofollow noopener noreferrer");var y=(0,I.Df)(o),_=(0,w.pq)(o,w.h2),C=(0,I.P_)(o),x=o.itemProps,k=o.ariaDescription,D=o.keytipProps;D&&y&&(D=this._getMemoizedMenuButtonKeytipProps(D)),k&&(this._ariaDescriptionId=(0,S.z)());var P=(0,E.I)(o.ariaDescribedBy,k?this._ariaDescriptionId:void 0,_["aria-describedby"]),R={"aria-describedby":P};return r.createElement("div",null,r.createElement(M.a,{keytipProps:o.keytipProps,ariaDescribedBy:P,disabled:C},(function(t){return r.createElement("a",(0,n.pi)({},R,_,t,{ref:e._anchor,href:o.href,target:o.target,rel:b,className:i.root,role:"menuitem","aria-haspopup":y||void 0,"aria-expanded":y?o.key===m:void 0,"aria-posinset":s+1,"aria-setsize":l,"aria-disabled":(0,I.P_)(o),style:o.style,onClick:e._onItemClick,onMouseEnter:e._onItemMouseEnter,onMouseLeave:e._onItemMouseLeave,onMouseMove:e._onItemMouseMove,onKeyDown:y?e._onItemKeyDown:void 0}),r.createElement(p,(0,n.pi)({componentRef:o.componentRef,item:o,classNames:i,index:a,onCheckmarkClick:c&&h?h:void 0,hasIcons:u,openSubMenu:g,dismissSubMenu:f,dismissMenu:v,getSubmenuTarget:e._getSubmenuTarget},x)),e._renderAriaDescription(k,i.screenReaderText))})))},t}(P),N=function(e){function t(){var t=null!==e&&e.apply(this,arguments)||this;return t._btn=r.createRef(),t._getMemoizedMenuButtonKeytipProps=(0,d.NF)((function(e){return(0,n.pi)((0,n.pi)({},e),{hasMenu:!0})})),t._renderAriaDescription=function(e,o){return e?r.createElement("span",{id:t._ariaDescriptionId,className:o},e):null},t._getSubmenuTarget=function(){return t._btn.current?t._btn.current:void 0},t}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this,t=this.props,o=t.item,i=t.classNames,a=t.index,s=t.focusableElementIndex,l=t.totalItemCount,c=t.hasCheckmarks,u=t.hasIcons,d=t.contextualMenuItemAs,p=void 0===d?T.W:d,m=t.expandedMenuItemKey,h=t.onItemMouseDown,g=t.onItemClick,f=t.openSubMenu,v=t.dismissSubMenu,b=t.dismissMenu,y=(0,I.E3)(o),_=null!==y,C=(0,I.JF)(o),x=(0,I.Df)(o),k=o.itemProps,D=o.ariaLabel,P=o.ariaDescription,R=(0,w.pq)(o,w.Yq);delete R.disabled;var N=o.role||C;P&&(this._ariaDescriptionId=(0,S.z)());var B=(0,E.I)(o.ariaDescribedBy,P?this._ariaDescriptionId:void 0,R["aria-describedby"]),F={className:i.root,onClick:this._onItemClick,onKeyDown:x?this._onItemKeyDown:void 0,onMouseEnter:this._onItemMouseEnter,onMouseLeave:this._onItemMouseLeave,onMouseDown:function(e){return h?h(o,e):void 0},onMouseMove:this._onItemMouseMove,href:o.href,title:o.title,"aria-label":D,"aria-describedby":B,"aria-haspopup":x||void 0,"aria-expanded":x?o.key===m:void 0,"aria-posinset":s+1,"aria-setsize":l,"aria-disabled":(0,I.P_)(o),"aria-checked":"menuitemcheckbox"!==N&&"menuitemradio"!==N||!_?void 0:!!y,"aria-selected":"menuitem"===N&&_?!!y:void 0,role:N,style:o.style},L=o.keytipProps;return L&&x&&(L=this._getMemoizedMenuButtonKeytipProps(L)),r.createElement(M.a,{keytipProps:L,ariaDescribedBy:B,disabled:(0,I.P_)(o)},(function(t){return r.createElement("button",(0,n.pi)({ref:e._btn},R,F,t),r.createElement(p,(0,n.pi)({componentRef:o.componentRef,item:o,classNames:i,index:a,onCheckmarkClick:c&&g?g:void 0,hasIcons:u,openSubMenu:f,dismissSubMenu:v,dismissMenu:b,getSubmenuTarget:e._getSubmenuTarget},k)),e._renderAriaDescription(P,i.screenReaderText))}))},t}(P),B=o(98),F=o(8386),L=function(e){function t(t){var o=e.call(this,t)||this;return o._getMemoizedMenuButtonKeytipProps=(0,d.NF)((function(e){return(0,n.pi)((0,n.pi)({},e),{hasMenu:!0})})),o._onItemKeyDown=function(e){var t=o.props,n=t.item,r=t.onItemKeyDown;e.which===m.m.enter?(o._executeItemClick(e),e.preventDefault(),e.stopPropagation()):r&&r(n,e)},o._getSubmenuTarget=function(){return o._splitButton},o._renderAriaDescription=function(e,t){return e?r.createElement("span",{id:o._ariaDescriptionId,className:t},e):null},o._onItemMouseEnterPrimary=function(e){var t=o.props,r=t.item,i=t.onItemMouseEnter;i&&i((0,n.pi)((0,n.pi)({},r),{subMenuProps:void 0,items:void 0}),e,o._splitButton)},o._onItemMouseEnterIcon=function(e){var t=o.props,n=t.item,r=t.onItemMouseEnter;r&&r(n,e,o._splitButton)},o._onItemMouseMovePrimary=function(e){var t=o.props,r=t.item,i=t.onItemMouseMove;i&&i((0,n.pi)((0,n.pi)({},r),{subMenuProps:void 0,items:void 0}),e,o._splitButton)},o._onItemMouseMoveIcon=function(e){var t=o.props,n=t.item,r=t.onItemMouseMove;r&&r(n,e,o._splitButton)},o._onIconItemClick=function(e){var t=o.props,n=t.item,r=t.onItemClickBase;r&&r(n,e,o._splitButton?o._splitButton:e.currentTarget)},o._executeItemClick=function(e){var t=o.props,n=t.item,r=t.executeItemClick,i=t.onItemClick;if(!n.disabled&&!n.isDisabled)return o._processingTouch&&i?i(n,e):void(r&&r(n,e))},o._onTouchStart=function(e){o._splitButton&&!("onpointerdown"in o._splitButton)&&o._handleTouchAndPointerEvent(e)},o._onPointerDown=function(e){"touch"===e.pointerType&&(o._handleTouchAndPointerEvent(e),e.preventDefault(),e.stopImmediatePropagation())},o._async=new b.e(o),o._events=new y.r(o),o}return(0,n.ZT)(t,e),t.prototype.componentDidMount=function(){this._splitButton&&"onpointerdown"in this._splitButton&&this._events.on(this._splitButton,"pointerdown",this._onPointerDown,!0)},t.prototype.componentWillUnmount=function(){this._async.dispose(),this._events.dispose()},t.prototype.render=function(){var e=this,t=this.props,o=t.item,i=t.classNames,a=t.index,s=t.focusableElementIndex,l=t.totalItemCount,c=t.hasCheckmarks,u=t.hasIcons,d=t.onItemMouseLeave,p=t.expandedMenuItemKey,m=(0,I.Df)(o),h=o.keytipProps;h&&(h=this._getMemoizedMenuButtonKeytipProps(h));var g=o.ariaDescription;return g&&(this._ariaDescriptionId=(0,S.z)()),r.createElement(M.a,{keytipProps:h,disabled:(0,I.P_)(o)},(function(t){return r.createElement("div",{"data-ktp-target":t["data-ktp-target"],ref:function(t){return e._splitButton=t},role:(0,I.JF)(o),"aria-label":o.ariaLabel,className:i.splitContainer,"aria-disabled":(0,I.P_)(o),"aria-expanded":m?o.key===p:void 0,"aria-haspopup":!0,"aria-describedby":(0,E.I)(o.ariaDescribedBy,g?e._ariaDescriptionId:void 0,t["aria-describedby"]),"aria-checked":o.isChecked||o.checked,"aria-posinset":s+1,"aria-setsize":l,onMouseEnter:e._onItemMouseEnterPrimary,onMouseLeave:d?d.bind(e,(0,n.pi)((0,n.pi)({},o),{subMenuProps:null,items:null})):void 0,onMouseMove:e._onItemMouseMovePrimary,onKeyDown:e._onItemKeyDown,onClick:e._executeItemClick,onTouchStart:e._onTouchStart,tabIndex:0,"data-is-focusable":!0,"aria-roledescription":o["aria-roledescription"]},e._renderSplitPrimaryButton(o,i,a,c,u),e._renderSplitDivider(o),e._renderSplitIconButton(o,i,a,t),e._renderAriaDescription(g,i.screenReaderText))}))},t.prototype._renderSplitPrimaryButton=function(e,t,o,i,a){var s=this.props,l=s.contextualMenuItemAs,c=void 0===l?T.W:l,u=s.onItemClick,d={key:e.key,disabled:(0,I.P_)(e)||e.primaryDisabled,name:e.name,text:e.text||e.name,secondaryText:e.secondaryText,className:t.splitPrimary,canCheck:e.canCheck,isChecked:e.isChecked,checked:e.checked,iconProps:e.iconProps,onRenderIcon:e.onRenderIcon,data:e.data,"data-is-focusable":!1},p=e.itemProps;return r.createElement("button",(0,n.pi)({},(0,w.pq)(d,w.Yq)),r.createElement(c,(0,n.pi)({"data-is-focusable":!1,item:d,classNames:t,index:o,onCheckmarkClick:i&&u?u:void 0,hasIcons:a},p)))},t.prototype._renderSplitDivider=function(e){var t=e.getSplitButtonVerticalDividerClassNames||B.Z;return r.createElement(F.p,{getClassNames:t})},t.prototype._renderSplitIconButton=function(e,t,o,i){var a=this.props,s=a.contextualMenuItemAs,l=void 0===s?T.W:s,c=a.onItemMouseLeave,u=a.onItemMouseDown,d=a.openSubMenu,p=a.dismissSubMenu,m=a.dismissMenu,h={onClick:this._onIconItemClick,disabled:(0,I.P_)(e),className:t.splitMenu,subMenuProps:e.subMenuProps,submenuIconProps:e.submenuIconProps,split:!0,key:e.key},g=(0,n.pi)((0,n.pi)({},(0,w.pq)(h,w.Yq)),{onMouseEnter:this._onItemMouseEnterIcon,onMouseLeave:c?c.bind(this,e):void 0,onMouseDown:function(t){return u?u(e,t):void 0},onMouseMove:this._onItemMouseMoveIcon,"data-is-focusable":!1,"data-ktp-execute-target":i["data-ktp-execute-target"],"aria-hidden":!0}),f=e.itemProps;return r.createElement("button",(0,n.pi)({},g),r.createElement(l,(0,n.pi)({componentRef:e.componentRef,item:h,classNames:t,index:o,hasIcons:!1,openSubMenu:d,dismissSubMenu:p,dismissMenu:m,getSubmenuTarget:this._getSubmenuTarget},f)))},t.prototype._handleTouchAndPointerEvent=function(e){var t=this,o=this.props.onTap;o&&o(e),this._lastTouchTimeoutId&&(this._async.clearTimeout(this._lastTouchTimeoutId),this._lastTouchTimeoutId=void 0),this._processingTouch=!0,this._lastTouchTimeoutId=this._async.setTimeout((function(){t._processingTouch=!1,t._lastTouchTimeoutId=void 0}),500)},t}(P),A=o(9729),z=o(6876),H=o(9241),O=o(2674),W=o(4126),V=o(9761),K=(0,u.y)(),q=(0,u.y)(),G={items:[],shouldFocusOnMount:!0,gapSpace:0,directionalHint:s.b.bottomAutoEdge,beakWidth:16};function U(e){return e.subMenuProps?e.subMenuProps.items:e.items}function j(e){return e.some((function(e){return!!e.canCheck||!(!e.sectionProps||!e.sectionProps.items.some((function(e){return!0===e.canCheck})))}))}var J=(0,d.NF)((function(){for(var e=[],t=0;t0){for(var $=0,ee=0,te=s;ee0?r.createElement("li",{role:"presentation",key:c.key||e.key||"section-"+o},r.createElement("div",(0,n.pi)({},d),r.createElement("ul",{className:this._classNames.list,role:"presentation"},c.topDivider&&this._renderSeparator(o,t,!0,!0),u&&this._renderListItem(u,e.key||o,t,e.title),c.items.map((function(e,t){return l._renderMenuItem(e,t,t,c.items.length,i,s)})),c.bottomDivider&&this._renderSeparator(o,t,!1,!0)))):void 0}},t.prototype._renderListItem=function(e,t,o,n){return r.createElement("li",{role:"presentation",title:n,key:t,className:o.item},e)},t.prototype._renderSeparator=function(e,t,o,n){return n||e>0?r.createElement("li",{role:"separator",key:"separator-"+e+(void 0===o?"":o?"-top":"-bottom"),className:t.divider,"aria-hidden":"true"}):null},t.prototype._renderNormalItem=function(e,t,o,r,i,a,s){return e.onRender?e.onRender((0,n.pi)({"aria-posinset":r+1,"aria-setsize":i},e),this.dismiss):e.href?this._renderAnchorMenuItem(e,t,o,r,i,a,s):e.split&&(0,I.Df)(e)?this._renderSplitButton(e,t,o,r,i,a,s):this._renderButtonItem(e,t,o,r,i,a,s)},t.prototype._renderHeaderMenuItem=function(e,t,o,i,a){var s=this.props.contextualMenuItemAs,l=void 0===s?T.W:s,c=e.itemProps,u=e.id,d=c&&(0,w.pq)(c,w.n7);return r.createElement("div",(0,n.pi)({id:u,className:this._classNames.header},d,{style:e.style}),r.createElement(l,(0,n.pi)({item:e,classNames:t,index:o,onCheckmarkClick:i?this._onItemClick:void 0,hasIcons:a},c)))},t.prototype._renderAnchorMenuItem=function(e,t,o,n,i,a,s){var l=this.props,c=l.contextualMenuItemAs,u=l.hoisted,d=u.expandedMenuItemKey,p=u.openSubMenu;return r.createElement(R,{item:e,classNames:t,index:o,focusableElementIndex:n,totalItemCount:i,hasCheckmarks:a,hasIcons:s,contextualMenuItemAs:c,onItemMouseEnter:this._onItemMouseEnterBase,onItemMouseLeave:this._onMouseItemLeave,onItemMouseMove:this._onItemMouseMoveBase,onItemMouseDown:this._onItemMouseDown,executeItemClick:this._executeItemClick,onItemClick:this._onAnchorClick,onItemKeyDown:this._onItemKeyDown,expandedMenuItemKey:d,openSubMenu:p,dismissSubMenu:this._onSubMenuDismiss,dismissMenu:this.dismiss})},t.prototype._renderButtonItem=function(e,t,o,n,i,a,s){var l=this.props,c=l.contextualMenuItemAs,u=l.hoisted,d=u.expandedMenuItemKey,p=u.openSubMenu;return r.createElement(N,{item:e,classNames:t,index:o,focusableElementIndex:n,totalItemCount:i,hasCheckmarks:a,hasIcons:s,contextualMenuItemAs:c,onItemMouseEnter:this._onItemMouseEnterBase,onItemMouseLeave:this._onMouseItemLeave,onItemMouseMove:this._onItemMouseMoveBase,onItemMouseDown:this._onItemMouseDown,executeItemClick:this._executeItemClick,onItemClick:this._onItemClick,onItemClickBase:this._onItemClickBase,onItemKeyDown:this._onItemKeyDown,expandedMenuItemKey:d,openSubMenu:p,dismissSubMenu:this._onSubMenuDismiss,dismissMenu:this.dismiss})},t.prototype._renderSplitButton=function(e,t,o,n,i,a,s){var l=this.props,c=l.contextualMenuItemAs,u=l.hoisted,d=u.expandedMenuItemKey,p=u.openSubMenu;return r.createElement(L,{item:e,classNames:t,index:o,focusableElementIndex:n,totalItemCount:i,hasCheckmarks:a,hasIcons:s,contextualMenuItemAs:c,onItemMouseEnter:this._onItemMouseEnterBase,onItemMouseLeave:this._onMouseItemLeave,onItemMouseMove:this._onItemMouseMoveBase,onItemMouseDown:this._onItemMouseDown,executeItemClick:this._executeItemClick,onItemClick:this._onItemClick,onItemClickBase:this._onItemClickBase,onItemKeyDown:this._onItemKeyDown,openSubMenu:p,dismissSubMenu:this._onSubMenuDismiss,dismissMenu:this.dismiss,expandedMenuItemKey:d,onTap:this._onPointerAndTouchEvent})},t.prototype._isAltOrMeta=function(e){return e.which===m.m.alt||"Meta"===e.key},t.prototype._shouldIgnoreMouseEvent=function(){return!this._isScrollIdle||!this.props.hoisted.gotMouseMove.current},t.prototype._updateFocusOnMouseEvent=function(e,t,o){var n=this,r=o||t.currentTarget,i=this.props,a=i.subMenuHoverDelay,s=void 0===a?250:a,l=i.hoisted,c=l.expandedMenuItemKey,u=l.openSubMenu;e.key!==c&&(void 0!==this._enterTimerId&&(this._async.clearTimeout(this._enterTimerId),this._enterTimerId=void 0),void 0===c&&r.focus(),(0,I.Df)(e)?(t.stopPropagation(),this._enterTimerId=this._async.setTimeout((function(){r.focus(),u(e,r,!0),n._enterTimerId=void 0}),s)):this._enterTimerId=this._async.setTimeout((function(){n._onSubMenuDismiss(t),r.focus(),n._enterTimerId=void 0}),s))},t.prototype._getSubmenuProps=function(){var e=this.props.hoisted,t=e.submenuTarget,o=e.expandedMenuItemKey,n=e.expandedByMouseClick,r=this._findItemByKey(o),i=null;return r&&(i={items:U(r),target:t,onDismiss:this._onSubMenuDismiss,isSubMenu:!0,id:this.state.subMenuId,shouldFocusOnMount:!0,shouldFocusOnContainer:n,directionalHint:(0,f.zg)(this.props.theme)?s.b.leftTopEdge:s.b.rightTopEdge,className:this.props.className,gapSpace:0,isBeakVisible:!1},r.subMenuProps&&(0,x.f0)(i,r.subMenuProps)),i},t.prototype._findItemByKey=function(e){var t=this.props.items;return this._findItemByKeyFromItems(e,t)},t.prototype._findItemByKeyFromItems=function(e,t){for(var o=0,n=t;o{"use strict";o.d(t,{RI:()=>p,Z:()=>c});var n=o(5094),r=o(9729),i=(0,n.NF)((function(e){return(0,r.ZC)({wrapper:{display:"inline-flex",height:"100%",alignItems:"center"},divider:{width:1,height:"100%",backgroundColor:e.palette.neutralTertiaryAlt}})})),a=o(668),s=o(6145),l=(0,r.sK)(0,r.yp),c=(0,n.NF)((function(e){var t;return(0,r.ZC)(i(e),{wrapper:{position:"absolute",right:28,selectors:(t={},t[l]={right:32},t)},divider:{height:16,width:1}})})),u={item:"ms-ContextualMenu-item",divider:"ms-ContextualMenu-divider",root:"ms-ContextualMenu-link",isChecked:"is-checked",isExpanded:"is-expanded",isDisabled:"is-disabled",linkContent:"ms-ContextualMenu-linkContent",linkContentMenu:"ms-ContextualMenu-linkContent",icon:"ms-ContextualMenu-icon",iconColor:"ms-ContextualMenu-iconColor",checkmarkIcon:"ms-ContextualMenu-checkmarkIcon",subMenuIcon:"ms-ContextualMenu-submenuIcon",label:"ms-ContextualMenu-itemText",secondaryText:"ms-ContextualMenu-secondaryText",splitMenu:"ms-ContextualMenu-splitMenu",screenReaderText:"ms-ContextualMenu-screenReaderText"},d=(0,n.NF)((function(e,t,o,n,i,l,c,d,p,m,h,g){var f,v,b,y,_=(0,a.w)(e),C=(0,r.Cn)(u,e);return(0,r.ZC)({item:[C.item,_.item,c],divider:[C.divider,_.divider,d],root:[C.root,_.root,n&&[C.isChecked,_.rootChecked],i&&_.anchorLink,o&&[C.isExpanded,_.rootExpanded],t&&[C.isDisabled,_.rootDisabled],!t&&!o&&[{selectors:(f={":hover":_.rootHovered,":active":_.rootPressed},f["."+s.G$+" &:focus, ."+s.G$+" &:focus:hover"]=_.rootFocused,f["."+s.G$+" &:hover"]={background:"inherit;"},f)}],g],splitPrimary:[_.root,{width:"calc(100% - 28px)"},n&&["is-checked",_.rootChecked],(t||h)&&["is-disabled",_.rootDisabled],!(t||h)&&!n&&[{selectors:(v={":hover":_.rootHovered},v[":hover ~ ."+C.splitMenu]=_.rootHovered,v[":active"]=_.rootPressed,v["."+s.G$+" &:focus, ."+s.G$+" &:focus:hover"]=_.rootFocused,v["."+s.G$+" &:hover"]={background:"inherit;"},v)}]],splitMenu:[C.splitMenu,_.root,{flexBasis:"0",padding:"0 8px",minWidth:"28px"},o&&["is-expanded",_.rootExpanded],t&&["is-disabled",_.rootDisabled],!t&&!o&&[{selectors:(b={":hover":_.rootHovered,":active":_.rootPressed},b["."+s.G$+" &:focus, ."+s.G$+" &:focus:hover"]=_.rootFocused,b["."+s.G$+" &:hover"]={background:"inherit;"},b)}]],anchorLink:_.anchorLink,linkContent:[C.linkContent,_.linkContent],linkContentMenu:[C.linkContentMenu,_.linkContent,{justifyContent:"center"}],icon:[C.icon,l&&_.iconColor,_.icon,p,t&&[C.isDisabled,_.iconDisabled]],iconColor:_.iconColor,checkmarkIcon:[C.checkmarkIcon,l&&_.checkmarkIcon,_.icon,p],subMenuIcon:[C.subMenuIcon,_.subMenuIcon,m,o&&{color:e.palette.neutralPrimary},t&&[_.iconDisabled]],label:[C.label,_.label],secondaryText:[C.secondaryText,_.secondaryText],splitContainer:[_.splitButtonFlexContainer,!t&&!n&&[{selectors:(y={},y["."+s.G$+" &:focus, ."+s.G$+" &:focus:hover"]=_.rootFocused,y)}]],screenReaderText:[C.screenReaderText,_.screenReaderText,r.ul,{visibility:"hidden"}]})})),p=function(e){var t=e.theme,o=e.disabled,n=e.expanded,r=e.checked,i=e.isAnchorLink,a=e.knownIcon,s=e.itemClassName,l=e.dividerClassName,c=e.iconClassName,u=e.subMenuClassName,p=e.primaryDisabled,m=e.className;return d(t,o,n,r,i,a,s,l,c,u,p,m)}},668:(e,t,o)=>{"use strict";o.d(t,{f:()=>a,w:()=>c});var n=o(7622),r=o(9729),i=o(5094),a=36,s=(0,r.sK)(0,r.yp),l=(0,i.NF)((function(){var e;return{selectors:(e={},e[r.qJ]=(0,n.pi)({backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},(0,r.xM)()),e)}})),c=(0,i.NF)((function(e){var t,o,i,c,u,d,p,m=e.semanticColors,h=e.fonts,g=e.palette,f=m.menuItemBackgroundHovered,v=m.menuItemTextHovered,b=m.menuItemBackgroundPressed,y=m.bodyDivider,_={item:[h.medium,{color:m.bodyText,position:"relative",boxSizing:"border-box"}],divider:{display:"block",height:"1px",backgroundColor:y,position:"relative"},root:[(0,r.GL)(e),h.medium,{color:m.bodyText,backgroundColor:"transparent",border:"none",width:"100%",height:a,lineHeight:a,display:"block",cursor:"pointer",padding:"0px 8px 0 4px",textAlign:"left"}],rootDisabled:{color:m.disabledBodyText,cursor:"default",pointerEvents:"none",selectors:(t={},t[r.qJ]=(0,n.pi)({color:"GrayText",opacity:1},(0,r.xM)()),t)},rootHovered:(0,n.pi)({backgroundColor:f,color:v,selectors:{".ms-ContextualMenu-icon":{color:g.themeDarkAlt},".ms-ContextualMenu-submenuIcon":{color:g.neutralPrimary}}},l()),rootFocused:(0,n.pi)({backgroundColor:g.white},l()),rootChecked:(0,n.pi)({selectors:{".ms-ContextualMenu-checkmarkIcon":{color:g.neutralPrimary}}},l()),rootPressed:(0,n.pi)({backgroundColor:b,selectors:{".ms-ContextualMenu-icon":{color:g.themeDark},".ms-ContextualMenu-submenuIcon":{color:g.neutralPrimary}}},l()),rootExpanded:(0,n.pi)({backgroundColor:b,color:m.bodyTextChecked},l()),linkContent:{whiteSpace:"nowrap",height:"inherit",display:"flex",alignItems:"center",maxWidth:"100%"},anchorLink:{padding:"0px 8px 0 4px",textRendering:"auto",color:"inherit",letterSpacing:"normal",wordSpacing:"normal",textTransform:"none",textIndent:"0px",textShadow:"none",textDecoration:"none",boxSizing:"border-box"},label:{margin:"0 4px",verticalAlign:"middle",display:"inline-block",flexGrow:"1",textOverflow:"ellipsis",overflow:"hidden",whiteSpace:"nowrap"},secondaryText:{color:e.palette.neutralSecondary,paddingLeft:"20px",textAlign:"right"},icon:{display:"inline-block",minHeight:"1px",maxHeight:a,fontSize:r.ld.medium,width:r.ld.medium,margin:"0 4px",verticalAlign:"middle",flexShrink:"0",selectors:(o={},o[s]={fontSize:r.ld.large,width:r.ld.large},o)},iconColor:{color:m.menuIcon,selectors:(i={},i[r.qJ]={color:"inherit"},i["$root:hover &"]={selectors:(c={},c[r.qJ]={color:"HighlightText"},c)},i["$root:focus &"]={selectors:(u={},u[r.qJ]={color:"HighlightText"},u)},i)},iconDisabled:{color:m.disabledBodyText},checkmarkIcon:{color:m.bodySubtext,selectors:(d={},d[r.qJ]={color:"HighlightText"},d)},subMenuIcon:{height:a,lineHeight:a,color:g.neutralSecondary,textAlign:"center",display:"inline-block",verticalAlign:"middle",flexShrink:"0",fontSize:r.ld.small,selectors:(p={":hover":{color:g.neutralPrimary},":active":{color:g.neutralPrimary}},p[s]={fontSize:r.ld.medium},p[r.qJ]={color:"HighlightText"},p)},splitButtonFlexContainer:[(0,r.GL)(e),{display:"flex",height:a,flexWrap:"nowrap",justifyContent:"center",alignItems:"flex-start"}]};return(0,r.E$)(_)}))},9134:(e,t,o)=>{"use strict";o.d(t,{r:()=>p});var n=o(7622),r=o(7002),i=o(2002),a=o(7817),s=o(9729),l=o(668),c={root:"ms-ContextualMenu",container:"ms-ContextualMenu-container",list:"ms-ContextualMenu-list",header:"ms-ContextualMenu-header",title:"ms-ContextualMenu-title",isopen:"is-open"};function u(e){return r.createElement(d,(0,n.pi)({},e))}var d=(0,i.z)(a.MK,(function(e){var t=e.className,o=e.theme,n=(0,s.Cn)(c,o),r=o.fonts,i=o.semanticColors,a=o.effects;return{root:[o.fonts.medium,n.root,n.isopen,{backgroundColor:i.menuBackground,minWidth:"180px"},t],container:[n.container,{selectors:{":focus":{outline:0}}}],list:[n.list,n.isopen,{listStyleType:"none",margin:"0",padding:"0"}],header:[n.header,r.small,{fontWeight:s.lq.semibold,color:i.menuHeader,background:"none",backgroundColor:"transparent",border:"none",height:l.f,lineHeight:l.f,cursor:"default",padding:"0px 6px",userSelect:"none",textAlign:"left"}],title:[n.title,{fontSize:r.mediumPlus.fontSize,paddingRight:"14px",paddingLeft:"14px",paddingBottom:"5px",paddingTop:"5px",backgroundColor:i.menuItemBackgroundPressed}],subComponentStyles:{callout:{root:{boxShadow:a.elevation8}},menuItem:{}}}}),(function(){return{onRenderSubMenu:u}}),{scope:"ContextualMenu"}),p=d;p.displayName="ContextualMenu"},5183:(e,t,o)=>{"use strict";var n;o.d(t,{n:()=>n}),function(e){e[e.Normal=0]="Normal",e[e.Divider=1]="Divider",e[e.Header=2]="Header",e[e.Section=3]="Section"}(n||(n={}))},1839:(e,t,o)=>{"use strict";o.d(t,{b:()=>h});var n=o(7622),r=o(7002),i=o(2240),a=o(5951),s=o(688),l=o(9947),c=function(e){var t=e.item,o=e.hasIcons,i=e.classNames,a=t.iconProps;return o?t.onRenderIcon?t.onRenderIcon(e):r.createElement(l.J,(0,n.pi)({},a,{className:i.icon})):null},u=function(e){var t=e.onCheckmarkClick,o=e.item,n=e.classNames,a=(0,i.E3)(o);return t?r.createElement(l.J,{iconName:!1!==o.canCheck&&a?"CheckMark":"",className:n.checkmarkIcon,onClick:function(e){return t(o,e)}}):null},d=function(e){var t=e.item,o=e.classNames;return t.text||t.name?r.createElement("span",{className:o.label},t.text||t.name):null},p=function(e){var t=e.item,o=e.classNames;return t.secondaryText?r.createElement("span",{className:o.secondaryText},t.secondaryText):null},m=function(e){var t=e.item,o=e.classNames,s=e.theme;return(0,i.Df)(t)?r.createElement(l.J,(0,n.pi)({iconName:(0,a.zg)(s)?"ChevronLeft":"ChevronRight"},t.submenuIconProps,{className:o.subMenuIcon})):null},h=function(e){function t(t){var o=e.call(this,t)||this;return o.openSubMenu=function(){var e=o.props,t=e.item,n=e.openSubMenu,r=e.getSubmenuTarget;if(r){var a=r();(0,i.Df)(t)&&n&&a&&n(t,a)}},o.dismissSubMenu=function(){var e=o.props,t=e.item,n=e.dismissSubMenu;(0,i.Df)(t)&&n&&n()},o.dismissMenu=function(e){var t=o.props.dismissMenu;t&&t(void 0,e)},(0,s.l)(o),o}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.item,o=e.classNames,n=t.onRenderContent||this._renderLayout;return r.createElement("div",{className:t.split?o.linkContentMenu:o.linkContent},n(this.props,{renderCheckMarkIcon:u,renderItemIcon:c,renderItemName:d,renderSecondaryText:p,renderSubMenuIcon:m}))},t.prototype._renderLayout=function(e,t){return r.createElement(r.Fragment,null,t.renderCheckMarkIcon(e),t.renderItemIcon(e),t.renderItemName(e),t.renderSecondaryText(e),t.renderSubMenuIcon(e))},t}(r.Component)},6662:(e,t,o)=>{"use strict";o.d(t,{W:()=>a});var n=o(2002),r=o(1839),i=o(98),a=(0,n.z)(r.b,i.RI,void 0,{scope:"ContextualMenuItem"})},6381:(e,t,o)=>{"use strict";o.d(t,{R:()=>x});var n=o(7622),r=o(7002),i=o(7300),a=o(63),s=o(8145),l=o(8127),c=o(8088),u=o(4977),d=o(1093),p=o(6974),m=o(5953),h=o(6628),g=o(8623),f=o(6007),v=o(3528),b=o(6548),y=o(4085),_=o(1194),C=(0,i.y)(),S={allowTextInput:!1,formatDate:function(e){return e?e.toDateString():""},parseDateFromString:function(e){var t=Date.parse(e);return t?new Date(t):null},firstDayOfWeek:d.eO.Sunday,initialPickerDate:new Date,isRequired:!1,isMonthPickerVisible:!0,showMonthPickerAsOverlay:!1,strings:_.f,highlightCurrentMonth:!1,highlightSelectedMonth:!1,borderless:!1,pickerAriaLabel:"Calendar",showWeekNumbers:!1,firstWeekOfYear:d.On.FirstDay,showGoToToday:!0,showCloseButton:!1,underlined:!1,allFocusable:!1},x=r.forwardRef((function(e,t){var o=(0,a.j)(S,e),i=o.firstDayOfWeek,d=o.strings,_=o.label,x=o.theme,w=o.className,I=o.styles,D=o.initialPickerDate,T=o.isRequired,E=o.disabled,P=o.ariaLabel,M=o.pickerAriaLabel,R=o.placeholder,N=o.allowTextInput,B=o.borderless,F=o.minDate,L=o.maxDate,A=o.showCloseButton,z=o.calendarProps,H=o.calloutProps,O=o.textField,W=o.underlined,V=o.allFocusable,K=o.calendarAs,q=void 0===K?u.f:K,G=o.tabIndex,U=o.disableAutoFocus,j=(0,y.M)("DatePicker",o.id),J=(0,y.M)("DatePicker-Callout"),Y=r.useRef(null),Z=r.useRef(null),X=function(){var e=r.useRef(null),t=r.useRef(!1);return[e,function(){var t,o,n;null===(n=null===(t=e.current)||void 0===t?void 0:(o=t).focus)||void 0===n||n.call(o)},t,function(){t.current=!0}]}(),Q=X[0],$=X[1],ee=X[2],te=X[3],oe=function(e,t){var o=e.allowTextInput,n=e.onAfterMenuDismiss,i=r.useState(!1),a=i[0],s=i[1],l=r.useRef(!1),c=(0,v.r)();return r.useEffect((function(){var e;l.current&&!a&&(o&&c.requestAnimationFrame(t),null===(e=n)||void 0===e||e()),l.current=!0}),[a]),[a,s]}(o,$),ne=oe[0],re=oe[1],ie=function(e){var t=e.formatDate,o=e.value,n=e.onSelectDate,i=(0,b.G)(o,void 0,(function(e,t){var o;return null===(o=n)||void 0===o?void 0:o(t)})),a=i[0],s=i[1],l=r.useState((function(){return o&&t?t(o):""})),c=l[0],u=l[1];return r.useEffect((function(){u(o&&t?t(o):"")}),[t,o]),[a,c,function(e){s(e),u(e&&t?t(e):"")},u]}(o),ae=ie[0],se=ie[1],le=ie[2],ce=ie[3],ue=function(e,t,o,n,i){var a=e.isRequired,s=e.allowTextInput,l=e.strings,c=e.parseDateFromString,u=e.onSelectDate,d=e.formatDate,m=e.minDate,h=e.maxDate,g=r.useState(),f=g[0],v=g[1];return r.useEffect((function(){a&&!t?v(l.isRequiredErrorMessage||" "):t&&k(t,m,h)?v(l.isOutOfBoundsErrorMessage||" "):v(void 0)}),[m&&(0,p.c8)(m),h&&(0,p.c8)(h),t&&(0,p.c8)(t),a]),[i?void 0:f,function(e){var r;if(void 0===e&&(e=null),s)if(n||e){if(t&&!f&&d&&d(null!=e?e:t)===n)return;!(e=e||c(n))||isNaN(e.getTime())?(o(t),v(l.invalidInputErrorMessage||" ")):k(e,m,h)?v(l.isOutOfBoundsErrorMessage||" "):(o(e),v(void 0))}else v(a?l.isRequiredErrorMessage||" ":void 0),null===(r=u)||void 0===r||r(e);else v(a&&!n?l.isRequiredErrorMessage||" ":void 0)},v]}(o,ae,le,se,ne),de=ue[0],pe=ue[1],me=ue[2],he=r.useCallback((function(){ne||(te(),re(!0))}),[ne,te,re]);r.useImperativeHandle(o.componentRef,(function(){return{focus:$,reset:function(){re(!1),le(void 0),me(void 0)},showDatePickerPopup:he}}),[$,me,re,le,he]);var ge=function(e){ne&&(re(!1),pe(e),!N&&e&&le(e))},fe=function(e){te(),ge(e)},ve=C(I,{theme:x,className:w,disabled:E,label:!!_,isDatePickerShown:ne}),be=(0,l.pq)(o,l.n7,["value"]),ye=O&&O.iconProps;return r.createElement("div",(0,n.pi)({},be,{className:ve.root,ref:t}),r.createElement("div",{ref:Z,"aria-haspopup":"true","aria-owns":ne?J:void 0,className:ve.wrapper},r.createElement(g.n,(0,n.pi)({role:"combobox",label:_,"aria-expanded":ne,ariaLabel:P,"aria-controls":ne?J:void 0,required:T,disabled:E,errorMessage:de,placeholder:R,borderless:B,value:se,componentRef:Q,underlined:W,tabIndex:G,readOnly:!N},O,{id:j+"-label",className:(0,c.i)(ve.textField,O&&O.className),iconProps:(0,n.pi)((0,n.pi)({iconName:"Calendar"},ye),{className:(0,c.i)(ve.icon,ye&&ye.className),onClick:function(e){e.stopPropagation(),ne||o.disabled?o.allowTextInput&&ge():he()}}),onKeyDown:function(e){switch(e.which){case s.m.enter:e.preventDefault(),e.stopPropagation(),ne?o.allowTextInput&&ge():(pe(),he());break;case s.m.escape:!function(e){e.stopPropagation(),fe()}(e);break;case s.m.down:e.altKey&&!ne&&he()}},onFocus:function(){U||N||(ee.current||he(),ee.current=!1)},onBlur:function(e){pe()},onClick:function(e){o.disableAutoFocus||ne||o.disabled?o.allowTextInput&&ge():he()},onChange:function(e,t){var n,r,i,a=o.textField;N&&(ne&&ge(),ce(t)),null===(i=null===(n=a)||void 0===n?void 0:(r=n).onChange)||void 0===i||i.call(r,e,t)}}))),ne&&r.createElement(m.U,(0,n.pi)({id:J,role:"dialog",ariaLabel:M,isBeakVisible:!1,gapSpace:0,doNotLayer:!1,target:Z.current,directionalHint:h.b.bottomLeftEdge},H,{className:(0,c.i)(ve.callout,H&&H.className),onDismiss:function(e){fe()},onPositioned:function(){var e=!0;o.calloutProps&&void 0!==o.calloutProps.setInitialFocus&&(e=o.calloutProps.setInitialFocus),Y.current&&e&&Y.current.focus()}}),r.createElement(f.P,{isClickableOutsideFocusTrap:!0,disableFirstFocus:o.disableAutoFocus},r.createElement(q,(0,n.pi)({},z,{onSelectDate:function(e){o.calendarProps&&o.calendarProps.onSelectDate&&o.calendarProps.onSelectDate(e),fe(e)},onDismiss:fe,isMonthPickerVisible:o.isMonthPickerVisible,showMonthPickerAsOverlay:o.showMonthPickerAsOverlay,today:o.today,value:ae||D,firstDayOfWeek:i,strings:d,highlightCurrentMonth:o.highlightCurrentMonth,highlightSelectedMonth:o.highlightSelectedMonth,showWeekNumbers:o.showWeekNumbers,firstWeekOfYear:o.firstWeekOfYear,showGoToToday:o.showGoToToday,dateTimeFormatter:o.dateTimeFormatter,minDate:F,maxDate:L,componentRef:Y,showCloseButton:A,allFocusable:V})))))}));function k(e,t,o){return!!t&&(0,p.NJ)(t,e)>0||!!o&&(0,p.NJ)(o,e)<0}x.displayName="DatePickerBase"},127:(e,t,o)=>{"use strict";o.d(t,{M:()=>s});var n=o(2002),r=o(6381),i=o(9729),a={root:"ms-DatePicker",callout:"ms-DatePicker-callout",withLabel:"ms-DatePicker-event--with-label",withoutLabel:"ms-DatePicker-event--without-label",disabled:"msDatePickerDisabled "},s=(0,n.z)(r.R,(function(e){var t=e.className,o=e.theme,n=e.disabled,r=e.label,s=e.isDatePickerShown,l=o.palette,c=o.semanticColors,u=(0,i.Cn)(a,o),d={color:l.neutralSecondary,fontSize:i.TS.icon,lineHeight:"18px",pointerEvents:"none",position:"absolute",right:"4px",padding:"5px"};return{root:[u.root,o.fonts.large,s&&"is-open",i.Fv,t],textField:[{position:"relative",selectors:{"& input[readonly]":{cursor:"pointer"},input:{selectors:{"::-ms-clear":{display:"none"}}}}},n&&{selectors:{"& input[readonly]":{cursor:"default"}}}],callout:[u.callout],icon:[d,r?u.withLabel:u.withoutLabel,{paddingTop:"7px"},!n&&[u.disabled,{pointerEvents:"initial",cursor:"pointer"}],n&&{color:c.disabledText,cursor:"default"}]}}),void 0,{scope:"DatePicker"})},1194:(e,t,o)=>{"use strict";o.d(t,{f:()=>i});var n=o(7622),r=o(6883),i=(0,n.pi)((0,n.pi)({},r.V3),{prevMonthAriaLabel:"Go to previous month",nextMonthAriaLabel:"Go to next month",prevYearAriaLabel:"Go to previous year",nextYearAriaLabel:"Go to next year",closeButtonAriaLabel:"Close date picker",isRequiredErrorMessage:"Field is required",invalidInputErrorMessage:"Invalid date format"})},8386:(e,t,o)=>{"use strict";o.d(t,{p:()=>a});var n=o(7002),r=(0,o(7300).y)(),i=n.forwardRef((function(e,t){var o=e.styles,i=e.theme,a=e.getClassNames,s=e.className,l=r(o,{theme:i,getClassNames:a,className:s});return n.createElement("span",{className:l.wrapper,ref:t},n.createElement("span",{className:l.divider}))}));i.displayName="VerticalDividerBase";var a=(0,o(2002).z)(i,(function(e){var t=e.theme,o=e.getClassNames,n=e.className;if(!t)throw new Error("Theme is undefined or null.");if(o){var r=o(t);return{wrapper:[r.wrapper],divider:[r.divider]}}return{wrapper:[{display:"inline-flex",height:"100%",alignItems:"center"},n],divider:[{width:1,height:"100%",backgroundColor:t.palette.neutralTertiaryAlt}]}}),void 0,{scope:"VerticalDivider"})},8982:(e,t,o)=>{"use strict";o.d(t,{P:()=>L});var n=o(7622),r=o(7002),i=o(7300),a=o(2470),s=o(2990),l=o(5446),c=o(8145),u=o(4553),d=o(688),p=o(2782),m=o(8127),h=o(9577),g=o(6479),f=o(8936),v=o(5953),b=o(6628),y=o(990),_=o(2703),C=function(){function e(){this._size=0}return e.prototype.updateOptions=function(e){for(var t=[],o=0,r=0;rthis._displayOnlyOptionsCache[t];)t++;if(this._displayOnlyOptionsCache[t]===e)throw new Error("Unexpected: Option at index "+e+" is not a selectable element.");return e-t+1}},e}(),S=o(2998),x=o(7023),k=o(9947),w=o(2052),I=o(9755),D=o(4126),T=o(9761),E=o(5515),P=o(2777),M=o(63),R=o(6876),N=o(9241),B=(0,i.y)(),F={options:[]},L=r.forwardRef((function(e,t){var o=(0,M.j)(F,e),i=r.useRef(null),s=(0,N.r)(t,i),l=(0,D.q)(i),c=function(e){var t,o=e.defaultSelectedKeys,n=e.selectedKeys,i=e.defaultSelectedKey,s=e.selectedKey,l=e.options,c=e.multiSelect,u=(0,R.D)(l),d=r.useState([]),p=d[0],m=d[1],h=l!==u;t=c?h&&void 0!==o?o:n:h&&void 0!==i?i:s;var g=(0,R.D)(t);return r.useEffect((function(){var e=function(e){return(0,a.cx)(l,(function(t){return null!=e?t.key===e:!!t.selected||!!t.isSelected}))};void 0===t&&u||t===g&&!h||m(function(){if(void 0===t)return c?l.map((function(e,t){return e.selected?t:-1})).filter((function(e){return-1!==e})):-1!==(i=e(null))?[i]:[];if(!Array.isArray(t))return-1!==(i=e(t))?[i]:[];for(var o=[],n=0,r=t;n0&&l();var r=o._id+e.key;a.items.push(i((0,n.pi)((0,n.pi)({id:r},e),{index:t}),o._onRenderItem)),a.id=r;break;case _.F.Divider:t>0&&a.items.push(i((0,n.pi)((0,n.pi)({},e),{index:t}),o._onRenderItem)),a.items.length>0&&l();break;default:a.items.push(i((0,n.pi)((0,n.pi)({},e),{index:t}),o._onRenderItem))}}(e,t)})),a.items.length>0&&l(),r.createElement(r.Fragment,null,s)},o._onRenderItem=function(e){switch(e.itemType){case _.F.Divider:return o._renderSeparator(e);case _.F.Header:return o._renderHeader(e);default:return o._renderOption(e)}},o._renderOption=function(e){var t=o.props,i=t.onRenderOption,a=void 0===i?o._onRenderOption:i,s=t.hoisted.selectedIndices,l=void 0===s?[]:s,c=!(void 0===e.index||!l)&&l.indexOf(e.index)>-1,u=e.hidden?o._classNames.dropdownItemHidden:c&&!0===e.disabled?o._classNames.dropdownItemSelectedAndDisabled:c?o._classNames.dropdownItemSelected:!0===e.disabled?o._classNames.dropdownItemDisabled:o._classNames.dropdownItem,d=e.title,p=void 0===d?e.text:d,m=o._classNames.subComponentStyles?o._classNames.subComponentStyles.multiSelectItem:void 0;return o.props.multiSelect?r.createElement(P.X,{id:o._listId+e.index,key:e.key,disabled:e.disabled,onChange:o._onItemClick(e),inputProps:(0,n.pi)({"aria-selected":c,onMouseEnter:o._onItemMouseEnter.bind(o,e),onMouseLeave:o._onMouseItemLeave.bind(o,e),onMouseMove:o._onItemMouseMove.bind(o,e),role:"option"},{"data-index":e.index,"data-is-focusable":!e.disabled}),label:e.text,title:p,onRenderLabel:o._onRenderItemLabel.bind(o,e),className:u,checked:c,styles:m,ariaPositionInSet:o._sizePosCache.positionInSet(e.index),ariaSetSize:o._sizePosCache.optionSetSize}):r.createElement(y.M,{id:o._listId+e.index,key:e.key,"data-index":e.index,"data-is-focusable":!e.disabled,disabled:e.disabled,className:u,onClick:o._onItemClick(e),onMouseEnter:o._onItemMouseEnter.bind(o,e),onMouseLeave:o._onMouseItemLeave.bind(o,e),onMouseMove:o._onItemMouseMove.bind(o,e),role:"option","aria-selected":c?"true":"false",ariaLabel:e.ariaLabel,title:p,"aria-posinset":o._sizePosCache.positionInSet(e.index),"aria-setsize":o._sizePosCache.optionSetSize},a(e,o._onRenderOption))},o._onRenderOption=function(e){return r.createElement("span",{className:o._classNames.dropdownOptionText},e.text)},o._onRenderItemLabel=function(e){var t=o.props.onRenderOption;return(void 0===t?o._onRenderOption:t)(e,o._onRenderOption)},o._onPositioned=function(e){o._focusZone.current&&o._requestAnimationFrame((function(){var e=o.props.hoisted.selectedIndices;if(o._focusZone.current)if(e&&e[0]&&!o.props.options[e[0]].disabled){var t=(0,l.M)().getElementById(o._id+"-list"+e[0]);t&&o._focusZone.current.focusElement(t)}else o._focusZone.current.focus()})),o.state.calloutRenderEdge&&o.state.calloutRenderEdge===e.targetEdge||o.setState({calloutRenderEdge:e.targetEdge})},o._onItemClick=function(e){return function(t){e.disabled||(o.setSelectedIndex(t,e.index),o.props.multiSelect||o.setState({isOpen:!1}))}},o._onScroll=function(){o._isScrollIdle||void 0===o._scrollIdleTimeoutId?o._isScrollIdle=!1:(clearTimeout(o._scrollIdleTimeoutId),o._scrollIdleTimeoutId=void 0),o._scrollIdleTimeoutId=window.setTimeout((function(){o._isScrollIdle=!0}),o._scrollIdleDelay)},o._onMouseItemLeave=function(e,t){if(!o._shouldIgnoreMouseEvent()&&o._host.current)if(o._host.current.setActive)try{o._host.current.setActive()}catch(e){}else o._host.current.focus()},o._onDismiss=function(){o.setState({isOpen:!1})},o._onDropdownBlur=function(e){o._isDisabled()||(o.setState({hasFocus:!1}),o.state.isOpen||o.props.onBlur&&o.props.onBlur(e))},o._onDropdownKeyDown=function(e){if(!o._isDisabled()&&(o._lastKeyDownWasAltOrMeta=o._isAltOrMeta(e),!o.props.onKeyDown||(o.props.onKeyDown(e),!e.defaultPrevented))){var t,n=o.props.hoisted.selectedIndices.length?o.props.hoisted.selectedIndices[0]:-1,r=e.altKey||e.metaKey,i=o.state.isOpen;switch(e.which){case c.m.enter:o.setState({isOpen:!i});break;case c.m.escape:if(!i)return;o.setState({isOpen:!1});break;case c.m.up:if(r){if(i){o.setState({isOpen:!1});break}return}o.props.multiSelect?o.setState({isOpen:!0}):o._isDisabled()||(t=o._moveIndex(e,-1,n-1,n));break;case c.m.down:r&&(e.stopPropagation(),e.preventDefault()),r&&!i||o.props.multiSelect?o.setState({isOpen:!0}):o._isDisabled()||(t=o._moveIndex(e,1,n+1,n));break;case c.m.home:o.props.multiSelect||(t=o._moveIndex(e,1,0,n));break;case c.m.end:o.props.multiSelect||(t=o._moveIndex(e,-1,o.props.options.length-1,n));break;case c.m.space:break;default:return}t!==n&&(e.stopPropagation(),e.preventDefault())}},o._onDropdownKeyUp=function(e){if(!o._isDisabled()){var t=o._shouldHandleKeyUp(e),n=o.state.isOpen;if(!o.props.onKeyUp||(o.props.onKeyUp(e),!e.defaultPrevented)){switch(e.which){case c.m.space:o.setState({isOpen:!n});break;default:return void(t&&n&&o.setState({isOpen:!1}))}e.stopPropagation(),e.preventDefault()}}},o._onZoneKeyDown=function(e){var t;o._lastKeyDownWasAltOrMeta=o._isAltOrMeta(e);var n=e.altKey||e.metaKey;switch(e.which){case c.m.up:n?o.setState({isOpen:!1}):o._host.current&&(t=(0,u.TE)(o._host.current,o._host.current.lastChild,!0));break;case c.m.home:case c.m.end:case c.m.pageUp:case c.m.pageDown:break;case c.m.down:!n&&o._host.current&&(t=(0,u.ft)(o._host.current,o._host.current.firstChild,!0));break;case c.m.escape:o.setState({isOpen:!1});break;case c.m.tab:return void o.setState({isOpen:!1});default:return}t&&t.focus(),e.stopPropagation(),e.preventDefault()},o._onZoneKeyUp=function(e){o._shouldHandleKeyUp(e)&&o.state.isOpen&&(o.setState({isOpen:!1}),e.preventDefault())},o._onDropdownClick=function(e){if(!o.props.onClick||(o.props.onClick(e),!e.defaultPrevented)){var t=o.state.isOpen;o._isDisabled()||o._shouldOpenOnFocus()||o.setState({isOpen:!t}),o._isFocusedByClick=!1}},o._onDropdownMouseDown=function(){o._isFocusedByClick=!0},o._onFocus=function(e){var t=o.state.isOpen,n=o.props,r=n.multiSelect,i=n.hoisted.selectedIndices;if(!o._isDisabled()){o._isFocusedByClick||t||0!==i.length||r||o._moveIndex(e,1,0,-1),o.props.onFocus&&o.props.onFocus(e);var a={hasFocus:!0};o._shouldOpenOnFocus()&&(a.isOpen=!0),o.setState(a)}},o._isDisabled=function(){var e=o.props.disabled,t=o.props.isDisabled;return void 0===e&&(e=t),e},o._onRenderLabel=function(e){var t=e.label,n=e.required,i=e.disabled,a=o._classNames.subComponentStyles?o._classNames.subComponentStyles.label:void 0;return t?r.createElement(w._,{className:o._classNames.label,id:o._labelId,required:n,styles:a,disabled:i},t):null},(0,d.l)(o),t.multiSelect,t.selectedKey,t.selectedKeys,t.defaultSelectedKey,t.defaultSelectedKeys;var i=t.options;return o._id=t.id||(0,p.z)("Dropdown"),o._labelId=o._id+"-label",o._listId=o._id+"-list",o._optionId=o._id+"-option",o._isScrollIdle=!0,o._sizePosCache.updateOptions(i),o.state={isOpen:!1,hasFocus:!1,calloutRenderEdge:void 0},o}return(0,n.ZT)(t,e),Object.defineProperty(t.prototype,"selectedOptions",{get:function(){var e=this.props,t=e.options,o=e.hoisted.selectedIndices;return(0,E.t)(t,o)},enumerable:!0,configurable:!0}),t.prototype.componentWillUnmount=function(){clearTimeout(this._scrollIdleTimeoutId)},t.prototype.componentDidUpdate=function(e,t){!0===t.isOpen&&!1===this.state.isOpen&&(this._gotMouseMove=!1,this.props.onDismiss&&this.props.onDismiss())},t.prototype.render=function(){var e=this._id,t=this.props,o=t.className,i=t.label,a=t.options,s=t.ariaLabel,l=t.required,c=t.errorMessage,u=t.styles,d=t.theme,p=t.panelProps,g=t.calloutProps,f=t.multiSelect,v=t.onRenderTitle,b=void 0===v?this._getTitle:v,y=t.onRenderContainer,_=void 0===y?this._onRenderContainer:y,C=t.onRenderCaretDown,S=void 0===C?this._onRenderCaretDown:C,x=t.onRenderLabel,k=void 0===x?this._onRenderLabel:x,w=t.hoisted.selectedIndices,I=this.state,D=I.isOpen,T=I.calloutRenderEdge,P=t.onRenderPlaceholder||t.onRenderPlaceHolder||this._getPlaceholder;a!==this._sizePosCache.cachedOptions&&this._sizePosCache.updateOptions(a);var M=(0,E.t)(a,w),R=(0,m.pq)(t,m.n7),N=this._isDisabled(),F=e+"-errorMessage",L=N?void 0:D&&1===w.length&&w[0]>=0?this._listId+w[0]:void 0,A=f?{role:"button"}:{role:"listbox",childRole:"option",ariaRequired:l,ariaSetSize:this._sizePosCache.optionSetSize,ariaPosInSet:this._sizePosCache.positionInSet(w[0]),ariaSelected:void 0!==w[0]||void 0};this._classNames=B(u,{theme:d,className:o,hasError:!!(c&&c.length>0),hasLabel:!!i,isOpen:D,required:l,disabled:N,isRenderingPlaceholder:!M.length,panelClassName:p?p.className:void 0,calloutClassName:g?g.className:void 0,calloutRenderEdge:T});var z=!!c&&c.length>0;return r.createElement("div",{className:this._classNames.root,ref:this.props.hoisted.rootRef},k(this.props,this._onRenderLabel),r.createElement("div",(0,n.pi)({"data-is-focusable":!N,"data-ktp-target":!0,ref:this._dropDown,id:e,tabIndex:N?-1:0,role:A.role,"aria-haspopup":"listbox","aria-expanded":D?"true":"false","aria-label":s,"aria-labelledby":i&&!s?(0,h.I)(this._labelId,this._optionId):void 0,"aria-describedby":z?this._id+"-errorMessage":void 0,"aria-activedescendant":L,"aria-required":A.ariaRequired,"aria-disabled":N,"aria-owns":D?this._listId:void 0},R,{className:this._classNames.dropdown,onBlur:this._onDropdownBlur,onKeyDown:this._onDropdownKeyDown,onKeyUp:this._onDropdownKeyUp,onClick:this._onDropdownClick,onMouseDown:this._onDropdownMouseDown,onFocus:this._onFocus}),r.createElement("span",{id:this._optionId,className:this._classNames.title,"aria-live":"polite","aria-atomic":!0,"aria-invalid":z,role:A.childRole,"aria-setsize":A.ariaSetSize,"aria-posinset":A.ariaPosInSet,"aria-selected":A.ariaSelected},M.length?b(M,this._onRenderTitle):P(t,this._onRenderPlaceholder)),r.createElement("span",{className:this._classNames.caretDownWrapper},S(t,this._onRenderCaretDown))),D&&_((0,n.pi)((0,n.pi)({},t),{onDismiss:this._onDismiss}),this._onRenderContainer),z&&r.createElement("div",{role:"alert",id:F,className:this._classNames.errorMessage},c))},t.prototype.focus=function(e){this._dropDown.current&&(this._dropDown.current.focus(),e&&this.setState({isOpen:!0}))},t.prototype.setSelectedIndex=function(e,t){var o=this.props,n=o.options,r=o.selectedKey,i=o.selectedKeys,a=o.multiSelect,s=o.notifyOnReselect,l=o.hoisted.selectedIndices,c=void 0===l?[]:l,u=!!c&&c.indexOf(t)>-1,d=[];if(t=Math.max(0,Math.min(n.length-1,t)),void 0===r&&void 0===i){if(a||s||t!==c[0]){if(a)if(d=c?this._copyArray(c):[],u){var p=d.indexOf(t);p>-1&&d.splice(p,1)}else d.push(t);else d=[t];e.persist(),this.props.hoisted.setSelectedIndices(d),this._onChange(e,n,t,u,a)}}else this._onChange(e,n,t,u,a)},t.prototype._copyArray=function(e){for(var t=[],o=0,n=e;o=r.length?o=0:o<0&&(o=r.length-1);for(var i=0;r[o].itemType===_.F.Header||r[o].itemType===_.F.Divider||r[o].disabled;){if(i>=r.length)return n;o+t<0?o=r.length:o+t>=r.length&&(o=-1),o+=t,i++}return this.setSelectedIndex(e,o),o},t.prototype._renderFocusableList=function(e){var t=e.onRenderList,o=void 0===t?this._onRenderList:t,n=e.label,i=e.ariaLabel,a=e.multiSelect;return r.createElement("div",{className:this._classNames.dropdownItemsWrapper,onKeyDown:this._onZoneKeyDown,onKeyUp:this._onZoneKeyUp,ref:this._host,tabIndex:0},r.createElement(S.k,{ref:this._focusZone,direction:x.U.vertical,id:this._listId,className:this._classNames.dropdownItems,role:"listbox","aria-label":i,"aria-labelledby":n&&!i?this._labelId:void 0,"aria-multiselectable":a},o(e,this._onRenderList)))},t.prototype._renderSeparator=function(e){var t=e.index,o=e.key;return t>0?r.createElement("div",{role:"separator",key:o,className:this._classNames.dropdownDivider}):null},t.prototype._renderHeader=function(e){var t=this.props.onRenderOption,o=void 0===t?this._onRenderOption:t,n=e.key,i=e.id;return r.createElement("div",{id:i,key:n,className:this._classNames.dropdownItemHeader},o(e,this._onRenderOption))},t.prototype._onItemMouseEnter=function(e,t){this._shouldIgnoreMouseEvent()||t.currentTarget.focus()},t.prototype._onItemMouseMove=function(e,t){var o=t.currentTarget;this._gotMouseMove=!0,this._isScrollIdle&&document.activeElement!==o&&o.focus()},t.prototype._shouldIgnoreMouseEvent=function(){return!this._isScrollIdle||!this._gotMouseMove},t.prototype._isAltOrMeta=function(e){return e.which===c.m.alt||"Meta"===e.key},t.prototype._shouldHandleKeyUp=function(e){var t=this._lastKeyDownWasAltOrMeta&&this._isAltOrMeta(e);return this._lastKeyDownWasAltOrMeta=!1,!!t&&!((0,g.V)()||(0,f.g)())},t.prototype._shouldOpenOnFocus=function(){var e=this.state.hasFocus,t=this.props.openOnKeyboardFocus;return!this._isFocusedByClick&&!0===t&&!e},t.defaultProps={options:[]},t}(r.Component)},4004:(e,t,o)=>{"use strict";o.d(t,{L:()=>v});var n,r,i,a=o(2002),s=o(8982),l=o(7622),c=o(6145),u=o(4568),d=o(9729),p={root:"ms-Dropdown-container",label:"ms-Dropdown-label",dropdown:"ms-Dropdown",title:"ms-Dropdown-title",caretDownWrapper:"ms-Dropdown-caretDownWrapper",caretDown:"ms-Dropdown-caretDown",callout:"ms-Dropdown-callout",panel:"ms-Dropdown-panel",dropdownItems:"ms-Dropdown-items",dropdownItem:"ms-Dropdown-item",dropdownDivider:"ms-Dropdown-divider",dropdownOptionText:"ms-Dropdown-optionText",dropdownItemHeader:"ms-Dropdown-header",titleIsPlaceHolder:"ms-Dropdown-titleIsPlaceHolder",titleHasError:"ms-Dropdown-title--hasError"},m=((n={})[d.qJ+", "+d.bO.replace("@media ","")]=(0,l.pi)({},(0,d.xM)()),n),h={selectors:(0,l.pi)((r={},r[d.qJ]={backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},r),m)},g={selectors:(i={},i[d.qJ]={borderColor:"Highlight"},i)},f=(0,d.sK)(0,d.dd),v=(0,a.z)(s.P,(function(e){var t,o,n,r,i,a,s,m,v,b,y,_,C=e.theme,S=e.hasError,x=e.hasLabel,k=e.className,w=e.isOpen,I=e.disabled,D=e.required,T=e.isRenderingPlaceholder,E=e.panelClassName,P=e.calloutClassName,M=e.calloutRenderEdge;if(!C)throw new Error("theme is undefined or null in base Dropdown getStyles function.");var R=(0,d.Cn)(p,C),N=C.palette,B=C.semanticColors,F=C.effects,L=C.fonts,A={color:B.menuItemTextHovered},z={color:B.menuItemText},H={borderColor:B.errorText},O=[R.dropdownItem,{backgroundColor:"transparent",boxSizing:"border-box",cursor:"pointer",display:"flex",alignItems:"center",padding:"0 8px",width:"100%",minHeight:36,lineHeight:20,height:0,position:"relative",border:"1px solid transparent",borderRadius:0,wordWrap:"break-word",overflowWrap:"break-word",textAlign:"left",".ms-Button-flexContainer":{width:"100%"}}],W=B.menuItemBackgroundPressed,V=function(e){var t;return void 0===e&&(e=!1),{selectors:(t={"&:hover:focus":[{color:B.menuItemTextHovered,backgroundColor:e?W:B.menuItemBackgroundHovered},h],"&:focus":[{backgroundColor:e?W:"transparent"},h],"&:active":[{color:B.menuItemTextHovered,backgroundColor:e?B.menuItemBackgroundHovered:B.menuBackground},h]},t["."+c.G$+" &:focus:after"]={left:0,top:0,bottom:0,right:0},t[d.qJ]={border:"none"},t)}},K=(0,l.pr)(O,[{backgroundColor:W,color:B.menuItemTextHovered},V(!0),h]),q=(0,l.pr)(O,[{color:B.disabledText,cursor:"default",selectors:(t={},t[d.qJ]={color:"GrayText",border:"none"},t)}]),G=M===u.z.bottom?F.roundedCorner2+" "+F.roundedCorner2+" 0 0":"0 0 "+F.roundedCorner2+" "+F.roundedCorner2,U=M===u.z.bottom?"0 0 "+F.roundedCorner2+" "+F.roundedCorner2:F.roundedCorner2+" "+F.roundedCorner2+" 0 0";return{root:[R.root,k],label:R.label,dropdown:[R.dropdown,d.Fv,L.medium,{color:B.menuItemText,borderColor:B.focusBorder,position:"relative",outline:0,userSelect:"none",selectors:(o={},o["&:hover ."+R.title]=[!I&&A,{borderColor:w?N.neutralSecondary:N.neutralPrimary},g],o["&:focus ."+R.title]=[!I&&A,{selectors:(n={},n[d.qJ]={color:"Highlight"},n)}],o["&:focus:after"]=[{pointerEvents:"none",content:"''",position:"absolute",boxSizing:"border-box",top:"0px",left:"0px",width:"100%",height:"100%",border:I?"none":"2px solid "+N.themePrimary,borderRadius:"2px",selectors:(r={},r[d.qJ]={color:"Highlight"},r)}],o["&:active ."+R.title]=[!I&&A,{borderColor:N.themePrimary},g],o["&:hover ."+R.caretDown]=!I&&z,o["&:focus ."+R.caretDown]=[!I&&z,{selectors:(i={},i[d.qJ]={color:"Highlight"},i)}],o["&:active ."+R.caretDown]=!I&&z,o["&:hover ."+R.titleIsPlaceHolder]=!I&&z,o["&:focus ."+R.titleIsPlaceHolder]=!I&&z,o["&:active ."+R.titleIsPlaceHolder]=!I&&z,o["&:hover ."+R.titleHasError]=H,o["&:active ."+R.titleHasError]=H,o)},w&&"is-open",I&&"is-disabled",D&&"is-required",D&&!x&&{selectors:(a={":before":{content:"'*'",color:B.errorText,position:"absolute",top:-5,right:-10}},a[d.qJ]={selectors:{":after":{right:-14}}},a)}],title:[R.title,d.Fv,{backgroundColor:B.inputBackground,borderWidth:1,borderStyle:"solid",borderColor:B.inputBorder,borderRadius:w?G:F.roundedCorner2,cursor:"pointer",display:"block",height:32,lineHeight:30,padding:"0 28px 0 8px",position:"relative",overflow:"hidden",whiteSpace:"nowrap",textOverflow:"ellipsis"},T&&[R.titleIsPlaceHolder,{color:B.inputPlaceholderText}],S&&[R.titleHasError,H],I&&{backgroundColor:B.disabledBackground,border:"none",color:B.disabledText,cursor:"default",selectors:(s={},s[d.qJ]=(0,l.pi)({border:"1px solid GrayText",color:"GrayText",backgroundColor:"Window"},(0,d.xM)()),s)}],caretDownWrapper:[R.caretDownWrapper,{position:"absolute",top:1,right:8,height:32,lineHeight:30},!I&&{cursor:"pointer"}],caretDown:[R.caretDown,{color:N.neutralSecondary,fontSize:L.small.fontSize,pointerEvents:"none"},I&&{color:B.disabledText,selectors:(m={},m[d.qJ]=(0,l.pi)({color:"GrayText"},(0,d.xM)()),m)}],errorMessage:(0,l.pi)((0,l.pi)({color:B.errorText},C.fonts.small),{paddingTop:5}),callout:[R.callout,{boxShadow:F.elevation8,borderRadius:U,selectors:(v={},v[".ms-Callout-main"]={borderRadius:U},v)},P],dropdownItemsWrapper:{selectors:{"&:focus":{outline:0}}},dropdownItems:[R.dropdownItems,{display:"block"}],dropdownItem:(0,l.pr)(O,[V()]),dropdownItemSelected:K,dropdownItemDisabled:q,dropdownItemSelectedAndDisabled:[K,q,{backgroundColor:"transparent"}],dropdownItemHidden:(0,l.pr)(O,[{display:"none"}]),dropdownDivider:[R.dropdownDivider,{height:1,backgroundColor:B.bodyDivider}],dropdownOptionText:[R.dropdownOptionText,{overflow:"hidden",whiteSpace:"nowrap",textOverflow:"ellipsis",minWidth:0,maxWidth:"100%",wordWrap:"break-word",overflowWrap:"break-word",margin:"1px"}],dropdownItemHeader:[R.dropdownItemHeader,(0,l.pi)((0,l.pi)({},L.medium),{fontWeight:d.lq.semibold,color:B.menuHeader,background:"none",backgroundColor:"transparent",border:"none",height:36,lineHeight:36,cursor:"default",padding:"0 8px",userSelect:"none",textAlign:"left",selectors:(b={},b[d.qJ]=(0,l.pi)({color:"GrayText"},(0,d.xM)()),b)})],subComponentStyles:{label:{root:{display:"inline-block"}},multiSelectItem:{root:{padding:0},label:{alignSelf:"stretch",padding:"0 8px",width:"100%"},input:{selectors:(y={},y["."+c.G$+" &:focus + label::before"]={outlineOffset:"0px"},y)}},panel:{root:[E],main:{selectors:(_={},_[f]={width:272},_)},contentInner:{padding:"0 0 20px"}}}}}),void 0,{scope:"Dropdown"});v.displayName="Dropdown"},4008:(e,t,o)=>{"use strict";o.d(t,{d:()=>f});var n=o(7622),r=o(7002),i=o(7300),a=o(5094),s=o(5951),l=o(5480),c=o(8127),u=o(3394),d=o(5446),p=o(9729),m=o(9241),h=(0,i.y)(),g=(0,a.NF)((function(e,t){return(0,p.jG)((0,n.pi)((0,n.pi)({},e),{rtl:t}))})),f=r.forwardRef((function(e,t){var o=e.className,i=e.theme,a=e.applyTheme,p=e.applyThemeToBody,f=e.styles,v=h(f,{theme:i,applyTheme:a,className:o}),b=r.useRef(null);return function(e,t,o){var n=t.bodyThemed;r.useEffect((function(){if(e){var t=(0,d.M)(o.current);if(t)return t.body.classList.add(n),function(){t.body.classList.remove(n)}}}),[n,e,o])}(p,v,b),(0,l.P)(b),r.createElement(r.Fragment,null,function(e,t,o,i){var a=t.root,l=e.as,d=void 0===l?"div":l,p=e.dir,h=e.theme,f=(0,c.pq)(e,c.n7,["dir"]),v=function(e){var t=e.theme,o=e.dir,n=(0,s.zg)(t)?"rtl":"ltr",r=(0,s.zg)()?"rtl":"ltr",i=o||n;return{rootDir:i!==n||i!==r?i:o,needsTheme:i!==n}}(e),b=v.rootDir,y=v.needsTheme,_=r.createElement(d,(0,n.pi)({dir:b},f,{className:a,ref:(0,m.r)(o,i)}));return y&&(_=r.createElement(u.N,{settings:{theme:g(h,"rtl"===p)}},_)),_}(e,v,b,t))}));f.displayName="FabricBase"},3595:(e,t,o)=>{"use strict";o.d(t,{P:()=>l});var n=o(2002),r=o(4008),i=o(9729),a={fontFamily:"inherit"},s={root:"ms-Fabric",bodyThemed:"ms-Fabric-bodyThemed"},l=(0,n.z)(r.d,(function(e){var t=e.theme,o=e.className,n=e.applyTheme;return{root:[(0,i.Cn)(s,t).root,t.fonts.medium,{color:t.palette.neutralPrimary,selectors:{"& button":a,"& input":a,"& textarea":a}},n&&{color:t.semanticColors.bodyText,backgroundColor:t.semanticColors.bodyBackground},o],bodyThemed:[{backgroundColor:t.semanticColors.bodyBackground}]}}),void 0,{scope:"Fabric"})},6007:(e,t,o)=>{"use strict";o.d(t,{P:()=>h});var n=o(7622),r=o(7002),i=o(8127),a=o(3345),s=o(4553),l=o(9251),c=o(6093),u=o(9241),d=o(4085),p=o(7913),m=o(8901),h=r.forwardRef((function(e,t){var o=r.useRef(null),f=r.useRef(null),v=r.useRef(null),b=(0,u.r)(o,t),y=(0,d.M)(void 0,e.id),_=(0,m.ky)(),C=(0,i.pq)(e,i.n7),S=(0,p.B)((function(){return{previouslyFocusedElementOutsideTrapZone:void 0,previouslyFocusedElementInTrapZone:void 0,disposeFocusHandler:void 0,disposeClickHandler:void 0,hasFocus:!1,unmodalize:void 0}})),x=e.ariaLabelledBy,k=e.className,w=e.children,I=e.componentRef,D=e.disabled,T=e.disableFirstFocus,E=void 0!==T&&T,P=e.disabled,M=void 0!==P&&P,R=e.elementToFocusOnDismiss,N=e.forceFocusInsideTrap,B=void 0===N||N,F=e.focusPreviouslyFocusedInnerElement,L=e.firstFocusableSelector,A=e.ignoreExternalFocusing,z=e.isClickableOutsideFocusTrap,H=void 0!==z&&z,O=e.onFocus,W=e.onBlur,V=e.onFocusCapture,K=e.onBlurCapture,q=e.enableAriaHiddenSiblings,G={"aria-hidden":!0,style:{pointerEvents:"none",position:"fixed"},tabIndex:D?-1:0,"data-is-visible":!0},U=r.useCallback((function(){if(F&&S.previouslyFocusedElementInTrapZone&&(0,a.t)(o.current,S.previouslyFocusedElementInTrapZone))(0,s.um)(S.previouslyFocusedElementInTrapZone);else{var e="string"==typeof L?L:L&&L(),t=null;o.current&&(e&&(t=o.current.querySelector("."+e)),t||(t=(0,s.dc)(o.current,o.current.firstChild,!1,!1,!1,!0))),t&&(0,s.um)(t)}}),[L,F,S]),j=r.useCallback((function(e){if(!D){var t=e===S.hasFocus?v.current:f.current;if(o.current){var n=e===S.hasFocus?(0,s.xY)(o.current,t,!0,!1):(0,s.RK)(o.current,t,!0,!1);n&&(n===f.current||n===v.current?U():n.focus())}}}),[D,U,S]),J=r.useCallback((function(e){var t;null===(t=K)||void 0===t||t(e);var n=e.relatedTarget;null===e.relatedTarget&&(n=_.activeElement),(0,a.t)(o.current,n)||(S.hasFocus=!1)}),[_,S,K]),Y=r.useCallback((function(e){var t;null===(t=V)||void 0===t||t(e),e.target===f.current?j(!0):e.target===v.current&&j(!1),S.hasFocus=!0,e.target!==e.currentTarget&&e.target!==f.current&&e.target!==v.current&&(S.previouslyFocusedElementInTrapZone=e.target)}),[V,S,j]),Z=r.useCallback((function(){if(h.focusStack=h.focusStack.filter((function(e){return y!==e})),_){var e=_.activeElement;A||!S.previouslyFocusedElementOutsideTrapZone||"function"!=typeof S.previouslyFocusedElementOutsideTrapZone.focus||!(0,a.t)(o.current,e)&&e!==_.body||S.previouslyFocusedElementOutsideTrapZone!==f.current&&S.previouslyFocusedElementOutsideTrapZone!==v.current&&(0,s.um)(S.previouslyFocusedElementOutsideTrapZone)}}),[_,y,A,S]),X=r.useCallback((function(e){if(!D&&h.focusStack.length&&y===h.focusStack[h.focusStack.length-1]){var t=e.target;(0,a.t)(o.current,t)||(U(),S.hasFocus=!0,e.preventDefault(),e.stopPropagation())}}),[D,y,U,S]),Q=r.useCallback((function(e){if(!D&&h.focusStack.length&&y===h.focusStack[h.focusStack.length-1]){var t=e.target;t&&!(0,a.t)(o.current,t)&&(U(),S.hasFocus=!0,e.preventDefault(),e.stopPropagation())}}),[D,y,U,S]),$=r.useCallback((function(){B&&!S.disposeFocusHandler?S.disposeFocusHandler=(0,l.on)(window,"focus",X,!0):!B&&S.disposeFocusHandler&&(S.disposeFocusHandler(),S.disposeFocusHandler=void 0),H||S.disposeClickHandler?H&&S.disposeClickHandler&&(S.disposeClickHandler(),S.disposeClickHandler=void 0):S.disposeClickHandler=(0,l.on)(window,"click",Q,!0)}),[Q,X,B,H,S]);return r.useEffect((function(){var e=o.current;return $(),function(){var t;D&&!B&&(0,a.t)(e,null===(t=_)||void 0===t?void 0:t.activeElement)||Z()}}),[$]),r.useEffect((function(){var e=void 0===B||B,t=void 0!==D&&D;if(!t||e){if(M)return;h.focusStack.push(y),S.previouslyFocusedElementOutsideTrapZone=R||_.activeElement,E||(0,a.t)(o.current,S.previouslyFocusedElementOutsideTrapZone)||U(),!S.unmodalize&&o.current&&q&&(S.unmodalize=(0,c.O)(o.current))}else e&&!t||(Z(),S.unmodalize&&S.unmodalize());R&&S.previouslyFocusedElementOutsideTrapZone!==R&&(S.previouslyFocusedElementOutsideTrapZone=R)}),[R,B,D]),g((function(){S.disposeClickHandler&&(S.disposeClickHandler(),S.disposeClickHandler=void 0),S.disposeFocusHandler&&(S.disposeFocusHandler(),S.disposeFocusHandler=void 0),S.unmodalize&&S.unmodalize(),delete S.previouslyFocusedElementInTrapZone,delete S.previouslyFocusedElementOutsideTrapZone})),function(e,t,o){r.useImperativeHandle(e,(function(){return{get previouslyFocusedElement(){return t},focus:o}}),[t,o])}(I,S.previouslyFocusedElementInTrapZone,U),r.createElement("div",(0,n.pi)({},C,{className:k,ref:b,"aria-labelledby":x,onFocusCapture:Y,onFocus:O,onBlur:W,onBlurCapture:J}),r.createElement("div",(0,n.pi)({},G,{ref:f})),w,r.createElement("div",(0,n.pi)({},G,{ref:v})))})),g=function(e){var t=r.useRef(e);t.current=e,r.useEffect((function(){return function(){t.current&&t.current()}}),[e])};h.displayName="FocusTrapZone",h.focusStack=[]},4734:(e,t,o)=>{"use strict";o.d(t,{z1:()=>u,xu:()=>d,Pw:()=>p});var n=o(7622),r=o(7002),i=o(3074),a=o(5094),s=o(8127),l=o(8088),c=o(9729),u=(0,a.NF)((function(e){var t=(0,c.q7)(e)||{subset:{},code:void 0},o=t.code,n=t.subset;return o?{children:o,iconClassName:n.className,fontFamily:n.fontFace&&n.fontFace.fontFamily}:null}),void 0,!0),d=function(e){var t=e.iconName,o=e.className,a=e.style,c=void 0===a?{}:a,d=u(t)||{},p=d.iconClassName,m=d.children,h=d.fontFamily,g=(0,s.pq)(e,s.iY),f=e["aria-label"]||e["aria-labelledby"]||e.title?{role:"img"}:{"aria-hidden":!0};return r.createElement("i",(0,n.pi)({"data-icon-name":t},f,g,{className:(0,l.i)(i.Sk,i.AK.root,p,!t&&i.AK.placeholder,o),style:(0,n.pi)({fontFamily:h},c)}),m)},p=(0,a.NF)((function(e,t,o){return d({iconName:e,className:t,"aria-label":o})}))},3874:(e,t,o)=>{"use strict";o.d(t,{A:()=>p});var n=o(7622),r=o(7002),i=o(6569),a=o(4861),s=o(6711),l=o(7300),c=o(8127),u=o(4734),d=(0,l.y)({cacheSize:100}),p=function(e){function t(t){var o=e.call(this,t)||this;return o._onImageLoadingStateChange=function(e){o.props.imageProps&&o.props.imageProps.onLoadingStateChange&&o.props.imageProps.onLoadingStateChange(e),e===s.U9.error&&o.setState({imageLoadError:!0})},o.state={imageLoadError:!1},o}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.children,o=e.className,s=e.styles,l=e.iconName,p=e.imageErrorAs,m=e.theme,h="string"==typeof l&&0===l.length,g=!!this.props.imageProps||this.props.iconType===i.T.image||this.props.iconType===i.T.Image,f=(0,u.z1)(l)||{},v=f.iconClassName,b=f.children,y=d(s,{theme:m,className:o,iconClassName:v,isImage:g,isPlaceholder:h}),_=g?"span":"i",C=(0,c.pq)(this.props,c.iY,["aria-label"]),S=this.state.imageLoadError,x=(0,n.pi)((0,n.pi)({},this.props.imageProps),{onLoadingStateChange:this._onImageLoadingStateChange}),k=S&&p||a.E,w=this.props["aria-label"]||this.props.ariaLabel,I=x.alt||w,D=I||this.props["aria-labelledby"]||x["aria-label"]||x["aria-labelledby"]?{role:g?void 0:"img","aria-label":g?void 0:I}:{"aria-hidden":!0};return r.createElement(_,(0,n.pi)({"data-icon-name":l},D,C,{className:y.root}),g?r.createElement(k,(0,n.pi)({},x)):t||b)},t}(r.Component)},9947:(e,t,o)=>{"use strict";o.d(t,{J:()=>a});var n=o(2002),r=o(3874),i=o(3074),a=(0,n.z)(r.A,i.Wi,void 0,{scope:"Icon"},!0);a.displayName="Icon"},3074:(e,t,o)=>{"use strict";o.d(t,{AK:()=>n,Sk:()=>r,Wi:()=>i});var n=(0,o(9729).ZC)({root:{display:"inline-block"},placeholder:["ms-Icon-placeHolder",{width:"1em"}],image:["ms-Icon-imageContainer",{overflow:"hidden"}]}),r="ms-Icon",i=function(e){var t=e.className,o=e.iconClassName,r=e.isPlaceholder,i=e.isImage,a=e.styles;return{root:[r&&n.placeholder,n.root,i&&n.image,o,t,a&&a.root,a&&a.imageContainer]}}},6569:(e,t,o)=>{"use strict";var n;o.d(t,{T:()=>n}),function(e){e[e.default=0]="default",e[e.image=1]="image",e[e.Default=1e5]="Default",e[e.Image=100001]="Image"}(n||(n={}))},7840:(e,t,o)=>{"use strict";o.d(t,{X:()=>c});var n=o(7622),r=o(7002),i=o(4861),a=o(8127),s=o(8088),l=o(3074),c=function(e){var t=e.className,o=e.imageProps,c=(0,a.pq)(e,a.iY,["aria-label","aria-labelledby","title","aria-describedby"]),u=o.alt||e["aria-label"],d=u||e["aria-labelledby"]||e.title||o["aria-label"]||o["aria-labelledby"]||o.title,p={"aria-labelledby":e["aria-labelledby"],"aria-describedby":e["aria-describedby"],title:e.title},m=d?{}:{"aria-hidden":!0};return r.createElement("div",(0,n.pi)({},m,c,{className:(0,s.i)(l.Sk,l.AK.root,l.AK.image,t)}),r.createElement(i.E,(0,n.pi)({},p,o,{alt:d?u:""})))}},9759:(e,t,o)=>{"use strict";o.d(t,{v:()=>d});var n=o(7622),r=o(7002),i=o(7300),a=o(8127),s=o(6711),l=o(9241),c=(0,i.y)(),u=/\.svg$/i,d=r.forwardRef((function(e,t){var o=r.useRef(),i=r.useRef(),d=function(e,t){var o=e.onLoadingStateChange,n=e.onLoad,i=e.onError,a=e.src,l=r.useState(s.U9.notLoaded),c=l[0],d=l[1];r.useLayoutEffect((function(){d(s.U9.notLoaded)}),[a]),r.useEffect((function(){c===s.U9.notLoaded&&t.current&&(a&&t.current.naturalWidth>0&&t.current.naturalHeight>0||t.current.complete&&u.test(a))&&d(s.U9.loaded)})),r.useEffect((function(){var e;null===(e=o)||void 0===e||e(c)}),[c]);var p=r.useCallback((function(e){var t;null===(t=n)||void 0===t||t(e),a&&d(s.U9.loaded)}),[a,n]),m=r.useCallback((function(e){var t;null===(t=i)||void 0===t||t(e),d(s.U9.error)}),[i]);return[c,p,m]}(e,i),p=d[0],m=d[1],h=d[2],g=(0,a.pq)(e,a.it,["width","height"]),f=e.src,v=e.alt,b=e.width,y=e.height,_=e.shouldFadeIn,C=void 0===_||_,S=e.shouldStartVisible,x=e.className,k=e.imageFit,w=e.role,I=e.maximizeFrame,D=e.styles,T=e.theme,E=e.loading,P=function(e,t,o,n){var i=r.useRef(t),a=r.useRef();return(void 0===a||i.current===s.U9.notLoaded&&t===s.U9.loaded)&&(a.current=function(e,t,o,n){var r=e.imageFit,i=e.width,a=e.height;if(void 0!==e.coverStyle)return e.coverStyle;if(t===s.U9.loaded&&(r===s.kQ.cover||r===s.kQ.contain||r===s.kQ.centerContain||r===s.kQ.centerCover)&&o.current&&n.current){var l;if(l="number"==typeof i&&"number"==typeof a&&r!==s.kQ.centerContain&&r!==s.kQ.centerCover?i/a:n.current.clientWidth/n.current.clientHeight,o.current.naturalWidth/o.current.naturalHeight>l)return s.yZ.landscape}return s.yZ.portrait}(e,t,o,n)),i.current=t,a.current}(e,p,i,o),M=c(D,{theme:T,className:x,width:b,height:y,maximizeFrame:I,shouldFadeIn:C,shouldStartVisible:S,isLoaded:p===s.U9.loaded||p===s.U9.notLoaded&&e.shouldStartVisible,isLandscape:P===s.yZ.landscape,isCenter:k===s.kQ.center,isCenterContain:k===s.kQ.centerContain,isCenterCover:k===s.kQ.centerCover,isContain:k===s.kQ.contain,isCover:k===s.kQ.cover,isNone:k===s.kQ.none,isError:p===s.U9.error,isNotImageFit:void 0===k});return r.createElement("div",{className:M.root,style:{width:b,height:y},ref:o},r.createElement("img",(0,n.pi)({},g,{onLoad:m,onError:h,key:"fabricImage"+e.src||"",className:M.image,ref:(0,l.r)(i,t),src:f,alt:v,role:w,loading:E})))}));d.displayName="ImageBase"},4861:(e,t,o)=>{"use strict";o.d(t,{E:()=>l});var n=o(2002),r=o(9759),i=o(9729),a=o(9757),s={root:"ms-Image",rootMaximizeFrame:"ms-Image--maximizeFrame",image:"ms-Image-image",imageCenter:"ms-Image-image--center",imageContain:"ms-Image-image--contain",imageCover:"ms-Image-image--cover",imageCenterContain:"ms-Image-image--centerContain",imageCenterCover:"ms-Image-image--centerCover",imageNone:"ms-Image-image--none",imageLandscape:"ms-Image-image--landscape",imagePortrait:"ms-Image-image--portrait"},l=(0,n.z)(r.v,(function(e){var t=e.className,o=e.width,n=e.height,r=e.maximizeFrame,l=e.isLoaded,c=e.shouldFadeIn,u=e.shouldStartVisible,d=e.isLandscape,p=e.isCenter,m=e.isContain,h=e.isCover,g=e.isCenterContain,f=e.isCenterCover,v=e.isNone,b=e.isError,y=e.isNotImageFit,_=e.theme,C=(0,i.Cn)(s,_),S={position:"absolute",left:"50% /* @noflip */",top:"50%",transform:"translate(-50%,-50%)"},x=(0,a.J)(),k=void 0!==x&&void 0===x.navigator.msMaxTouchPoints,w=m&&d||h&&!d?{width:"100%",height:"auto"}:{width:"auto",height:"100%"};return{root:[C.root,_.fonts.medium,{overflow:"hidden"},r&&[C.rootMaximizeFrame,{height:"100%",width:"100%"}],l&&c&&!u&&i.k4.fadeIn400,(p||m||h||g||f)&&{position:"relative"},t],image:[C.image,{display:"block",opacity:0},l&&["is-loaded",{opacity:1}],p&&[C.imageCenter,S],m&&[C.imageContain,k&&{width:"100%",height:"100%",objectFit:"contain"},!k&&w,!k&&S],h&&[C.imageCover,k&&{width:"100%",height:"100%",objectFit:"cover"},!k&&w,!k&&S],g&&[C.imageCenterContain,d&&{maxWidth:"100%"},!d&&{maxHeight:"100%"},S],f&&[C.imageCenterCover,d&&{maxHeight:"100%"},!d&&{maxWidth:"100%"},S],v&&[C.imageNone,{width:"auto",height:"auto"}],y&&[!!o&&!n&&{height:"auto",width:"100%"},!o&&!!n&&{height:"100%",width:"auto"},!!o&&!!n&&{height:"100%",width:"100%"}],d&&C.imageLandscape,!d&&C.imagePortrait,!l&&"is-notLoaded",c&&"is-fadeIn",b&&"is-error"]}}),void 0,{scope:"Image"},!0);l.displayName="Image"},6711:(e,t,o)=>{"use strict";var n,r,i;o.d(t,{kQ:()=>n,yZ:()=>r,U9:()=>i}),function(e){e[e.center=0]="center",e[e.contain=1]="contain",e[e.cover=2]="cover",e[e.none=3]="none",e[e.centerCover=4]="centerCover",e[e.centerContain=5]="centerContain"}(n||(n={})),function(e){e[e.landscape=0]="landscape",e[e.portrait=1]="portrait"}(r||(r={})),function(e){e[e.notLoaded=0]="notLoaded",e[e.loaded=1]="loaded",e[e.error=2]="error",e[e.errorLoaded=3]="errorLoaded"}(i||(i={}))},9949:(e,t,o)=>{"use strict";o.d(t,{a:()=>a});var n=o(7622),r=o(8128),i=o(2304),a=function(e){var t,o=e.children,a=(0,n._T)(e,["children"]),s=(0,i.c)(a),l=s.keytipId,c=s.ariaDescribedBy;return o(((t={})[r.fV]=l,t[r.ms]=l,t["aria-describedby"]=c,t))}},2304:(e,t,o)=>{"use strict";o.d(t,{c:()=>u});var n=o(7622),r=o(7002),i=o(7913),a=o(6876),s=o(9577),l=o(344),c=o(5325);function u(e){var t=r.useRef(),o=e.keytipProps?(0,n.pi)({disabled:e.disabled},e.keytipProps):void 0,u=(0,i.B)(l.K.getInstance()),d=(0,a.D)(e);r.useLayoutEffect((function(){var n,r;t.current&&o&&((null===(n=d)||void 0===n?void 0:n.keytipProps)!==e.keytipProps||(null===(r=d)||void 0===r?void 0:r.disabled)!==e.disabled)&&u.update(o,t.current)})),r.useLayoutEffect((function(){return o&&(t.current=u.register(o)),function(){o&&u.unregister(o,t.current)}}),[]);var p={ariaDescribedBy:void 0,keytipId:void 0};return o&&(p=function(e,t,o){var r=e.addParentOverflow(t),i=(0,s.I)(o,(0,c.w7)(r.keySequences)),a=(0,n.pr)(r.keySequences);return r.overflowSetSequence&&(a=(0,c.a1)(a,r.overflowSetSequence)),{ariaDescribedBy:i,keytipId:(0,c.aB)(a)}}(u,o,e.ariaDescribedBy)),p}},5424:(e,t,o)=>{"use strict";o.d(t,{E:()=>s});var n=o(7622),r=o(7002),i=o(8127),a=(0,o(7300).y)({cacheSize:100}),s=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.as,o=void 0===t?"label":t,s=e.children,l=e.className,c=e.disabled,u=e.styles,d=e.required,p=e.theme,m=a(u,{className:l,disabled:c,required:d,theme:p});return r.createElement(o,(0,n.pi)({},(0,i.pq)(this.props,i.n7),{className:m.root}),s)},t}(r.Component)},2052:(e,t,o)=>{"use strict";o.d(t,{_:()=>s});var n=o(2002),r=o(5424),i=o(7622),a=o(9729),s=(0,n.z)(r.E,(function(e){var t,o=e.theme,n=e.className,r=e.disabled,s=e.required,l=o.semanticColors,c=a.lq.semibold,u=l.bodyText,d=l.disabledBodyText,p=l.errorText;return{root:["ms-Label",o.fonts.medium,{fontWeight:c,color:u,boxSizing:"border-box",boxShadow:"none",margin:0,display:"block",padding:"5px 0",wordWrap:"break-word",overflowWrap:"break-word"},r&&{color:d,selectors:(t={},t[a.qJ]=(0,i.pi)({color:"GrayText"},(0,a.xM)()),t)},s&&{selectors:{"::after":{content:"' *'",color:p,paddingRight:12}}},n]}}),void 0,{scope:"Label"})},4555:(e,t,o)=>{"use strict";o.d(t,{s:()=>g});var n=o(7622),r=o(7002);const i=jsmodule["react-dom"];var a,s=o(3595),l=o(7300),c=o(8308),u=o(7829),d=o(6443),p=o(9241),m=o(8901),h=(0,l.y)(),g=r.forwardRef((function(e,t){var o=r.useState(),l=o[0],g=o[1],v=r.useRef(l);v.current=l;var b=r.useRef(null),y=(0,p.r)(b,t),_=(0,m.ky)(),C=e.eventBubblingEnabled,S=e.styles,x=e.theme,k=e.className,w=e.children,I=e.hostId,D=e.onLayerDidMount,T=void 0===D?function(){}:D,E=e.onLayerMounted,P=void 0===E?function(){}:E,M=e.onLayerWillUnmount,R=e.insertFirst,N=h(S,{theme:x,className:k,isNotHost:!I}),B=function(){var e;null===(e=M)||void 0===e||e();var t=v.current;if(t&&t.parentNode){var o=t.parentNode;o&&o.removeChild(t)}},F=function(){var e,t,o=function(){if(_){if(I)return _.getElementById(I);var e=(0,d.OJ)();return e?_.querySelector(e):_.body}}();if(_&&o){B();var n=_.createElement("div");n.className=N.root,(0,c.U)(n),(0,u.N)(n,b.current),R?o.insertBefore(n,o.firstChild):o.appendChild(n),g(n),null===(e=P)||void 0===e||e(),null===(t=T)||void 0===t||t()}};return r.useLayoutEffect((function(){return F(),I&&(0,d.Pc)(I,F),function(){B(),I&&(0,d.tq)(I,F)}}),[I]),r.createElement("span",{className:"ms-layer",ref:y},l&&i.createPortal(r.createElement(s.P,(0,n.pi)({},!C&&(a||(a={},["onClick","onContextMenu","onDoubleClick","onDrag","onDragEnd","onDragEnter","onDragExit","onDragLeave","onDragOver","onDragStart","onDrop","onMouseDown","onMouseEnter","onMouseLeave","onMouseMove","onMouseOver","onMouseOut","onMouseUp","onTouchMove","onTouchStart","onTouchCancel","onTouchEnd","onKeyDown","onKeyPress","onKeyUp","onFocus","onBlur","onChange","onInput","onInvalid","onSubmit"].forEach((function(e){return a[e]=f}))),a),{className:N.content}),w),l))}));g.displayName="LayerBase";var f=function(e){e.eventPhase===Event.BUBBLING_PHASE&&"mouseenter"!==e.type&&"mouseleave"!==e.type&&"touchstart"!==e.type&&"touchend"!==e.type&&e.stopPropagation()}},7513:(e,t,o)=>{"use strict";o.d(t,{m:()=>s});var n=o(2002),r=o(4555),i=o(9729),a={root:"ms-Layer",rootNoHost:"ms-Layer--fixed",content:"ms-Layer-content"},s=(0,n.z)(r.s,(function(e){var t=e.className,o=e.isNotHost,n=e.theme,r=(0,i.Cn)(a,n);return{root:[r.root,n.fonts.medium,o&&[r.rootNoHost,{position:"fixed",zIndex:i.bR.Layer,top:0,left:0,bottom:0,right:0,visibility:"hidden"}],t],content:[r.content,{visibility:"visible"}]}}),void 0,{scope:"Layer",fields:["hostId","theme","styles"]})},6443:(e,t,o)=>{"use strict";o.d(t,{Pc:()=>r,tq:()=>i,EQ:()=>a,OJ:()=>s});var n={};function r(e,t){n[e]||(n[e]=[]),n[e].push(t)}function i(e,t){if(n[e]){var o=n[e].indexOf(t);o>=0&&(n[e].splice(o,1),0===n[e].length&&delete n[e])}}function a(e){n[e]&&n[e].forEach((function(e){return e()}))}function s(){}},6178:(e,t,o)=>{"use strict";o.d(t,{R:()=>u});var n=o(7622),r=o(7002),i=o(7300),a=o(688),s=o(4948),l=o(8127),c=(0,i.y)(),u=function(e){function t(t){var o=e.call(this,t)||this;(0,a.l)(o);var n=o.props.allowTouchBodyScroll,r=void 0!==n&&n;return o._allowTouchBodyScroll=r,o}return(0,n.ZT)(t,e),t.prototype.componentDidMount=function(){!this._allowTouchBodyScroll&&(0,s.Qp)()},t.prototype.componentWillUnmount=function(){!this._allowTouchBodyScroll&&(0,s.tG)()},t.prototype.render=function(){var e=this.props,t=e.isDarkThemed,o=e.className,i=e.theme,a=e.styles,s=(0,l.pq)(this.props,l.n7),u=c(a,{theme:i,className:o,isDark:t});return r.createElement("div",(0,n.pi)({},s,{className:u.root}))},t}(r.Component)},4946:(e,t,o)=>{"use strict";o.d(t,{a:()=>s});var n=o(2002),r=o(6178),i=o(9729),a={root:"ms-Overlay",rootDark:"ms-Overlay--dark"},s=(0,n.z)(r.R,(function(e){var t,o=e.className,n=e.theme,r=e.isNone,s=e.isDark,l=n.palette,c=(0,i.Cn)(a,n);return{root:[c.root,n.fonts.medium,{backgroundColor:l.whiteTranslucent40,top:0,right:0,bottom:0,left:0,position:"absolute",selectors:(t={},t[i.qJ]={border:"1px solid WindowText",opacity:0},t)},r&&{visibility:"hidden"},s&&[c.rootDark,{backgroundColor:l.blackTranslucent40}],o]}}),void 0,{scope:"Overlay"})},5357:(e,t,o)=>{"use strict";o.d(t,{P:()=>k});var n,r=o(7622),i=o(7002),a=o(5758),s=o(7513),l=o(4946),c=o(752),u=o(7300),d=o(4948),p=o(8088),m=o(2167),h=o(9919),g=o(688),f=o(3129),v=o(2782),b=o(5951),y=o(8127),_=o(3345),C=o(6007),S=o(2758),x=(0,u.y)();!function(e){e[e.closed=0]="closed",e[e.animatingOpen=1]="animatingOpen",e[e.open=2]="open",e[e.animatingClosed=3]="animatingClosed"}(n||(n={}));var k=function(e){function t(t){var o=e.call(this,t)||this;o._panel=i.createRef(),o._animationCallback=null,o._hasCustomNavigation=!(!o.props.onRenderNavigation&&!o.props.onRenderNavigationContent),o.dismiss=function(e){o.props.onDismiss&&o.props.onDismiss(e),(!e||e&&!e.defaultPrevented)&&o.close()},o._allowScrollOnPanel=function(e){e?o._allowTouchBodyScroll?(0,d.eC)(e,o._events):(0,d.C7)(e,o._events):o._events.off(o._scrollableContent),o._scrollableContent=e},o._onRenderNavigation=function(e){if(!o.props.onRenderNavigationContent&&!o.props.onRenderNavigation&&!o.props.hasCloseButton)return null;var t=o.props.onRenderNavigationContent,n=void 0===t?o._onRenderNavigationContent:t;return i.createElement("div",{className:o._classNames.navigation},n(e,o._onRenderNavigationContent))},o._onRenderNavigationContent=function(e){var t,n=e.closeButtonAriaLabel,r=e.hasCloseButton,s=e.onRenderHeader,l=void 0===s?o._onRenderHeader:s;if(r){var c=null===(t=o._classNames.subComponentStyles)||void 0===t?void 0:t.closeButton();return i.createElement(i.Fragment,null,!o._hasCustomNavigation&&l(o.props,o._onRenderHeader,o._headerTextId),i.createElement(a.h,{styles:c,className:o._classNames.closeButton,onClick:o._onPanelClick,ariaLabel:n,title:n,"data-is-visible":!0,iconProps:{iconName:"Cancel"}}))}return null},o._onRenderHeader=function(e,t,n){var a=e.headerText,s=e.headerTextProps,l=void 0===s?{}:s;return a?i.createElement("div",{className:o._classNames.header},i.createElement("div",(0,r.pi)({id:n,role:"heading","aria-level":1},l,{className:(0,p.i)(o._classNames.headerText,l.className)}),a)):null},o._onRenderBody=function(e){return i.createElement("div",{className:o._classNames.content},e.children)},o._onRenderFooter=function(e){var t=o.props.onRenderFooterContent,n=void 0===t?null:t;return n?i.createElement("div",{className:o._classNames.footer},i.createElement("div",{className:o._classNames.footerInner},n())):null},o._animateTo=function(e){e===n.open&&o.props.onOpen&&o.props.onOpen(),o._animationCallback=o._async.setTimeout((function(){o.setState({visibility:e}),o._onTransitionComplete()}),200)},o._clearExistingAnimationTimer=function(){null!==o._animationCallback&&o._async.clearTimeout(o._animationCallback)},o._onPanelClick=function(e){o.dismiss(e)},o._onTransitionComplete=function(){o._updateFooterPosition(),o.state.visibility===n.open&&o.props.onOpened&&o.props.onOpened(),o.state.visibility===n.closed&&o.props.onDismissed&&o.props.onDismissed()};var s=o.props.allowTouchBodyScroll,l=void 0!==s&&s;return o._allowTouchBodyScroll=l,o._async=new m.e(o),o._events=new h.r(o),(0,g.l)(o),(0,f.b)("Panel",t,{ignoreExternalFocusing:"focusTrapZoneProps",forceFocusInsideTrap:"focusTrapZoneProps",firstFocusableSelector:"focusTrapZoneProps"}),o.state={isFooterSticky:!1,visibility:n.closed,id:(0,v.z)("Panel")},o}return(0,r.ZT)(t,e),t.getDerivedStateFromProps=function(e,t){return void 0===e.isOpen?null:!e.isOpen||t.visibility!==n.closed&&t.visibility!==n.animatingClosed?e.isOpen||t.visibility!==n.open&&t.visibility!==n.animatingOpen?null:{visibility:n.animatingClosed}:{visibility:n.animatingOpen}},t.prototype.componentDidMount=function(){this._events.on(window,"resize",this._updateFooterPosition),this._shouldListenForOuterClick(this.props)&&this._events.on(document.body,"mousedown",this._dismissOnOuterClick,!0),this.props.isOpen&&this.setState({visibility:n.animatingOpen})},t.prototype.componentDidUpdate=function(e,t){var o=this._shouldListenForOuterClick(this.props),r=this._shouldListenForOuterClick(e);this.state.visibility!==t.visibility&&(this._clearExistingAnimationTimer(),this.state.visibility===n.animatingOpen?this._animateTo(n.open):this.state.visibility===n.animatingClosed&&this._animateTo(n.closed)),o&&!r?this._events.on(document.body,"mousedown",this._dismissOnOuterClick,!0):!o&&r&&this._events.off(document.body,"mousedown",this._dismissOnOuterClick,!0)},t.prototype.componentWillUnmount=function(){this._async.dispose(),this._events.dispose()},t.prototype.render=function(){var e=this.props,t=e.className,o=void 0===t?"":t,a=e.elementToFocusOnDismiss,u=e.firstFocusableSelector,d=e.focusTrapZoneProps,p=e.forceFocusInsideTrap,m=e.hasCloseButton,h=e.headerText,g=e.headerClassName,f=void 0===g?"":g,v=e.ignoreExternalFocusing,_=e.isBlocking,k=e.isFooterAtBottom,w=e.isLightDismiss,I=e.isHiddenOnDismiss,D=e.layerProps,T=e.overlayProps,E=e.popupProps,P=e.type,M=e.styles,R=e.theme,N=e.customWidth,B=e.onLightDismissClick,F=void 0===B?this._onPanelClick:B,L=e.onRenderNavigation,A=void 0===L?this._onRenderNavigation:L,z=e.onRenderHeader,H=void 0===z?this._onRenderHeader:z,O=e.onRenderBody,W=void 0===O?this._onRenderBody:O,V=e.onRenderFooter,K=void 0===V?this._onRenderFooter:V,q=this.state,G=q.isFooterSticky,U=q.visibility,j=q.id,J=P===S.w.smallFixedNear||P===S.w.customNear,Y=(0,b.zg)(R)?J:!J,Z=P===S.w.custom||P===S.w.customNear?{width:N}:{},X=(0,y.pq)(this.props,y.n7),Q=this.isActive,$=U===n.animatingClosed||U===n.animatingOpen;if(this._headerTextId=h&&j+"-headerText",!Q&&!$&&!I)return null;this._classNames=x(M,{theme:R,className:o,focusTrapZoneClassName:d?d.className:void 0,hasCloseButton:m,headerClassName:f,isAnimating:$,isFooterSticky:G,isFooterAtBottom:k,isOnRightSide:Y,isOpen:Q,isHiddenOnDismiss:I,type:P,hasCustomNavigation:this._hasCustomNavigation});var ee,te=this._classNames,oe=this._allowTouchBodyScroll;return _&&Q&&(ee=i.createElement(l.a,(0,r.pi)({className:te.overlay,isDarkThemed:!1,onClick:w?F:void 0,allowTouchBodyScroll:oe},T))),i.createElement(s.m,(0,r.pi)({},D),i.createElement(c.G,(0,r.pi)({role:"dialog","aria-modal":"true",ariaLabelledBy:this._headerTextId?this._headerTextId:void 0,onDismiss:this.dismiss,className:te.hiddenPanel},E),i.createElement("div",(0,r.pi)({"aria-hidden":!Q&&$},X,{ref:this._panel,className:te.root}),ee,i.createElement(C.P,(0,r.pi)({ignoreExternalFocusing:v,forceFocusInsideTrap:!(!_||I&&!Q)&&p,firstFocusableSelector:u,isClickableOutsideFocusTrap:!0},d,{className:te.main,style:Z,elementToFocusOnDismiss:a}),i.createElement("div",{className:te.commands,"data-is-visible":!0},A(this.props,this._onRenderNavigation)),i.createElement("div",{className:te.contentInner},(this._hasCustomNavigation||!m)&&H(this.props,this._onRenderHeader,this._headerTextId),i.createElement("div",{ref:this._allowScrollOnPanel,className:te.scrollableContent,"data-is-scrollable":!0},W(this.props,this._onRenderBody)),K(this.props,this._onRenderFooter))))))},t.prototype.open=function(){void 0===this.props.isOpen&&(this.isActive||this.setState({visibility:n.animatingOpen}))},t.prototype.close=function(){void 0===this.props.isOpen&&this.isActive&&this.setState({visibility:n.animatingClosed})},Object.defineProperty(t.prototype,"isActive",{get:function(){return this.state.visibility===n.open||this.state.visibility===n.animatingOpen},enumerable:!0,configurable:!0}),t.prototype._shouldListenForOuterClick=function(e){return!!e.isBlocking&&!!e.isOpen},t.prototype._updateFooterPosition=function(){var e=this._scrollableContent;if(e){var t=e.clientHeight,o=e.scrollHeight;this.setState({isFooterSticky:t{"use strict";o.d(t,{s:()=>S});var n,r,i,a,s,l=o(2002),c=o(5357),u=o(7622),d=o(2758),p=o(9729),m={root:"ms-Panel",main:"ms-Panel-main",commands:"ms-Panel-commands",contentInner:"ms-Panel-contentInner",scrollableContent:"ms-Panel-scrollableContent",navigation:"ms-Panel-navigation",closeButton:"ms-Panel-closeButton ms-PanelAction-close",header:"ms-Panel-header",headerText:"ms-Panel-headerText",content:"ms-Panel-content",footer:"ms-Panel-footer",footerInner:"ms-Panel-footerInner",isOpen:"is-open",hasCloseButton:"ms-Panel--hasCloseButton",smallFluid:"ms-Panel--smFluid",smallFixedNear:"ms-Panel--smLeft",smallFixedFar:"ms-Panel--sm",medium:"ms-Panel--md",large:"ms-Panel--lg",largeFixed:"ms-Panel--fixed",extraLarge:"ms-Panel--xl",custom:"ms-Panel--custom",customNear:"ms-Panel--customLeft"},h="auto",g=((n={})["@media (min-width: "+p.dd+"px)"]={width:340},n),f=((r={})["@media (min-width: "+p.AV+"px)"]={width:592},r["@media (min-width: "+p.qv+"px)"]={width:644},r),v=((i={})["@media (min-width: "+p.bE+"px)"]={left:48,width:"auto"},i["@media (min-width: "+p.B+"px)"]={left:428},i),b=((a={})["@media (min-width: "+p.B+"px)"]={left:h,width:940},a),y=((s={})["@media (min-width: "+p.B+"px)"]={left:176},s),_=function(e){var t;switch(e){case d.w.smallFixedFar:t=(0,u.pi)({},g);break;case d.w.medium:t=(0,u.pi)((0,u.pi)({},g),f);break;case d.w.large:t=(0,u.pi)((0,u.pi)((0,u.pi)({},g),f),v);break;case d.w.largeFixed:t=(0,u.pi)((0,u.pi)((0,u.pi)((0,u.pi)({},g),f),v),b);break;case d.w.extraLarge:t=(0,u.pi)((0,u.pi)((0,u.pi)((0,u.pi)({},g),f),v),y)}return t},C={paddingLeft:"24px",paddingRight:"24px"},S=(0,l.z)(c.P,(function(e){var t,o=e.className,n=e.focusTrapZoneClassName,r=e.hasCloseButton,i=e.headerClassName,a=e.isAnimating,s=e.isFooterSticky,l=e.isFooterAtBottom,c=e.isOnRightSide,g=e.isOpen,f=e.isHiddenOnDismiss,v=e.hasCustomNavigation,b=e.theme,y=e.type,S=void 0===y?d.w.smallFixedFar:y,x=b.effects,k=b.fonts,w=b.semanticColors,I=(0,p.Cn)(m,b),D=S===d.w.custom||S===d.w.customNear;return{root:[I.root,b.fonts.medium,g&&I.isOpen,r&&I.hasCloseButton,{pointerEvents:"none",position:"absolute",top:0,left:0,right:0,bottom:0},D&&c&&I.custom,D&&!c&&I.customNear,o],overlay:[{pointerEvents:"auto",cursor:"pointer"},g&&a&&p.k4.fadeIn100,!g&&a&&p.k4.fadeOut100],hiddenPanel:[!g&&!a&&f&&{visibility:"hidden"}],main:[I.main,{backgroundColor:w.bodyBackground,boxShadow:x.elevation64,pointerEvents:"auto",position:"absolute",display:"flex",flexDirection:"column",overflowX:"hidden",overflowY:"auto",WebkitOverflowScrolling:"touch",bottom:0,top:0,left:h,right:0,width:"100%",selectors:(0,u.pi)((t={},t[p.qJ]={borderLeft:"3px solid "+w.variantBorder,borderRight:"3px solid "+w.variantBorder},t),_(S))},S===d.w.smallFluid&&{left:0},S===d.w.smallFixedNear&&{left:0,right:h,width:272},S===d.w.customNear&&{right:"auto",left:0},D&&{maxWidth:"100vw"},g&&a&&!c&&p.k4.slideRightIn40,g&&a&&c&&p.k4.slideLeftIn40,!g&&a&&!c&&p.k4.slideLeftOut40,!g&&a&&c&&p.k4.slideRightOut40,n],commands:[I.commands,{marginTop:18},v&&{marginTop:"inherit"}],navigation:[I.navigation,{display:"flex",justifyContent:"flex-end"},v&&{height:"44px"}],contentInner:[I.contentInner,{display:"flex",flexDirection:"column",flexGrow:1,overflowY:"hidden"}],header:[I.header,C,{alignSelf:"flex-start"},r&&!v&&{flexGrow:1},v&&{flexShrink:0}],headerText:[I.headerText,k.xLarge,{color:w.bodyText,lineHeight:"27px",overflowWrap:"break-word",wordWrap:"break-word",wordBreak:"break-word",hyphens:"auto"},i],scrollableContent:[I.scrollableContent,{overflowY:"auto"},l&&{flexGrow:1}],content:[I.content,C,{paddingBottom:20}],footer:[I.footer,{flexShrink:0,borderTop:"1px solid transparent",transition:"opacity "+p.D1.durationValue3+" "+p.D1.easeFunction2},s&&{background:w.bodyBackground,borderTopColor:w.variantBorder}],footerInner:[I.footerInner,C,{paddingBottom:16,paddingTop:16}],subComponentStyles:{closeButton:{root:[I.closeButton,{marginRight:14,color:b.palette.neutralSecondary,fontSize:p.ld.large},v&&{marginRight:0,height:"auto",width:"44px"}],rootHovered:{color:b.palette.neutralPrimary}}}}}),void 0,{scope:"Panel"})},2758:(e,t,o)=>{"use strict";var n;o.d(t,{w:()=>n}),function(e){e[e.smallFluid=0]="smallFluid",e[e.smallFixedFar=1]="smallFixedFar",e[e.smallFixedNear=2]="smallFixedNear",e[e.medium=3]="medium",e[e.large=4]="large",e[e.largeFixed=5]="largeFixed",e[e.extraLarge=6]="extraLarge",e[e.custom=7]="custom",e[e.customNear=8]="customNear"}(n||(n={}))},7047:(e,t,o)=>{"use strict";o.d(t,{R:()=>f});var n=o(7622),r=o(7002),i=o(7300),a=o(63),s=o(8127),l=o(5816),c=o(3967),u=o(6543),d=o(7481),p=o(9241),m=o(6628),h=(0,i.y)(),g={size:d.Ir.size48,presence:d.H_.none,imageAlt:""},f=r.forwardRef((function(e,t){var o=(0,a.j)(g,e),i=r.useRef(null),f=(0,p.r)(t,i),v=function(){return o.text||o.primaryText||""},b=function(e,t,n){return r.createElement("div",{dir:"auto",className:e},t&&t(o,n))},y=function(e){return e?function(){return r.createElement(l.G,{content:e,overflowMode:c.y.Parent,directionalHint:m.b.topLeftEdge},e)}:void 0},_=y(v()),C=y(o.secondaryText),S=y(o.tertiaryText),x=y(o.optionalText),k=o.hidePersonaDetails,w=o.onRenderOptionalText,I=void 0===w?x:w,D=o.onRenderPrimaryText,T=void 0===D?_:D,E=o.onRenderSecondaryText,P=void 0===E?C:E,M=o.onRenderTertiaryText,R=void 0===M?S:M,N=o.onRenderPersonaCoin,B=void 0===N?function(e){return r.createElement(u.t,(0,n.pi)({},e))}:N,F=o.size,L=o.allowPhoneInitials,A=o.className,z=o.coinProps,H=o.showUnknownPersonaCoin,O=o.coinSize,W=o.styles,V=o.imageAlt,K=o.imageInitials,q=o.imageShouldFadeIn,G=o.imageShouldStartVisible,U=o.imageUrl,j=o.initialsColor,J=o.initialsTextColor,Y=o.isOutOfOffice,Z=o.onPhotoLoadingStateChange,X=o.onRenderCoin,Q=o.onRenderInitials,$=o.presence,ee=o.presenceTitle,te=o.presenceColors,oe=o.showInitialsUntilImageLoads,ne=o.showSecondaryText,re=o.theme,ie=(0,n.pi)({allowPhoneInitials:L,showUnknownPersonaCoin:H,coinSize:O,imageAlt:V,imageInitials:K,imageShouldFadeIn:q,imageShouldStartVisible:G,imageUrl:U,initialsColor:j,initialsTextColor:J,onPhotoLoadingStateChange:Z,onRenderCoin:X,onRenderInitials:Q,presence:$,presenceTitle:ee,showInitialsUntilImageLoads:oe,size:F,text:v(),isOutOfOffice:Y,presenceColors:te},z),ae=h(W,{theme:re,className:A,showSecondaryText:ne,presence:$,size:F}),se=(0,s.pq)(o,s.n7),le=r.createElement("div",{className:ae.details},b(ae.primaryText,T,_),b(ae.secondaryText,P,C),b(ae.tertiaryText,R,S),b(ae.optionalText,I,x),o.children);return r.createElement("div",(0,n.pi)({},se,{ref:f,className:ae.root,style:O?{height:O,minWidth:O}:void 0}),B(ie,B),(!k||F===d.Ir.size8||F===d.Ir.size10||F===d.Ir.tiny)&&le)}));f.displayName="PersonaBase"},7665:(e,t,o)=>{"use strict";o.d(t,{I:()=>l});var n=o(2002),r=o(7047),i=o(9729),a=o(8337),s={root:"ms-Persona",size8:"ms-Persona--size8",size10:"ms-Persona--size10",size16:"ms-Persona--size16",size24:"ms-Persona--size24",size28:"ms-Persona--size28",size32:"ms-Persona--size32",size40:"ms-Persona--size40",size48:"ms-Persona--size48",size56:"ms-Persona--size56",size72:"ms-Persona--size72",size100:"ms-Persona--size100",size120:"ms-Persona--size120",available:"ms-Persona--online",away:"ms-Persona--away",blocked:"ms-Persona--blocked",busy:"ms-Persona--busy",doNotDisturb:"ms-Persona--donotdisturb",offline:"ms-Persona--offline",details:"ms-Persona-details",primaryText:"ms-Persona-primaryText",secondaryText:"ms-Persona-secondaryText",tertiaryText:"ms-Persona-tertiaryText",optionalText:"ms-Persona-optionalText",textContent:"ms-Persona-textContent"},l=(0,n.z)(r.R,(function(e){var t=e.className,o=e.showSecondaryText,n=e.theme,r=n.semanticColors,l=n.fonts,c=(0,i.Cn)(s,n),u=(0,a.yR)(e.size),d=(0,a.zx)(e.presence),p="16px",m={color:r.bodySubtext,fontWeight:i.lq.regular,fontSize:l.small.fontSize};return{root:[c.root,n.fonts.medium,i.Fv,{color:r.bodyText,position:"relative",height:a.or.size48,minWidth:a.or.size48,display:"flex",alignItems:"center",selectors:{".contextualHost":{display:"none"}}},u.isSize8&&[c.size8,{height:a.or.size8,minWidth:a.or.size8}],u.isSize10&&[c.size10,{height:a.or.size10,minWidth:a.or.size10}],u.isSize16&&[c.size16,{height:a.or.size16,minWidth:a.or.size16}],u.isSize24&&[c.size24,{height:a.or.size24,minWidth:a.or.size24}],u.isSize24&&o&&{height:"36px"},u.isSize28&&[c.size28,{height:a.or.size28,minWidth:a.or.size28}],u.isSize28&&o&&{height:"32px"},u.isSize32&&[c.size32,{height:a.or.size32,minWidth:a.or.size32}],u.isSize40&&[c.size40,{height:a.or.size40,minWidth:a.or.size40}],u.isSize48&&c.size48,u.isSize56&&[c.size56,{height:a.or.size56,minWidth:a.or.size56}],u.isSize72&&[c.size72,{height:a.or.size72,minWidth:a.or.size72}],u.isSize100&&[c.size100,{height:a.or.size100,minWidth:a.or.size100}],u.isSize120&&[c.size120,{height:a.or.size120,minWidth:a.or.size120}],d.isAvailable&&c.available,d.isAway&&c.away,d.isBlocked&&c.blocked,d.isBusy&&c.busy,d.isDoNotDisturb&&c.doNotDisturb,d.isOffline&&c.offline,t],details:[c.details,{padding:"0 24px 0 16px",minWidth:0,width:"100%",textAlign:"left",display:"flex",flexDirection:"column",justifyContent:"space-around"},(u.isSize8||u.isSize10)&&{paddingLeft:17},(u.isSize24||u.isSize28||u.isSize32)&&{padding:"0 8px"},(u.isSize40||u.isSize48)&&{padding:"0 12px"}],primaryText:[c.primaryText,i.jq,{color:r.bodyText,fontWeight:i.lq.regular,fontSize:l.medium.fontSize,selectors:{":hover":{color:r.inputTextHovered}}},o&&{height:p,lineHeight:p,overflowX:"hidden"},(u.isSize8||u.isSize10)&&{fontSize:l.small.fontSize,lineHeight:a.or.size8},u.isSize16&&{lineHeight:a.or.size28},(u.isSize24||u.isSize28||u.isSize32||u.isSize40||u.isSize48)&&o&&{height:18},(u.isSize56||u.isSize72||u.isSize100||u.isSize120)&&{fontSize:l.xLarge.fontSize},(u.isSize56||u.isSize72||u.isSize100||u.isSize120)&&o&&{height:22}],secondaryText:[c.secondaryText,i.jq,m,(u.isSize8||u.isSize10||u.isSize16||u.isSize24||u.isSize28||u.isSize32)&&{display:"none"},o&&{display:"block",height:p,lineHeight:p,overflowX:"hidden"},u.isSize24&&o&&{height:18},(u.isSize56||u.isSize72||u.isSize100||u.isSize120)&&{fontSize:l.medium.fontSize},(u.isSize56||u.isSize72||u.isSize100||u.isSize120)&&o&&{height:18}],tertiaryText:[c.tertiaryText,i.jq,m,{display:"none",fontSize:l.medium.fontSize},(u.isSize72||u.isSize100||u.isSize120)&&{display:"block"}],optionalText:[c.optionalText,i.jq,m,{display:"none",fontSize:l.medium.fontSize},(u.isSize100||u.isSize120)&&{display:"block"}],textContent:[c.textContent,i.jq]}}),void 0,{scope:"Persona"})},7481:(e,t,o)=>{"use strict";var n,r,i;o.d(t,{Ir:()=>n,H_:()=>r,z5:()=>i}),function(e){e[e.tiny=0]="tiny",e[e.extraExtraSmall=1]="extraExtraSmall",e[e.extraSmall=2]="extraSmall",e[e.small=3]="small",e[e.regular=4]="regular",e[e.large=5]="large",e[e.extraLarge=6]="extraLarge",e[e.size8=17]="size8",e[e.size10=9]="size10",e[e.size16=8]="size16",e[e.size24=10]="size24",e[e.size28=7]="size28",e[e.size32=11]="size32",e[e.size40=12]="size40",e[e.size48=13]="size48",e[e.size56=16]="size56",e[e.size72=14]="size72",e[e.size100=15]="size100",e[e.size120=18]="size120"}(n||(n={})),function(e){e[e.none=0]="none",e[e.offline=1]="offline",e[e.online=2]="online",e[e.away=3]="away",e[e.dnd=4]="dnd",e[e.blocked=5]="blocked",e[e.busy=6]="busy"}(r||(r={})),function(e){e[e.lightBlue=0]="lightBlue",e[e.blue=1]="blue",e[e.darkBlue=2]="darkBlue",e[e.teal=3]="teal",e[e.lightGreen=4]="lightGreen",e[e.green=5]="green",e[e.darkGreen=6]="darkGreen",e[e.lightPink=7]="lightPink",e[e.pink=8]="pink",e[e.magenta=9]="magenta",e[e.purple=10]="purple",e[e.black=11]="black",e[e.orange=12]="orange",e[e.red=13]="red",e[e.darkRed=14]="darkRed",e[e.transparent=15]="transparent",e[e.violet=16]="violet",e[e.lightRed=17]="lightRed",e[e.gold=18]="gold",e[e.burgundy=19]="burgundy",e[e.warmGray=20]="warmGray",e[e.coolGray=21]="coolGray",e[e.gray=22]="gray",e[e.cyan=23]="cyan",e[e.rust=24]="rust"}(i||(i={}))},867:(e,t,o)=>{"use strict";o.d(t,{z:()=>R});var n=o(7622),r=o(7002),i=o(7300),a=o(5094),s=o(63),l=o(8127),c=o(5951),u=o(6104),d=o(9729),p=o(2002),m=o(9947),h=o(7481),g=o(8337),f=o(9241),v=(0,i.y)({cacheSize:100}),b=r.forwardRef((function(e,t){var o=e.coinSize,n=e.isOutOfOffice,i=e.styles,a=e.presence,s=e.theme,l=e.presenceTitle,c=e.presenceColors,u=r.useRef(null),d=(0,f.r)(t,u),p=(0,g.yR)(e.size),b=!(p.isSize8||p.isSize10||p.isSize16||p.isSize24||p.isSize28||p.isSize32)&&(!o||o>32),_=o?o/3<40?o/3+"px":"40px":"",C=o?{fontSize:o?o/6<20?o/6+"px":"20px":"",lineHeight:_}:void 0,S=o?{width:_,height:_}:void 0,x=v(i,{theme:s,presence:a,size:e.size,isOutOfOffice:n,presenceColors:c});return a===h.H_.none?null:r.createElement("div",{role:"presentation",className:x.presence,style:S,title:l,ref:d},b&&r.createElement(m.J,{className:x.presenceIcon,iconName:y(e.presence,e.isOutOfOffice),style:C}))}));function y(e,t){if(e){var o="SkypeArrow";switch(h.H_[e]){case"online":return"SkypeCheck";case"away":return t?o:"SkypeClock";case"dnd":return"SkypeMinus";case"offline":return t?o:""}return""}}b.displayName="PersonaPresenceBase";var _={presence:"ms-Persona-presence",presenceIcon:"ms-Persona-presenceIcon"};function C(e){return{color:e,borderColor:e}}function S(e,t){return{selectors:{":before":{border:e+" solid "+t}}}}function x(e){return{height:e,width:e}}function k(e){return{backgroundColor:e}}var w=(0,p.z)(b,(function(e){var t,o,r,i,a,s,l=e.theme,c=e.presenceColors,u=l.semanticColors,p=l.fonts,m=(0,d.Cn)(_,l),h=(0,g.yR)(e.size),f=(0,g.zx)(e.presence),v=c&&c.available||"#6BB700",b=c&&c.away||"#FFAA44",y=c&&c.busy||"#C43148",w=c&&c.dnd||"#C50F1F",I=c&&c.offline||"#8A8886",D=c&&c.oof||"#B4009E",T=c&&c.background||u.bodyBackground,E=f.isOffline||e.isOutOfOffice&&(f.isAvailable||f.isBusy||f.isAway||f.isDoNotDisturb),P=h.isSize72||h.isSize100?"2px":"1px";return{presence:[m.presence,(0,n.pi)((0,n.pi)({position:"absolute",height:g.bw.size12,width:g.bw.size12,borderRadius:"50%",top:"auto",right:"-2px",bottom:"-2px",border:"2px solid "+T,textAlign:"center",boxSizing:"content-box",backgroundClip:"content-box"},(0,d.xM)()),{selectors:(t={},t[d.qJ]={borderColor:"Window",backgroundColor:"WindowText"},t)}),(h.isSize8||h.isSize10)&&{right:"auto",top:"7px",left:0,border:0,selectors:(o={},o[d.qJ]={top:"9px",border:"1px solid WindowText"},o)},(h.isSize8||h.isSize10||h.isSize24||h.isSize28||h.isSize32)&&x(g.bw.size8),(h.isSize40||h.isSize48)&&x(g.bw.size12),h.isSize16&&{height:g.bw.size6,width:g.bw.size6,borderWidth:"1.5px"},h.isSize56&&x(g.bw.size16),h.isSize72&&x(g.bw.size20),h.isSize100&&x(g.bw.size28),h.isSize120&&x(g.bw.size32),f.isAvailable&&{backgroundColor:v,selectors:(r={},r[d.qJ]=k("Highlight"),r)},f.isAway&&k(b),f.isBlocked&&[{selectors:(i={":after":h.isSize40||h.isSize48||h.isSize72||h.isSize100?{content:'""',width:"100%",height:P,backgroundColor:y,transform:"translateY(-50%) rotate(-45deg)",position:"absolute",top:"50%",left:0}:void 0},i[d.qJ]={selectors:{":after":{width:"calc(100% - 4px)",left:"2px",backgroundColor:"Window"}}},i)}],f.isBusy&&k(y),f.isDoNotDisturb&&k(w),f.isOffline&&k(I),(E||f.isBlocked)&&[{backgroundColor:T,selectors:(a={":before":{content:'""',width:"100%",height:"100%",position:"absolute",top:0,left:0,border:P+" solid "+y,borderRadius:"50%",boxSizing:"border-box"}},a[d.qJ]={backgroundColor:"WindowText",selectors:{":before":{width:"calc(100% - 2px)",height:"calc(100% - 2px)",top:"1px",left:"1px",borderColor:"Window"}}},a)}],E&&f.isAvailable&&S(P,v),E&&f.isBusy&&S(P,y),E&&f.isAway&&S(P,D),E&&f.isDoNotDisturb&&S(P,w),E&&f.isOffline&&S(P,I),E&&f.isOffline&&e.isOutOfOffice&&S(P,D)],presenceIcon:[m.presenceIcon,{color:T,fontSize:"6px",lineHeight:g.bw.size12,verticalAlign:"top",selectors:(s={},s[d.qJ]={color:"Window"},s)},h.isSize56&&{fontSize:"8px",lineHeight:g.bw.size16},h.isSize72&&{fontSize:p.small.fontSize,lineHeight:g.bw.size20},h.isSize100&&{fontSize:p.medium.fontSize,lineHeight:g.bw.size28},h.isSize120&&{fontSize:p.medium.fontSize,lineHeight:g.bw.size32},f.isAway&&{position:"relative",left:E?void 0:"1px"},E&&f.isAvailable&&C(v),E&&f.isBusy&&C(y),E&&f.isAway&&C(D),E&&f.isDoNotDisturb&&C(w),E&&f.isOffline&&C(I),E&&f.isOffline&&e.isOutOfOffice&&C(D)]}}),void 0,{scope:"PersonaPresence"}),I=o(6711),D=o(4861),T=o(4192),E=(0,i.y)({cacheSize:100}),P=(0,a.NF)((function(e,t,o,n,r,i){return(0,d.y0)(e,!i&&{backgroundColor:(0,T.g)({text:n,initialsColor:t,primaryText:r}),color:o})})),M={size:h.Ir.size48,presence:h.H_.none,imageAlt:""},R=r.forwardRef((function(e,t){var o=(0,s.j)(M,e),i=function(e){var t=e.onPhotoLoadingStateChange,o=e.imageUrl,n=r.useState(I.U9.notLoaded),i=n[0],a=n[1];return r.useEffect((function(){a(I.U9.notLoaded)}),[o]),[i,function(e){var o;a(e),null===(o=t)||void 0===o||o(e)}]}(o),a=i[0],c=i[1],u=N(c),d=o.className,p=o.coinProps,g=o.showUnknownPersonaCoin,f=o.coinSize,v=o.styles,b=o.imageUrl,y=o.initialsColor,_=o.initialsTextColor,C=o.isOutOfOffice,S=o.onRenderCoin,x=void 0===S?u:S,k=o.onRenderPersonaCoin,D=void 0===k?x:k,T=o.onRenderInitials,R=void 0===T?B:T,F=o.presence,L=o.presenceTitle,A=o.presenceColors,z=o.primaryText,H=o.showInitialsUntilImageLoads,O=o.text,W=o.theme,V=o.size,K=(0,l.pq)(o,l.n7),q=(0,l.pq)(p||{},l.n7),G=f?{width:f,height:f}:void 0,U=g,j={coinSize:f,isOutOfOffice:C,presence:F,presenceTitle:L,presenceColors:A,size:V,theme:W},J=E(v,{theme:W,className:p&&p.className?p.className:d,size:V,coinSize:f,showUnknownPersonaCoin:g}),Y=Boolean(a!==I.U9.loaded&&(H&&b||!b||a===I.U9.error||U));return r.createElement("div",(0,n.pi)({role:"presentation"},K,{className:J.coin,ref:t}),V!==h.Ir.size8&&V!==h.Ir.size10&&V!==h.Ir.tiny?r.createElement("div",(0,n.pi)({role:"presentation"},q,{className:J.imageArea,style:G}),Y&&r.createElement("div",{className:P(J.initials,y,_,O,z,g),style:G,"aria-hidden":"true"},R(o,B)),!U&&D(o,u),r.createElement(w,(0,n.pi)({},j))):o.presence?r.createElement(w,(0,n.pi)({},j)):r.createElement(m.J,{iconName:"Contact",className:J.size10WithoutPresenceIcon}),o.children)}));R.displayName="PersonaCoinBase";var N=function(e){return function(t){var o=t.coinSize,n=t.styles,i=t.imageUrl,a=t.imageAlt,s=t.imageShouldFadeIn,l=t.imageShouldStartVisible,c=t.theme,u=t.showUnknownPersonaCoin,d=t.size,p=void 0===d?M.size:d;if(!i)return null;var m=E(n,{theme:c,size:p,showUnknownPersonaCoin:u}),h=o||g.Y4[p];return r.createElement(D.E,{className:m.image,imageFit:I.kQ.cover,src:i,width:h,height:h,alt:a,shouldFadeIn:s,shouldStartVisible:l,onLoadingStateChange:e})}},B=function(e){var t=e.imageInitials,o=e.allowPhoneInitials,n=e.showUnknownPersonaCoin,i=e.text,a=e.primaryText,s=e.theme;if(n)return r.createElement(m.J,{iconName:"Help"});var l=(0,c.zg)(s);return""!==(t=t||(0,u.Q)(i||a||"",l,o))?r.createElement("span",null,t):r.createElement(m.J,{iconName:"Contact"})}},6543:(e,t,o)=>{"use strict";o.d(t,{t:()=>c});var n=o(2002),r=o(867),i=o(7622),a=o(9729),s=o(8337),l={coin:"ms-Persona-coin",imageArea:"ms-Persona-imageArea",image:"ms-Persona-image",initials:"ms-Persona-initials",size8:"ms-Persona--size8",size10:"ms-Persona--size10",size16:"ms-Persona--size16",size24:"ms-Persona--size24",size28:"ms-Persona--size28",size32:"ms-Persona--size32",size40:"ms-Persona--size40",size48:"ms-Persona--size48",size56:"ms-Persona--size56",size72:"ms-Persona--size72",size100:"ms-Persona--size100",size120:"ms-Persona--size120"},c=(0,n.z)(r.z,(function(e){var t,o=e.className,n=e.theme,r=e.coinSize,c=n.palette,u=n.fonts,d=(0,s.yR)(e.size),p=(0,a.Cn)(l,n),m=r||e.size&&s.Y4[e.size]||48;return{coin:[p.coin,u.medium,d.isSize8&&p.size8,d.isSize10&&p.size10,d.isSize16&&p.size16,d.isSize24&&p.size24,d.isSize28&&p.size28,d.isSize32&&p.size32,d.isSize40&&p.size40,d.isSize48&&p.size48,d.isSize56&&p.size56,d.isSize72&&p.size72,d.isSize100&&p.size100,d.isSize120&&p.size120,o],size10WithoutPresenceIcon:{fontSize:u.xSmall.fontSize,position:"absolute",top:"5px",right:"auto",left:0},imageArea:[p.imageArea,{position:"relative",textAlign:"center",flex:"0 0 auto",height:m,width:m},m<=10&&{overflow:"visible",background:"transparent",height:0,width:0}],image:[p.image,{marginRight:"10px",position:"absolute",top:0,left:0,width:"100%",height:"100%",border:0,borderRadius:"50%",perspective:"1px"},m<=10&&{overflow:"visible",background:"transparent",height:0,width:0},m>10&&{height:m,width:m}],initials:[p.initials,{borderRadius:"50%",color:e.showUnknownPersonaCoin?"rgb(168, 0, 0)":c.white,fontSize:u.large.fontSize,fontWeight:a.lq.semibold,lineHeight:48===m?46:m,height:m,selectors:(t={},t[a.qJ]=(0,i.pi)((0,i.pi)({border:"1px solid WindowText"},(0,a.xM)()),{color:"WindowText",boxSizing:"border-box",backgroundColor:"Window !important"}),t.i={fontWeight:a.lq.semibold},t)},e.showUnknownPersonaCoin&&{backgroundColor:"rgb(234, 234, 234)"},m<32&&{fontSize:u.xSmall.fontSize},m>=32&&m<40&&{fontSize:u.medium.fontSize},m>=40&&m<56&&{fontSize:u.mediumPlus.fontSize},m>=56&&m<72&&{fontSize:u.xLarge.fontSize},m>=72&&m<100&&{fontSize:u.xxLarge.fontSize},m>=100&&{fontSize:u.superLarge.fontSize}]}}),void 0,{scope:"PersonaCoin"})},8337:(e,t,o)=>{"use strict";o.d(t,{or:()=>r,bw:()=>i,yR:()=>s,Y4:()=>l,zx:()=>c});var n,r,i,a=o(7481);!function(e){e.size8="20px",e.size10="20px",e.size16="16px",e.size24="24px",e.size28="28px",e.size32="32px",e.size40="40px",e.size48="48px",e.size56="56px",e.size72="72px",e.size100="100px",e.size120="120px"}(r||(r={})),function(e){e.size6="6px",e.size8="8px",e.size12="12px",e.size16="16px",e.size20="20px",e.size28="28px",e.size32="32px",e.border="2px"}(i||(i={}));var s=function(e){return{isSize8:e===a.Ir.size8,isSize10:e===a.Ir.size10||e===a.Ir.tiny,isSize16:e===a.Ir.size16,isSize24:e===a.Ir.size24||e===a.Ir.extraExtraSmall,isSize28:e===a.Ir.size28||e===a.Ir.extraSmall,isSize32:e===a.Ir.size32,isSize40:e===a.Ir.size40||e===a.Ir.small,isSize48:e===a.Ir.size48||e===a.Ir.regular,isSize56:e===a.Ir.size56,isSize72:e===a.Ir.size72||e===a.Ir.large,isSize100:e===a.Ir.size100||e===a.Ir.extraLarge,isSize120:e===a.Ir.size120}},l=((n={})[a.Ir.tiny]=10,n[a.Ir.extraExtraSmall]=24,n[a.Ir.extraSmall]=28,n[a.Ir.small]=40,n[a.Ir.regular]=48,n[a.Ir.large]=72,n[a.Ir.extraLarge]=100,n[a.Ir.size8]=8,n[a.Ir.size10]=10,n[a.Ir.size16]=16,n[a.Ir.size24]=24,n[a.Ir.size28]=28,n[a.Ir.size32]=32,n[a.Ir.size40]=40,n[a.Ir.size48]=48,n[a.Ir.size56]=56,n[a.Ir.size72]=72,n[a.Ir.size100]=100,n[a.Ir.size120]=120,n),c=function(e){return{isAvailable:e===a.H_.online,isAway:e===a.H_.away,isBlocked:e===a.H_.blocked,isBusy:e===a.H_.busy,isDoNotDisturb:e===a.H_.dnd,isOffline:e===a.H_.offline}}},4192:(e,t,o)=>{"use strict";o.d(t,{g:()=>a});var n=o(7481),r=[n.z5.lightBlue,n.z5.blue,n.z5.darkBlue,n.z5.teal,n.z5.green,n.z5.darkGreen,n.z5.lightPink,n.z5.pink,n.z5.magenta,n.z5.purple,n.z5.orange,n.z5.lightRed,n.z5.darkRed,n.z5.violet,n.z5.gold,n.z5.burgundy,n.z5.warmGray,n.z5.cyan,n.z5.rust,n.z5.coolGray],i=r.length;function a(e){var t=e.primaryText,o=e.text,a=e.initialsColor;return"string"==typeof a?a:function(e){switch(e){case n.z5.lightBlue:return"#4F6BED";case n.z5.blue:return"#0078D4";case n.z5.darkBlue:return"#004E8C";case n.z5.teal:return"#038387";case n.z5.lightGreen:case n.z5.green:return"#498205";case n.z5.darkGreen:return"#0B6A0B";case n.z5.lightPink:return"#C239B3";case n.z5.pink:return"#E3008C";case n.z5.magenta:return"#881798";case n.z5.purple:return"#5C2E91";case n.z5.orange:return"#CA5010";case n.z5.red:return"#EE1111";case n.z5.lightRed:return"#D13438";case n.z5.darkRed:return"#A4262C";case n.z5.transparent:return"transparent";case n.z5.violet:return"#8764B8";case n.z5.gold:return"#986F0B";case n.z5.burgundy:return"#750B1C";case n.z5.warmGray:return"#7A7574";case n.z5.cyan:return"#005B70";case n.z5.rust:return"#8E562E";case n.z5.coolGray:return"#69797E";case n.z5.black:return"#1D1D1D";case n.z5.gray:return"#393939"}}(a=void 0!==a?a:function(e){var t=n.z5.blue;if(!e)return t;for(var o=0,a=e.length-1;a>=0;a--){var s=e.charCodeAt(a),l=a%8;o^=(s<>8-l)}return r[o%i]}(o||t))}},752:(e,t,o)=>{"use strict";o.d(t,{G:()=>g});var n=o(7622),r=o(7002),i=o(9757),a=o(5446),s=o(4553),l=o(8145),c=o(8127),u=o(3528),d=o(757),p=o(9241),m=o(8901);function h(e){var t=e.originalElement,o=e.containsFocus;t&&o&&t!==(0,i.J)()&&setTimeout((function(){var e,o;null===(o=(e=t).focus)||void 0===o||o.call(e)}),0)}var g=r.forwardRef((function(e,t){e=(0,n.pi)({shouldRestoreFocus:!0},e);var o=r.useRef(),i=(0,p.r)(o,t);!function(e,t){var o=e.onRestoreFocus,n=void 0===o?h:o,i=r.useRef(),l=r.useRef(!1);r.useEffect((function(){return i.current=(0,a.M)().activeElement,(0,s.WU)(t.current)&&(l.current=!0),function(){var e,t;null===(e=n)||void 0===e||e({originalElement:i.current,containsFocus:l.current,documentContainsFocus:(null===(t=(0,a.M)())||void 0===t?void 0:t.hasFocus())||!1}),i.current=void 0}}),[]),(0,d.d)(t,"focus",r.useCallback((function(){l.current=!0}),[]),!0),(0,d.d)(t,"blur",r.useCallback((function(e){t.current&&e.relatedTarget&&!t.current.contains(e.relatedTarget)&&(l.current=!1)}),[]),!0)}(e,o);var g=e.role,f=e.className,v=e.ariaLabel,b=e.ariaLabelledBy,y=e.ariaDescribedBy,_=e.style,C=e.children,S=e.onDismiss,x=function(e,t){var o=(0,u.r)(),n=r.useState(!1),i=n[0],a=n[1];return r.useEffect((function(){return o.requestAnimationFrame((function(){var o;if(!e.style||!e.style.overflowY){var n=!1;if(t&&t.current&&(null===(o=t.current)||void 0===o?void 0:o.firstElementChild)){var r=t.current.clientHeight,s=t.current.firstElementChild.clientHeight;r>0&&s>r&&(n=s-r>1)}i!==n&&a(n)}})),function(){return o.dispose()}})),i}(e,o),k=r.useCallback((function(e){switch(e.which){case l.m.escape:S&&(S(e),e.preventDefault(),e.stopPropagation())}}),[S]),w=(0,m.zY)();return(0,d.d)(w,"keydown",k),r.createElement("div",(0,n.pi)({ref:i},(0,c.pq)(e,c.n7),{className:f,role:g,"aria-label":v,"aria-labelledby":b,"aria-describedby":y,onKeyDown:k,style:(0,n.pi)({overflowY:x?"scroll":void 0,outline:"none"},_)}),C)}))},1405:(e,t,o)=>{"use strict";o.d(t,{x:()=>b});var n=o(7622),r=o(7002),i=o(7300),a=o(8127),s=o(8088),l=o(6953),c=o(9947),u=o(2998),d=o(7023),p=o(7813),m=o(4085),h=o(6548),g=(0,i.y)(),f=function(e){return r.createElement("div",{className:e.classNames.ratingStar},r.createElement(c.J,{className:e.classNames.ratingStarBack,iconName:e.icon}),!e.disabled&&r.createElement(c.J,{className:e.classNames.ratingStarFront,iconName:e.icon,style:{width:e.fillPercentage+"%"}}))},v=function(e,t){return e+"-star-"+(t-1)},b=r.forwardRef((function(e,t){var o,i=(0,m.M)("Rating"),c=(0,m.M)("RatingLabel"),b=e.ariaLabel,y=e.ariaLabelFormat,_=e.disabled,C=e.getAriaLabel,S=e.styles,x=e.min,k=void 0===x?e.allowZeroStars?0:1:x,w=e.max,I=void 0===w?5:w,D=e.readOnly,T=e.size,E=e.theme,P=e.icon,M=void 0===P?"FavoriteStarFill":P,R=e.unselectedIcon,N=void 0===R?"FavoriteStar":R,B=e.onRenderStar,F=Math.max(k,0),L=(0,h.G)(e.rating,e.defaultRating,e.onChange),A=L[0],z=L[1],H=function(e,t,o){return Math.min(Math.max(null!=e?e:t,t),o)}(A,F,I);!function(e,t){r.useImperativeHandle(e,(function(){return{rating:t}}),[t])}(e.componentRef,H);for(var O=(0,a.pq)(e,a.n7),W=g(S,{disabled:_,readOnly:D,theme:E}),V=null===(o=C)||void 0===o?void 0:o(H,I),K=b||V,q=[],G=function(e){var t,o,a=function(e,t){var o=Math.ceil(t),n=100;return e===t?n=100:e===o?n=t%1*100:e>o&&(n=0),n}(e,H),u=function(t){void 0!==A&&Math.ceil(A)===e||z(e,t)};q.push(r.createElement("button",(0,n.pi)({className:(0,s.i)(W.ratingButton,T===p.O.Large?W.ratingStarIsLarge:W.ratingStarIsSmall),id:v(i,e),key:e},e===Math.ceil(H)&&{"data-is-current":!0},{onFocus:u,onClick:u,disabled:!(!_&&!D),role:"radio","aria-hidden":D?"true":void 0,type:"button","aria-checked":e===Math.ceil(H)}),r.createElement("span",{id:c+"-"+e,className:W.labelText},(0,l.W)(y||"",e,I)),(t={fillPercentage:a,disabled:_,classNames:W,icon:a>0?M:N,starNum:e},(o=B)?o(t):r.createElement(f,(0,n.pi)({},t)))))},U=1;U<=I;U++)G(U);var j=T===p.O.Large?W.rootIsLarge:W.rootIsSmall;return r.createElement("div",(0,n.pi)({ref:t,className:(0,s.i)("ms-Rating-star",W.root,j),"aria-label":D?void 0:K,id:i,role:D?void 0:"radiogroup"},O),r.createElement(u.k,(0,n.pi)({direction:d.U.bidirectional,className:(0,s.i)(W.ratingFocusZone,j),defaultActiveElement:"#"+v(i,Math.ceil(H))},D&&{allowFocusRoot:!0,disabled:!0,role:"textbox","aria-label":V,"aria-readonly":!0,"data-is-focusable":!0,tabIndex:0}),q))}));b.displayName="RatingBase"},558:(e,t,o)=>{"use strict";o.d(t,{i:()=>l});var n=o(2002),r=o(9729),i={root:"ms-RatingStar-root",rootIsSmall:"ms-RatingStar-root--small",rootIsLarge:"ms-RatingStar-root--large",ratingStar:"ms-RatingStar-container",ratingStarBack:"ms-RatingStar-back",ratingStarFront:"ms-RatingStar-front",ratingButton:"ms-Rating-button",ratingStarIsSmall:"ms-Rating--small",ratingStartIsLarge:"ms-Rating--large",labelText:"ms-Rating-labelText",ratingFocusZone:"ms-Rating-focuszone"};function a(e,t){var o;return{color:e,selectors:(o={},o[r.qJ]={color:t},o)}}var s=o(1405),l=(0,n.z)(s.x,(function(e){var t=e.disabled,o=e.readOnly,n=e.theme,s=n.semanticColors,l=n.palette,c=(0,r.Cn)(i,n),u=l.neutralSecondary,d=l.themePrimary,p=l.themeDark,m=l.neutralPrimary,h=s.disabledBodySubtext;return{root:[c.root,n.fonts.medium,!t&&!o&&{selectors:{"&:hover":{selectors:{".ms-RatingStar-back":a(m,"Highlight")}}}}],rootIsSmall:[c.rootIsSmall,{height:"32px"}],rootIsLarge:[c.rootIsLarge,{height:"36px"}],ratingStar:[c.ratingStar,{display:"inline-block",position:"relative",height:"inherit"}],ratingStarBack:[c.ratingStarBack,{color:u,width:"100%"},t&&a(h,"GrayText")],ratingStarFront:[c.ratingStarFront,{position:"absolute",height:"100 %",left:"0",top:"0",textAlign:"center",verticalAlign:"middle",overflow:"hidden"},a(m,"Highlight")],ratingButton:[(0,r.GL)(n),c.ratingButton,{backgroundColor:"transparent",padding:"8px 2px",boxSizing:"content-box",margin:"0px",border:"none",cursor:"pointer",selectors:{"&:disabled":{cursor:"default"},"&[disabled]":{cursor:"default"}}},!t&&!o&&{selectors:{"&:hover ~ .ms-Rating-button":{selectors:{".ms-RatingStar-back":a(u,"WindowText"),".ms-RatingStar-front":a(u,"WindowText")}},"&:hover":{selectors:{".ms-RatingStar-back":{color:d},".ms-RatingStar-front":{color:p}}}}},t&&{cursor:"default"}],ratingStarIsSmall:[c.ratingStarIsSmall,{fontSize:"16px",lineHeight:"16px",height:"16px"}],ratingStarIsLarge:[c.ratingStartIsLarge,{fontSize:"20px",lineHeight:"20px",height:"20px"}],labelText:[c.labelText,r.ul],ratingFocusZone:[(0,r.GL)(n),c.ratingFocusZone,{display:"inline-block"}]}}),void 0,{scope:"Rating"})},7813:(e,t,o)=>{"use strict";var n;o.d(t,{O:()=>n}),function(e){e[e.Small=0]="Small",e[e.Large=1]="Large"}(n||(n={}))},3863:(e,t,o)=>{"use strict";o.d(t,{i:()=>b});var n=o(7622),r=o(7002),i=o(7300),a=o(8127),s=o(8145),l=o(6548),c=o(9241),u=o(4085),d=o(5758),p=o(9947),m="SearchBox",h={root:{height:"auto"},icon:{fontSize:"12px"}},g={iconName:"Clear"},f={ariaLabel:"Clear text"},v=(0,i.y)(),b=r.forwardRef((function(e,t){var o=e.defaultValue,i=void 0===o?"":o,b=r.useState(!1),y=b[0],_=b[1],C=(0,l.G)(e.value,i,e.onChange),S=C[0],x=C[1],k=String(S),w=r.useRef(null),I=r.useRef(null),D=(0,c.r)(w,t),T=(0,u.M)(m,e.id),E=e.ariaLabel,P=e.className,M=e.disabled,R=e.underlined,N=e.styles,B=e.labelText,F=e.placeholder,L=void 0===F?B:F,A=e.theme,z=e.clearButtonProps,H=void 0===z?f:z,O=e.disableAnimation,W=void 0!==O&&O,V=e.onClear,K=e.onBlur,q=e.onEscape,G=e.onSearch,U=e.onKeyDown,j=e.iconProps,J=e.role,Y=H.onClick,Z=v(N,{theme:A,className:P,underlined:R,hasFocus:y,disabled:M,hasInput:k.length>0,disableAnimation:W}),X=(0,a.pq)(e,a.Gg,["className","placeholder","onFocus","onBlur","value","role"]),Q=r.useCallback((function(e){var t,o;null===(t=V)||void 0===t||t(e),e.defaultPrevented||(x(""),null===(o=I.current)||void 0===o||o.focus(),e.stopPropagation(),e.preventDefault())}),[V,x]),$=r.useCallback((function(e){var t;null===(t=Y)||void 0===t||t(e),e.defaultPrevented||Q(e)}),[Y,Q]),ee=r.useCallback((function(e){var t;_(!1),null===(t=K)||void 0===t||t(e)}),[K]),te=function(e){x(e.target.value)};return function(e,t,o){r.useImperativeHandle(e,(function(){return{focus:function(){var e;return null===(e=t.current)||void 0===e?void 0:e.focus()},hasFocus:function(){return o}}}),[t,o])}(e.componentRef,I,y),r.createElement("div",{role:J,ref:D,className:Z.root,onFocusCapture:function(t){var o,n;_(!0),null===(n=(o=e).onFocus)||void 0===n||n.call(o,t)}},r.createElement("div",{className:Z.iconContainer,onClick:function(){I.current&&(I.current.focus(),I.current.selectionStart=I.current.selectionEnd=0)},"aria-hidden":!0},r.createElement(p.J,(0,n.pi)({iconName:"Search"},j,{className:Z.icon}))),r.createElement("input",(0,n.pi)({},X,{id:T,className:Z.field,placeholder:L,onChange:te,onInput:te,onBlur:ee,onKeyDown:function(e){var t,o;switch(e.which){case s.m.escape:null===(t=q)||void 0===t||t(e),k&&!e.defaultPrevented&&Q(e);break;case s.m.enter:G&&(G(k),e.preventDefault(),e.stopPropagation());break;default:null===(o=U)||void 0===o||o(e),e.defaultPrevented&&e.stopPropagation()}},value:k,disabled:M,role:"searchbox","aria-label":E,ref:I})),k.length>0&&r.createElement("div",{className:Z.clearButton},r.createElement(d.h,(0,n.pi)({onBlur:ee,styles:h,iconProps:g},H,{onClick:$}))))}));b.displayName=m},6419:(e,t,o)=>{"use strict";o.d(t,{R:()=>l});var n=o(2002),r=o(3863),i=o(9729),a=o(5951),s={root:"ms-SearchBox",iconContainer:"ms-SearchBox-iconContainer",icon:"ms-SearchBox-icon",clearButton:"ms-SearchBox-clearButton",field:"ms-SearchBox-field"},l=(0,n.z)(r.i,(function(e){var t,o,n,r,l=e.theme,c=e.underlined,u=e.disabled,d=e.hasFocus,p=e.className,m=e.hasInput,h=e.disableAnimation,g=l.palette,f=l.fonts,v=l.semanticColors,b=l.effects,y=(0,i.Cn)(s,l),_={color:v.inputPlaceholderText,opacity:1},C=g.neutralSecondary,S=g.neutralPrimary,x=g.neutralLighter,k=g.neutralLighter,w=g.neutralLighter;return{root:[y.root,f.medium,i.Fv,{color:v.inputText,backgroundColor:v.inputBackground,display:"flex",flexDirection:"row",flexWrap:"nowrap",alignItems:"stretch",padding:"1px 0 1px 4px",borderRadius:b.roundedCorner2,border:"1px solid "+v.inputBorder,height:32,selectors:(t={},t[i.qJ]={borderColor:"WindowText"},t[":hover"]={borderColor:v.inputBorderHovered,selectors:(o={},o[i.qJ]={borderColor:"Highlight"},o)},t[":hover ."+y.iconContainer]={color:v.inputIconHovered},t)},!d&&m&&{selectors:(n={},n[":hover ."+y.iconContainer]={width:4},n[":hover ."+y.icon]={opacity:0},n)},d&&["is-active",{position:"relative"},(0,i.$Y)(v.inputFocusBorderAlt,c?0:b.roundedCorner2,c?"borderBottom":"border")],u&&["is-disabled",{borderColor:x,backgroundColor:w,pointerEvents:"none",cursor:"default",selectors:(r={},r[i.qJ]={borderColor:"GrayText"},r)}],c&&["is-underlined",{borderWidth:"0 0 1px 0",borderRadius:0,padding:"1px 0 1px 8px"}],c&&u&&{backgroundColor:"transparent"},m&&"can-clear",p],iconContainer:[y.iconContainer,{display:"flex",flexDirection:"column",justifyContent:"center",flexShrink:0,fontSize:16,width:32,textAlign:"center",color:v.inputIcon,cursor:"text"},d&&{width:4},u&&{color:v.inputIconDisabled},!h&&{transition:"width "+i.D1.durationValue1}],icon:[y.icon,{opacity:1},d&&{opacity:0},!h&&{transition:"opacity "+i.D1.durationValue1+" 0s"}],clearButton:[y.clearButton,{display:"flex",flexDirection:"row",alignItems:"stretch",cursor:"pointer",flexBasis:"32px",flexShrink:0,padding:0,margin:"-1px 0px",selectors:{"&:hover .ms-Button":{backgroundColor:k},"&:hover .ms-Button-icon":{color:S},".ms-Button":{borderRadius:(0,a.zg)(l)?"1px 0 0 1px":"0 1px 1px 0"},".ms-Button-icon":{color:C}}}],field:[y.field,i.Fv,(0,i.Sv)(_),{backgroundColor:"transparent",border:"none",outline:"none",fontWeight:"inherit",fontFamily:"inherit",fontSize:"inherit",color:v.inputText,flex:"1 1 0px",minWidth:"0px",overflow:"hidden",textOverflow:"ellipsis",paddingBottom:.5,selectors:{"::-ms-clear":{display:"none"}}},u&&{color:v.disabledText}]}}),void 0,{scope:"SearchBox"})},9379:(e,t,o)=>{"use strict";o.d(t,{V:()=>y});var n=o(7622),r=o(7002),i=o(5480),a=o(2052),s=o(6548),l=o(4085),c=o(2861),u=o(7300),d=o(5951),p=o(8145),m=o(9251),h=o(8127),g=o(8088),f=(0,u.y)(),v=function(e){return function(t){var o;return(o={})[e]=t+"%",o}},b=function(e,t,o){return o===t?0:(e-t)/(o-t)*100},y=r.forwardRef((function(e,t){var o=function(e,t){var o=e.step,i=void 0===o?1:o,a=e.className,u=e.disabled,y=void 0!==u&&u,_=e.label,C=e.max,S=void 0===C?10:C,x=e.min,k=void 0===x?0:x,w=e.showValue,I=void 0===w||w,D=e.buttonProps,T=void 0===D?{}:D,E=e.vertical,P=void 0!==E&&E,M=e.valueFormat,R=e.styles,N=e.theme,B=e.originFromZero,F=e["aria-label"],L=e.ranged,A=r.useRef([]),z=r.useRef(null),H=(0,s.G)(e.value,e.defaultValue,(function(t,o){var n,r;return null===(r=(n=e).onChange)||void 0===r?void 0:r.call(n,o,L?[j,o]:void 0)})),O=H[0],W=H[1],V=(0,s.G)(e.lowerValue,e.defaultLowerValue,(function(t,o){var n,r;return null===(r=(n=e).onChange)||void 0===r?void 0:r.call(n,U,[o,U])})),K=V[0],q=V[1],G=r.useRef(!1),U=Math.max(k,Math.min(S,O||0)),j=Math.max(k,Math.min(U,K||0)),J=(0,l.M)("Slider"),Y=(0,c.k)(!0),Z=Y[0],X=Y[1].toggle,Q=f(R,{className:a,disabled:y,vertical:P,showTransitions:Z,showValue:I,ranged:L,theme:N}),$=r.useState(0),ee=$[0],te=$[1],oe=(S-k)/i,ne=function(){clearTimeout(ee)},re=function(t){ne(),te(setTimeout((function(){e.onChanged&&e.onChanged(t,U)}),1e3))},ie=function(t){var o=e.ariaValueText;if(void 0!==t)return o?o(t):t.toString()},ae=function(t,o){e.snapToStep;var n=0;if(isFinite(i))for(;Math.round(i*Math.pow(10,n))/Math.pow(10,n)!==i;)n++;var r=parseFloat(t.toFixed(n));L?G.current&&(B?r<=0:r<=U)?q(r):!G.current&&(B?r>=0:r>=j)&&W(r):W(r)},se=function(e,t){var o;switch(e.type){case"mousedown":case"mousemove":o=t?e.clientY:e.clientX;break;case"touchstart":case"touchmove":o=t?e.touches[0].clientY:e.touches[0].clientX}return o},le=function(t){if(z.current){var o,n=z.current.getBoundingClientRect(),r=(e.vertical?n.height:n.width)/oe;if(e.vertical){var i=se(t,e.vertical);o=(n.bottom-i)/r}else{var a=se(t,e.vertical);o=((0,d.zg)(e.theme)?n.right-a:a-n.left)/r}return o}},ce=function(e,t){var o,n=le(e);o=n>Math.floor(oe)?S:n<0?k:k+i*Math.round(n),ae(o),t||(e.preventDefault(),e.stopPropagation())},ue=function(e){if(L){var t=le(e),o=k+i*t;G.current=o<=j||o-j<=U-o}"mousedown"===e.type?A.current.push((0,m.on)(window,"mousemove",ce,!0),(0,m.on)(window,"mouseup",de,!0)):"touchstart"===e.type&&A.current.push((0,m.on)(window,"touchmove",ce,!0),(0,m.on)(window,"touchend",de,!0)),X(),ce(e,!0)},de=function(t){e.onChanged&&e.onChanged(t,U),X(),pe()},pe=function(){A.current.forEach((function(e){return e()})),A.current=[]},me=y?{}:{onMouseDown:ue},he=y?{}:{onTouchStart:ue},ge=y?{}:{onKeyDown:function(t){var o=G.current?j:U,n=0;switch(t.which){case(0,d.dP)(p.m.left,e.theme):case p.m.down:n=-i,ne(),re(t);break;case(0,d.dP)(p.m.right,e.theme):case p.m.up:n=i,ne(),re(t);break;case p.m.home:o=k;break;case p.m.end:o=S;break;default:return}var r=Math.min(S,Math.max(k,o+n));ae(r),t.preventDefault(),t.stopPropagation()}},fe=y?{}:{onFocus:function(e){G.current=e.target===ve.current}},ve=r.useRef(null),be=r.useRef(null);!function(e,t,o,n){r.useImperativeHandle(e.componentRef,(function(){return{get value(){return o},get range(){return e.ranged?n:void 0},focus:function(){t.current&&t.current.focus()}}}),[t,o,e.ranged,n])}(e,L&&!P?ve:be,U,[j,U]);var ye=function(e,t){return void 0===e&&(e=!1),void 0===t&&(t=!1),v(e?"bottom":t?"right":"left")}(P,(0,d.zg)(e.theme)),_e=function(e){return void 0===e&&(e=!1),v(e?"height":"width")}(P),Ce=B?0:k,Se=b(U,k,S),xe=b(j,k,S),ke=b(Ce,k,S),we=L?Se-xe:Math.abs(ke-Se),Ie=Math.min(100-Se,100-ke),De=L?xe:Math.min(Se,ke),Te={className:Q.root,ref:t},Ee=T?(0,h.pq)(T,h.n7):void 0,Pe={className:Q.titleLabel,children:_,disabled:y,htmlFor:F?void 0:J},Me=I?{className:Q.valueLabel,children:M?M(U):U,disabled:y}:void 0,Re=L&&I?{className:Q.valueLabel,children:M?M(j):j,disabled:y}:void 0,Ne=B?{className:Q.zeroTick,style:ye(ke)}:void 0,Be={className:(0,g.i)(Q.lineContainer,Q.activeSection),style:_e(we)},Fe={className:(0,g.i)(Q.lineContainer,Q.inactiveSection),style:_e(Ie)},Le={className:(0,g.i)(Q.lineContainer,Q.inactiveSection),style:_e(De)},Ae=(0,n.pi)((0,n.pi)((0,n.pi)((0,n.pi)({},me),he),ge),Ee),ze=(0,n.pi)({"aria-disabled":y,role:"slider",tabIndex:y?void 0:0},{"data-is-focusable":!y}),He=(0,n.pi)((0,n.pi)({id:J,className:(0,g.i)(Q.slideBox,T.className)},Ae),!L&&(0,n.pi)((0,n.pi)({},ze),{"aria-valuemin":k,"aria-valuemax":S,"aria-valuenow":U,"aria-valuetext":ie(U),"aria-label":F||_})),Oe=(0,n.pi)({ref:be,className:Q.thumb,style:ye(Se)},L&&(0,n.pi)((0,n.pi)((0,n.pi)((0,n.pi)({},ze),Ae),fe),{id:"max-"+J,"aria-valuemin":j,"aria-valuemax":S,"aria-valuenow":U,"aria-valuetext":ie(U),"aria-label":"max "+(F||_)})),We=L?(0,n.pi)((0,n.pi)((0,n.pi)((0,n.pi)({ref:ve,className:Q.thumb,style:ye(xe)},ze),Ae),fe),{id:"min-"+J,"aria-valuemin":k,"aria-valuemax":U,"aria-valuenow":j,"aria-valuetext":ie(j),"aria-label":"min "+(F||_)}):void 0;return{root:Te,label:Pe,sliderBox:He,container:{className:Q.container},valueLabel:Me,lowerValueLabel:Re,thumb:Oe,lowerValueThumb:We,zeroTick:Ne,activeTrack:Be,topInactiveTrack:Fe,bottomInactiveTrack:Le,sliderLine:{ref:z,className:Q.line}}}(e,t);return r.createElement("div",(0,n.pi)({},o.root),o&&r.createElement(a._,(0,n.pi)({},o.label)),r.createElement("div",(0,n.pi)({},o.container),e.ranged&&(e.vertical?o.valueLabel&&r.createElement(a._,(0,n.pi)({},o.valueLabel)):o.lowerValueLabel&&r.createElement(a._,(0,n.pi)({},o.lowerValueLabel))),r.createElement("div",(0,n.pi)({},o.sliderBox),r.createElement("div",(0,n.pi)({},o.sliderLine),e.ranged&&r.createElement("span",(0,n.pi)({},o.lowerValueThumb)),r.createElement("span",(0,n.pi)({},o.thumb)),o.zeroTick&&r.createElement("span",(0,n.pi)({},o.zeroTick)),r.createElement("span",(0,n.pi)({},o.bottomInactiveTrack)),r.createElement("span",(0,n.pi)({},o.activeTrack)),r.createElement("span",(0,n.pi)({},o.topInactiveTrack)))),e.ranged&&e.vertical?o.lowerValueLabel&&r.createElement(a._,(0,n.pi)({},o.lowerValueLabel)):o.valueLabel&&r.createElement(a._,(0,n.pi)({},o.valueLabel))),r.createElement(i.u,null))}));y.displayName="SliderBase"},4107:(e,t,o)=>{"use strict";o.d(t,{i:()=>c});var n=o(2002),r=o(9379),i=o(7622),a=o(9729),s=o(5951),l={root:"ms-Slider",enabled:"ms-Slider-enabled",disabled:"ms-Slider-disabled",row:"ms-Slider-row",column:"ms-Slider-column",container:"ms-Slider-container",slideBox:"ms-Slider-slideBox",line:"ms-Slider-line",thumb:"ms-Slider-thumb",activeSection:"ms-Slider-active",inactiveSection:"ms-Slider-inactive",valueLabel:"ms-Slider-value",showValue:"ms-Slider-showValue",showTransitions:"ms-Slider-showTransitions",zeroTick:"ms-Slider-zeroTick"},c=(0,n.z)(r.V,(function(e){var t,o,n,r,c,u,d,p,m,h,g,f,v,b=e.className,y=e.titleLabelClassName,_=e.theme,C=e.vertical,S=e.disabled,x=e.showTransitions,k=e.showValue,w=e.ranged,I=_.semanticColors,D=(0,a.Cn)(l,_),T=I.inputBackgroundCheckedHovered,E=I.inputBackgroundChecked,P=I.inputPlaceholderBackgroundChecked,M=I.smallInputBorder,R=I.disabledBorder,N=I.disabledText,B=I.disabledBackground,F=I.inputBackground,L=I.smallInputBorder,A=I.disabledBorder,z=!S&&{backgroundColor:T,selectors:(t={},t[a.qJ]={backgroundColor:"Highlight"},t)},H=!S&&{backgroundColor:P,selectors:(o={},o[a.qJ]={borderColor:"Highlight"},o)},O=!S&&{backgroundColor:E,selectors:(n={},n[a.qJ]={backgroundColor:"Highlight"},n)},W=!S&&{border:"2px solid "+T,selectors:(r={},r[a.qJ]={borderColor:"Highlight"},r)},V=!e.disabled&&{backgroundColor:I.inputPlaceholderBackgroundChecked,selectors:(c={},c[a.qJ]={backgroundColor:"Highlight"},c)};return{root:(0,i.pr)([D.root,_.fonts.medium,{userSelect:"none"},C&&{marginRight:8}],[S?void 0:D.enabled],[S?D.disabled:void 0],[C?void 0:D.row],[C?D.column:void 0],[b]),titleLabel:[{padding:0},y],container:[D.container,{display:"flex",flexWrap:"nowrap",alignItems:"center"},C&&{flexDirection:"column",height:"100%",textAlign:"center",margin:"8px 0"}],slideBox:(0,i.pr)([D.slideBox,!w&&(0,a.GL)(_),{background:"transparent",border:"none",flexGrow:1,lineHeight:28,display:"flex",alignItems:"center",selectors:(u={},u[":active ."+D.activeSection]=z,u[":hover ."+D.activeSection]=O,u[":active ."+D.inactiveSection]=H,u[":hover ."+D.inactiveSection]=H,u[":active ."+D.thumb]=W,u[":hover ."+D.thumb]=W,u[":active ."+D.zeroTick]=V,u[":hover ."+D.zeroTick]=V,u[a.qJ]={forcedColorAdjust:"none"},u)},C?{height:"100%",width:28,padding:"8px 0"}:{height:28,width:"auto",padding:"0 8px"}],[k?D.showValue:void 0],[x?D.showTransitions:void 0]),thumb:[D.thumb,w&&(0,a.GL)(_,{inset:-4}),{borderWidth:2,borderStyle:"solid",borderColor:L,borderRadius:10,boxSizing:"border-box",background:F,display:"block",width:16,height:16,position:"absolute"},C?{left:-6,margin:"0 auto",transform:"translateY(8px)"}:{top:-6,transform:(0,s.zg)(_)?"translateX(50%)":"translateX(-50%)"},x&&{transition:"left "+a.D1.durationValue3+" "+a.D1.easeFunction1},S&&{borderColor:A,selectors:(d={},d[a.qJ]={borderColor:"GrayText"},d)}],line:[D.line,{display:"flex",position:"relative"},C?{height:"100%",width:4,margin:"0 auto",flexDirection:"column-reverse"}:{width:"100%"}],lineContainer:[{borderRadius:4,boxSizing:"border-box"},C?{width:4,height:"100%"}:{height:4,width:"100%"}],activeSection:[D.activeSection,{background:M,selectors:(p={},p[a.qJ]={backgroundColor:"WindowText"},p)},x&&{transition:"width "+a.D1.durationValue3+" "+a.D1.easeFunction1},S&&{background:N,selectors:(m={},m[a.qJ]={backgroundColor:"GrayText",borderColor:"GrayText"},m)}],inactiveSection:[D.inactiveSection,{background:R,selectors:(h={},h[a.qJ]={border:"1px solid WindowText"},h)},x&&{transition:"width "+a.D1.durationValue3+" "+a.D1.easeFunction1},S&&{background:B,selectors:(g={},g[a.qJ]={borderColor:"GrayText"},g)}],zeroTick:[D.zeroTick,{position:"absolute",background:I.disabledBorder,selectors:(f={},f[a.qJ]={backgroundColor:"WindowText"},f)},e.disabled&&{background:I.disabledBackground,selectors:(v={},v[a.qJ]={backgroundColor:"GrayText"},v)},e.vertical?{width:"16px",height:"1px",transform:(0,s.zg)(_)?"translateX(6px)":"translateX(-6px)"}:{width:"1px",height:"16px",transform:"translateY(-6px)"}],valueLabel:[D.valueLabel,{flexShrink:1,width:30,lineHeight:"1"},C?{margin:"0 auto",whiteSpace:"nowrap",width:40}:{margin:"0 8px",whiteSpace:"nowrap",width:40}]}}),void 0,{scope:"Slider"})},3134:(e,t,o)=>{"use strict";o.d(t,{k:()=>P});var n=o(2002),r=o(7622),i=o(7002),a=o(5758),s=o(2052),l=o(9947),c=o(7300),u=o(63),d=o(8633),p=o(8127),m=o(8145),h=o(9729),g=o(5094),f=o(4568),v=(0,g.NF)((function(e){var t,o=e.semanticColors,n=o.disabledText,r=o.disabledBackground;return{backgroundColor:r,pointerEvents:"none",cursor:"default",color:n,selectors:(t={":after":{borderColor:r}},t[h.qJ]={color:"GrayText"},t)}})),b=(0,g.NF)((function(e,t,o){var n,r,i,a=e.palette,s=e.semanticColors,l=e.effects,c=a.neutralSecondary,u=s.buttonText,d=s.buttonText,p=s.buttonBackgroundHovered,m=s.buttonBackgroundPressed,g={root:{outline:"none",display:"block",height:"50%",width:23,padding:0,backgroundColor:"transparent",textAlign:"center",cursor:"default",color:c,selectors:{"&.ms-DownButton":{borderRadius:"0 0 "+l.roundedCorner2+" 0"},"&.ms-UpButton":{borderRadius:"0 "+l.roundedCorner2+" 0 0"}}},rootHovered:{backgroundColor:p,color:u},rootChecked:{backgroundColor:m,color:d,selectors:(n={},n[h.qJ]={backgroundColor:"Highlight",color:"HighlightText"},n)},rootPressed:{backgroundColor:m,color:d,selectors:(r={},r[h.qJ]={backgroundColor:"Highlight",color:"HighlightText"},r)},rootDisabled:{opacity:.5,selectors:(i={},i[h.qJ]={color:"GrayText",opacity:1},i)},icon:{fontSize:8,marginTop:0,marginRight:0,marginBottom:0,marginLeft:0}};return(0,h.E$)(g,{},o)})),y=o(998),_=o(4085),C=o(3528),S=o(6548),x=o(6876),k=(0,c.y)(),w={disabled:!1,label:"",step:1,labelPosition:f.L.start,incrementButtonIcon:{iconName:"ChevronUpSmall"},decrementButtonIcon:{iconName:"ChevronDownSmall"}},I=function(){},D=function(e,t){var o=t.min,n=t.max;return"number"==typeof n&&(e=Math.min(e,n)),"number"==typeof o&&(e=Math.max(e,o)),e},T=i.forwardRef((function(e,t){var o=(0,u.j)(w,e),n=o.disabled,c=o.label,h=o.min,g=o.max,v=o.step,T=o.defaultValue,P=o.value,M=o.precision,R=o.labelPosition,N=o.iconProps,B=o.incrementButtonIcon,F=o.incrementButtonAriaLabel,L=o.decrementButtonIcon,A=o.decrementButtonAriaLabel,z=o.ariaLabel,H=o.ariaDescribedBy,O=o.upArrowButtonStyles,W=o.downArrowButtonStyles,V=o.theme,K=o.ariaPositionInSet,q=o.ariaSetSize,G=o.ariaValueNow,U=o.ariaValueText,j=o.className,J=o.inputProps,Y=o.onDecrement,Z=o.onIncrement,X=o.iconButtonProps,Q=o.onValidate,$=o.onChange,ee=o.styles,te=i.useRef(null),oe=(0,_.M)("input"),ne=(0,_.M)("Label"),re=i.useState(!1),ie=re[0],ae=re[1],se=i.useState(y.T.notSpinning),le=se[0],ce=se[1],ue=(0,C.r)(),de=i.useMemo((function(){return null!=M?M:Math.max((0,d.oe)(v),0)}),[M,v]),pe=(0,S.G)(P,null!=T?T:String(h||0),$),me=pe[0],he=pe[1],ge=i.useState(),fe=ge[0],ve=ge[1],be=i.useRef({stepTimeoutHandle:-1,latestValue:void 0,latestIntermediateValue:void 0}).current;be.latestValue=me,be.latestIntermediateValue=fe;var ye=(0,x.D)(P);i.useEffect((function(){P!==ye&&void 0!==fe&&ve(void 0)}),[P,ye,fe]);var _e=k(ee,{theme:V,disabled:n,isFocused:ie,keyboardSpinDirection:le,labelPosition:R,className:j}),Ce=(0,p.pq)(o,p.n7,["onBlur","onFocus","className"]),Se=i.useCallback((function(e){var t=be.latestIntermediateValue;if(void 0!==t&&t!==be.latestValue){var o=void 0;Q?o=Q(t,e):t&&t.trim().length&&!isNaN(Number(t))&&(o=String(D(Number(t),{min:h,max:g}))),void 0!==o&&o!==be.latestValue&&he(o)}ve(void 0)}),[be,g,h,Q,he]),xe=i.useCallback((function(){be.stepTimeoutHandle>=0&&(ue.clearTimeout(be.stepTimeoutHandle),be.stepTimeoutHandle=-1),(be.spinningByMouse||le!==y.T.notSpinning)&&(be.spinningByMouse=!1,ce(y.T.notSpinning))}),[be,le,ue]),ke=i.useCallback((function(e,t){if(t.persist(),void 0!==be.latestIntermediateValue)return"keydown"===t.type&&Se(t),void ue.requestAnimationFrame((function(){ke(e,t)}));var o=e(be.latestValue||"",t);void 0!==o&&o!==be.latestValue&&he(o);var n=be.spinningByMouse;be.spinningByMouse="mousedown"===t.type,be.spinningByMouse&&(be.stepTimeoutHandle=ue.setTimeout((function(){ke(e,t)}),n?75:400))}),[be,ue,Se,he]),we=i.useCallback((function(e){if(Z)return Z(e);var t=D(Number(e)+Number(v),{max:g});return t=(0,d.F0)(t,de),String(t)}),[de,g,Z,v]),Ie=i.useCallback((function(e){if(Y)return Y(e);var t=D(Number(e)-Number(v),{min:h});return t=(0,d.F0)(t,de),String(t)}),[de,h,Y,v]),De=i.useCallback((function(e){(n||e.which===m.m.up||e.which===m.m.down)&&xe()}),[n,xe]),Te=i.useCallback((function(e){ke(we,e)}),[we,ke]),Ee=i.useCallback((function(e){ke(Ie,e)}),[Ie,ke]);!function(e,t,o){i.useImperativeHandle(e.componentRef,(function(){return{get value(){return o},focus:function(){t.current&&t.current.focus()}}}),[t,o])}(o,te,me),E(o);var Pe=!!me&&!isNaN(Number(me)),Me=(N||c)&&i.createElement("div",{className:_e.labelWrapper},N&&i.createElement(l.J,(0,r.pi)({},N,{className:_e.icon,"aria-hidden":"true"})),c&&i.createElement(s._,{id:ne,htmlFor:oe,className:_e.label,disabled:n},c));return i.createElement("div",{className:_e.root,ref:t},R!==f.L.bottom&&Me,i.createElement("div",(0,r.pi)({},Ce,{className:_e.spinButtonWrapper,"aria-label":z&&z,"aria-posinset":K,"aria-setsize":q,"data-ktp-target":!0}),i.createElement("input",(0,r.pi)({value:null!=fe?fe:me,id:oe,onChange:I,onInput:function(e){ve(e.target.value)},className:_e.input,type:"text",autoComplete:"off",role:"spinbutton","aria-labelledby":c&&ne,"aria-valuenow":null!=G?G:Pe?Number(me):void 0,"aria-valuetext":null!=U?U:Pe?void 0:me,"aria-valuemin":h,"aria-valuemax":g,"aria-describedby":H,onBlur:function(e){var t,n;Se(e),ae(!1),null===(n=(t=o).onBlur)||void 0===n||n.call(t,e)},ref:te,onFocus:function(e){var t,n;te.current&&((be.spinningByMouse||le!==y.T.notSpinning)&&xe(),te.current.select(),ae(!0),null===(n=(t=o).onFocus)||void 0===n||n.call(t,e))},onKeyDown:function(e){if(e.which!==m.m.up&&e.which!==m.m.down&&e.which!==m.m.enter||(e.preventDefault(),e.stopPropagation()),n)xe();else{var t=y.T.notSpinning;switch(e.which){case m.m.up:t=y.T.up,ke(we,e);break;case m.m.down:t=y.T.down,ke(Ie,e);break;case m.m.enter:Se(e);break;case m.m.escape:ve(void 0)}le!==t&&ce(t)}},onKeyUp:De,disabled:n,"aria-disabled":n,"data-lpignore":!0,"data-ktp-execute-target":!0},J)),i.createElement("span",{className:_e.arrowButtonsContainer},i.createElement(a.h,(0,r.pi)({styles:b(V,!0,O),className:"ms-UpButton",checked:le===y.T.up,disabled:n,iconProps:B,onMouseDown:Te,onMouseLeave:xe,onMouseUp:xe,tabIndex:-1,ariaLabel:F,"data-is-focusable":!1},X)),i.createElement(a.h,(0,r.pi)({styles:b(V,!1,W),className:"ms-DownButton",checked:le===y.T.down,disabled:n,iconProps:L,onMouseDown:Ee,onMouseLeave:xe,onMouseUp:xe,tabIndex:-1,ariaLabel:A,"data-is-focusable":!1},X)))),R===f.L.bottom&&Me)}));T.displayName="SpinButton";var E=function(e){},P=(0,n.z)(T,(function(e){var t,o,n=e.theme,r=e.className,i=e.labelPosition,a=e.disabled,s=e.isFocused,l=n.palette,c=n.semanticColors,u=n.effects,d=n.fonts,p=c.inputBorder,m=c.inputBackground,g=c.inputBorderHovered,b=c.inputFocusBorderAlt,y=c.inputText,_=l.white,C=c.inputBackgroundChecked,S=c.disabledText;return{root:[d.medium,{outline:"none",width:"100%",minWidth:86},r],labelWrapper:[{display:"inline-flex",alignItems:"center"},i===f.L.start&&{height:32,float:"left",marginRight:10},i===f.L.end&&{height:32,float:"right",marginLeft:10},i===f.L.top&&{marginBottom:-1}],icon:[{padding:"0 5px",fontSize:h.ld.large},a&&{color:S}],label:{pointerEvents:"none",lineHeight:h.ld.large},spinButtonWrapper:[{display:"flex",position:"relative",boxSizing:"border-box",height:32,minWidth:86,selectors:{":after":{pointerEvents:"none",content:"''",position:"absolute",left:0,top:0,bottom:0,right:0,borderWidth:"1px",borderStyle:"solid",borderColor:p,borderRadius:u.roundedCorner2}}},(i===f.L.top||i===f.L.bottom)&&{width:"100%"},!a&&[{selectors:{":hover":{selectors:(t={":after":{borderColor:g}},t[h.qJ]={selectors:{":after":{borderColor:"Highlight"}}},t)}}},s&&{selectors:{"&&":(0,h.$Y)(b,u.roundedCorner2)}}],a&&v(n)],input:["ms-spinButton-input",{boxSizing:"border-box",boxShadow:"none",borderStyle:"none",flex:1,margin:0,fontSize:d.medium.fontSize,fontFamily:"inherit",color:y,backgroundColor:m,height:"100%",padding:"0 8px 0 9px",outline:0,display:"block",minWidth:61,whiteSpace:"nowrap",textOverflow:"ellipsis",overflow:"hidden",cursor:"text",userSelect:"text",borderRadius:u.roundedCorner2+" 0 0 "+u.roundedCorner2},!a&&{selectors:{"::selection":{backgroundColor:C,color:_,selectors:(o={},o[h.qJ]={backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},o)}}},a&&v(n)],arrowButtonsContainer:[{display:"block",height:"100%",cursor:"default"},a&&v(n)]}}),void 0,{scope:"SpinButton"})},998:(e,t,o)=>{"use strict";var n;o.d(t,{T:()=>n}),function(e){e[e.down=-1]="down",e[e.notSpinning=0]="notSpinning",e[e.up=1]="up"}(n||(n={}))},6315:(e,t,o)=>{"use strict";o.d(t,{G:()=>u});var n=o(7622),r=o(7002),i=o(6362),a=o(7300),s=o(8127),l=o(6055),c=(0,a.y)(),u=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.type,o=e.size,a=e.ariaLabel,u=e.ariaLive,d=e.styles,p=e.label,m=e.theme,h=e.className,g=e.labelPosition,f=a,v=(0,s.pq)(this.props,s.n7,["size"]),b=o;void 0===b&&void 0!==t&&(b=t===i.d.large?i.E.large:i.E.medium);var y=c(d,{theme:m,size:b,className:h,labelPosition:g});return r.createElement("div",(0,n.pi)({},v,{className:y.root}),r.createElement("div",{className:y.circle}),p&&r.createElement("div",{className:y.label},p),f&&r.createElement("div",{role:"status","aria-live":u},r.createElement(l.U,null,r.createElement("div",{className:y.screenReaderText},f))))},t.defaultProps={size:i.E.medium,ariaLive:"polite",labelPosition:"bottom"},t}(r.Component)},76:(e,t,o)=>{"use strict";o.d(t,{$:()=>d});var n=o(2002),r=o(6315),i=o(7622),a=o(6362),s=o(9729),l=o(5094),c={root:"ms-Spinner",circle:"ms-Spinner-circle",label:"ms-Spinner-label"},u=(0,l.NF)((function(){return(0,s.F4)({"0%":{transform:"rotate(0deg)"},"100%":{transform:"rotate(360deg)"}})})),d=(0,n.z)(r.G,(function(e){var t,o=e.theme,n=e.size,r=e.className,l=e.labelPosition,d=o.palette,p=(0,s.Cn)(c,o);return{root:[p.root,{display:"flex",flexDirection:"column",alignItems:"center",justifyContent:"center"},"top"===l&&{flexDirection:"column-reverse"},"right"===l&&{flexDirection:"row"},"left"===l&&{flexDirection:"row-reverse"},r],circle:[p.circle,{boxSizing:"border-box",borderRadius:"50%",border:"1.5px solid "+d.themeLight,borderTopColor:d.themePrimary,animationName:u(),animationDuration:"1.3s",animationIterationCount:"infinite",animationTimingFunction:"cubic-bezier(.53,.21,.29,.67)",selectors:(t={},t[s.qJ]=(0,i.pi)({borderTopColor:"Highlight"},(0,s.xM)()),t)},n===a.E.xSmall&&["ms-Spinner--xSmall",{width:12,height:12}],n===a.E.small&&["ms-Spinner--small",{width:16,height:16}],n===a.E.medium&&["ms-Spinner--medium",{width:20,height:20}],n===a.E.large&&["ms-Spinner--large",{width:28,height:28}]],label:[p.label,o.fonts.small,{color:d.themePrimary,margin:"8px 0 0",textAlign:"center"},"top"===l&&{margin:"0 0 8px"},"right"===l&&{margin:"0 0 0 8px"},"left"===l&&{margin:"0 8px 0 0"}],screenReaderText:s.ul}}),void 0,{scope:"Spinner"})},6362:(e,t,o)=>{"use strict";var n,r;o.d(t,{E:()=>n,d:()=>r}),function(e){e[e.xSmall=0]="xSmall",e[e.small=1]="small",e[e.medium=2]="medium",e[e.large=3]="large"}(n||(n={})),function(e){e[e.normal=0]="normal",e[e.large=1]="large"}(r||(r={}))},1565:(e,t,o)=>{"use strict";o.d(t,{t:()=>m});var n=o(7002),r=o(9729),i=o(7300),a=o(5094),s=o(7375),l=o(634),c=o(3608),u=(0,i.y)(),d=function(e){var t;return"ffffff"===(null===(t=(0,s.T)(e))||void 0===t?void 0:t.hex)},p=(0,a.NF)((function(e,t,o,n,i,a,s,l,u){var d=(0,c.W)(e);return(0,r.ZC)({root:["ms-Button",d.root,o,t,s&&["is-checked",d.rootChecked],a&&["is-disabled",d.rootDisabled],!a&&!s&&{selectors:{":hover":d.rootHovered,":focus":d.rootFocused,":active":d.rootPressed}},a&&s&&[d.rootCheckedDisabled],!a&&s&&{selectors:{":hover":d.rootCheckedHovered,":active":d.rootCheckedPressed}}],flexContainer:["ms-Button-flexContainer",d.flexContainer]})})),m=function(e){var t=e.item,o=e.idPrefix,r=void 0===o?e.id:o,i=e.selected,a=void 0!==i&&i,c=e.disabled,m=void 0!==c&&c,h=e.styles,g=e.circle,f=void 0===g||g,v=e.color,b=e.onClick,y=e.onHover,_=e.onFocus,C=e.onMouseEnter,S=e.onMouseMove,x=e.onMouseLeave,k=e.onWheel,w=e.onKeyDown,I=e.height,D=e.width,T=e.borderWidth,E=u(h,{theme:e.theme,disabled:m,selected:a,circle:f,isWhite:d(v),height:I,width:D,borderWidth:T});return n.createElement(l.U,{item:t,id:r+"-"+t.id+"-"+t.index,key:t.id,disabled:m,role:"gridcell",onRenderItem:function(e){var t,o=E.svg;return n.createElement("svg",{className:o,viewBox:"0 0 20 20",fill:null===(t=(0,s.T)(e.color))||void 0===t?void 0:t.str},f?n.createElement("circle",{cx:"50%",cy:"50%",r:"50%"}):n.createElement("rect",{width:"100%",height:"100%"}))},selected:a,onClick:b,onHover:y,onFocus:_,label:t.label,className:E.colorCell,getClassNames:p,index:t.index,onMouseEnter:C,onMouseMove:S,onMouseLeave:x,onWheel:k,onKeyDown:w})}},3624:(e,t,o)=>{"use strict";o.d(t,{h:()=>l});var n=o(2002),r=o(1565),i=o(6145),a=o(9729),s={left:-2,top:-2,bottom:-2,right:-2,border:"none",outlineColor:"ButtonText"},l=(0,n.z)(r.t,(function(e){var t,o,n,r,l,c=e.theme,u=e.disabled,d=e.selected,p=e.circle,m=e.isWhite,h=e.height,g=void 0===h?20:h,f=e.width,v=void 0===f?20:f,b=e.borderWidth,y=c.semanticColors,_=c.palette,C=_.neutralLighter,S=_.neutralLight,x=_.neutralSecondary,k=_.neutralTertiary,w=b||(v<24?2:4);return{colorCell:[(0,a.GL)(c,{inset:-1,position:"relative",highContrastStyle:s}),{backgroundColor:y.bodyBackground,padding:0,position:"relative",boxSizing:"border-box",display:"inline-block",cursor:"pointer",userSelect:"none",borderRadius:0,border:"none",height:g,width:v},!p&&{selectors:(t={},t["."+i.G$+" &:focus::after"]={outlineOffset:w-1+"px"},t)},p&&{borderRadius:"50%",selectors:(o={},o["."+i.G$+" &:focus::after"]={outline:"none",borderColor:y.focusBorder,borderRadius:"50%",left:-w,right:-w,top:-w,bottom:-w,selectors:(n={},n[a.qJ]={outline:"1px solid ButtonText"},n)},o)},d&&{padding:2,border:w+"px solid "+S,selectors:(r={},r["&:hover::before"]={content:'""',height:g,width:v,position:"absolute",top:-w,left:-w,borderRadius:p?"50%":"default",boxShadow:"inset 0 0 0 1px "+x},r)},!d&&{selectors:(l={},l["&:hover, &:active, &:focus"]={backgroundColor:y.bodyBackground,padding:2,border:w+"px solid "+C},l["&:focus"]={borderColor:y.bodyBackground,padding:0,selectors:{":hover":{borderColor:c.palette.neutralLight,padding:2}}},l)},u&&{color:y.disabledBodyText,pointerEvents:"none",opacity:.3},m&&!d&&{backgroundColor:k,padding:1}],svg:[{width:"100%",height:"100%"},p&&{borderRadius:"50%"}]}}),void 0,{scope:"ColorPickerGridCell"},!0)},8621:(e,t,o)=>{"use strict";o.d(t,{_:()=>h});var n=o(7622),r=o(7002),i=o(7300),a=o(8145),s=o(2836),l=o(3624),c=o(4085),u=o(7913),d=o(5646),p=o(6548),m=(0,i.y)(),h=r.forwardRef((function(e,t){var o=(0,c.M)("swatchColorPicker"),i=e.id||o,h=(0,u.B)({isNavigationIdle:!0,cellFocused:!1,navigationIdleTimeoutId:void 0,navigationIdleDelay:250}),g=(0,d.L)(),f=g.setTimeout,v=g.clearTimeout,b=e.colorCells,y=e.cellShape,_=void 0===y?"circle":y,C=e.columnCount,S=e.shouldFocusCircularNavigate,x=void 0===S||S,k=e.className,w=e.disabled,I=void 0!==w&&w,D=e.doNotContainWithinFocusZone,T=e.styles,E=e.cellMargin,P=void 0===E?10:E,M=e.defaultSelectedId,R=e.focusOnHover,N=e.mouseLeaveParentSelector,B=e.onChange,F=e.onColorChanged,L=e.onCellHovered,A=e.onCellFocused,z=e.getColorGridCellStyles,H=e.cellHeight,O=e.cellWidth,W=e.cellBorderWidth,V=r.useMemo((function(){return b.map((function(e,t){return(0,n.pi)((0,n.pi)({},e),{index:t})}))}),[b]),K=r.useCallback((function(e,t){var o,n,r,i=null===(o=b.filter((function(e){return e.id===t}))[0])||void 0===o?void 0:o.color;null===(n=B)||void 0===n||n(e,t,i),null===(r=F)||void 0===r||r(t,i)}),[B,F,b]),q=(0,p.G)(e.selectedId,M,K),G=q[0],U=q[1],j=m(T,{theme:e.theme,className:k,cellMargin:P}),J={root:j.root,tableCell:j.tableCell,focusedContainer:j.focusedContainer},Y=r.useCallback((function(){A&&(h.cellFocused=!1,A())}),[h,A]),Z=r.useCallback((function(e){return R?(h.isNavigationIdle&&!I&&e.currentTarget.focus(),!0):!h.isNavigationIdle||!!I}),[R,h,I]),X=r.useCallback((function(e){if(!R)return!h.isNavigationIdle||!!I;var t=e.currentTarget;return!h.isNavigationIdle||document&&t===document.activeElement||t.focus(),!0}),[R,h,I]),Q=r.useCallback((function(e){var t=N;if(R&&t&&h.isNavigationIdle&&!I)for(var o=document.querySelectorAll(t),n=0;n{"use strict";o.d(t,{U:()=>s});var n=o(2002),r=o(8621),i=o(9729),a={focusedContainer:"ms-swatchColorPickerBodyContainer"},s=(0,n.z)(r._,(function(e){var t=e.className,o=e.theme;return{root:{margin:"8px 0",borderCollapse:"collapse"},tableCell:{padding:e.cellMargin/2},focusedContainer:[(0,i.Cn)(a,o).focusedContainer,{clear:"both",display:"block",minWidth:"180px"},t]}}),void 0,{scope:"SwatchColorPicker"})},5229:(e,t,o)=>{"use strict";o.d(t,{P:()=>C});var n,r=o(7622),i=o(7002),a=o(2052),s=o(9947),l=o(7300),c=o(688),u=o(2167),d=o(2782),p=o(6055),m=o(5301),h=o(687),g=o(3128),f=o(8127),v=o(9757),b=o(5036),y=(0,l.y)(),_="TextField",C=function(e){function t(t){var o=e.call(this,t)||this;o._textElement=i.createRef(),o._onFocus=function(e){o.props.onFocus&&o.props.onFocus(e),o.setState({isFocused:!0},(function(){o.props.validateOnFocusIn&&o._validate(o.value)}))},o._onBlur=function(e){o.props.onBlur&&o.props.onBlur(e),o.setState({isFocused:!1},(function(){o.props.validateOnFocusOut&&o._validate(o.value)}))},o._onRenderLabel=function(e){var t=e.label,n=e.required,r=o._classNames.subComponentStyles?o._classNames.subComponentStyles.label:void 0;return t?i.createElement(a._,{required:n,htmlFor:o._id,styles:r,disabled:e.disabled,id:o._labelId},e.label):null},o._onRenderDescription=function(e){return e.description?i.createElement("span",{className:o._classNames.description},e.description):null},o._onRevealButtonClick=function(e){o.setState((function(e){return{isRevealingPassword:!e.isRevealingPassword}}))},o._onInputChange=function(e){var t,n,r=e.target.value,i=S(o.props,o.state)||"";void 0!==r&&r!==o._lastChangeValue&&r!==i?(o._lastChangeValue=r,null===(n=(t=o.props).onChange)||void 0===n||n.call(t,e,r),o._isControlled||o.setState({uncontrolledValue:r})):o._lastChangeValue=void 0},(0,c.l)(o),o._async=new u.e(o),o._fallbackId=(0,d.z)(_),o._descriptionId=(0,d.z)("TextFieldDescription"),o._labelId=(0,d.z)("TextFieldLabel"),o._warnControlledUsage();var n=t.defaultValue,r=void 0===n?"":n;return"number"==typeof r&&(r=String(r)),o.state={uncontrolledValue:o._isControlled?void 0:r,isFocused:!1,errorMessage:""},o._delayedValidate=o._async.debounce(o._validate,o.props.deferredValidationTime),o._lastValidation=0,o}return(0,r.ZT)(t,e),Object.defineProperty(t.prototype,"value",{get:function(){return S(this.props,this.state)},enumerable:!0,configurable:!0}),t.prototype.componentDidMount=function(){this._adjustInputHeight(),this.props.validateOnLoad&&this._validate(this.value)},t.prototype.componentWillUnmount=function(){this._async.dispose()},t.prototype.getSnapshotBeforeUpdate=function(e,t){return{selection:[this.selectionStart,this.selectionEnd]}},t.prototype.componentDidUpdate=function(e,t,o){var n=this.props,r=(o||{}).selection,i=void 0===r?[null,null]:r,a=i[0],s=i[1];!!e.multiline!=!!n.multiline&&t.isFocused&&(this.focus(),null!==a&&null!==s&&a>=0&&s>=0&&this.setSelectionRange(a,s)),e.value!==n.value&&(this._lastChangeValue=void 0);var l=S(e,t),c=this.value;l!==c&&(this._warnControlledUsage(e),this.state.errorMessage&&!n.errorMessage&&this.setState({errorMessage:""}),this._adjustInputHeight(),x(n)&&this._delayedValidate(c))},t.prototype.render=function(){var e=this.props,t=e.borderless,o=e.className,a=e.disabled,l=e.iconProps,c=e.inputClassName,u=e.label,d=e.multiline,m=e.required,h=e.underlined,g=e.prefix,f=e.resizable,_=e.suffix,C=e.theme,S=e.styles,x=e.autoAdjustHeight,k=e.canRevealPassword,w=e.type,I=e.onRenderPrefix,D=void 0===I?this._onRenderPrefix:I,T=e.onRenderSuffix,E=void 0===T?this._onRenderSuffix:T,P=e.onRenderLabel,M=void 0===P?this._onRenderLabel:P,R=e.onRenderDescription,N=void 0===R?this._onRenderDescription:R,B=this.state,F=B.isFocused,L=B.isRevealingPassword,A=this._errorMessage,z=!!k&&"password"===w&&function(){var e;if("boolean"!=typeof n){var t=(0,v.J)();if(null===(e=t)||void 0===e?void 0:e.navigator){var o=/Edg/.test(t.navigator.userAgent||"");n=!((0,b.f)()||o)}else n=!0}return n}(),H=this._classNames=y(S,{theme:C,className:o,disabled:a,focused:F,required:m,multiline:d,hasLabel:!!u,hasErrorMessage:!!A,borderless:t,resizable:f,hasIcon:!!l,underlined:h,inputClassName:c,autoAdjustHeight:x,hasRevealButton:z});return i.createElement("div",{ref:this.props.elementRef,className:H.root},i.createElement("div",{className:H.wrapper},M(this.props,this._onRenderLabel),i.createElement("div",{className:H.fieldGroup},(void 0!==g||this.props.onRenderPrefix)&&i.createElement("div",{className:H.prefix},D(this.props,this._onRenderPrefix)),d?this._renderTextArea():this._renderInput(),l&&i.createElement(s.J,(0,r.pi)({className:H.icon},l)),z&&i.createElement("button",{className:H.revealButton,onClick:this._onRevealButtonClick,type:"button"},i.createElement("span",{className:H.revealSpan},i.createElement(s.J,{className:H.revealIcon,iconName:L?"Hide":"RedEye"}))),(void 0!==_||this.props.onRenderSuffix)&&i.createElement("div",{className:H.suffix},E(this.props,this._onRenderSuffix)))),this._isDescriptionAvailable&&i.createElement("span",{id:this._descriptionId},N(this.props,this._onRenderDescription),A&&i.createElement("div",{role:"alert"},i.createElement(p.U,null,this._renderErrorMessage()))))},t.prototype.focus=function(){this._textElement.current&&this._textElement.current.focus()},t.prototype.blur=function(){this._textElement.current&&this._textElement.current.blur()},t.prototype.select=function(){this._textElement.current&&this._textElement.current.select()},t.prototype.setSelectionStart=function(e){this._textElement.current&&(this._textElement.current.selectionStart=e)},t.prototype.setSelectionEnd=function(e){this._textElement.current&&(this._textElement.current.selectionEnd=e)},Object.defineProperty(t.prototype,"selectionStart",{get:function(){return this._textElement.current?this._textElement.current.selectionStart:-1},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"selectionEnd",{get:function(){return this._textElement.current?this._textElement.current.selectionEnd:-1},enumerable:!0,configurable:!0}),t.prototype.setSelectionRange=function(e,t){this._textElement.current&&this._textElement.current.setSelectionRange(e,t)},t.prototype._warnControlledUsage=function(e){(0,m.Q)({componentId:this._id,componentName:_,props:this.props,oldProps:e,valueProp:"value",defaultValueProp:"defaultValue",onChangeProp:"onChange",readOnlyProp:"readOnly"}),null!==this.props.value||this._hasWarnedNullValue||(this._hasWarnedNullValue=!0,(0,h.Z)("Warning: 'value' prop on 'TextField' should not be null. Consider using an empty string to clear the component or undefined to indicate an uncontrolled component."))},Object.defineProperty(t.prototype,"_id",{get:function(){return this.props.id||this._fallbackId},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"_isControlled",{get:function(){return(0,g.s)(this.props,"value")},enumerable:!0,configurable:!0}),t.prototype._onRenderPrefix=function(e){var t=e.prefix;return i.createElement("span",{style:{paddingBottom:"1px"}},t)},t.prototype._onRenderSuffix=function(e){var t=e.suffix;return i.createElement("span",{style:{paddingBottom:"1px"}},t)},Object.defineProperty(t.prototype,"_errorMessage",{get:function(){var e=this.props.errorMessage;return(void 0===e?this.state.errorMessage:e)||""},enumerable:!0,configurable:!0}),t.prototype._renderErrorMessage=function(){var e=this._errorMessage;return e?"string"==typeof e?i.createElement("p",{className:this._classNames.errorMessage},i.createElement("span",{"data-automation-id":"error-message"},e)):i.createElement("div",{className:this._classNames.errorMessage,"data-automation-id":"error-message"},e):null},Object.defineProperty(t.prototype,"_isDescriptionAvailable",{get:function(){var e=this.props;return!!(e.onRenderDescription||e.description||this._errorMessage)},enumerable:!0,configurable:!0}),t.prototype._renderTextArea=function(){var e=(0,f.pq)(this.props,f.FI,["defaultValue"]),t=this.props["aria-labelledby"]||(this.props.label?this._labelId:void 0);return i.createElement("textarea",(0,r.pi)({id:this._id},e,{ref:this._textElement,value:this.value||"",onInput:this._onInputChange,onChange:this._onInputChange,className:this._classNames.field,"aria-labelledby":t,"aria-describedby":this._isDescriptionAvailable?this._descriptionId:this.props["aria-describedby"],"aria-invalid":!!this._errorMessage,"aria-label":this.props.ariaLabel,readOnly:this.props.readOnly,onFocus:this._onFocus,onBlur:this._onBlur}))},t.prototype._renderInput=function(){var e,t=(0,f.pq)(this.props,f.Gg,["defaultValue","type"]),o=this.props["aria-labelledby"]||(this.props.label?this._labelId:void 0),n=this.state.isRevealingPassword?"text":null!=(e=this.props.type)?e:"text";return i.createElement("input",(0,r.pi)({type:n,id:this._id,"aria-labelledby":o},t,{ref:this._textElement,value:this.value||"",onInput:this._onInputChange,onChange:this._onInputChange,className:this._classNames.field,"aria-label":this.props.ariaLabel,"aria-describedby":this._isDescriptionAvailable?this._descriptionId:this.props["aria-describedby"],"aria-invalid":!!this._errorMessage,readOnly:this.props.readOnly,onFocus:this._onFocus,onBlur:this._onBlur}))},t.prototype._validate=function(e){var t=this;if(this._latestValidateValue!==e||!x(this.props)){this._latestValidateValue=e;var o=this.props.onGetErrorMessage,n=o&&o(e||"");if(void 0!==n)if("string"!=typeof n&&"then"in n){var r=++this._lastValidation;n.then((function(o){r===t._lastValidation&&t.setState({errorMessage:o}),t._notifyAfterValidate(e,o)}))}else this.setState({errorMessage:n}),this._notifyAfterValidate(e,n);else this._notifyAfterValidate(e,"")}},t.prototype._notifyAfterValidate=function(e,t){e===this.value&&this.props.onNotifyValidationResult&&this.props.onNotifyValidationResult(t,e)},t.prototype._adjustInputHeight=function(){if(this._textElement.current&&this.props.autoAdjustHeight&&this.props.multiline){var e=this._textElement.current;e.style.height="",e.style.height=e.scrollHeight+"px"}},t.defaultProps={resizable:!0,deferredValidationTime:200,validateOnLoad:!0},t}(i.Component);function S(e,t){var o=e.value,n=void 0===o?t.uncontrolledValue:o;return"number"==typeof n?String(n):n}function x(e){return!(e.validateOnFocusIn||e.validateOnFocusOut)}},8623:(e,t,o)=>{"use strict";o.d(t,{n:()=>c});var n=o(2002),r=o(5229),i=o(7622),a=o(9729),s={root:"ms-TextField",description:"ms-TextField-description",errorMessage:"ms-TextField-errorMessage",field:"ms-TextField-field",fieldGroup:"ms-TextField-fieldGroup",prefix:"ms-TextField-prefix",suffix:"ms-TextField-suffix",wrapper:"ms-TextField-wrapper",revealButton:"ms-TextField-reveal",multiline:"ms-TextField--multiline",borderless:"ms-TextField--borderless",underlined:"ms-TextField--underlined",unresizable:"ms-TextField--unresizable",required:"is-required",disabled:"is-disabled",active:"is-active"};function l(e){var t=e.underlined,o=e.disabled,n=e.focused,r=e.theme,i=r.palette,s=r.fonts;return function(){var e;return{root:[t&&o&&{color:i.neutralTertiary},t&&{fontSize:s.medium.fontSize,marginRight:8,paddingLeft:12,paddingRight:0,lineHeight:"22px",height:32},t&&n&&{selectors:(e={},e[a.qJ]={height:31},e)}]}}}var c=(0,n.z)(r.P,(function(e){var t,o,n,r,c,u,d,p,m,h,g,f,v=e.theme,b=e.className,y=e.disabled,_=e.focused,C=e.required,S=e.multiline,x=e.hasLabel,k=e.borderless,w=e.underlined,I=e.hasIcon,D=e.resizable,T=e.hasErrorMessage,E=e.inputClassName,P=e.autoAdjustHeight,M=e.hasRevealButton,R=v.semanticColors,N=v.effects,B=v.fonts,F=(0,a.Cn)(s,v),L={background:R.disabledBackground,color:y?R.disabledText:R.inputPlaceholderText,display:"flex",alignItems:"center",padding:"0 10px",lineHeight:1,whiteSpace:"nowrap",flexShrink:0,selectors:(t={},t[a.qJ]={background:"Window",color:y?"GrayText":"WindowText"},t)},A=[B.medium,{color:R.inputPlaceholderText,opacity:1,selectors:(o={},o[a.qJ]={color:"GrayText"},o)}],z={color:R.disabledText,selectors:(n={},n[a.qJ]={color:"GrayText"},n)};return{root:[F.root,B.medium,C&&F.required,y&&F.disabled,_&&F.active,S&&F.multiline,k&&F.borderless,w&&F.underlined,a.Fv,{position:"relative"},b],wrapper:[F.wrapper,w&&[{display:"flex",borderBottom:"1px solid "+(T?R.errorText:R.inputBorder),width:"100%"},y&&{borderBottomColor:R.disabledBackground,selectors:(r={},r[a.qJ]=(0,i.pi)({borderColor:"GrayText"},(0,a.xM)()),r)},!y&&{selectors:{":hover":{borderBottomColor:T?R.errorText:R.inputBorderHovered,selectors:(c={},c[a.qJ]=(0,i.pi)({borderBottomColor:"Highlight"},(0,a.xM)()),c)}}},_&&[{position:"relative"},(0,a.$Y)(T?R.errorText:R.inputFocusBorderAlt,0,"borderBottom")]]],fieldGroup:[F.fieldGroup,a.Fv,{border:"1px solid "+R.inputBorder,borderRadius:N.roundedCorner2,background:R.inputBackground,cursor:"text",height:32,display:"flex",flexDirection:"row",alignItems:"stretch",position:"relative"},S&&{minHeight:"60px",height:"auto",display:"flex"},!_&&!y&&{selectors:{":hover":{borderColor:R.inputBorderHovered,selectors:(u={},u[a.qJ]=(0,i.pi)({borderColor:"Highlight"},(0,a.xM)()),u)}}},_&&!w&&(0,a.$Y)(T?R.errorText:R.inputFocusBorderAlt,N.roundedCorner2),y&&{borderColor:R.disabledBackground,selectors:(d={},d[a.qJ]=(0,i.pi)({borderColor:"GrayText"},(0,a.xM)()),d),cursor:"default"},k&&{border:"none"},k&&_&&{border:"none",selectors:{":after":{border:"none"}}},w&&{flex:"1 1 0px",border:"none",textAlign:"left"},w&&y&&{backgroundColor:"transparent"},T&&!w&&{borderColor:R.errorText,selectors:{"&:hover":{borderColor:R.errorText}}},!x&&C&&{selectors:(p={":before":{content:"'*'",color:R.errorText,position:"absolute",top:-5,right:-10}},p[a.qJ]={selectors:{":before":{color:"WindowText",right:-14}}},p)}],field:[B.medium,F.field,a.Fv,{borderRadius:0,border:"none",background:"none",backgroundColor:"transparent",color:R.inputText,padding:"0 8px",width:"100%",minWidth:0,textOverflow:"ellipsis",outline:0,selectors:(m={"&:active, &:focus, &:hover":{outline:0},"::-ms-clear":{display:"none"}},m[a.qJ]={background:"Window",color:y?"GrayText":"WindowText"},m)},(0,a.Sv)(A),S&&!D&&[F.unresizable,{resize:"none"}],S&&{minHeight:"inherit",lineHeight:17,flexGrow:1,paddingTop:6,paddingBottom:6,overflow:"auto",width:"100%"},S&&P&&{overflow:"hidden"},I&&!M&&{paddingRight:24},S&&I&&{paddingRight:40},y&&[{backgroundColor:R.disabledBackground,color:R.disabledText,borderColor:R.disabledBackground},(0,a.Sv)(z)],w&&{textAlign:"left"},_&&!k&&{selectors:(h={},h[a.qJ]={paddingLeft:11,paddingRight:11},h)},_&&S&&!k&&{selectors:(g={},g[a.qJ]={paddingTop:4},g)},E],icon:[S&&{paddingRight:24,alignItems:"flex-end"},{pointerEvents:"none",position:"absolute",bottom:6,right:8,top:"auto",fontSize:a.ld.medium,lineHeight:18},y&&{color:R.disabledText}],description:[F.description,{color:R.bodySubtext,fontSize:B.xSmall.fontSize}],errorMessage:[F.errorMessage,a.k4.slideDownIn20,B.small,{color:R.errorText,margin:0,paddingTop:5,display:"flex",alignItems:"center"}],prefix:[F.prefix,L],suffix:[F.suffix,L],revealButton:[F.revealButton,"ms-Button","ms-Button--icon",{height:30,width:32,border:"none",padding:"0px 4px",backgroundColor:"transparent",color:R.link,selectors:{":hover":{outline:0,color:R.primaryButtonBackgroundHovered,backgroundColor:R.buttonBackgroundHovered,selectors:(f={},f[a.qJ]={borderColor:"Highlight",color:"Highlight"},f)},":focus":{outline:0}}},I&&{marginRight:28}],revealSpan:{display:"flex",height:"100%",alignItems:"center"},revealIcon:{margin:"0px 4px",pointerEvents:"none",bottom:6,right:8,top:"auto",fontSize:a.ld.medium,lineHeight:18},subComponentStyles:{label:l(e)}}}),void 0,{scope:"TextField"})},5637:(e,t,o)=>{"use strict";o.d(t,{s:()=>p});var n=o(7622),r=o(7002),i=o(6548),a=o(4085),s=o(7300),l=o(8127),c=o(5480),u=o(2052),d=(0,s.y)(),p=r.forwardRef((function(e,t){var o=e.as,s=void 0===o?"div":o,p=e.ariaLabel,h=e.checked,g=e.className,f=e.defaultChecked,v=void 0!==f&&f,b=e.disabled,y=e.inlineLabel,_=e.label,C=e.offAriaLabel,S=e.offText,x=e.onAriaLabel,k=e.onChange,w=e.onChanged,I=e.onClick,D=e.onText,T=e.role,E=e.styles,P=e.theme,M=(0,i.G)(h,v,r.useCallback((function(e,t){var o,n;null===(o=k)||void 0===o||o(e,t),null===(n=w)||void 0===n||n(t)}),[k,w])),R=M[0],N=M[1],B=d(E,{theme:P,className:g,disabled:b,checked:R,inlineLabel:y,onOffMissing:!D&&!S}),F=R?x:C,L=(0,a.M)("Toggle",e.id),A=L+"-label",z=L+"-stateText",H=R?D:S,O=(0,l.pq)(e,l.Gg,["defaultChecked"]),W=void 0;p||F||(_&&(W=A),H&&(W=W?W+" "+z:z));var V=r.useRef(null);(0,c.P)(V),m(e,R,V);var K={root:{className:B.root,hidden:O.hidden},label:{children:_,className:B.label,htmlFor:L,id:A},container:{className:B.container},pill:(0,n.pi)((0,n.pi)({},O),{"aria-disabled":b,"aria-checked":R,"aria-label":p||F,"aria-labelledby":W,className:B.pill,"data-is-focusable":!0,"data-ktp-target":!0,disabled:b,id:L,onClick:function(e){b||(N(!R),I&&I(e))},ref:V,role:T||"switch",type:"button"}),thumb:{className:B.thumb},stateText:{children:H,className:B.text,htmlFor:L,id:z}};return r.createElement(s,(0,n.pi)({ref:t},K.root),_&&r.createElement(u._,(0,n.pi)({},K.label)),r.createElement("div",(0,n.pi)({},K.container),r.createElement("button",(0,n.pi)({},K.pill),r.createElement("span",(0,n.pi)({},K.thumb))),(R&&D||S)&&r.createElement(u._,(0,n.pi)({},K.stateText))))}));p.displayName="ToggleBase";var m=function(e,t,o){r.useImperativeHandle(e.componentRef,(function(){return{get checked(){return!!t},focus:function(){o.current&&o.current.focus()}}}),[t,o])}},1431:(e,t,o)=>{"use strict";o.d(t,{Z:()=>s});var n=o(2002),r=o(5637),i=o(7622),a=o(9729),s=(0,n.z)(r.s,(function(e){var t,o,n,r,s,l,c,u=e.theme,d=e.className,p=e.disabled,m=e.checked,h=e.inlineLabel,g=e.onOffMissing,f=u.semanticColors,v=u.palette,b=f.bodyBackground,y=f.inputBackgroundChecked,_=f.inputBackgroundCheckedHovered,C=v.neutralDark,S=f.disabledBodySubtext,x=f.smallInputBorder,k=f.inputForegroundChecked,w=f.disabledBodySubtext,I=f.disabledBackground,D=f.smallInputBorder,T=f.inputBorderHovered,E=f.disabledBodySubtext,P=f.disabledText;return{root:["ms-Toggle",m&&"is-checked",!p&&"is-enabled",p&&"is-disabled",u.fonts.medium,{marginBottom:"8px"},h&&{display:"flex",alignItems:"center"},d],label:["ms-Toggle-label",{display:"inline-block"},p&&{color:P,selectors:(t={},t[a.qJ]={color:"GrayText"},t)},h&&!g&&{marginRight:16},g&&h&&{order:1,marginLeft:16},h&&{wordBreak:"break-all"}],container:["ms-Toggle-innerContainer",{display:"flex",position:"relative"}],pill:["ms-Toggle-background",(0,a.GL)(u,{inset:-3}),{fontSize:"20px",boxSizing:"border-box",width:40,height:20,borderRadius:10,transition:"all 0.1s ease",border:"1px solid "+D,background:b,cursor:"pointer",display:"flex",alignItems:"center",padding:"0 3px"},!p&&[!m&&{selectors:{":hover":[{borderColor:T}],":hover .ms-Toggle-thumb":[{backgroundColor:C,selectors:(o={},o[a.qJ]={borderColor:"Highlight"},o)}]}},m&&[{background:y,borderColor:"transparent",justifyContent:"flex-end"},{selectors:(n={":hover":[{backgroundColor:_,borderColor:"transparent",selectors:(r={},r[a.qJ]={backgroundColor:"Highlight"},r)}]},n[a.qJ]=(0,i.pi)({backgroundColor:"Highlight"},(0,a.xM)()),n)}]],p&&[{cursor:"default"},!m&&[{borderColor:E}],m&&[{backgroundColor:S,borderColor:"transparent",justifyContent:"flex-end"}]],!p&&{selectors:{"&:hover":{selectors:(s={},s[a.qJ]={borderColor:"Highlight"},s)}}}],thumb:["ms-Toggle-thumb",{display:"block",width:12,height:12,borderRadius:"50%",transition:"all 0.1s ease",backgroundColor:x,borderColor:"transparent",borderWidth:6,borderStyle:"solid",boxSizing:"border-box"},!p&&m&&[{backgroundColor:k,selectors:(l={},l[a.qJ]={backgroundColor:"Window",borderColor:"Window"},l)}],p&&[!m&&[{backgroundColor:w}],m&&[{backgroundColor:I}]]],text:["ms-Toggle-stateText",{selectors:{"&&":{padding:"0",margin:"0 8px",userSelect:"none",fontWeight:a.lq.regular}}},p&&{selectors:{"&&":{color:P,selectors:(c={},c[a.qJ]={color:"GrayText"},c)}}}]}}),void 0,{scope:"Toggle"})},3860:(e,t,o)=>{"use strict";o.d(t,{P:()=>u});var n=o(7622),r=o(7002),i=o(7300),a=o(8127),s=o(5953),l=o(6628),c=(0,i.y)(),u=function(e){function t(){var t=null!==e&&e.apply(this,arguments)||this;return t._onRenderContent=function(e){return r.createElement("p",{className:t._classNames.subText},e.content)},t}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.className,o=e.calloutProps,i=e.directionalHint,l=e.directionalHintForRTL,u=e.styles,d=e.id,p=e.maxWidth,m=e.onRenderContent,h=void 0===m?this._onRenderContent:m,g=e.targetElement,f=e.theme;return this._classNames=c(u,{theme:f,className:t||o&&o.className,beakWidth:o&&o.beakWidth,gapSpace:o&&o.gapSpace,maxWidth:p}),r.createElement(s.U,(0,n.pi)({target:g,directionalHint:i,directionalHintForRTL:l},o,(0,a.pq)(this.props,a.n7,["id"]),{className:this._classNames.root}),r.createElement("div",{className:this._classNames.content,id:d,role:"tooltip",onMouseEnter:this.props.onMouseEnter,onMouseLeave:this.props.onMouseLeave},h(this.props,this._onRenderContent)))},t.defaultProps={directionalHint:l.b.topCenter,maxWidth:"364px",calloutProps:{isBeakVisible:!0,beakWidth:16,gapSpace:0,setInitialFocus:!0,doNotLayer:!1}},t}(r.Component)},1594:(e,t,o)=>{"use strict";o.d(t,{u:()=>a});var n=o(2002),r=o(3860),i=o(9729),a=(0,n.z)(r.P,(function(e){var t=e.className,o=e.beakWidth,n=void 0===o?16:o,r=e.gapSpace,a=void 0===r?0:r,s=e.maxWidth,l=e.theme,c=l.semanticColors,u=l.fonts,d=l.effects,p=-(Math.sqrt(n*n/2)+a)+1/window.devicePixelRatio;return{root:["ms-Tooltip",l.fonts.medium,i.k4.fadeIn200,{background:c.menuBackground,boxShadow:d.elevation8,padding:"8px",maxWidth:s,selectors:{":after":{content:"''",position:"absolute",bottom:p,left:p,right:p,top:p,zIndex:0}}},t],content:["ms-Tooltip-content",u.small,{position:"relative",zIndex:1,color:c.menuItemText,wordWrap:"break-word",overflowWrap:"break-word",overflow:"hidden"}],subText:["ms-Tooltip-subtext",{fontSize:"inherit",fontWeight:"inherit",color:"inherit",margin:0}]}}),void 0,{scope:"Tooltip"})},1180:(e,t,o)=>{"use strict";var n;o.d(t,{j:()=>n}),function(e){e[e.zero=0]="zero",e[e.medium=1]="medium",e[e.long=2]="long"}(n||(n={}))},154:(e,t,o)=>{"use strict";o.d(t,{Z:()=>y});var n=o(7622),r=o(7002),i=o(9729),a=o(7300),s=o(2782),l=o(6670),c=o(7466),u=o(8145),d=o(688),p=o(2167),m=o(2447),h=o(8127),g=o(3967),f=o(1594),v=o(1180),b=(0,a.y)(),y=function(e){function t(o){var n=e.call(this,o)||this;return n._tooltipHost=r.createRef(),n._defaultTooltipId=(0,s.z)("tooltip"),n.show=function(){n._toggleTooltip(!0)},n.dismiss=function(){n._hideTooltip()},n._getTargetElement=function(){if(n._tooltipHost.current){var e=n.props.overflowMode;if(void 0!==e)switch(e){case g.y.Parent:return n._tooltipHost.current.parentElement;case g.y.Self:return n._tooltipHost.current}return n._tooltipHost.current}},n._onTooltipMouseEnter=function(e){var o=n.props,r=o.overflowMode,i=o.delay;if(t._currentVisibleTooltip&&t._currentVisibleTooltip!==n&&t._currentVisibleTooltip.dismiss(),t._currentVisibleTooltip=n,void 0!==r){var a=n._getTargetElement();if(a&&!(0,l.zS)(a))return}if(!e.target||!(0,c.w)(e.target,n._getTargetElement()))if(n._clearDismissTimer(),n._clearOpenTimer(),i!==v.j.zero){n.setState({isAriaPlaceholderRendered:!0});var s=n._getDelayTime(i);n._openTimerId=n._async.setTimeout((function(){n._toggleTooltip(!0)}),s)}else n._toggleTooltip(!0)},n._onTooltipMouseLeave=function(e){var o=n.props.closeDelay;n._clearDismissTimer(),n._clearOpenTimer(),o?n._dismissTimerId=n._async.setTimeout((function(){n._toggleTooltip(!1)}),o):n._toggleTooltip(!1),t._currentVisibleTooltip===n&&(t._currentVisibleTooltip=void 0)},n._onTooltipKeyDown=function(e){(e.which===u.m.escape||e.ctrlKey)&&n.state.isTooltipVisible&&(n._hideTooltip(),e.stopPropagation())},n._clearDismissTimer=function(){n._async.clearTimeout(n._dismissTimerId)},n._clearOpenTimer=function(){n._async.clearTimeout(n._openTimerId)},n._hideTooltip=function(){n._clearOpenTimer(),n._clearDismissTimer(),n._toggleTooltip(!1)},n._toggleTooltip=function(e){n.state.isTooltipVisible!==e&&n.setState({isAriaPlaceholderRendered:!1,isTooltipVisible:e},(function(){return n.props.onTooltipToggle&&n.props.onTooltipToggle(e)}))},n._getDelayTime=function(e){switch(e){case v.j.medium:return 300;case v.j.long:return 500;default:return 0}},(0,d.l)(n),n.state={isAriaPlaceholderRendered:!1,isTooltipVisible:!1},n._async=new p.e(n),n}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.calloutProps,o=e.children,a=e.content,s=e.directionalHint,l=e.directionalHintForRTL,c=e.hostClassName,u=e.id,d=e.setAriaDescribedBy,p=void 0===d||d,g=e.tooltipProps,v=e.styles,y=e.theme;this._classNames=b(v,{theme:y,className:c});var _=this.state,C=_.isAriaPlaceholderRendered,S=_.isTooltipVisible,x=u||this._defaultTooltipId,k=!!(a||g&&g.onRenderContent&&g.onRenderContent()),w=S&&k,I=p&&S&&k?x:void 0;return r.createElement("div",(0,n.pi)({className:this._classNames.root,ref:this._tooltipHost},{onFocusCapture:this._onTooltipMouseEnter},{onBlurCapture:this._hideTooltip},{onMouseEnter:this._onTooltipMouseEnter,onMouseLeave:this._onTooltipMouseLeave,onKeyDown:this._onTooltipKeyDown,"aria-describedby":I}),o,w&&r.createElement(f.u,(0,n.pi)({id:x,content:a,targetElement:this._getTargetElement(),directionalHint:s,directionalHintForRTL:l,calloutProps:(0,m.f0)({},t,{onDismiss:this._hideTooltip,onMouseEnter:this._onTooltipMouseEnter,onMouseLeave:this._onTooltipMouseLeave}),onMouseEnter:this._onTooltipMouseEnter,onMouseLeave:this._onTooltipMouseLeave},(0,h.pq)(this.props,h.n7),g)),C&&r.createElement("div",{id:x,style:i.ul},a))},t.prototype.componentWillUnmount=function(){t._currentVisibleTooltip&&t._currentVisibleTooltip===this&&(t._currentVisibleTooltip=void 0),this._async.dispose()},t.defaultProps={delay:v.j.medium},t}(r.Component)},5816:(e,t,o)=>{"use strict";o.d(t,{G:()=>s});var n=o(2002),r=o(154),i=o(9729),a={root:"ms-TooltipHost",ariaPlaceholder:"ms-TooltipHost-aria-placeholder"},s=(0,n.z)(r.Z,(function(e){var t=e.className,o=e.theme;return{root:[(0,i.Cn)(a,o).root,{display:"inline"},t]}}),void 0,{scope:"TooltipHost"})},3967:(e,t,o)=>{"use strict";var n;o.d(t,{y:()=>n}),function(e){e[e.Parent=0]="Parent",e[e.Self=1]="Self"}(n||(n={}))},8976:(e,t,o)=>{"use strict";o.d(t,{d:()=>L,Y:()=>A});var n={};o.r(n),o.d(n,{inputDisabled:()=>P,inputFocused:()=>E,pickerInput:()=>M,pickerItems:()=>R,pickerText:()=>T,screenReaderOnly:()=>N});var r=o(7622),i=o(7002),a=o(7300),s=o(2002),l=o(8145),c=o(3345),u=o(688),d=o(2167),p=o(2782),m=o(8088),h=o(2998),g=o(7023),f=o(5953),v=o(3297),b=o(4449),y=o(5238),_=o(6628),C=o(4800),S=o(9729),x={root:"ms-Suggestions",suggestionsContainer:"ms-Suggestions-container",title:"ms-Suggestions-title",forceResolveButton:"ms-forceResolve-button",searchForMoreButton:"ms-SearchMore-button",spinner:"ms-Suggestions-spinner",noSuggestions:"ms-Suggestions-none",suggestionsAvailable:"ms-Suggestions-suggestionsAvailable",isSelected:"is-selected"};function k(e){var t,o=e.className,n=e.suggestionsClassName,i=e.theme,a=e.forceResolveButtonSelected,s=e.searchForMoreButtonSelected,l=i.palette,c=i.semanticColors,u=i.fonts,d=(0,S.Cn)(x,i),p={backgroundColor:"transparent",border:0,cursor:"pointer",margin:0,paddingLeft:8,position:"relative",borderTop:"1px solid "+l.neutralLight,height:40,textAlign:"left",width:"100%",fontSize:u.small.fontSize,selectors:{":hover":{backgroundColor:c.menuItemBackgroundPressed,cursor:"pointer"},":focus, :active":{backgroundColor:l.themeLight},".ms-Button-icon":{fontSize:u.mediumPlus.fontSize,width:25},".ms-Button-label":{margin:"0 4px 0 9px"}}},m={backgroundColor:l.themeLight,selectors:(t={},t[S.qJ]=(0,r.pi)({backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},(0,S.xM)()),t)};return{root:[d.root,{minWidth:260},o],suggestionsContainer:[d.suggestionsContainer,{overflowY:"auto",overflowX:"hidden",maxHeight:300,transform:"translate3d(0,0,0)"},n],title:[d.title,{padding:"0 12px",fontSize:u.small.fontSize,color:l.themePrimary,lineHeight:40,borderBottom:"1px solid "+c.menuItemBackgroundPressed}],forceResolveButton:[d.forceResolveButton,p,a&&[d.isSelected,m]],searchForMoreButton:[d.searchForMoreButton,p,s&&[d.isSelected,m]],noSuggestions:[d.noSuggestions,{textAlign:"center",color:l.neutralSecondary,fontSize:u.small.fontSize,lineHeight:30}],suggestionsAvailable:[d.suggestionsAvailable,S.ul],subComponentStyles:{spinner:{root:[d.spinner,{margin:"5px 0",paddingLeft:14,textAlign:"left",whiteSpace:"nowrap",lineHeight:20,fontSize:u.small.fontSize}],circle:{display:"inline-block",verticalAlign:"middle"},label:{display:"inline-block",verticalAlign:"middle",margin:"0 10px 0 16px"}}}}}var w=o(6920),I=o(7115),D=o(5767);(0,o(4976).RM)([{rawString:".pickerText_9da47ae5{display:-webkit-box;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;-webkit-box-align:center;-ms-flex-align:center;align-items:center;-webkit-box-sizing:border-box;box-sizing:border-box;border:1px solid "},{theme:"neutralTertiary",defaultValue:"#a19f9d"},{rawString:";min-width:180px;min-height:30px}.pickerText_9da47ae5:hover{border-color:"},{theme:"inputBorderHovered",defaultValue:"#323130"},{rawString:"}.pickerText_9da47ae5.inputFocused_9da47ae5{position:relative;border-color:"},{theme:"inputFocusBorderAlt",defaultValue:"#0078d4"},{rawString:"}.pickerText_9da47ae5.inputFocused_9da47ae5:after{pointer-events:none;content:'';position:absolute;left:-1px;top:-1px;bottom:-1px;right:-1px;border:2px solid "},{theme:"inputFocusBorderAlt",defaultValue:"#0078d4"},{rawString:"}@media screen and (-ms-high-contrast:active){.pickerText_9da47ae5.inputDisabled_9da47ae5{position:relative;border-color:GrayText}.pickerText_9da47ae5.inputDisabled_9da47ae5:after{pointer-events:none;content:'';position:absolute;left:0;top:0;bottom:0;right:0;background-color:Window}}.pickerInput_9da47ae5{height:34px;border:none;-webkit-box-flex:1;-ms-flex-positive:1;flex-grow:1;outline:0;padding:0 6px 0;-ms-flex-item-align:end;align-self:flex-end}.pickerItems_9da47ae5{display:-webkit-box;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;max-width:100%}.screenReaderOnly_9da47ae5{position:absolute;width:1px;height:1px;padding:0;margin:-1px;overflow:hidden;clip:rect(0,0,0,0);border:0}"}]);var T="pickerText_9da47ae5",E="inputFocused_9da47ae5",P="inputDisabled_9da47ae5",M="pickerInput_9da47ae5",R="pickerItems_9da47ae5",N="screenReaderOnly_9da47ae5",B=n,F=(0,a.y)(),L=function(e){function t(t){var o,n=e.call(this,t)||this;n.root=i.createRef(),n.input=i.createRef(),n.focusZone=i.createRef(),n.suggestionElement=i.createRef(),n.SuggestionOfProperType=C.D,n._styledSuggestions=(o=n.SuggestionOfProperType,(0,s.z)(o,k,void 0,{scope:"Suggestions"})),n.dismissSuggestions=function(e){var t=function(){var t=!0;n.props.onDismiss&&(t=n.props.onDismiss(e,n.suggestionStore.currentSuggestion?n.suggestionStore.currentSuggestion.item:void 0)),(!e||e&&!e.defaultPrevented)&&!1!==t&&n.canAddItems()&&n.suggestionStore.hasSelectedSuggestion()&&n.state.suggestedDisplayValue&&n.addItemByIndex(0)};n.currentPromise?n.currentPromise.then((function(){return t()})):t(),n.setState({suggestionsVisible:!1})},n.refocusSuggestions=function(e){n.resetFocus(),n.suggestionStore.suggestions&&n.suggestionStore.suggestions.length>0&&(e===l.m.up?n.suggestionStore.setSelectedSuggestion(n.suggestionStore.suggestions.length-1):e===l.m.down&&n.suggestionStore.setSelectedSuggestion(0))},n.onInputChange=function(e){n.updateValue(e),n.setState({moreSuggestionsAvailable:!0,isMostRecentlyUsedVisible:!1})},n.onSuggestionClick=function(e,t,o){n.addItemByIndex(o)},n.onSuggestionRemove=function(e,t,o){n.props.onRemoveSuggestion&&n.props.onRemoveSuggestion(t),n.suggestionStore.removeSuggestion(o)},n.onInputFocus=function(e){n.selection.setAllSelected(!1),n.state.isFocused||(n.setState({isFocused:!0}),n._userTriggeredSuggestions(),n.props.inputProps&&n.props.inputProps.onFocus&&n.props.inputProps.onFocus(e))},n.onInputBlur=function(e){n.props.inputProps&&n.props.inputProps.onBlur&&n.props.inputProps.onBlur(e)},n.onBlur=function(e){if(n.state.isFocused){var t=e.relatedTarget;null===e.relatedTarget&&(t=document.activeElement),t&&!(0,c.t)(n.root.current,t)&&(n.setState({isFocused:!1}),n.props.onBlur&&n.props.onBlur(e))}},n.onClick=function(e){void 0!==n.props.inputProps&&void 0!==n.props.inputProps.onClick&&n.props.inputProps.onClick(e),0===e.button&&n._userTriggeredSuggestions()},n.onKeyDown=function(e){var t=e.which;switch(t){case l.m.escape:n.state.suggestionsVisible&&(n.setState({suggestionsVisible:!1}),e.preventDefault(),e.stopPropagation());break;case l.m.tab:case l.m.enter:n.suggestionElement.current&&n.suggestionElement.current.hasSuggestedActionSelected()?n.suggestionElement.current.executeSelectedAction():!e.shiftKey&&n.suggestionStore.hasSelectedSuggestion()&&n.state.suggestionsVisible?(n.completeSuggestion(),e.preventDefault(),e.stopPropagation()):n._completeGenericSuggestion();break;case l.m.backspace:n.props.disabled||n.onBackspace(e),e.stopPropagation();break;case l.m.del:n.props.disabled||(n.input.current&&e.target===n.input.current.inputElement&&n.state.suggestionsVisible&&-1!==n.suggestionStore.currentIndex?(n.props.onRemoveSuggestion&&n.props.onRemoveSuggestion(n.suggestionStore.currentSuggestion.item),n.suggestionStore.removeSuggestion(n.suggestionStore.currentIndex),n.forceUpdate()):n.onBackspace(e)),e.stopPropagation();break;case l.m.up:n.input.current&&e.target===n.input.current.inputElement&&n.state.suggestionsVisible&&(n.suggestionElement.current&&n.suggestionElement.current.tryHandleKeyDown(t,n.suggestionStore.currentIndex)?(e.preventDefault(),e.stopPropagation(),n.forceUpdate()):n.suggestionElement.current&&n.suggestionElement.current.hasSuggestedAction()&&0===n.suggestionStore.currentIndex?(e.preventDefault(),e.stopPropagation(),n.suggestionElement.current.focusAboveSuggestions(),n.suggestionStore.deselectAllSuggestions(),n.forceUpdate()):n.suggestionStore.previousSuggestion()&&(e.preventDefault(),e.stopPropagation(),n.onSuggestionSelect()));break;case l.m.down:n.input.current&&e.target===n.input.current.inputElement&&n.state.suggestionsVisible&&(n.suggestionElement.current&&n.suggestionElement.current.tryHandleKeyDown(t,n.suggestionStore.currentIndex)?(e.preventDefault(),e.stopPropagation(),n.forceUpdate()):n.suggestionElement.current&&n.suggestionElement.current.hasSuggestedAction()&&n.suggestionStore.currentIndex+1===n.suggestionStore.suggestions.length?(e.preventDefault(),e.stopPropagation(),n.suggestionElement.current.focusBelowSuggestions(),n.suggestionStore.deselectAllSuggestions(),n.forceUpdate()):n.suggestionStore.nextSuggestion()&&(e.preventDefault(),e.stopPropagation(),n.onSuggestionSelect()))}},n.onItemChange=function(e,t){var o=n.state.items;if(t>=0){var r=o;r[t]=e,n._updateSelectedItems(r)}},n.onGetMoreResults=function(){n.setState({isSearching:!0},(function(){if(n.props.onGetMoreResults&&n.input.current){var e=n.props.onGetMoreResults(n.input.current.value,n.state.items),t=e,o=e;Array.isArray(t)?(n.updateSuggestions(t),n.setState({isSearching:!1})):o.then&&o.then((function(e){n.updateSuggestions(e),n.setState({isSearching:!1})}))}else n.setState({isSearching:!1});n.input.current&&n.input.current.focus(),n.setState({moreSuggestionsAvailable:!1,isResultsFooterVisible:!0})}))},n.completeSelection=function(e){n.addItem(e),n.updateValue(""),n.input.current&&n.input.current.clear(),n.setState({suggestionsVisible:!1})},n.addItemByIndex=function(e){n.completeSelection(n.suggestionStore.getSuggestionAtIndex(e).item)},n.addItem=function(e){var t=n.props.onItemSelected?n.props.onItemSelected(e):e;if(null!==t){var o=t,r=t;if(r&&r.then)r.then((function(e){var t=n.state.items.concat([e]);n._updateSelectedItems(t)}));else{var i=n.state.items.concat([o]);n._updateSelectedItems(i)}n.setState({suggestedDisplayValue:""})}},n.removeItem=function(e,t){var o=n.state.items,r=o.indexOf(e);if(r>=0){var i=o.slice(0,r).concat(o.slice(r+1));n._updateSelectedItems(i)}},n.removeItems=function(e){var t=n.state.items.filter((function(t){return-1===e.indexOf(t)}));n._updateSelectedItems(t)},n._shouldFocusZoneEnterInnerZone=function(e){if(n.state.suggestionsVisible)switch(e.which){case l.m.up:case l.m.down:return!0}return e.which===l.m.enter},n._onResolveSuggestions=function(e){var t=n.props.onResolveSuggestions(e,n.state.items);null!==t&&n.updateSuggestionsList(t,e)},n._completeGenericSuggestion=function(){if(n.props.onValidateInput&&n.input.current&&n.props.onValidateInput(n.input.current.value)!==I.Y.invalid&&n.props.createGenericItem){var e=n.props.createGenericItem(n.input.current.value,n.props.onValidateInput(n.input.current.value));n.suggestionStore.createGenericSuggestion(e),n.completeSuggestion()}},n._userTriggeredSuggestions=function(){if(!n.state.suggestionsVisible){var e=n.input.current?n.input.current.value:"";e?0===n.suggestionStore.suggestions.length?n._onResolveSuggestions(e):n.setState({isMostRecentlyUsedVisible:!1,suggestionsVisible:!0}):n.onEmptyInputFocus()}},(0,u.l)(n),n._async=new d.e(n);var r=t.selectedItems||t.defaultSelectedItems||[];return n._id=(0,p.z)(),n._ariaMap={selectedItems:"selected-items-"+n._id,selectedSuggestionAlert:"selected-suggestion-alert-"+n._id,suggestionList:"suggestion-list-"+n._id,combobox:"combobox-"+n._id},n.suggestionStore=new w.Z,n.selection=new v.Y({onSelectionChanged:function(){return n.onSelectionChange()}}),n.selection.setItems(r),n.state={items:r,suggestedDisplayValue:"",isMostRecentlyUsedVisible:!1,moreSuggestionsAvailable:!1,isFocused:!1,isSearching:!1,selectedIndices:[]},n}return(0,r.ZT)(t,e),t.getDerivedStateFromProps=function(e){return e.selectedItems?{items:e.selectedItems}:null},Object.defineProperty(t.prototype,"items",{get:function(){return this.state.items},enumerable:!0,configurable:!0}),t.prototype.componentDidMount=function(){this.selection.setItems(this.state.items),this._onResolveSuggestions=this._async.debounce(this._onResolveSuggestions,this.props.resolveDelay)},t.prototype.componentDidUpdate=function(e,t){if(this.state.items&&this.state.items!==t.items){var o=this.selection.getSelectedIndices()[0];this.selection.setItems(this.state.items),this.state.isFocused&&this.state.items.length0?"listbox":"dialog"},this.getSuggestionsAlert(_.screenReaderText),i.createElement(b.i,{selection:this.selection,selectionMode:y.oW.multiple},i.createElement("div",{className:_.text,role:"presentation"},n.length>0&&i.createElement("span",{id:this._ariaMap.selectedItems,className:_.itemsWrapper,role:"list"},this.renderItems()),this.canAddItems()&&i.createElement(D.G,(0,r.pi)({spellCheck:!1},l,{className:_.input,componentRef:this.input,onClick:this.onClick,onFocus:this.onInputFocus,onBlur:this.onInputBlur,onInputValueChange:this.onInputChange,suggestedDisplayValue:t,"aria-describedby":n.length>0?this._ariaMap.selectedItems:void 0,"aria-controls":f+" "+p||void 0,"aria-activedescendant":this.getActiveDescendant(),"aria-labelledby":this.props["aria-label"]?this._ariaMap.combobox:void 0,role:"textbox",disabled:c,onInputChange:this.props.onInputChange}))))),this.renderSuggestions())},t.prototype.canAddItems=function(){var e=this.state.items,t=this.props.itemLimit;return void 0===t||e.length=0){var o=this.root.current&&this.root.current.querySelectorAll("[data-selection-index]")[Math.min(e,t.length-1)];o&&this.focusZone.current&&this.focusZone.current.focusElement(o)}else this.canAddItems()?this.input.current&&this.input.current.focus():this.resetFocus(t.length-1)},t.prototype.onSuggestionSelect=function(){if(this.suggestionStore.currentSuggestion){var e=this.input.current?this.input.current.value:"",t=this._getTextFromItem(this.suggestionStore.currentSuggestion.item,e);this.setState({suggestedDisplayValue:t})}},t.prototype.onSelectionChange=function(){this.setState({selectedIndices:this.selection.getSelectedIndices()})},t.prototype.updateSuggestions=function(e){this.suggestionStore.updateSuggestions(e,0),this.forceUpdate()},t.prototype.onEmptyInputFocus=function(){var e=this.props.onEmptyResolveSuggestions?this.props.onEmptyResolveSuggestions:this.props.onEmptyInputFocus;if(e){var t=e(this.state.items);this.updateSuggestionsList(t),this.setState({isMostRecentlyUsedVisible:!0,suggestionsVisible:!0,moreSuggestionsAvailable:!1})}},t.prototype.updateValue=function(e){this._onResolveSuggestions(e)},t.prototype.updateSuggestionsList=function(e,t){var o=this,n=e,r=e;if(Array.isArray(n))this._updateAndResolveValue(t,n);else if(r&&r.then){this.setState({suggestionsLoading:!0}),this.suggestionStore.updateSuggestions([]),void 0!==t?this.setState({suggestionsVisible:this._getShowSuggestions()}):this.setState({suggestionsVisible:this.input.current&&this.input.current.inputElement===document.activeElement});var i=this.currentPromise=r;i.then((function(e){i===o.currentPromise&&o._updateAndResolveValue(t,e)}))}},t.prototype.resolveNewValue=function(e,t){var o=this;this.updateSuggestions(t);var n=void 0;this.suggestionStore.currentSuggestion&&(n=this._getTextFromItem(this.suggestionStore.currentSuggestion.item,e)),this.setState({suggestedDisplayValue:n,suggestionsVisible:this._getShowSuggestions()},(function(){return o.setState({suggestionsLoading:!1})}))},t.prototype.onChange=function(e){this.props.onChange&&this.props.onChange(e)},t.prototype.onBackspace=function(e){(this.state.items.length&&!this.input.current||this.input.current&&!this.input.current.isValueSelected&&0===this.input.current.cursorLocation)&&(this.selection.getSelectedCount()>0?this.removeItems(this.selection.getSelection()):this.removeItem(this.state.items[this.state.items.length-1]))},t.prototype.getActiveDescendant=function(){if(!this.state.suggestionsLoading){var e=this.suggestionStore.currentIndex;return e<0&&this.suggestionElement.current&&this.suggestionElement.current.hasSuggestedAction()?"sug-selectedAction":e>-1&&!this.state.suggestionsLoading?"sug-"+e:void 0}},t.prototype.getSuggestionsAlert=function(e){void 0===e&&(e=B.screenReaderOnly);var t=this.suggestionStore.currentIndex;if(this.props.enableSelectedSuggestionAlert){var o=t>-1?this.suggestionStore.getSuggestionAtIndex(this.suggestionStore.currentIndex):void 0,n=o?o.ariaLabel:void 0;return i.createElement("div",{className:e,role:"alert",id:this._ariaMap.selectedSuggestionAlert,"aria-live":"assertive"},n," ")}},t.prototype._updateAndResolveValue=function(e,t){void 0!==e?this.resolveNewValue(e,t):(this.suggestionStore.updateSuggestions(t,-1),this.state.suggestionsLoading&&this.setState({suggestionsLoading:!1}))},t.prototype._updateSelectedItems=function(e){var t=this;this.props.selectedItems?this.onChange(e):this.setState({items:e},(function(){t._onSelectedItemsUpdated(e)}))},t.prototype._onSelectedItemsUpdated=function(e){this.onChange(e)},t.prototype._getShowSuggestions=function(){return void 0!==this.input.current&&null!==this.input.current&&this.input.current.inputElement===document.activeElement&&""!==this.input.current.value},t.prototype._getTextFromItem=function(e,t){return this.props.getTextFromItem?this.props.getTextFromItem(e,t):""},t}(i.Component),A=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,r.ZT)(t,e),t.prototype.render=function(){var e=this.state,t=e.suggestedDisplayValue,o=e.isFocused,n=this.props,a=n.className,s=n.inputProps,l=n.disabled,c=n.theme,u=n.styles,d=this.props.enableSelectedSuggestionAlert?this._ariaMap.selectedSuggestionAlert:"",p=this.state.suggestionsVisible?this._ariaMap.suggestionList:"",f=u?F(u,{theme:c,className:a,isFocused:o,inputClassName:s&&s.className}):{root:(0,m.i)("ms-BasePicker",a||""),text:(0,m.i)("ms-BasePicker-text",B.pickerText,this.state.isFocused&&B.inputFocused,l&&B.inputDisabled),itemsWrapper:B.pickerItems,input:(0,m.i)("ms-BasePicker-input",B.pickerInput,s&&s.className),screenReaderText:B.screenReaderOnly};return i.createElement("div",{ref:this.root,onBlur:this.onBlur},i.createElement("div",{className:f.root,onKeyDown:this.onKeyDown},this.getSuggestionsAlert(f.screenReaderText),i.createElement("div",{className:f.text,"aria-owns":p||void 0,"aria-expanded":!!this.state.suggestionsVisible,"aria-haspopup":p&&this.suggestionStore.suggestions.length>0?"listbox":"dialog",role:"combobox"},i.createElement(D.G,(0,r.pi)({},s,{className:f.input,componentRef:this.input,onFocus:this.onInputFocus,onBlur:this.onInputBlur,onClick:this.onClick,onInputValueChange:this.onInputChange,suggestedDisplayValue:t,"aria-activedescendant":this.getActiveDescendant(),role:"textbox",disabled:l,"aria-controls":p+" "+d||void 0,onInputChange:this.props.onInputChange})))),this.renderSuggestions(),i.createElement(b.i,{selection:this.selection,selectionMode:y.oW.single},i.createElement(h.k,{componentRef:this.focusZone,className:"ms-BasePicker-selectedItems",isCircularNavigation:!0,direction:g.U.bidirectional,shouldEnterInnerZone:this._shouldFocusZoneEnterInnerZone,id:this._ariaMap.selectedItems,role:"list"},this.renderItems())))},t.prototype.onBackspace=function(e){},t}(L)},9378:(e,t,o)=>{"use strict";o.d(t,{W:()=>i});var n=o(9729),r={root:"ms-BasePicker",text:"ms-BasePicker-text",itemsWrapper:"ms-BasePicker-itemsWrapper",input:"ms-BasePicker-input"};function i(e){var t,o=e.className,i=e.theme,a=e.isFocused,s=e.inputClassName,l=e.disabled;if(!i)throw new Error("theme is undefined or null in base BasePicker getStyles function.");var c=i.semanticColors,u=i.effects,d=i.fonts,p=c.inputBorder,m=c.inputBorderHovered,h=c.inputFocusBorderAlt,g=(0,n.Cn)(r,i),f="rgba(218, 218, 218, 0.29)";return{root:[g.root,o],text:[g.text,{display:"flex",position:"relative",flexWrap:"wrap",alignItems:"center",boxSizing:"border-box",minWidth:180,minHeight:30,border:"1px solid "+p,borderRadius:u.roundedCorner2},!a&&!l&&{selectors:{":hover":{borderColor:m}}},a&&!l&&(0,n.$Y)(h,u.roundedCorner2),l&&{borderColor:f,selectors:(t={":after":{content:'""',position:"absolute",top:0,right:0,bottom:0,left:0,background:f}},t[n.qJ]={borderColor:"GrayText",selectors:{":after":{background:"none"}}},t)}],itemsWrapper:[g.itemsWrapper,{display:"flex",flexWrap:"wrap",maxWidth:"100%"}],input:[g.input,d.medium,{height:30,border:"none",flexGrow:1,outline:"none",padding:"0 6px 0",alignSelf:"flex-end",borderRadius:u.roundedCorner2,backgroundColor:"transparent",color:c.inputText,selectors:{"::-ms-clear":{display:"none"}}},s],screenReaderText:n.ul}}},7115:(e,t,o)=>{"use strict";var n;o.d(t,{Y:()=>n}),function(e){e[e.valid=0]="valid",e[e.warning=1]="warning",e[e.invalid=2]="invalid"}(n||(n={}))},9318:(e,t,o)=>{"use strict";o.d(t,{UM:()=>m,Aj:()=>h,fK:()=>g,eT:()=>f,XF:()=>v,IV:()=>b,cA:()=>y,V1:()=>_,CV:()=>C});var n=o(7622),r=o(7002),i=o(6104),a=o(5951),s=o(2002),l=o(8976),c=o(7115),u=o(4885),d=o(2535),p=o(9378),m=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t}(l.d),h=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t}(l.Y),g=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.defaultProps={onRenderItem:function(e){return r.createElement(u.A,(0,n.pi)({},e))},onRenderSuggestionsItem:function(e,t){return r.createElement(d.E,{personaProps:e,suggestionsProps:t})},createGenericItem:b},t}(m),f=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.defaultProps={onRenderItem:function(e){return r.createElement(u.A,(0,n.pi)({},e))},onRenderSuggestionsItem:function(e,t){return r.createElement(d.E,{personaProps:e,suggestionsProps:t,compact:!0})},createGenericItem:b},t}(m),v=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.defaultProps={onRenderItem:function(e){return r.createElement(u.A,(0,n.pi)({},e))},onRenderSuggestionsItem:function(e,t){return r.createElement(d.E,{personaProps:e,suggestionsProps:t})},createGenericItem:b},t}(h);function b(e,t){var o={key:e,primaryText:e,imageInitials:"!",ValidationState:t};return t!==c.Y.warning&&(o.imageInitials=(0,i.Q)(e,(0,a.zg)())),o}var y=(0,s.z)(g,p.W,void 0,{scope:"NormalPeoplePicker"}),_=(0,s.z)(f,p.W,void 0,{scope:"CompactPeoplePicker"}),C=(0,s.z)(v,p.W,void 0,{scope:"ListPeoplePickerBase"})},4885:(e,t,o)=>{"use strict";o.d(t,{A:()=>v,u:()=>f});var n=o(7622),r=o(7002),i=o(7300),a=o(2782),s=o(2002),l=o(7665),c=o(7481),u=o(5758),d=o(7115),p=o(9729),m=o(2657),h={root:"ms-PickerPersona-container",itemContent:"ms-PickerItem-content",removeButton:"ms-PickerItem-removeButton",isSelected:"is-selected",isInvalid:"is-invalid"},g=(0,i.y)(),f=function(e){var t=e.item,o=e.onRemoveItem,i=e.index,s=e.selected,p=e.removeButtonAriaLabel,m=e.styles,h=e.theme,f=e.className,v=e.disabled,b=(0,a.z)(),y=g(m,{theme:h,className:f,selected:s,disabled:v,invalid:t.ValidationState===d.Y.warning}),_=y.subComponentStyles?y.subComponentStyles.persona:void 0,C=y.subComponentStyles?y.subComponentStyles.personaCoin:void 0;return r.createElement("div",{className:y.root,"data-is-focusable":!v,"data-is-sub-focuszone":!0,"data-selection-index":i,role:"listitem","aria-labelledby":"selectedItemPersona-"+b},r.createElement("div",{className:y.itemContent,id:"selectedItemPersona-"+b},r.createElement(l.I,(0,n.pi)({size:c.Ir.size24,styles:_,coinProps:{styles:C}},t))),r.createElement(u.h,{onClick:o,disabled:v,iconProps:{iconName:"Cancel",styles:{root:{fontSize:"12px"}}},className:y.removeButton,ariaLabel:p}))},v=(0,s.z)(f,(function(e){var t,o,r,i,a,s,l,c=e.className,u=e.theme,d=e.selected,g=e.invalid,f=e.disabled,v=u.palette,b=u.semanticColors,y=u.fonts,_=(0,p.Cn)(h,u),C=[d&&!g&&!f&&{color:v.white,selectors:(t={":hover":{color:v.white}},t[p.qJ]={color:"HighlightText"},t)},(g&&!d||g&&d&&f)&&{color:v.redDark,borderBottom:"2px dotted "+v.redDark,selectors:(o={},o["."+_.root+":hover &"]={color:v.redDark},o)},g&&d&&!f&&{color:v.white,borderBottom:"2px dotted "+v.white},f&&{selectors:(r={},r[p.qJ]={color:"GrayText"},r)}],S=[g&&{fontSize:y.xLarge.fontSize}];return{root:[_.root,(0,p.GL)(u,{inset:-2}),{borderRadius:15,display:"inline-flex",alignItems:"center",background:v.neutralLighter,margin:"1px 2px",cursor:"default",userSelect:"none",maxWidth:300,verticalAlign:"middle",minWidth:0,selectors:(i={":hover":{background:d||f?"":v.neutralLight}},i[p.qJ]=[{border:"1px solid WindowText"},f&&{borderColor:"GrayText"}],i)},d&&!f&&[_.isSelected,{background:v.themePrimary,selectors:(a={},a[p.qJ]=(0,n.pi)({borderColor:"HighLight",background:"Highlight"},(0,p.xM)()),a)}],g&&[_.isInvalid],g&&d&&!f&&{background:v.redDark},c],itemContent:[_.itemContent,{flex:"0 1 auto",minWidth:0,maxWidth:"100%",overflow:"hidden"}],removeButton:[_.removeButton,{borderRadius:15,color:v.neutralPrimary,flex:"0 0 auto",width:24,height:24,selectors:{":hover":{background:v.neutralTertiaryAlt,color:v.neutralDark}}},d&&[{color:v.white,selectors:(s={":hover":{color:v.white,background:v.themeDark},":active":{color:v.white,background:v.themeDarker}},s[p.qJ]={color:"HighlightText"},s)},g&&{selectors:{":hover":{background:v.red},":active":{background:v.redDark}}}],f&&{selectors:(l={},l["."+m.n.msButtonIcon]={color:b.buttonText},l)}],subComponentStyles:{persona:{primaryText:C},personaCoin:{initials:S}}}}),void 0,{scope:"PeoplePickerItem"})},2535:(e,t,o)=>{"use strict";o.d(t,{E:()=>h,R:()=>m});var n=o(7622),r=o(7002),i=o(7300),a=o(2002),s=o(7665),l=o(7481),c=o(9729),u=o(4010),d={root:"ms-PeoplePicker-personaContent",personaWrapper:"ms-PeoplePicker-Persona"},p=(0,i.y)(),m=function(e){var t=e.personaProps,o=e.suggestionsProps,i=e.compact,a=e.styles,c=e.theme,u=e.className,d=p(a,{theme:c,className:o&&o.suggestionsItemClassName||u}),m=d.subComponentStyles&&d.subComponentStyles.persona?d.subComponentStyles.persona:void 0;return r.createElement("div",{className:d.root},r.createElement(s.I,(0,n.pi)({size:l.Ir.size24,styles:m,className:d.personaWrapper,showSecondaryText:!i},t)))},h=(0,a.z)(m,(function(e){var t,o,n,r=e.className,i=e.theme,a=(0,c.Cn)(d,i),s={selectors:(t={},t["."+u.k.isSuggested+" &"]={selectors:(o={},o[c.qJ]={color:"HighlightText"},o)},t["."+a.root+":hover &"]={selectors:(n={},n[c.qJ]={color:"HighlightText"},n)},t)};return{root:[a.root,{width:"100%",padding:"4px 12px"},r],personaWrapper:[a.personaWrapper,{width:180}],subComponentStyles:{persona:{primaryText:s,secondaryText:s}}}}),void 0,{scope:"PeoplePickerItemSuggestion"})},4800:(e,t,o)=>{"use strict";o.d(t,{D:()=>y});var n=o(7622),r=o(7002),i=o(7300),a=o(2002),s=o(8145),l=o(688),c=o(8088),u=o(990),d=o(76),p=o(3945),m=o(9862),h=o(7420),g=o(4010),f=o(8463),v=(0,i.y)(),b=(0,a.z)(h.S,g.W,void 0,{scope:"SuggestionItem"}),y=function(e){function t(t){var o=e.call(this,t)||this;return o._forceResolveButton=r.createRef(),o._searchForMoreButton=r.createRef(),o._selectedElement=r.createRef(),o.tryHandleKeyDown=function(e,t){var n=!1,r=null,i=o.state.selectedActionType,a=o.props.suggestions.length;if(e===s.m.down)switch(i){case m.L.forceResolve:a>0?(o._refocusOnSuggestions(e),r=m.L.none):r=o._searchForMoreButton.current?m.L.searchMore:m.L.forceResolve;break;case m.L.searchMore:o._forceResolveButton.current?r=m.L.forceResolve:a>0?(o._refocusOnSuggestions(e),r=m.L.none):r=m.L.searchMore;break;case m.L.none:-1===t&&o._forceResolveButton.current&&(r=m.L.forceResolve)}else if(e===s.m.up)switch(i){case m.L.forceResolve:o._searchForMoreButton.current?r=m.L.searchMore:a>0&&(o._refocusOnSuggestions(e),r=m.L.none);break;case m.L.searchMore:a>0?(o._refocusOnSuggestions(e),r=m.L.none):o._forceResolveButton.current&&(r=m.L.forceResolve);break;case m.L.none:-1===t&&o._searchForMoreButton.current&&(r=m.L.searchMore)}return null!==r&&(o.setState({selectedActionType:r}),n=!0),n},o._getAlertText=function(){var e=o.props,t=e.isLoading,n=e.isSearching,r=e.suggestions,i=e.suggestionsAvailableAlertText,a=e.noResultsFoundText;if(!t&&!n){if(r.length>0)return i||"";if(a)return a}return""},o._getMoreResults=function(){o.props.onGetMoreResults&&o.props.onGetMoreResults()},o._forceResolve=function(){o.props.createGenericItem&&o.props.createGenericItem()},o._shouldShowForceResolve=function(){return!!o.props.showForceResolve&&o.props.showForceResolve()},o._onClickTypedSuggestionsItem=function(e,t){return function(n){o.props.onSuggestionClick(n,e,t)}},o._refocusOnSuggestions=function(e){"function"==typeof o.props.refocusSuggestions&&o.props.refocusSuggestions(e)},o._onRemoveTypedSuggestionsItem=function(e,t){return function(n){(0,o.props.onSuggestionRemove)(n,e,t),n.stopPropagation()}},(0,l.l)(o),o.state={selectedActionType:m.L.none},o}return(0,n.ZT)(t,e),t.prototype.componentDidMount=function(){this.scrollSelected(),this.activeSelectedElement=this._selectedElement?this._selectedElement.current:null},t.prototype.componentDidUpdate=function(){this._selectedElement.current&&this.activeSelectedElement!==this._selectedElement.current&&(this.scrollSelected(),this.activeSelectedElement=this._selectedElement.current)},t.prototype.render=function(){var e,t,o=this,i=this.props,a=i.forceResolveText,s=i.mostRecentlyUsedHeaderText,l=i.searchForMoreText,h=i.className,g=i.moreSuggestionsAvailable,b=i.noResultsFoundText,y=i.suggestions,_=i.isLoading,C=i.isSearching,S=i.loadingText,x=i.onRenderNoResultFound,k=i.searchingText,w=i.isMostRecentlyUsedVisible,I=i.resultsMaximumNumber,D=i.resultsFooterFull,T=i.resultsFooter,E=i.isResultsFooterVisible,P=void 0===E||E,M=i.suggestionsHeaderText,R=i.suggestionsClassName,N=i.theme,B=i.styles,F=i.suggestionsListId;this._classNames=B?v(B,{theme:N,className:h,suggestionsClassName:R,forceResolveButtonSelected:this.state.selectedActionType===m.L.forceResolve,searchForMoreButtonSelected:this.state.selectedActionType===m.L.searchMore}):{root:(0,c.i)("ms-Suggestions",h,f.root),title:(0,c.i)("ms-Suggestions-title",f.suggestionsTitle),searchForMoreButton:(0,c.i)("ms-SearchMore-button",f.actionButton,(e={},e["is-selected "+f.buttonSelected]=this.state.selectedActionType===m.L.searchMore,e)),forceResolveButton:(0,c.i)("ms-forceResolve-button",f.actionButton,(t={},t["is-selected "+f.buttonSelected]=this.state.selectedActionType===m.L.forceResolve,t)),suggestionsAvailable:(0,c.i)("ms-Suggestions-suggestionsAvailable",f.suggestionsAvailable),suggestionsContainer:(0,c.i)("ms-Suggestions-container",f.suggestionsContainer,R),noSuggestions:(0,c.i)("ms-Suggestions-none",f.suggestionsNone)};var L=this._classNames.subComponentStyles?this._classNames.subComponentStyles.spinner:void 0,A=B?{styles:L}:{className:(0,c.i)("ms-Suggestions-spinner",f.suggestionsSpinner)},z=function(){return b?r.createElement("div",{className:o._classNames.noSuggestions},b):null},H=M;w&&s&&(H=s);var O=void 0;P&&(O=y.length>=I?D:T);var W=!(y&&y.length||_),V=W||_?{role:"dialog",id:F}:{},K=this.state.selectedActionType===m.L.forceResolve?"sug-selectedAction":void 0,q=this.state.selectedActionType===m.L.searchMore?"sug-selectedAction":void 0;return r.createElement("div",(0,n.pi)({className:this._classNames.root},V),r.createElement(p.O,{message:this._getAlertText(),"aria-live":"polite"}),H?r.createElement("div",{className:this._classNames.title},H):null,a&&this._shouldShowForceResolve()&&r.createElement(u.M,{componentRef:this._forceResolveButton,className:this._classNames.forceResolveButton,id:K,onClick:this._forceResolve,"data-automationid":"sug-forceResolve"},a),_&&r.createElement(d.$,(0,n.pi)({},A,{label:S})),W?x?x(void 0,z):z():this._renderSuggestions(),l&&g&&r.createElement(u.M,{componentRef:this._searchForMoreButton,className:this._classNames.searchForMoreButton,iconProps:{iconName:"Search"},id:q,onClick:this._getMoreResults,"data-automationid":"sug-searchForMore"},l),C?r.createElement(d.$,(0,n.pi)({},A,{label:k})):null,!O||g||w||C?null:r.createElement("div",{className:this._classNames.title},O(this.props)))},t.prototype.hasSuggestedAction=function(){return!!this._searchForMoreButton.current||!!this._forceResolveButton.current},t.prototype.hasSuggestedActionSelected=function(){return this.state.selectedActionType!==m.L.none},t.prototype.executeSelectedAction=function(){switch(this.state.selectedActionType){case m.L.forceResolve:this._forceResolve();break;case m.L.searchMore:this._getMoreResults()}},t.prototype.focusAboveSuggestions=function(){this._forceResolveButton.current?this.setState({selectedActionType:m.L.forceResolve}):this._searchForMoreButton.current&&this.setState({selectedActionType:m.L.searchMore})},t.prototype.focusBelowSuggestions=function(){this._searchForMoreButton.current?this.setState({selectedActionType:m.L.searchMore}):this._forceResolveButton.current&&this.setState({selectedActionType:m.L.forceResolve})},t.prototype.focusSearchForMoreButton=function(){this._searchForMoreButton.current&&this._searchForMoreButton.current.focus()},t.prototype.scrollSelected=function(){this._selectedElement.current&&void 0!==this._selectedElement.current.scrollIntoView&&this._selectedElement.current.scrollIntoView(!1)},t.prototype._renderSuggestions=function(){var e=this,t=this.props,o=t.onRenderSuggestion,n=t.removeSuggestionAriaLabel,i=t.suggestionsItemClassName,a=t.resultsMaximumNumber,s=t.showRemoveButtons,l=t.suggestionsContainerAriaLabel,c=t.suggestionsListId,u=this.props.suggestions,d=b,p=-1;return u.some((function(e,t){return!!e.selected&&(p=t,!0)})),a&&(u=p>=a?u.slice(p-a+1,p+1):u.slice(0,a)),0===u.length?null:r.createElement("div",{className:this._classNames.suggestionsContainer,id:c,role:"listbox","aria-label":l},u.map((function(t,a){return r.createElement("div",{ref:t.selected?e._selectedElement:void 0,key:t.item.key?t.item.key:a},r.createElement(d,{suggestionModel:t,RenderSuggestion:o,onClick:e._onClickTypedSuggestionsItem(t.item,a),className:i,showRemoveButton:s,removeButtonAriaLabel:n,onRemoveItem:e._onRemoveTypedSuggestionsItem(t.item,a),id:"sug-"+a}))})))},t}(r.Component)},8463:(e,t,o)=>{"use strict";o.r(t),o.d(t,{root:()=>n,suggestionsItem:()=>r,closeButton:()=>i,suggestionsItemIsSuggested:()=>a,itemButton:()=>s,actionButton:()=>l,buttonSelected:()=>c,suggestionsTitle:()=>u,suggestionsContainer:()=>d,suggestionsNone:()=>p,suggestionsSpinner:()=>m,suggestionsAvailable:()=>h}),(0,o(4976).RM)([{rawString:".root_744a4167{min-width:260px}.suggestionsItem_744a4167{display:-webkit-box;display:-ms-flexbox;display:flex;-webkit-box-align:stretch;-ms-flex-align:stretch;align-items:stretch;-webkit-box-sizing:border-box;box-sizing:border-box;width:100%;position:relative;overflow:hidden}.suggestionsItem_744a4167:hover{background:"},{theme:"neutralLighter",defaultValue:"#f3f2f1"},{rawString:"}.suggestionsItem_744a4167:hover .closeButton_744a4167{display:block}.suggestionsItem_744a4167.suggestionsItemIsSuggested_744a4167{background:"},{theme:"neutralLight",defaultValue:"#edebe9"},{rawString:"}.suggestionsItem_744a4167.suggestionsItemIsSuggested_744a4167:hover{background:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c6c4"},{rawString:"}@media screen and (-ms-high-contrast:active){.suggestionsItem_744a4167.suggestionsItemIsSuggested_744a4167:hover{background:Highlight;color:HighlightText}}@media screen and (-ms-high-contrast:active){.suggestionsItem_744a4167.suggestionsItemIsSuggested_744a4167{background:Highlight;color:HighlightText;-ms-high-contrast-adjust:none}}.suggestionsItem_744a4167.suggestionsItemIsSuggested_744a4167 .closeButton_744a4167:hover{background:"},{theme:"neutralTertiary",defaultValue:"#a19f9d"},{rawString:";color:"},{theme:"neutralPrimary",defaultValue:"#323130"},{rawString:"}@media screen and (-ms-high-contrast:active){.suggestionsItem_744a4167.suggestionsItemIsSuggested_744a4167 .itemButton_744a4167{color:HighlightText}}.suggestionsItem_744a4167 .closeButton_744a4167{display:none;color:"},{theme:"neutralSecondary",defaultValue:"#605e5c"},{rawString:"}.suggestionsItem_744a4167 .closeButton_744a4167:hover{background:"},{theme:"neutralLight",defaultValue:"#edebe9"},{rawString:"}.actionButton_744a4167{background-color:transparent;border:0;cursor:pointer;margin:0;position:relative;border-top:1px solid "},{theme:"neutralLight",defaultValue:"#edebe9"},{rawString:";height:40px;width:100%;font-size:12px}[dir=ltr] .actionButton_744a4167{padding-left:8px}[dir=rtl] .actionButton_744a4167{padding-right:8px}html[dir=ltr] .actionButton_744a4167{text-align:left}html[dir=rtl] .actionButton_744a4167{text-align:right}.actionButton_744a4167:hover{background-color:"},{theme:"neutralLight",defaultValue:"#edebe9"},{rawString:";cursor:pointer}.actionButton_744a4167:active,.actionButton_744a4167:focus{background-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:"}.actionButton_744a4167 .ms-Button-icon{font-size:16px;width:25px}.actionButton_744a4167 .ms-Button-label{margin:0 4px 0 9px}html[dir=rtl] .actionButton_744a4167 .ms-Button-label{margin:0 9px 0 4px}.buttonSelected_744a4167{background-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:"}.suggestionsTitle_744a4167{padding:0 12px;color:"},{theme:"themePrimary",defaultValue:"#0078d4"},{rawString:";font-size:12px;line-height:40px;border-bottom:1px solid "},{theme:"neutralLight",defaultValue:"#edebe9"},{rawString:"}.suggestionsContainer_744a4167{overflow-y:auto;overflow-x:hidden;max-height:300px;border-bottom:1px solid "},{theme:"neutralLight",defaultValue:"#edebe9"},{rawString:"}.suggestionsNone_744a4167{text-align:center;color:#797775;font-size:12px;line-height:30px}.suggestionsSpinner_744a4167{margin:5px 0;white-space:nowrap;line-height:20px;font-size:12px}html[dir=ltr] .suggestionsSpinner_744a4167{padding-left:14px}html[dir=rtl] .suggestionsSpinner_744a4167{padding-right:14px}html[dir=ltr] .suggestionsSpinner_744a4167{text-align:left}html[dir=rtl] .suggestionsSpinner_744a4167{text-align:right}.suggestionsSpinner_744a4167 .ms-Spinner-circle{display:inline-block;vertical-align:middle}.suggestionsSpinner_744a4167 .ms-Spinner-label{display:inline-block;margin:0 10px 0 16px;vertical-align:middle}html[dir=rtl] .suggestionsSpinner_744a4167 .ms-Spinner-label{margin:0 16px 0 10px}.itemButton_744a4167.itemButton_744a4167{width:100%;padding:0;min-width:0;height:100%}@media screen and (-ms-high-contrast:active){.itemButton_744a4167.itemButton_744a4167{color:WindowText}}.itemButton_744a4167.itemButton_744a4167:hover{color:"},{theme:"neutralDark",defaultValue:"#201f1e"},{rawString:"}.closeButton_744a4167.closeButton_744a4167{padding:0 4px;height:auto;width:32px}@media screen and (-ms-high-contrast:active){.closeButton_744a4167.closeButton_744a4167{color:WindowText}}.closeButton_744a4167.closeButton_744a4167:hover{background:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c6c4"},{rawString:";color:"},{theme:"neutralDark",defaultValue:"#201f1e"},{rawString:"}.suggestionsAvailable_744a4167{position:absolute;width:1px;height:1px;padding:0;margin:-1px;overflow:hidden;clip:rect(0,0,0,0);border:0}"}]);var n="root_744a4167",r="suggestionsItem_744a4167",i="closeButton_744a4167",a="suggestionsItemIsSuggested_744a4167",s="itemButton_744a4167",l="actionButton_744a4167",c="buttonSelected_744a4167",u="suggestionsTitle_744a4167",d="suggestionsContainer_744a4167",p="suggestionsNone_744a4167",m="suggestionsSpinner_744a4167",h="suggestionsAvailable_744a4167"},9862:(e,t,o)=>{"use strict";var n;o.d(t,{L:()=>n}),function(e){e[e.none=0]="none",e[e.forceResolve=1]="forceResolve",e[e.searchMore=2]="searchMore"}(n||(n={}))},6920:(e,t,o)=>{"use strict";o.d(t,{Z:()=>n});var n=function(){function e(){var e=this;this._isSuggestionModel=function(e){return void 0!==e.item},this._ensureSuggestionModel=function(t){return e._isSuggestionModel(t)?t:{item:t,selected:!1,ariaLabel:t.name||t.primaryText}},this.suggestions=[],this.currentIndex=-1}return e.prototype.updateSuggestions=function(e,t){e&&e.length>0?(this.suggestions=this.convertSuggestionsToSuggestionItems(e),this.currentIndex=t||0,-1===t?this.currentSuggestion=void 0:void 0!==t&&(this.suggestions[t].selected=!0,this.currentSuggestion=this.suggestions[t])):(this.suggestions=[],this.currentIndex=-1,this.currentSuggestion=void 0)},e.prototype.nextSuggestion=function(){if(this.suggestions&&this.suggestions.length){if(this.currentIndex0)return this.setSelectedSuggestion(this.currentIndex-1),!0;if(0===this.currentIndex)return this.setSelectedSuggestion(this.suggestions.length-1),!0}return!1},e.prototype.getSuggestions=function(){return this.suggestions},e.prototype.getCurrentItem=function(){return this.currentSuggestion},e.prototype.getSuggestionAtIndex=function(e){return this.suggestions[e]},e.prototype.hasSelectedSuggestion=function(){return!!this.currentSuggestion},e.prototype.removeSuggestion=function(e){this.suggestions.splice(e,1)},e.prototype.createGenericSuggestion=function(e){var t=this.convertSuggestionsToSuggestionItems([e])[0];this.currentSuggestion=t},e.prototype.convertSuggestionsToSuggestionItems=function(e){return Array.isArray(e)?e.map(this._ensureSuggestionModel):[]},e.prototype.deselectAllSuggestions=function(){this.currentIndex>-1&&(this.suggestions[this.currentIndex].selected=!1,this.currentIndex=-1)},e.prototype.setSelectedSuggestion=function(e){e>this.suggestions.length-1||e<0?(this.currentIndex=0,this.currentSuggestion.selected=!1,this.currentSuggestion=this.suggestions[0],this.currentSuggestion.selected=!0):(this.currentIndex>-1&&(this.suggestions[this.currentIndex].selected=!1),this.suggestions[e].selected=!0,this.currentIndex=e,this.currentSuggestion=this.suggestions[e])},e}()},7420:(e,t,o)=>{"use strict";o.d(t,{S:()=>p});var n=o(7622),r=o(7002),i=o(7300),a=o(688),s=o(8088),l=o(990),c=o(5758),u=o(8463),d=(0,i.y)(),p=function(e){function t(t){var o=e.call(this,t)||this;return(0,a.l)(o),o}return(0,n.ZT)(t,e),t.prototype.render=function(){var e,t=this.props,o=t.suggestionModel,n=t.RenderSuggestion,i=t.onClick,a=t.className,p=t.id,m=t.onRemoveItem,h=t.isSelectedOverride,g=t.removeButtonAriaLabel,f=t.styles,v=t.theme,b=f?d(f,{theme:v,className:a,suggested:o.selected||h}):{root:(0,s.i)("ms-Suggestions-item",u.suggestionsItem,(e={},e["is-suggested "+u.suggestionsItemIsSuggested]=o.selected||h,e),a),itemButton:(0,s.i)("ms-Suggestions-itemButton",u.itemButton),closeButton:(0,s.i)("ms-Suggestions-closeButton",u.closeButton)};return r.createElement("div",{className:b.root},r.createElement(l.M,{onClick:i,className:b.itemButton,id:p,"aria-selected":o.selected,role:"option","aria-label":o.ariaLabel},n(o.item,this.props)),this.props.showRemoveButton?r.createElement(c.h,{iconProps:{iconName:"Cancel",styles:{root:{fontSize:"12px"}}},title:g,ariaLabel:g,onClick:m,className:b.closeButton}):null)},t}(r.Component)},4010:(e,t,o)=>{"use strict";o.d(t,{k:()=>a,W:()=>s});var n=o(7622),r=o(9729),i=o(6145),a={root:"ms-Suggestions-item",itemButton:"ms-Suggestions-itemButton",closeButton:"ms-Suggestions-closeButton",isSuggested:"is-suggested"};function s(e){var t,o,s,l,c,u,d=e.className,p=e.theme,m=e.suggested,h=p.palette,g=p.semanticColors,f=(0,r.Cn)(a,p);return{root:[f.root,{display:"flex",alignItems:"stretch",boxSizing:"border-box",width:"100%",position:"relative",selectors:{"&:hover":{background:g.menuItemBackgroundHovered},"&:hover .ms-Suggestions-closeButton":{display:"block"}}},m&&{selectors:(t={},t["."+i.G$+" &"]={selectors:(o={},o["."+f.closeButton]={display:"block",background:g.menuItemBackgroundPressed},o)},t[":after"]={pointerEvents:"none",content:'""',position:"absolute",left:0,top:0,bottom:0,right:0,border:"1px solid "+p.semanticColors.focusBorder},t)},d],itemButton:[f.itemButton,{width:"100%",padding:0,border:"none",height:"100%",minWidth:0,overflow:"hidden",selectors:(s={},s[r.qJ]={color:"WindowText",selectors:{":hover":(0,n.pi)({background:"Highlight",color:"HighlightText"},(0,r.xM)())}},s[":hover"]={color:g.menuItemTextHovered},s)},m&&[f.isSuggested,{background:g.menuItemBackgroundPressed,selectors:(l={":hover":{background:g.menuDivider}},l[r.qJ]=(0,n.pi)({background:"Highlight",color:"HighlightText"},(0,r.xM)()),l)}]],closeButton:[f.closeButton,{display:"none",color:h.neutralSecondary,padding:"0 4px",height:"auto",width:32,selectors:(c={":hover, :active":{background:h.neutralTertiaryAlt,color:h.neutralDark}},c[r.qJ]={color:"WindowText"},c)},m&&(u={},u["."+i.G$+" &"]={selectors:{":hover, :active":{background:h.neutralTertiary}}},u.selectors={":hover, :active":{background:h.neutralTertiary,color:h.neutralPrimary}},u)]}}},6826:(e,t,o)=>{"use strict";o.r(t),o.d(t,{ActionButton:()=>_e.K,ActivityItem:()=>S,AnimationClassNames:()=>u.k4,AnimationDirection:()=>Be.s,AnimationStyles:()=>u.Ic,AnimationVariables:()=>u.D1,Announced:()=>k.O,AnnouncedBase:()=>w.d,Async:()=>bo.e,AutoScroll:()=>Ws,Autofill:()=>x.G,BaseButton:()=>ve.Y,BaseComponent:()=>Ie.H,BaseExtendedPeoplePicker:()=>na,BaseExtendedPicker:()=>ta,BaseFloatingPeoplePicker:()=>Ba,BaseFloatingPicker:()=>Ra,BasePeoplePicker:()=>wl.UM,BasePeopleSelectedItemsList:()=>Bc,BasePicker:()=>xl.d,BasePickerListBelow:()=>xl.Y,BaseSelectedItemsList:()=>fc,BaseSlots:()=>np,Breadcrumb:()=>fe,BreadcrumbBase:()=>ue,Button:()=>xe,ButtonGrid:()=>Me._,ButtonGridCell:()=>Re.U,ButtonType:()=>ne,COACHMARK_ATTRIBUTE_NAME:()=>xt,Calendar:()=>Ne.f,Callout:()=>Ae.U,CalloutContent:()=>ze.N,CalloutContentBase:()=>He.H,Check:()=>je,CheckBase:()=>qe,Checkbox:()=>Je.X,CheckboxBase:()=>Ye.A,CheckboxVisibility:()=>un,ChoiceGroup:()=>Ze.F,ChoiceGroupBase:()=>Xe.q,ChoiceGroupOption:()=>Qe.c,Coachmark:()=>Dt,CoachmarkBase:()=>wt,CollapseAllVisibility:()=>zo,ColorClassNames:()=>u.JJ,ColorPicker:()=>go.z,ColorPickerBase:()=>fo.T,ColorPickerGridCell:()=>qu.h,ColorPickerGridCellBase:()=>Gu.t,ColumnActionsMode:()=>an,ColumnDragEndLocation:()=>ln,ComboBox:()=>vo.C,CommandBar:()=>qo,CommandBarBase:()=>Ko,CommandBarButton:()=>ke.Q,CommandButton:()=>we.M,CommunicationColors:()=>vd,CompactPeoplePicker:()=>wl.V1,CompactPeoplePickerBase:()=>wl.eT,CompoundButton:()=>Ce.W,ConstrainMode:()=>sn,ContextualMenu:()=>Go.r,ContextualMenuBase:()=>Uo.MK,ContextualMenuItem:()=>Jo.W,ContextualMenuItemBase:()=>Yo.b,ContextualMenuItemType:()=>jo.n,Customizations:()=>Du.X,Customizer:()=>wp.N,CustomizerContext:()=>Iu.i,DATAKTP_ARIA_TARGET:()=>hs.A4,DATAKTP_EXECUTE_TARGET:()=>hs.ms,DATAKTP_TARGET:()=>hs.fV,DATA_IS_SCROLLABLE_ATTRIBUTE:()=>yo.c6,DATA_PORTAL_ATTRIBUTE:()=>Fp.Y,DAYS_IN_WEEK:()=>Le.NA,DEFAULT_CELL_STYLE_PROPS:()=>hn,DEFAULT_MASK_CHAR:()=>gd,DEFAULT_ROW_HEIGHTS:()=>gn,DatePicker:()=>Xo.M,DatePickerBase:()=>Qo.R,DateRangeType:()=>Le.NU,DayOfWeek:()=>Le.eO,DefaultButton:()=>ye.a,DefaultEffects:()=>u.rN,DefaultFontStyles:()=>u.ir,DefaultPalette:()=>u.UK,DefaultSpacing:()=>wd.C,DelayedRender:()=>Us.U,Depths:()=>kd.N,DetailsColumnBase:()=>En,DetailsHeader:()=>Hn,DetailsHeaderBase:()=>Bn,DetailsList:()=>xr,DetailsListBase:()=>br,DetailsListLayoutMode:()=>cn,DetailsRow:()=>Gn,DetailsRowBase:()=>Kn,DetailsRowCheck:()=>In,DetailsRowFields:()=>On,DetailsRowGlobalClassNames:()=>mn,Dialog:()=>ni,DialogBase:()=>ti,DialogContent:()=>Xr,DialogContentBase:()=>Yr,DialogFooter:()=>Ur,DialogFooterBase:()=>qr,DialogType:()=>Cr,DirectionalHint:()=>K.b,DocumentCard:()=>mi,DocumentCardActions:()=>vi,DocumentCardActivity:()=>_i,DocumentCardDetails:()=>ki,DocumentCardImage:()=>Li,DocumentCardLocation:()=>Di,DocumentCardLogo:()=>Ki,DocumentCardPreview:()=>Mi,DocumentCardStatus:()=>ji,DocumentCardTitle:()=>Hi,DocumentCardType:()=>ri,DragDropHelper:()=>Dn,Dropdown:()=>Ji.L,DropdownBase:()=>Yi.P,DropdownMenuItemType:()=>Zi.F,EdgeChromiumHighContrastSelector:()=>u.Ox,ElementType:()=>oe,EventGroup:()=>at.r,ExpandingCard:()=>ja,ExpandingCardBase:()=>Ua,ExpandingCardMode:()=>Va,ExtendedPeoplePicker:()=>ra,ExtendedSelectedItem:()=>Ec,Fabric:()=>ia.P,FabricBase:()=>aa.d,FabricPerformance:()=>fp,FabricSlots:()=>rp,Facepile:()=>ha,FacepileBase:()=>pa,FirstWeekOfYear:()=>Le.On,FloatingPeoplePicker:()=>Fa,FluentTheme:()=>Vd,FocusRects:()=>B.u,FocusTrapCallout:()=>We,FocusTrapZone:()=>Oe.P,FocusZone:()=>M.k,FocusZoneDirection:()=>R.U,FocusZoneTabbableElements:()=>R.J,FontClassNames:()=>u.yV,FontIcon:()=>Ve.xu,FontSizes:()=>u.TS,FontWeights:()=>u.lq,GlobalSettings:()=>vp.D,GroupFooter:()=>ir,GroupHeader:()=>$n,GroupShowAll:()=>or,GroupSpacer:()=>pn,GroupedList:()=>dr,GroupedListBase:()=>ur,GroupedListSection:()=>ar,HEX_REGEX:()=>Tt.lX,HighContrastSelector:()=>u.qJ,HighContrastSelectorBlack:()=>u.$v,HighContrastSelectorWhite:()=>u.bO,HoverCard:()=>es,HoverCardBase:()=>$a,HoverCardType:()=>Oa,Icon:()=>W.J,IconBase:()=>ts.A,IconButton:()=>V.h,IconFontSizes:()=>u.ld,IconType:()=>os.T,Image:()=>Ti.E,ImageBase:()=>is.v,ImageCoverStyle:()=>as.yZ,ImageFit:()=>as.kQ,ImageIcon:()=>ns.X,ImageLoadState:()=>as.U9,InjectionMode:()=>u.qS,IsFocusVisibleClassName:()=>de.G$,KTP_ARIA_SEPARATOR:()=>hs.Tc,KTP_FULL_PREFIX:()=>hs.L7,KTP_LAYER_ID:()=>hs.nK,KTP_PREFIX:()=>hs.ww,KTP_SEPARATOR:()=>hs.by,KeyCodes:()=>rt.m,KeyboardSpinDirection:()=>fu.T,Keytip:()=>ps,KeytipData:()=>ms.a,KeytipEvents:()=>hs.Tj,KeytipLayer:()=>Es,KeytipLayerBase:()=>Ts,KeytipManager:()=>Bo.K,Label:()=>Ns._,LabelBase:()=>Rs.E,Layer:()=>dt.m,LayerBase:()=>Ls.s,LayerHost:()=>zs,Link:()=>O,LinkBase:()=>A,List:()=>Eo,ListPeoplePicker:()=>wl.CV,ListPeoplePickerBase:()=>wl.XF,LocalizedFontFamilies:()=>Od.II,LocalizedFontNames:()=>Od.Qm,MAX_COLOR_ALPHA:()=>Tt.c5,MAX_COLOR_HUE:()=>Tt.a_,MAX_COLOR_RGB:()=>Tt.uc,MAX_COLOR_RGBA:()=>Tt.WC,MAX_COLOR_SATURATION:()=>Tt.fr,MAX_COLOR_VALUE:()=>Tt.uw,MAX_HEX_LENGTH:()=>Tt.fG,MAX_RGBA_LENGTH:()=>Tt.jU,MIN_HEX_LENGTH:()=>Tt.yE,MIN_RGBA_LENGTH:()=>Tt.HT,MarqueeSelection:()=>Gs,MaskedTextField:()=>fd,MeasuredContext:()=>Z,MemberListPeoplePicker:()=>wl.Aj,MessageBar:()=>il,MessageBarBase:()=>$s,MessageBarButton:()=>Ee,MessageBarType:()=>Bs,Modal:()=>Wr,ModalBase:()=>Or,MonthOfYear:()=>Le.m2,MotionAnimations:()=>xd,MotionDurations:()=>Cd,MotionTimings:()=>Sd,Nav:()=>dl,NavBase:()=>ul,NeutralColors:()=>bd,NormalPeoplePicker:()=>wl.cA,NormalPeoplePickerBase:()=>wl.fK,OpenCardMode:()=>Ha,OverflowButtonType:()=>oa,OverflowSet:()=>Oo,OverflowSetBase:()=>Ao,Overlay:()=>Ir.a,OverlayBase:()=>pl.R,Panel:()=>ml.s,PanelBase:()=>hl.P,PanelType:()=>gl.w,PeoplePickerItem:()=>Il.A,PeoplePickerItemBase:()=>Il.u,PeoplePickerItemSuggestion:()=>Dl.E,PeoplePickerItemSuggestionBase:()=>Dl.R,Persona:()=>ua.I,PersonaBase:()=>fl.R,PersonaCoin:()=>_.t,PersonaCoinBase:()=>vl.z,PersonaInitialsColor:()=>C.z5,PersonaPresence:()=>C.H_,PersonaSize:()=>C.Ir,Pivot:()=>Xl,PivotBase:()=>Ul,PivotItem:()=>Vl,PivotLinkFormat:()=>jl,PivotLinkSize:()=>Jl,PlainCard:()=>Xa,PlainCardBase:()=>Za,Popup:()=>Dr.G,Position:()=>lt.L,PositioningContainer:()=>bt,PrimaryButton:()=>Se.K,ProgressIndicator:()=>nc,ProgressIndicatorBase:()=>$l,PulsingBeaconAnimationStyles:()=>u.a1,RGBA_REGEX:()=>Tt.Xb,Rating:()=>rc.i,RatingBase:()=>ic.x,RatingSize:()=>ac.O,Rectangle:()=>bp.A,RectangleEdge:()=>lt.z,ResizeGroup:()=>re,ResizeGroupBase:()=>te,ResizeGroupDirection:()=>z,ResponsiveMode:()=>Er.eD,SELECTION_CHANGE:()=>on.F5,ScreenWidthMaxLarge:()=>u.P$,ScreenWidthMaxMedium:()=>u.yp,ScreenWidthMaxSmall:()=>u.mV,ScreenWidthMaxXLarge:()=>u.yO,ScreenWidthMaxXXLarge:()=>u.CQ,ScreenWidthMinLarge:()=>u.AV,ScreenWidthMinMedium:()=>u.dd,ScreenWidthMinSmall:()=>u.QQ,ScreenWidthMinUhfMobile:()=>u.bE,ScreenWidthMinXLarge:()=>u.qv,ScreenWidthMinXXLarge:()=>u.B,ScreenWidthMinXXXLarge:()=>u.F1,ScrollToMode:()=>xo,ScrollablePane:()=>pc,ScrollablePaneBase:()=>dc,ScrollablePaneContext:()=>cc,ScrollbarVisibility:()=>lc,SearchBox:()=>mc.R,SearchBoxBase:()=>hc.i,SelectAllVisibility:()=>wn,SelectableOptionMenuItemType:()=>Zi.F,SelectedPeopleList:()=>Fc,Selection:()=>nn.Y,SelectionDirection:()=>on.a$,SelectionMode:()=>on.oW,SelectionZone:()=>rn.i,SemanticColorSlots:()=>ip,Separator:()=>zc,SeparatorBase:()=>Ac,Shade:()=>Yt,SharedColors:()=>yd,Shimmer:()=>cu,ShimmerBase:()=>lu,ShimmerCircle:()=>tu,ShimmerCircleBase:()=>eu,ShimmerElementType:()=>Hc,ShimmerElementsDefaultHeights:()=>Oc,ShimmerElementsGroup:()=>au,ShimmerElementsGroupBase:()=>nu,ShimmerGap:()=>Xc,ShimmerGapBase:()=>Yc,ShimmerLine:()=>jc,ShimmerLineBase:()=>Gc,ShimmeredDetailsList:()=>pu,ShimmeredDetailsListBase:()=>du,Slider:()=>mu.i,SliderBase:()=>hu.V,SpinButton:()=>gu.k,Spinner:()=>Yn.$,SpinnerBase:()=>vu.G,SpinnerSize:()=>bu.E,SpinnerType:()=>bu.d,Stack:()=>Hu,StackItem:()=>Nu,Sticky:()=>Ou,StickyPositionType:()=>Pu,Stylesheet:()=>u.Ye,SuggestionActionType:()=>Cl.L,SuggestionItemType:()=>_a,Suggestions:()=>_l.D,SuggestionsControl:()=>Pa,SuggestionsController:()=>Sl.Z,SuggestionsCore:()=>ya,SuggestionsHeaderFooterItem:()=>Ea,SuggestionsItem:()=>fa.S,SuggestionsStore:()=>Aa,SwatchColorPicker:()=>Vu.U,SwatchColorPickerBase:()=>Ku._,TagItem:()=>Nl,TagItemBase:()=>Rl,TagItemSuggestion:()=>Al,TagItemSuggestionBase:()=>Ll,TagPicker:()=>Hl,TagPickerBase:()=>zl,TeachingBubble:()=>nd,TeachingBubbleBase:()=>od,TeachingBubbleContent:()=>$u,TeachingBubbleContentBase:()=>ju,Text:()=>ad,TextField:()=>sd.n,TextFieldBase:()=>ld.P,TextStyles:()=>id,TextView:()=>rd,ThemeContext:()=>qd,ThemeGenerator:()=>sp,ThemeProvider:()=>op,ThemeSettingName:()=>u.Jw,TimeConstants:()=>tn.r,Toggle:()=>cp.Z,ToggleBase:()=>up.s,Tooltip:()=>dp.u,TooltipBase:()=>pp.P,TooltipDelay:()=>mp.j,TooltipHost:()=>ie.G,TooltipHostBase:()=>hp.Z,TooltipOverflowMode:()=>ae.y,ValidationState:()=>kl.Y,VerticalDivider:()=>ii.p,VirtualizedComboBox:()=>Mo,WeeklyDayPicker:()=>hm,WindowContext:()=>j.Hn,WindowProvider:()=>j.WU,ZIndexes:()=>u.bR,addDays:()=>en.E4,addDirectionalKeyCode:()=>Op.e,addElementAtIndex:()=>Co.OA,addMonths:()=>en.zI,addWeeks:()=>en.jh,addYears:()=>en.Bc,allowOverscrollOnElement:()=>yo.eC,allowScrollOnElement:()=>yo.C7,anchorProperties:()=>E.h2,appendFunction:()=>yp.Z,arraysEqual:()=>Co.cO,asAsync:()=>Sp,assertNever:()=>xp,assign:()=>Xt.f0,audioProperties:()=>E.vF,baseElementEvents:()=>E.WO,baseElementProperties:()=>E.Nf,buildClassMap:()=>u.$O,buildColumns:()=>yr,buildKeytipConfigMap:()=>Ps,buttonProperties:()=>E.Yq,calculatePrecision:()=>Vs.oe,canAnyMenuItemsCheck:()=>Uo.Hl,clamp:()=>Mt.u,classNamesFunction:()=>D.y,colGroupProperties:()=>E.YG,colProperties:()=>E.qi,compareDatePart:()=>en.NJ,compareDates:()=>en.aN,composeComponentAs:()=>No,composeRenderFunction:()=>ko.k,concatStyleSets:()=>u.E$,concatStyleSetsWithProps:()=>u.l7,constructKeytip:()=>Ms,correctHSV:()=>Jt,correctHex:()=>Zt.L,correctRGB:()=>jt.k,createArray:()=>Co.Ri,createFontStyles:()=>u.FF,createGenericItem:()=>wl.IV,createItem:()=>La,createMemoizer:()=>d.Ct,createMergedRef:()=>am.S,createTheme:()=>u.jG,css:()=>pt.i,cssColor:()=>Et.r,customizable:()=>De.a,defaultCalendarNavigationIcons:()=>Fe.XU,defaultCalendarStrings:()=>Fe.V3,defaultDatePickerStrings:()=>$o.f,defaultDayPickerStrings:()=>Fe.GC,defaultWeeklyDayPickerNavigationIcons:()=>um,defaultWeeklyDayPickerStrings:()=>cm,disableBodyScroll:()=>yo.Qp,divProperties:()=>E.n7,doesElementContainFocus:()=>ot.WU,elementContains:()=>it.t,elementContainsAttribute:()=>Tp.j,enableBodyScroll:()=>yo.tG,extendComponent:()=>Ap.c,filteredAssign:()=>Xt.lW,find:()=>Co.sE,findElementRecursive:()=>Ep.X,findIndex:()=>Co.cx,findScrollableParent:()=>yo.zj,fitContentToBounds:()=>Vs.nK,flatten:()=>Co.xH,focusAsync:()=>ot.um,focusClear:()=>u.e2,focusFirstChild:()=>ot.uo,fontFace:()=>u.jN,formProperties:()=>E.NX,format:()=>ap.W,getAllSelectedOptions:()=>gc.t,getAriaDescribedBy:()=>ss.w7,getBackgroundShade:()=>po,getBoundsFromTargetWindow:()=>ct.qE,getChildren:()=>Mp,getColorFromHSV:()=>Wt,getColorFromRGBA:()=>Ht.N,getColorFromString:()=>zt.T,getContrastRatio:()=>mo,getDatePartHashValue:()=>en.c8,getDateRangeArray:()=>en.e0,getDetailsRowStyles:()=>vn,getDistanceBetweenPoints:()=>Vs.Iw,getDocument:()=>nt.M,getEdgeChromiumNoHighContrastAdjustSelector:()=>u.h4,getElementIndexPath:()=>ot.xu,getEndDateOfWeek:()=>en.Hx,getFadedOverflowStyle:()=>u.$X,getFirstFocusable:()=>ot.ft,getFirstTabbable:()=>ot.RK,getFocusOutlineStyle:()=>u.jx,getFocusStyle:()=>u.GL,getFocusableByIndexPath:()=>ot.bF,getFontIcon:()=>Ve.Pw,getFullColorString:()=>Vt.p,getGlobalClassNames:()=>u.Cn,getHighContrastNoAdjustStyle:()=>u.xM,getIcon:()=>u.q7,getIconClassName:()=>u.Wx,getIconContent:()=>Ve.z1,getId:()=>dn.z,getInitialResponsiveMode:()=>Er.K7,getInitials:()=>Na.Q,getInputFocusStyle:()=>u.$Y,getLanguage:()=>Gp.G,getLastFocusable:()=>ot.TE,getLastTabbable:()=>ot.xY,getMaxHeight:()=>ct.DC,getMeasurementCache:()=>J,getMenuItemStyles:()=>Zo.w,getMonthEnd:()=>en.D7,getMonthStart:()=>en.pU,getNativeElementProps:()=>$d,getNativeProps:()=>E.pq,getNextElement:()=>ot.dc,getNextResizeGroupStateProvider:()=>Y,getOppositeEdge:()=>ct.bv,getParent:()=>_o.G,getPersonaInitialsColor:()=>yl.g,getPlaceholderStyles:()=>u.Sv,getPreviousElement:()=>ot.TD,getPropsWithDefaults:()=>st.j,getRTL:()=>T.zg,getRTLSafeKeyCode:()=>T.dP,getRect:()=>mr,getResourceUrl:()=>Xp,getResponsiveMode:()=>Er.tc,getScreenSelector:()=>u.sK,getScrollbarWidth:()=>yo.np,getShade:()=>uo,getSplitButtonClassNames:()=>Pe.W,getStartDateOfWeek:()=>en.wu,getSubmenuItems:()=>Uo.Nb,getTheme:()=>u.gh,getThemedContext:()=>u.Nf,getVirtualParent:()=>Rp.r,getWeekNumber:()=>en.uW,getWeekNumbersInMonth:()=>en.iU,getWindow:()=>So.J,getYearEnd:()=>en.Q9,getYearStart:()=>en.W8,hasHorizontalOverflow:()=>Yp.b5,hasOverflow:()=>Yp.zS,hasVerticalOverflow:()=>Yp.cs,hiddenContentStyle:()=>u.ul,hoistMethods:()=>zp.W,hoistStatics:()=>Hp.f,hsl2hsv:()=>Nt.E,hsl2rgb:()=>Rt.w,hsv2hex:()=>Ft.d,hsv2hsl:()=>At,hsv2rgb:()=>Bt.X,htmlElementProperties:()=>E.iY,iframeProperties:()=>E.SZ,imageProperties:()=>E.X7,imgProperties:()=>E.it,initializeComponentRef:()=>P.l,initializeFocusRects:()=>Wp,initializeIcons:()=>rs.l,initializeResponsiveMode:()=>Er.LF,inputProperties:()=>E.Gg,isControlled:()=>kp.s,isDark:()=>co,isDirectionalKeyCode:()=>Op.L,isElementFocusSubZone:()=>ot.gc,isElementFocusZone:()=>ot.jz,isElementTabbable:()=>ot.MW,isElementVisible:()=>ot.Jv,isIE11:()=>rm.f,isIOS:()=>jp.g,isInDateRangeArray:()=>en.le,isMac:()=>_s.V,isRelativeUrl:()=>ll,isValidShade:()=>ao,isVirtualElement:()=>Pp.r,keyframes:()=>u.F4,ktpTargetFromId:()=>ss._l,ktpTargetFromSequences:()=>ss.eX,labelProperties:()=>E.mp,liProperties:()=>E.PT,loadTheme:()=>u.jz,makeStyles:()=>Zd,mapEnumByName:()=>Xt.vT,memoize:()=>d.HP,memoizeFunction:()=>d.NF,merge:()=>Up.T,mergeAriaAttributeValues:()=>_p.I,mergeCustomizations:()=>Ip.u,mergeOverflows:()=>ss.a1,mergeScopedSettings:()=>Dp.J,mergeSettings:()=>Dp.O,mergeStyleSets:()=>u.ZC,mergeStyles:()=>u.y0,mergeThemes:()=>_d.I,modalize:()=>Jp.O,noWrap:()=>u.jq,normalize:()=>u.Fv,nullRender:()=>Ie.S,olProperties:()=>E.t$,omit:()=>Xt.CE,on:()=>Mr.on,optionProperties:()=>E.Qy,personaPresenceSize:()=>bl.bw,personaSize:()=>bl.or,portalContainsElement:()=>Np.w,positionCallout:()=>ct.c5,positionCard:()=>ct.Su,positionElement:()=>ct.p$,precisionRound:()=>Vs.F0,presenceBoolean:()=>bl.zx,raiseClick:()=>Bp.x,registerDefaultFontFaces:()=>u.Kq,registerIconAlias:()=>u.M_,registerIcons:()=>u.fm,registerOnThemeChangeCallback:()=>u.tj,removeIndex:()=>Co.$E,removeOnThemeChangeCallback:()=>u.sw,replaceElement:()=>Co.wm,resetControlledWarnings:()=>om.G,resetIds:()=>dn._,resetMemoizations:()=>d.du,rgb2hex:()=>Pt.C,rgb2hsv:()=>Lt.D,safeRequestAnimationFrame:()=>$p.J,safeSetTimeout:()=>em,selectProperties:()=>E.bL,sequencesToID:()=>ss.aB,setBaseUrl:()=>Qp,setFocusVisibility:()=>de.MU,setIconOptions:()=>u.yN,setLanguage:()=>Gp.m,setMemoizeWeakMap:()=>d.rQ,setMonth:()=>en.q0,setPortalAttribute:()=>Fp.U,setRTL:()=>T.ok,setResponsiveMode:()=>Er.kd,setSSR:()=>im.T,setVirtualParent:()=>Lp.N,setWarningCallback:()=>be.U,shallowCompare:()=>Xt.Vv,shouldWrapFocus:()=>ot.mM,sizeBoolean:()=>bl.yR,sizeToPixels:()=>bl.Y4,styled:()=>I.z,tableProperties:()=>E.$B,tdProperties:()=>E.IX,textAreaProperties:()=>E.FI,thProperties:()=>E.fI,themeRulesStandardCreator:()=>lp,toMatrix:()=>Co.QC,trProperties:()=>E.PC,transitionKeysAreEqual:()=>Ss,transitionKeysContain:()=>xs,unhoistMethods:()=>zp.e,unregisterIcons:()=>u.Kf,updateA:()=>Ut.R,updateH:()=>qt.i,updateRGB:()=>Gt,updateSV:()=>Kt.d,updateT:()=>ho.X,useCustomizationSettings:()=>Kd.D,useDocument:()=>j.ky,useFocusRects:()=>B.P,useHeightOffset:()=>vt,useKeytipRef:()=>fs,useResponsiveMode:()=>Tr.q,useTheme:()=>Gd,useWindow:()=>j.zY,values:()=>Xt.VO,videoProperties:()=>E.NI,warn:()=>be.Z,warnConditionallyRequiredProps:()=>tm.w,warnControlledUsage:()=>om.Q,warnDeprecations:()=>Vr.b,warnMutuallyExclusive:()=>nm.L,withResponsiveMode:()=>Er.Ae});var n={};o.r(n),o.d(n,{pickerInput:()=>$i,pickerText:()=>Qi});var r={};o.r(r),o.d(r,{callout:()=>ga});var i={};o.r(i),o.d(i,{suggestionsContainer:()=>va});var a={};o.r(a),o.d(a,{actionButton:()=>Sa,buttonSelected:()=>xa,itemButton:()=>Ia,root:()=>Ca,screenReaderOnly:()=>Da,suggestionsSpinner:()=>wa,suggestionsTitle:()=>ka});var s={};o.r(s),o.d(s,{actionButton:()=>yc,expandButton:()=>kc,hover:()=>bc,itemContainer:()=>Dc,itemContent:()=>Sc,personaContainer:()=>vc,personaContainerIsSelected:()=>_c,personaDetails:()=>Ic,personaWrapper:()=>wc,removeButton:()=>xc,validationError:()=>Cc});var l=o(7622),c=o(7002),u=o(9729),d=o(5094),p=(0,d.NF)((function(e,t,o,n){return{root:(0,u.y0)("ms-ActivityItem",t,e.root,n&&e.isCompactRoot),pulsingBeacon:(0,u.y0)("ms-ActivityItem-pulsingBeacon",e.pulsingBeacon),personaContainer:(0,u.y0)("ms-ActivityItem-personaContainer",e.personaContainer,n&&e.isCompactPersonaContainer),activityPersona:(0,u.y0)("ms-ActivityItem-activityPersona",e.activityPersona,n&&e.isCompactPersona,!n&&o&&2===o.length&&e.doublePersona),activityTypeIcon:(0,u.y0)("ms-ActivityItem-activityTypeIcon",e.activityTypeIcon,n&&e.isCompactIcon),activityContent:(0,u.y0)("ms-ActivityItem-activityContent",e.activityContent,n&&e.isCompactContent),activityText:(0,u.y0)("ms-ActivityItem-activityText",e.activityText),commentText:(0,u.y0)("ms-ActivityItem-commentText",e.commentText),timeStamp:(0,u.y0)("ms-ActivityItem-timeStamp",e.timeStamp,n&&e.isCompactTimeStamp)}})),m="32px",h="16px",g="16px",f="13px",v=(0,d.NF)((function(){return(0,u.F4)({from:{opacity:0},to:{opacity:1}})})),b=(0,d.NF)((function(){return(0,u.F4)({from:{transform:"translateX(-10px)"},to:{transform:"translateX(0)"}})})),y=(0,d.NF)((function(e,t,o,n,r,i){var a;void 0===e&&(e=(0,u.gh)());var s={animationName:u.a1.continuousPulseAnimationSingle(n||e.palette.themePrimary,r||e.palette.themeTertiary,"4px","28px","4px"),animationIterationCount:"1",animationDuration:".8s",zIndex:1},l={animationName:b(),animationIterationCount:"1",animationDuration:".5s"},c={animationName:v(),animationIterationCount:"1",animationDuration:".5s"},d={root:[e.fonts.small,{display:"flex",justifyContent:"flex-start",alignItems:"flex-start",boxSizing:"border-box",color:e.palette.neutralSecondary},i&&o&&c],pulsingBeacon:[{position:"absolute",top:"50%",left:"50%",transform:"translate(-50%, -50%)",width:"0px",height:"0px",borderRadius:"225px",borderStyle:"solid",opacity:0},i&&o&&s],isCompactRoot:{alignItems:"center"},personaContainer:{display:"flex",flexWrap:"wrap",minWidth:m,width:m,height:m},isCompactPersonaContainer:{display:"inline-flex",flexWrap:"nowrap",flexBasis:"auto",height:h,width:"auto",minWidth:"0",paddingRight:"6px"},activityTypeIcon:{height:m,fontSize:g,lineHeight:g,marginTop:"3px"},isCompactIcon:{height:h,minWidth:h,fontSize:f,lineHeight:f,color:e.palette.themePrimary,marginTop:"1px",position:"relative",display:"flex",justifyContent:"center",alignItems:"center",selectors:{".ms-Persona-imageArea":{margin:"-2px 0 0 -2px",border:"2px solid"+e.palette.white,borderRadius:"50%",selectors:(a={},a[u.qJ]={border:"none",margin:"0"},a)}}},activityPersona:{display:"block"},doublePersona:{selectors:{":first-child":{alignSelf:"flex-end"}}},isCompactPersona:{display:"inline-block",width:"8px",minWidth:"8px",overflow:"visible"},activityContent:[{padding:"0 8px"},i&&o&&l],activityText:{display:"inline"},isCompactContent:{flex:"1",padding:"0 4px",whiteSpace:"nowrap",textOverflow:"ellipsis",overflowX:"hidden"},commentText:{color:e.palette.neutralPrimary},timeStamp:[e.fonts.tiny,{fontWeight:400,color:e.palette.neutralSecondary}],isCompactTimeStamp:{display:"inline-block",paddingLeft:"0.3em",fontSize:"1em"}};return(0,u.E$)(d,t)})),_=o(6543),C=o(7481),S=function(e){function t(t){var o=e.call(this,t)||this;return o._onRenderIcon=function(e){return e.activityPersonas?o._onRenderPersonaArray(e):o.props.activityIcon},o._onRenderActivityDescription=function(e){var t=o._getClassNames(e),n=e.activityDescription||e.activityDescriptionText;return n?c.createElement("span",{className:t.activityText},n):null},o._onRenderComments=function(e){var t=o._getClassNames(e),n=e.comments||e.commentText;return!e.isCompact&&n?c.createElement("div",{className:t.commentText},n):null},o._onRenderTimeStamp=function(e){var t=o._getClassNames(e);return!e.isCompact&&e.timeStamp?c.createElement("div",{className:t.timeStamp},e.timeStamp):null},o._onRenderPersonaArray=function(e){var t=o._getClassNames(e),n=null,r=e.activityPersonas;if(r[0].imageUrl||r[0].imageInitials){var i=[],a=r.length>1||e.isCompact,s=e.isCompact?3:4,u=void 0;e.isCompact&&(u={display:"inline-block",width:"10px",minWidth:"10px",overflow:"visible"}),r.filter((function(e,t){return tt;){var l=r(a);if(void 0===l)return{renderedData:a,resizeDirection:void 0,dataToMeasure:void 0};if(void 0===(s=o.getCachedMeasurement(l)))return{dataToMeasure:l,resizeDirection:"shrink"};a=l}return{renderedData:a,resizeDirection:void 0,dataToMeasure:void 0}}return{getNextState:function(e,i,a,s){if(void 0!==s||void 0!==i.dataToMeasure){if(s){if(t&&i.renderedData&&!i.dataToMeasure)return(0,l.pi)((0,l.pi)({},i),function(e,o,n,r){var i;return i=e>t?r?{resizeDirection:"grow",dataToMeasure:r(n)}:{resizeDirection:"shrink",dataToMeasure:o}:{resizeDirection:"shrink",dataToMeasure:n},t=e,(0,l.pi)((0,l.pi)({},i),{measureContainer:!1})}(s,e.data,i.renderedData,e.onGrowData));t=s}var c=(0,l.pi)((0,l.pi)({},i),{measureContainer:!1});return i.dataToMeasure&&(c="grow"===i.resizeDirection&&e.onGrowData?(0,l.pi)((0,l.pi)({},c),function(e,i,a,s){for(var c=e,u=n(e,a);u=i))return(t=(0,l.pr)(t)).splice(r,0,a),(0,l.pi)((0,l.pi)({},e),{renderedItems:t,renderedOverflowItems:o})},o._onRenderBreadcrumb=function(e){var t=e.props,n=t.ariaLabel,r=t.dividerAs,i=void 0===r?W.J:r,a=t.onRenderItem,s=void 0===a?o._onRenderItem:a,u=t.overflowAriaLabel,d=t.overflowIndex,p=t.onRenderOverflowIcon,m=t.overflowButtonAs,h=e.renderedOverflowItems,g=e.renderedItems,f=h.map((function(e){var t=!(!e.onClick&&!e.href);return{text:e.text,name:e.text,key:e.key,onClick:e.onClick?o._onBreadcrumbClicked.bind(o,e):null,href:e.href,disabled:!t,itemProps:t?void 0:ce}})),v=g.length-1,b=h&&0!==h.length,y=g.map((function(e,t){return c.createElement("li",{className:o._classNames.listItem,key:e.key||String(t)},s(e,o._onRenderItem),(t!==v||b&&t===d-1)&&c.createElement(i,{className:o._classNames.chevron,iconName:(0,T.zg)(o.props.theme)?"ChevronLeft":"ChevronRight",item:e}))}));if(b){var _=p?{}:{iconName:"More"},C=p||le,S=m||V.h;y.splice(d,0,c.createElement("li",{className:o._classNames.overflow,key:"overflow"},c.createElement(S,{className:o._classNames.overflowButton,iconProps:_,role:"button","aria-haspopup":"true",ariaLabel:u,onRenderMenuIcon:C,menuProps:{items:f,directionalHint:K.b.bottomLeftEdge}}),d!==v+1&&c.createElement(i,{className:o._classNames.chevron,iconName:(0,T.zg)(o.props.theme)?"ChevronLeft":"ChevronRight",item:h[h.length-1]})))}var x=(0,E.pq)(o.props,E.iY,["className"]);return c.createElement("div",(0,l.pi)({className:o._classNames.root,role:"navigation","aria-label":n},x),c.createElement(M.k,(0,l.pi)({componentRef:o._focusZone,direction:R.U.horizontal},o.props.focusZoneProps),c.createElement("ol",{className:o._classNames.list},y)))},o._onRenderItem=function(e){var t=e.as,n=e.href,r=e.onClick,i=e.isCurrentItem,a=e.text,s=(0,l._T)(e,["as","href","onClick","isCurrentItem","text"]);if(r||n)return c.createElement(O,(0,l.pi)({},s,{as:t,className:o._classNames.itemLink,href:n,"aria-current":i?"page":void 0,onClick:o._onBreadcrumbClicked.bind(o,e)}),c.createElement(ie.G,(0,l.pi)({content:a,overflowMode:ae.y.Parent},o.props.tooltipHostProps),a));var u=t||"span";return c.createElement(u,(0,l.pi)({},s,{className:o._classNames.item}),c.createElement(ie.G,(0,l.pi)({content:a,overflowMode:ae.y.Parent},o.props.tooltipHostProps),a))},o._onBreadcrumbClicked=function(e,t){e.onClick&&e.onClick(t,e)},(0,P.l)(o),o._validateProps(t),o}return(0,l.ZT)(t,e),t.prototype.focus=function(){this._focusZone.current&&this._focusZone.current.focus()},t.prototype.render=function(){this._validateProps(this.props);var e=this.props,t=e.onReduceData,o=void 0===t?this._onReduceData:t,n=e.onGrowData,r=void 0===n?this._onGrowData:n,i=e.overflowIndex,a=e.maxDisplayedItems,s=e.items,u=e.className,d=e.theme,p=e.styles,m=(0,l.pr)(s),h=m.splice(i,m.length-a),g={props:this.props,renderedItems:m,renderedOverflowItems:h};return this._classNames=se(p,{className:u,theme:d}),c.createElement(re,{onRenderData:this._onRenderBreadcrumb,onReduceData:o,onGrowData:r,data:g})},t.prototype._validateProps=function(e){var t=e.maxDisplayedItems,o=e.overflowIndex,n=e.items;if(o<0||t>1&&o>t-1||n.length>0&&o>n.length-1)throw new Error("Breadcrumb: overflowIndex out of range")},t.defaultProps={items:[],maxDisplayedItems:999,overflowIndex:0},t}(c.Component),de=o(6145),pe={root:"ms-Breadcrumb",list:"ms-Breadcrumb-list",listItem:"ms-Breadcrumb-listItem",chevron:"ms-Breadcrumb-chevron",overflow:"ms-Breadcrumb-overflow",overflowButton:"ms-Breadcrumb-overflowButton",itemLink:"ms-Breadcrumb-itemLink",item:"ms-Breadcrumb-item"},me={whiteSpace:"nowrap",textOverflow:"ellipsis",overflow:"hidden"},he=(0,u.sK)(0,u.mV),ge=(0,u.sK)(u.dd,u.yp),fe=(0,I.z)(ue,(function(e){var t,o,n,r,i=e.className,a=e.theme,s=a.palette,c=a.semanticColors,d=a.fonts,p=(0,u.Cn)(pe,a),m=c.menuItemBackgroundHovered,h=c.menuItemBackgroundPressed,g=s.neutralSecondary,f=u.lq.regular,v=s.neutralPrimary,b=s.neutralPrimary,y=u.lq.semibold,_=s.neutralSecondary,C=s.neutralSecondary,S={fontWeight:y,color:b},x={":hover":{color:v,backgroundColor:m,cursor:"pointer",selectors:(t={},t[u.qJ]={color:"Highlight"},t)},":active":{backgroundColor:h,color:v},"&:active:hover":{color:v,backgroundColor:h},"&:active, &:hover, &:active:hover":{textDecoration:"none"}},k={color:g,padding:"0 8px",lineHeight:36,fontSize:18,fontWeight:f};return{root:[p.root,d.medium,{margin:"11px 0 1px"},i],list:[p.list,{whiteSpace:"nowrap",padding:0,margin:0,display:"flex",alignItems:"stretch"}],listItem:[p.listItem,{listStyleType:"none",margin:"0",padding:"0",display:"flex",position:"relative",alignItems:"center",selectors:{"&:last-child .ms-Breadcrumb-itemLink":S,"&:last-child .ms-Breadcrumb-item":S}}],chevron:[p.chevron,{color:_,fontSize:d.small.fontSize,selectors:(o={},o[u.qJ]=(0,l.pi)({color:"WindowText"},(0,u.xM)()),o[ge]={fontSize:8},o[he]={fontSize:8},o)}],overflow:[p.overflow,{position:"relative",display:"flex",alignItems:"center"}],overflowButton:[p.overflowButton,(0,u.GL)(a),me,{fontSize:16,color:C,height:"100%",cursor:"pointer",selectors:(0,l.pi)((0,l.pi)({},x),(n={},n[he]={padding:"4px 6px"},n[ge]={fontSize:d.mediumPlus.fontSize},n))}],itemLink:[p.itemLink,(0,u.GL)(a),me,(0,l.pi)((0,l.pi)({},k),{selectors:(0,l.pi)((r={":focus":{color:s.neutralDark}},r["."+de.G$+" &:focus"]={outline:"none"},r),x)})],item:[p.item,(0,l.pi)((0,l.pi)({},k),{selectors:{":hover":{cursor:"default"}}})]}}),void 0,{scope:"Breadcrumb"}),ve=o(4968);!function(e){e[e.button=0]="button",e[e.anchor=1]="anchor"}(oe||(oe={})),function(e){e[e.normal=0]="normal",e[e.primary=1]="primary",e[e.hero=2]="hero",e[e.compound=3]="compound",e[e.command=4]="command",e[e.icon=5]="icon",e[e.default=6]="default"}(ne||(ne={}));var be=o(687),ye=o(9632),_e=o(2898),Ce=o(8959),Se=o(8924),xe=function(e){function t(t){var o=e.call(this,t)||this;return(0,be.Z)("The Button component has been deprecated. Use specific variants instead. (PrimaryButton, DefaultButton, IconButton, ActionButton, etc.)"),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props;switch(e.buttonType){case ne.command:return c.createElement(_e.K,(0,l.pi)({},e));case ne.compound:return c.createElement(Ce.W,(0,l.pi)({},e));case ne.icon:return c.createElement(V.h,(0,l.pi)({},e));case ne.primary:return c.createElement(Se.K,(0,l.pi)({},e));default:return c.createElement(ye.a,(0,l.pi)({},e))}},t}(c.Component),ke=o(1420),we=o(990),Ie=o(9013),De=o(6053),Te=(0,d.NF)((function(e,t){return(0,u.E$)({root:[(0,u.GL)(e,{inset:1,highContrastStyle:{outlineOffset:"-4px",outline:"1px solid Window"},borderColor:"transparent"}),{height:24}]},t)})),Ee=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.theme;return c.createElement(ye.a,(0,l.pi)({},this.props,{styles:Te(o,t),onRenderDescription:Ie.S}))},(0,l.gn)([(0,De.a)("MessageBarButton",["theme","styles"],!0)],t)}(c.Component),Pe=o(5032),Me=o(2836),Re=o(634),Ne=o(4977),Be=o(716),Fe=o(6883),Le=o(1093),Ae=o(5953),ze=o(4941),He=o(5666),Oe=o(6007),We=function(e){return c.createElement(Ae.U,(0,l.pi)({},e),c.createElement(Oe.P,(0,l.pi)({disabled:e.hidden},e.focusTrapProps),e.children))},Ve=o(4734),Ke=(0,D.y)(),qe=c.forwardRef((function(e,t){var o=e.checked,n=void 0!==o&&o,r=e.className,i=e.theme,a=e.styles,s=e.useFastIcons,l=void 0===s||s,u=Ke(a,{theme:i,className:r,checked:n}),d=l?Ve.xu:W.J;return c.createElement("div",{className:u.root,ref:t},c.createElement(d,{iconName:"CircleRing",className:u.circle}),c.createElement(d,{iconName:"StatusCircleCheckmark",className:u.check}))}));qe.displayName="CheckBase";var Ge,Ue={root:"ms-Check",circle:"ms-Check-circle",check:"ms-Check-check",checkHost:"ms-Check-checkHost"},je=(0,I.z)(qe,(function(e){var t,o,n,r,i,a=e.height,s=void 0===a?e.checkBoxHeight||"18px":a,c=e.checked,d=e.className,p=e.theme,m=p.palette,h=p.semanticColors,g=p.fonts,f=(0,T.zg)(p),v=(0,u.Cn)(Ue,p),b={fontSize:s,position:"absolute",left:0,top:0,width:s,height:s,textAlign:"center",verticalAlign:"middle"};return{root:[v.root,g.medium,{lineHeight:"1",width:s,height:s,verticalAlign:"top",position:"relative",userSelect:"none",selectors:(t={":before":{content:'""',position:"absolute",top:"1px",right:"1px",bottom:"1px",left:"1px",borderRadius:"50%",opacity:1,background:h.bodyBackground}},t["."+v.checkHost+":hover &, ."+v.checkHost+":focus &, &:hover, &:focus"]={opacity:1},t)},c&&["is-checked",{selectors:{":before":{background:m.themePrimary,opacity:1,selectors:(o={},o[u.qJ]={background:"Window"},o)}}}],d],circle:[v.circle,b,{color:m.neutralSecondary,selectors:(n={},n[u.qJ]={color:"WindowText"},n)},c&&{color:m.white}],check:[v.check,b,{opacity:0,color:m.neutralSecondary,fontSize:u.ld.medium,left:f?"-0.5px":".5px",selectors:(r={":hover":{opacity:1}},r[u.qJ]=(0,l.pi)({},(0,u.xM)()),r)},c&&{opacity:1,color:m.white,fontWeight:900,selectors:(i={},i[u.qJ]={border:"none",color:"WindowText"},i)}],checkHost:v.checkHost}}),void 0,{scope:"Check"},!0),Je=o(2777),Ye=o(5790),Ze=o(9240),Xe=o(5554),Qe=o(1351),$e=(0,d.NF)((function(){return(0,u.F4)({"0%":{transform:"translate(0, 0)",animationTimingFunction:"linear"},"78.57%":{transform:"translate(0, 0)",animationTimingFunction:"cubic-bezier(0.62, 0, 0.56, 1)"},"82.14%":{transform:"translate(0, -5px)",animationTimingFunction:"cubic-bezier(0.58, 0, 0, 1)"},"84.88%":{transform:"translate(0, 9px)",animationTimingFunction:"cubic-bezier(1, 0, 0.56, 1)"},"88.1%":{transform:"translate(0, -2px)",animationTimingFunction:"cubic-bezier(0.58, 0, 0.67, 1)"},"90.12%":{transform:"translate(0, 0)",animationTimingFunction:"linear"},"100%":{transform:"translate(0, 0)"}})})),et=(0,d.NF)((function(){return(0,u.F4)({"0%":{transform:" scale(0)",animationTimingFunction:"linear"},"14.29%":{transform:"scale(0)",animationTimingFunction:"cubic-bezier(0.84, 0, 0.52, 0.99)"},"16.67%":{transform:"scale(1.15)",animationTimingFunction:"cubic-bezier(0.48, -0.01, 0.52, 1.01)"},"19.05%":{transform:"scale(0.95)",animationTimingFunction:"cubic-bezier(0.48, 0.02, 0.52, 0.98)"},"21.43%":{transform:"scale(1)",animationTimingFunction:"linear"},"42.86%":{transform:"scale(1)",animationTimingFunction:"cubic-bezier(0.48, -0.02, 0.52, 1.02)"},"45.71%":{transform:"scale(0.8)",animationTimingFunction:"cubic-bezier(0.48, 0.01, 0.52, 0.99)"},"50%":{transform:"scale(1)",animationTimingFunction:"linear"},"90.12%":{transform:"scale(1)",animationTimingFunction:"cubic-bezier(0.48, -0.02, 0.52, 1.02)"},"92.98%":{transform:"scale(0.8)",animationTimingFunction:"cubic-bezier(0.48, 0.01, 0.52, 0.99)"},"97.26%":{transform:"scale(1)",animationTimingFunction:"linear"},"100%":{transform:"scale(1)"}})})),tt=(0,d.NF)((function(){return(0,u.F4)({"0%":{transform:"rotate(0deg)",animationTimingFunction:"linear"},"83.33%":{transform:" rotate(0deg)",animationTimingFunction:"cubic-bezier(0.33, 0, 0.67, 1)"},"83.93%":{transform:"rotate(15deg)",animationTimingFunction:"cubic-bezier(0.33, 0, 0.67, 1)"},"84.52%":{transform:"rotate(-15deg)",animationTimingFunction:"cubic-bezier(0.33, 0, 0.67, 1)"},"85.12%":{transform:"rotate(15deg)",animationTimingFunction:"cubic-bezier(0.33, 0, 0.67, 1)"},"85.71%":{transform:"rotate(-15deg)",animationTimingFunction:"cubic-bezier(0.33, 0, 0.67, 1)"},"86.31%":{transform:"rotate(0deg)",animationTimingFunction:"linear"},"100%":{transform:"rotate(0deg)"}})})),ot=o(4553),nt=o(5446),rt=o(8145),it=o(3345),at=o(9919),st=o(63),lt=o(4568),ct=o(6591),ut=(0,d.NF)((function(){var e;return(0,u.ZC)({root:[{position:"absolute",boxSizing:"border-box",border:"1px solid ${}",selectors:(e={},e[u.qJ]={border:"1px solid WindowText"},e)},(0,u.e2)()],container:{position:"relative"},main:{backgroundColor:"#ffffff",overflowX:"hidden",overflowY:"hidden",position:"relative"},overFlowYHidden:{overflowY:"hidden"}})})),dt=o(7513),pt=o(8088),mt=o(2674),ht={opacity:0},gt=((Ge={})[lt.z.top]="slideUpIn20",Ge[lt.z.bottom]="slideDownIn20",Ge[lt.z.left]="slideLeftIn20",Ge[lt.z.right]="slideRightIn20",Ge),ft={preventDismissOnScroll:!1,offsetFromTarget:0,minPagePadding:8,directionalHint:K.b.bottomAutoEdge};function vt(e,t){var o=e.finalHeight,n=c.useState(0),r=n[0],i=n[1],a=(0,G.r)(),s=c.useRef(0),l=function(){t&&o&&(s.current=a.requestAnimationFrame((function(){if(t.current){var e=t.current.lastChild,n=e.scrollHeight,c=e.offsetHeight;i(r+(n-c)),e.offsetHeightk?k:_,I=c.createElement("div",{ref:i,className:(0,pt.i)("ms-PositioningContainer",S.container)},c.createElement("div",{className:(0,u.y0)("ms-PositioningContainer-layerHost",S.root,b,x,!!y&&{width:y}),style:h?h.elementPosition:ht,tabIndex:-1,ref:n},C,w));return o.doNotLayer?I:c.createElement(dt.m,null,I)}));function yt(e){return{root:[{position:"absolute",boxShadow:"inherit",border:"none",boxSizing:"border-box",transform:e.transform,width:e.width,height:e.height,left:e.left,top:e.top,right:e.right,bottom:e.bottom}],beak:{fill:e.color,display:"block"}}}bt.displayName="PositioningContainer";var _t=c.forwardRef((function(e,t){var o,n,r,i,a,s,l=e.left,u=e.top,d=e.bottom,p=e.right,m=e.color,h=e.direction,g=void 0===h?lt.z.top:h;switch(g===lt.z.top||g===lt.z.bottom?(o=10,n=18):(o=18,n=10),g){case lt.z.top:default:r="9, 0",i="18, 10",a="0, 10",s="translateY(-100%)";break;case lt.z.right:r="0, 0",i="10, 10",a="0, 18",s="translateX(100%)";break;case lt.z.bottom:r="0, 0",i="18, 0",a="9, 10",s="translateY(100%)";break;case lt.z.left:r="10, 0",i="0, 10",a="10, 18",s="translateX(-100%)"}var f=(0,D.y)()(yt,{left:l,top:u,bottom:d,right:p,height:o+"px",width:n+"px",transform:s,color:m});return c.createElement("div",{className:f.root,role:"presentation",ref:t},c.createElement("svg",{height:o,width:n,className:f.beak},c.createElement("polygon",{points:r+" "+i+" "+a})))}));_t.displayName="Beak";var Ct=o(5646),St=(0,D.y)(),xt="data-coachmarkid",kt={isCollapsed:!0,mouseProximityOffset:10,delayBeforeMouseOpen:3600,delayBeforeCoachmarkAnimation:0,isPositionForced:!0,positioningContainerProps:{directionalHint:K.b.bottomAutoEdge}},wt=c.forwardRef((function(e,t){var o=(0,st.j)(kt,e),n=c.useRef(null),r=c.useRef(null),i=function(){var e=(0,G.r)(),t=c.useState(),o=t[0],n=t[1],r=c.useState(),i=r[0],a=r[1];return[o,i,function(t){var o=t.alignmentEdge,r=t.targetEdge;return e.requestAnimationFrame((function(){n(o),a(r)}))}]}(),a=i[0],s=i[1],u=i[2],d=function(e,t){var o=e.isCollapsed,n=e.onAnimationOpenStart,r=e.onAnimationOpenEnd,i=c.useState(!!o),a=i[0],s=i[1],l=(0,Ct.L)().setTimeout,u=c.useRef(!a),d=c.useCallback((function(){var e,o,i,a;u.current||(s(!1),null===(e=n)||void 0===e||e(),null===(a=null===(o=t.current)||void 0===o?void 0:(i=o).addEventListener)||void 0===a||a.call(i,"transitionend",(function(){var e;l((function(){t.current&&(0,ot.uo)(t.current)}),1e3),null===(e=r)||void 0===e||e()})),u.current=!0)}),[t,r,n,l]);return c.useEffect((function(){o||d()}),[o]),[a,d]}(o,n),p=d[0],m=d[1],h=function(e,t,o){var n=(0,T.zg)(e.theme);return c.useMemo((function(){var e,r,i=void 0===o?lt.z.bottom:(0,ct.bv)(o),a={direction:i},s="3px";switch(i){case lt.z.top:case lt.z.bottom:t?t===lt.z.left?(a.left="7px",e="left"):(a.right="7px",e="right"):(a.left="calc(50% - 9px)",e="center"),i===lt.z.top?(a.top=s,r="top"):(a.bottom=s,r="bottom");break;case lt.z.left:case lt.z.right:t?t===lt.z.top?(a.top="7px",r="top"):(a.bottom="7px",r="bottom"):(a.top="calc(50% - 9px)",r="center"),i===lt.z.left?(n?a.right=s:a.left=s,e="left"):(n?a.left=s:a.right=s,e="right")}return[a,e+" "+r]}),[t,o,n])}(o,a,s),g=h[0],f=h[1],v=function(e,t){var o=c.useState(!!e.isCollapsed),n=o[0],r=o[1],i=c.useState(e.isCollapsed?{width:0,height:0}:{}),a=i[0],s=i[1],l=(0,G.r)();return c.useEffect((function(){l.requestAnimationFrame((function(){t.current&&(s({width:t.current.offsetWidth,height:t.current.offsetHeight}),r(!1))}))}),[]),[n,a]}(o,n),b=v[0],y=v[1],_=function(e){var t=e.ariaAlertText,o=(0,G.r)(),n=c.useState(),r=n[0],i=n[1];return c.useEffect((function(){o.requestAnimationFrame((function(){i(t)}))}),[]),r}(o),C=function(e){var t=e.preventFocusOnMount,o=(0,Ct.L)().setTimeout,n=c.useRef(null);return c.useEffect((function(){t||o((function(){var e;return null===(e=n.current)||void 0===e?void 0:e.focus()}),1e3)}),[]),n}(o);!function(e,t,o){var n,r=null===(n=(0,nt.M)())||void 0===n?void 0:n.documentElement;(0,U.d)(r,"keydown",(function(e){var n,r,i;(e.altKey&&e.which===rt.m.c||e.which===rt.m.enter&&(null===(i=null===(n=t.current)||void 0===n?void 0:(r=n).contains)||void 0===i?void 0:i.call(r,e.target)))&&o()}),!0);var i=function(o){var n,r;if(e.preventDismissOnLostFocus){var i=o.target,a=t.current&&!(0,it.t)(t.current,i),s=e.target;a&&i!==s&&!(0,it.t)(s,i)&&(null===(r=(n=e).onDismiss)||void 0===r||r.call(n,o))}};(0,U.d)(r,"click",i,!0),(0,U.d)(r,"focus",i,!0)}(o,r,m),function(e){var t=e.onDismiss;c.useImperativeHandle(e.componentRef,(function(e){return{dismiss:function(){var o;null===(o=t)||void 0===o||o(e)}}}),[t])}(o),function(e,t,o){var n=(0,Ct.L)(),r=n.setTimeout,i=n.clearTimeout,a=c.useRef();c.useEffect((function(){var n=function(){t.current&&(a.current=t.current.getBoundingClientRect())},s=new at.r({});return r((function(){var t=e.mouseProximityOffset,l=void 0===t?0:t,c=[];r((function(){n(),s.on(window,"resize",(function(){c.forEach((function(e){i(e)})),c.splice(0,c.length),c.push(r((function(){n()}),100))}))}),10),s.on(document,"mousemove",(function(t){var r,i,s=t.clientY,c=t.clientX;n(),function(e,t,o,n){return void 0===n&&(n=0),t>e.left-n&&te.top-n&&o=Yt.Unshaded&&e<=Yt.Shade8}function so(e,t){return{h:e.h,s:e.s,v:(0,Mt.u)(e.v-e.v*t,100,0)}}function lo(e,t){return{h:e.h,s:(0,Mt.u)(e.s-e.s*t,100,0),v:(0,Mt.u)(e.v+(100-e.v)*t,100,0)}}function co(e){return At(e.h,e.s,e.v).l<50}function uo(e,t,o){if(void 0===o&&(o=!1),!e)return null;if(t===Yt.Unshaded||!ao(t))return e;var n=At(e.h,e.s,e.v),r={h:e.h,s:e.s,v:e.v},i=t-1,a=lo,s=so;return o&&(a=so,s=lo),r=function(e){return e.r===Tt.uc&&e.g===Tt.uc&&e.b===Tt.uc}(e)?so(r,eo[i]):function(e){return 0===e.r&&0===e.g&&0===e.b}(e)?lo(r,to[i]):n.l/100>.8?s(r,no[i]):n.l/100<.2?a(r,oo[i]):i1?n/r:r/n}!function(e){e[e.Unshaded=0]="Unshaded",e[e.Shade1=1]="Shade1",e[e.Shade2=2]="Shade2",e[e.Shade3=3]="Shade3",e[e.Shade4=4]="Shade4",e[e.Shade5=5]="Shade5",e[e.Shade6=6]="Shade6",e[e.Shade7=7]="Shade7",e[e.Shade8=8]="Shade8"}(Yt||(Yt={}));var ho=o(1332),go=o(6847),fo=o(1958),vo=o(610),bo=o(2167),yo=o(4948),_o=o(6840),Co=o(2470),So=o(9757),xo={auto:0,top:1,bottom:2,center:3},ko=o(8826),wo={top:-1,bottom:-1,left:-1,right:-1,width:0,height:0},Io=function(e){return e.getBoundingClientRect()},Do=Io,To=Io,Eo=function(e){function t(t){var o=e.call(this,t)||this;return o._root=c.createRef(),o._surface=c.createRef(),o._pageRefs={},o._getDerivedStateFromProps=function(e,t){return e.items!==o.props.items||e.renderCount!==o.props.renderCount||e.startIndex!==o.props.startIndex||e.version!==o.props.version?(o._resetRequiredWindows(),o._requiredRect=null,o._measureVersion++,o._invalidatePageCache(),o._updatePages(e,t)):t},o._onRenderRoot=function(e){var t=e.rootRef,o=e.surfaceElement,n=e.divProps;return c.createElement("div",(0,l.pi)({ref:t},n),o)},o._onRenderSurface=function(e){var t=e.surfaceRef,o=e.pageElements,n=e.divProps;return c.createElement("div",(0,l.pi)({ref:t},n),o)},o._onRenderPage=function(e,t){for(var n=o.props,r=n.onRenderCell,i=n.role,a=e.page,s=a.items,u=void 0===s?[]:s,d=a.startIndex,p=(0,l._T)(e,["page"]),m=void 0===i?"listitem":"presentation",h=[],g=0;ge){if(t&&this._scrollElement){for(var d=To(this._scrollElement),p={top:this._scrollElement.scrollTop,bottom:this._scrollElement.scrollTop+d.height},m=e-l,h=0;h=p.top&&g<=p.bottom)return;ap.bottom&&(a=g-d.height)}return void(this._scrollElement.scrollTop=a)}a+=u}},t.prototype.getStartItemIndexInView=function(e){for(var t=0,o=this.state.pages||[];t=n.top&&(this._scrollTop||0)<=n.top+n.height){if(!e){var r=Math.floor(n.height/n.itemCount);return n.startIndex+Math.floor((this._scrollTop-n.top)/r)}for(var i=0,a=n.startIndex;a0?n:void 0})})},t.prototype._shouldVirtualize=function(e){void 0===e&&(e=this.props);var t=e.onShouldVirtualize;return!t||t(e)},t.prototype._invalidatePageCache=function(){this._pageCache={}},t.prototype._renderPage=function(e){var t,o=this,n=this.props.usePageCache;if(n&&(t=this._pageCache[e.key])&&t.pageElement)return t.pageElement;var r=this._getPageStyle(e),i=this.props.onRenderPage,a=(void 0===i?this._onRenderPage:i)({page:e,className:"ms-List-page",key:e.key,ref:function(t){o._pageRefs[e.key]=t},style:r,role:"presentation"},this._onRenderPage);return n&&0===e.startIndex&&(this._pageCache[e.key]={page:e,pageElement:a}),a},t.prototype._getPageStyle=function(e){var t=this.props.getPageStyle;return(0,l.pi)((0,l.pi)({},t?t(e):{}),e.items?{}:{height:e.height})},t.prototype._onFocus=function(e){for(var t=e.target;t!==this._surface.current;){var o=t.getAttribute("data-list-index");if(o){this._focusedIndex=Number(o);break}t=(0,_o.G)(t)}},t.prototype._onScroll=function(){this.state.isScrolling||this.props.ignoreScrollingState||this.setState({isScrolling:!0}),this._resetRequiredWindows(),this._onScrollingDone()},t.prototype._resetRequiredWindows=function(){this._requiredWindowsAhead=0,this._requiredWindowsBehind=0},t.prototype._onAsyncScroll=function(){var e,t;this._updateRenderRects(this.props,this.state),this._materializedRect&&(e=this._requiredRect,t=this._materializedRect,e.top>=t.top&&e.left>=t.left&&e.bottom<=t.bottom&&e.right<=t.right)||this.setState(this._updatePages(this.props,this.state))},t.prototype._onAsyncIdle=function(){var e=this.props,t=e.renderedWindowsAhead,o=e.renderedWindowsBehind,n=this._requiredWindowsAhead,r=this._requiredWindowsBehind,i=Math.min(t,n+1),a=Math.min(o,r+1);i===n&&a===r||(this._requiredWindowsAhead=i,this._requiredWindowsBehind=a,this._updateRenderRects(this.props,this.state),this.setState(this._updatePages(this.props,this.state))),(t>i||o>a)&&this._onAsyncIdle()},t.prototype._onScrollingDone=function(){this.props.ignoreScrollingState||this.setState({isScrolling:!1})},t.prototype._onAsyncResize=function(){this.forceUpdate()},t.prototype._updatePages=function(e,t){this._requiredRect||this._updateRenderRects(e,t);var o=this._buildPages(e,t),n=t.pages;return this._notifyPageChanges(n,o.pages,this.props),(0,l.pi)((0,l.pi)({},t),o)},t.prototype._notifyPageChanges=function(e,t,o){var n=o.onPageAdded,r=o.onPageRemoved;if(n||r){for(var i={},a=0,s=e;a-1,x=!f||C>=f.top&&u<=f.bottom,k=!b._requiredRect||C>=b._requiredRect.top&&u<=b._requiredRect.bottom;if(!g&&(k||x&&S)||!h||p>=e&&p=b._visibleRect.top&&u<=b._visibleRect.bottom),s.push(I),k&&b._allowedRect&&(y=a,_={top:u,bottom:C,height:i,left:f.left,right:f.right,width:f.width},y.top=_.topy.bottom||-1===y.bottom?_.bottom:y.bottom,y.right=_.right>y.right||-1===y.right?_.right:y.right,y.width=y.right-y.left+1,y.height=y.bottom-y.top+1)}else d||(d=b._createPage("spacer-"+e,void 0,e,0,void 0,l,!0)),d.height=(d.height||0)+(C-u)+1,d.itemCount+=c;if(u+=C-u+1,g&&h)return"break"},b=this,y=r;ythis._estimatedPageHeight/3)&&(a=this._surfaceRect=Do(this._surface.current),this._scrollTop=c),!o&&s&&s===this._scrollHeight||this._measureVersion++,this._scrollHeight=s;var u=Math.max(0,-a.top),d=(0,So.J)(this._root.current),p={top:u,left:a.left,bottom:u+d.innerHeight,right:a.right,width:a.width,height:d.innerHeight};this._requiredRect=Po(p,this._requiredWindowsBehind,this._requiredWindowsAhead),this._allowedRect=Po(p,r,n),this._visibleRect=p}},t.defaultProps={startIndex:0,onRenderCell:function(e,t,o){return c.createElement(c.Fragment,null,e&&e.name||"")},renderedWindowsAhead:2,renderedWindowsBehind:2},t}(c.Component);function Po(e,t,o){var n=e.top-t*e.height,r=e.height+(t+o)*e.height;return{top:n,bottom:n+r,height:r,left:e.left,right:e.right,width:e.width}}var Mo=function(e){function t(t){var o=e.call(this,t)||this;return o._comboBox=c.createRef(),o._list=c.createRef(),o._onRenderList=function(e){var t=e.onRenderItem;return c.createElement(Eo,{componentRef:o._list,role:"listbox",items:e.options,onRenderCell:t?function(e){return t(e)}:function(){return null}})},o._onScrollToItem=function(e){o._list.current&&o._list.current.scrollToIndex(e)},(0,P.l)(o),o}return(0,l.ZT)(t,e),Object.defineProperty(t.prototype,"selectedOptions",{get:function(){return this._comboBox.current?this._comboBox.current.selectedOptions:[]},enumerable:!0,configurable:!0}),t.prototype.dismissMenu=function(){if(this._comboBox.current)return this._comboBox.current.dismissMenu()},t.prototype.focus=function(e,t){return!!this._comboBox.current&&(this._comboBox.current.focus(e,t),!0)},t.prototype.render=function(){return c.createElement(vo.C,(0,l.pi)({},this.props,{componentRef:this._comboBox,onRenderList:this._onRenderList,onScrollToItem:this._onScrollToItem}))},t}(c.Component),Ro=(0,d.Ct)((function(e){var t=e;return(0,d.Ct)((function(o){if(e===o)throw new Error("Attempted to compose a component with itself.");var n=o,r=(0,d.Ct)((function(e){return function(t){return c.createElement(n,(0,l.pi)({},t,{defaultRender:e}))}}));return function(e){var o=e.defaultRender;return c.createElement(t,(0,l.pi)({},e,{defaultRender:o?r(o):n}))}}))}));function No(e,t){return Ro(e)(t)}var Bo=o(344),Fo=function(e){var t=Bo.K.getInstance(),o=e.className,n=e.overflowItems,r=e.keytipSequences,i=e.itemSubMenuProvider,a=e.onRenderOverflowButton,s=(0,q.B)({}),u=c.useCallback((function(e){return i?i(e):e.subMenuProps?e.subMenuProps.items:void 0}),[i]),d=c.useMemo((function(){var e,o=[];return r?null===(e=n)||void 0===e||e.forEach((function(e){var n,i,a,c,d=e.keytipProps;if(d){var p={content:d.content,keySequences:d.keySequences,disabled:d.disabled||!(!e.disabled&&!e.isDisabled),hasDynamicChildren:d.hasDynamicChildren,hasMenu:d.hasMenu};d.hasDynamicChildren||u(e)?p.onExecute=t.menuExecute.bind(t,r,null===(i=null===(n=e)||void 0===n?void 0:n.keytipProps)||void 0===i?void 0:i.keySequences):p.onExecute=d.onExecute,s[p.content]=p;var m=(0,l.pi)((0,l.pi)({},e),{keytipProps:(0,l.pi)((0,l.pi)({},d),{overflowSetSequence:r})});null===(a=o)||void 0===a||a.push(m)}else null===(c=o)||void 0===c||c.push(e)})):o=n,o}),[n,u,t,r,s]);return function(e,t){c.useEffect((function(){return Object.keys(e).forEach((function(o){var n=e[o],r=t.register(n,!0);e[r]=n,delete e[o]})),function(){Object.keys(e).forEach((function(o){t.unregister(e[o],o,!0),delete e[o]}))}}),[e,t])}(s,t),c.createElement("div",{className:o},a(d))},Lo=(0,D.y)(),Ao=c.forwardRef((function(e,t){var o=c.useRef(null),n=(0,N.r)(o,t);!function(e,t){c.useImperativeHandle(e.componentRef,(function(){return{focus:function(){var e=!1;return t.current&&(e=(0,ot.uo)(t.current)),e},focusElement:function(e){var o=!1;return!!e&&(t.current&&(0,it.t)(t.current,e)&&(e.focus(),o=document.activeElement===e),o)}}}),[t])}(e,o);var r=e.items,i=e.overflowItems,a=e.className,s=e.styles,u=e.vertical,d=e.role,p=e.overflowSide,m=void 0===p?"end":p,h=e.onRenderItem,g=Lo(s,{className:a,vertical:u}),f=!!i&&i.length>0;return c.createElement("div",(0,l.pi)({},(0,E.pq)(e,E.n7),{role:d||"group","aria-orientation":"menubar"===d?!0===u?"vertical":"horizontal":void 0,className:g.root,ref:n}),"start"===m&&f&&c.createElement(Fo,(0,l.pi)({},e,{className:g.overflowButton})),r&&r.map((function(e,t){return c.createElement("div",{className:g.item,key:e.key},h(e))})),"end"===m&&f&&c.createElement(Fo,(0,l.pi)({},e,{className:g.overflowButton})))}));Ao.displayName="OverflowSet";var zo,Ho={flexShrink:0,display:"inherit"},Oo=(0,I.z)(Ao,(function(e){var t=e.className;return{root:["ms-OverflowSet",{position:"relative",display:"flex",flexWrap:"nowrap"},e.vertical&&{flexDirection:"column"},t],item:["ms-OverflowSet-item",Ho],overflowButton:["ms-OverflowSet-overflowButton",Ho]}}),void 0,{scope:"OverflowSet"}),Wo=(0,d.NF)((function(e){var t={height:"100%"},o={whiteSpace:"nowrap"},n=e||{},r=n.root,i=n.label,a=(0,l._T)(n,["root","label"]);return(0,l.pi)((0,l.pi)({},a),{root:r?[t,r]:t,label:i?[o,i]:o})})),Vo=(0,D.y)(),Ko=function(e){function t(t){var o=e.call(this,t)||this;return o._overflowSet=c.createRef(),o._resizeGroup=c.createRef(),o._onRenderData=function(e){return c.createElement(M.k,{className:(0,pt.i)(o._classNames.root),direction:R.U.horizontal,role:"menubar","aria-label":o.props.ariaLabel},c.createElement(Oo,{role:"none",componentRef:o._overflowSet,className:(0,pt.i)(o._classNames.primarySet),items:e.primaryItems,overflowItems:e.overflowItems.length?e.overflowItems:void 0,onRenderItem:o._onRenderItem,onRenderOverflowButton:o._onRenderOverflowButton}),e.farItems&&e.farItems.length>0&&c.createElement(Oo,{role:"none",className:(0,pt.i)(o._classNames.secondarySet),items:e.farItems,onRenderItem:o._onRenderItem,onRenderOverflowButton:Ie.S}))},o._onRenderItem=function(e){if(e.onRender)return e.onRender(e,(function(){}));var t=e.text||e.name,n=(0,l.pi)((0,l.pi)({allowDisabledFocus:!0,role:"menuitem"},e),{styles:Wo(e.buttonStyles),className:(0,pt.i)("ms-CommandBarItem-link",e.className),text:e.iconOnly?void 0:t,menuProps:e.subMenuProps,onClick:o._onButtonClick(e)});return e.iconOnly&&(void 0!==t||e.tooltipHostProps)?c.createElement(ie.G,(0,l.pi)({content:t},e.tooltipHostProps),o._commandButton(e,n)):o._commandButton(e,n)},o._commandButton=function(e,t){var n=o.props.buttonAs,r=e.commandBarButtonAs,i=ke.Q;return r&&(i=No(r,i)),n&&(i=No(n,i)),c.createElement(i,(0,l.pi)({},t))},o._onRenderOverflowButton=function(e){var t=o.props.overflowButtonProps,n=void 0===t?{}:t,r=(0,l.pr)(n.menuProps?n.menuProps.items:[],e),i=(0,l.pi)((0,l.pi)({role:"menuitem"},n),{styles:(0,l.pi)({menuIcon:{fontSize:"17px"}},n.styles),className:(0,pt.i)("ms-CommandBar-overflowButton",n.className),menuProps:(0,l.pi)((0,l.pi)({},n.menuProps),{items:r}),menuIconProps:(0,l.pi)({iconName:"More"},n.menuIconProps)}),a=o.props.overflowButtonAs?No(o.props.overflowButtonAs,ke.Q):ke.Q;return c.createElement(a,(0,l.pi)({},i))},o._onReduceData=function(e){var t=o.props,n=t.shiftOnReduce,r=t.onDataReduced,i=e.primaryItems,a=e.overflowItems,s=e.cacheKey,c=i[n?0:i.length-1];if(void 0!==c){c.renderedInOverflow=!0,a=(0,l.pr)([c],a),i=n?i.slice(1):i.slice(0,-1);var u=(0,l.pi)((0,l.pi)({},e),{primaryItems:i,overflowItems:a});return s=o._computeCacheKey({primaryItems:i,overflow:a.length>0}),r&&r(c),u.cacheKey=s,u}},o._onGrowData=function(e){var t=o.props,n=t.shiftOnReduce,r=t.onDataGrown,i=e.minimumOverflowItems,a=e.primaryItems,s=e.overflowItems,c=e.cacheKey,u=s[0];if(void 0!==u&&s.length>i){u.renderedInOverflow=!1,s=s.slice(1),a=n?(0,l.pr)([u],a):(0,l.pr)(a,[u]);var d=(0,l.pi)((0,l.pi)({},e),{primaryItems:a,overflowItems:s});return c=o._computeCacheKey({primaryItems:a,overflow:s.length>0}),r&&r(u),d.cacheKey=c,d}},(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.items,o=e.overflowItems,n=e.farItems,r=e.styles,i=e.theme,a=e.dataDidRender,s=e.onReduceData,u=void 0===s?this._onReduceData:s,d=e.onGrowData,p=void 0===d?this._onGrowData:d,m={primaryItems:(0,l.pr)(t),overflowItems:(0,l.pr)(o),minimumOverflowItems:(0,l.pr)(o).length,farItems:n,cacheKey:this._computeCacheKey({primaryItems:(0,l.pr)(t),overflow:o&&o.length>0})};this._classNames=Vo(r,{theme:i});var h=(0,E.pq)(this.props,E.n7);return c.createElement(re,(0,l.pi)({},h,{componentRef:this._resizeGroup,data:m,onReduceData:u,onGrowData:p,onRenderData:this._onRenderData,dataDidRender:a}))},t.prototype.focus=function(){var e=this._overflowSet.current;e&&e.focus()},t.prototype.remeasure=function(){this._resizeGroup.current&&this._resizeGroup.current.remeasure()},t.prototype._onButtonClick=function(e){return function(t){e.inactive||e.onClick&&e.onClick(t,e)}},t.prototype._computeCacheKey=function(e){var t=e.primaryItems,o=e.overflow;return[t&&t.reduce((function(e,t){var o=t.cacheKey;return e+(void 0===o?t.key:o)}),""),o?"overflow":""].join("")},t.defaultProps={items:[],overflowItems:[]},t}(c.Component),qo=(0,I.z)(Ko,(function(e){var t=e.className,o=e.theme,n=o.semanticColors;return{root:[o.fonts.medium,"ms-CommandBar",{display:"flex",backgroundColor:n.bodyBackground,padding:"0 14px 0 24px",height:44},t],primarySet:["ms-CommandBar-primaryCommand",{flexGrow:"1",display:"flex",alignItems:"stretch"}],secondarySet:["ms-CommandBar-secondaryCommand",{flexShrink:"0",display:"flex",alignItems:"stretch"}]}}),void 0,{scope:"CommandBar"}),Go=o(9134),Uo=o(7817),jo=o(5183),Jo=o(6662),Yo=o(1839),Zo=o(668),Xo=o(127),Qo=o(6381),$o=o(1194),en=o(6974),tn=o(7433),on=o(5238),nn=o(3297),rn=o(4449);!function(e){e[e.hidden=0]="hidden",e[e.visible=1]="visible"}(zo||(zo={}));var an,sn,ln,cn,un,dn=o(2782);!function(e){e[e.disabled=0]="disabled",e[e.clickable=1]="clickable",e[e.hasDropdown=2]="hasDropdown"}(an||(an={})),function(e){e[e.unconstrained=0]="unconstrained",e[e.horizontalConstrained=1]="horizontalConstrained"}(sn||(sn={})),function(e){e[e.outside=0]="outside",e[e.surface=1]="surface",e[e.header=2]="header"}(ln||(ln={})),function(e){e[e.fixedColumns=0]="fixedColumns",e[e.justified=1]="justified"}(cn||(cn={})),function(e){e[e.onHover=0]="onHover",e[e.always=1]="always",e[e.hidden=2]="hidden"}(un||(un={}));var pn=function(e){var t=e.count,o=e.indentWidth,n=void 0===o?36:o,r=e.role,i=void 0===r?"presentation":r,a=t*n;return t>0?c.createElement("span",{className:"ms-GroupSpacer",style:{display:"inline-block",width:a},role:i}):null},mn={root:"ms-DetailsRow",compact:"ms-DetailsList--Compact",cell:"ms-DetailsRow-cell",cellAnimation:"ms-DetailsRow-cellAnimation",cellCheck:"ms-DetailsRow-cellCheck",check:"ms-DetailsRow-check",cellMeasurer:"ms-DetailsRow-cellMeasurer",listCellFirstChild:"ms-List-cell:first-child",isContentUnselectable:"is-contentUnselectable",isSelected:"is-selected",isCheckVisible:"is-check-visible",isRowHeader:"is-row-header",fields:"ms-DetailsRow-fields"},hn={cellLeftPadding:12,cellRightPadding:8,cellExtraRightPadding:24},gn={rowHeight:42,compactRowHeight:32},fn=(0,l.pi)((0,l.pi)({},gn),{rowVerticalPadding:11,compactRowVerticalPadding:6}),vn=function(e){var t,o,n,r,i,a,s,c,d,p,m,h,g=e.theme,f=e.isSelected,v=e.canSelect,b=e.droppingClassName,y=e.anySelected,_=e.isCheckVisible,C=e.checkboxCellClassName,S=e.compact,x=e.className,k=e.cellStyleProps,w=void 0===k?hn:k,I=e.enableUpdateAnimations,D=g.palette,T=g.fonts,E=D.neutralPrimary,P=D.white,M=D.neutralSecondary,R=D.neutralLighter,N=D.neutralLight,B=D.neutralDark,F=D.neutralQuaternaryAlt,L=g.semanticColors.focusBorder,A=(0,u.Cn)(mn,g),z={defaultHeaderText:E,defaultMetaText:M,defaultBackground:P,defaultHoverHeaderText:B,defaultHoverMetaText:E,defaultHoverBackground:R,selectedHeaderText:B,selectedMetaText:E,selectedBackground:N,selectedHoverHeaderText:B,selectedHoverMetaText:E,selectedHoverBackground:F,focusHeaderText:B,focusMetaText:E,focusBackground:N,focusHoverBackground:F},H=[(0,u.GL)(g,{inset:-1,borderColor:L,outlineColor:P}),A.isSelected,{color:z.selectedMetaText,background:z.selectedBackground,borderBottom:"1px solid "+P,selectors:(t={"&:before":{position:"absolute",display:"block",top:-1,height:1,bottom:0,left:0,right:0,content:"",borderTop:"1px solid "+P},"&:hover":{background:z.selectedHoverBackground,color:z.selectedHoverMetaText,selectors:(o={},o["."+A.cell+" "+u.qJ]={color:"HighlightText",selectors:{"> a":{color:"HighlightText"}}},o["."+A.isRowHeader]={color:z.selectedHoverHeaderText,selectors:(n={},n[u.qJ]={color:"HighlightText"},n)},o[u.qJ]={background:"Highlight"},o)},"&:focus":{background:z.focusBackground,selectors:(r={},r["."+A.cell]={color:z.focusMetaText,selectors:(i={},i[u.qJ]={color:"HighlightText",selectors:{"> a":{color:"HighlightText"}}},i)},r["."+A.isRowHeader]={color:z.focusHeaderText,selectors:(a={},a[u.qJ]={color:"HighlightText"},a)},r[u.qJ]={background:"Highlight"},r)}},t[u.qJ]=(0,l.pi)((0,l.pi)({background:"Highlight",color:"HighlightText"},(0,u.xM)()),{selectors:{a:{color:"HighlightText"}}}),t["&:focus:hover"]={background:z.focusHoverBackground},t)}],O=[A.isContentUnselectable,{userSelect:"none",cursor:"default"}],W={minHeight:fn.compactRowHeight,border:0},V={minHeight:fn.compactRowHeight,paddingTop:fn.compactRowVerticalPadding,paddingBottom:fn.compactRowVerticalPadding,paddingLeft:w.cellLeftPadding+"px"},K=[(0,u.GL)(g,{inset:-1}),A.cell,{display:"inline-block",position:"relative",boxSizing:"border-box",minHeight:fn.rowHeight,verticalAlign:"top",whiteSpace:"nowrap",overflow:"hidden",textOverflow:"ellipsis",paddingTop:fn.rowVerticalPadding,paddingBottom:fn.rowVerticalPadding,paddingLeft:w.cellLeftPadding+"px",selectors:(s={"& > button":{maxWidth:"100%"}},s["[data-is-focusable='true']"]=(0,u.GL)(g,{inset:-1,borderColor:M,outlineColor:P}),s)},f&&{selectors:(c={},c[u.qJ]=(0,l.pi)((0,l.pi)({background:"Highlight",color:"HighlightText"},(0,u.xM)()),{selectors:{a:{color:"HighlightText"}}}),c)},S&&V];return{root:[A.root,u.k4.fadeIn400,b,g.fonts.small,_&&A.isCheckVisible,(0,u.GL)(g,{borderColor:L,outlineColor:P}),{borderBottom:"1px solid "+R,background:z.defaultBackground,color:z.defaultMetaText,display:"inline-flex",minWidth:"100%",minHeight:fn.rowHeight,whiteSpace:"nowrap",padding:0,boxSizing:"border-box",verticalAlign:"top",textAlign:"left",selectors:(d={},d["."+A.listCellFirstChild+" &:before"]={display:"none"},d["&:hover"]={background:z.defaultHoverBackground,color:z.defaultHoverMetaText,selectors:(p={},p["."+A.isRowHeader]={color:z.defaultHoverHeaderText},p)},d["&:hover ."+A.check]={opacity:1},d["."+de.G$+" &:focus ."+A.check]={opacity:1},d[".ms-GroupSpacer"]={flexShrink:0,flexGrow:0},d)},f&&H,!v&&O,S&&W,x],cellUnpadded:{paddingRight:w.cellRightPadding+"px"},cellPadded:{paddingRight:w.cellExtraRightPadding+w.cellRightPadding+"px",selectors:(m={},m["&."+A.cellCheck]={paddingRight:0},m)},cell:K,cellAnimation:I&&u.Ic.slideLeftIn40,cellMeasurer:[A.cellMeasurer,{overflow:"visible",whiteSpace:"nowrap"}],checkCell:[K,A.cellCheck,C,{padding:0,paddingTop:1,marginTop:-1,flexShrink:0}],checkCover:{position:"absolute",top:-1,left:0,bottom:0,right:0,display:y?"block":"none"},fields:[A.fields,{display:"flex",alignItems:"stretch"}],isRowHeader:[A.isRowHeader,{color:z.defaultHeaderText,fontSize:T.medium.fontSize},f&&{color:z.selectedHeaderText,fontWeight:u.lq.semibold,selectors:(h={},h[u.qJ]={color:"HighlightText"},h)}],isMultiline:[K,{whiteSpace:"normal",wordBreak:"break-word",textOverflow:"clip"}],check:[A.check]}},bn={tooltipHost:"ms-TooltipHost",root:"ms-DetailsHeader",cell:"ms-DetailsHeader-cell",cellIsCheck:"ms-DetailsHeader-cellIsCheck",collapseButton:"ms-DetailsHeader-collapseButton",isCollapsed:"is-collapsed",isAllSelected:"is-allSelected",isSelectAllHidden:"is-selectAllHidden",isResizingColumn:"is-resizingColumn",cellSizer:"ms-DetailsHeader-cellSizer",isResizing:"is-resizing",dropHintCircleStyle:"ms-DetailsHeader-dropHintCircleStyle",dropHintCaretStyle:"ms-DetailsHeader-dropHintCaretStyle",dropHintLineStyle:"ms-DetailsHeader-dropHintLineStyle",cellTitle:"ms-DetailsHeader-cellTitle",cellName:"ms-DetailsHeader-cellName",filterChevron:"ms-DetailsHeader-filterChevron",gripperBarVertical:"ms-DetailsColumn-gripperBarVertical",checkTooltip:"ms-DetailsHeader-checkTooltip",check:"ms-DetailsHeader-check"},yn=function(e){var t=e.theme,o=e.cellStyleProps,n=void 0===o?hn:o,r=t.semanticColors;return[(0,u.Cn)(bn,t).cell,(0,u.GL)(t),{color:r.bodyText,position:"relative",display:"inline-block",boxSizing:"border-box",padding:"0 "+n.cellRightPadding+"px 0 "+n.cellLeftPadding+"px",lineHeight:"inherit",margin:"0",height:42,verticalAlign:"top",whiteSpace:"nowrap",textOverflow:"ellipsis",textAlign:"left"}]},_n={root:"ms-DetailsRow-check",isDisabled:"ms-DetailsRow-check--isDisabled",isHeader:"ms-DetailsRow-check--isHeader"},Cn=(0,D.y)(),Sn=c.memo((function(e){return c.createElement(je,{theme:e.theme,checked:e.checked,className:e.className,useFastIcons:!0})}));function xn(e){return c.createElement(je,{checked:e.checked})}function kn(e){return c.createElement(Sn,{theme:e.theme,checked:e.checked})}var wn,In=(0,I.z)((function(e){var t=e.isVisible,o=void 0!==t&&t,n=e.canSelect,r=void 0!==n&&n,i=e.anySelected,a=void 0!==i&&i,s=e.selected,u=void 0!==s&&s,d=e.isHeader,p=void 0!==d&&d,m=e.className,h=(e.checkClassName,e.styles),g=e.theme,f=e.compact,v=e.onRenderDetailsCheckbox,b=e.useFastIcons,y=void 0===b||b,_=(0,l._T)(e,["isVisible","canSelect","anySelected","selected","isHeader","className","checkClassName","styles","theme","compact","onRenderDetailsCheckbox","useFastIcons"]),C=y?kn:xn,S=v?(0,ko.k)(v,C):C,x=Cn(h,{theme:g,canSelect:r,selected:u,anySelected:a,className:m,isHeader:p,isVisible:o,compact:f}),k={checked:u,theme:g};return r?c.createElement("div",(0,l.pi)({},_,{role:"checkbox",className:(0,pt.i)(x.root,x.check),"aria-checked":u,"data-selection-toggle":!0,"data-automationid":"DetailsRowCheck"}),S(k)):c.createElement("div",(0,l.pi)({},_,{className:(0,pt.i)(x.root,x.check)}))}),(function(e){var t=e.theme,o=e.className,n=e.isHeader,r=e.selected,i=e.anySelected,a=e.canSelect,s=e.compact,l=e.isVisible,c=(0,u.Cn)(_n,t),d=gn.rowHeight,p=gn.compactRowHeight,m=n?42:s?p:d,h=l||r||i;return{root:[c.root,o],check:[!a&&c.isDisabled,n&&c.isHeader,(0,u.GL)(t),t.fonts.small,Ue.checkHost,{display:"flex",alignItems:"center",justifyContent:"center",cursor:"default",boxSizing:"border-box",verticalAlign:"top",background:"none",backgroundColor:"transparent",border:"none",opacity:h?1:0,height:m,width:48,padding:0,margin:0}],isDisabled:[]}}),void 0,{scope:"DetailsRowCheck"},!0),Dn=function(){function e(e){this._selection=e.selection,this._dragEnterCounts={},this._activeTargets={},this._lastId=0,this._initialized=!1}return e.prototype.dispose=function(){this._events&&this._events.dispose()},e.prototype.subscribe=function(e,t,o){var n=this;if(!this._initialized){this._events=new at.r(this);var r=(0,nt.M)();r&&(this._events.on(r.body,"mouseup",this._onMouseUp.bind(this),!0),this._events.on(r,"mouseup",this._onDocumentMouseUp.bind(this),!0)),this._initialized=!0}var i,a,s,l,c,u,d,p,m,h,g=o.key,f=void 0===g?""+ ++this._lastId:g,v=[];if(o&&e){var b=o.eventMap,y=o.context,_=o.updateDropState,C={root:e,options:o,key:f};if(p=this._isDraggable(C),m=this._isDroppable(C),(p||m)&&b)for(var S=0,x=b;S0&&(at.r.raise(this._dragData.dropTarget.root,"dragleave"),at.r.raise(r,"dragenter"),this._dragData.dropTarget=e)}},e.prototype._onMouseLeave=function(e,t){this._isDragging&&this._dragData&&this._dragData.dropTarget&&this._dragData.dropTarget.key===e.key&&(at.r.raise(e.root,"dragleave"),this._dragData.dropTarget=void 0)},e.prototype._onMouseDown=function(e,t){if(0===t.button)if(this._isDraggable(e)){this._dragData={clientX:t.clientX,clientY:t.clientY,eventTarget:t.target,dragTarget:e};for(var o=0,n=Object.keys(this._activeTargets);o=0&&"drop"!==t.type&&!e&&o._resetDropHints()},o._onDragOver=function(e,t){o._draggedColumnIndex>=0&&(t.stopPropagation(),o._computeDropHintToBeShown(t.clientX))},o._onDrop=function(e,t){var n=o._getColumnReorderProps();if(o._draggedColumnIndex>=0&&t){var r=o._draggedColumnIndex>o._currentDropHintIndex?o._currentDropHintIndex:o._currentDropHintIndex-1,i=o._isValidCurrentDropHintIndex();if(t.stopPropagation(),i)if(o._onDropIndexInfo.sourceIndex=o._draggedColumnIndex,o._onDropIndexInfo.targetIndex=r,n.onColumnDrop){var a={draggedIndex:o._draggedColumnIndex,targetIndex:r};n.onColumnDrop(a)}else n.handleColumnReorder&&n.handleColumnReorder(o._draggedColumnIndex,r)}o._resetDropHints(),o._dropHintDetails={},o._draggedColumnIndex=-1},o._updateDragInfo=function(e,t){var n=o._getColumnReorderProps(),r=e.itemIndex;if(r>=0)o._draggedColumnIndex=o._isCheckboxColumnHidden()?r-1:r-2,o._getDropHintPositions(),n.onColumnDragStart&&n.onColumnDragStart(!0);else if(t&&o._draggedColumnIndex>=0&&(o._resetDropHints(),o._draggedColumnIndex=-1,o._dropHintDetails={},n.onColumnDragEnd)){var i=o._isEventOnHeader(t);n.onColumnDragEnd({dropLocation:i},t)}},o._getDropHintPositions=function(){for(var e,t=o.props.columns,n=void 0===t?Nn:t,r=o._getColumnReorderProps(),i=0,a=0,s=r.frozenColumnCountFromStart||0,l=r.frozenColumnCountFromEnd||0,c=s;c=0&&(o._resetDropHints(),o._updateDropHintElement(o._dropHintDetails[p].dropHintElementRef,"inline-block"),o._currentDropHintIndex=p)}},o._renderColumnSizer=function(e){var t,n=e.columnIndex,r=o.props.columns,i=void 0===r?Nn:r,a=i[n],s=o.state.columnResizeDetails,l=o._classNames;return a.isResizable?c.createElement("div",{key:a.key+"_sizer","aria-hidden":!0,role:"button","data-is-focusable":!1,onClick:zn,"data-sizer-index":n,onBlur:o._onSizerBlur,className:(0,pt.i)(l.cellSizer,n=0&&this._onDropIndexInfo.targetIndex>=0){var t=e.columns,o=void 0===t?Nn:t,n=this.props.columns,r=void 0===n?Nn:n;o[this._onDropIndexInfo.sourceIndex].key===r[this._onDropIndexInfo.targetIndex].key&&(this._onDropIndexInfo={sourceIndex:-1,targetIndex:-1})}this.props.isAllCollapsed!==e.isAllCollapsed&&this.setState({isAllCollapsed:this.props.isAllCollapsed})},t.prototype.componentWillUnmount=function(){this._subscriptionObject&&(this._subscriptionObject.dispose(),delete this._subscriptionObject),this._dragDropHelper.dispose(),this._events.dispose()},t.prototype.render=function(){var e=this,t=this.props,o=t.columns,n=void 0===o?Nn:o,r=t.ariaLabel,i=t.ariaLabelForToggleAllGroupsButton,a=t.ariaLabelForSelectAllCheckbox,s=t.selectAllVisibility,l=t.ariaLabelForSelectionColumn,u=t.indentWidth,d=t.onColumnClick,p=t.onColumnContextMenu,m=t.onRenderColumnHeaderTooltip,h=void 0===m?this._onRenderColumnHeaderTooltip:m,g=t.styles,f=t.selectionMode,v=t.theme,b=t.onRenderDetailsCheckbox,y=t.groupNestingDepth,_=t.useFastIcons,C=t.checkboxVisibility,S=t.className,x=this.state,k=x.isAllSelected,w=x.columnResizeDetails,I=x.isSizing,D=x.isAllCollapsed,E=s!==wn.none,P=s===wn.hidden,N=C===un.always,B=this._getColumnReorderProps(),F=B&&B.frozenColumnCountFromStart?B.frozenColumnCountFromStart:0,L=B&&B.frozenColumnCountFromEnd?B.frozenColumnCountFromEnd:0;this._classNames=Rn(g,{theme:v,isAllSelected:k,isSelectAllHidden:s===wn.hidden,isResizingColumn:!!w&&I,isSizing:I,isAllCollapsed:D,isCheckboxHidden:P,className:S});var A=this._classNames,z=_?Ve.xu:W.J,H=(0,T.zg)(v);return c.createElement(M.k,{role:"row","aria-label":r,className:A.root,componentRef:this._rootComponent,elementRef:this._rootElement,onMouseMove:this._onRootMouseMove,"data-automationid":"DetailsHeader",direction:R.U.horizontal},E?[c.createElement("div",{key:"__checkbox",className:A.cellIsCheck,"aria-labelledby":this._id+"-check",onClick:P?void 0:this._onSelectAllClicked,"aria-colindex":1,role:"columnheader"},h({hostClassName:A.checkTooltip,id:this._id+"-checkTooltip",setAriaDescribedBy:!1,content:a,children:c.createElement(In,{id:this._id+"-check","aria-label":f===on.oW.multiple?a:l,"aria-describedby":P?l&&!this.props.onRenderColumnHeaderTooltip?this._id+"-checkTooltip":void 0:a&&!this.props.onRenderColumnHeaderTooltip?this._id+"-checkTooltip":void 0,"data-is-focusable":!P||void 0,isHeader:!0,selected:k,anySelected:!1,canSelect:!P,className:A.check,onRenderDetailsCheckbox:b,useFastIcons:_,isVisible:N})},this._onRenderColumnHeaderTooltip)),this.props.onRenderColumnHeaderTooltip?null:a&&!P?c.createElement("label",{key:"__checkboxLabel",id:this._id+"-checkTooltip",className:A.accessibleLabel,"aria-hidden":!0},a):l&&P?c.createElement("label",{key:"__checkboxLabel",id:this._id+"-checkTooltip",className:A.accessibleLabel,"aria-hidden":!0},l):null]:null,y>0&&this.props.collapseAllVisibility===zo.visible?c.createElement("div",{className:A.cellIsGroupExpander,onClick:this._onToggleCollapseAll,"data-is-focusable":!0,"aria-label":i,"aria-expanded":!D,role:"columnheader"},c.createElement(z,{className:A.collapseButton,iconName:H?"ChevronLeftMed":"ChevronRightMed"})):null,c.createElement(pn,{indentWidth:u,role:"gridcell",count:y-1}),n.map((function(t,o){var r=!!B&&o>=F&&o=0},t.prototype._isCheckboxColumnHidden=function(){var e=this.props,t=e.selectionMode,o=e.checkboxVisibility;return t===on.oW.none||o===un.hidden},t.prototype._resetDropHints=function(){this._currentDropHintIndex>=0&&(this._updateDropHintElement(this._dropHintDetails[this._currentDropHintIndex].dropHintElementRef,"none"),this._currentDropHintIndex=-1)},t.prototype._updateDropHintElement=function(e,t){e.childNodes[1].style.display=t,e.childNodes[0].style.display=t},t.prototype._isEventOnHeader=function(e){if(this._rootElement.current){var t=this._rootElement.current.getBoundingClientRect();if(e.clientX>t.left&&e.clientXt.top&&e.clientY=n:t>=o&&t<=n}function Ln(e,t,o){return e?t>=o:t<=o}function An(e,t,o){return e?t<=o:t>=o}function zn(e){e.stopPropagation()}var Hn=(0,I.z)(Bn,(function(e){var t,o,n,r,i=e.theme,a=e.className,s=e.isAllSelected,c=e.isResizingColumn,d=e.isSizing,p=e.isAllCollapsed,m=e.cellStyleProps,h=void 0===m?hn:m,g=i.semanticColors,f=i.palette,v=i.fonts,b=(0,u.Cn)(bn,i),y={iconForegroundColor:g.bodySubtext,headerForegroundColor:g.bodyText,headerBackgroundColor:g.bodyBackground,resizerColor:f.neutralTertiaryAlt},_={opacity:1,transition:"opacity 0.3s linear"},C=yn(e);return{root:[b.root,v.small,{display:"inline-block",background:y.headerBackgroundColor,position:"relative",minWidth:"100%",verticalAlign:"top",height:42,lineHeight:42,whiteSpace:"nowrap",boxSizing:"content-box",paddingBottom:"1px",paddingTop:"16px",borderBottom:"1px solid "+g.bodyDivider,cursor:"default",userSelect:"none",selectors:(t={},t["&:hover ."+b.check]={opacity:1},t["& ."+b.tooltipHost+" ."+b.checkTooltip]={display:"block"},t)},s&&b.isAllSelected,c&&b.isResizingColumn,a],check:[b.check,{height:42},{selectors:(o={},o["."+de.G$+" &:focus"]={opacity:1},o)}],cellWrapperPadded:{paddingRight:h.cellExtraRightPadding+h.cellRightPadding},cellIsCheck:[C,b.cellIsCheck,{position:"relative",padding:0,margin:0,display:"inline-flex",alignItems:"center",border:"none"},s&&{opacity:1}],cellIsGroupExpander:[C,{display:"inline-flex",alignItems:"center",justifyContent:"center",fontSize:v.small.fontSize,padding:0,border:"none",width:36,color:f.neutralSecondary,selectors:{":hover":{backgroundColor:f.neutralLighter},":active":{backgroundColor:f.neutralLight}}}],cellIsActionable:{selectors:{":hover":{color:g.bodyText,background:g.listHeaderBackgroundHovered},":active":{background:g.listHeaderBackgroundPressed}}},cellIsEmpty:{textOverflow:"clip"},cellSizer:[b.cellSizer,(0,u.e2)(),{display:"inline-block",position:"relative",cursor:"ew-resize",bottom:0,top:0,overflow:"hidden",height:"inherit",background:"transparent",zIndex:1,width:16,selectors:(n={":after":{content:'""',position:"absolute",top:0,bottom:0,width:1,background:y.resizerColor,opacity:0,left:"50%"},":focus:after":_,":hover:after":_},n["&."+b.isResizing+":after"]=[_,{boxShadow:"0 0 5px 0 rgba(0, 0, 0, 0.4)"}],n)}],cellIsResizing:b.isResizing,cellSizerStart:{margin:"0 -8px"},cellSizerEnd:{margin:0,marginLeft:-16},collapseButton:[b.collapseButton,{transformOrigin:"50% 50%",transition:"transform .1s linear"},p?[b.isCollapsed,{transform:"rotate(0deg)"}]:{transform:(0,T.zg)(i)?"rotate(-90deg)":"rotate(90deg)"}],checkTooltip:b.checkTooltip,sizingOverlay:d&&{position:"absolute",left:0,top:0,right:0,bottom:0,cursor:"ew-resize",background:"rgba(255, 255, 255, 0)",selectors:(r={},r[u.qJ]=(0,l.pi)({background:"transparent"},(0,u.xM)()),r)},accessibleLabel:u.ul,dropHintCircleStyle:[b.dropHintCircleStyle,{display:"inline-block",visibility:"hidden",position:"absolute",bottom:0,height:9,width:9,borderRadius:"50%",marginLeft:-5,top:34,overflow:"visible",zIndex:10,border:"1px solid "+f.themePrimary,background:f.white}],dropHintCaretStyle:[b.dropHintCaretStyle,{display:"none",position:"absolute",top:-28,left:-6.5,fontSize:v.medium.fontSize,color:f.themePrimary,overflow:"visible",zIndex:10}],dropHintLineStyle:[b.dropHintLineStyle,{display:"none",position:"absolute",bottom:0,top:0,overflow:"hidden",height:42,width:1,background:f.themePrimary,zIndex:10}],dropHintStyle:{display:"inline-block",position:"absolute"}}}),void 0,{scope:"DetailsHeader"}),On=function(e){var t=e.columns,o=e.columnStartIndex,n=e.rowClassNames,r=e.cellStyleProps,i=void 0===r?hn:r,a=e.item,s=e.itemIndex,l=e.onRenderItemColumn,u=e.getCellValueKey,d=e.cellsByColumn,p=e.enableUpdateAnimations,m=c.useRef(),h=m.current||(m.current={});return c.createElement("div",{className:n.fields,"data-automationid":"DetailsRowFields",role:"presentation"},t.map((function(e,t){var r=void 0===e.calculatedWidth?"auto":e.calculatedWidth+i.cellLeftPadding+i.cellRightPadding+(e.isPadded?i.cellExtraRightPadding:0),m=e.onRender,g=void 0===m?l:m,f=e.getValueKey,v=void 0===f?u:f,b=d&&e.key in d?d[e.key]:g?g(a,s,e):function(e,t){var o=e&&t&&t.fieldName?e[t.fieldName]:"";return null==o&&(o=""),"boolean"==typeof o?o.toString():o}(a,e),y=h[e.key],_=p&&v?v(a,s,e):void 0,C=!1;void 0!==_&&void 0!==y&&_!==y&&(C=!0),h[e.key]=_;var S=e.key+(void 0!==_?"-"+_:"");return c.createElement("div",{key:S,role:e.isRowHeader?"rowheader":"gridcell","aria-readonly":!0,"aria-colindex":t+o+1,className:(0,pt.i)(e.className,e.isMultiline&&n.isMultiline,e.isRowHeader&&n.isRowHeader,n.cell,e.isPadded?n.cellPadded:n.cellUnpadded,C&&n.cellAnimation),style:{width:r},"data-automationid":"DetailsRowCell","data-automation-key":e.key},b)})))},Wn=(0,D.y)(),Vn=[],Kn=function(e){function t(t){var o=e.call(this,t)||this;return o._root=c.createRef(),o._cellMeasurer=c.createRef(),o._focusZone=c.createRef(),o._onSelectionChanged=function(){var e=qn(o.props);(0,Xt.Vv)(e,o.state.selectionState)||o.setState({selectionState:e})},o._updateDroppingState=function(e,t){var n=o.state.isDropping,r=o.props,i=r.dragDropEvents,a=r.item;e?i.onDragEnter&&(o._droppingClassNames=i.onDragEnter(a,t)):i.onDragLeave&&i.onDragLeave(a,t),n!==e&&o.setState({isDropping:e})},(0,P.l)(o),o._events=new at.r(o),o.state={selectionState:qn(t),columnMeasureInfo:void 0,isDropping:!1},o._droppingClassNames="",o}return(0,l.ZT)(t,e),t.getDerivedStateFromProps=function(e,t){return(0,l.pi)((0,l.pi)({},t),{selectionState:qn(e)})},t.prototype.componentDidMount=function(){var e=this.props,t=e.dragDropHelper,o=e.selection,n=e.item,r=e.onDidMount;t&&this._root.current&&(this._dragDropSubscription=t.subscribe(this._root.current,this._events,this._getRowDragDropOptions())),o&&this._events.on(o,on.F5,this._onSelectionChanged),r&&n&&(this._onDidMountCalled=!0,r(this))},t.prototype.componentDidUpdate=function(e){var t=this.state,o=this.props,n=o.item,r=o.onDidMount,i=t.columnMeasureInfo;if(this.props.itemIndex===e.itemIndex&&this.props.item===e.item&&this.props.dragDropHelper===e.dragDropHelper||(this._dragDropSubscription&&(this._dragDropSubscription.dispose(),delete this._dragDropSubscription),this.props.dragDropHelper&&this._root.current&&(this._dragDropSubscription=this.props.dragDropHelper.subscribe(this._root.current,this._events,this._getRowDragDropOptions()))),i&&i.index>=0&&this._cellMeasurer.current){var a=this._cellMeasurer.current.getBoundingClientRect().width;i.onMeasureDone(a),this.setState({columnMeasureInfo:void 0})}n&&r&&!this._onDidMountCalled&&(this._onDidMountCalled=!0,r(this))},t.prototype.componentWillUnmount=function(){var e=this.props,t=e.item,o=e.onWillUnmount;o&&t&&o(this),this._dragDropSubscription&&(this._dragDropSubscription.dispose(),delete this._dragDropSubscription),this._events.dispose()},t.prototype.shouldComponentUpdate=function(e,t){if(this.props.useReducedRowRenderer){var o=qn(e);return this.state.selectionState.isSelected!==o.isSelected||!(0,Xt.Vv)(this.props,e)}return!0},t.prototype.render=function(){var e=this.props,t=e.className,o=e.columns,n=void 0===o?Vn:o,r=e.dragDropEvents,i=e.item,a=e.itemIndex,s=e.flatIndexOffset,u=void 0===s?2:s,d=e.onRenderCheck,p=void 0===d?this._onRenderCheck:d,m=e.onRenderDetailsCheckbox,h=e.onRenderItemColumn,g=e.getCellValueKey,f=e.selectionMode,v=e.rowWidth,b=void 0===v?0:v,y=e.checkboxVisibility,_=e.getRowAriaLabel,C=e.getRowAriaDescribedBy,S=e.checkButtonAriaLabel,x=e.checkboxCellClassName,k=e.rowFieldsAs,w=void 0===k?On:k,I=e.selection,D=e.indentWidth,T=e.enableUpdateAnimations,P=e.compact,N=e.theme,B=e.styles,F=e.cellsByColumn,L=e.groupNestingDepth,A=e.useFastIcons,z=void 0===A||A,H=e.cellStyleProps,O=this.state,W=O.columnMeasureInfo,V=O.isDropping,K=this.state.selectionState,q=K.isSelected,G=void 0!==q&&q,U=K.isSelectionModal,j=void 0!==U&&U,J=r?!(!r.canDrag||!r.canDrag(i)):void 0,Y=V?this._droppingClassNames||"is-dropping":"",Z=_?_(i):void 0,X=C?C(i):void 0,Q=!!I&&I.canSelectItem(i,a),$=f===on.oW.multiple,ee=f!==on.oW.none&&y!==un.hidden,te=f===on.oW.none?void 0:G;this._classNames=(0,l.pi)((0,l.pi)({},this._classNames),Wn(B,{theme:N,isSelected:G,canSelect:!$,anySelected:j,checkboxCellClassName:x,droppingClassName:Y,className:t,compact:P,enableUpdateAnimations:T,cellStyleProps:H}));var oe={isMultiline:this._classNames.isMultiline,isRowHeader:this._classNames.isRowHeader,cell:this._classNames.cell,cellAnimation:this._classNames.cellAnimation,cellPadded:this._classNames.cellPadded,cellUnpadded:this._classNames.cellUnpadded,fields:this._classNames.fields};(0,Xt.Vv)(this._rowClassNames||{},oe)||(this._rowClassNames=oe);var ne=c.createElement(w,{rowClassNames:this._rowClassNames,cellsByColumn:F,columns:n,item:i,itemIndex:a,columnStartIndex:(ee?1:0)+(L?1:0),onRenderItemColumn:h,getCellValueKey:g,enableUpdateAnimations:T,cellStyleProps:H});return c.createElement(M.k,(0,l.pi)({"data-is-focusable":!0},(0,E.pq)(this.props,E.n7),"boolean"==typeof J?{"data-is-draggable":J,draggable:J}:{},{direction:R.U.horizontal,elementRef:this._root,componentRef:this._focusZone,role:"row","aria-label":Z,"aria-describedby":X,className:this._classNames.root,"data-selection-index":a,"data-selection-touch-invoke":!0,"data-item-index":a,"aria-rowindex":L?void 0:a+u,"aria-level":L&&L+1||void 0,"data-automationid":"DetailsRow",style:{minWidth:b},"aria-selected":te,allowFocusRoot:!0}),ee&&c.createElement("div",{role:"gridcell","aria-colindex":1,"data-selection-toggle":!0,className:this._classNames.checkCell},p({selected:G,anySelected:j,"aria-label":S,canSelect:Q,compact:P,className:this._classNames.check,theme:N,isVisible:y===un.always,onRenderDetailsCheckbox:m,useFastIcons:z})),c.createElement(pn,{indentWidth:D,role:"gridcell",count:L-(this.props.collapseAllVisibility===zo.hidden?1:0)}),i&&ne,W&&c.createElement("span",{role:"presentation",className:(0,pt.i)(this._classNames.cellMeasurer,this._classNames.cell),ref:this._cellMeasurer},c.createElement(w,{rowClassNames:this._rowClassNames,columns:[W.column],item:i,itemIndex:a,columnStartIndex:(ee?1:0)+(L?1:0)+n.length,onRenderItemColumn:h,getCellValueKey:g})),c.createElement("span",{role:"checkbox",className:this._classNames.checkCover,"aria-checked":G,"data-selection-toggle":!0}))},t.prototype.measureCell=function(e,t){var o=this.props.columns,n=void 0===o?Vn:o,r=(0,l.pi)({},n[e]);r.minWidth=0,r.maxWidth=999999,delete r.calculatedWidth,this.setState({columnMeasureInfo:{index:e,column:r,onMeasureDone:t}})},t.prototype.focus=function(e){var t;return void 0===e&&(e=!1),!!(null===(t=this._focusZone.current)||void 0===t?void 0:t.focus(e))},t.prototype._onRenderCheck=function(e){return c.createElement(In,(0,l.pi)({},e))},t.prototype._getRowDragDropOptions=function(){var e=this.props,t=e.item,o=e.itemIndex,n=e.dragDropEvents;return{eventMap:e.eventsToRegister,selectionIndex:o,context:{data:t,index:o},canDrag:n.canDrag,canDrop:n.canDrop,onDragStart:n.onDragStart,updateDropState:this._updateDroppingState,onDrop:n.onDrop,onDragEnd:n.onDragEnd,onDragOver:n.onDragOver}},t}(c.Component);function qn(e){var t,o,n,r,i=e.itemIndex,a=e.selection;return{isSelected:!!(null===(t=a)||void 0===t?void 0:t.isIndexSelected(i)),isSelectionModal:!!(null===(r=null===(o=a)||void 0===o?void 0:(n=o).isModal)||void 0===r?void 0:r.call(n))}}var Gn=(0,I.z)(Kn,vn,void 0,{scope:"DetailsRow"}),Un={root:"ms-GroupedList",compact:"ms-GroupedList--Compact",group:"ms-GroupedList-group",link:"ms-Link",listCell:"ms-List-cell"},jn={root:"ms-GroupHeader",compact:"ms-GroupHeader--compact",check:"ms-GroupHeader-check",dropIcon:"ms-GroupHeader-dropIcon",expand:"ms-GroupHeader-expand",isCollapsed:"is-collapsed",title:"ms-GroupHeader-title",isSelected:"is-selected",iconTag:"ms-Icon--Tag",group:"ms-GroupedList-group",isDropping:"is-dropping"},Jn="cubic-bezier(0.390, 0.575, 0.565, 1.000)",Yn=o(76),Zn=(0,D.y)(),Xn=function(e){function t(t){var o=e.call(this,t)||this;return o._toggleCollapse=function(){var e=o.props,t=e.group,n=e.onToggleCollapse,r=e.isGroupLoading,i=!o.state.isCollapsed,a=!i&&r&&r(t);o.setState({isCollapsed:i,isLoadingVisible:a}),n&&n(t)},o._onKeyUp=function(e){var t=o.props,n=t.group,r=t.onGroupHeaderKeyUp;if(r&&r(e,n),!e.defaultPrevented){var i=o.state.isCollapsed&&e.which===(0,T.dP)(rt.m.right,o.props.theme);(!o.state.isCollapsed&&e.which===(0,T.dP)(rt.m.left,o.props.theme)||i)&&(o._toggleCollapse(),e.stopPropagation(),e.preventDefault())}},o._onToggleClick=function(e){o._toggleCollapse(),e.stopPropagation(),e.preventDefault()},o._onToggleSelectGroupClick=function(e){var t=o.props,n=t.onToggleSelectGroup,r=t.group;n&&n(r),e.preventDefault(),e.stopPropagation()},o._onHeaderClick=function(){var e=o.props,t=e.group,n=e.onGroupHeaderClick,r=e.onToggleSelectGroup;n?n(t):r&&r(t)},o._onRenderTitle=function(e){var t=e.group,n=e.ariaColSpan;return t?c.createElement("div",{className:o._classNames.title,id:o._id,role:"gridcell","aria-colspan":n},c.createElement("span",null,t.name),c.createElement("span",{className:o._classNames.headerCount},"(",t.count,t.hasMoreData&&"+",")")):null},o._id=(0,dn.z)("GroupHeader"),o.state={isCollapsed:o.props.group&&o.props.group.isCollapsed,isLoadingVisible:!1},o}return(0,l.ZT)(t,e),t.getDerivedStateFromProps=function(e,t){if(e.group){var o=e.group.isCollapsed,n=e.isGroupLoading,r=!o&&n&&n(e.group);return(0,l.pi)((0,l.pi)({},t),{isCollapsed:o||!1,isLoadingVisible:r||!1})}return t},t.prototype.render=function(){var e=this.props,t=e.group,o=e.groupLevel,n=void 0===o?0:o,r=e.viewport,i=e.selectionMode,a=e.loadingText,s=e.isSelected,u=void 0!==s&&s,d=e.selected,p=void 0!==d&&d,m=e.indentWidth,h=e.onRenderTitle,g=void 0===h?this._onRenderTitle:h,f=e.onRenderGroupHeaderCheckbox,v=e.isCollapsedGroupSelectVisible,b=void 0===v||v,y=e.expandButtonProps,_=e.expandButtonIcon,C=e.selectAllButtonProps,S=e.theme,x=e.styles,k=e.className,w=e.compact,I=e.ariaPosInSet,D=e.ariaSetSize,E=e.useFastIcons?this._fastDefaultCheckboxRender:this._defaultCheckboxRender,P=f?(0,ko.k)(f,E):E,M=this.state,R=M.isCollapsed,N=M.isLoadingVisible,B=i===on.oW.multiple,F=B&&(b||!(t&&t.isCollapsed)),L=p||u,A=(0,T.zg)(S);return this._classNames=Zn(x,{theme:S,className:k,selected:L,isCollapsed:R,compact:w}),t?c.createElement("div",{className:this._classNames.root,style:r?{minWidth:r.width}:{},onClick:this._onHeaderClick,role:"row","aria-setsize":D,"aria-posinset":I,"data-is-focusable":!0,onKeyUp:this._onKeyUp,"aria-label":t.ariaLabel,"aria-labelledby":t.ariaLabel?void 0:this._id,"aria-expanded":!this.state.isCollapsed,"aria-selected":B?L:void 0,"aria-level":n+1},c.createElement("div",{className:this._classNames.groupHeaderContainer,role:"presentation"},F?c.createElement("div",{role:"gridcell"},c.createElement("button",(0,l.pi)({"data-is-focusable":!1,type:"button",className:this._classNames.check,role:"checkbox","aria-checked":L,"data-selection-toggle":!0,onClick:this._onToggleSelectGroupClick},C),P({checked:L,theme:S},P))):i!==on.oW.none&&c.createElement(pn,{indentWidth:48,count:1}),c.createElement(pn,{indentWidth:m,count:n}),c.createElement("div",{className:this._classNames.dropIcon,role:"presentation"},c.createElement(W.J,{iconName:"Tag"})),c.createElement("div",{role:"gridcell"},c.createElement("button",(0,l.pi)({"data-is-focusable":!1,type:"button",className:this._classNames.expand,onClick:this._onToggleClick,"aria-expanded":!this.state.isCollapsed},y),c.createElement(W.J,{className:this._classNames.expandIsCollapsed,iconName:_||(A?"ChevronLeftMed":"ChevronRightMed")}))),g(this.props,this._onRenderTitle),N&&c.createElement(Yn.$,{label:a}))):null},t.prototype._defaultCheckboxRender=function(e){return c.createElement(je,{checked:e.checked})},t.prototype._fastDefaultCheckboxRender=function(e){return c.createElement(Qn,{theme:e.theme,checked:e.checked})},t.defaultProps={expandButtonProps:{"aria-label":"expand collapse group"}},t}(c.Component),Qn=c.memo((function(e){return c.createElement(je,{theme:e.theme,checked:e.checked,className:e.className,useFastIcons:!0})})),$n=(0,I.z)(Xn,(function(e){var t,o,n,r,i,a=e.theme,s=e.className,l=e.selected,c=e.isCollapsed,d=e.compact,p=hn.cellLeftPadding,m=d?40:48,h=a.semanticColors,g=a.palette,f=a.fonts,v=(0,u.Cn)(jn,a),b=[(0,u.GL)(a),{cursor:"default",background:"none",backgroundColor:"transparent",border:"none",padding:0}];return{root:[v.root,(0,u.GL)(a),a.fonts.medium,{borderBottom:"1px solid "+h.listBackground,cursor:"default",userSelect:"none",selectors:(t={":hover":{background:h.listItemBackgroundHovered,color:h.actionLinkHovered}},t["&:hover ."+v.check]={opacity:1},t["."+de.G$+" &:focus ."+v.check]={opacity:1},t[":global(."+v.group+"."+v.isDropping+")"]={selectors:(o={},o["& > ."+v.root+" ."+v.dropIcon]={transition:"transform "+u.D1.durationValue4+" cubic-bezier(0.075, 0.820, 0.165, 1.000) opacity "+u.D1.durationValue1+" "+Jn,transitionDelay:u.D1.durationValue3,opacity:1,transform:"rotate(0.2deg) scale(1);"},o["."+v.check]={opacity:0},o)},t)},l&&[v.isSelected,{background:h.listItemBackgroundChecked,selectors:(n={":hover":{background:h.listItemBackgroundCheckedHovered}},n[""+v.check]={opacity:1},n)}],d&&[v.compact,{border:"none"}],s],groupHeaderContainer:[{display:"flex",alignItems:"center",height:m}],headerCount:[{padding:"0px 4px"}],check:[v.check,b,{display:"flex",alignItems:"center",justifyContent:"center",paddingTop:1,marginTop:-1,opacity:0,width:48,height:m,selectors:(r={},r["."+de.G$+" &:focus"]={opacity:1},r)}],expand:[v.expand,b,{display:"flex",alignItems:"center",justifyContent:"center",fontSize:f.small.fontSize,width:36,height:m,color:l?g.neutralPrimary:g.neutralSecondary,selectors:{":hover":{backgroundColor:l?g.neutralQuaternary:g.neutralLight},":active":{backgroundColor:l?g.neutralTertiaryAlt:g.neutralQuaternaryAlt}}}],expandIsCollapsed:[c?[v.isCollapsed,{transform:"rotate(0deg)",transformOrigin:"50% 50%",transition:"transform .1s linear"}]:{transform:(0,T.zg)(a)?"rotate(-90deg)":"rotate(90deg)",transformOrigin:"50% 50%",transition:"transform .1s linear"}],title:[v.title,{paddingLeft:p,fontSize:d?f.medium.fontSize:f.mediumPlus.fontSize,fontWeight:c?u.lq.regular:u.lq.semibold,cursor:"pointer",outline:0,whiteSpace:"nowrap",textOverflow:"ellipsis"}],dropIcon:[v.dropIcon,{position:"absolute",left:-26,fontSize:u.ld.large,color:g.neutralSecondary,transition:"transform "+u.D1.durationValue2+" cubic-bezier(0.600, -0.280, 0.735, 0.045), opacity "+u.D1.durationValue4+" "+Jn,opacity:0,transform:"rotate(0.2deg) scale(0.65)",transformOrigin:"10px 10px",selectors:(i={},i[":global(."+v.iconTag+")"]={position:"absolute"},i)}]}}),void 0,{scope:"GroupHeader"}),er={root:"ms-GroupShowAll",link:"ms-Link"},tr=(0,D.y)(),or=(0,I.z)((function(e){var t=e.group,o=e.groupLevel,n=e.showAllLinkText,r=void 0===n?"Show All":n,i=e.styles,a=e.theme,s=e.onToggleSummarize,l=tr(i,{theme:a}),u=(0,c.useCallback)((function(e){s(t),e.stopPropagation(),e.preventDefault()}),[s,t]);return t?c.createElement("div",{className:l.root},c.createElement(pn,{count:o}),c.createElement(O,{onClick:u},r)):null}),(function(e){var t,o=e.theme,n=o.fonts,r=(0,u.Cn)(er,o);return{root:[r.root,{position:"relative",padding:"10px 84px",cursor:"pointer",selectors:(t={},t["."+r.link]={fontSize:n.small.fontSize},t)}]}}),void 0,{scope:"GroupShowAll"}),nr={root:"ms-groupFooter"},rr=(0,D.y)(),ir=(0,I.z)((function(e){var t=e.group,o=e.groupLevel,n=e.footerText,r=e.indentWidth,i=e.styles,a=e.theme,s=rr(i,{theme:a});return t&&n?c.createElement("div",{className:s.root},c.createElement(pn,{indentWidth:r,count:o}),n):null}),(function(e){var t=e.theme,o=e.className,n=(0,u.Cn)(nr,t);return{root:[t.fonts.medium,n.root,{position:"relative",padding:"5px 38px"},o]}}),void 0,{scope:"GroupFooter"}),ar=function(e){function t(o){var n=e.call(this,o)||this;n._root=c.createRef(),n._list=c.createRef(),n._subGroupRefs={},n._droppingClassName="",n._onRenderGroupHeader=function(e){return c.createElement($n,(0,l.pi)({},e))},n._onRenderGroupShowAll=function(e){return c.createElement(or,(0,l.pi)({},e))},n._onRenderGroupFooter=function(e){return c.createElement(ir,(0,l.pi)({},e))},n._renderSubGroup=function(e,o){var r=n.props,i=r.dragDropEvents,a=r.dragDropHelper,s=r.eventsToRegister,l=r.getGroupItemLimit,u=r.groupNestingDepth,d=r.groupProps,p=r.items,m=r.headerProps,h=r.showAllProps,g=r.footerProps,f=r.listProps,v=r.onRenderCell,b=r.selection,y=r.selectionMode,_=r.viewport,C=r.onRenderGroupHeader,S=r.onRenderGroupShowAll,x=r.onRenderGroupFooter,k=r.onShouldVirtualize,w=r.group,I=r.compact,D=e.level?e.level+1:u;return!e||e.count>0||d&&d.showEmptyGroups?c.createElement(t,{ref:function(e){return n._subGroupRefs["subGroup_"+o]=e},key:n._getGroupKey(e,o),dragDropEvents:i,dragDropHelper:a,eventsToRegister:s,footerProps:g,getGroupItemLimit:l,group:e,groupIndex:o,groupNestingDepth:D,groupProps:d,headerProps:m,items:p,listProps:f,onRenderCell:v,selection:b,selectionMode:y,showAllProps:h,viewport:_,onRenderGroupHeader:C,onRenderGroupShowAll:S,onRenderGroupFooter:x,onShouldVirtualize:k,groups:w?w.children:[],compact:I}):null},n._getGroupDragDropOptions=function(){var e=n.props,t=e.group,o=e.groupIndex,r=e.dragDropEvents;return{eventMap:e.eventsToRegister,selectionIndex:-1,context:{data:t,index:o,isGroup:!0},updateDropState:n._updateDroppingState,canDrag:r.canDrag,canDrop:r.canDrop,onDrop:r.onDrop,onDragStart:r.onDragStart,onDragEnter:r.onDragEnter,onDragLeave:r.onDragLeave,onDragEnd:r.onDragEnd,onDragOver:r.onDragOver}},n._updateDroppingState=function(e,t){var o=n.state.isDropping,r=n.props,i=r.dragDropEvents,a=r.group;o!==e&&(o?i&&i.onDragLeave&&i.onDragLeave(a,t):i&&i.onDragEnter&&(n._droppingClassName=i.onDragEnter(a,t)),n.setState({isDropping:e}))};var r=o.selection,i=o.group;return(0,P.l)(n),n._id=(0,dn.z)("GroupedListSection"),n.state={isDropping:!1,isSelected:!(!r||!i)&&r.isRangeSelected(i.startIndex,i.count)},n._events=new at.r(n),n}return(0,l.ZT)(t,e),t.prototype.componentDidMount=function(){var e=this.props,t=e.dragDropHelper,o=e.selection;t&&this._root.current&&(this._dragDropSubscription=t.subscribe(this._root.current,this._events,this._getGroupDragDropOptions())),o&&this._events.on(o,on.F5,this._onSelectionChange)},t.prototype.componentWillUnmount=function(){this._events.dispose(),this._dragDropSubscription&&this._dragDropSubscription.dispose()},t.prototype.componentDidUpdate=function(e){this.props.group===e.group&&this.props.groupIndex===e.groupIndex&&this.props.dragDropHelper===e.dragDropHelper||(this._dragDropSubscription&&(this._dragDropSubscription.dispose(),delete this._dragDropSubscription),this.props.dragDropHelper&&this._root.current&&(this._dragDropSubscription=this.props.dragDropHelper.subscribe(this._root.current,this._events,this._getGroupDragDropOptions())))},t.prototype.render=function(){var e=this.props,t=e.getGroupItemLimit,o=e.group,n=e.groupIndex,r=e.headerProps,i=e.showAllProps,a=e.footerProps,s=e.viewport,u=e.selectionMode,d=e.onRenderGroupHeader,p=void 0===d?this._onRenderGroupHeader:d,m=e.onRenderGroupShowAll,h=void 0===m?this._onRenderGroupShowAll:m,g=e.onRenderGroupFooter,f=void 0===g?this._onRenderGroupFooter:g,v=e.onShouldVirtualize,b=e.groupedListClassNames,y=e.groups,_=e.compact,C=e.listProps,S=void 0===C?{}:C,x=this.state.isSelected,k=o&&t?t(o):1/0,w=o&&!o.children&&!o.isCollapsed&&!o.isShowingAll&&(o.count>k||o.hasMoreData),I=o&&o.children&&o.children.length>0,D=S.version,T={group:o,groupIndex:n,groupLevel:o?o.level:0,isSelected:x,selected:x,viewport:s,selectionMode:u,groups:y,compact:_},E={groupedListId:this._id,ariaSetSize:y?y.length:void 0,ariaPosInSet:void 0!==n?n+1:void 0},P=(0,l.pi)((0,l.pi)((0,l.pi)({},r),T),E),M=(0,l.pi)((0,l.pi)({},i),T),R=(0,l.pi)((0,l.pi)({},a),T),N=!!this.props.dragDropHelper&&this._getGroupDragDropOptions().canDrag(o)&&!!this.props.dragDropEvents.canDragGroups;return c.createElement("div",(0,l.pi)({ref:this._root},N&&{draggable:!0},{className:(0,pt.i)(b&&b.group,this._getDroppingClassName()),role:"presentation"}),p(P,this._onRenderGroupHeader),o&&o.isCollapsed?null:I?c.createElement(Eo,{role:"presentation",ref:this._list,items:o?o.children:[],onRenderCell:this._renderSubGroup,getItemCountForPage:this._returnOne,onShouldVirtualize:v,version:D,id:this._id}):this._onRenderGroup(k),o&&o.isCollapsed?null:w&&h(M,this._onRenderGroupShowAll),f(R,this._onRenderGroupFooter))},t.prototype.forceUpdate=function(){e.prototype.forceUpdate.call(this),this.forceListUpdate()},t.prototype.forceListUpdate=function(){var e=this.props.group;if(this._list.current){if(this._list.current.forceUpdate(),e&&e.children&&e.children.length>0)for(var t=e.children.length,o=0;o0&&(r&&r(e),this._setGroupsCollapsedState(o,e),this._updateIsSomeGroupExpanded(),this.forceUpdate())},t.prototype._setGroupsCollapsedState=function(e,t){for(var o=0;o0;)e++,t=t[0].children;return e},t.prototype._forceListUpdates=function(e){this.setState({version:{}})},t.prototype._computeIsSomeGroupExpanded=function(e){var t=this;return!(!e||!e.some((function(e){return e.children?t._computeIsSomeGroupExpanded(e.children):!e.isCollapsed})))},t.prototype._updateIsSomeGroupExpanded=function(){var e=this.state.groups,t=this.props.onGroupExpandStateChanged,o=this._computeIsSomeGroupExpanded(e);this._isSomeGroupExpanded!==o&&(t&&t(o),this._isSomeGroupExpanded=o)},t.defaultProps={selectionMode:on.oW.multiple,isHeaderVisible:!0,groupProps:{},compact:!1},t}(c.Component),dr=(0,I.z)(ur,(function(e){var t,o,n=e.theme,r=e.className,i=e.compact,a=n.palette,s=(0,u.Cn)(Un,n);return{root:[s.root,n.fonts.small,{position:"relative",selectors:(t={},t["."+s.listCell]={minHeight:38},t)},i&&[s.compact,{selectors:(o={},o["."+s.listCell]={minHeight:32},o)}],r],group:[s.group,{transition:"background-color "+u.D1.durationValue2+" cubic-bezier(0.445, 0.050, 0.550, 0.950)"}],groupIsDropping:{backgroundColor:a.neutralLight}}}),void 0,{scope:"GroupedList"}),pr=o(1071);function mr(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 hr(e){return function(t){function o(e){var o=t.call(this,e)||this;return o._root=c.createRef(),o._registerResizeObserver=function(){var e=(0,So.J)(o._root.current);o._viewportResizeObserver=new e.ResizeObserver(o._onAsyncResize),o._viewportResizeObserver.observe(o._root.current)},o._unregisterResizeObserver=function(){o._viewportResizeObserver&&(o._viewportResizeObserver.disconnect(),delete o._viewportResizeObserver)},o._updateViewport=function(e){var t=o.state.viewport,n=o._root.current,r=mr((0,yo.zj)(n)),i=mr(n);((i&&i.width)!==t.width||(r&&r.height)!==t.height)&&o._resizeAttempts<3&&i&&r?(o._resizeAttempts++,o.setState({viewport:{width:i.width,height:r.height}},(function(){o._updateViewport(e)}))):(o._resizeAttempts=0,e&&o._composedComponentInstance&&o._composedComponentInstance.forceUpdate())},o._async=new bo.e(o),o._events=new at.r(o),o._resizeAttempts=0,o.state={viewport:{width:0,height:0}},o}return(0,l.ZT)(o,t),o.prototype.componentDidMount=function(){var e=this.props,t=e.skipViewportMeasures,o=e.disableResizeObserver,n=(0,So.J)(this._root.current);this._onAsyncResize=this._async.debounce(this._onAsyncResize,500,{leading:!1}),t||(!o&&this._isResizeObserverAvailable()?this._registerResizeObserver():this._events.on(n,"resize",this._onAsyncResize),this._updateViewport())},o.prototype.componentDidUpdate=function(e){var t=e.skipViewportMeasures,o=this.props,n=o.skipViewportMeasures,r=o.disableResizeObserver,i=(0,So.J)(this._root.current);n!==t&&(n?(this._unregisterResizeObserver(),this._events.off(i,"resize",this._onAsyncResize)):(!r&&this._isResizeObserverAvailable()?this._viewportResizeObserver||this._registerResizeObserver():this._events.on(i,"resize",this._onAsyncResize),this._updateViewport()))},o.prototype.componentWillUnmount=function(){this._events.dispose(),this._async.dispose(),this._unregisterResizeObserver()},o.prototype.render=function(){var t=this.state.viewport,o=t.width>0&&t.height>0?t:void 0;return c.createElement("div",{className:"ms-Viewport",ref:this._root,style:{minWidth:1,minHeight:1}},c.createElement(e,(0,l.pi)({ref:this._updateComposedComponentRef,viewport:o},this.props)))},o.prototype.forceUpdate=function(){this._updateViewport(!0)},o.prototype._onAsyncResize=function(){this._updateViewport()},o.prototype._isResizeObserverAvailable=function(){var e=(0,So.J)(this._root.current);return e&&e.ResizeObserver},o}(pr.P)}var gr=(0,D.y)(),fr=100,vr=function(e){var t=e.selection,o=e.ariaLabelForListHeader,n=e.ariaLabelForSelectAllCheckbox,r=e.ariaLabelForSelectionColumn,i=e.className,a=e.checkboxVisibility,s=e.compact,u=e.constrainMode,p=e.dragDropEvents,m=e.groups,h=e.groupProps,g=e.indentWidth,f=e.items,v=e.isPlaceholderData,b=e.isHeaderVisible,y=e.layoutMode,_=e.onItemInvoked,C=e.onItemContextMenu,S=e.onColumnHeaderClick,x=e.onColumnHeaderContextMenu,k=e.selectionMode,w=void 0===k?t.mode:k,I=e.selectionPreservedOnEmptyClick,D=e.selectionZoneProps,E=e.ariaLabel,P=e.ariaLabelForGrid,N=e.rowElementEventMap,F=e.shouldApplyApplicationRole,L=void 0!==F&&F,A=e.getKey,z=e.listProps,H=e.usePageCache,O=e.onShouldVirtualize,W=e.viewport,V=e.minimumPixelsForDrag,K=e.getGroupHeight,G=e.styles,U=e.theme,j=e.cellStyleProps,J=void 0===j?hn:j,Y=e.onRenderCheckbox,Z=e.useFastIcons,X=e.dragDropHelper,Q=e.adjustedColumns,$=e.isCollapsed,ee=e.isSizing,te=e.isSomeGroupExpanded,oe=e.version,ne=e.rootRef,re=e.listRef,ie=e.focusZoneRef,ae=e.columnReorderOptions,se=e.groupedListRef,le=e.headerRef,ce=e.onGroupExpandStateChanged,ue=e.onColumnIsSizingChanged,de=e.onRowDidMount,pe=e.onRowWillUnmount,me=e.disableSelectionZone,he=e.onColumnResized,ge=e.onColumnAutoResized,fe=e.onToggleCollapse,ve=e.onActiveRowChanged,be=e.onBlur,ye=e.rowElementEventMap,_e=e.onRenderMissingItem,Ce=e.onRenderItemColumn,Se=e.getCellValueKey,xe=e.getRowAriaLabel,ke=e.getRowAriaDescribedBy,we=e.checkButtonAriaLabel,Ie=e.checkboxCellClassName,De=e.useReducedRowRenderer,Te=e.enableUpdateAnimations,Ee=e.enterModalSelectionOnTouch,Pe=e.onRenderDefaultRow,Me=e.selectionZoneRef,Re=function(e){for(var t=0,o=e;o&&o.length>0;)t++,o=o[0].children;return t}(m),Ne=c.useMemo((function(){return(0,l.pi)({renderedWindowsAhead:ee?0:2,renderedWindowsBehind:ee?0:2,getKey:A,version:oe},z)}),[ee,A,oe,z]),Be=wn.none;if(w===on.oW.single&&(Be=wn.hidden),w===on.oW.multiple){var Fe=h&&h.headerProps&&h.headerProps.isCollapsedGroupSelectVisible;void 0===Fe&&(Fe=!0),Be=Fe||!m||te?wn.visible:wn.hidden}a===un.hidden&&(Be=wn.none);var Le=c.useCallback((function(e){return c.createElement(Hn,(0,l.pi)({},e))}),[]),Ae=c.useCallback((function(){return null}),[]),ze=e.onRenderDetailsHeader,He=c.useMemo((function(){return ze?(0,ko.k)(ze,Le):Le}),[ze,Le]),Oe=e.onRenderDetailsFooter,We=c.useMemo((function(){return Oe?(0,ko.k)(Oe,Ae):Ae}),[Oe,Ae]),Ve=c.useMemo((function(){return{columns:Q,groupNestingDepth:Re,selection:t,selectionMode:w,viewport:W,checkboxVisibility:a,indentWidth:g,cellStyleProps:J}}),[Q,Re,t,w,W,a,g,J]),Ke=ae&&ae.onDragEnd,qe=c.useCallback((function(e,t){var o=e.dropLocation,n=ln.outside;if(Ke){if(o&&o!==ln.header)n=o;else if(ne.current){var r=ne.current.getBoundingClientRect();t.clientX>r.left&&t.clientXr.top&&t.clientY0;)++t,(n=o.pop())&&n.children&&o.push.apply(o,n.children);return t}(m)+(f?f.length:0),je=(Be!==wn.none?1:0)+(Q?Q.length:0)+(m?1:0),Je=c.useMemo((function(){return gr(G,{theme:U,compact:s,isFixed:y===cn.fixedColumns,isHorizontalConstrained:u===sn.horizontalConstrained,className:i})}),[G,U,s,y,u,i]),Ye=h&&h.onRenderFooter,Ze=c.useMemo((function(){return Ye?function(e,o){return Ye((0,l.pi)((0,l.pi)({},e),{columns:Q,groupNestingDepth:Re,indentWidth:g,selection:t,selectionMode:w,viewport:W,checkboxVisibility:a,cellStyleProps:J}),o)}:void 0}),[Ye,Q,Re,g,t,w,W,a,J]),Xe=h&&h.onRenderHeader,Qe=c.useMemo((function(){return Xe?function(e,o){var n=e.ariaPosInSet,r=e.ariaSetSize;return Xe((0,l.pi)((0,l.pi)({},e),{columns:Q,groupNestingDepth:Re,indentWidth:g,selection:t,selectionMode:w,viewport:W,checkboxVisibility:a,cellStyleProps:J,ariaColSpan:Q.length,ariaPosInSet:void 0,ariaSetSize:void 0,ariaRowCount:r?r+(b?1:0):void 0,ariaRowIndex:n?n+(b?1:0):void 0}),o)}:function(e,t){var o=e.ariaPosInSet,n=e.ariaSetSize;return t((0,l.pi)((0,l.pi)({},e),{ariaColSpan:Q.length,ariaPosInSet:void 0,ariaSetSize:void 0,ariaRowCount:n?n+(b?1:0):void 0,ariaRowIndex:o?o+(b?1:0):void 0}))}}),[Xe,Q,Re,g,b,t,w,W,a,J]),$e=c.useMemo((function(){return(0,l.pi)((0,l.pi)({},h),{role:"rowgroup",onRenderFooter:Ze,onRenderHeader:Qe})}),[h,Ze,Qe]),et=(0,q.B)((function(){return(0,d.NF)((function(e){var t=0;return e.forEach((function(e){return t+=e.calculatedWidth||e.minWidth})),t}))})),tt=h&&h.collapseAllVisibility,ot=c.useMemo((function(){return et(Q)}),[Q,et]),nt=c.useCallback((function(o,n,r){var i=e.onRenderRow?(0,ko.k)(e.onRenderRow,Pe):Pe,l={item:n,itemIndex:r,flatIndexOffset:b?2:1,compact:s,columns:Q,groupNestingDepth:o,selectionMode:w,selection:t,onDidMount:de,onWillUnmount:pe,onRenderItemColumn:Ce,getCellValueKey:Se,eventsToRegister:ye,dragDropEvents:p,dragDropHelper:X,viewport:W,checkboxVisibility:a,collapseAllVisibility:tt,getRowAriaLabel:xe,getRowAriaDescribedBy:ke,checkButtonAriaLabel:we,checkboxCellClassName:Ie,useReducedRowRenderer:De,indentWidth:g,cellStyleProps:J,onRenderDetailsCheckbox:Y,enableUpdateAnimations:Te,rowWidth:ot,useFastIcons:Z};return n?i(l):_e?_e(r,l):null}),[s,Q,w,t,de,pe,Ce,Se,ye,p,X,W,a,tt,xe,ke,b,we,Ie,De,g,J,Y,Te,Z,Pe,_e,e.onRenderRow,ot]),it=c.useCallback((function(e){return function(t,o){return nt(e,t,o)}}),[nt]),at=c.useCallback((function(e){return e.which===(0,T.dP)(rt.m.right,U)}),[U]),st={componentRef:ie,className:Je.focusZone,direction:R.U.vertical,shouldEnterInnerZone:at,onActiveElementChanged:ve,shouldRaiseClicks:!1,onBlur:be},lt=m?c.createElement(dr,{focusZoneProps:st,componentRef:se,groups:m,groupProps:$e,items:f,onRenderCell:nt,role:"presentation",selection:t,selectionMode:a!==un.hidden?w:on.oW.none,dragDropEvents:p,dragDropHelper:X,eventsToRegister:N,listProps:Ne,onGroupExpandStateChanged:ce,usePageCache:H,onShouldVirtualize:O,getGroupHeight:K,compact:s}):c.createElement(M.k,(0,l.pi)({},st),c.createElement(Eo,(0,l.pi)({ref:re,role:"presentation",items:f,onRenderCell:it(0),usePageCache:H,onShouldVirtualize:O},Ne))),ct=c.useCallback((function(e){e.which===rt.m.down&&ie.current&&ie.current.focus()&&(0===t.getSelectedIndices().length&&t.setIndexSelected(0,!0,!1),e.preventDefault(),e.stopPropagation())}),[t,ie]),ut=c.useCallback((function(e){e.which!==rt.m.up||e.altKey||le.current&&le.current.focus()&&(e.preventDefault(),e.stopPropagation())}),[le]);return c.createElement("div",(0,l.pi)({ref:ne,className:Je.root,"data-automationid":"DetailsList","data-is-scrollable":"false","aria-label":E},L?{role:"application"}:{}),c.createElement(B.u,null),c.createElement("div",{role:"grid","aria-label":P,"aria-rowcount":v?-1:Ue,"aria-colcount":je,"aria-readonly":"true","aria-busy":v},c.createElement("div",{onKeyDown:ct,role:"presentation",className:Je.headerWrapper},b&&He({componentRef:le,selectionMode:w,layoutMode:y,selection:t,columns:Q,onColumnClick:S,onColumnContextMenu:x,onColumnResized:he,onColumnIsSizingChanged:ue,onColumnAutoResized:ge,groupNestingDepth:Re,isAllCollapsed:$,onToggleCollapseAll:fe,ariaLabel:o,ariaLabelForSelectAllCheckbox:n,ariaLabelForSelectionColumn:r,selectAllVisibility:Be,collapseAllVisibility:h&&h.collapseAllVisibility,viewport:W,columnReorderProps:Ge,minimumPixelsForDrag:V,cellStyleProps:J,checkboxVisibility:a,indentWidth:g,onRenderDetailsCheckbox:Y,rowWidth:et(Q),useFastIcons:Z},He)),c.createElement("div",{onKeyDown:ut,role:"presentation",className:Je.contentWrapper},me?lt:c.createElement(rn.i,(0,l.pi)({ref:Me,selection:t,selectionPreservedOnEmptyClick:I,selectionMode:w,onItemInvoked:_,onItemContextMenu:C,enterModalOnTouch:Ee},D||{}),lt)),We((0,l.pi)({},Ve))))},br=function(e){function t(t){var o=e.call(this,t)||this;return o._root=c.createRef(),o._header=c.createRef(),o._groupedList=c.createRef(),o._list=c.createRef(),o._focusZone=c.createRef(),o._selectionZone=c.createRef(),o._onRenderRow=function(e,t){return c.createElement(Gn,(0,l.pi)({},e))},o._getDerivedStateFromProps=function(e,t){var n=o.props,r=n.checkboxVisibility,i=n.items,a=n.setKey,s=n.selectionMode,c=void 0===s?o._selection.mode:s,u=n.columns,d=n.viewport,p=n.compact,m=n.dragDropEvents,h=(o.props.groupProps||{}).isAllGroupsCollapsed,g=void 0===h?void 0:h,f=e.viewport&&e.viewport.width||0,v=d&&d.width||0,b=e.setKey!==a||void 0===e.setKey,y=!1;e.layoutMode!==o.props.layoutMode&&(y=!0);var _=t;return b&&(o._initialFocusedIndex=e.initialFocusedIndex,_=(0,l.pi)((0,l.pi)({},_),{focusedItemIndex:void 0!==o._initialFocusedIndex?o._initialFocusedIndex:-1})),o.props.disableSelectionZone||e.items===i||o._selection.setItems(e.items,b),e.checkboxVisibility===r&&e.columns===u&&f===v&&e.compact===p||(y=!0),_=(0,l.pi)((0,l.pi)({},_),o._adjustColumns(e,_,!0)),e.selectionMode!==c&&(y=!0),void 0===g&&e.groupProps&&void 0!==e.groupProps.isAllGroupsCollapsed&&(_=(0,l.pi)((0,l.pi)({},_),{isCollapsed:e.groupProps.isAllGroupsCollapsed,isSomeGroupExpanded:!e.groupProps.isAllGroupsCollapsed})),e.dragDropEvents!==m&&(o._dragDropHelper&&o._dragDropHelper.dispose(),o._dragDropHelper=e.dragDropEvents?new Dn({selection:o._selection,minimumPixelsForDrag:e.minimumPixelsForDrag}):void 0,y=!0),y&&(_=(0,l.pi)((0,l.pi)({},_),{version:{}})),_},o._onGroupExpandStateChanged=function(e){o.setState({isSomeGroupExpanded:e})},o._onColumnIsSizingChanged=function(e,t){o.setState({isSizing:t})},o._onRowDidMount=function(e){var t=e.props,n=t.item,r=t.itemIndex,i=o._getItemKey(n,r);o._activeRows[i]=e,o._setFocusToRowIfPending(e);var a=o.props.onRowDidMount;a&&a(n,r)},o._onRowWillUnmount=function(e){var t=o.props.onRowWillUnmount,n=e.props,r=n.item,i=n.itemIndex,a=o._getItemKey(r,i);delete o._activeRows[a],t&&t(r,i)},o._onToggleCollapse=function(e){o.setState({isCollapsed:e}),o._groupedList.current&&o._groupedList.current.toggleCollapseAll(e)},o._onColumnResized=function(e,t,n){var r=Math.max(e.minWidth||fr,t);o.props.onColumnResize&&o.props.onColumnResize(e,r,n),o._rememberCalculatedWidth(e,r),o.setState((0,l.pi)((0,l.pi)({},o._adjustColumns(o.props,o.state,!0,n)),{version:{}}))},o._onColumnAutoResized=function(e,t){var n=0,r=0,i=Object.keys(o._activeRows).length;for(var a in o._activeRows)o._activeRows.hasOwnProperty(a)&&o._activeRows[a].measureCell(t,(function(a){n=Math.max(n,a),++r===i&&o._onColumnResized(e,n,t)}))},o._onActiveRowChanged=function(e,t){var n=o.props,r=n.items,i=n.onActiveItemChanged;if(e&&e.getAttribute("data-item-index")){var a=Number(e.getAttribute("data-item-index"));a>=0&&(i&&i(r[a],a,t),o.setState({focusedItemIndex:a}))}},o._onBlur=function(e){o.setState({focusedItemIndex:-1})},(0,P.l)(o),o._async=new bo.e(o),o._activeRows={},o._columnOverrides={},o.state={focusedItemIndex:-1,lastWidth:0,adjustedColumns:o._getAdjustedColumns(t,void 0),isSizing:!1,isCollapsed:t.groupProps&&t.groupProps.isAllGroupsCollapsed,isSomeGroupExpanded:t.groupProps&&!t.groupProps.isAllGroupsCollapsed,version:{},getDerivedStateFromProps:o._getDerivedStateFromProps},o._selection=t.selection||new nn.Y({onSelectionChanged:void 0,getKey:t.getKey,selectionMode:t.selectionMode}),o.props.disableSelectionZone||o._selection.setItems(t.items,!1),o._dragDropHelper=t.dragDropEvents?new Dn({selection:o._selection,minimumPixelsForDrag:t.minimumPixelsForDrag}):void 0,o._initialFocusedIndex=t.initialFocusedIndex,o}return(0,l.ZT)(t,e),t.getDerivedStateFromProps=function(e,t){return t.getDerivedStateFromProps(e,t)},t.prototype.scrollToIndex=function(e,t,o){this._list.current&&this._list.current.scrollToIndex(e,t,o),this._groupedList.current&&this._groupedList.current.scrollToIndex(e,t,o)},t.prototype.focusIndex=function(e,t,o,n){void 0===t&&(t=!1);var r=this.props.items[e];if(r){this.scrollToIndex(e,o,n);var i=this._getItemKey(r,e),a=this._activeRows[i];a&&this._setFocusToRow(a,t)}},t.prototype.getStartItemIndexInView=function(){return this._list&&this._list.current?this._list.current.getStartItemIndexInView():this._groupedList&&this._groupedList.current?this._groupedList.current.getStartItemIndexInView():0},t.prototype.componentWillUnmount=function(){this._dragDropHelper&&this._dragDropHelper.dispose(),this._async.dispose()},t.prototype.componentDidUpdate=function(e,t){if(this._notifyColumnsResized(),void 0!==this._initialFocusedIndex&&(i=this.props.items[this._initialFocusedIndex])){var o=this._getItemKey(i,this._initialFocusedIndex);(n=this._activeRows[o])&&this._setFocusToRowIfPending(n)}if(this.props.items!==e.items&&this.props.items.length>0&&-1!==this.state.focusedItemIndex&&!(0,it.t)(this._root.current,document.activeElement,!1)){var n,r=this.state.focusedItemIndex0;)e++,t=t[0].children;return e},t.prototype._setFocusToRowIfPending=function(e){var t=e.props.itemIndex;void 0!==this._initialFocusedIndex&&t===this._initialFocusedIndex&&(this._setFocusToRow(e),delete this._initialFocusedIndex)},t.prototype._setFocusToRow=function(e,t){void 0===t&&(t=!1),this._selectionZone.current&&this._selectionZone.current.ignoreNextFocus(),this._async.setTimeout((function(){e.focus(t)}),0)},t.prototype._forceListUpdates=function(){this._groupedList.current&&this._groupedList.current.forceUpdate(),this._list.current&&this._list.current.forceUpdate()},t.prototype._notifyColumnsResized=function(){this.state.adjustedColumns.forEach((function(e){e.onColumnResize&&e.onColumnResize(e.currentWidth)}))},t.prototype._adjustColumns=function(e,t,o,n){var r=this._getAdjustedColumns(e,t,o,n),i=this.props.viewport,a=i&&i.width?i.width:0;return(0,l.pi)((0,l.pi)({},t),{adjustedColumns:r,lastWidth:a})},t.prototype._getAdjustedColumns=function(e,t,o,n){var r,i=this,a=e.items,s=e.layoutMode,l=e.selectionMode,c=e.viewport,u=c&&c.width?c.width:0,d=e.columns,p=this.props?this.props.columns:[],m=t?t.lastWidth:-1,h=t?t.lastSelectionMode:void 0;return o||m!==u||h!==l||p&&d!==p?(d=d||yr(a,!0),s===cn.fixedColumns?(r=this._getFixedColumns(d)).forEach((function(e){i._rememberCalculatedWidth(e,e.calculatedWidth)})):(r=void 0!==n?this._getJustifiedColumnsAfterResize(d,u,e,n):this._getJustifiedColumns(d,u,e,0)).forEach((function(e){i._getColumnOverride(e.key).currentWidth=e.calculatedWidth})),r):d||[]},t.prototype._getFixedColumns=function(e){var t=this;return e.map((function(e){var o=(0,l.pi)((0,l.pi)({},e),t._columnOverrides[e.key]);return o.calculatedWidth||(o.calculatedWidth=o.maxWidth||o.minWidth||fr),o}))},t.prototype._getJustifiedColumnsAfterResize=function(e,t,o,n){var r=this,i=e.slice(0,n);i.forEach((function(e){return e.calculatedWidth=r._getColumnOverride(e.key).currentWidth}));var a=i.reduce((function(e,t,n){return e+_r(t,0,o)}),0),s=e.slice(n),c=t-a;return(0,l.pr)(i,this._getJustifiedColumns(s,c,o,n))},t.prototype._getJustifiedColumns=function(e,t,o,n){for(var r=this,i=o.selectionMode,a=void 0===i?this._selection.mode:i,s=o.checkboxVisibility,c=a!==on.oW.none&&s!==un.hidden?48:0,u=36*this._getGroupNestingDepth(),d=0,p=t-(c+u),m=e.map((function(e,t){var n=(0,l.pi)((0,l.pi)((0,l.pi)({},e),{calculatedWidth:e.minWidth||fr}),r._columnOverrides[e.key]);return d+=_r(n,0,o),n})),h=m.length-1;h>0&&d>p;){var g=(y=m[h]).minWidth||fr,f=d-p;if(y.calculatedWidth-g>=f||!y.isCollapsible&&!y.isCollapsable){var v=y.calculatedWidth;y.calculatedWidth=Math.max(y.calculatedWidth-f,g),d-=v-y.calculatedWidth}else d-=_r(y,0,o),m.splice(h,1);h--}for(var b=0;b=(E||Er.eD.small)&&c.createElement(dt.m,(0,l.pi)({ref:H},ve),c.createElement(Dr.G,{role:M||!v?"dialog":"alertdialog","aria-modal":!M,ariaLabelledBy:k,ariaDescribedBy:I,onDismiss:_,shouldRestoreFocus:!f},c.createElement("div",{className:fe.root,role:M?void 0:"document"},!M&&c.createElement(Ir.a,(0,l.pi)({isDarkThemed:y,onClick:v?void 0:_,allowTouchBodyScroll:a},S)),R?c.createElement(Br,{handleSelector:R.dragHandleSelector||"#"+V,preventDragSelector:"button",onStart:Se,onDragChange:xe,onStop:ke,position:ne},we):we)))||null}));Or.displayName="Modal";var Wr=(0,I.z)(Or,(function(e){var t,o=e.className,n=e.containerClassName,r=e.scrollableContentClassName,i=e.isOpen,a=e.isVisible,s=e.hasBeenOpened,l=e.modalRectangleTop,c=e.theme,d=e.topOffsetFixed,p=e.isModeless,m=e.layerClassName,h=e.isDefaultDragHandle,g=e.windowInnerHeight,f=c.palette,v=c.effects,b=c.fonts,y=(0,u.Cn)(wr,c);return{root:[y.root,b.medium,{backgroundColor:"transparent",position:p?"absolute":"fixed",height:"100%",width:"100%",display:"flex",alignItems:"center",justifyContent:"center",opacity:0,pointerEvents:"none",transition:"opacity "+kr},d&&s&&{alignItems:"flex-start"},i&&y.isOpen,a&&{opacity:1,pointerEvents:"auto"},o],main:[y.main,{boxShadow:v.elevation64,borderRadius:v.roundedCorner2,backgroundColor:f.white,boxSizing:"border-box",position:"relative",textAlign:"left",outline:"3px solid transparent",maxHeight:"calc(100% - 32px)",maxWidth:"calc(100% - 32px)",minHeight:"176px",minWidth:"288px",overflowY:"auto",zIndex:p?u.bR.Layer:void 0},d&&s&&{top:l},h&&{cursor:"move"},n],scrollableContent:[y.scrollableContent,{overflowY:"auto",flexGrow:1,maxHeight:"100vh",selectors:(t={},t["@supports (-webkit-overflow-scrolling: touch)"]={maxHeight:g},t)},r],layer:p&&[m,y.layer,{position:"static",width:"unset",height:"unset"}],keyboardMoveIconContainer:{position:"absolute",display:"flex",justifyContent:"center",width:"100%",padding:"3px 0px"},keyboardMoveIcon:{fontSize:b.xLargePlus.fontSize,width:"24px"}}}),void 0,{scope:"Modal",fields:["theme","styles","enableAriaHiddenSiblings"]});Wr.displayName="Modal";var Vr=o(3129),Kr=(0,D.y)(),qr=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.className,o=e.styles,n=e.theme;return this._classNames=Kr(o,{theme:n,className:t}),c.createElement("div",{className:this._classNames.actions},c.createElement("div",{className:this._classNames.actionsRight},this._renderChildrenAsActions()))},t.prototype._renderChildrenAsActions=function(){var e=this;return c.Children.map(this.props.children,(function(t){return t?c.createElement("span",{className:e._classNames.action},t):null}))},t}(c.Component),Gr={actions:"ms-Dialog-actions",action:"ms-Dialog-action",actionsRight:"ms-Dialog-actionsRight"},Ur=(0,I.z)(qr,(function(e){var t=e.className,o=e.theme,n=(0,u.Cn)(Gr,o);return{actions:[n.actions,{position:"relative",width:"100%",minHeight:"24px",lineHeight:"24px",margin:"16px 0 0",fontSize:"0",selectors:{".ms-Button":{lineHeight:"normal"}}},t],action:[n.action,{margin:"0 4px"}],actionsRight:[n.actionsRight,{textAlign:"right",marginRight:"-4px",fontSize:"0"}]}}),void 0,{scope:"DialogFooter"}),jr=(0,D.y)(),Jr=c.createElement(Ur,null).type,Yr=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),(0,Vr.b)("DialogContent",t,{titleId:"titleProps.id"}),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e,t=this.props,o=t.showCloseButton,n=t.className,r=t.closeButtonAriaLabel,i=t.onDismiss,a=t.subTextId,s=t.subText,u=t.titleProps,d=void 0===u?{}:u,p=t.titleId,m=t.title,h=t.type,g=t.styles,f=t.theme,v=t.draggableHeaderClassName,b=jr(g,{theme:f,className:n,isLargeHeader:h===Cr.largeHeader,isClose:h===Cr.close,draggableHeaderClassName:v}),y=this._groupChildren();return s&&(e=c.createElement("p",{className:b.subText,id:a},s)),c.createElement("div",{className:b.content},c.createElement("div",{className:b.header},c.createElement("div",(0,l.pi)({id:p,role:"heading","aria-level":1},d,{className:(0,pt.i)(b.title,d.className)}),m),c.createElement("div",{className:b.topButton},this.props.topButtonsProps.map((function(e,t){return c.createElement(V.h,(0,l.pi)({key:e.uniqueId||t},e))})),(h===Cr.close||o&&h!==Cr.largeHeader)&&c.createElement(V.h,{className:b.button,iconProps:{iconName:"Cancel"},ariaLabel:r,onClick:i,title:r}))),c.createElement("div",{className:b.inner},c.createElement("div",{className:b.innerContent},e,y.contents),y.footers))},t.prototype._groupChildren=function(){var e={footers:[],contents:[]};return c.Children.map(this.props.children,(function(t){"object"==typeof t&&null!==t&&t.type===Jr?e.footers.push(t):e.contents.push(t)})),e},t.defaultProps={showCloseButton:!1,className:"",topButtonsProps:[],closeButtonAriaLabel:"Close"},(0,l.gn)([Er.Ae],t)}(c.Component),Zr={contentLgHeader:"ms-Dialog-lgHeader",close:"ms-Dialog--close",subText:"ms-Dialog-subText",header:"ms-Dialog-header",headerLg:"ms-Dialog--lgHeader",button:"ms-Dialog-button ms-Dialog-button--close",inner:"ms-Dialog-inner",content:"ms-Dialog-content",title:"ms-Dialog-title"},Xr=(0,I.z)(Yr,(function(e){var t,o,n,r=e.className,i=e.theme,a=e.isLargeHeader,s=e.isClose,l=e.hidden,c=e.isMultiline,d=e.draggableHeaderClassName,p=i.palette,m=i.fonts,h=i.effects,g=i.semanticColors,f=(0,u.Cn)(Zr,i);return{content:[a&&[f.contentLgHeader,{borderTop:"4px solid "+p.themePrimary}],s&&f.close,{flexGrow:1,overflowY:"hidden"},r],subText:[f.subText,m.medium,{margin:"0 0 24px 0",color:g.bodySubtext,lineHeight:"1.5",wordWrap:"break-word",fontWeight:u.lq.regular}],header:[f.header,{position:"relative",width:"100%",boxSizing:"border-box"},s&&f.close,d&&[d,{cursor:"move"}]],button:[f.button,l&&{selectors:{".ms-Icon.ms-Icon--Cancel":{color:g.buttonText,fontSize:u.ld.medium}}}],inner:[f.inner,{padding:"0 24px 24px",selectors:(t={},t["@media (min-width: "+u.QQ+"px) and (max-width: "+u.mV+"px)"]={padding:"0 16px 16px"},t)}],innerContent:[f.content,{position:"relative",width:"100%"}],title:[f.title,m.xLarge,{color:g.bodyText,margin:"0",minHeight:m.xLarge.fontSize,padding:"16px 46px 20px 24px",lineHeight:"normal",selectors:(o={},o["@media (min-width: "+u.QQ+"px) and (max-width: "+u.mV+"px)"]={padding:"16px 46px 16px 16px"},o)},a&&{color:g.menuHeader},c&&{fontSize:m.xxLarge.fontSize}],topButton:[{display:"flex",flexDirection:"row",flexWrap:"nowrap",position:"absolute",top:"0",right:"0",padding:"15px 15px 0 0",selectors:(n={"> *":{flex:"0 0 auto"},".ms-Dialog-button":{color:g.buttonText},".ms-Dialog-button:hover":{color:g.buttonTextHovered,borderRadius:h.roundedCorner2}},n["@media (min-width: "+u.QQ+"px) and (max-width: "+u.mV+"px)"]={padding:"15px 8px 0 0"},n)}]}}),void 0,{scope:"DialogContent"}),Qr=(0,D.y)(),$r={isDarkOverlay:!1,isBlocking:!1,className:"",containerClassName:"",topOffsetFixed:!1},ei={type:Cr.normal,className:"",topButtonsProps:[]},ti=function(e){function t(t){var o=e.call(this,t)||this;return o._getSubTextId=function(){var e=o.props,t=e.ariaDescribedById,n=e.modalProps,r=e.dialogContentProps,i=e.subText,a=n&&n.subtitleAriaId||t;return a||(a=(r&&r.subText||i)&&o._defaultSubTextId),a},o._getTitleTextId=function(){var e=o.props,t=e.ariaLabelledById,n=e.modalProps,r=e.dialogContentProps,i=e.title,a=n&&n.titleAriaId||t;return a||(a=(r&&r.title||i)&&o._defaultTitleTextId),a},o._id=(0,dn.z)("Dialog"),o._defaultTitleTextId=o._id+"-title",o._defaultSubTextId=o._id+"-subText",o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e,t,o,n,r=this.props,i=r.className,a=r.containerClassName,s=r.contentClassName,u=r.elementToFocusOnDismiss,d=r.firstFocusableSelector,p=r.forceFocusInsideTrap,m=r.styles,h=r.hidden,g=r.ignoreExternalFocusing,f=r.isBlocking,v=r.isClickableOutsideFocusTrap,b=r.isDarkOverlay,y=r.isOpen,_=r.onDismiss,C=r.onDismissed,S=r.onLayerDidMount,x=r.responsiveMode,k=r.subText,w=r.theme,I=r.title,D=r.topButtonsProps,T=r.type,E=r.minWidth,P=r.maxWidth,M=r.modalProps,R=(0,l.pi)({},M?M.layerProps:{onLayerDidMount:S});S&&!R.onLayerDidMount&&(R.onLayerDidMount=S),M&&M.dragOptions&&!M.dragOptions.dragHandleSelector?(o="ms-Dialog-draggable-header",n=(0,l.pi)((0,l.pi)({},M.dragOptions),{dragHandleSelector:"."+o})):n=M&&M.dragOptions;var N=(0,l.pi)((0,l.pi)((0,l.pi)((0,l.pi)({},$r),{className:i,containerClassName:a,isBlocking:f,isDarkOverlay:b,onDismissed:C}),M),{layerProps:R,dragOptions:n}),B=(0,l.pi)((0,l.pi)((0,l.pi)({className:s,subText:k,title:I,topButtonsProps:D,type:T},ei),this.props.dialogContentProps),{draggableHeaderClassName:o,titleProps:(0,l.pi)({id:(null===(e=this.props.dialogContentProps)||void 0===e?void 0:e.titleId)||this._defaultTitleTextId},null===(t=this.props.dialogContentProps)||void 0===t?void 0:t.titleProps)}),F=Qr(m,{theme:w,className:N.className,containerClassName:N.containerClassName,hidden:h,dialogDefaultMinWidth:E,dialogDefaultMaxWidth:P});return c.createElement(Wr,(0,l.pi)({elementToFocusOnDismiss:u,firstFocusableSelector:d,forceFocusInsideTrap:p,ignoreExternalFocusing:g,isClickableOutsideFocusTrap:v,onDismissed:N.onDismissed,responsiveMode:x},N,{isDarkOverlay:N.isDarkOverlay,isBlocking:N.isBlocking,isOpen:void 0!==y?y:!h,className:F.root,containerClassName:F.main,onDismiss:_||N.onDismiss,subtitleAriaId:this._getSubTextId(),titleAriaId:this._getTitleTextId()}),c.createElement(Xr,(0,l.pi)({subTextId:this._defaultSubTextId,title:B.title,subText:B.subText,showCloseButton:N.isBlocking,topButtonsProps:B.topButtonsProps,type:B.type,onDismiss:_||B.onDismiss,className:B.className},B),this.props.children))},t.defaultProps={hidden:!0},(0,l.gn)([Er.Ae],t)}(c.Component),oi={root:"ms-Dialog"},ni=(0,I.z)(ti,(function(e){var t,o=e.className,n=e.containerClassName,r=e.dialogDefaultMinWidth,i=void 0===r?"288px":r,a=e.dialogDefaultMaxWidth,s=void 0===a?"340px":a,l=e.hidden,c=e.theme;return{root:[(0,u.Cn)(oi,c).root,c.fonts.medium,o],main:[{width:i,outline:"3px solid transparent",selectors:(t={},t["@media (min-width: "+u.dd+"px)"]={width:"auto",maxWidth:s,minWidth:i},t)},!l&&{display:"flex"},n]}}),void 0,{scope:"Dialog"});ni.displayName="Dialog";var ri,ii=o(8386);!function(e){e[e.normal=0]="normal",e[e.compact=1]="compact"}(ri||(ri={}));var ai=(0,D.y)(),si=function(e){function t(t){var o=e.call(this,t)||this;return o._rootElement=c.createRef(),o._onClick=function(e){o._onAction(e)},o._onKeyDown=function(e){e.which!==rt.m.enter&&e.which!==rt.m.space||o._onAction(e)},o._onAction=function(e){var t=o.props,n=t.onClick,r=t.onClickHref,i=t.onClickTarget;n?n(e):!n&&r&&(i?window.open(r,i,"noreferrer noopener nofollow"):window.location.href=r,e.preventDefault(),e.stopPropagation())},(0,P.l)(o),(0,Vr.b)("DocumentCard",t,{accentColor:void 0}),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e,t=this.props,o=t.onClick,n=t.onClickHref,r=t.children,i=t.type,a=t.accentColor,s=t.styles,u=t.theme,d=t.className,p=(0,E.pq)(this.props,E.n7,["className","onClick","type","role"]),m=!(!o&&!n);this._classNames=ai(s,{theme:u,className:d,actionable:m,compact:i===ri.compact}),i===ri.compact&&a&&(e={borderBottomColor:a});var h=this.props.role||(m?o?"button":"link":void 0),g=m?0:void 0;return c.createElement("div",(0,l.pi)({ref:this._rootElement,tabIndex:g,"data-is-focusable":m,role:h,className:this._classNames.root,onKeyDown:m?this._onKeyDown:void 0,onClick:m?this._onClick:void 0,style:e},p),r)},t.prototype.focus=function(){this._rootElement.current&&this._rootElement.current.focus()},t.defaultProps={type:ri.normal},t}(c.Component),li={root:"ms-DocumentCardPreview",icon:"ms-DocumentCardPreview-icon",iconContainer:"ms-DocumentCardPreview-iconContainer"},ci={root:"ms-DocumentCardActivity",multiplePeople:"ms-DocumentCardActivity--multiplePeople",details:"ms-DocumentCardActivity-details",name:"ms-DocumentCardActivity-name",activity:"ms-DocumentCardActivity-activity",avatars:"ms-DocumentCardActivity-avatars",avatar:"ms-DocumentCardActivity-avatar"},ui={root:"ms-DocumentCardTitle"},di={root:"ms-DocumentCardLocation"},pi={root:"ms-DocumentCard",rootActionable:"ms-DocumentCard--actionable",rootCompact:"ms-DocumentCard--compact"},mi=(0,I.z)(si,(function(e){var t,o,n=e.className,r=e.theme,i=e.actionable,a=e.compact,s=r.palette,l=r.fonts,c=r.effects,d=(0,u.Cn)(pi,r);return{root:[d.root,{WebkitFontSmoothing:"antialiased",backgroundColor:s.white,border:"1px solid "+s.neutralLight,maxWidth:"320px",minWidth:"206px",userSelect:"none",position:"relative",selectors:(t={":focus":{outline:"0px solid"}},t["."+de.G$+" &:focus"]=(0,u.$Y)(s.neutralSecondary,c.roundedCorner2),t["."+di.root+" + ."+ui.root]={paddingTop:"4px"},t)},i&&[d.rootActionable,{selectors:{":hover":{cursor:"pointer",borderColor:s.neutralTertiaryAlt},":hover:after":{content:'" "',position:"absolute",top:0,right:0,bottom:0,left:0,border:"1px solid "+s.neutralTertiaryAlt,pointerEvents:"none"}}}],a&&[d.rootCompact,{display:"flex",maxWidth:"480px",height:"108px",selectors:(o={},o["."+li.root]={borderRight:"1px solid "+s.neutralLight,borderBottom:0,maxHeight:"106px",maxWidth:"144px"},o["."+li.icon]={maxHeight:"32px",maxWidth:"32px"},o["."+ci.root]={paddingBottom:"12px"},o["."+ui.root]={paddingBottom:"12px 16px 8px 16px",fontSize:l.mediumPlus.fontSize,lineHeight:"16px"},o)}],n]}}),void 0,{scope:"DocumentCard"}),hi=(0,D.y)(),gi=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this,t=this.props,o=t.actions,n=t.views,r=t.styles,i=t.theme,a=t.className;return this._classNames=hi(r,{theme:i,className:a}),c.createElement("div",{className:this._classNames.root},o&&o.map((function(t,o){return c.createElement("div",{className:e._classNames.action,key:o},c.createElement(V.h,(0,l.pi)({},t)))})),n>0&&c.createElement("div",{className:this._classNames.views},c.createElement(W.J,{iconName:"View",className:this._classNames.viewsIcon}),n))},t}(c.Component),fi={root:"ms-DocumentCardActions",action:"ms-DocumentCardActions-action",views:"ms-DocumentCardActions-views"},vi=(0,I.z)(gi,(function(e){var t=e.className,o=e.theme,n=o.palette,r=o.fonts,i=(0,u.Cn)(fi,o);return{root:[i.root,{height:"34px",padding:"4px 12px",position:"relative"},t],action:[i.action,{float:"left",marginRight:"4px",color:n.neutralSecondary,cursor:"pointer",selectors:{".ms-Button":{fontSize:r.mediumPlus.fontSize,height:34,width:34},".ms-Button:hover .ms-Button-icon":{color:o.semanticColors.buttonText,cursor:"pointer"}}}],views:[i.views,{textAlign:"right",lineHeight:34}],viewsIcon:{marginRight:"8px",fontSize:r.medium.fontSize,verticalAlign:"top"}}}),void 0,{scope:"DocumentCardActions"}),bi=(0,D.y)(),yi=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.activity,o=e.people,n=e.styles,r=e.theme,i=e.className;return this._classNames=bi(n,{theme:r,className:i,multiplePeople:o.length>1}),o&&0!==o.length?c.createElement("div",{className:this._classNames.root},this._renderAvatars(o),c.createElement("div",{className:this._classNames.details},c.createElement("span",{className:this._classNames.name},this._getNameString(o)),c.createElement("span",{className:this._classNames.activity},t))):null},t.prototype._renderAvatars=function(e){return c.createElement("div",{className:this._classNames.avatars},e.length>1?this._renderAvatar(e[1]):null,this._renderAvatar(e[0]))},t.prototype._renderAvatar=function(e){return c.createElement("div",{className:this._classNames.avatar},c.createElement(_.t,{imageInitials:e.initials,text:e.name,imageUrl:e.profileImageSrc,initialsColor:e.initialsColor,allowPhoneInitials:e.allowPhoneInitials,role:"presentation",size:C.Ir.size32}))},t.prototype._getNameString=function(e){var t=e[0].name;return e.length>=2&&(t+=" +"+(e.length-1)),t},t}(c.Component),_i=(0,I.z)(yi,(function(e){var t=e.theme,o=e.className,n=e.multiplePeople,r=t.palette,i=t.fonts,a=(0,u.Cn)(ci,t);return{root:[a.root,n&&a.multiplePeople,{padding:"8px 16px",position:"relative"},o],avatars:[a.avatars,{marginLeft:"-2px",height:"32px"}],avatar:[a.avatar,{display:"inline-block",verticalAlign:"top",position:"relative",textAlign:"center",width:32,height:32,selectors:{"&:after":{content:'" "',position:"absolute",left:"-1px",top:"-1px",right:"-1px",bottom:"-1px",border:"2px solid "+r.white,borderRadius:"50%"},":nth-of-type(2)":n&&{marginLeft:"-16px"}}}],details:[a.details,{left:n?"72px":"56px",height:32,position:"absolute",top:8,width:"calc(100% - 72px)"}],name:[a.name,{display:"block",fontSize:i.small.fontSize,lineHeight:"15px",height:"15px",overflow:"hidden",textOverflow:"ellipsis",whiteSpace:"nowrap",color:r.neutralPrimary,fontWeight:u.lq.semibold}],activity:[a.activity,{display:"block",fontSize:i.small.fontSize,lineHeight:"15px",height:"15px",overflow:"hidden",textOverflow:"ellipsis",whiteSpace:"nowrap",color:r.neutralSecondary}]}}),void 0,{scope:"DocumentCardActivity"}),Ci=(0,D.y)(),Si=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.children,o=e.styles,n=e.theme,r=e.className;return this._classNames=Ci(o,{theme:n,className:r}),c.createElement("div",{className:this._classNames.root},t)},t}(c.Component),xi={root:"ms-DocumentCardDetails"},ki=(0,I.z)(Si,(function(e){var t=e.className,o=e.theme;return{root:[(0,u.Cn)(xi,o).root,{display:"flex",flexDirection:"column",flex:1,justifyContent:"space-between",overflow:"hidden"},t]}}),void 0,{scope:"DocumentCardDetails"}),wi=(0,D.y)(),Ii=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.location,o=e.locationHref,n=e.ariaLabel,r=e.onClick,i=e.styles,a=e.theme,s=e.className;return this._classNames=wi(i,{theme:a,className:s}),c.createElement("a",{className:this._classNames.root,href:o,onClick:r,"aria-label":n},t)},t}(c.Component),Di=(0,I.z)(Ii,(function(e){var t=e.theme,o=e.className,n=t.palette,r=t.fonts;return{root:[(0,u.Cn)(di,t).root,r.small,{color:n.themePrimary,display:"block",fontWeight:u.lq.semibold,overflow:"hidden",padding:"8px 16px",position:"relative",textDecoration:"none",textOverflow:"ellipsis",whiteSpace:"nowrap",selectors:{":hover":{color:n.themePrimary,cursor:"pointer"}}},o]}}),void 0,{scope:"DocumentCardLocation"}),Ti=o(4861),Ei=(0,D.y)(),Pi=function(e){function t(t){var o=e.call(this,t)||this;return o._renderPreviewList=function(e){var t=o.props,n=t.getOverflowDocumentCountText,r=t.maxDisplayCount,i=void 0===r?3:r,a=e.length-i,s=a?n?n(a):"+"+a:null,u=e.slice(0,i).map((function(e,t){return c.createElement("li",{key:t},c.createElement(Ti.E,{className:o._classNames.fileListIcon,src:e.iconSrc,role:"presentation",alt:"",width:"16px",height:"16px"}),c.createElement(O,(0,l.pi)({className:o._classNames.fileListLink},(e.linkProps,{href:e.linkProps&&e.linkProps.href||e.url})),e.name))}));return c.createElement("div",null,c.createElement("ul",{className:o._classNames.fileList},u),s&&c.createElement("span",{className:o._classNames.fileListOverflowText},s))},(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e,t,o=this.props,n=o.previewImages,r=o.styles,i=o.theme,a=o.className,s=n.length>1;return this._classNames=Ei(r,{theme:i,className:a,isFileList:s}),n.length>1?t=this._renderPreviewList(n):1===n.length&&(t=this._renderPreviewImage(n[0]),n[0].accentColor&&(e={borderBottomColor:n[0].accentColor})),c.createElement("div",{className:this._classNames.root,style:e},t)},t.prototype._renderPreviewImage=function(e){var t=e.width,o=e.height,n=e.imageFit,r=e.previewIconProps,i=e.previewIconContainerClass;if(r)return c.createElement("div",{className:(0,pt.i)(this._classNames.previewIcon,i),style:{width:t,height:o}},c.createElement(W.J,(0,l.pi)({},r)));var a,s=c.createElement(Ti.E,{width:t,height:o,imageFit:n,src:e.previewImageSrc,role:"presentation",alt:""});return e.iconSrc&&(a=c.createElement(Ti.E,{className:this._classNames.icon,src:e.iconSrc,role:"presentation",alt:""})),c.createElement("div",null,s,a)},t}(c.Component),Mi=(0,I.z)(Pi,(function(e){var t,o,n=e.theme,r=e.className,i=e.isFileList,a=n.palette,s=n.fonts,l=(0,u.Cn)(li,n);return{root:[l.root,s.small,{backgroundColor:i?a.white:a.neutralLighterAlt,borderBottom:"1px solid "+a.neutralLight,overflow:"hidden",position:"relative"},r],previewIcon:[l.iconContainer,{display:"flex",alignItems:"center",justifyContent:"center",height:"100%"}],icon:[l.icon,{left:"10px",bottom:"10px",position:"absolute"}],fileList:{padding:"16px 16px 0 16px",listStyleType:"none",margin:0,selectors:{li:{height:"16px",lineHeight:"16px",marginBottom:"8px",overflow:"hidden"}}},fileListIcon:{display:"inline-block",marginRight:"8px"},fileListLink:[(0,u.GL)(n,{highContrastStyle:{border:"1px solid WindowText",outline:"none"}}),{boxSizing:"border-box",color:a.neutralDark,overflow:"hidden",display:"inline-block",textDecoration:"none",textOverflow:"ellipsis",whiteSpace:"nowrap",width:"calc(100% - 24px)",selectors:(t={":hover":{color:a.themePrimary}},t["."+de.G$+" &:focus"]={selectors:(o={},o[u.qJ]={outline:"none"},o)},t)}],fileListOverflowText:{padding:"0px 16px 8px 16px",display:"block"}}}),void 0,{scope:"DocumentCardPreview"}),Ri=(0,D.y)(),Ni=function(e){function t(t){var o=e.call(this,t)||this;return o._onImageLoad=function(){o.setState({imageHasLoaded:!0})},(0,P.l)(o),o.state={imageHasLoaded:!1},o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.width,n=e.height,r=e.imageFit,i=e.imageSrc;return this._classNames=Ri(t,this.props),c.createElement("div",{className:this._classNames.root},i&&c.createElement(Ti.E,{width:o,height:n,imageFit:r,src:i,role:"presentation",alt:"",onLoad:this._onImageLoad}),this.state.imageHasLoaded?this._renderCornerIcon():this._renderCenterIcon())},t.prototype._renderCenterIcon=function(){var e=this.props.iconProps;return c.createElement("div",{className:this._classNames.centeredIconWrapper},c.createElement(W.J,(0,l.pi)({className:this._classNames.centeredIcon},e)))},t.prototype._renderCornerIcon=function(){var e=this.props.iconProps;return c.createElement(W.J,(0,l.pi)({className:this._classNames.cornerIcon},e))},t}(c.Component),Bi="42px",Fi="32px",Li=(0,I.z)(Ni,(function(e){var t=e.theme,o=e.className,n=e.height,r=e.width,i=t.palette;return{root:[{borderBottom:"1px solid "+i.neutralLight,position:"relative",backgroundColor:i.neutralLighterAlt,overflow:"hidden",height:n&&n+"px",width:r&&r+"px"},o],centeredIcon:[{height:Bi,width:Bi,fontSize:Bi}],centeredIconWrapper:[{display:"flex",alignItems:"center",justifyContent:"center",height:"100%",width:"100%",position:"absolute",top:0,left:0}],cornerIcon:[{left:"10px",bottom:"10px",height:Fi,width:Fi,fontSize:Fi,position:"absolute",overflow:"visible"}]}}),void 0,{scope:"DocumentCardImage"}),Ai=(0,D.y)(),zi=function(e){function t(t){var o=e.call(this,t)||this;return o._titleElement=c.createRef(),o._measureTitleElement=c.createRef(),o._truncateTitle=function(){o.state.needMeasurement&&o._async.requestAnimationFrame(o._truncateWhenInAnimation)},o._truncateWhenInAnimation=function(){var e=o.props.title,t=o._measureTitleElement.current;if(t){var n=getComputedStyle(t);if(n.width&&n.lineHeight&&n.height){var r=t.clientWidth,i=t.scrollWidth,a=Math.floor((parseInt(n.height,10)+5)/parseInt(n.lineHeight,10)),s=i/(parseInt(n.width,10)*a);if(s>1){var l=e.length/s-3;return o.setState({truncatedTitleFirstPiece:e.slice(0,l/2),truncatedTitleSecondPiece:e.slice(e.length-l/2),clientWidth:r,needMeasurement:!1})}}}return o.setState({needMeasurement:!1})},o._shrinkTitle=function(){var e=o.state,t=e.truncatedTitleFirstPiece,n=e.truncatedTitleSecondPiece;if(t&&n){var r=o._titleElement.current;if(!r)return;(r.scrollHeight>r.clientHeight+5||r.scrollWidth>r.clientWidth)&&o.setState({truncatedTitleFirstPiece:t.slice(0,t.length-1),truncatedTitleSecondPiece:n.slice(1)})}},(0,P.l)(o),o._async=new bo.e(o),o._events=new at.r(o),o.state={truncatedTitleFirstPiece:"",truncatedTitleSecondPiece:"",previousTitle:t.title,needMeasurement:!!t.shouldTruncate},o}return(0,l.ZT)(t,e),t.prototype.componentDidUpdate=function(){this.props.title!==this.state.previousTitle&&this.setState({truncatedTitleFirstPiece:void 0,truncatedTitleSecondPiece:void 0,clientWidth:void 0,previousTitle:this.props.title,needMeasurement:!!this.props.shouldTruncate}),this._events.off(window,"resize",this._updateTruncation),this.props.shouldTruncate&&(this._truncateTitle(),requestAnimationFrame(this._shrinkTitle),this._events.on(window,"resize",this._updateTruncation))},t.prototype.componentDidMount=function(){this.props.shouldTruncate&&(this._truncateTitle(),this._events.on(window,"resize",this._updateTruncation))},t.prototype.componentWillUnmount=function(){this._events.dispose(),this._async.dispose()},t.prototype.render=function(){var e=this.props,t=e.title,o=e.shouldTruncate,n=e.showAsSecondaryTitle,r=e.styles,i=e.theme,a=e.className,s=this.state,l=s.truncatedTitleFirstPiece,u=s.truncatedTitleSecondPiece,d=s.needMeasurement;return this._classNames=Ai(r,{theme:i,className:a,showAsSecondaryTitle:n}),d?c.createElement("div",{className:this._classNames.root,ref:this._measureTitleElement,title:t,style:{whiteSpace:"nowrap"}},t):o&&l&&u?c.createElement("div",{className:this._classNames.root,ref:this._titleElement,title:t},l,"…",u):c.createElement("div",{className:this._classNames.root,ref:this._titleElement,title:t},t)},t.prototype._updateTruncation=function(){var e=this;this._async.requestAnimationFrame((function(){if(e._titleElement.current){var t=e._titleElement.current.clientWidth;clearTimeout(e._titleTruncationTimer),e.state.clientWidth!==t&&(e._titleTruncationTimer=e._async.setTimeout((function(){return e.setState({truncatedTitleFirstPiece:void 0,truncatedTitleSecondPiece:void 0,needMeasurement:!0})}),250))}}))},t}(c.Component),Hi=(0,I.z)(zi,(function(e){var t=e.theme,o=e.className,n=e.showAsSecondaryTitle,r=t.palette,i=t.fonts;return{root:[(0,u.Cn)(ui,t).root,n?i.medium:i.large,{padding:"8px 16px",display:"block",overflow:"hidden",wordWrap:"break-word",height:n?"45px":"38px",lineHeight:n?"18px":"21px",color:n?r.neutralSecondary:r.neutralPrimary},o]}}),void 0,{scope:"DocumentCardTitle"}),Oi=(0,D.y)(),Wi=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.logoIcon,o=e.styles,n=e.theme,r=e.className;return this._classNames=Oi(o,{theme:n,className:r}),c.createElement("div",{className:this._classNames.root},c.createElement(W.J,{iconName:t}))},t}(c.Component),Vi={root:"ms-DocumentCardLogo"},Ki=(0,I.z)(Wi,(function(e){var t=e.theme,o=e.className,n=t.palette,r=t.fonts;return{root:[(0,u.Cn)(Vi,t).root,{fontSize:r.xxLargePlus.fontSize,color:n.themePrimary,display:"block",padding:"16px 16px 0 16px"},o]}}),void 0,{scope:"DocumentCardLogo"}),qi=(0,D.y)(),Gi=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.statusIcon,o=e.status,n=e.styles,r=e.theme,i=e.className,a={iconName:t,styles:{root:{padding:"8px"}}};return this._classNames=qi(n,{theme:r,className:i}),c.createElement("div",{className:this._classNames.root},t&&c.createElement(W.J,(0,l.pi)({},a)),o)},t}(c.Component),Ui={root:"ms-DocumentCardStatus"},ji=(0,I.z)(Gi,(function(e){var t=e.className,o=e.theme,n=o.palette,r=o.fonts;return{root:[(0,u.Cn)(Ui,o).root,r.medium,{margin:"8px 16px",color:n.neutralPrimary,backgroundColor:n.neutralLighter,height:"32px"},t]}}),void 0,{scope:"DocumentCardStatus"}),Ji=o(4004),Yi=o(8982),Zi=o(2703),Xi=o(4976);(0,Xi.RM)([{rawString:".pickerText_43ffcad1{display:-webkit-box;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;-webkit-box-align:center;-ms-flex-align:center;align-items:center;-webkit-box-sizing:border-box;box-sizing:border-box;border:1px solid "},{theme:"neutralTertiary",defaultValue:"#a19f9d"},{rawString:";min-width:180px;padding:1px;min-height:32px}.pickerText_43ffcad1:hover{border-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:"}.pickerInput_43ffcad1{height:34px;border:none;-webkit-box-flex:1;-ms-flex-positive:1;flex-grow:1;outline:0;padding:0 6px 0;margin:1px}.pickerInput_43ffcad1::-ms-clear{display:none}"}]);var Qi="pickerText_43ffcad1",$i="pickerInput_43ffcad1",ea=n,ta=function(e){function t(t){var o=e.call(this,t)||this;return o.floatingPicker=c.createRef(),o.selectedItemsList=c.createRef(),o.root=c.createRef(),o.input=c.createRef(),o.onSelectionChange=function(){o.forceUpdate()},o.onInputChange=function(e,t){t||(o.setState({queryString:e}),o.floatingPicker.current&&o.floatingPicker.current.onQueryStringChanged(e))},o.onInputFocus=function(e){o.selectedItemsList.current&&o.selectedItemsList.current.unselectAll(),o.props.inputProps&&o.props.inputProps.onFocus&&o.props.inputProps.onFocus(e)},o.onInputClick=function(e){if(o.selectedItemsList.current&&o.selectedItemsList.current.unselectAll(),o.floatingPicker.current&&o.inputElement){var t=""===o.inputElement.value||o.inputElement.value!==o.floatingPicker.current.inputText;o.floatingPicker.current.showPicker(t)}},o.onBackspace=function(e){e.which===rt.m.backspace&&o.selectedItemsList.current&&o.items.length&&(o.input.current&&!o.input.current.isValueSelected&&o.input.current.inputElement===document.activeElement&&0===o.input.current.cursorLocation?(o.floatingPicker.current&&o.floatingPicker.current.hidePicker(),e.preventDefault(),o.selectedItemsList.current.removeItemAt(o.items.length-1),o._onSelectedItemsChanged()):o.selectedItemsList.current.hasSelectedItems()&&(o.floatingPicker.current&&o.floatingPicker.current.hidePicker(),e.preventDefault(),o.selectedItemsList.current.removeSelectedItems(),o._onSelectedItemsChanged()))},o.onCopy=function(e){o.selectedItemsList.current&&o.selectedItemsList.current.onCopy(e)},o.onPaste=function(e){if(o.props.onPaste){var t=e.clipboardData.getData("Text");e.preventDefault(),o.props.onPaste(t)}},o._onSuggestionSelected=function(e){var t=o.props.currentRenderedQueryString,n=o.state.queryString;if(void 0===t||t===n){var r=o.props.onItemSelected?o.props.onItemSelected(e):e;if(null===r)return;var i,a=r,s=r;s&&s.then?s.then((function(e){i=e,o._addProcessedItem(i)})):(i=a,o._addProcessedItem(i))}},o._onSelectedItemsChanged=function(){o.focus()},o._onSuggestionsShownOrHidden=function(){o.forceUpdate()},(0,P.l)(o),o.selection=new nn.Y({onSelectionChanged:function(){return o.onSelectionChange()}}),o.state={queryString:""},o}return(0,l.ZT)(t,e),Object.defineProperty(t.prototype,"items",{get:function(){var e,t,o,n;return null!=(n=null!=(o=null!=(e=this.props.selectedItems)?e:null===(t=this.selectedItemsList.current)||void 0===t?void 0:t.items)?o:this.props.defaultSelectedItems)?n:null},enumerable:!0,configurable:!0}),t.prototype.componentDidMount=function(){this.forceUpdate()},t.prototype.focus=function(){this.input.current&&this.input.current.focus()},t.prototype.clearInput=function(){this.input.current&&this.input.current.clear()},Object.defineProperty(t.prototype,"inputElement",{get:function(){return this.input.current&&this.input.current.inputElement},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"highlightedItems",{get:function(){return this.selectedItemsList.current?this.selectedItemsList.current.highlightedItems():[]},enumerable:!0,configurable:!0}),t.prototype.render=function(){var e=this.props,t=e.className,o=e.inputProps,n=e.disabled,r=e.focusZoneProps,i=this.floatingPicker.current&&-1!==this.floatingPicker.current.currentSelectedSuggestionIndex?"sug-"+this.floatingPicker.current.currentSelectedSuggestionIndex:void 0,a=!!this.floatingPicker.current&&this.floatingPicker.current.isSuggestionsShown;return c.createElement("div",{ref:this.root,className:(0,pt.i)("ms-BasePicker ms-BaseExtendedPicker",t||""),onKeyDown:this.onBackspace,onCopy:this.onCopy},c.createElement(M.k,(0,l.pi)({direction:R.U.bidirectional},r),c.createElement(rn.i,{selection:this.selection,selectionMode:on.oW.multiple},c.createElement("div",{className:(0,pt.i)("ms-BasePicker-text",ea.pickerText),role:"list"},this.props.headerComponent,this.renderSelectedItemsList(),this.canAddItems()&&c.createElement(x.G,(0,l.pi)({},o,{className:(0,pt.i)("ms-BasePicker-input",ea.pickerInput),ref:this.input,onFocus:this.onInputFocus,onClick:this.onInputClick,onInputValueChange:this.onInputChange,"aria-activedescendant":i,"aria-owns":a?"suggestion-list":void 0,"aria-expanded":a,"aria-haspopup":"true",role:"combobox",disabled:n,onPaste:this.onPaste}))))),this.renderFloatingPicker())},Object.defineProperty(t.prototype,"floatingPickerProps",{get:function(){return this.props.floatingPickerProps},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"selectedItemsListProps",{get:function(){return this.props.selectedItemsListProps},enumerable:!0,configurable:!0}),t.prototype.canAddItems=function(){var e=this.props.itemLimit;return void 0===e||this.items.length0,p=d?r:r.slice(0,u),m=(d?i:r.slice(u))||[];return c.createElement("div",{className:l.root},this.onRenderAriaDescription(),c.createElement("div",{className:l.itemContainer},a?this._getAddNewElement():null,c.createElement("ul",{className:l.members,"aria-label":s},this._onRenderVisiblePersonas(p,0===m.length&&1===r.length)),e?this._getOverflowElement(m):null))},t.prototype.onRenderAriaDescription=function(){var e=this.props.ariaDescription,t=this._classNames;return e&&c.createElement("span",{className:t.screenReaderOnly,id:this._ariaDescriptionId},e)},t.prototype._onRenderVisiblePersonas=function(e,t){var o=this,n=this.props,r=n.onRenderPersona,i=void 0===r?this._getPersonaControl:r,a=n.onRenderPersonaCoin,s=void 0===a?this._getPersonaCoinControl:a;return e.map((function(e,n){var r=t?i(e,o._getPersonaControl):s(e,o._getPersonaCoinControl);return c.createElement("li",{key:(t?"persona":"personaCoin")+"-"+n,className:o._classNames.member},e.onClick?o._getElementWithOnClickEvent(r,e,n):o._getElementWithoutOnClickEvent(r,e,n))}))},t.prototype._getElementWithOnClickEvent=function(e,t,o){var n=t.keytipProps;return c.createElement(ca,(0,l.pi)({},(0,E.pq)(t,E.Yq),this._getElementProps(t,o),{keytipProps:n,onClick:this._onPersonaClick.bind(this,t)}),e)},t.prototype._getElementWithoutOnClickEvent=function(e,t,o){return c.createElement("div",(0,l.pi)({},(0,E.pq)(t,E.Yq),this._getElementProps(t,o)),e)},t.prototype._getElementProps=function(e,t){var o=this._classNames;return{key:(e.imageUrl?"i":"")+t,"data-is-focusable":!0,className:o.itemButton,title:e.personaName,onMouseMove:this._onPersonaMouseMove.bind(this,e),onMouseOut:this._onPersonaMouseOut.bind(this,e)}},t.prototype._getOverflowElement=function(e){switch(this.props.overflowButtonType){case oa.descriptive:return this._getDescriptiveOverflowElement(e);case oa.downArrow:return this._getIconElement("ChevronDown");case oa.more:return this._getIconElement("More");default:return null}},t.prototype._getDescriptiveOverflowElement=function(e){var t=this.props.personaSize;if(!e||e.length<1)return null;var o=e.map((function(e){return e.personaName})).join(", "),n=(0,l.pi)({title:o},this.props.overflowButtonProps),r=Math.max(e.length,0),i=this._classNames;return c.createElement(ca,(0,l.pi)({},n,{ariaDescription:n.title,className:i.descriptiveOverflowButton}),c.createElement(_.t,{size:t,onRenderInitials:this._renderInitialsNotPictured(r),initialsColor:C.z5.transparent}))},t.prototype._getIconElement=function(e){var t=this.props,o=t.overflowButtonProps,n=t.personaSize,r=this._classNames;return c.createElement(ca,(0,l.pi)({},o,{className:r.overflowButton}),c.createElement(_.t,{size:n,onRenderInitials:this._renderInitials(e,!0),initialsColor:C.z5.transparent}))},t.prototype._getAddNewElement=function(){var e=this.props,t=e.addButtonProps,o=e.personaSize,n=this._classNames;return c.createElement(ca,(0,l.pi)({},t,{className:n.addButton}),c.createElement(_.t,{size:o,onRenderInitials:this._renderInitials("AddFriend")}))},t.prototype._onPersonaClick=function(e,t){e.onClick(t,e),t.preventDefault(),t.stopPropagation()},t.prototype._onPersonaMouseMove=function(e,t){e.onMouseMove&&e.onMouseMove(t,e)},t.prototype._onPersonaMouseOut=function(e,t){e.onMouseOut&&e.onMouseOut(t,e)},t.prototype._renderInitials=function(e,t){var o=this._classNames;return function(){return c.createElement(W.J,{iconName:e,className:t?o.overflowInitialsIcon:""})}},t.prototype._renderInitialsNotPictured=function(e){var t=this._classNames;return function(){return c.createElement("span",{className:t.overflowInitialsIcon},e<100?"+"+e:"99+")}},t.defaultProps={maxDisplayablePersonas:5,personas:[],overflowPersonas:[],personaSize:C.Ir.size32},t}(c.Component),ma={root:"ms-Facepile",addButton:"ms-Facepile-addButton ms-Facepile-itemButton",descriptiveOverflowButton:"ms-Facepile-descriptiveOverflowButton ms-Facepile-itemButton",itemButton:"ms-Facepile-itemButton ms-Facepile-person",itemContainer:"ms-Facepile-itemContainer",members:"ms-Facepile-members",member:"ms-Facepile-member",overflowButton:"ms-Facepile-overflowButton ms-Facepile-itemButton"},ha=(0,I.z)(pa,(function(e){var t,o=e.className,n=e.theme,r=e.spacingAroundItemButton,i=void 0===r?2:r,a=n.palette,s=n.fonts,l=(0,u.Cn)(ma,n),c={textAlign:"center",padding:0,borderRadius:"50%",verticalAlign:"top",display:"inline",backgroundColor:"transparent",border:"none",selectors:{"&::-moz-focus-inner":{padding:0,border:0}}};return{root:[l.root,n.fonts.medium,{width:"auto"},o],addButton:[l.addButton,(0,u.GL)(n,{inset:-1}),c,{fontSize:s.medium.fontSize,color:a.white,backgroundColor:a.themePrimary,marginRight:2*i+"px",selectors:{"&:hover":{backgroundColor:a.themeDark},"&:focus":{backgroundColor:a.themeDark},"&:active":{backgroundColor:a.themeDarker},"&:disabled":{backgroundColor:a.neutralTertiaryAlt}}}],descriptiveOverflowButton:[l.descriptiveOverflowButton,(0,u.GL)(n,{inset:-1}),c,{fontSize:s.small.fontSize,color:a.neutralSecondary,backgroundColor:a.neutralLighter,marginLeft:2*i+"px"}],itemButton:[l.itemButton,c],itemContainer:[l.itemContainer,{display:"flex"}],members:[l.members,{display:"flex",overflow:"hidden",listStyleType:"none",padding:0,margin:"-"+i+"px"}],member:[l.member,{display:"inline-flex",flex:"0 0 auto",margin:i+"px"}],overflowButton:[l.overflowButton,(0,u.GL)(n,{inset:-1}),c,{fontSize:s.medium.fontSize,color:a.neutralSecondary,backgroundColor:a.neutralLighter,marginLeft:2*i+"px"}],overflowInitialsIcon:[{color:a.neutralPrimary,selectors:(t={},t[u.qJ]={color:"WindowText"},t)}],screenReaderOnly:u.ul}}),void 0,{scope:"Facepile"});(0,Xi.RM)([{rawString:".callout_467cd672 .ms-Suggestions-itemButton{padding:0;border:none}.callout_467cd672 .ms-Suggestions{min-width:300px}"}]);var ga="callout_467cd672",fa=o(7420);(0,Xi.RM)([{rawString:".suggestionsContainer_98495a3a{overflow-y:auto;overflow-x:hidden;max-height:300px}.suggestionsContainer_98495a3a .ms-Suggestion-item:hover{background-color:"},{theme:"neutralLighter",defaultValue:"#f3f2f1"},{rawString:";cursor:pointer}.suggestionsContainer_98495a3a .is-suggested{background-color:"},{theme:"themeLighter",defaultValue:"#deecf9"},{rawString:"}.suggestionsContainer_98495a3a .is-suggested:hover{background-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:";cursor:pointer}"}]);var va="suggestionsContainer_98495a3a",ba=i,ya=function(e){function t(t){var o=e.call(this,t)||this;return o._selectedElement=c.createRef(),o.SuggestionsItemOfProperType=fa.S,o._onClickTypedSuggestionsItem=function(e,t){return function(n){o.props.onSuggestionClick(n,e,t)}},o._onRemoveTypedSuggestionsItem=function(e,t){return function(n){(0,o.props.onSuggestionRemove)(n,e,t),n.stopPropagation()}},(0,P.l)(o),o.currentIndex=-1,o}return(0,l.ZT)(t,e),t.prototype.nextSuggestion=function(){var e=this.props.suggestions;if(e&&e.length>0){if(-1===this.currentIndex)return this.setSelectedSuggestion(0),!0;if(this.currentIndex0){if(-1===this.currentIndex)return this.setSelectedSuggestion(e.length-1),!0;if(this.currentIndex>0)return this.setSelectedSuggestion(this.currentIndex-1),!0;if(this.props.shouldLoopSelection&&0===this.currentIndex)return this.setSelectedSuggestion(e.length-1),!0}return!1},Object.defineProperty(t.prototype,"selectedElement",{get:function(){return this._selectedElement.current||void 0},enumerable:!0,configurable:!0}),t.prototype.getCurrentItem=function(){return this.props.suggestions[this.currentIndex]},t.prototype.getSuggestionAtIndex=function(e){return this.props.suggestions[e]},t.prototype.hasSuggestionSelected=function(){return-1!==this.currentIndex&&this.currentIndex-1&&this.props.suggestions[this.currentIndex]&&(this.props.suggestions[this.currentIndex].selected=!1,this.currentIndex=-1,this.forceUpdate())},t.prototype.setSelectedSuggestion=function(e){var t=this.props.suggestions;e>t.length-1||e<0?(this.currentIndex=0,this.currentSuggestion.selected=!1,this.currentSuggestion=t[0],this.currentSuggestion.selected=!0):(this.currentIndex>-1&&t[this.currentIndex]&&(t[this.currentIndex].selected=!1),t[e].selected=!0,this.currentIndex=e,this.currentSuggestion=t[e]),this.forceUpdate()},t.prototype.componentDidUpdate=function(){this.scrollSelected()},t.prototype.render=function(){var e=this,t=this.props,o=t.onRenderSuggestion,n=t.suggestionsItemClassName,r=t.resultsMaximumNumber,i=t.showRemoveButtons,a=t.suggestionsContainerAriaLabel,s=this.SuggestionsItemOfProperType,l=this.props.suggestions;return r&&(l=l.slice(0,r)),c.createElement("div",{className:(0,pt.i)("ms-Suggestions-container",ba.suggestionsContainer),id:"suggestion-list",role:"list","aria-label":a},l.map((function(t,r){return c.createElement("div",{ref:t.selected||r===e.currentIndex?e._selectedElement:void 0,key:t.item.key?t.item.key:r,id:"sug-"+r,role:"listitem","aria-label":t.ariaLabel},c.createElement(s,{id:"sug-item"+r,suggestionModel:t,RenderSuggestion:o,onClick:e._onClickTypedSuggestionsItem(t.item,r),className:n,showRemoveButton:i,onRemoveItem:e._onRemoveTypedSuggestionsItem(t.item,r),isSelectedOverride:r===e.currentIndex}))})))},t.prototype.scrollSelected=function(){var e;void 0!==(null===(e=this._selectedElement.current)||void 0===e?void 0:e.scrollIntoView)&&this._selectedElement.current.scrollIntoView(!1)},t}(c.Component);(0,Xi.RM)([{rawString:".root_6d187696{min-width:260px}.actionButton_6d187696{background:0 0;background-color:transparent;border:0;cursor:pointer;margin:0;padding:0;position:relative;width:100%;font-size:12px}html[dir=ltr] .actionButton_6d187696{text-align:left}html[dir=rtl] .actionButton_6d187696{text-align:right}.actionButton_6d187696:hover{background-color:"},{theme:"neutralLighter",defaultValue:"#f3f2f1"},{rawString:";cursor:pointer}.actionButton_6d187696:active,.actionButton_6d187696:focus{background-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:"}.actionButton_6d187696 .ms-Button-icon{font-size:16px;width:25px}.actionButton_6d187696 .ms-Button-label{margin:0 4px 0 9px}html[dir=rtl] .actionButton_6d187696 .ms-Button-label{margin:0 9px 0 4px}.buttonSelected_6d187696{background-color:"},{theme:"themeLighter",defaultValue:"#deecf9"},{rawString:"}.buttonSelected_6d187696:hover{background-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:";cursor:pointer}@media screen and (-ms-high-contrast:active){.buttonSelected_6d187696:hover{background-color:Highlight;color:HighlightText}}@media screen and (-ms-high-contrast:active){.buttonSelected_6d187696{background-color:Highlight;color:HighlightText;-ms-high-contrast-adjust:none}}.suggestionsTitle_6d187696{font-size:12px}.suggestionsSpinner_6d187696{margin:5px 0;white-space:nowrap;line-height:20px;font-size:12px}html[dir=ltr] .suggestionsSpinner_6d187696{padding-left:14px}html[dir=rtl] .suggestionsSpinner_6d187696{padding-right:14px}html[dir=ltr] .suggestionsSpinner_6d187696{text-align:left}html[dir=rtl] .suggestionsSpinner_6d187696{text-align:right}.suggestionsSpinner_6d187696 .ms-Spinner-circle{display:inline-block;vertical-align:middle}.suggestionsSpinner_6d187696 .ms-Spinner-label{display:inline-block;margin:0 10px 0 16px;vertical-align:middle}html[dir=rtl] .suggestionsSpinner_6d187696 .ms-Spinner-label{margin:0 16px 0 10px}.itemButton_6d187696{height:100%;width:100%;padding:7px 12px}@media screen and (-ms-high-contrast:active){.itemButton_6d187696{color:WindowText}}.screenReaderOnly_6d187696{position:absolute;width:1px;height:1px;padding:0;margin:-1px;overflow:hidden;clip:rect(0,0,0,0);border:0}"}]);var _a,Ca="root_6d187696",Sa="actionButton_6d187696",xa="buttonSelected_6d187696",ka="suggestionsTitle_6d187696",wa="suggestionsSpinner_6d187696",Ia="itemButton_6d187696",Da="screenReaderOnly_6d187696",Ta=a;!function(e){e[e.header=0]="header",e[e.suggestion=1]="suggestion",e[e.footer=2]="footer"}(_a||(_a={}));var Ea=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e,t=this.props,o=t.renderItem,n=t.onExecute,r=t.isSelected,i=t.id,a=t.className;return n?c.createElement("div",{id:i,onClick:n,className:(0,pt.i)("ms-Suggestions-sectionButton",a,Ta.actionButton,(e={},e["is-selected "+Ta.buttonSelected]=r,e))},o()):c.createElement("div",{id:i,className:(0,pt.i)("ms-Suggestions-section",a,Ta.suggestionsTitle)},o())},t}(c.Component),Pa=function(e){function t(t){var o=e.call(this,t)||this;return o._selectedElement=c.createRef(),o._suggestions=c.createRef(),o.SuggestionsOfProperType=ya,(0,P.l)(o),o.state={selectedHeaderIndex:-1,selectedFooterIndex:-1,suggestions:t.suggestions},o}return(0,l.ZT)(t,e),t.prototype.componentDidMount=function(){this.resetSelectedItem()},t.prototype.componentDidUpdate=function(e){var t=this;this.scrollSelected(),e.suggestions&&e.suggestions!==this.props.suggestions&&this.setState({suggestions:this.props.suggestions},(function(){t.resetSelectedItem()}))},t.prototype.componentWillUnmount=function(){var e;null===(e=this._suggestions.current)||void 0===e||e.deselectAllSuggestions()},t.prototype.render=function(){var e=this.props,t=e.className,o=e.headerItemsProps,n=e.footerItemsProps,r=e.suggestionsAvailableAlertText,i=(0,u.y0)(u.ul),a=this.state.suggestions&&this.state.suggestions.length>0&&r;return c.createElement("div",{className:(0,pt.i)("ms-Suggestions",t||"",Ta.root)},o&&this.renderHeaderItems(),this._renderSuggestions(),n&&this.renderFooterItems(),a?c.createElement("span",{role:"alert","aria-live":"polite",className:i},r):null)},Object.defineProperty(t.prototype,"currentSuggestion",{get:function(){var e;return(null===(e=this._suggestions.current)||void 0===e?void 0:e.getCurrentItem())||void 0},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"currentSuggestionIndex",{get:function(){return this._suggestions.current?this._suggestions.current.currentIndex:-1},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"selectedElement",{get:function(){var e;return this._selectedElement.current?this._selectedElement.current:null===(e=this._suggestions.current)||void 0===e?void 0:e.selectedElement},enumerable:!0,configurable:!0}),t.prototype.hasSuggestionSelected=function(){var e;return(null===(e=this._suggestions.current)||void 0===e?void 0:e.hasSuggestionSelected())||!1},t.prototype.hasSelection=function(){var e=this.state,t=e.selectedHeaderIndex,o=e.selectedFooterIndex;return-1!==t||this.hasSuggestionSelected()||-1!==o},t.prototype.executeSelectedAction=function(){var e,t=this.props,o=t.headerItemsProps,n=t.footerItemsProps,r=this.state,i=r.selectedHeaderIndex,a=r.selectedFooterIndex;if(o&&-1!==i&&it+1)return null===(o=this._suggestions.current)||void 0===o||o.setSelectedSuggestion(t+1),this.setState({selectedHeaderIndex:-1,selectedFooterIndex:-1}),!0}else{var r=e===_a.header,i=r?this.props.headerItemsProps:this.props.footerItemsProps;if(i&&i.length>t+1)for(var a=t+1;a0)return null===(o=this._suggestions.current)||void 0===o||o.setSelectedSuggestion(r-1),this.setState({selectedHeaderIndex:-1,selectedFooterIndex:-1}),!0}else{var r,i=e===_a.header,a=i?this.props.headerItemsProps:this.props.footerItemsProps;if(a&&(r=void 0!==t?t:a.length)>0)for(var s=r-1;s>=0;s--){var l=a[s];if(l.onExecute&&l.shouldShow())return this.setState({selectedHeaderIndex:i?s:-1}),this.setState({selectedFooterIndex:i?-1:s}),null===(n=this._suggestions.current)||void 0===n||n.deselectAllSuggestions(),!0}}return!1},t.prototype._getCurrentIndexForType=function(e){switch(e){case _a.header:return this.state.selectedHeaderIndex;case _a.suggestion:return this._suggestions.current.currentIndex;case _a.footer:return this.state.selectedFooterIndex}},t.prototype._getNextItemSectionType=function(e){switch(e){case _a.header:return _a.suggestion;case _a.suggestion:return _a.footer;case _a.footer:return _a.header}},t.prototype._getPreviousItemSectionType=function(e){switch(e){case _a.header:return _a.footer;case _a.suggestion:return _a.header;case _a.footer:return _a.suggestion}},t}(c.Component),Ma=r,Ra=function(e){function t(t){var o=e.call(this,t)||this;return o.root=c.createRef(),o.suggestionsControl=c.createRef(),o.SuggestionsControlOfProperType=Pa,o.isComponentMounted=!1,o.onQueryStringChanged=function(e){e!==o.state.queryString&&(o.setState({queryString:e}),o.props.onInputChanged&&o.props.onInputChanged(e),o.updateValue(e))},o.hidePicker=function(){var e=o.isSuggestionsShown;o.setState({suggestionsVisible:!1}),o.props.onSuggestionsHidden&&e&&o.props.onSuggestionsHidden()},o.showPicker=function(e){void 0===e&&(e=!1);var t=o.isSuggestionsShown;o.setState({suggestionsVisible:!0});var n=o.props.inputElement?o.props.inputElement.value:"";e&&o.updateValue(n),o.props.onSuggestionsShown&&!t&&o.props.onSuggestionsShown()},o.completeSuggestion=function(){o.suggestionsControl.current&&o.suggestionsControl.current.hasSuggestionSelected()&&o.onChange(o.suggestionsControl.current.currentSuggestion.item)},o.onSuggestionClick=function(e,t,n){o.onChange(t),o._updateSuggestionsVisible(!1)},o.onSuggestionRemove=function(e,t,n){o.props.onRemoveSuggestion&&o.props.onRemoveSuggestion(t),o.suggestionsControl.current&&o.suggestionsControl.current.removeSuggestion(n)},o.onKeyDown=function(e){if(o.state.suggestionsVisible&&(!o.props.inputElement||o.props.inputElement.contains(e.target))){var t=e.which;switch(t){case rt.m.escape:o.hidePicker(),e.preventDefault(),e.stopPropagation();break;case rt.m.tab:case rt.m.enter:!e.shiftKey&&!e.ctrlKey&&o.suggestionsControl.current&&o.suggestionsControl.current.handleKeyDown(t)?(e.preventDefault(),e.stopPropagation()):o._onValidateInput();break;case rt.m.del:o.props.onRemoveSuggestion&&o.suggestionsControl.current&&o.suggestionsControl.current.hasSuggestionSelected&&o.suggestionsControl.current.currentSuggestion&&e.shiftKey&&(o.props.onRemoveSuggestion(o.suggestionsControl.current.currentSuggestion.item),o.suggestionsControl.current.removeSuggestion(),o.forceUpdate(),e.stopPropagation());break;case rt.m.up:case rt.m.down:o.suggestionsControl.current&&o.suggestionsControl.current.handleKeyDown(t)&&(e.preventDefault(),e.stopPropagation(),o._updateActiveDescendant())}}},o._onValidateInput=function(){if(o.state.queryString&&o.props.onValidateInput&&o.props.createGenericItem){var e=o.props.createGenericItem(o.state.queryString,o.props.onValidateInput(o.state.queryString)),t=o.suggestionStore.convertSuggestionsToSuggestionItems([e]);o.onChange(t[0].item)}},o._async=new bo.e(o),(0,P.l)(o),o.suggestionStore=t.suggestionsStore,o.state={queryString:"",didBind:!1},o}return(0,l.ZT)(t,e),Object.defineProperty(t.prototype,"inputText",{get:function(){return this.state.queryString},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"suggestions",{get:function(){return this.suggestionStore.suggestions},enumerable:!0,configurable:!0}),t.prototype.forceResolveSuggestion=function(){this.suggestionsControl.current&&this.suggestionsControl.current.hasSuggestionSelected()?this.completeSuggestion():this._onValidateInput()},Object.defineProperty(t.prototype,"currentSelectedSuggestionIndex",{get:function(){return this.suggestionsControl.current?this.suggestionsControl.current.currentSuggestionIndex:-1},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"isSuggestionsShown",{get:function(){return void 0!==this.state.suggestionsVisible&&this.state.suggestionsVisible},enumerable:!0,configurable:!0}),t.prototype.componentDidMount=function(){this._bindToInputElement(),this.isComponentMounted=!0,this._onResolveSuggestions=this._async.debounce(this._onResolveSuggestions,this.props.resolveDelay)},t.prototype.componentDidUpdate=function(){this._bindToInputElement()},t.prototype.componentWillUnmount=function(){this._unbindFromInputElement(),this.isComponentMounted=!1},t.prototype.updateSuggestions=function(e,t){void 0===t&&(t=!1),this.suggestionStore.updateSuggestions(e),t&&this.forceUpdate()},t.prototype.render=function(){var e=this.props.className;return c.createElement("div",{ref:this.root,className:(0,pt.i)("ms-BasePicker ms-BaseFloatingPicker",e||"")},this.renderSuggestions())},t.prototype.renderSuggestions=function(){var e=this.SuggestionsControlOfProperType;return this.props.suggestionItems&&this.suggestionStore.updateSuggestions(this.props.suggestionItems),this.state.suggestionsVisible?c.createElement(Ae.U,(0,l.pi)({className:Ma.callout,isBeakVisible:!1,gapSpace:5,target:this.props.inputElement,onDismiss:this.hidePicker,directionalHint:K.b.bottomLeftEdge,directionalHintForRTL:K.b.bottomRightEdge,calloutWidth:this.props.calloutWidth?this.props.calloutWidth:0},this.props.pickerCalloutProps),c.createElement(e,(0,l.pi)({onRenderSuggestion:this.props.onRenderSuggestionsItem,onSuggestionClick:this.onSuggestionClick,onSuggestionRemove:this.onSuggestionRemove,suggestions:this.suggestionStore.getSuggestions(),componentRef:this.suggestionsControl,completeSuggestion:this.completeSuggestion,shouldLoopSelection:!1},this.props.pickerSuggestionsProps))):null},t.prototype.onSelectionChange=function(){this.forceUpdate()},t.prototype.updateValue=function(e){""===e?this.updateSuggestionWithZeroState():this._onResolveSuggestions(e)},t.prototype.updateSuggestionWithZeroState=function(){if(this.props.onZeroQuerySuggestion){var e=(0,this.props.onZeroQuerySuggestion)(this.props.selectedItems);this.updateSuggestionsList(e)}else this.hidePicker()},t.prototype.updateSuggestionsList=function(e){var t=this,o=e,n=e;if(Array.isArray(o))this.updateSuggestions(o,!0);else if(n&&n.then){var r=this.currentPromise=n;r.then((function(e){r===t.currentPromise&&t.isComponentMounted&&t.updateSuggestions(e,!0)}))}},t.prototype.onChange=function(e){this.props.onChange&&this.props.onChange(e)},t.prototype._updateActiveDescendant=function(){if(this.props.inputElement&&this.suggestionsControl.current&&this.suggestionsControl.current.selectedElement){var e=this.suggestionsControl.current.selectedElement.getAttribute("id");e&&this.props.inputElement.setAttribute("aria-activedescendant",e)}},t.prototype._onResolveSuggestions=function(e){var t=this.props.onResolveSuggestions(e,this.props.selectedItems);this._updateSuggestionsVisible(!0),null!==t&&this.updateSuggestionsList(t)},t.prototype._updateSuggestionsVisible=function(e){e?this.showPicker():this.hidePicker()},t.prototype._bindToInputElement=function(){this.props.inputElement&&!this.state.didBind&&(this.props.inputElement.addEventListener("keydown",this.onKeyDown),this.setState({didBind:!0}))},t.prototype._unbindFromInputElement=function(){this.props.inputElement&&this.state.didBind&&(this.props.inputElement.removeEventListener("keydown",this.onKeyDown),this.setState({didBind:!1}))},t}(c.Component),Na=o(6104);(0,Xi.RM)([{rawString:".resultContent_9816a275{display:table-row}.resultContent_9816a275 .resultItem_9816a275{display:table-cell;vertical-align:bottom}.peoplePickerPersona_9816a275{width:180px}.peoplePickerPersona_9816a275 .ms-Persona-details{width:100%}.peoplePicker_9816a275 .ms-BasePicker-text{min-height:40px}.peoplePickerPersonaContent_9816a275{display:-webkit-box;display:-ms-flexbox;display:flex;width:100%;-webkit-box-pack:justify;-ms-flex-pack:justify;justify-content:space-between;-webkit-box-align:center;-ms-flex-align:center;align-items:center;padding:7px 12px}"}]);var Ba=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,l.ZT)(t,e),t}(Ra),Fa=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,l.ZT)(t,e),t.defaultProps={onRenderSuggestionsItem:function(e,t){return o=(0,l.pi)({},e),(0,l.pi)({},t),c.createElement("div",{className:(0,pt.i)("ms-PeoplePicker-personaContent","peoplePickerPersonaContent_9816a275")},c.createElement(ua.I,(0,l.pi)({presence:void 0!==o.presence?o.presence:C.H_.none,size:C.Ir.size40,className:(0,pt.i)("ms-PeoplePicker-Persona","peoplePickerPersona_9816a275"),showSecondaryText:!0},o)));var o},createGenericItem:La},t}(Ba);function La(e,t){var o={key:e,primaryText:e,imageInitials:"!",isValid:t};return t||(o.imageInitials=(0,Na.Q)(e,(0,T.zg)())),o}var Aa=function(){function e(e){var t=this;this._isSuggestionModel=function(e){return void 0!==e.item},this._ensureSuggestionModel=function(e){return t._isSuggestionModel(e)?e:{item:e,selected:!1,ariaLabel:void 0!==t.getAriaLabel?t.getAriaLabel(e):e.name||e.text||e.primaryText}},this.suggestions=[],this.getAriaLabel=e&&e.getAriaLabel}return e.prototype.updateSuggestions=function(e){e&&e.length>0?this.suggestions=this.convertSuggestionsToSuggestionItems(e):this.suggestions=[]},e.prototype.getSuggestions=function(){return this.suggestions},e.prototype.getSuggestionAtIndex=function(e){return this.suggestions[e]},e.prototype.removeSuggestion=function(e){this.suggestions.splice(e,1)},e.prototype.convertSuggestionsToSuggestionItems=function(e){return Array.isArray(e)?e.map(this._ensureSuggestionModel):[]},e}(),za=o(6316);(0,za.x)("@fluentui/react-focus","8.0.4");var Ha,Oa,Wa={host:"ms-HoverCard-host"};!function(e){e[e.hover=0]="hover",e[e.hotKey=1]="hotKey"}(Ha||(Ha={})),function(e){e.plain="PlainCard",e.expanding="ExpandingCard"}(Oa||(Oa={}));var Va,Ka={root:"ms-ExpandingCard-root",compactCard:"ms-ExpandingCard-compactCard",expandedCard:"ms-ExpandingCard-expandedCard",expandedCardScroll:"ms-ExpandingCard-expandedCardScrollRegion"};!function(e){e[e.compact=0]="compact",e[e.expanded=1]="expanded"}(Va||(Va={}));var qa=function(e){var t=e.gapSpace,o=void 0===t?0:t,n=e.directionalHint,r=void 0===n?K.b.bottomLeftEdge:n,i=e.directionalHintFixed,a=e.targetElement,s=e.firstFocus,u=e.trapFocus,d=e.onLeave,p=e.className,m=e.finalHeight,h=e.content,g=e.calloutProps,f=(0,l.pi)((0,l.pi)((0,l.pi)({},(0,E.pq)(e,E.n7)),{className:p,target:a,isBeakVisible:!1,directionalHint:r,directionalHintFixed:i,finalHeight:m,minPagePadding:24,onDismiss:d,gapSpace:o}),g);return c.createElement(c.Fragment,null,u?c.createElement(We,(0,l.pi)({},f,{focusTrapProps:{forceFocusInsideTrap:!1,isClickableOutsideFocusTrap:!0,disableFirstFocus:!s}}),h):c.createElement(Ae.U,(0,l.pi)({},f),h))},Ga=(0,D.y)(),Ua=function(e){function t(t){var o=e.call(this,t)||this;return o._expandedElem=c.createRef(),o._onKeyDown=function(e){e.which===rt.m.escape&&o.props.onLeave&&o.props.onLeave(e)},o._onRenderCompactCard=function(){return c.createElement("div",{className:o._classNames.compactCard},o.props.onRenderCompactCard(o.props.renderData))},o._onRenderExpandedCard=function(){return!o.state.firstFrameRendered&&o._async.requestAnimationFrame((function(){o.setState({firstFrameRendered:!0})})),c.createElement("div",{className:o._classNames.expandedCard,ref:o._expandedElem},c.createElement("div",{className:o._classNames.expandedCardScroll},o.props.onRenderExpandedCard&&o.props.onRenderExpandedCard(o.props.renderData)))},o._checkNeedsScroll=function(){var e=o.props.expandedCardHeight;o._async.requestAnimationFrame((function(){o._expandedElem.current&&o._expandedElem.current.scrollHeight>=e&&o.setState({needsScroll:!0})}))},o._async=new bo.e(o),(0,P.l)(o),o.state={firstFrameRendered:!1,needsScroll:!1},o}return(0,l.ZT)(t,e),t.prototype.componentDidMount=function(){this._checkNeedsScroll()},t.prototype.componentWillUnmount=function(){this._async.dispose()},t.prototype.render=function(){var e=this.props,t=e.styles,o=e.compactCardHeight,n=e.expandedCardHeight,r=e.theme,i=e.mode,a=e.className,s=this.state,u=s.needsScroll,d=s.firstFrameRendered,p=o+n;this._classNames=Ga(t,{theme:r,compactCardHeight:o,className:a,expandedCardHeight:n,needsScroll:u,expandedCardFirstFrameRendered:i===Va.expanded&&d});var m=c.createElement("div",{onMouseEnter:this.props.onEnter,onMouseLeave:this.props.onLeave,onKeyDown:this._onKeyDown},this._onRenderCompactCard(),this._onRenderExpandedCard());return c.createElement(qa,(0,l.pi)({},this.props,{content:m,finalHeight:p,className:this._classNames.root}))},t.defaultProps={compactCardHeight:156,expandedCardHeight:384,directionalHintFixed:!0},t}(c.Component),ja=(0,I.z)(Ua,(function(e){var t,o=e.theme,n=e.needsScroll,r=e.expandedCardFirstFrameRendered,i=e.compactCardHeight,a=e.expandedCardHeight,s=e.className,l=o.palette,c=(0,u.Cn)(Ka,o);return{root:[c.root,{width:320,pointerEvents:"none",selectors:(t={},t[u.qJ]={border:"1px solid WindowText"},t)},s],compactCard:[c.compactCard,{pointerEvents:"auto",position:"relative",height:i}],expandedCard:[c.expandedCard,{height:1,overflowY:"hidden",pointerEvents:"auto",transition:"height 0.467s cubic-bezier(0.5, 0, 0, 1)",selectors:{":before":{content:'""',position:"relative",display:"block",top:0,left:24,width:272,height:1,backgroundColor:l.neutralLighter}}},r&&{height:a}],expandedCardScroll:[c.expandedCardScroll,n&&{height:"100%",boxSizing:"border-box",overflowY:"auto"}]}}),void 0,{scope:"ExpandingCard"}),Ja={root:"ms-PlainCard-root"},Ya=(0,D.y)(),Za=function(e){function t(t){var o=e.call(this,t)||this;return o._onKeyDown=function(e){e.which===rt.m.escape&&o.props.onLeave&&o.props.onLeave(e)},(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.theme,n=e.className;this._classNames=Ya(t,{theme:o,className:n});var r=c.createElement("div",{onMouseEnter:this.props.onEnter,onMouseLeave:this.props.onLeave,onKeyDown:this._onKeyDown},this.props.onRenderPlainCard(this.props.renderData));return c.createElement(qa,(0,l.pi)({},this.props,{content:r,className:this._classNames.root}))},t}(c.Component),Xa=(0,I.z)(Za,(function(e){var t,o=e.theme,n=e.className;return{root:[(0,u.Cn)(Ja,o).root,{pointerEvents:"auto",selectors:(t={},t[u.qJ]={border:"1px solid WindowText"},t)},n]}}),void 0,{scope:"PlainCard"}),Qa=(0,D.y)(),$a=function(e){function t(t){var o=e.call(this,t)||this;return o._hoverCard=c.createRef(),o.dismiss=function(e){o._async.clearTimeout(o._openTimerId),o._async.clearTimeout(o._dismissTimerId),e?o._dismissTimerId=o._async.setTimeout((function(){o._setDismissedState()}),o.props.cardDismissDelay):o._setDismissedState()},o._cardOpen=function(e){o._shouldBlockHoverCard()||"keydown"===e.type&&e.which!==o.props.openHotKey||(o._async.clearTimeout(o._dismissTimerId),"mouseenter"===e.type&&(o._currentMouseTarget=e.currentTarget),o._executeCardOpen(e))},o._executeCardOpen=function(e){o._async.clearTimeout(o._openTimerId),o._openTimerId=o._async.setTimeout((function(){o.setState((function(t){return t.isHoverCardVisible?t:{isHoverCardVisible:!0,mode:Va.compact,openMode:"keydown"===e.type?Ha.hotKey:Ha.hover}}))}),o.props.cardOpenDelay)},o._cardDismiss=function(e,t){if(e){if(!(t instanceof MouseEvent))return;if("keydown"===t.type&&t.which!==rt.m.escape)return;o.props.sticky||o._currentMouseTarget!==t.currentTarget&&t.which!==rt.m.escape||o.dismiss(!0)}else{if(o.props.sticky&&!(t instanceof MouseEvent)&&t.nativeEvent instanceof MouseEvent&&"mouseleave"===t.type)return;o.dismiss(!0)}},o._setDismissedState=function(){o.setState({isHoverCardVisible:!1,mode:Va.compact,openMode:Ha.hover})},o._instantOpenAsExpanded=function(e){o._async.clearTimeout(o._dismissTimerId),o.setState((function(e){return e.isHoverCardVisible?e:{isHoverCardVisible:!0,mode:Va.expanded}}))},o._setEventListeners=function(){var e=o.props,t=e.trapFocus,n=e.instantOpenOnClick,r=e.eventListenerTarget,i=r?o._getTargetElement(r):o._getTargetElement(o.props.target),a=o._nativeDismissEvent;i&&(o._events.on(i,"mouseenter",o._cardOpen),o._events.on(i,"mouseleave",a),t?o._events.on(i,"keydown",o._cardOpen):(o._events.on(i,"focus",o._cardOpen),o._events.on(i,"blur",a)),n?o._events.on(i,"click",o._instantOpenAsExpanded):(o._events.on(i,"mousedown",a),o._events.on(i,"keydown",a)))},(0,P.l)(o),o._async=new bo.e(o),o._events=new at.r(o),o._nativeDismissEvent=o._cardDismiss.bind(o,!0),o._childDismissEvent=o._cardDismiss.bind(o,!1),o.state={isHoverCardVisible:!1,mode:Va.compact,openMode:Ha.hover},o}return(0,l.ZT)(t,e),t.prototype.componentDidMount=function(){this._setEventListeners()},t.prototype.componentWillUnmount=function(){this._async.dispose(),this._events.dispose()},t.prototype.componentDidUpdate=function(e,t){var o=this;e.target!==this.props.target&&(this._events.off(),this._setEventListeners()),t.isHoverCardVisible!==this.state.isHoverCardVisible&&(this.state.isHoverCardVisible?(this._async.setTimeout((function(){o.setState({mode:Va.expanded},(function(){o.props.onCardExpand&&o.props.onCardExpand()}))}),this.props.expandedCardOpenDelay),this.props.onCardVisible&&this.props.onCardVisible()):(this.setState({mode:Va.compact}),this.props.onCardHide&&this.props.onCardHide()))},t.prototype.render=function(){var e=this.props,t=e.expandingCardProps,o=e.children,n=e.id,r=e.setAriaDescribedBy,i=void 0===r||r,a=e.styles,s=e.theme,u=e.className,d=e.type,p=e.plainCardProps,m=e.trapFocus,h=e.setInitialFocus,g=this.state,f=g.isHoverCardVisible,v=g.mode,b=g.openMode,y=n||(0,dn.z)("hoverCard");this._classNames=Qa(a,{theme:s,className:u});var _=(0,l.pi)((0,l.pi)({},(0,E.pq)(this.props,E.n7)),{id:y,trapFocus:!!m,firstFocus:h||b===Ha.hotKey,targetElement:this._getTargetElement(this.props.target),onEnter:this._cardOpen,onLeave:this._childDismissEvent}),C=(0,l.pi)((0,l.pi)((0,l.pi)({},t),_),{mode:v}),S=(0,l.pi)((0,l.pi)({},p),_);return c.createElement("div",{className:this._classNames.host,ref:this._hoverCard,"aria-describedby":i&&f?y:void 0,"data-is-focusable":!this.props.target},o,f&&(d===Oa.expanding?c.createElement(ja,(0,l.pi)({},C)):c.createElement(Xa,(0,l.pi)({},S))))},t.prototype._getTargetElement=function(e){switch(typeof e){case"string":return(0,nt.M)().querySelector(e);case"object":return e;default:return this._hoverCard.current||void 0}},t.prototype._shouldBlockHoverCard=function(){return!(!this.props.shouldBlockHoverCard||!this.props.shouldBlockHoverCard())},t.defaultProps={cardOpenDelay:500,cardDismissDelay:100,expandedCardOpenDelay:1500,instantOpenOnClick:!1,setInitialFocus:!1,openHotKey:rt.m.c,type:Oa.expanding},t}(c.Component),es=(0,I.z)($a,(function(e){var t=e.className,o=e.theme;return{host:[(0,u.Cn)(Wa,o).host,t]}}),void 0,{scope:"HoverCard"}),ts=o(3874),os=o(6569),ns=o(7840),rs=o(2481),is=o(9759),as=o(6711),ss=o(5325),ls=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.content,o=e.styles,n=e.theme,r=e.disabled,i=e.visible,a=(0,D.y)()(o,{theme:n,disabled:r,visible:i});return c.createElement("div",{className:a.container},c.createElement("span",{className:a.root},t))},t}(c.Component),cs=function(e){return{container:[],root:[{border:"none",boxShadow:"none"}],beak:[],beakCurtain:[],calloutMain:[{backgroundColor:"transparent"}]}},us=function(e){return function(t){return(0,u.ZC)({container:[],root:[{border:"none",boxShadow:"none"}],beak:[],beakCurtain:[],calloutMain:[{backgroundColor:"transparent"}]},{root:[{marginLeft:e.left||e.x,marginTop:e.top||e.y}]})}},ds=(0,I.z)(ls,(function(e){var t,o=e.theme,n=e.disabled,r=e.visible;return{container:[{backgroundColor:o.palette.neutralDark},n&&{opacity:.5,selectors:(t={},t[u.qJ]={color:"GrayText",opacity:1},t)},!r&&{visibility:"hidden"}],root:[o.fonts.medium,{textAlign:"center",paddingLeft:"3px",paddingRight:"3px",backgroundColor:o.palette.neutralDark,color:o.palette.neutralLight,minWidth:"11px",lineHeight:"17px",height:"17px",display:"inline-block"},n&&{color:o.palette.neutralTertiaryAlt}]}}),void 0,{scope:"KeytipContent"}),ps=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,l.ZT)(t,e),t.prototype.render=function(){var e,t=this.props,o=t.keySequences,n=t.offset,r=t.overflowSetSequence,i=this.props.calloutProps;return e=r?(0,ss.eX)((0,ss.a1)(o,r)):(0,ss.eX)(o),n&&(i=(0,l.pi)((0,l.pi)({},i),{coverTarget:!0,directionalHint:K.b.topLeftEdge})),i&&void 0!==i.directionalHint||(i=(0,l.pi)((0,l.pi)({},i),{directionalHint:K.b.bottomCenter})),c.createElement(Ae.U,(0,l.pi)({},i,{isBeakVisible:!1,doNotLayer:!0,minPagePadding:0,styles:n?us(n):cs,preventDismissOnScroll:!0,target:e}),c.createElement(ds,(0,l.pi)({},this.props)))},t}(c.Component),ms=o(9949),hs=o(8128),gs=o(2304);function fs(e){var t=(0,gs.c)(e),o=t.keytipId,n=t.ariaDescribedBy;return function(e){if(e){var t=bs(e,hs.fV)||e,r=bs(e,hs.ms)||t,i=bs(e,hs.A4)||r;vs(t,hs.fV,o),vs(r,hs.ms,o),vs(i,"aria-describedby",n,!0)}}}function vs(e,t,o,n){if(void 0===n&&(n=!1),e&&o){var r=o;if(n){var i=e.getAttribute(t);i&&-1===i.indexOf(o)&&(r=i+" "+o)}e.setAttribute(t,r)}}function bs(e,t){return e.querySelector("["+t+"]")}var ys=function(e){return{root:[{zIndex:u.bR.KeytipLayer}]}},_s=o(6479),Cs=function(){function e(){this.nodeMap={},this.root={id:hs.nK,children:[],parent:"",keySequences:[]},this.nodeMap[this.root.id]=this.root}return e.prototype.addNode=function(e,t,o){var n=this._getFullSequence(e),r=(0,ss.aB)(n);n.pop();var i=this._getParentID(n),a=this._createNode(r,i,[],e,o);this.nodeMap[t]=a;var s=this.getNode(i);s&&s.children.push(r)},e.prototype.updateNode=function(e,t){var o=this._getFullSequence(e),n=(0,ss.aB)(o);o.pop();var r=this._getParentID(o),i=this.nodeMap[t],a=i.parent,s=this.getNode(a),l=this.getNode(r);if(i){if(s&&a!==r){var c=s.children.indexOf(i.id);c>=0&&s.children.splice(c,1)}if(l&&i.id!==n){var u=l.children.indexOf(i.id);u>=0?l.children[u]=n:l.children.push(n)}i.id=n,i.keySequences=e.keySequences,i.overflowSetSequence=e.overflowSetSequence,i.onExecute=e.onExecute,i.onReturn=e.onReturn,i.hasDynamicChildren=e.hasDynamicChildren,i.hasMenu=e.hasMenu,i.parent=r,i.disabled=e.disabled}},e.prototype.removeNode=function(e,t){var o=this._getFullSequence(e),n=(0,ss.aB)(o);o.pop();var r=this._getParentID(o),i=this.getNode(r);i&&i.children.splice(i.children.indexOf(n),1),this.nodeMap[t]&&delete this.nodeMap[t]},e.prototype.getExactMatchedNode=function(e,t){var o=this,n=this.getNodes(t.children);return(0,Co.sE)(n,(function(t){return o._getNodeSequence(t)===e&&!t.disabled}))},e.prototype.getPartiallyMatchedNodes=function(e,t){var o=this;return this.getNodes(t.children).filter((function(t){return 0===o._getNodeSequence(t).indexOf(e)&&!t.disabled}))},e.prototype.getChildren=function(e){var t=this;if(!e&&!(e=this.currentKeytip))return[];var o=e.children;return Object.keys(this.nodeMap).reduce((function(e,n){return o.indexOf(t.nodeMap[n].id)>=0&&!t.nodeMap[n].persisted&&e.push(t.nodeMap[n].id),e}),[])},e.prototype.getNodes=function(e){var t=this;return Object.keys(this.nodeMap).reduce((function(o,n){return e.indexOf(t.nodeMap[n].id)>=0&&o.push(t.nodeMap[n]),o}),[])},e.prototype.getNode=function(e){var t=(0,Xt.VO)(this.nodeMap);return(0,Co.sE)(t,(function(t){return t.id===e}))},e.prototype.isCurrentKeytipParent=function(e){if(this.currentKeytip){var t=(0,l.pr)(e.keySequences);e.overflowSetSequence&&(t=(0,ss.a1)(t,e.overflowSetSequence)),t.pop();var o=0===t.length?this.root.id:(0,ss.aB)(t),n=!1;return this.currentKeytip.overflowSetSequence&&(n=(0,ss.aB)(this.currentKeytip.keySequences)===o),n||this.currentKeytip.id===o}return!1},e.prototype._getParentID=function(e){return 0===e.length?this.root.id:(0,ss.aB)(e)},e.prototype._getFullSequence=function(e){var t=(0,l.pr)(e.keySequences);return e.overflowSetSequence&&(t=(0,ss.a1)(t,e.overflowSetSequence)),t},e.prototype._getNodeSequence=function(e){var t=(0,l.pr)(e.keySequences);return e.overflowSetSequence&&(t=(0,ss.a1)(t,e.overflowSetSequence)),t[t.length-1]},e.prototype._createNode=function(e,t,o,n,r){var i=this,a=n.keySequences,s=n.hasDynamicChildren,l=n.overflowSetSequence,c=n.hasMenu,u=n.onExecute,d=n.onReturn,p=n.disabled,m={id:e,keySequences:a,overflowSetSequence:l,parent:t,children:o,onExecute:u,onReturn:d,hasDynamicChildren:s,hasMenu:c,disabled:p,persisted:r};return m.children=Object.keys(this.nodeMap).reduce((function(t,o){return i.nodeMap[o].parent===e&&t.push(i.nodeMap[o].id),t}),[]),m},e}();function Ss(e,t){if(e.key!==t.key)return!1;var o=e.modifierKeys,n=t.modifierKeys;if(!o&&n||o&&!n)return!1;if(o&&n){if(o.length!==n.length)return!1;o=o.sort(),n=n.sort();for(var r=0;r0){var s=a.filter((function(e){return!e.persisted})).map((function(e){return e.id}));this.showKeytips(s),this._currentSequence=o}}},t.prototype.showKeytips=function(e){for(var t=0,o=this._keytipManager.getKeytips();t=0?n.visible=!0:n.visible=!1}this._setKeytips()},t.prototype._enterKeytipMode=function(){this._keytipManager.shouldEnterKeytipMode&&(this._keytipManager.delayUpdatingKeytipChange&&(this._buildTree(),this._setKeytips()),this._keytipTree.currentKeytip=this._keytipTree.root,this.showKeytips(this._keytipTree.getChildren()),this._setInKeytipMode(!0),this.props.onEnterKeytipMode&&this.props.onEnterKeytipMode())},t.prototype._buildTree=function(){this._keytipTree=new Cs;for(var e=0,t=Object.keys(this._keytipManager.keytips);e=0&&(this._delayedKeytipQueue.splice(o,1),this._delayedQueueTimeout&&this._async.clearTimeout(this._delayedQueueTimeout),this._delayedQueueTimeout=this._async.setTimeout((function(){t._delayedKeytipQueue.length&&(t.showKeytips(t._delayedKeytipQueue),t._delayedKeytipQueue=[])}),300))},t.prototype._getKtpExecuteTarget=function(e){return(0,nt.M)().querySelector((0,ss._l)(e.id))},t.prototype._getKtpTarget=function(e){return(0,nt.M)().querySelector((0,ss.eX)(e.keySequences))},t.prototype._isCurrentKeytipAnAlias=function(e){var t=this._keytipTree.currentKeytip;return!(!t||!t.overflowSetSequence&&!t.persisted||!(0,Co.cO)(e.keySequences,t.keySequences))},t.defaultProps={keytipStartSequences:[ks],keytipExitSequences:[ws],keytipReturnSequences:[Is],content:""},t}(c.Component),Es=(0,I.z)(Ts,(function(e){return{innerContent:[{position:"absolute",width:0,height:0,margin:0,padding:0,border:0,overflow:"hidden",visibility:"hidden"}]}}),void 0,{scope:"KeytipLayer"});function Ps(e){for(var t={},o=0,n=e.keytips;o0&&this._computeScrollVelocity(e)},e.prototype._computeScrollVelocity=function(e){if(this._scrollRect){var t,o;"clientX"in e?(t=e.clientX,o=e.clientY):(t=e.touches[0].clientX,o=e.touches[0].clientY);var n,r,i,a=this._scrollRect.top,s=this._scrollRect.left,l=a+this._scrollRect.height-Os,c=s+this._scrollRect.width-Os;ol?(r=o,n=a,i=l,this._isVerticalScroll=!0):(r=t,n=s,i=c,this._isVerticalScroll=!1),this._scrollVelocity=ri?Math.min(15,(r-i)/Os*15):0,this._scrollVelocity?this._startScroll():this._stopScroll()}},e.prototype._startScroll=function(){this._timeoutId||this._incrementScroll()},e.prototype._incrementScroll=function(){this._scrollableParent&&(this._isVerticalScroll?this._scrollableParent.scrollTop+=Math.round(this._scrollVelocity):this._scrollableParent.scrollLeft+=Math.round(this._scrollVelocity)),this._timeoutId=setTimeout(this._incrementScroll,16)},e.prototype._stopScroll=function(){this._timeoutId&&(clearTimeout(this._timeoutId),delete this._timeoutId)},e}(),Vs=o(8633),Ks=(0,D.y)(),qs=function(e){function t(t){var o=e.call(this,t)||this;return o._root=c.createRef(),o._onMouseDown=function(e){var t=o.props,n=t.isEnabled,r=t.onShouldStartSelection;o._isMouseEventOnScrollbar(e)||o._isInSelectionToggle(e)||o._isTouch||!n||o._isDragStartInSelection(e)||r&&!r(e)||o._scrollableSurface&&0===e.button&&o._root.current&&(o._selectedIndicies={},o._preservedIndicies=void 0,o._events.on(window,"mousemove",o._onAsyncMouseMove,!0),o._events.on(o._scrollableParent,"scroll",o._onAsyncMouseMove),o._events.on(window,"click",o._onMouseUp,!0),o._autoScroll=new Ws(o._root.current),o._scrollTop=o._scrollableSurface.scrollTop,o._scrollLeft=o._scrollableSurface.scrollLeft,o._rootRect=o._root.current.getBoundingClientRect(),o._onMouseMove(e))},o._onTouchStart=function(e){o._isTouch=!0,o._async.setTimeout((function(){o._isTouch=!1}),0)},o._onPointerDown=function(e){"touch"===e.pointerType&&(o._isTouch=!0,o._async.setTimeout((function(){o._isTouch=!1}),0))},(0,P.l)(o),o._async=new bo.e(o),o._events=new at.r(o),o.state={dragRect:void 0},o}return(0,l.ZT)(t,e),t.prototype.componentDidMount=function(){this._scrollableParent=(0,yo.zj)(this._root.current),this._scrollableSurface=this._scrollableParent===window?document.body:this._scrollableParent;var e=this.props.isDraggingConstrainedToRoot?this._root.current:this._scrollableSurface;this._events.on(e,"mousedown",this._onMouseDown),this._events.on(e,"touchstart",this._onTouchStart,!0),this._events.on(e,"pointerdown",this._onPointerDown,!0)},t.prototype.componentWillUnmount=function(){this._autoScroll&&this._autoScroll.dispose(),delete this._scrollableParent,delete this._scrollableSurface,this._events.dispose(),this._async.dispose()},t.prototype.render=function(){var e=this.props,t=e.rootProps,o=e.children,n=e.theme,r=e.className,i=e.styles,a=this.state.dragRect,s=Ks(i,{theme:n,className:r});return c.createElement("div",(0,l.pi)({},t,{className:s.root,ref:this._root}),o,a&&c.createElement("div",{className:s.dragMask}),a&&c.createElement("div",{className:s.box,style:a},c.createElement("div",{className:s.boxFill})))},t.prototype._isMouseEventOnScrollbar=function(e){var t=e.target,o=t.offsetWidth-t.clientWidth;if(o){var n=t.getBoundingClientRect();if((0,T.zg)(this.props.theme)){if(e.clientXn.left+t.clientWidth)return!0;if(e.clientY>n.top+t.clientHeight)return!0}return!1},t.prototype._getRootRect=function(){return{left:this._rootRect.left+(this._scrollLeft-this._scrollableSurface.scrollLeft),top:this._rootRect.top+(this._scrollTop-this._scrollableSurface.scrollTop),width:this._rootRect.width,height:this._rootRect.height}},t.prototype._onAsyncMouseMove=function(e){var t=this;this._async.requestAnimationFrame((function(){t._onMouseMove(e)})),e.stopPropagation(),e.preventDefault()},t.prototype._onMouseMove=function(e){if(this._autoScroll){void 0!==e.clientX&&(this._lastMouseEvent=e);var t=this._getRootRect(),o={left:e.clientX-t.left,top:e.clientY-t.top};if(this._dragOrigin||(this._dragOrigin=o),void 0!==e.buttons&&0===e.buttons)this._onMouseUp(e);else if(this.state.dragRect||(0,Vs.Iw)(this._dragOrigin,o)>5){if(!this.state.dragRect){var n=this.props.selection;e.shiftKey||n.setAllSelected(!1),this._preservedIndicies=n&&n.getSelectedIndices&&n.getSelectedIndices()}var r=this.props.isDraggingConstrainedToRoot?{left:Math.max(0,Math.min(t.width,this._lastMouseEvent.clientX-t.left)),top:Math.max(0,Math.min(t.height,this._lastMouseEvent.clientY-t.top))}:{left:this._lastMouseEvent.clientX-t.left,top:this._lastMouseEvent.clientY-t.top},i={left:Math.min(this._dragOrigin.left||0,r.left),top:Math.min(this._dragOrigin.top||0,r.top),width:Math.abs(r.left-(this._dragOrigin.left||0)),height:Math.abs(r.top-(this._dragOrigin.top||0))};this._evaluateSelection(i,t),this.setState({dragRect:i})}return!1}},t.prototype._onMouseUp=function(e){this._events.off(window),this._events.off(this._scrollableParent,"scroll"),this._autoScroll&&this._autoScroll.dispose(),this._autoScroll=this._dragOrigin=this._lastMouseEvent=void 0,this._selectedIndicies=this._itemRectCache=void 0,this.state.dragRect&&(this.setState({dragRect:void 0}),e.preventDefault(),e.stopPropagation())},t.prototype._isPointInRectangle=function(e,t){return!!t.top&&e.topt.top&&!!t.left&&e.leftt.left},t.prototype._isDragStartInSelection=function(e){var t=this.props.selection;if(!this._root.current||t&&0===t.getSelectedCount())return!1;for(var o=this._root.current.querySelectorAll("[data-selection-index]"),n=0;n0&&s.height>0&&(this._itemRectCache[a]=s),s.tope.top&&s.lefte.left?this._selectedIndicies[a]=!0:delete this._selectedIndicies[a]}var l=this._allSelectedIndices||{};for(var a in this._allSelectedIndices={},this._selectedIndicies)this._selectedIndicies.hasOwnProperty(a)&&(this._allSelectedIndices[a]=!0);if(this._preservedIndicies)for(var c=0,u=this._preservedIndicies;c0&&(p=e.collapseAriaLabel||e.expandAriaLabel?e.isExpanded?e.collapseAriaLabel:e.expandAriaLabel:i?e.name+" "+i:e.name),c.createElement("div",(0,l.pi)({},n,{key:e.key||t,className:d.compositeLink}),e.links&&e.links.length>0?c.createElement("button",{className:d.chevronButton,onClick:this._onLinkExpandClicked.bind(this,e),"aria-label":p,"aria-expanded":e.isExpanded?"true":"false"},c.createElement(W.J,{className:d.chevronIcon,iconName:"ChevronDown"})):null,this._renderNavLink(e,t,o))},t.prototype._renderLink=function(e,t,o){var n=this.props,r=n.styles,i=n.groups,a=n.theme,s=cl(r,{theme:a,groups:i});return c.createElement("li",{key:e.key||t,role:"listitem",className:s.navItem},this._renderCompositeLink(e,t,o),e.isExpanded?this._renderLinks(e.links,++o):null)},t.prototype._renderLinks=function(e,t){var o=this;if(!e||!e.length)return null;var n=e.map((function(e,n){return o._renderLink(e,n,t)})),r=this.props,i=r.styles,a=r.groups,s=r.theme,l=cl(i,{theme:s,groups:a});return c.createElement("ul",{role:"list",className:l.navItems},n)},t.prototype._onGroupHeaderClicked=function(e,t){e.onHeaderClick&&e.onHeaderClick(t,this._isGroupExpanded(e)),this._toggleCollapsed(e),t&&(t.preventDefault(),t.stopPropagation())},t.prototype._onLinkExpandClicked=function(e,t){var o=this.props.onLinkExpandClick;o&&o(t,e),t.defaultPrevented||(e.isExpanded=!e.isExpanded,this.setState({isLinkExpandStateChanged:!0})),t.preventDefault(),t.stopPropagation()},t.prototype._preventBounce=function(e,t){!e.url&&e.forceAnchor&&t.preventDefault()},t.prototype._onNavAnchorLinkClicked=function(e,t){this._preventBounce(e,t),this.props.onLinkClick&&this.props.onLinkClick(t,e),!e.url&&e.links&&e.links.length>0&&this._onLinkExpandClicked(e,t),this.setState({selectedKey:e.key})},t.prototype._onNavButtonLinkClicked=function(e,t){this._preventBounce(e,t),e.onClick&&e.onClick(t,e),!e.url&&e.links&&e.links.length>0&&this._onLinkExpandClicked(e,t),this.setState({selectedKey:e.key})},t.prototype._isLinkSelected=function(e){if(void 0!==this.props.selectedKey)return e.key===this.props.selectedKey;if(void 0!==this.state.selectedKey)return e.key===this.state.selectedKey;if(void 0===(0,So.J)()||!e.url)return!1;(el=el||document.createElement("a")).href=e.url||"";var t=el.href;return location.href===t||location.protocol+"//"+location.host+location.pathname===t||!!location.hash&&(location.hash===e.url||(el.href=location.hash.substring(1),el.href===t))},t.prototype._isGroupExpanded=function(e){return e.name&&this.state.isGroupCollapsed.hasOwnProperty(e.name)?!this.state.isGroupCollapsed[e.name]:void 0===e.collapseByDefault||!e.collapseByDefault},t.prototype._toggleCollapsed=function(e){var t;if(e.name){var o=(0,l.pi)((0,l.pi)({},this.state.isGroupCollapsed),((t={})[e.name]=this._isGroupExpanded(e),t));this.setState({isGroupCollapsed:o})}},t.defaultProps={groups:null},t}(c.Component),dl=(0,I.z)(ul,(function(e){var t,o=e.className,n=e.theme,r=e.isOnTop,i=e.isExpanded,a=e.isGroup,s=e.isLink,l=e.isSelected,c=e.isDisabled,d=e.isButtonEntry,p=e.navHeight,m=void 0===p?44:p,h=e.position,g=e.leftPadding,f=void 0===g?20:g,v=e.leftPaddingExpanded,b=void 0===v?28:v,y=e.rightPadding,_=void 0===y?20:y,C=n.palette,S=n.semanticColors,x=n.fonts,k=(0,u.Cn)(al,n);return{root:[k.root,o,x.medium,{overflowY:"auto",userSelect:"none",WebkitOverflowScrolling:"touch"},r&&[{position:"absolute"},u.k4.slideRightIn40]],linkText:[k.linkText,{margin:"0 4px",overflow:"hidden",verticalAlign:"middle",textAlign:"left",textOverflow:"ellipsis"}],compositeLink:[k.compositeLink,{display:"block",position:"relative",color:S.bodyText},i&&"is-expanded",l&&"is-selected",c&&"is-disabled",c&&{color:S.disabledText}],link:[k.link,(0,u.GL)(n),{display:"block",position:"relative",height:m,width:"100%",lineHeight:m+"px",textDecoration:"none",cursor:"pointer",textOverflow:"ellipsis",whiteSpace:"nowrap",overflow:"hidden",paddingLeft:f,paddingRight:_,color:S.bodyText,selectors:(t={},t[u.qJ]={border:0,selectors:{":focus":{border:"1px solid WindowText"}}},t)},!c&&{selectors:{".ms-Nav-compositeLink:hover &":{backgroundColor:S.bodyBackgroundHovered}}},l&&{color:S.bodyTextChecked,fontWeight:u.lq.semibold,backgroundColor:S.bodyBackgroundChecked,selectors:{"&:after":{borderLeft:"2px solid "+C.themePrimary,content:'""',position:"absolute",top:0,right:0,bottom:0,left:0,pointerEvents:"none"}}},c&&{color:S.disabledText},d&&{color:C.themePrimary}],chevronButton:[k.chevronButton,(0,u.GL)(n),x.small,{display:"block",textAlign:"left",lineHeight:m+"px",margin:"5px 0",padding:"0px, "+_+"px, 0px, "+b+"px",border:"none",textOverflow:"ellipsis",whiteSpace:"nowrap",overflow:"hidden",cursor:"pointer",color:S.bodyText,backgroundColor:"transparent",selectors:{"&:visited":{color:S.bodyText}}},a&&{fontSize:x.large.fontSize,width:"100%",height:m,borderBottom:"1px solid "+S.bodyDivider},s&&{display:"block",width:b-2,height:m-2,position:"absolute",top:"1px",left:h+"px",zIndex:u.bR.Nav,padding:0,margin:0},l&&{color:C.themePrimary,backgroundColor:C.neutralLighterAlt,selectors:{"&:after":{borderLeft:"2px solid "+C.themePrimary,content:'""',position:"absolute",top:0,right:0,bottom:0,left:0,pointerEvents:"none"}}}],chevronIcon:[k.chevronIcon,{position:"absolute",left:"8px",height:m,lineHeight:m+"px",fontSize:x.small.fontSize,transition:"transform .1s linear"},i&&{transform:"rotate(-180deg)"},s&&{top:0}],navItem:[k.navItem,{padding:0}],navItems:[k.navItems,{listStyleType:"none",padding:0,margin:0}],group:[k.group,i&&"is-expanded"],groupContent:[k.groupContent,{display:"none",marginBottom:"40px"},u.k4.slideDownIn20,i&&{display:"block"}]}}),void 0,{scope:"Nav"}),pl=o(6178),ml=o(9755),hl=o(5357),gl=o(2758),fl=o(7047),vl=o(867),bl=o(8337),yl=o(4192),_l=o(4800),Cl=o(9862),Sl=o(6920),xl=o(8976),kl=o(7115),wl=o(9318),Il=o(4885),Dl=o(2535),Tl=o(9378),El=o(2657),Pl={root:"ms-TagItem",text:"ms-TagItem-text",close:"ms-TagItem-close",isSelected:"is-selected"},Ml=(0,D.y)(),Rl=function(e){var t=e.theme,o=e.styles,n=e.selected,r=e.disabled,i=e.enableTagFocusInDisabledPicker,a=e.children,s=e.className,l=e.index,u=e.onRemoveItem,d=e.removeButtonAriaLabel,p=e.title,m=void 0===p?"string"==typeof e.children?e.children:e.item.name:p,h=Ml(o,{theme:t,className:s,selected:n,disabled:r});return c.createElement("div",{className:h.root,role:"listitem",key:l,"data-selection-index":l,"data-is-focusable":(i||!r)&&!0},c.createElement("span",{className:h.text,"aria-label":m,title:m},a),c.createElement(V.h,{onClick:u,disabled:r,iconProps:{iconName:"Cancel",styles:{root:{fontSize:"12px"}}},className:h.close,ariaLabel:d}))},Nl=(0,I.z)(Rl,(function(e){var t,o,n,r,i=e.className,a=e.theme,s=e.selected,l=e.disabled,c=a.palette,d=a.effects,p=a.fonts,m=a.semanticColors,h=(0,u.Cn)(Pl,a);return{root:[h.root,p.medium,(0,u.GL)(a),{boxSizing:"content-box",flexShrink:"1",margin:2,height:26,lineHeight:26,cursor:"default",userSelect:"none",display:"flex",flexWrap:"nowrap",maxWidth:300,minWidth:0,borderRadius:d.roundedCorner2,color:m.inputText,background:!s||l?c.neutralLighter:c.themePrimary,selectors:(t={":hover":[!l&&!s&&{color:c.neutralDark,background:c.neutralLight,selectors:{".ms-TagItem-close":{color:c.neutralPrimary}}},l&&{background:c.neutralLighter},s&&!l&&{background:c.themePrimary}]},t[u.qJ]={border:"1px solid "+(s?"WindowFrame":"WindowText")},t)},l&&{selectors:(o={},o[u.qJ]={borderColor:"GrayText"},o)},s&&!l&&[h.isSelected,{color:c.white}],i],text:[h.text,{overflow:"hidden",textOverflow:"ellipsis",whiteSpace:"nowrap",minWidth:30,margin:"0 8px"},l&&{selectors:(n={},n[u.qJ]={color:"GrayText"},n)}],close:[h.close,{color:c.neutralSecondary,width:30,height:"100%",flex:"0 0 auto",borderRadius:(0,T.zg)(a)?d.roundedCorner2+" 0 0 "+d.roundedCorner2:"0 "+d.roundedCorner2+" "+d.roundedCorner2+" 0",selectors:{":hover":{background:c.neutralQuaternaryAlt,color:c.neutralPrimary},":active":{color:c.white,backgroundColor:c.themeDark}}},s&&{color:c.white,selectors:{":hover":{color:c.white,background:c.themeDark}}},l&&{selectors:(r={},r["."+El.n.msButtonIcon]={color:c.neutralSecondary},r)}]}}),void 0,{scope:"TagItem"}),Bl={suggestionTextOverflow:"ms-TagItem-TextOverflow"},Fl=(0,D.y)(),Ll=function(e){var t=e.styles,o=e.theme,n=e.children,r=Fl(t,{theme:o});return c.createElement("div",{className:r.suggestionTextOverflow}," ",n," ")},Al=(0,I.z)(Ll,(function(e){var t=e.className,o=e.theme;return{suggestionTextOverflow:[(0,u.Cn)(Bl,o).suggestionTextOverflow,{overflow:"hidden",textOverflow:"ellipsis",maxWidth:"60vw",padding:"6px 12px 7px",whiteSpace:"nowrap"},t]}}),void 0,{scope:"TagItemSuggestion"}),zl=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.defaultProps={onRenderItem:function(e){return c.createElement(Nl,(0,l.pi)({},e),e.item.name)},onRenderSuggestionsItem:function(e){return c.createElement(Al,null,e.name)}},t}(xl.d),Hl=(0,I.z)(zl,Tl.W,void 0,{scope:"TagPicker"}),Ol=o(6548);function Wl(e,t){void 0===t&&(t=null);var o=c.useRef({ref:Object.assign((function(e){o.ref.current!==e&&(o.cleanup&&(o.cleanup(),o.cleanup=void 0),o.ref.current=e,null!==e&&(o.cleanup=o.callback(e)))}),{current:t}),callback:e}).current;return o.callback=e,o.ref}var Vl=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),(0,Vr.b)("PivotItem",t,{linkText:"headerText"}),o}return(0,l.ZT)(t,e),t.prototype.render=function(){return c.createElement("div",(0,l.pi)({},(0,E.pq)(this.props,E.n7)),this.props.children)},t}(c.Component),Kl=(0,D.y)(),ql=function(e,t){var o={links:[],keyToIndexMapping:{},keyToTabIdMapping:{}};return c.Children.forEach(c.Children.toArray(e.children),(function(n,r){if(Gl(n)){var i=n.props,a=i.linkText,s=(0,l._T)(i,["linkText"]),c=n.props.itemKey||r.toString();o.links.push((0,l.pi)((0,l.pi)({headerText:a},s),{itemKey:c})),o.keyToIndexMapping[c]=r,o.keyToTabIdMapping[c]=function(e,t,o,n){return e.getTabId?e.getTabId(o,n):t+"-Tab"+n}(e,t,c,r)}else n&&(0,be.Z)("The children of a Pivot component must be of type PivotItem to be rendered.")})),o},Gl=function(e){var t,o;return(null===(o=null===(t=e)||void 0===t?void 0:t.type)||void 0===o?void 0:o.name)===Vl.name},Ul=c.forwardRef((function(e,t){var o,n=c.useRef(null),r=c.useRef(null),i=(0,Fr.M)("Pivot"),a=(0,Ol.G)(e.selectedKey,e.defaultSelectedKey),s=a[0],u=a[1],d=e.componentRef,p=e.theme,m=e.linkSize,h=e.linkFormat,g=e.overflowBehavior,f=(0,E.pq)(e,E.n7),v=ql(e,i);c.useImperativeHandle(d,(function(){return{focus:function(){var e;null===(e=n.current)||void 0===e||e.focus()}}}));var b=function(e){if(!e)return null;var t=e.itemCount,n=e.itemIcon,r=e.headerText;return c.createElement("span",{className:o.linkContent},void 0!==n&&c.createElement("span",{className:o.icon},c.createElement(W.J,{iconName:n})),void 0!==r&&c.createElement("span",{className:o.text}," ",e.headerText),void 0!==t&&c.createElement("span",{className:o.count}," (",t,")"))},y=function(e,t,n,r){var i,a=t.itemKey,s=t.headerButtonProps,u=t.onRenderItemLink,d=e.keyToTabIdMapping[a],p=n===a;i=u?u(t,b):b(t);var m=t.headerText||"";return m+=t.itemCount?" ("+t.itemCount+")":"",m+=t.itemIcon?" xx":"",c.createElement(we.M,(0,l.pi)({},s,{id:d,key:a,className:(0,pt.i)(r,p&&o.linkIsSelected),onClick:function(e){return _(a,e)},onKeyDown:function(e){return C(a,e)},"aria-label":t.ariaLabel,role:"tab","aria-selected":p,name:t.headerText,keytipProps:t.keytipProps,"data-content":m}),i)},_=function(e,t){t.preventDefault(),S(e,t)},C=function(e,t){t.which===rt.m.enter&&(t.preventDefault(),S(e))},S=function(t,o){var n;if(u(t),v=ql(e,i),e.onLinkClick&&v.keyToIndexMapping[t]>=0){var a=v.keyToIndexMapping[t],s=c.Children.toArray(e.children)[a];Gl(s)&&e.onLinkClick(s,o)}null===(n=r.current)||void 0===n||n.dismissMenu()};o=Kl(e.styles,{theme:p,linkSize:m,linkFormat:h});var x,k=null===(x=s)||void 0!==x&&void 0!==v.keyToIndexMapping[x]?s:v.links.length?v.links[0].itemKey:void 0,w=k?v.keyToIndexMapping[k]:0,I=v.links.map((function(e){return y(v,e,k,o.link)})),D=c.useMemo((function(){return{items:[],alignTargetEdge:!0,directionalHint:K.b.bottomRightEdge}}),[]),P=function(e){var t=e.onOverflowItemsChanged,o=e.rtl,n=e.pinnedIndex,r=c.useRef(),i=c.useRef(),a=Wl((function(e){var t=function(e,t){if("undefined"!=typeof ResizeObserver){var o=new ResizeObserver(t);return Array.isArray(e)?e.forEach((function(e){return o.observe(e)})):o.observe(e),function(){return o.disconnect()}}var n=function(){return t(void 0)},r=(0,So.J)(Array.isArray(e)?e[0]:e);if(!r)return function(){};var i=r.requestAnimationFrame(n);return r.addEventListener("resize",n,!1),function(){r.cancelAnimationFrame(i),r.removeEventListener("resize",n,!1)}}(e,(function(t){i.current=t?t[0].contentRect.width:e.clientWidth,r.current&&r.current()}));return function(){t(),i.current=void 0}})),s=Wl((function(e){return a(e.parentElement),function(){return a(null)}}));return c.useLayoutEffect((function(){var e=a.current,l=s.current;if(e&&l){for(var c=[],u=0;u=0;t--){if(void 0===p[t]){var r=o?e-c[t].offsetLeft:c[t].offsetLeft+c[t].offsetWidth;t+1p[t])return void g(t+1)}g(0)}};var h=c.length,g=function(e){h!==e&&(h=e,t(e,c.map((function(t,o){return{ele:t,isOverflowing:o>=e&&o!==n}}))))},f=void 0;if(void 0!==i.current){var v=(0,So.J)(e);if(v){var b=v.requestAnimationFrame(r.current);f=function(){return v.cancelAnimationFrame(b)}}}return function(){f&&f(),g(c.length),r.current=void 0}}})),{menuButtonRef:s}}({onOverflowItemsChanged:function(e,t){t.forEach((function(e){var t=e.ele,o=e.isOverflowing;return t.dataset.isOverflowing=""+o})),D.items=v.links.slice(e).map((function(t,n){return{key:t.itemKey||""+(e+n),onRender:function(){return y(v,t,k,o.linkInMenu)}}}))},rtl:(0,T.zg)(p),pinnedIndex:w}).menuButtonRef;return c.createElement("div",(0,l.pi)({role:"toolbar"},f,{ref:t}),c.createElement(M.k,{componentRef:n,direction:R.U.horizontal,className:o.root,role:"tablist"},I,"menu"===g&&c.createElement(we.M,{className:(0,pt.i)(o.link,o.overflowMenuButton),elementRef:P,componentRef:r,menuProps:D,menuIconProps:{iconName:"More",style:{color:"inherit"}}})),k&&v.links.map((function(t){return(!0===t.alwaysRender||k===t.itemKey)&&function(t,n){if(e.headersOnly||!t)return null;var r=v.keyToIndexMapping[t],i=v.keyToTabIdMapping[t];return c.createElement("div",{role:"tabpanel",hidden:!n,key:t,"aria-hidden":!n,"aria-labelledby":i,className:o.itemContainer},c.Children.toArray(e.children)[r])}(t.itemKey,k===t.itemKey)})))}));Ul.displayName="Pivot";var jl,Jl,Yl={count:"ms-Pivot-count",icon:"ms-Pivot-icon",linkIsSelected:"is-selected",link:"ms-Pivot-link",linkContent:"ms-Pivot-linkContent",root:"ms-Pivot",rootIsLarge:"ms-Pivot--large",rootIsTabs:"ms-Pivot--tabs",text:"ms-Pivot-text",linkInMenu:"ms-Pivot-linkInMenu",overflowMenuButton:"ms-Pivot-overflowMenuButton"},Zl=function(e,t,o){var n,r,i;void 0===o&&(o=!1);var a=e.linkSize,s=e.linkFormat,c=e.theme,d=c.semanticColors,p=c.fonts,m="large"===a,h="tabs"===s;return[p.medium,{color:d.actionLink,padding:"0 8px",position:"relative",backgroundColor:"transparent",border:0,borderRadius:0,selectors:(n={":hover":{backgroundColor:d.buttonBackgroundHovered,color:d.buttonTextHovered,cursor:"pointer"},":active":{backgroundColor:d.buttonBackgroundPressed,color:d.buttonTextHovered},":focus":{outline:"none"}},n["."+de.G$+" &:focus"]={outline:"1px solid "+d.focusBorder},n["."+de.G$+" &:focus:after"]={content:"attr(data-content)",position:"relative",border:0},n)},!o&&[{display:"inline-block",lineHeight:44,height:44,marginRight:8,textAlign:"center",selectors:{":before":{backgroundColor:"transparent",bottom:0,content:'""',height:2,left:8,position:"absolute",right:8,transition:"left "+u.D1.durationValue2+" "+u.D1.easeFunction2+",\n right "+u.D1.durationValue2+" "+u.D1.easeFunction2},":after":{color:"transparent",content:"attr(data-content)",display:"block",fontWeight:u.lq.bold,height:1,overflow:"hidden",visibility:"hidden"}}},m&&{fontSize:p.large.fontSize},h&&[{marginRight:0,height:44,lineHeight:44,backgroundColor:d.buttonBackground,padding:"0 10px",verticalAlign:"top",selectors:(r={":focus":{outlineOffset:"-1px"}},r["."+de.G$+" &:focus::before"]={height:"auto",background:"transparent",transition:"none"},r["&:hover, &:focus"]={color:d.buttonTextCheckedHovered},r["&:active, &:hover"]={color:d.primaryButtonText,backgroundColor:d.primaryButtonBackground},r["&."+t.linkIsSelected]={backgroundColor:d.primaryButtonBackground,color:d.primaryButtonText,fontWeight:u.lq.regular,selectors:(i={":before":{backgroundColor:"transparent",transition:"none",position:"absolute",top:0,left:0,right:0,bottom:0,content:'""',height:0},":hover":{backgroundColor:d.primaryButtonBackgroundHovered,color:d.primaryButtonText},"&:active":{backgroundColor:d.primaryButtonBackgroundPressed,color:d.primaryButtonText}},i[u.qJ]=(0,l.pi)({fontWeight:u.lq.semibold,color:"HighlightText",background:"Highlight"},(0,u.xM)()),i)},r)}]]]},Xl=(0,I.z)(Ul,(function(e){var t,o,n,r,i=e.className,a=e.linkSize,s=e.linkFormat,c=e.theme,d=c.semanticColors,p=c.fonts,m=(0,u.Cn)(Yl,c),h="large"===a,g="tabs"===s;return{root:[m.root,p.medium,u.Fv,{position:"relative",color:d.link,whiteSpace:"nowrap"},h&&m.rootIsLarge,g&&m.rootIsTabs,i],itemContainer:{selectors:{"&[hidden]":{display:"none"}}},link:(0,l.pr)([m.link],Zl(e,m),[(t={},t["&[data-is-overflowing='true']"]={display:"none"},t)]),overflowMenuButton:[m.overflowMenuButton,(o={visibility:"hidden",position:"absolute",right:0},o["."+m.link+"[data-is-overflowing='true'] ~ &"]={visibility:"visible",position:"relative"},o)],linkInMenu:(0,l.pr)([m.linkInMenu],Zl(e,m,!0),[{textAlign:"left",width:"100%",height:36,lineHeight:36}]),linkIsSelected:[m.link,m.linkIsSelected,{fontWeight:u.lq.semibold,selectors:(n={":before":{backgroundColor:d.inputBackgroundChecked,selectors:(r={},r[u.qJ]={backgroundColor:"Highlight"},r)},":hover::before":{left:0,right:0}},n[u.qJ]={color:"Highlight"},n)}],linkContent:[m.linkContent,{flex:"0 1 100%",selectors:{"& > * ":{marginLeft:4},"& > *:first-child":{marginLeft:0}}}],text:[m.text,{display:"inline-block",verticalAlign:"top"}],count:[m.count,{display:"inline-block",verticalAlign:"top"}],icon:m.icon}}),void 0,{scope:"Pivot"});!function(e){e.links="links",e.tabs="tabs"}(jl||(jl={})),function(e){e.normal="normal",e.large="large"}(Jl||(Jl={}));var Ql=(0,D.y)(),$l=function(e){function t(t){var o=e.call(this,t)||this;o._onRenderProgress=function(e){var t=o.props,n=t.ariaValueText,r=t.barHeight,i=t.className,a=t.description,s=t.label,l=void 0===s?o.props.title:s,u=t.styles,d=t.theme,p="number"==typeof o.props.percentComplete?Math.min(100,Math.max(0,100*o.props.percentComplete)):void 0,m=Ql(u,{theme:d,className:i,barHeight:r,indeterminate:void 0===p}),h={width:void 0!==p?p+"%":void 0,transition:void 0!==p&&p<.01?"none":void 0},g=void 0!==p?0:void 0,f=void 0!==p?100:void 0,v=void 0!==p?Math.floor(p):void 0;return c.createElement("div",{className:m.itemProgress},c.createElement("div",{className:m.progressTrack}),c.createElement("div",{className:m.progressBar,style:h,role:"progressbar","aria-describedby":a?o._descriptionId:void 0,"aria-labelledby":l?o._labelId:void 0,"aria-valuemin":g,"aria-valuemax":f,"aria-valuenow":v,"aria-valuetext":n}))};var n=(0,dn.z)("progress-indicator");return o._labelId=n+"-label",o._descriptionId=n+"-description",o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.barHeight,o=e.className,n=e.label,r=void 0===n?this.props.title:n,i=e.description,a=e.styles,s=e.theme,u=e.progressHidden,d=e.onRenderProgress,p=void 0===d?this._onRenderProgress:d,m="number"==typeof this.props.percentComplete?Math.min(100,Math.max(0,100*this.props.percentComplete)):void 0,h=Ql(a,{theme:s,className:o,barHeight:t,indeterminate:void 0===m});return c.createElement("div",{className:h.root},r?c.createElement("div",{id:this._labelId,className:h.itemName},r):null,u?null:p((0,l.pi)((0,l.pi)({},this.props),{percentComplete:m}),this._onRenderProgress),i?c.createElement("div",{id:this._descriptionId,className:h.itemDescription},i):null)},t.defaultProps={label:"",description:"",width:180},t}(c.Component),ec={root:"ms-ProgressIndicator",itemName:"ms-ProgressIndicator-itemName",itemDescription:"ms-ProgressIndicator-itemDescription",itemProgress:"ms-ProgressIndicator-itemProgress",progressTrack:"ms-ProgressIndicator-progressTrack",progressBar:"ms-ProgressIndicator-progressBar"},tc=(0,d.NF)((function(){return(0,u.F4)({"0%":{left:"-30%"},"100%":{left:"100%"}})})),oc=(0,d.NF)((function(){return(0,u.F4)({"100%":{right:"-30%"},"0%":{right:"100%"}})})),nc=(0,I.z)($l,(function(e){var t,o,n,r=(0,T.zg)(e.theme),i=e.className,a=e.indeterminate,s=e.theme,c=e.barHeight,d=void 0===c?2:c,p=s.palette,m=s.semanticColors,h=s.fonts,g=(0,u.Cn)(ec,s),f=p.neutralLight;return{root:[g.root,h.medium,i],itemName:[g.itemName,u.jq,{color:m.bodyText,paddingTop:4,lineHeight:20}],itemDescription:[g.itemDescription,{color:m.bodySubtext,fontSize:h.small.fontSize,lineHeight:18}],itemProgress:[g.itemProgress,{position:"relative",overflow:"hidden",height:d,padding:"8px 0"}],progressTrack:[g.progressTrack,{position:"absolute",width:"100%",height:d,backgroundColor:f,selectors:(t={},t[u.qJ]={borderBottom:"1px solid WindowText"},t)}],progressBar:[{backgroundColor:p.themePrimary,height:d,position:"absolute",transition:"width .3s ease",width:0,selectors:(o={},o[u.qJ]=(0,l.pi)({backgroundColor:"highlight"},(0,u.xM)()),o)},a?{position:"absolute",minWidth:"33%",background:"linear-gradient(to right, "+f+" 0%, "+p.themePrimary+" 50%, "+f+" 100%)",animation:(r?oc():tc())+" 3s infinite",selectors:(n={},n[u.qJ]={background:"highlight"},n)}:{transition:"width .15s linear"},g.progressBar]}}),void 0,{scope:"ProgressIndicator"}),rc=o(558),ic=o(1405),ac=o(7813),sc={root:"ms-ScrollablePane",contentContainer:"ms-ScrollablePane--contentContainer"},lc={auto:"auto",always:"always"},cc=c.createContext({scrollablePane:void 0}),uc=(0,D.y)(),dc=function(e){function t(t){var o=e.call(this,t)||this;return o._root=c.createRef(),o._stickyAboveRef=c.createRef(),o._stickyBelowRef=c.createRef(),o._contentContainer=c.createRef(),o.subscribe=function(e){o._subscribers.add(e)},o.unsubscribe=function(e){o._subscribers.delete(e)},o.addSticky=function(e){o._stickies.add(e),o.contentContainer&&(e.setDistanceFromTop(o.contentContainer),o.sortSticky(e))},o.removeSticky=function(e){o._stickies.delete(e),o._removeStickyFromContainers(e),o.notifySubscribers()},o.sortSticky=function(e,t){o.stickyAbove&&o.stickyBelow&&(t&&o._removeStickyFromContainers(e),e.canStickyTop&&e.stickyContentTop&&o._addToStickyContainer(e,o.stickyAbove,e.stickyContentTop),e.canStickyBottom&&e.stickyContentBottom&&o._addToStickyContainer(e,o.stickyBelow,e.stickyContentBottom))},o.updateStickyRefHeights=function(){var e=o._stickies,t=0,n=0;e.forEach((function(e){var r=e.state,i=r.isStickyTop,a=r.isStickyBottom;e.nonStickyContent&&(i&&(t+=e.nonStickyContent.offsetHeight),a&&(n+=e.nonStickyContent.offsetHeight),o._checkStickyStatus(e))})),o.setState({stickyTopHeight:t,stickyBottomHeight:n})},o.notifySubscribers=function(){o.contentContainer&&o._subscribers.forEach((function(e){e(o.contentContainer,o.stickyBelow)}))},o.getScrollPosition=function(){return o.contentContainer?o.contentContainer.scrollTop:0},o.syncScrollSticky=function(e){e&&o.contentContainer&&e.syncScroll(o.contentContainer)},o._getScrollablePaneContext=function(){return{scrollablePane:{subscribe:o.subscribe,unsubscribe:o.unsubscribe,addSticky:o.addSticky,removeSticky:o.removeSticky,updateStickyRefHeights:o.updateStickyRefHeights,sortSticky:o.sortSticky,notifySubscribers:o.notifySubscribers,syncScrollSticky:o.syncScrollSticky}}},o._addToStickyContainer=function(e,t,n){if(t.children.length){if(!t.contains(n)){var r=[].slice.call(t.children),i=[];o._stickies.forEach((function(n){(t===o.stickyAbove&&e.canStickyTop||e.canStickyBottom)&&i.push(n)}));for(var a=void 0,s=0,l=i.sort((function(e,t){return(e.state.distanceFromTop||0)-(t.state.distanceFromTop||0)})).filter((function(e){var n=t===o.stickyAbove?e.stickyContentTop:e.stickyContentBottom;return!!n&&r.indexOf(n)>-1}));s=(e.state.distanceFromTop||0)){a=c;break}}var u=null;a&&(u=t===o.stickyAbove?a.stickyContentTop:a.stickyContentBottom),t.insertBefore(n,u)}}else t.appendChild(n)},o._removeStickyFromContainers=function(e){o.stickyAbove&&e.stickyContentTop&&o.stickyAbove.contains(e.stickyContentTop)&&o.stickyAbove.removeChild(e.stickyContentTop),o.stickyBelow&&e.stickyContentBottom&&o.stickyBelow.contains(e.stickyContentBottom)&&o.stickyBelow.removeChild(e.stickyContentBottom)},o._onWindowResize=function(){var e=o._getScrollbarWidth(),t=o._getScrollbarHeight();o.setState({scrollbarWidth:e,scrollbarHeight:t}),o.notifySubscribers()},o._getStickyContainerStyle=function(e,t){return(0,l.pi)((0,l.pi)({height:e},(0,T.zg)(o.props.theme)?{right:"0",left:(o.state.scrollbarWidth||o._getScrollbarWidth()||0)+"px"}:{left:"0",right:(o.state.scrollbarWidth||o._getScrollbarWidth()||0)+"px"}),t?{top:"0"}:{bottom:(o.state.scrollbarHeight||o._getScrollbarHeight()||0)+"px"})},o._onScroll=function(){var e=o.contentContainer;e&&o._stickies.forEach((function(t){t.syncScroll(e)})),o._notifyThrottled()},o._subscribers=new Set,o._stickies=new Set,(0,P.l)(o),o._async=new bo.e(o),o._events=new at.r(o),o.state={stickyTopHeight:0,stickyBottomHeight:0,scrollbarWidth:0,scrollbarHeight:0},o._notifyThrottled=o._async.throttle(o.notifySubscribers,50),o}return(0,l.ZT)(t,e),Object.defineProperty(t.prototype,"root",{get:function(){return this._root.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"stickyAbove",{get:function(){return this._stickyAboveRef.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"stickyBelow",{get:function(){return this._stickyBelowRef.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"contentContainer",{get:function(){return this._contentContainer.current},enumerable:!0,configurable:!0}),t.prototype.componentDidMount=function(){var e=this,t=this.props.initialScrollPosition;this._events.on(this.contentContainer,"scroll",this._onScroll),this._events.on(window,"resize",this._onWindowResize),this.contentContainer&&t&&(this.contentContainer.scrollTop=t),this.setStickiesDistanceFromTop(),this._stickies.forEach((function(t){e.sortSticky(t)})),this.notifySubscribers(),"MutationObserver"in window&&(this._mutationObserver=new MutationObserver((function(t){var o=e._getScrollbarHeight();if(o!==e.state.scrollbarHeight&&e.setState({scrollbarHeight:o}),e.notifySubscribers(),t.some(function(e){return null!==this.stickyAbove&&null!==this.stickyBelow&&(this.stickyAbove.contains(e.target)||this.stickyBelow.contains(e.target))}.bind(e)))e.updateStickyRefHeights();else{var n=[];e._stickies.forEach((function(e){e.root&&e.root.contains(t[0].target)&&n.push(e)})),n.length&&n.forEach((function(e){e.forceUpdate()}))}})),this.root&&this._mutationObserver.observe(this.root,{childList:!0,attributes:!0,subtree:!0,characterData:!0}))},t.prototype.componentWillUnmount=function(){this._events.dispose(),this._async.dispose(),this._mutationObserver&&this._mutationObserver.disconnect()},t.prototype.shouldComponentUpdate=function(e,t){return this.props.children!==e.children||this.props.initialScrollPosition!==e.initialScrollPosition||this.props.className!==e.className||this.state.stickyTopHeight!==t.stickyTopHeight||this.state.stickyBottomHeight!==t.stickyBottomHeight||this.state.scrollbarWidth!==t.scrollbarWidth||this.state.scrollbarHeight!==t.scrollbarHeight},t.prototype.componentDidUpdate=function(e,t){var o=this.props.initialScrollPosition;this.contentContainer&&"number"==typeof o&&e.initialScrollPosition!==o&&(this.contentContainer.scrollTop=o),t.stickyTopHeight===this.state.stickyTopHeight&&t.stickyBottomHeight===this.state.stickyBottomHeight||this.notifySubscribers(),this._async.setTimeout(this._onWindowResize,0)},t.prototype.render=function(){var e=this.props,t=e.className,o=e.theme,n=e.styles,r=this.state,i=r.stickyTopHeight,a=r.stickyBottomHeight,s=uc(n,{theme:o,className:t,scrollbarVisibility:this.props.scrollbarVisibility});return c.createElement("div",(0,l.pi)({},(0,E.pq)(this.props,E.n7),{ref:this._root,className:s.root}),c.createElement("div",{ref:this._stickyAboveRef,className:s.stickyAbove,style:this._getStickyContainerStyle(i,!0)}),c.createElement("div",{ref:this._contentContainer,className:s.contentContainer,"data-is-scrollable":!0},c.createElement(cc.Provider,{value:this._getScrollablePaneContext()},this.props.children)),c.createElement("div",{className:s.stickyBelow,style:this._getStickyContainerStyle(a,!1)},c.createElement("div",{ref:this._stickyBelowRef,className:s.stickyBelowItems})))},t.prototype.setStickiesDistanceFromTop=function(){var e=this;this.contentContainer&&this._stickies.forEach((function(t){t.setDistanceFromTop(e.contentContainer)}))},t.prototype.forceLayoutUpdate=function(){this._onWindowResize()},t.prototype._checkStickyStatus=function(e){this.stickyAbove&&this.stickyBelow&&this.contentContainer&&e.nonStickyContent&&(e.state.isStickyTop||e.state.isStickyBottom?(e.state.isStickyTop&&!this.stickyAbove.contains(e.nonStickyContent)&&e.stickyContentTop&&e.addSticky(e.stickyContentTop),e.state.isStickyBottom&&!this.stickyBelow.contains(e.nonStickyContent)&&e.stickyContentBottom&&e.addSticky(e.stickyContentBottom)):this.contentContainer.contains(e.nonStickyContent)||e.resetSticky())},t.prototype._getScrollbarWidth=function(){var e=this.contentContainer;return e?e.offsetWidth-e.clientWidth:0},t.prototype._getScrollbarHeight=function(){var e=this.contentContainer;return e?e.offsetHeight-e.clientHeight:0},t}(c.Component),pc=(0,I.z)(dc,(function(e){var t,o,n=e.className,r=e.theme,i=(0,u.Cn)(sc,r),a={position:"absolute",pointerEvents:"none"},s={position:"absolute",top:0,right:0,bottom:0,left:0,WebkitOverflowScrolling:"touch"};return{root:[i.root,r.fonts.medium,s,n],contentContainer:[i.contentContainer,{overflowY:"always"===e.scrollbarVisibility?"scroll":"auto"},s],stickyAbove:[{top:0,zIndex:1,selectors:(t={},t[u.qJ]={borderBottom:"1px solid WindowText"},t)},a],stickyBelow:[{bottom:0,selectors:(o={},o[u.qJ]={borderTop:"1px solid WindowText"},o)},a],stickyBelowItems:[{bottom:0},a,{width:"100%"}]}}),void 0,{scope:"ScrollablePane"}),mc=o(6419),hc=o(3863),gc=o(5515),fc=function(e){function t(t){var o=e.call(this,t)||this;o.addItems=function(e){var t=o.props.onItemSelected?o.props.onItemSelected(e):e,n=t,r=t;if(r&&r.then)r.then((function(e){var t=o.state.items.concat(e);o.updateItems(t)}));else{var i=o.state.items.concat(n);o.updateItems(i)}},o.removeItemAt=function(e){var t=o.state.items;if(o._canRemoveItem(t[e])&&e>-1){o.props.onItemsDeleted&&o.props.onItemsDeleted([t[e]]);var n=t.slice(0,e).concat(t.slice(e+1));o.updateItems(n)}},o.removeItem=function(e){var t=o.state.items.indexOf(e);o.removeItemAt(t)},o.replaceItem=function(e,t){var n=o.state.items,r=n.indexOf(e);if(r>-1){var i=n.slice(0,r).concat(t).concat(n.slice(r+1));o.updateItems(i)}},o.removeItems=function(e){var t=o.state.items,n=e.filter((function(e){return o._canRemoveItem(e)})),r=t.filter((function(e){return-1===n.indexOf(e)})),i=n[0],a=t.indexOf(i);o.props.onItemsDeleted&&o.props.onItemsDeleted(n),o.updateItems(r,a)},o.onCopy=function(e){if(o.props.onCopyItems&&o.selection.getSelectedCount()>0){var t=o.selection.getSelection();o.copyItems(t)}},o.renderItems=function(){var e=o.props.removeButtonAriaLabel,t=o.props.onRenderItem;return o.state.items.map((function(n,r){return t({item:n,index:r,key:n.key?n.key:r,selected:o.selection.isIndexSelected(r),onRemoveItem:function(){return o.removeItem(n)},onItemChange:o.onItemChange,removeButtonAriaLabel:e,onCopyItem:function(e){return o.copyItems([e])}})}))},o.onSelectionChanged=function(){o.forceUpdate()},o.onItemChange=function(e,t){var n=o.state.items;if(t>=0){var r=n;r[t]=e,o.updateItems(r)}},(0,P.l)(o);var n=t.selectedItems||t.defaultSelectedItems||[];return o.state={items:n},o._defaultSelection=new nn.Y({onSelectionChanged:o.onSelectionChanged}),o}return(0,l.ZT)(t,e),t.getDerivedStateFromProps=function(e){return e.selectedItems?{items:e.selectedItems}:null},Object.defineProperty(t.prototype,"items",{get:function(){return this.state.items},enumerable:!0,configurable:!0}),t.prototype.removeSelectedItems=function(){this.state.items.length&&this.selection.getSelectedCount()>0&&this.removeItems(this.selection.getSelection())},t.prototype.updateItems=function(e,t){var o=this;this.props.selectedItems?this.onChange(e):this.setState({items:e},(function(){o._onSelectedItemsUpdated(e,t)}))},t.prototype.hasSelectedItems=function(){return this.selection.getSelectedCount()>0},t.prototype.componentDidUpdate=function(e,t){this.state.items&&this.state.items!==t.items&&this.selection.setItems(this.state.items)},t.prototype.unselectAll=function(){this.selection.setAllSelected(!1)},t.prototype.highlightedItems=function(){return this.selection.getSelection()},t.prototype.componentDidMount=function(){this.selection.setItems(this.state.items)},Object.defineProperty(t.prototype,"selection",{get:function(){var e;return null!=(e=this.props.selection)?e:this._defaultSelection},enumerable:!0,configurable:!0}),t.prototype.render=function(){return this.renderItems()},t.prototype.onChange=function(e){this.props.onChange&&this.props.onChange(e)},t.prototype.copyItems=function(e){if(this.props.onCopyItems){var t=this.props.onCopyItems(e),o=document.createElement("input");document.body.appendChild(o);try{if(o.value=t,o.select(),!document.execCommand("copy"))throw new Error}catch(e){}finally{document.body.removeChild(o)}}},t.prototype._onSelectedItemsUpdated=function(e,t){this.onChange(e)},t.prototype._canRemoveItem=function(e){return!this.props.canRemoveItem||this.props.canRemoveItem(e)},t}(c.Component);(0,Xi.RM)([{rawString:".personaContainer_e3941fa3{border-radius:15px;display:-webkit-inline-box;display:-ms-inline-flexbox;display:inline-flex;-webkit-box-align:center;-ms-flex-align:center;align-items:center;background:"},{theme:"themeLighterAlt",defaultValue:"#eff6fc"},{rawString:";margin:4px;cursor:default;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;vertical-align:middle;position:relative}.personaContainer_e3941fa3::-moz-focus-inner{border:0}.personaContainer_e3941fa3{outline:transparent}.personaContainer_e3941fa3{position:relative}.ms-Fabric--isFocusVisible .personaContainer_e3941fa3:focus:after{-webkit-box-sizing:border-box;box-sizing:border-box;content:'';position:absolute;top:-2px;right:-2px;bottom:-2px;left:-2px;pointer-events:none;border:1px solid "},{theme:"focusBorder",defaultValue:"#605e5c"},{rawString:";border-radius:0}.personaContainer_e3941fa3 .ms-Persona-primaryText{color:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:";font-size:14px;font-weight:400}.personaContainer_e3941fa3 .ms-Persona-primaryText.hover_e3941fa3{color:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:"}@media screen and (-ms-high-contrast:active){.personaContainer_e3941fa3 .ms-Persona-primaryText{color:HighlightText}}.personaContainer_e3941fa3 .actionButton_e3941fa3:hover{background:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:"}.personaContainer_e3941fa3 .actionButton_e3941fa3 .ms-Button-icon{color:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:"}@media screen and (-ms-high-contrast:active){.personaContainer_e3941fa3 .actionButton_e3941fa3 .ms-Button-icon{color:HighlightText}}.personaContainer_e3941fa3:hover{background:"},{theme:"themeLighter",defaultValue:"#deecf9"},{rawString:"}.personaContainer_e3941fa3:hover .ms-Persona-primaryText{color:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:";font-size:14px;font-weight:400}@media screen and (-ms-high-contrast:active){.personaContainer_e3941fa3:hover .ms-Persona-primaryText{color:HighlightText}}.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3{background:"},{theme:"themePrimary",defaultValue:"#0078d4"},{rawString:"}.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3 .ms-Persona-primaryText{color:"},{theme:"white",defaultValue:"#ffffff"},{rawString:"}@media screen and (-ms-high-contrast:active){.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3 .ms-Persona-primaryText{color:HighlightText}}.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3 .actionButton_e3941fa3{color:"},{theme:"white",defaultValue:"#ffffff"},{rawString:"}.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3 .actionButton_e3941fa3 .ms-Button-icon{color:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:"}.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3 .actionButton_e3941fa3 .ms-Button-icon:hover{background:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:"}@media screen and (-ms-high-contrast:active){.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3 .actionButton_e3941fa3 .ms-Button-icon{color:HighlightText}}@media screen and (-ms-high-contrast:active){.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3{border-color:Highlight;background:Highlight;-ms-high-contrast-adjust:none}}.personaContainer_e3941fa3.validationError_e3941fa3 .ms-Persona-primaryText{color:"},{theme:"red",defaultValue:"#e81123"},{rawString:"}.personaContainer_e3941fa3.validationError_e3941fa3 .ms-Persona-initials{font-size:20px}@media screen and (-ms-high-contrast:active){.personaContainer_e3941fa3{border:1px solid WindowText}}.personaContainer_e3941fa3 .itemContent_e3941fa3{-webkit-box-flex:0;-ms-flex:0 1 auto;flex:0 1 auto;min-width:0;max-width:100%}.personaContainer_e3941fa3 .removeButton_e3941fa3{border-radius:15px;-webkit-box-flex:0;-ms-flex:0 0 auto;flex:0 0 auto;width:33px;height:33px;-ms-flex-preferred-size:32px;flex-basis:32px}.personaContainer_e3941fa3 .expandButton_e3941fa3{border-radius:15px 0 0 15px;height:33px;width:44px;padding-right:16px;position:inherit;display:-webkit-box;display:-ms-flexbox;display:flex;margin-right:-17px}.personaContainer_e3941fa3 .personaWrapper_e3941fa3{position:relative;display:inherit}.personaContainer_e3941fa3 .personaWrapper_e3941fa3 .ms-Persona-details{padding:0 8px}.personaContainer_e3941fa3 .personaDetails_e3941fa3{-webkit-box-flex:0;-ms-flex:0 1 auto;flex:0 1 auto}.itemContainer_e3941fa3{display:inline-block;vertical-align:top}"}]);var vc="personaContainer_e3941fa3",bc="hover_e3941fa3",yc="actionButton_e3941fa3",_c="personaContainerIsSelected_e3941fa3",Cc="validationError_e3941fa3",Sc="itemContent_e3941fa3",xc="removeButton_e3941fa3",kc="expandButton_e3941fa3",wc="personaWrapper_e3941fa3",Ic="personaDetails_e3941fa3",Dc="itemContainer_e3941fa3",Tc=s,Ec=function(e){function t(t){var o=e.call(this,t)||this;return o.persona=c.createRef(),(0,P.l)(o),o.state={contextualMenuVisible:!1},o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e,t,o=this.props,n=o.item,r=o.onExpandItem,i=o.onRemoveItem,a=o.removeButtonAriaLabel,s=o.index,u=o.selected,d=(0,dn.z)();return c.createElement("div",{ref:this.persona,className:(0,pt.i)("ms-PickerPersona-container",Tc.personaContainer,(e={},e["is-selected "+Tc.personaContainerIsSelected]=u,e),(t={},t["is-invalid "+Tc.validationError]=!n.isValid,t)),"data-is-focusable":!0,"data-is-sub-focuszone":!0,"data-selection-index":s,role:"listitem","aria-labelledby":"selectedItemPersona-"+d},c.createElement("div",{hidden:!n.canExpand||void 0===r},c.createElement(V.h,{onClick:this._onClickIconButton(r),iconProps:{iconName:"Add",style:{fontSize:"14px"}},className:(0,pt.i)("ms-PickerItem-removeButton",Tc.expandButton,Tc.actionButton),ariaLabel:a})),c.createElement("div",{className:(0,pt.i)(Tc.personaWrapper)},c.createElement("div",{className:(0,pt.i)("ms-PickerItem-content",Tc.itemContent),id:"selectedItemPersona-"+d},c.createElement(ua.I,(0,l.pi)({},n,{onRenderCoin:this.props.renderPersonaCoin,onRenderPrimaryText:this.props.renderPrimaryText,size:C.Ir.size32}))),c.createElement(V.h,{onClick:this._onClickIconButton(i),iconProps:{iconName:"Cancel",style:{fontSize:"14px"}},className:(0,pt.i)("ms-PickerItem-removeButton",Tc.removeButton,Tc.actionButton),ariaLabel:a})))},t.prototype._onClickIconButton=function(e){return function(t){t.stopPropagation(),t.preventDefault(),e&&e()}},t}(c.Component),Pc=function(e){function t(t){var o=e.call(this,t)||this;return o.itemElement=c.createRef(),o._onClick=function(e){e.preventDefault(),o.props.beginEditing&&!o.props.item.isValid?o.props.beginEditing(o.props.item):o.setState({contextualMenuVisible:!0})},o._onCloseContextualMenu=function(e){o.setState({contextualMenuVisible:!1})},(0,P.l)(o),o.state={contextualMenuVisible:!1},o}return(0,l.ZT)(t,e),t.prototype.render=function(){return c.createElement("div",{ref:this.itemElement,onContextMenu:this._onClick},this.props.renderedItem,this.state.contextualMenuVisible?c.createElement(Go.r,{items:this.props.menuItems,shouldFocusOnMount:!0,target:this.itemElement.current,onDismiss:this._onCloseContextualMenu,directionalHint:K.b.bottomLeftEdge}):null)},t}(c.Component),Mc={root:"ms-EditingItem",input:"ms-EditingItem-input"},Rc=function(e){var t=(0,u.gh)();if(!t)throw new Error("theme is undefined or null in Editing item getStyles function.");var o=t.semanticColors,n=(0,u.Cn)(Mc,t);return{root:[n.root,{margin:"4px"}],input:[n.input,{border:"0px",outline:"none",width:"100%",backgroundColor:o.inputBackground,color:o.inputText,selectors:{"::-ms-clear":{display:"none"}}}]}},Nc=function(e){function t(t){var o=e.call(this,t)||this;return o._editingFloatingPicker=c.createRef(),o._renderEditingSuggestions=function(){var e=o.props.onRenderFloatingPicker,t=o.props.floatingPickerProps;return e&&t?c.createElement(e,(0,l.pi)({componentRef:o._editingFloatingPicker,onChange:o._onSuggestionSelected,inputElement:o._editingInput,selectedItems:[]},t)):c.createElement(c.Fragment,null)},o._resolveInputRef=function(e){o._editingInput=e,o.forceUpdate((function(){o._editingInput.focus()}))},o._onInputClick=function(){o._editingFloatingPicker.current&&o._editingFloatingPicker.current.showPicker(!0)},o._onInputBlur=function(e){if(o._editingFloatingPicker.current&&null!==e.relatedTarget){var t=e.relatedTarget;-1===t.className.indexOf("ms-Suggestions-itemButton")&&-1===t.className.indexOf("ms-Suggestions-sectionButton")&&o._editingFloatingPicker.current.forceResolveSuggestion()}},o._onInputChange=function(e){var t=e.target.value;""===t?o.props.onRemoveItem&&o.props.onRemoveItem():o._editingFloatingPicker.current&&o._editingFloatingPicker.current.onQueryStringChanged(t)},o._onSuggestionSelected=function(e){o.props.onEditingComplete(o.props.item,e)},(0,P.l)(o),o.state={contextualMenuVisible:!1},o}return(0,l.ZT)(t,e),t.prototype.componentDidMount=function(){var e=(0,this.props.getEditingItemText)(this.props.item);this._editingFloatingPicker.current&&this._editingFloatingPicker.current.onQueryStringChanged(e),this._editingInput.value=e,this._editingInput.focus()},t.prototype.render=function(){var e=(0,dn.z)(),t=(0,E.pq)(this.props,E.Gg),o=(0,D.y)()(Rc);return c.createElement("div",{"aria-labelledby":"editingItemPersona-"+e,className:o.root},c.createElement("input",(0,l.pi)({autoCapitalize:"off",autoComplete:"off"},t,{ref:this._resolveInputRef,onChange:this._onInputChange,onKeyDown:this._onInputKeyDown,onBlur:this._onInputBlur,onClick:this._onInputClick,"data-lpignore":!0,className:o.input,id:e})),this._renderEditingSuggestions())},t.prototype._onInputKeyDown=function(e){e.which!==rt.m.backspace&&e.which!==rt.m.del||e.stopPropagation()},t}(c.Component),Bc=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,l.ZT)(t,e),t}(fc),Fc=function(e){function t(){var t=null!==e&&e.apply(this,arguments)||this;return t.renderItems=function(){return t.state.items.map((function(e,o){return t._renderItem(e,o)}))},t._beginEditing=function(e){e.isEditing=!0,t.forceUpdate()},t._completeEditing=function(e,o){e.isEditing=!1,t.replaceItem(e,o)},t}return(0,l.ZT)(t,e),t.prototype._renderItem=function(e,t){var o=this,n=this.props.removeButtonAriaLabel,r=this.props.onExpandGroup,i={item:e,index:t,key:e.key?e.key:t,selected:this.selection.isIndexSelected(t),onRemoveItem:function(){return o.removeItem(e)},onItemChange:this.onItemChange,removeButtonAriaLabel:n,onCopyItem:function(e){return o.copyItems([e])},onExpandItem:r?function(){return r(e)}:void 0,menuItems:this._createMenuItems(e)},a=i.menuItems.length>0;if(e.isEditing&&a)return c.createElement(Nc,(0,l.pi)({},i,{onRenderFloatingPicker:this.props.onRenderFloatingPicker,floatingPickerProps:this.props.floatingPickerProps,onEditingComplete:this._completeEditing,getEditingItemText:this.props.getEditingItemText}));var s=(0,this.props.onRenderItem)(i);return a?c.createElement(Pc,{key:i.key,renderedItem:s,beginEditing:this._beginEditing,menuItems:this._createMenuItems(i.item),item:i.item}):s},t.prototype._createMenuItems=function(e){var t=this,o=[];return this.props.editMenuItemText&&this.props.getEditingItemText&&o.push({key:"Edit",text:this.props.editMenuItemText,onClick:function(e,o){t._beginEditing(o.data)},data:e}),this.props.removeMenuItemText&&o.push({key:"Remove",text:this.props.removeMenuItemText,onClick:function(e,o){t.removeItem(o.data)},data:e}),this.props.copyMenuItemText&&o.push({key:"Copy",text:this.props.copyMenuItemText,onClick:function(e,o){t.props.onCopyItems&&t.copyItems([o.data])},data:e}),o},t.defaultProps={onRenderItem:function(e){return c.createElement(Ec,(0,l.pi)({},e))}},t}(Bc),Lc=(0,D.y)(),Ac=c.forwardRef((function(e,t){var o=e.styles,n=e.theme,r=e.className,i=e.vertical,a=e.alignContent,s=e.children,l=Lc(o,{theme:n,className:r,alignContent:a,vertical:i});return c.createElement("div",{className:l.root,ref:t},c.createElement("div",{className:l.content,role:"separator","aria-orientation":i?"vertical":"horizontal"},s))})),zc=(0,I.z)(Ac,(function(e){var t,o,n=e.theme,r=e.alignContent,i=e.vertical,a=e.className,s="start"===r,l="center"===r,c="end"===r;return{root:[n.fonts.medium,{position:"relative"},r&&{textAlign:r},!r&&{textAlign:"center"},i&&(l||!r)&&{verticalAlign:"middle"},i&&s&&{verticalAlign:"top"},i&&c&&{verticalAlign:"bottom"},i&&{padding:"0 4px",height:"inherit",display:"table-cell",zIndex:1,selectors:{":after":(t={backgroundColor:n.palette.neutralLighter,width:"1px",content:'""',position:"absolute",top:"0",bottom:"0",left:"50%",right:"0",zIndex:-1},t[u.qJ]={backgroundColor:"WindowText"},t)}},!i&&{padding:"4px 0",selectors:{":before":(o={backgroundColor:n.palette.neutralLighter,height:"1px",content:'""',display:"block",position:"absolute",top:"50%",bottom:"0",left:"0",right:"0"},o[u.qJ]={backgroundColor:"WindowText"},o)}},a],content:[{position:"relative",display:"inline-block",padding:"0 12px",color:n.semanticColors.bodyText,background:n.semanticColors.bodyBackground},i&&{padding:"12px 0"}]}}),void 0,{scope:"Separator"});zc.displayName="Separator";var Hc,Oc,Wc={root:"ms-Shimmer-container",shimmerWrapper:"ms-Shimmer-shimmerWrapper",shimmerGradient:"ms-Shimmer-shimmerGradient",dataWrapper:"ms-Shimmer-dataWrapper"},Vc=(0,d.NF)((function(){return(0,u.F4)({"0%":{transform:"translateX(-100%)"},"100%":{transform:"translateX(100%)"}})})),Kc=(0,d.NF)((function(){return(0,u.F4)({"100%":{transform:"translateX(-100%)"},"0%":{transform:"translateX(100%)"}})}));!function(e){e[e.line=1]="line",e[e.circle=2]="circle",e[e.gap=3]="gap"}(Hc||(Hc={})),function(e){e[e.line=16]="line",e[e.gap=16]="gap",e[e.circle=24]="circle"}(Oc||(Oc={}));var qc=(0,D.y)(),Gc=function(e){var t=e.height,o=e.styles,n=e.width,r=void 0===n?"100%":n,i=e.borderStyle,a=e.theme,s=qc(o,{theme:a,height:t,borderStyle:i});return c.createElement("div",{style:{width:r,minWidth:"number"==typeof r?r+"px":"auto"},className:s.root},c.createElement("svg",{width:"2",height:"2",className:s.topLeftCorner},c.createElement("path",{d:"M0 2 A 2 2, 0, 0, 1, 2 0 L 0 0 Z"})),c.createElement("svg",{width:"2",height:"2",className:s.topRightCorner},c.createElement("path",{d:"M0 0 A 2 2, 0, 0, 1, 2 2 L 2 0 Z"})),c.createElement("svg",{width:"2",height:"2",className:s.bottomRightCorner},c.createElement("path",{d:"M2 0 A 2 2, 0, 0, 1, 0 2 L 2 2 Z"})),c.createElement("svg",{width:"2",height:"2",className:s.bottomLeftCorner},c.createElement("path",{d:"M2 2 A 2 2, 0, 0, 1, 0 0 L 0 2 Z"})))},Uc={root:"ms-ShimmerLine-root",topLeftCorner:"ms-ShimmerLine-topLeftCorner",topRightCorner:"ms-ShimmerLine-topRightCorner",bottomLeftCorner:"ms-ShimmerLine-bottomLeftCorner",bottomRightCorner:"ms-ShimmerLine-bottomRightCorner"},jc=(0,I.z)(Gc,(function(e){var t,o=e.height,n=e.borderStyle,r=e.theme,i=r.semanticColors,a=(0,u.Cn)(Uc,r),s=n||{},l={position:"absolute",fill:i.bodyBackground};return{root:[a.root,r.fonts.medium,{height:o+"px",boxSizing:"content-box",position:"relative",borderTopStyle:"solid",borderBottomStyle:"solid",borderColor:i.bodyBackground,borderWidth:0,selectors:(t={},t[u.qJ]={borderColor:"Window",selectors:{"> *":{fill:"Window"}}},t)},s],topLeftCorner:[a.topLeftCorner,{top:"0",left:"0"},l],topRightCorner:[a.topRightCorner,{top:"0",right:"0"},l],bottomRightCorner:[a.bottomRightCorner,{bottom:"0",right:"0"},l],bottomLeftCorner:[a.bottomLeftCorner,{bottom:"0",left:"0"},l]}}),void 0,{scope:"ShimmerLine"}),Jc=(0,D.y)(),Yc=function(e){var t=e.height,o=e.styles,n=e.width,r=void 0===n?"10px":n,i=e.borderStyle,a=e.theme,s=Jc(o,{theme:a,height:t,borderStyle:i});return c.createElement("div",{style:{width:r,minWidth:"number"==typeof r?r+"px":"auto"},className:s.root})},Zc={root:"ms-ShimmerGap-root"},Xc=(0,I.z)(Yc,(function(e){var t,o=e.height,n=e.borderStyle,r=e.theme,i=r.semanticColors,a=n||{};return{root:[(0,u.Cn)(Zc,r).root,r.fonts.medium,{backgroundColor:i.bodyBackground,height:o+"px",boxSizing:"content-box",borderTopStyle:"solid",borderBottomStyle:"solid",borderColor:i.bodyBackground,selectors:(t={},t[u.qJ]={backgroundColor:"Window",borderColor:"Window"},t)},a]}}),void 0,{scope:"ShimmerGap"}),Qc={root:"ms-ShimmerCircle-root",svg:"ms-ShimmerCircle-svg"},$c=(0,D.y)(),eu=function(e){var t=e.height,o=e.styles,n=e.borderStyle,r=e.theme,i=$c(o,{theme:r,height:t,borderStyle:n});return c.createElement("div",{className:i.root},c.createElement("svg",{viewBox:"0 0 10 10",width:t,height:t,className:i.svg},c.createElement("path",{d:"M0,0 L10,0 L10,10 L0,10 L0,0 Z M0,5 C0,7.76142375 2.23857625,10 5,10 C7.76142375,10 10,7.76142375 10,5 C10,2.23857625 7.76142375,2.22044605e-16 5,0 C2.23857625,-2.22044605e-16 0,2.23857625 0,5 L0,5 Z"})))},tu=(0,I.z)(eu,(function(e){var t,o,n=e.height,r=e.borderStyle,i=e.theme,a=i.semanticColors,s=(0,u.Cn)(Qc,i),l=r||{};return{root:[s.root,i.fonts.medium,{width:n+"px",height:n+"px",minWidth:n+"px",boxSizing:"content-box",borderTopStyle:"solid",borderBottomStyle:"solid",borderColor:a.bodyBackground,selectors:(t={},t[u.qJ]={borderColor:"Window"},t)},l],svg:[s.svg,{display:"block",fill:a.bodyBackground,selectors:(o={},o[u.qJ]={fill:"Window"},o)}]}}),void 0,{scope:"ShimmerCircle"}),ou=(0,D.y)(),nu=function(e){var t=e.styles,o=e.width,n=void 0===o?"auto":o,r=e.shimmerElements,i=e.rowHeight,a=void 0===i?function(e){return e.map((function(e){switch(e.type){case Hc.circle:e.height||(e.height=Oc.circle);break;case Hc.line:e.height||(e.height=Oc.line);break;case Hc.gap:e.height||(e.height=Oc.gap)}return e})).reduce((function(e,t){return t.height&&t.height>e?t.height:e}),0)}(r||[]):i,s=e.flexWrap,u=void 0!==s&&s,d=e.theme,p=e.backgroundColor,m=ou(t,{theme:d,flexWrap:u});return c.createElement("div",{style:{width:n},className:m.root},function(e,t,o){return e?e.map((function(e,n){var r=e.type,i=(0,l._T)(e,["type"]),a=i.verticalAlign,s=i.height,u=ru(a,r,s,t,o);switch(e.type){case Hc.circle:return c.createElement(tu,(0,l.pi)({key:n},i,{styles:u}));case Hc.gap:return c.createElement(Xc,(0,l.pi)({key:n},i,{styles:u}));case Hc.line:return c.createElement(jc,(0,l.pi)({key:n},i,{styles:u}))}})):c.createElement(jc,{height:Oc.line})}(r,p,a))},ru=(0,d.NF)((function(e,t,o,n,r){var i,a=r&&o?r-o:0;if(e&&"center"!==e?e&&"top"===e?i={borderBottomWidth:a+"px",borderTopWidth:"0px"}:e&&"bottom"===e&&(i={borderBottomWidth:"0px",borderTopWidth:a+"px"}):i={borderBottomWidth:(a?Math.floor(a/2):0)+"px",borderTopWidth:(a?Math.ceil(a/2):0)+"px"},n)switch(t){case Hc.circle:return{root:(0,l.pi)((0,l.pi)({},i),{borderColor:n}),svg:{fill:n}};case Hc.gap:return{root:(0,l.pi)((0,l.pi)({},i),{borderColor:n,backgroundColor:n})};case Hc.line:return{root:(0,l.pi)((0,l.pi)({},i),{borderColor:n}),topLeftCorner:{fill:n},topRightCorner:{fill:n},bottomLeftCorner:{fill:n},bottomRightCorner:{fill:n}}}return{root:i}})),iu={root:"ms-ShimmerElementsGroup-root"},au=(0,I.z)(nu,(function(e){var t=e.flexWrap,o=e.theme;return{root:[(0,u.Cn)(iu,o).root,o.fonts.medium,{display:"flex",alignItems:"center",flexWrap:t?"wrap":"nowrap",position:"relative"}]}}),void 0,{scope:"ShimmerElementsGroup"}),su=(0,D.y)(),lu=c.forwardRef((function(e,t){var o=e.styles,n=e.shimmerElements,r=e.children,i=e.width,a=e.className,s=e.customElementsGroup,u=e.theme,d=e.ariaLabel,p=e.shimmerColors,m=e.isDataLoaded,h=void 0!==m&&m,g=(0,E.pq)(e,E.n7),f=su(o,{theme:u,isDataLoaded:h,className:a,transitionAnimationInterval:200,shimmerColor:p&&p.shimmer,shimmerWaveColor:p&&p.shimmerWave}),v=(0,q.B)({lastTimeoutId:0}),b=(0,Ct.L)(),y=b.setTimeout,_=b.clearTimeout,C=c.useState(h),S=C[0],x=C[1],k={width:i||"100%"};return c.useEffect((function(){if(h!==S){if(h)return v.lastTimeoutId=y((function(){x(!0)}),200),function(){return _(v.lastTimeoutId)};x(!1)}}),[h]),c.createElement("div",(0,l.pi)({},g,{className:f.root,ref:t}),!S&&c.createElement("div",{style:k,className:f.shimmerWrapper},c.createElement("div",{className:f.shimmerGradient}),s||c.createElement(au,{shimmerElements:n,backgroundColor:p&&p.background})),r&&c.createElement("div",{className:f.dataWrapper},r),d&&!h&&c.createElement("div",{role:"status","aria-live":"polite"},c.createElement(Us.U,null,c.createElement("div",{className:f.screenReaderText},d))))}));lu.displayName="Shimmer";var cu=(0,I.z)(lu,(function(e){var t,o=e.isDataLoaded,n=e.className,r=e.theme,i=e.transitionAnimationInterval,a=e.shimmerColor,s=e.shimmerWaveColor,c=r.semanticColors,d=(0,u.Cn)(Wc,r),p=(0,T.zg)(r);return{root:[d.root,r.fonts.medium,{position:"relative",height:"auto"},n],shimmerWrapper:[d.shimmerWrapper,{position:"relative",overflow:"hidden",transform:"translateZ(0)",backgroundColor:a||c.disabledBackground,transition:"opacity "+i+"ms",selectors:(t={"> *":{transform:"translateZ(0)"}},t[u.qJ]=(0,l.pi)({background:"WindowText\n linear-gradient(\n to right,\n transparent 0%,\n Window 50%,\n transparent 100%)\n 0 0 / 90% 100%\n no-repeat"},(0,u.xM)()),t)},o&&{opacity:"0",position:"absolute",top:"0",bottom:"0",left:"0",right:"0"}],shimmerGradient:[d.shimmerGradient,{position:"absolute",top:0,left:0,width:"100%",height:"100%",background:(a||c.disabledBackground)+"\n linear-gradient(\n to right,\n "+(a||c.disabledBackground)+" 0%,\n "+(s||c.bodyDivider)+" 50%,\n "+(a||c.disabledBackground)+" 100%)\n 0 0 / 90% 100%\n no-repeat",transform:"translateX(-100%)",animationDuration:"2s",animationTimingFunction:"ease-in-out",animationDirection:"normal",animationIterationCount:"infinite",animationName:p?Kc():Vc()}],dataWrapper:[d.dataWrapper,{position:"absolute",top:"0",bottom:"0",left:"0",right:"0",opacity:"0",background:"none",backgroundColor:"transparent",border:"none",transition:"opacity "+i+"ms"},o&&{opacity:"1",position:"static"}],screenReaderText:u.ul}}),void 0,{scope:"Shimmer"}),uu=(0,D.y)(),du=function(e){function t(t){var o=e.call(this,t)||this;return o._onRenderShimmerPlaceholder=function(e,t){var n=o.props.onRenderCustomPlaceholder,r=n?n(t,e,o._renderDefaultShimmerPlaceholder):o._renderDefaultShimmerPlaceholder(t);return c.createElement(cu,{customElementsGroup:r})},o._renderDefaultShimmerPlaceholder=function(e){var t=e.columns,o=e.compact,n=e.selectionMode,r=e.checkboxVisibility,i=e.cellStyleProps,a=void 0===i?hn:i,s=gn.rowHeight,l=gn.compactRowHeight,u=o?l:s+1,d=[];return n!==on.oW.none&&r!==un.hidden&&d.push(c.createElement(au,{key:"checkboxGap",shimmerElements:[{type:Hc.gap,width:"40px",height:u}]})),t.forEach((function(e,t){var o=[],n=a.cellLeftPadding+a.cellRightPadding+e.calculatedWidth+(e.isPadded?a.cellExtraRightPadding:0);o.push({type:Hc.gap,width:a.cellLeftPadding,height:u}),e.isIconOnly?(o.push({type:Hc.line,width:e.calculatedWidth,height:e.calculatedWidth}),o.push({type:Hc.gap,width:a.cellRightPadding,height:u})):(o.push({type:Hc.line,width:.95*e.calculatedWidth,height:7}),o.push({type:Hc.gap,width:a.cellRightPadding+(e.calculatedWidth-.95*e.calculatedWidth)+(e.isPadded?a.cellExtraRightPadding:0),height:u})),d.push(c.createElement(au,{key:t,width:n+"px",shimmerElements:o}))})),d.push(c.createElement(au,{key:"endGap",width:"100%",shimmerElements:[{type:Hc.gap,width:"100%",height:u}]})),c.createElement("div",{style:{display:"flex"}},d)},o._shimmerItems=t.shimmerLines?new Array(t.shimmerLines):new Array(10),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.detailsListStyles,o=e.enableShimmer,n=e.items,r=e.listProps,i=(e.onRenderCustomPlaceholder,e.removeFadingOverlay),a=(e.shimmerLines,e.styles),s=e.theme,u=e.ariaLabelForGrid,d=e.ariaLabelForShimmer,p=(0,l._T)(e,["detailsListStyles","enableShimmer","items","listProps","onRenderCustomPlaceholder","removeFadingOverlay","shimmerLines","styles","theme","ariaLabelForGrid","ariaLabelForShimmer"]),m=r&&r.className;this._classNames=uu(a,{theme:s});var h=(0,l.pi)((0,l.pi)({},r),{className:o&&!i?(0,pt.i)(this._classNames.root,m):m});return c.createElement(xr,(0,l.pi)({},p,{styles:t,items:o?this._shimmerItems:n,isPlaceholderData:o,ariaLabelForGrid:o&&d||u,onRenderMissingItem:this._onRenderShimmerPlaceholder,listProps:h}))},t}(c.Component),pu=(0,I.z)(du,(function(e){var t=e.theme.palette;return{root:{position:"relative",selectors:{":after":{content:'""',position:"absolute",top:0,right:0,bottom:0,left:0,backgroundImage:"linear-gradient(to bottom, transparent 30%, "+t.whiteTranslucent40+" 65%,"+t.white+" 100%)"}}}}}),void 0,{scope:"ShimmeredDetailsList"}),mu=o(4107),hu=o(9379),gu=o(3134),fu=o(998),vu=o(6315),bu=o(6362),yu=o(9444),_u=l.pi;function Cu(e,t){for(var o=[],n=2;n0)throw new Error("Any module using getSlots must use withSlots. Please see withSlots javadoc for more info.");return wu(t[e],o,n[e],n.slots&&n.slots[e],n._defaultStyles&&n._defaultStyles[e],n.theme)};r.isSlot=!0,o[e]=r}};for(var i in t)r(i);return o}function wu(e,t,o,n,r,i){return void 0!==e.create?e.create(t,o,n,r):xu(e)(t,o,n,r,i)}var Iu=o(7576),Du=o(1767);function Tu(e,t){void 0===t&&(t={});var o=t.factoryOptions,n=(void 0===o?{}:o).defaultProp,r=function(o){var n,r,i,a,s=(n=t.displayName,r=c.useContext(Iu.i),i=t.fields,a=["theme","styles","tokens"],Du.X.getSettings(i||a,n,r.customizations)),d=t.state;d&&(o=(0,l.pi)((0,l.pi)({},o),d(o)));var p=o.theme||s.theme,m=Eu(o,p,t.tokens,s.tokens,o.tokens),h=function(e,t,o){for(var n=[],r=3;r2)return{rowGap:{value:0,unit:"px"},columnGap:{value:0,unit:"px"}};if(2===o.length)return{rowGap:Fu(Bu(o[0],t)),columnGap:Fu(Bu(o[1],t))};var n=Fu(Bu(e,t));return{rowGap:n,columnGap:n}}(S,t),D=I.rowGap,T=I.columnGap,E=""+-.5*T.value+T.unit,P=""+-.5*D.value+D.unit,M={textOverflow:"ellipsis"},R={"> *:not(.ms-StackItem)":{flexShrink:y?0:1}};return f?{root:[C.root,{flexWrap:"wrap",maxWidth:k,maxHeight:x,width:"auto",overflow:"visible",height:"100%"},v&&(n={},n[m?"justifyContent":"alignItems"]=Au[v]||v,n),b&&(r={},r[m?"alignItems":"justifyContent"]=Au[b]||b,r),_,{display:"flex"},m&&{height:p?"100%":"auto"}],inner:[C.inner,{display:"flex",flexWrap:"wrap",marginLeft:E,marginRight:E,marginTop:P,marginBottom:P,overflow:"visible",boxSizing:"border-box",padding:Lu(w,t),width:0===T.value?"100%":"calc(100% + "+T.value+T.unit+")",maxWidth:"100vw",selectors:(0,l.pi)({"> *":(0,l.pi)({margin:""+.5*D.value+D.unit+" "+.5*T.value+T.unit},M)},R)},v&&(i={},i[m?"justifyContent":"alignItems"]=Au[v]||v,i),b&&(a={},a[m?"alignItems":"justifyContent"]=Au[b]||b,a),m&&{flexDirection:h?"row-reverse":"row",height:0===D.value?"100%":"calc(100% + "+D.value+D.unit+")",selectors:{"> *":{maxWidth:0===T.value?"100%":"calc(100% - "+T.value+T.unit+")"}}},!m&&{flexDirection:h?"column-reverse":"column",height:"calc(100% + "+D.value+D.unit+")",selectors:{"> *":{maxHeight:0===D.value?"100%":"calc(100% - "+D.value+D.unit+")"}}}]}:{root:[C.root,{display:"flex",flexDirection:m?h?"row-reverse":"row":h?"column-reverse":"column",flexWrap:"nowrap",width:"auto",height:p?"100%":"auto",maxWidth:k,maxHeight:x,padding:Lu(w,t),boxSizing:"border-box",selectors:(0,l.pi)((s={"> *":M},s[h?"> *:not(:last-child)":"> *:not(:first-child)"]=[m&&{marginLeft:""+T.value+T.unit},!m&&{marginTop:""+D.value+D.unit}],s),R)},g&&{flexGrow:!0===g?1:g},v&&(c={},c[m?"justifyContent":"alignItems"]=Au[v]||v,c),b&&(d={},d[m?"alignItems":"justifyContent"]=Au[b]||b,d),_]}},statics:{Item:Nu}});!function(e){e[e.Both=0]="Both",e[e.Header=1]="Header",e[e.Footer=2]="Footer"}(Pu||(Pu={}));var Ou=function(e){function t(t){var o=e.call(this,t)||this;return o._root=c.createRef(),o._stickyContentTop=c.createRef(),o._stickyContentBottom=c.createRef(),o._nonStickyContent=c.createRef(),o._placeHolder=c.createRef(),o.syncScroll=function(e){var t=o.nonStickyContent;t&&o.props.isScrollSynced&&(t.scrollLeft=e.scrollLeft)},o._getContext=function(){return o.context},o._onScrollEvent=function(e,t){if(o.root&&o.nonStickyContent){var n=o._getNonStickyDistanceFromTop(e),r=!1,i=!1;o.canStickyTop&&(r=n-o._getStickyDistanceFromTop()=o._getStickyDistanceFromTopForFooter(e,t)),document.activeElement&&o.nonStickyContent.contains(document.activeElement)&&(o.state.isStickyTop!==r||o.state.isStickyBottom!==i)?o._activeElement=document.activeElement:o._activeElement=void 0,o.setState({isStickyTop:o.canStickyTop&&r,isStickyBottom:i,distanceFromTop:n})}},o._getStickyDistanceFromTop=function(){var e=0;return o.stickyContentTop&&(e=o.stickyContentTop.offsetTop),e},o._getStickyDistanceFromTopForFooter=function(e,t){var n=0;return o.stickyContentBottom&&(n=e.clientHeight-t.offsetHeight+o.stickyContentBottom.offsetTop),n},o._getNonStickyDistanceFromTop=function(e){var t=0,n=o.root;if(n){for(;n&&n.offsetParent!==e;)t+=n.offsetTop,n=n.offsetParent;n&&n.offsetParent===e&&(t+=n.offsetTop)}return t},(0,P.l)(o),o.state={isStickyTop:!1,isStickyBottom:!1,distanceFromTop:void 0},o._activeElement=void 0,o}return(0,l.ZT)(t,e),Object.defineProperty(t.prototype,"root",{get:function(){return this._root.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"placeholder",{get:function(){return this._placeHolder.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"stickyContentTop",{get:function(){return this._stickyContentTop.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"stickyContentBottom",{get:function(){return this._stickyContentBottom.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"nonStickyContent",{get:function(){return this._nonStickyContent.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"canStickyTop",{get:function(){return this.props.stickyPosition===Pu.Both||this.props.stickyPosition===Pu.Header},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"canStickyBottom",{get:function(){return this.props.stickyPosition===Pu.Both||this.props.stickyPosition===Pu.Footer},enumerable:!0,configurable:!0}),t.prototype.componentDidMount=function(){var e=this._getContext().scrollablePane;e&&(e.subscribe(this._onScrollEvent),e.addSticky(this))},t.prototype.componentWillUnmount=function(){var e=this._getContext().scrollablePane;e&&(e.unsubscribe(this._onScrollEvent),e.removeSticky(this))},t.prototype.componentDidUpdate=function(e,t){var o=this._getContext().scrollablePane;if(o){var n=this.state,r=n.isStickyBottom,i=n.isStickyTop,a=n.distanceFromTop,s=!1;t.distanceFromTop!==a&&(o.sortSticky(this,!0),s=!0),t.isStickyTop===i&&t.isStickyBottom===r||(this._activeElement&&this._activeElement.focus(),o.updateStickyRefHeights(),s=!0),s&&o.syncScrollSticky(this)}},t.prototype.shouldComponentUpdate=function(e,t){if(!this.context.scrollablePane)return!0;var o=this.state,n=o.isStickyTop,r=o.isStickyBottom,i=o.distanceFromTop;return n!==t.isStickyTop||r!==t.isStickyBottom||this.props.stickyPosition!==e.stickyPosition||this.props.children!==e.children||i!==t.distanceFromTop||Wu(this._nonStickyContent,this._stickyContentTop)||Wu(this._nonStickyContent,this._stickyContentBottom)||Wu(this._nonStickyContent,this._placeHolder)},t.prototype.render=function(){var e=this.state,t=e.isStickyTop,o=e.isStickyBottom,n=this.props,r=n.stickyClassName,i=n.children;return this.context.scrollablePane?c.createElement("div",{ref:this._root},this.canStickyTop&&c.createElement("div",{ref:this._stickyContentTop,style:{pointerEvents:t?"auto":"none"}},c.createElement("div",{style:this._getStickyPlaceholderHeight(t)})),this.canStickyBottom&&c.createElement("div",{ref:this._stickyContentBottom,style:{pointerEvents:o?"auto":"none"}},c.createElement("div",{style:this._getStickyPlaceholderHeight(o)})),c.createElement("div",{style:this._getNonStickyPlaceholderHeightAndWidth(),ref:this._placeHolder},(t||o)&&c.createElement("span",{style:u.ul},i),c.createElement("div",{ref:this._nonStickyContent,className:t||o?r:void 0,style:this._getContentStyles(t||o)},i))):c.createElement("div",null,this.props.children)},t.prototype.addSticky=function(e){this.nonStickyContent&&e.appendChild(this.nonStickyContent)},t.prototype.resetSticky=function(){this.nonStickyContent&&this.placeholder&&this.placeholder.appendChild(this.nonStickyContent)},t.prototype.setDistanceFromTop=function(e){var t=this._getNonStickyDistanceFromTop(e);this.setState({distanceFromTop:t})},t.prototype._getContentStyles=function(e){return{backgroundColor:this.props.stickyBackgroundColor||this._getBackground(),overflow:e?"hidden":""}},t.prototype._getStickyPlaceholderHeight=function(e){var t=this.nonStickyContent?this.nonStickyContent.offsetHeight:0;return{visibility:e?"hidden":"visible",height:e?0:t}},t.prototype._getNonStickyPlaceholderHeightAndWidth=function(){var e=this.state,t=e.isStickyTop,o=e.isStickyBottom;if(t||o){var n=0,r=0;return this.nonStickyContent&&this.nonStickyContent.firstElementChild&&(n=this.nonStickyContent.offsetHeight,r=this.nonStickyContent.firstElementChild.scrollWidth+(this.nonStickyContent.firstElementChild.offsetWidth-this.nonStickyContent.firstElementChild.clientWidth)),{height:n,width:r}}return{}},t.prototype._getBackground=function(){if(this.root){for(var e=this.root;"rgba(0, 0, 0, 0)"===window.getComputedStyle(e).getPropertyValue("background-color")||"transparent"===window.getComputedStyle(e).getPropertyValue("background-color");){if("HTML"===e.tagName)return;e.parentElement&&(e=e.parentElement)}return window.getComputedStyle(e).getPropertyValue("background-color")}},t.defaultProps={stickyPosition:Pu.Both,isScrollSynced:!0},t.contextType=cc,t}(c.Component);function Wu(e,t){return e&&t&&e.current&&t.current&&e.current.offsetHeight!==t.current.offsetHeight}var Vu=o(9502),Ku=o(8621),qu=o(3624),Gu=o(1565),Uu=(0,D.y)(),ju=c.forwardRef((function(e,t){var o,n,r,i,a,s=c.useRef(null),u=(0,j.ky)(),d=(0,N.r)(s,t),p=e.illustrationImage,m=e.primaryButtonProps,h=e.secondaryButtonProps,g=e.headline,f=e.hasCondensedHeadline,v=e.hasCloseButton,b=void 0===v?e.hasCloseIcon:v,y=e.onDismiss,_=e.closeButtonAriaLabel,C=e.hasSmallHeadline,S=e.isWide,x=e.styles,k=e.theme,w=e.ariaDescribedBy,I=e.ariaLabelledBy,D=e.footerContent,T=e.focusTrapZoneProps,E=Uu(x,{theme:k,hasCondensedHeadline:f,hasSmallHeadline:C,hasCloseButton:b,hasHeadline:!!g,isWide:S,primaryButtonClassName:m?m.className:void 0,secondaryButtonClassName:h?h.className:void 0}),P=c.useCallback((function(e){y&&e.which===rt.m.escape&&y(e)}),[y]);if((0,U.d)(u,"keydown",P),p&&p.src&&(o=c.createElement("div",{className:E.imageContent},c.createElement(Ti.E,(0,l.pi)({},p)))),g){var M="string"==typeof g?"p":"div";n=c.createElement("div",{className:E.header},c.createElement(M,{role:"heading",className:E.headline,id:I},g))}if(e.children){var R="string"==typeof e.children?"p":"div";r=c.createElement("div",{className:E.body},c.createElement(R,{className:E.subText,id:w},e.children))}return(m||h||D)&&(i=c.createElement(Hu,{className:E.footer,horizontal:!0,horizontalAlign:D?"space-between":"end"},c.createElement(Hu.Item,{align:"center"},c.createElement("span",null,D)),c.createElement(Hu.Item,null,h&&c.createElement(ye.a,(0,l.pi)({},h,{className:E.secondaryButton})),m&&c.createElement(Se.K,(0,l.pi)({},m,{className:E.primaryButton}))))),b&&(a=c.createElement(V.h,{className:E.closeButton,iconProps:{iconName:"Cancel"},title:_,ariaLabel:_,onClick:y})),function(e,t){c.useImperativeHandle(e,(function(){return{focus:function(){var e;return null===(e=t.current)||void 0===e?void 0:e.focus()}}}),[t])}(e.componentRef,s),c.createElement("div",{className:E.content,ref:d,role:"dialog",tabIndex:-1,"aria-labelledby":I,"aria-describedby":w,"data-is-focusable":!0},o,c.createElement(Oe.P,(0,l.pi)({isClickableOutsideFocusTrap:!0},T),c.createElement("div",{className:E.bodyContent},n,r,i,a)))})),Ju={root:"ms-TeachingBubble",body:"ms-TeachingBubble-body",bodyContent:"ms-TeachingBubble-bodycontent",closeButton:"ms-TeachingBubble-closebutton",content:"ms-TeachingBubble-content",footer:"ms-TeachingBubble-footer",header:"ms-TeachingBubble-header",headerIsCondensed:"ms-TeachingBubble-header--condensed",headerIsSmall:"ms-TeachingBubble-header--small",headerIsLarge:"ms-TeachingBubble-header--large",headline:"ms-TeachingBubble-headline",image:"ms-TeachingBubble-image",primaryButton:"ms-TeachingBubble-primaryButton",secondaryButton:"ms-TeachingBubble-secondaryButton",subText:"ms-TeachingBubble-subText",button:"ms-Button",buttonLabel:"ms-Button-label"},Yu=(0,d.NF)((function(){return(0,u.F4)({"0%":{opacity:0,animationTimingFunction:u.D1.easeFunction1,transform:"scale3d(.90,.90,.90)"},"100%":{opacity:1,transform:"scale3d(1,1,1)"}})})),Zu=function(e,t){var o=t||{},n=o.calloutWidth,r=o.calloutMaxWidth;return[{display:"block",maxWidth:364,border:0,outline:"transparent",width:n||"calc(100% + 1px)",animationName:""+Yu(),animationDuration:"300ms",animationTimingFunction:"linear",animationFillMode:"both"},e&&{maxWidth:r||456}]},Xu=function(e,t,o){return t?[e.headerIsCondensed,{marginBottom:14}]:[o&&e.headerIsSmall,!o&&e.headerIsLarge,{selectors:{":not(:last-child)":{marginBottom:14}}}]},Qu=function(e){var t,o,n,r=e.hasCondensedHeadline,i=e.hasSmallHeadline,a=e.hasCloseButton,s=e.hasHeadline,c=e.isWide,d=e.primaryButtonClassName,p=e.secondaryButtonClassName,m=e.theme,h=e.calloutProps,g=void 0===h?{className:void 0,theme:m}:h,f=!r&&!i,v=m.palette,b=m.semanticColors,y=m.fonts,_=(0,u.Cn)(Ju,m);return{root:[_.root,y.medium,g.className],body:[_.body,a&&!s&&{marginRight:24},{selectors:{":not(:last-child)":{marginBottom:20}}}],bodyContent:[_.bodyContent,{padding:"20px 24px 20px 24px"}],closeButton:[_.closeButton,{position:"absolute",right:0,top:0,margin:"15px 15px 0 0",borderRadius:0,color:v.white,fontSize:y.small.fontSize,selectors:{":hover":{background:v.themeDarkAlt,color:v.white},":active":{background:v.themeDark,color:v.white},":focus":{border:"1px solid "+b.variantBorder}}}],content:(0,l.pr)([_.content],Zu(c),[c&&{display:"flex"}]),footer:[_.footer,{display:"flex",flex:"auto",alignItems:"center",color:v.white,selectors:(t={},t["."+_.button+":not(:first-child)"]={marginLeft:10},t)}],header:(0,l.pr)([_.header],Xu(_,r,i),[a&&{marginRight:24},(r||i)&&[y.medium,{fontWeight:u.lq.semibold}]]),headline:[_.headline,{margin:0,color:v.white,fontWeight:u.lq.semibold},f&&[{fontSize:y.xLarge.fontSize}]],imageContent:[_.header,_.image,c&&{display:"flex",alignItems:"center",maxWidth:154}],primaryButton:[_.primaryButton,d,{backgroundColor:v.white,borderColor:v.white,color:v.themePrimary,whiteSpace:"nowrap",selectors:(o={},o["."+_.buttonLabel]=y.medium,o[":hover"]={backgroundColor:v.themeLighter,borderColor:v.themeLighter,color:v.themePrimary},o[":focus"]={backgroundColor:v.themeLighter,borderColor:v.white},o[":active"]={backgroundColor:v.white,borderColor:v.white,color:v.themePrimary},o)}],secondaryButton:[_.secondaryButton,p,{backgroundColor:v.themePrimary,borderColor:v.white,whiteSpace:"nowrap",selectors:(n={},n["."+_.buttonLabel]=[y.medium,{color:v.white}],n["&:hover, &:focus"]={backgroundColor:v.themeDarkAlt,borderColor:v.white},n[":active"]={backgroundColor:v.themePrimary,borderColor:v.white},n)}],subText:[_.subText,{margin:0,fontSize:y.medium.fontSize,color:v.white,fontWeight:u.lq.regular}],subComponentStyles:{callout:{root:(0,l.pr)(Zu(c,g),[y.medium]),beak:[{background:v.themePrimary}],calloutMain:[{background:v.themePrimary}]}}}},$u=(0,I.z)(ju,Qu,void 0,{scope:"TeachingBubbleContent"}),ed={beakWidth:16,gapSpace:0,setInitialFocus:!0,doNotLayer:!1,directionalHint:K.b.rightCenter},td=(0,D.y)(),od=c.forwardRef((function(e,t){var o=c.useRef(null),n=(0,N.r)(o,t),r=e.calloutProps,i=e.targetElement,a=e.onDismiss,s=e.hasCloseButton,u=void 0===s?e.hasCloseIcon:s,d=e.isWide,p=e.styles,m=e.theme,h=e.target,g=c.useMemo((function(){return(0,l.pi)((0,l.pi)((0,l.pi)({},ed),r),{theme:m})}),[r,m]),f=td(p,{theme:m,isWide:d,calloutProps:g,hasCloseButton:u}),v=f.subComponentStyles?f.subComponentStyles.callout:void 0;return function(e,t){c.useImperativeHandle(e,(function(){return{focus:function(){var e;return null===(e=t.current)||void 0===e?void 0:e.focus()}}}),[t])}(e.componentRef,o),c.createElement(Ae.U,(0,l.pi)({target:h||i,onDismiss:a},g,{className:f.root,styles:v,hideOverflow:!0}),c.createElement("div",{ref:n},c.createElement($u,(0,l.pi)({},e))))}));od.displayName="TeachingBubble";var nd=(0,I.z)(od,Qu,void 0,{scope:"TeachingBubble"}),rd=function(e){if(null==e.children)return null;e.block,e.className;var t=e.as,o=void 0===t?"span":t,n=(e.variant,e.nowrap,(0,l._T)(e,["block","className","as","variant","nowrap"]));return Cu(ku(e,{root:o}).root,(0,l.pi)({},(0,E.pq)(n,E.iY)))},id=function(e,t){var o=e.as,n=e.className,r=e.block,i=e.nowrap,a=e.variant,s=t.fonts,l=t.semanticColors,c=s[a||"medium"];return{root:[c,{color:c.color||l.bodyText,display:r?"td"===o?"table-cell":"block":"inline",mozOsxFontSmoothing:c.MozOsxFontSmoothing,webkitFontSmoothing:c.WebkitFontSmoothing},i&&{whiteSpace:"nowrap",overflow:"hidden",textOverflow:"ellipsis"},n]}},ad=Tu(rd,{displayName:"Text",styles:id}),sd=o(8623),ld=o(5229),cd={9:/[0-9]/,a:/[a-zA-Z]/,"*":/[a-zA-Z0-9]/};function ud(e,t){if(void 0===t&&(t=cd),!e)return[];for(var o=[],n=0,r=0;r+n0&&(r=t[0].displayIndex-1);for(var i=0,a=t;ir&&(r=s.displayIndex)):o&&(l=o),n=n.slice(0,s.displayIndex)+l+n.slice(s.displayIndex+1)}return o||(n=n.slice(0,r+1)),n}function pd(e,t){for(var o=0;o=t)return e[o].displayIndex;return e[e.length-1].displayIndex}function md(e,t,o){for(var n=0;n=t){if(e[n].displayIndex>=t+o)break;e[n].value=void 0}return e}function hd(e,t,o){for(var n=0,r=0,i=!1,a=0;a=t)for(i=!0,r=e[a].displayIndex;n=t){e[o].value=void 0;break}return e}(y.maskCharData,s),r=pd(y.maskCharData,s)):(y.maskCharData=function(e,t){for(var o=e.length-1;o>=0;o--)if(e[o].displayIndex=0;o--)if(e[o].displayIndexk.length){p=l-(d=t.length-k.length);var v=t.substr(p,d);r=hd(y.maskCharData,p,v)}else if(t.length<=k.length){d=1;var b=k.length+d-t.length;p=l-d,v=t.substr(p,d),y.maskCharData=md(y.maskCharData,p,b),r=hd(y.maskCharData,p,v)}y.changeSelectionData=null;var _=dd(m,y.maskCharData,g);w(_),S(r),null===(n=u)||void 0===n||n(e,_)}}),[k.length,y,m,g,u]),R=c.useCallback((function(e){var t;if(null===(t=p)||void 0===t||t(e),y.changeSelectionData=null,o.current&&o.current.value){var n=e.keyCode,r=e.ctrlKey,i=e.metaKey;if(r||i)return;if(n===rt.m.backspace||n===rt.m.del){var a=e.target.selectionStart,s=e.target.selectionEnd;if(!(n===rt.m.backspace&&s&&s>0||n===rt.m.del&&null!==a&&a{"use strict";o.d(t,{_:()=>m});var n=o(2002),r=o(7622),i=o(7002),a=o(7300),s=o(8127),l=o(2470),c=o(2998),u=o(4085),d=(0,a.y)(),p=i.forwardRef((function(e,t){var o=(0,u.M)(void 0,e.id),n=e.items,a=e.columnCount,p=e.onRenderItem,m=e.ariaPosInSet,h=void 0===m?e.positionInSet:m,g=e.ariaSetSize,f=void 0===g?e.setSize:g,v=e.styles,b=e.doNotContainWithinFocusZone,y=(0,s.pq)(e,s.iY,b?[]:["onBlur"]),_=d(v,{theme:e.theme}),C=(0,l.QC)(n,a),S=i.createElement("table",(0,r.pi)({"aria-posinset":h,"aria-setsize":f,id:o,role:"grid"},y,{className:_.root}),i.createElement("tbody",null,C.map((function(e,t){return i.createElement("tr",{role:"row",key:t},e.map((function(e,t){return i.createElement("td",{role:"presentation",key:t+"-cell",className:_.tableCell},p(e,t))})))}))));return b?S:i.createElement(c.k,{elementRef:t,isCircularNavigation:e.shouldFocusCircularNavigate,className:_.focusedContainer,onBlur:e.onBlur},S)})),m=(0,n.z)(p,(function(e){return{root:{padding:2,outline:"none"},tableCell:{padding:0}}}));m.displayName="ButtonGrid"},634:(e,t,o)=>{"use strict";o.d(t,{U:()=>s});var n=o(7002),r=o(8088),i=o(990),a=o(4085),s=function(e){var t,o=(0,a.M)("gridCell"),s=e.item,l=e.id,c=void 0===l?o:l,u=e.className,d=e.role,p=e.selected,m=e.disabled,h=void 0!==m&&m,g=e.onRenderItem,f=e.cellDisabledStyle,v=e.cellIsSelectedStyle,b=e.index,y=e.label,_=e.getClassNames,C=e.onClick,S=e.onHover,x=e.onMouseMove,k=e.onMouseLeave,w=e.onMouseEnter,I=e.onFocus,D=n.useCallback((function(){C&&!h&&C(s)}),[h,s,C]),T=n.useCallback((function(e){w&&w(e)||!S||h||S(s)}),[h,s,S,w]),E=n.useCallback((function(e){x&&x(e)||!S||h||S(s)}),[h,s,S,x]),P=n.useCallback((function(e){k&&k(e)||!S||h||S()}),[h,S,k]),M=n.useCallback((function(){I&&!h&&I(s)}),[h,s,I]);return n.createElement(i.M,{id:c,"data-index":b,"data-is-focusable":!0,disabled:h,className:(0,r.i)(u,(t={},t[""+v]=p,t[""+f]=h,t)),onClick:D,onMouseEnter:T,onMouseMove:E,onMouseLeave:P,onFocus:M,role:d,"aria-selected":p,ariaLabel:y,title:y,getClassNames:_},g(s))}},7970:(e,t,o)=>{"use strict";o.d(t,{a:()=>r});var n=o(21);function r(e,t,o,r,i){return r===n.c5||"number"!=typeof r?"#"+i:"rgba("+e+", "+t+", "+o+", "+r/n.c5+")"}},1342:(e,t,o)=>{"use strict";function n(e,t,o){return void 0===o&&(o=0),et?t:e}o.d(t,{u:()=>n})},21:(e,t,o)=>{"use strict";o.d(t,{fr:()=>n,a_:()=>r,uw:()=>i,uc:()=>a,WC:()=>s,c5:()=>l,yE:()=>c,fG:()=>u,HT:()=>d,jU:()=>p,lX:()=>m,Xb:()=>h});var n=100,r=359,i=100,a=255,s=a,l=100,c=3,u=6,d=1,p=3,m=/^[\da-f]{0,6}$/i,h=/^\d{0,3}$/},5298:(e,t,o)=>{"use strict";o.d(t,{L:()=>r});var n=o(21);function r(e){return!e||e.length=n.fG?e.substring(0,n.fG):e.substring(0,n.yE)}},2775:(e,t,o)=>{"use strict";o.d(t,{k:()=>i});var n=o(21),r=o(1342);function i(e){return{r:(0,r.u)(e.r,n.uc),g:(0,r.u)(e.g,n.uc),b:(0,r.u)(e.b,n.uc),a:"number"==typeof e.a?(0,r.u)(e.a,n.c5):e.a}}},8584:(e,t,o)=>{"use strict";o.d(t,{r:()=>i});var n=o(21),r=o(5194);function i(e){if(e)return a(e)||function(e){if("#"===e[0]&&7===e.length&&/^#[\da-fA-F]{6}$/.test(e))return{r:parseInt(e.slice(1,3),16),g:parseInt(e.slice(3,5),16),b:parseInt(e.slice(5,7),16),a:n.c5}}(e)||function(e){if("#"===e[0]&&4===e.length&&/^#[\da-fA-F]{3}$/.test(e))return{r:parseInt(e[1]+e[1],16),g:parseInt(e[2]+e[2],16),b:parseInt(e[3]+e[3],16),a:n.c5}}(e)||function(e){var t=e.match(/^hsl(a?)\(([\d., ]+)\)$/);if(t){var o=!!t[1],i=o?4:3,a=t[2].split(/ *, */).map(Number);if(a.length===i){var s=(0,r.w)(a[0],a[1],a[2]);return s.a=o?100*a[3]:n.c5,s}}}(e)||function(e){if("undefined"!=typeof document){var t=document.createElement("div");t.style.backgroundColor=e,t.style.position="absolute",t.style.top="-9999px",t.style.left="-9999px",t.style.height="1px",t.style.width="1px",document.body.appendChild(t);var o=getComputedStyle(t),n=o&&o.backgroundColor;if(document.body.removeChild(t),"rgba(0, 0, 0, 0)"!==n&&"transparent"!==n)return a(n);switch(e.trim()){case"transparent":case"#0000":case"#00000000":return{r:0,g:0,b:0,a:0}}}}(e)}function a(e){if(e){var t=e.match(/^rgb(a?)\(([\d., ]+)\)$/);if(t){var o=!!t[1],r=o?4:3,i=t[2].split(/ *, */).map(Number);if(i.length===r)return{r:i[0],g:i[1],b:i[2],a:o?100*i[3]:n.c5}}}}},8208:(e,t,o)=>{"use strict";o.d(t,{N:()=>s});var n=o(21),r=o(5772),i=o(5705),a=o(7970);function s(e){var t=e.a,o=void 0===t?n.c5:t,s=e.b,l=e.g,c=e.r,u=(0,r.D)(c,l,s),d=u.h,p=u.s,m=u.v,h=(0,i.C)(c,l,s);return{a:o,b:s,g:l,h:d,hex:h,r:c,s:p,str:(0,a.a)(c,l,s,o,h),v:m,t:n.c5-o}}},7375:(e,t,o)=>{"use strict";o.d(t,{T:()=>a});var n=o(7622),r=o(8584),i=o(8208);function a(e){var t=(0,r.r)(e);if(t)return(0,n.pi)((0,n.pi)({},(0,i.N)(t)),{str:e})}},2417:(e,t,o)=>{"use strict";o.d(t,{p:()=>i});var n=o(21),r=o(3770);function i(e){return"#"+(0,r.d)(e.h,n.fr,n.uw)}},5040:(e,t,o)=>{"use strict";function n(e,t,o){var n=o+(t*=(o<50?o:100-o)/100);return{h:e,s:0===n?0:2*t/n*100,v:n}}o.d(t,{E:()=>n})},5194:(e,t,o)=>{"use strict";o.d(t,{w:()=>i});var n=o(5040),r=o(9865);function i(e,t,o){var i=(0,n.E)(e,t,o);return(0,r.X)(i.h,i.s,i.v)}},3770:(e,t,o)=>{"use strict";o.d(t,{d:()=>i});var n=o(9865),r=o(5705);function i(e,t,o){var i=(0,n.X)(e,t,o),a=i.r,s=i.g,l=i.b;return(0,r.C)(a,s,l)}},9865:(e,t,o)=>{"use strict";o.d(t,{X:()=>r});var n=o(21);function r(e,t,o){var r=[],i=(o/=100)*(t/=100),a=e/60,s=i*(1-Math.abs(a%2-1)),l=o-i;switch(Math.floor(a)){case 0:r=[i,s,0];break;case 1:r=[s,i,0];break;case 2:r=[0,i,s];break;case 3:r=[0,s,i];break;case 4:r=[s,0,i];break;case 5:r=[i,0,s]}return{r:Math.round(n.uc*(r[0]+l)),g:Math.round(n.uc*(r[1]+l)),b:Math.round(n.uc*(r[2]+l))}}},5705:(e,t,o)=>{"use strict";o.d(t,{C:()=>i});var n=o(21),r=o(1342);function i(e,t,o){return[a(e),a(t),a(o)].join("")}function a(e){var t=(e=(0,r.u)(e,n.uc)).toString(16);return 1===t.length?"0"+t:t}},5772:(e,t,o)=>{"use strict";o.d(t,{D:()=>r});var n=o(21);function r(e,t,o){var r=NaN,i=Math.max(e,t,o),a=i-Math.min(e,t,o);return 0===a?r=0:e===i?r=(t-o)/a%6:t===i?r=(o-e)/a+2:o===i&&(r=(e-t)/a+4),(r=Math.round(60*r))<0&&(r+=360),{h:r,s:Math.round(100*(0===i?0:a/i)),v:Math.round(i/n.uc*100)}}},8490:(e,t,o)=>{"use strict";o.d(t,{R:()=>a});var n=o(7622),r=o(7970),i=o(21);function a(e,t){return(0,n.pi)((0,n.pi)({},e),{a:t,t:i.c5-t,str:(0,r.a)(e.r,e.g,e.b,t,e.hex)})}},1990:(e,t,o)=>{"use strict";o.d(t,{i:()=>s});var n=o(7622),r=o(9865),i=o(5705),a=o(7970);function s(e,t){var o=(0,r.X)(t,e.s,e.v),s=o.r,l=o.g,c=o.b,u=(0,i.C)(s,l,c);return(0,n.pi)((0,n.pi)({},e),{h:t,r:s,g:l,b:c,hex:u,str:(0,a.a)(s,l,c,e.a,u)})}},6119:(e,t,o)=>{"use strict";o.d(t,{d:()=>s});var n=o(7622),r=o(9865),i=o(5705),a=o(7970);function s(e,t,o){var s=(0,r.X)(e.h,t,o),l=s.r,c=s.g,u=s.b,d=(0,i.C)(l,c,u);return(0,n.pi)((0,n.pi)({},e),{s:t,v:o,r:l,g:c,b:u,hex:d,str:(0,a.a)(l,c,u,e.a,d)})}},1332:(e,t,o)=>{"use strict";o.d(t,{X:()=>a});var n=o(7622),r=o(7970),i=o(21);function a(e,t){var o=i.c5-t;return(0,n.pi)((0,n.pi)({},e),{t,a:o,str:(0,r.a)(e.r,e.g,e.b,o,e.hex)})}},2240:(e,t,o)=>{"use strict";function n(e){return e.canCheck?!(!e.isChecked&&!e.checked):"boolean"==typeof e.isChecked?e.isChecked:"boolean"==typeof e.checked?e.checked:null}function r(e){return!(!e.subMenuProps&&!e.items)}function i(e){return!(!e.isDisabled&&!e.disabled)}function a(e){return null!==n(e)?"menuitemcheckbox":"menuitem"}o.d(t,{E3:()=>n,Df:()=>r,P_:()=>i,JF:()=>a})},1071:(e,t,o)=>{"use strict";o.d(t,{P:()=>a});var n=o(7622),r=o(7002),i=o(4542),a=function(e){function t(t){var o=e.call(this,t)||this;return o._updateComposedComponentRef=o._updateComposedComponentRef.bind(o),o}return(0,n.ZT)(t,e),t.prototype._updateComposedComponentRef=function(e){this._composedComponentInstance=e,e?this._hoisted=(0,i.W)(this,e):this._hoisted&&(0,i.e)(this,this._hoisted)},t}(r.Component)},9761:(e,t,o)=>{"use strict";o.d(t,{eD:()=>n,kd:()=>h,LF:()=>g,K7:()=>f,Ae:()=>v,tc:()=>b});var n,r=o(7622),i=o(7002),a=o(1071),s=o(9757),l=o(9919),c=o(1529),u=o(8901);!function(e){e[e.small=0]="small",e[e.medium=1]="medium",e[e.large=2]="large",e[e.xLarge=3]="xLarge",e[e.xxLarge=4]="xxLarge",e[e.xxxLarge=5]="xxxLarge",e[e.unknown=999]="unknown"}(n||(n={}));var d,p,m=[479,639,1023,1365,1919,99999999];function h(e){d=e}function g(e){var t=(0,s.J)(e);t&&b(t)}function f(){return d||p||n.large}function v(e){var t,o=((t=function(t){function o(e){var o=t.call(this,e)||this;return o._onResize=function(){var e=b(o.context.window);e!==o.state.responsiveMode&&o.setState({responsiveMode:e})},o._events=new l.r(o),o._updateComposedComponentRef=o._updateComposedComponentRef.bind(o),o.state={responsiveMode:f()},o}return(0,r.ZT)(o,t),o.prototype.componentDidMount=function(){this._events.on(this.context.window,"resize",this._onResize),this._onResize()},o.prototype.componentWillUnmount=function(){this._events.dispose()},o.prototype.render=function(){var t=this.state.responsiveMode;return t===n.unknown?null:i.createElement(e,(0,r.pi)({ref:this._updateComposedComponentRef,responsiveMode:t},this.props))},o}(a.P)).contextType=u.Hn,t);return(0,c.f)(e,o)}function b(e){var t=n.small;if(e){try{for(;e.innerWidth>m[t];)t++}catch(e){t=f()}p=t}else{if(void 0===d)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.");t=d}return t}},4126:(e,t,o)=>{"use strict";o.d(t,{q:()=>l});var n=o(7002),r=o(9757),i=o(757),a=o(9761),s=o(8901),l=function(e){var t=n.useState(a.K7),o=t[0],l=t[1],c=n.useCallback((function(){var t=(0,a.tc)((0,r.J)(e.current));o!==t&&l(t)}),[e,o]),u=(0,s.zY)();return(0,i.d)(u,"resize",c),n.useEffect((function(){c()}),[]),o}},8128:(e,t,o)=>{"use strict";o.d(t,{ww:()=>r,by:()=>i,L7:()=>a,fV:()=>s,ms:()=>l,A4:()=>c,nK:()=>u,Tc:()=>d,Tj:()=>n});var n,r="ktp",i="-",a=r+i,s="data-ktp-target",l="data-ktp-execute-target",c="data-ktp-aria-target",u="ktp-layer-id",d=", ";!function(e){e.KEYTIP_ADDED="keytipAdded",e.KEYTIP_REMOVED="keytipRemoved",e.KEYTIP_UPDATED="keytipUpdated",e.PERSISTED_KEYTIP_ADDED="persistedKeytipAdded",e.PERSISTED_KEYTIP_REMOVED="persistedKeytipRemoved",e.PERSISTED_KEYTIP_EXECUTE="persistedKeytipExecute",e.ENTER_KEYTIP_MODE="enterKeytipMode",e.EXIT_KEYTIP_MODE="exitKeytipMode"}(n||(n={}))},344:(e,t,o)=>{"use strict";o.d(t,{K:()=>s});var n=o(7622),r=o(9919),i=o(2782),a=o(8128),s=function(){function e(){this.keytips={},this.persistedKeytips={},this.sequenceMapping={},this.inKeytipMode=!1,this.shouldEnterKeytipMode=!0,this.delayUpdatingKeytipChange=!1}return e.getInstance=function(){return this._instance},e.prototype.init=function(e){this.delayUpdatingKeytipChange=e},e.prototype.register=function(e,t){void 0===t&&(t=!1);var o=e;t||(o=this.addParentOverflow(e),this.sequenceMapping[o.keySequences.toString()]=o);var n=this._getUniqueKtp(o);if(t?this.persistedKeytips[n.uniqueID]=n:this.keytips[n.uniqueID]=n,this.inKeytipMode||!this.delayUpdatingKeytipChange){var i=t?a.Tj.PERSISTED_KEYTIP_ADDED:a.Tj.KEYTIP_ADDED;r.r.raise(this,i,{keytip:o,uniqueID:n.uniqueID})}return n.uniqueID},e.prototype.update=function(e,t){var o=this.addParentOverflow(e),n=this._getUniqueKtp(o,t),i=this.keytips[t];i&&(n.keytip.visible=i.keytip.visible,this.keytips[t]=n,delete this.sequenceMapping[i.keytip.keySequences.toString()],this.sequenceMapping[n.keytip.keySequences.toString()]=n.keytip,!this.inKeytipMode&&this.delayUpdatingKeytipChange||r.r.raise(this,a.Tj.KEYTIP_UPDATED,{keytip:n.keytip,uniqueID:n.uniqueID}))},e.prototype.unregister=function(e,t,o){void 0===o&&(o=!1),o?delete this.persistedKeytips[t]:delete this.keytips[t],!o&&delete this.sequenceMapping[e.keySequences.toString()];var n=o?a.Tj.PERSISTED_KEYTIP_REMOVED:a.Tj.KEYTIP_REMOVED;!this.inKeytipMode&&this.delayUpdatingKeytipChange||r.r.raise(this,n,{keytip:e,uniqueID:t})},e.prototype.enterKeytipMode=function(){r.r.raise(this,a.Tj.ENTER_KEYTIP_MODE)},e.prototype.exitKeytipMode=function(){r.r.raise(this,a.Tj.EXIT_KEYTIP_MODE)},e.prototype.getKeytips=function(){var e=this;return Object.keys(this.keytips).map((function(t){return e.keytips[t].keytip}))},e.prototype.addParentOverflow=function(e){var t=(0,n.pr)(e.keySequences);if(t.pop(),0!==t.length){var o=this.sequenceMapping[t.toString()];if(o&&o.overflowSetSequence)return(0,n.pi)((0,n.pi)({},e),{overflowSetSequence:o.overflowSetSequence})}return e},e.prototype.menuExecute=function(e,t){r.r.raise(this,a.Tj.PERSISTED_KEYTIP_EXECUTE,{overflowButtonSequences:e,keytipSequences:t})},e.prototype._getUniqueKtp=function(e,t){return void 0===t&&(t=(0,i.z)()),{keytip:(0,n.pi)({},e),uniqueID:t}},e._instance=new e,e}()},5325:(e,t,o)=>{"use strict";o.d(t,{aB:()=>a,a1:()=>s,eX:()=>l,_l:()=>c,w7:()=>u});var n=o(7622),r=o(8128),i=o(2470);function a(e){return e.reduce((function(e,t){return e+r.by+t.split("").join(r.by)}),r.ww)}function s(e,t){var o=t.length,r=(0,n.pr)(t).pop(),a=(0,n.pr)(e);return(0,i.OA)(a,o-1,r)}function l(e){return"["+r.fV+'="'+a(e)+'"]'}function c(e){return"["+r.ms+'="'+e+'"]'}function u(e){var t=" "+r.nK;return e.length?t+" "+a(e):t}},6591:(e,t,o)=>{"use strict";o.d(t,{p$:()=>F,c5:()=>L,Su:()=>A,DC:()=>z,bv:()=>H,qE:()=>O});var n,r=o(7622),i=o(6628),a=o(5951),s=o(4948),l=o(4568),c=o(4884);function u(e,t,o){return{targetEdge:e,alignmentEdge:t,isAuto:o}}var d=((n={})[i.b.topLeftEdge]=u(l.z.top,l.z.left),n[i.b.topCenter]=u(l.z.top),n[i.b.topRightEdge]=u(l.z.top,l.z.right),n[i.b.topAutoEdge]=u(l.z.top,void 0,!0),n[i.b.bottomLeftEdge]=u(l.z.bottom,l.z.left),n[i.b.bottomCenter]=u(l.z.bottom),n[i.b.bottomRightEdge]=u(l.z.bottom,l.z.right),n[i.b.bottomAutoEdge]=u(l.z.bottom,void 0,!0),n[i.b.leftTopEdge]=u(l.z.left,l.z.top),n[i.b.leftCenter]=u(l.z.left),n[i.b.leftBottomEdge]=u(l.z.left,l.z.bottom),n[i.b.rightTopEdge]=u(l.z.right,l.z.top),n[i.b.rightCenter]=u(l.z.right),n[i.b.rightBottomEdge]=u(l.z.right,l.z.bottom),n);function p(e,t){return!(e.topt.bottom||e.leftt.right)}function m(e,t){var o=[];return e.topt.bottom&&o.push(l.z.bottom),e.leftt.right&&o.push(l.z.right),o}function h(e,t){return e[l.z[t]]}function g(e,t,o){return e[l.z[t]]=o,e}function f(e,t){var o=I(t);return(h(e,o.positiveEdge)+h(e,o.negativeEdge))/2}function v(e,t){return e>0?t:-1*t}function b(e,t){return v(e,h(t,e))}function y(e,t,o){return v(o,h(e,o)-h(t,o))}function _(e,t,o){var n=h(e,t)-o;return e=g(e,t,o),g(e,-1*t,h(e,-1*t)-n)}function C(e,t,o,n){return void 0===n&&(n=0),_(e,o,h(t,o)+v(o,n))}function S(e,t,o){return b(o,e)>b(o,t)}function x(e,t,o){for(var n=0,r=e;nMath.abs(y(e,o,-1*t))?-1*t:t}function T(e,t,o){var n=f(t,e),r=f(o,e),i=I(e),a=i.positiveEdge,s=i.negativeEdge;return n<=r?a:s}function E(e,t,o,n,r,i,s){var c=w(e,t,n,r,s);return p(c,o)?{elementRectangle:c,targetEdge:n.targetEdge,alignmentEdge:n.alignmentEdge}:function(e,t,o,n,r,i,s){void 0===r&&(r=0);var c=n.alignmentEdge,u=n.alignTargetEdge,d={elementRectangle:e,targetEdge:n.targetEdge,alignmentEdge:c};i||s||(d=function(e,t,o,n,r){void 0===r&&(r=0);var i=[l.z.left,l.z.right,l.z.bottom,l.z.top];(0,a.zg)()&&(i[0]*=-1,i[1]*=-1);for(var s=e,c=n.targetEdge,u=n.alignmentEdge,d=0;d<4;d++){if(S(s,o,c))return{elementRectangle:s,targetEdge:c,alignmentEdge:u};i.splice(i.indexOf(c),1),i.length>0&&(i.indexOf(-1*c)>-1?c*=-1:(u=c,c=i.slice(-1)[0]),s=w(e,t,{targetEdge:c,alignmentEdge:u},r))}return{elementRectangle:e,targetEdge:n.targetEdge,alignmentEdge:n.alignmentEdge}}(e,t,o,n,r));var h=m(e,o);if(u){if(d.alignmentEdge&&h.indexOf(-1*d.alignmentEdge)>-1){var g=function(e,t,o,n){var r=e.alignmentEdge,i=e.targetEdge,a=-1*r;return{elementRectangle:w(e.elementRectangle,t,{targetEdge:i,alignmentEdge:a},o,n),targetEdge:i,alignmentEdge:a}}(d,t,r,s);if(p(g.elementRectangle,o))return g;d=x(m(g.elementRectangle,o),d,o)}}else d=x(h,d,o);return d}(e,t,o,n,r,i,s)}function P(e){var t=e.getBoundingClientRect();return new c.A(t.left,t.right,t.top,t.bottom)}function M(e){return new c.A(e.left,e.right,e.top,e.bottom)}function R(e,t,o,n){var s=e.gapSpace?e.gapSpace:0,u=function(e,t){var o;if(t){if(t.preventDefault){var n=t;o=new c.A(n.clientX,n.clientX,n.clientY,n.clientY)}else if(t.getBoundingClientRect)o=P(t);else{var r=t,i=r.left||r.x,a=r.top||r.y,s=r.right||i,u=r.bottom||a;o=new c.A(i,s,a,u)}if(!p(o,e))for(var d=0,h=m(o,e);d0?i:n.height}(i.stopPropagation?new c.A(i.clientX,i.clientX,i.clientY,i.clientY):void 0!==m&&void 0!==g?new c.A(m,f,g,v):P(a),t,o,p,r)}function H(e){return-1*e}function O(e,t){return function(e,t){var o=void 0;if(t.getWindowSegments&&(o=t.getWindowSegments()),void 0===o||o.length<=1)return{top:0,left:0,right:t.innerWidth,bottom:t.innerHeight,width:t.innerWidth,height:t.innerHeight};var n=0,r=0;if(null!==e&&e.getBoundingClientRect){var i=e.getBoundingClientRect();n=(i.left+i.right)/2,r=(i.top+i.bottom)/2}else null!==e&&(n=e.left||e.x,r=e.top||e.y);for(var a={top:0,left:0,right:0,bottom:0,width:0,height:0},s=0,l=o;s=n&&r&&c.top<=r&&c.bottom>=r&&(a={top:c.top,left:c.left,right:c.right,bottom:c.bottom,width:c.width,height:c.height})}return a}(e,t)}},4568:(e,t,o)=>{"use strict";var n,r;o.d(t,{z:()=>n,L:()=>r}),function(e){e[e.top=1]="top",e[e.bottom=-1]="bottom",e[e.left=2]="left",e[e.right=-2]="right"}(n||(n={})),function(e){e[e.top=0]="top",e[e.bottom=1]="bottom",e[e.start=2]="start",e[e.end=3]="end"}(r||(r={}))},5515:(e,t,o)=>{"use strict";function n(e,t){for(var o=[],n=0,r=t;nn})},2703:(e,t,o)=>{"use strict";var n;o.d(t,{F:()=>n}),function(e){e[e.Normal=0]="Normal",e[e.Divider=1]="Divider",e[e.Header=2]="Header"}(n||(n={}))},4449:(e,t,o)=>{"use strict";o.d(t,{i:()=>S});var n=o(7622),r=o(7002),i=o(3345),a=o(6840),s=o(8145),l=o(9919),c=o(2167),u=o(688),d=o(9757),p=o(8088),m=o(5480),h=o(4948),g=o(5446),f=o(4553),v=o(5238),b="data-selection-index",y="data-selection-toggle",_="data-selection-invoke",C="data-selection-all-toggle",S=function(e){function t(t){var o=e.call(this,t)||this;o._root=r.createRef(),o.ignoreNextFocus=function(){o._handleNextFocus(!1)},o._onSelectionChange=function(){var e=o.props.selection,t=e.isModal&&e.isModal();o.setState({isModal:t})},o._onMouseDownCapture=function(e){var t=e.target;if(document.activeElement===t||(0,i.t)(document.activeElement,t)){if((0,i.t)(t,o._root.current))for(;t!==o._root.current;){if(o._hasAttribute(t,_)){o.ignoreNextFocus();break}t=(0,a.G)(t)}}else o.ignoreNextFocus()},o._onFocus=function(e){var t=e.target,n=o.props.selection,r=o._isCtrlPressed||o._isMetaPressed,i=o._getSelectionMode();if(o._shouldHandleFocus&&i!==v.oW.none){var a=o._hasAttribute(t,y),s=o._findItemRoot(t);if(!a&&s){var l=o._getItemIndex(s);r?(n.setIndexSelected(l,n.isIndexSelected(l),!0),o.props.enterModalOnTouch&&o._isTouch&&n.setModal&&(n.setModal(!0),o._setIsTouch(!1))):o.props.isSelectedOnFocus&&o._onItemSurfaceClick(e,l)}}o._handleNextFocus(!1)},o._onMouseDown=function(e){o._updateModifiers(e);var t=e.target,n=o._findItemRoot(t);if(!o._isSelectionDisabled(t))for(;t!==o._root.current&&!o._hasAttribute(t,C);){if(n){if(o._hasAttribute(t,y))break;if(o._hasAttribute(t,_))break;if(!(t!==n&&!o._shouldAutoSelect(t)||o._isShiftPressed||o._isCtrlPressed||o._isMetaPressed)){o._onInvokeMouseDown(e,o._getItemIndex(n));break}if(o.props.disableAutoSelectOnInputElements&&("A"===t.tagName||"BUTTON"===t.tagName||"INPUT"===t.tagName))return}t=(0,a.G)(t)}},o._onTouchStartCapture=function(e){o._setIsTouch(!0)},o._onClick=function(e){var t=o.props.enableTouchInvocationTarget,n=void 0!==t&&t;o._updateModifiers(e);for(var r=e.target,i=o._findItemRoot(r),s=o._isSelectionDisabled(r);r!==o._root.current;){if(o._hasAttribute(r,C)){s||o._onToggleAllClick(e);break}if(i){var l=o._getItemIndex(i);if(o._hasAttribute(r,y)){s||(o._isShiftPressed?o._onItemSurfaceClick(e,l):o._onToggleClick(e,l));break}if(o._isTouch&&n&&o._hasAttribute(r,"data-selection-touch-invoke")||o._hasAttribute(r,_)){o._onInvokeClick(e,l);break}if(r===i){s||o._onItemSurfaceClick(e,l);break}if("A"===r.tagName||"BUTTON"===r.tagName||"INPUT"===r.tagName)return}r=(0,a.G)(r)}},o._onContextMenu=function(e){var t=e.target,n=o.props,r=n.onItemContextMenu,i=n.selection;if(r){var a=o._findItemRoot(t);if(a){var s=o._getItemIndex(a);o._onInvokeMouseDown(e,s),r(i.getItems()[s],s,e.nativeEvent)||e.preventDefault()}}},o._onDoubleClick=function(e){var t=e.target,n=o.props.onItemInvoked,r=o._findItemRoot(t);if(r&&n&&!o._isInputElement(t)){for(var i=o._getItemIndex(r);t!==o._root.current&&!o._hasAttribute(t,y)&&!o._hasAttribute(t,_);){if(t===r){o._onInvokeClick(e,i);break}t=(0,a.G)(t)}t=(0,a.G)(t)}},o._onKeyDownCapture=function(e){o._updateModifiers(e),o._handleNextFocus(!0)},o._onKeyDown=function(e){o._updateModifiers(e);var t=e.target,n=o._isSelectionDisabled(t),r=o.props.selection,i=e.which===s.m.a&&(o._isCtrlPressed||o._isMetaPressed),l=e.which===s.m.escape;if(!o._isInputElement(t)){var c=o._getSelectionMode();if(i&&c===v.oW.multiple&&!r.isAllSelected())return n||r.setAllSelected(!0),e.stopPropagation(),void e.preventDefault();if(l&&r.getSelectedCount()>0)return n||r.setAllSelected(!1),e.stopPropagation(),void e.preventDefault();var u=o._findItemRoot(t);if(u)for(var d=o._getItemIndex(u);t!==o._root.current&&!o._hasAttribute(t,y);){if(o._shouldAutoSelect(t)){n||o._onInvokeMouseDown(e,d);break}if(!(e.which!==s.m.enter&&e.which!==s.m.space||"BUTTON"!==t.tagName&&"A"!==t.tagName&&"INPUT"!==t.tagName))return!1;if(t===u){if(e.which===s.m.enter)return o._onInvokeClick(e,d),void e.preventDefault();if(e.which===s.m.space)return n||o._onToggleClick(e,d),void e.preventDefault();break}t=(0,a.G)(t)}}},o._events=new l.r(o),o._async=new c.e(o),(0,u.l)(o);var n=o.props.selection,d=n.isModal&&n.isModal();return o.state={isModal:d},o}return(0,n.ZT)(t,e),t.getDerivedStateFromProps=function(e,t){var o=e.selection.isModal&&e.selection.isModal();return(0,n.pi)((0,n.pi)({},t),{isModal:o})},t.prototype.componentDidMount=function(){var e=(0,d.J)(this._root.current);this._events.on(e,"keydown, keyup",this._updateModifiers,!0),this._events.on(document,"click",this._findScrollParentAndTryClearOnEmptyClick),this._events.on(document.body,"touchstart",this._onTouchStartCapture,!0),this._events.on(document.body,"touchend",this._onTouchStartCapture,!0),this._events.on(this.props.selection,"change",this._onSelectionChange)},t.prototype.render=function(){var e=this.state.isModal;return r.createElement("div",{className:(0,p.i)("ms-SelectionZone",this.props.className,{"ms-SelectionZone--modal":!!e}),ref:this._root,onKeyDown:this._onKeyDown,onMouseDown:this._onMouseDown,onKeyDownCapture:this._onKeyDownCapture,onClick:this._onClick,role:"presentation",onDoubleClick:this._onDoubleClick,onContextMenu:this._onContextMenu,onMouseDownCapture:this._onMouseDownCapture,onFocusCapture:this._onFocus,"data-selection-is-modal":!!e||void 0},this.props.children,r.createElement(m.u,null))},t.prototype.componentDidUpdate=function(e){var t=this.props.selection;t!==e.selection&&(this._events.off(e.selection),this._events.on(t,"change",this._onSelectionChange))},t.prototype.componentWillUnmount=function(){this._events.dispose(),this._async.dispose()},t.prototype._isSelectionDisabled=function(e){if(this._getSelectionMode()===v.oW.none)return!0;for(;e!==this._root.current;){if(this._hasAttribute(e,"data-selection-disabled"))return!0;e=(0,a.G)(e)}return!1},t.prototype._onToggleAllClick=function(e){var t=this.props.selection;this._getSelectionMode()===v.oW.multiple&&(t.toggleAllSelected(),e.stopPropagation(),e.preventDefault())},t.prototype._onToggleClick=function(e,t){var o=this.props.selection,n=this._getSelectionMode();if(o.setChangeEvents(!1),this.props.enterModalOnTouch&&this._isTouch&&!o.isIndexSelected(t)&&o.setModal&&(o.setModal(!0),this._setIsTouch(!1)),n===v.oW.multiple)o.toggleIndexSelected(t);else{if(n!==v.oW.single)return void o.setChangeEvents(!0);var r=o.isIndexSelected(t),i=o.isModal&&o.isModal();o.setAllSelected(!1),o.setIndexSelected(t,!r,!0),i&&o.setModal&&o.setModal(!0)}o.setChangeEvents(!0),e.stopPropagation()},t.prototype._onInvokeClick=function(e,t){var o=this.props,n=o.selection,r=o.onItemInvoked;r&&(r(n.getItems()[t],t,e.nativeEvent),e.preventDefault(),e.stopPropagation())},t.prototype._onItemSurfaceClick=function(e,t){var o=this.props.selection,n=this._isCtrlPressed||this._isMetaPressed,r=this._getSelectionMode();r===v.oW.multiple?this._isShiftPressed&&!this._isTabPressed?o.selectToIndex(t,!n):n?o.toggleIndexSelected(t):this._clearAndSelectIndex(t):r===v.oW.single&&this._clearAndSelectIndex(t)},t.prototype._onInvokeMouseDown=function(e,t){this.props.selection.isIndexSelected(t)||this._clearAndSelectIndex(t)},t.prototype._findScrollParentAndTryClearOnEmptyClick=function(e){var t=(0,h.zj)(this._root.current);this._events.off(document,"click",this._findScrollParentAndTryClearOnEmptyClick),this._events.on(t,"click",this._tryClearOnEmptyClick),(t&&e.target instanceof Node&&t.contains(e.target)||t===e.target)&&this._tryClearOnEmptyClick(e)},t.prototype._tryClearOnEmptyClick=function(e){!this.props.selectionPreservedOnEmptyClick&&this._isNonHandledClick(e.target)&&this.props.selection.setAllSelected(!1)},t.prototype._clearAndSelectIndex=function(e){var t=this.props.selection;if(1!==t.getSelectedCount()||!t.isIndexSelected(e)){var o=t.isModal&&t.isModal();t.setChangeEvents(!1),t.setAllSelected(!1),t.setIndexSelected(e,!0,!0),(o||this.props.enterModalOnTouch&&this._isTouch)&&(t.setModal&&t.setModal(!0),this._isTouch&&this._setIsTouch(!1)),t.setChangeEvents(!0)}},t.prototype._updateModifiers=function(e){this._isShiftPressed=e.shiftKey,this._isCtrlPressed=e.ctrlKey,this._isMetaPressed=e.metaKey;var t=e.keyCode;this._isTabPressed=!!t&&t===s.m.tab},t.prototype._findItemRoot=function(e){for(var t=this.props.selection;e!==this._root.current;){var o=e.getAttribute(b),n=Number(o);if(null!==o&&n>=0&&n{"use strict";o.d(t,{x:()=>i});var n={},r=void 0;try{r=window}catch(e){}function i(e,t){if(void 0!==r){var o=r.__packages__=r.__packages__||{};o[e]&&n[e]||(n[e]=t,(o[e]=o[e]||[]).push(t))}}i("@fluentui/set-version","6.0.0")},9729:(e,t,o)=>{"use strict";o.d(t,{k4:()=>X,Ic:()=>G,D1:()=>q,JJ:()=>he,rN:()=>ve.r,ir:()=>Q.i,UK:()=>ee.U,Ox:()=>xe,yV:()=>$,TS:()=>be.TS,lq:()=>be.lq,qJ:()=>_e,$v:()=>Se,bO:()=>Ce,ld:()=>be.ld,qS:()=>Xe.q,a1:()=>Ze,P$:()=>Re,yp:()=>Me,mV:()=>Pe,yO:()=>Ne,CQ:()=>Be,AV:()=>Ie,dd:()=>we,QQ:()=>ke,bE:()=>Fe,qv:()=>De,B:()=>Te,F1:()=>Ee,Ye:()=>Xe.Y,Jw:()=>le,bR:()=>He,$O:()=>r,E$:()=>xt.m,l7:()=>kt.l,FF:()=>ye.F,jG:()=>ie.j,e2:()=>Ve,jN:()=>ct.j,h4:()=>ze,$X:()=>rt,jx:()=>Ke,GL:()=>We,Cn:()=>$e,xM:()=>Ae,q7:()=>ft,Wx:()=>St,$Y:()=>qe,Sv:()=>at,sK:()=>Le,gh:()=>ue,Nf:()=>tt,ul:()=>Ge,F4:()=>i.F,jz:()=>me,ZC:()=>wt.Z,y0:()=>n.y,jq:()=>nt,Fv:()=>ot,Kq:()=>Q.K,M_:()=>gt,fm:()=>mt,tj:()=>de,sw:()=>pe,yN:()=>vt,Kf:()=>ht});var n=o(9444);function r(e){var t={},o=function(o){var r;e.hasOwnProperty(o)&&Object.defineProperty(t,o,{get:function(){return void 0===r&&(r=(0,n.y)(e[o]).toString()),r},enumerable:!0,configurable:!0})};for(var r in e)o(r);return t}var i=o(2762),a="cubic-bezier(.1,.9,.2,1)",s="cubic-bezier(.1,.25,.75,.9)",l="0.167s",c="0.267s",u="0.367s",d="0.467s",p=(0,i.F)({from:{opacity:0},to:{opacity:1}}),m=(0,i.F)({from:{opacity:1},to:{opacity:0,visibility:"hidden"}}),h=j(-10),g=j(-20),f=j(-40),v=j(-400),b=j(10),y=j(20),_=j(40),C=j(400),S=J(10),x=J(20),k=J(-10),w=J(-20),I=Y(10),D=Y(20),T=Y(40),E=Y(400),P=Y(-10),M=Y(-20),R=Y(-40),N=Y(-400),B=Z(-10),F=Z(-20),L=Z(10),A=Z(20),z=(0,i.F)({from:{transform:"scale3d(.98,.98,1)"},to:{transform:"scale3d(1,1,1)"}}),H=(0,i.F)({from:{transform:"scale3d(1,1,1)"},to:{transform:"scale3d(.98,.98,1)"}}),O=(0,i.F)({from:{transform:"scale3d(1.03,1.03,1)"},to:{transform:"scale3d(1,1,1)"}}),W=(0,i.F)({from:{transform:"scale3d(1,1,1)"},to:{transform:"scale3d(1.03,1.03,1)"}}),V=(0,i.F)({from:{transform:"rotateZ(0deg)"},to:{transform:"rotateZ(90deg)"}}),K=(0,i.F)({from:{transform:"rotateZ(0deg)"},to:{transform:"rotateZ(-90deg)"}}),q={easeFunction1:a,easeFunction2:s,durationValue1:l,durationValue2:c,durationValue3:u,durationValue4:d},G={slideRightIn10:U(p+","+h,u,a),slideRightIn20:U(p+","+g,u,a),slideRightIn40:U(p+","+f,u,a),slideRightIn400:U(p+","+v,u,a),slideLeftIn10:U(p+","+b,u,a),slideLeftIn20:U(p+","+y,u,a),slideLeftIn40:U(p+","+_,u,a),slideLeftIn400:U(p+","+C,u,a),slideUpIn10:U(p+","+S,u,a),slideUpIn20:U(p+","+x,u,a),slideDownIn10:U(p+","+k,u,a),slideDownIn20:U(p+","+w,u,a),slideRightOut10:U(m+","+I,u,a),slideRightOut20:U(m+","+D,u,a),slideRightOut40:U(m+","+T,u,a),slideRightOut400:U(m+","+E,u,a),slideLeftOut10:U(m+","+P,u,a),slideLeftOut20:U(m+","+M,u,a),slideLeftOut40:U(m+","+R,u,a),slideLeftOut400:U(m+","+N,u,a),slideUpOut10:U(m+","+B,u,a),slideUpOut20:U(m+","+F,u,a),slideDownOut10:U(m+","+L,u,a),slideDownOut20:U(m+","+A,u,a),scaleUpIn100:U(p+","+z,u,a),scaleDownIn100:U(p+","+O,u,a),scaleUpOut103:U(m+","+W,l,s),scaleDownOut98:U(m+","+H,l,s),fadeIn100:U(p,l,s),fadeIn200:U(p,c,s),fadeIn400:U(p,u,s),fadeIn500:U(p,d,s),fadeOut100:U(m,l,s),fadeOut200:U(m,c,s),fadeOut400:U(m,u,s),fadeOut500:U(m,d,s),rotate90deg:U(V,"0.1s",s),rotateN90deg:U(K,"0.1s",s)};function U(e,t,o){return{animationName:e,animationDuration:t,animationTimingFunction:o,animationFillMode:"both"}}function j(e){return(0,i.F)({from:{transform:"translate3d("+e+"px,0,0)",pointerEvents:"none"},to:{transform:"translate3d(0,0,0)",pointerEvents:"auto"}})}function J(e){return(0,i.F)({from:{transform:"translate3d(0,"+e+"px,0)",pointerEvents:"none"},to:{transform:"translate3d(0,0,0)",pointerEvents:"auto"}})}function Y(e){return(0,i.F)({from:{transform:"translate3d(0,0,0)"},to:{transform:"translate3d("+e+"px,0,0)"}})}function Z(e){return(0,i.F)({from:{transform:"translate3d(0,0,0)"},to:{transform:"translate3d(0,"+e+"px,0)"}})}var X=r(G),Q=o(1209),$=r(Q.i),ee=o(5314),te=o(7622),oe=o(1767),ne=o(9757),re=o(4976),ie=o(8932),ae=(0,ie.j)({}),se=[],le="theme";function ce(){var e,t,o;if(!oe.X.getSettings([le]).theme){var n=(0,ne.J)();(null===(o=null===(t=n)||void 0===t?void 0:t.FabricConfig)||void 0===o?void 0:o.theme)&&(ae=(0,ie.j)(n.FabricConfig.theme)),oe.X.applySettings(((e={})[le]=ae,e))}}function ue(e){return void 0===e&&(e=!1),!0===e&&(ae=(0,ie.j)({},e)),ae}function de(e){-1===se.indexOf(e)&&se.push(e)}function pe(e){var t=se.indexOf(e);-1!==t&&se.splice(t,1)}function me(e,t){var o;return void 0===t&&(t=!1),ae=(0,ie.j)(e,t),(0,re.jz)((0,te.pi)((0,te.pi)((0,te.pi)((0,te.pi)({},ae.palette),ae.semanticColors),ae.effects),function(e){for(var t={},o=0,n=Object.keys(e.fonts);o10?" (+ "+(bt.length-10)+" more)":"")),yt=void 0,bt=[]}),2e3)))}var Ct={display:"inline-block"};function St(e){var t="",o=ft(e);return o&&(t=(0,n.y)(o.subset.className,Ct,{selectors:{"::before":{content:'"'+o.code+'"'}}})),t}var xt=o(3570),kt=o(965),wt=o(2005);(0,o(6316).x)("@fluentui/style-utilities","8.0.2"),ce()},5314:(e,t,o)=>{"use strict";o.d(t,{U:()=>n});var n={themeDarker:"#004578",themeDark:"#005a9e",themeDarkAlt:"#106ebe",themePrimary:"#0078d4",themeSecondary:"#2b88d8",themeTertiary:"#71afe5",themeLight:"#c7e0f4",themeLighter:"#deecf9",themeLighterAlt:"#eff6fc",black:"#000000",blackTranslucent40:"rgba(0,0,0,.4)",neutralDark:"#201f1e",neutralPrimary:"#323130",neutralPrimaryAlt:"#3b3a39",neutralSecondary:"#605e5c",neutralSecondaryAlt:"#8a8886",neutralTertiary:"#a19f9d",neutralTertiaryAlt:"#c8c6c4",neutralQuaternary:"#d2d0ce",neutralQuaternaryAlt:"#e1dfdd",neutralLight:"#edebe9",neutralLighter:"#f3f2f1",neutralLighterAlt:"#faf9f8",accent:"#0078d4",white:"#ffffff",whiteTranslucent40:"rgba(255,255,255,.4)",yellowDark:"#d29200",yellow:"#ffb900",yellowLight:"#fff100",orange:"#d83b01",orangeLight:"#ea4300",orangeLighter:"#ff8c00",redDark:"#a4262c",red:"#e81123",magentaDark:"#5c005c",magenta:"#b4009e",magentaLight:"#e3008c",purpleDark:"#32145a",purple:"#5c2d91",purpleLight:"#b4a0ff",blueDark:"#002050",blueMid:"#00188f",blue:"#0078d4",blueLight:"#00bcf2",tealDark:"#004b50",teal:"#008272",tealLight:"#00b294",greenDark:"#004b1c",green:"#107c10",greenLight:"#bad80a"}},8932:(e,t,o)=>{"use strict";o.d(t,{j:()=>c});var n=o(5314),r=o(8708),i=o(1209),a=o(8188),s=o(3968),l=o(6267);function c(e,t){void 0===e&&(e={}),void 0===t&&(t=!1);var o=!!e.isInverted,c={palette:n.U,effects:r.r,fonts:i.i,spacing:s.C,isInverted:o,disableGlobalClassNames:!1,semanticColors:(0,l.b)(n.U,r.r,void 0,o,t),rtl:void 0};return(0,a.I)(c,e)}},8708:(e,t,o)=>{"use strict";o.d(t,{r:()=>r});var n=o(4733),r={elevation4:n.N.depth4,elevation8:n.N.depth8,elevation16:n.N.depth16,elevation64:n.N.depth64,roundedCorner2:"2px",roundedCorner4:"4px",roundedCorner6:"6px"}},4733:(e,t,o)=>{"use strict";var n;o.d(t,{N:()=>n}),function(e){e.depth0="0 0 0 0 transparent",e.depth4="0 1.6px 3.6px 0 rgba(0, 0, 0, 0.132), 0 0.3px 0.9px 0 rgba(0, 0, 0, 0.108)",e.depth8="0 3.2px 7.2px 0 rgba(0, 0, 0, 0.132), 0 0.6px 1.8px 0 rgba(0, 0, 0, 0.108)",e.depth16="0 6.4px 14.4px 0 rgba(0, 0, 0, 0.132), 0 1.2px 3.6px 0 rgba(0, 0, 0, 0.108)",e.depth64="0 25.6px 57.6px 0 rgba(0, 0, 0, 0.22), 0 4.8px 14.4px 0 rgba(0, 0, 0, 0.18)"}(n||(n={}))},1209:(e,t,o)=>{"use strict";o.d(t,{i:()=>d,K:()=>h});var n,r,i,a=o(3310),s=o(3182),l=o(7134),c=o(3856),u=o(9757),d=(0,l.F)((0,c.G)());function p(e,t,o,n){e="'"+e+"'";var r=void 0!==n?"local('"+n+"'),":"";(0,a.j)({fontFamily:e,src:r+"url('"+t+".woff2') format('woff2'),url('"+t+".woff') format('woff')",fontWeight:o,fontStyle:"normal",fontDisplay:"swap"})}function m(e,t,o,n,r){void 0===n&&(n="segoeui");var i=e+"/"+o+"/"+n;p(t,i+"-light",s.lq.light,r&&r+" Light"),p(t,i+"-semilight",s.lq.semilight,r&&r+" SemiLight"),p(t,i+"-regular",s.lq.regular,r),p(t,i+"-semibold",s.lq.semibold,r&&r+" SemiBold"),p(t,i+"-bold",s.lq.bold,r&&r+" Bold")}function h(e){if(e){var t=e+"/fonts";m(t,s.Qm.Thai,"leelawadeeui-thai","leelawadeeui"),m(t,s.Qm.Arabic,"segoeui-arabic"),m(t,s.Qm.Cyrillic,"segoeui-cyrillic"),m(t,s.Qm.EastEuropean,"segoeui-easteuropean"),m(t,s.Qm.Greek,"segoeui-greek"),m(t,s.Qm.Hebrew,"segoeui-hebrew"),m(t,s.Qm.Vietnamese,"segoeui-vietnamese"),m(t,s.Qm.WestEuropean,"segoeui-westeuropean","segoeui","Segoe UI"),m(t,s.II.Selawik,"selawik","selawik"),m(t,s.Qm.Armenian,"segoeui-armenian"),m(t,s.Qm.Georgian,"segoeui-georgian"),p("Leelawadee UI Web",t+"/leelawadeeui-thai/leelawadeeui-semilight",s.lq.light),p("Leelawadee UI Web",t+"/leelawadeeui-thai/leelawadeeui-bold",s.lq.semibold)}}h(null!=(i=null===(r=null===(n=(0,u.J)())||void 0===n?void 0:n.FabricConfig)||void 0===r?void 0:r.fontBaseUrl)?i:"https://static2.sharepointonline.com/files/fabric/assets")},3182:(e,t,o)=>{"use strict";var n,r,i,a,s;o.d(t,{Qm:()=>n,II:()=>r,TS:()=>i,lq:()=>a,ld:()=>s}),function(e){e.Arabic="Segoe UI Web (Arabic)",e.Cyrillic="Segoe UI Web (Cyrillic)",e.EastEuropean="Segoe UI Web (East European)",e.Greek="Segoe UI Web (Greek)",e.Hebrew="Segoe UI Web (Hebrew)",e.Thai="Leelawadee UI Web",e.Vietnamese="Segoe UI Web (Vietnamese)",e.WestEuropean="Segoe UI Web (West European)",e.Selawik="Selawik Web",e.Armenian="Segoe UI Web (Armenian)",e.Georgian="Segoe UI Web (Georgian)"}(n||(n={})),function(e){e.Arabic="'"+n.Arabic+"'",e.ChineseSimplified="'Microsoft Yahei UI', Verdana, Simsun",e.ChineseTraditional="'Microsoft Jhenghei UI', Pmingliu",e.Cyrillic="'"+n.Cyrillic+"'",e.EastEuropean="'"+n.EastEuropean+"'",e.Greek="'"+n.Greek+"'",e.Hebrew="'"+n.Hebrew+"'",e.Hindi="'Nirmala UI'",e.Japanese="'Yu Gothic UI', 'Meiryo UI', Meiryo, 'MS Pgothic', Osaka",e.Korean="'Malgun Gothic', Gulim",e.Selawik="'"+n.Selawik+"'",e.Thai="'Leelawadee UI Web', 'Kmer UI'",e.Vietnamese="'"+n.Vietnamese+"'",e.WestEuropean="'"+n.WestEuropean+"'",e.Armenian="'"+n.Armenian+"'",e.Georgian="'"+n.Georgian+"'"}(r||(r={})),function(e){e.size10="10px",e.size12="12px",e.size14="14px",e.size16="16px",e.size18="18px",e.size20="20px",e.size24="24px",e.size28="28px",e.size32="32px",e.size42="42px",e.size68="68px",e.mini="10px",e.xSmall="10px",e.small="12px",e.smallPlus="12px",e.medium="14px",e.mediumPlus="16px",e.icon="16px",e.large="18px",e.xLarge="20px",e.xLargePlus="24px",e.xxLarge="28px",e.xxLargePlus="32px",e.superLarge="42px",e.mega="68px"}(i||(i={})),function(e){e.light=100,e.semilight=300,e.regular=400,e.semibold=600,e.bold=700}(a||(a={})),function(e){e.xSmall="10px",e.small="12px",e.medium="16px",e.large="20px"}(s||(s={}))},7134:(e,t,o)=>{"use strict";o.d(t,{F:()=>s});var n=o(3182),r="'Segoe UI', '"+n.Qm.WestEuropean+"'",i={ar:n.II.Arabic,bg:n.II.Cyrillic,cs:n.II.EastEuropean,el:n.II.Greek,et:n.II.EastEuropean,he:n.II.Hebrew,hi:n.II.Hindi,hr:n.II.EastEuropean,hu:n.II.EastEuropean,ja:n.II.Japanese,kk:n.II.EastEuropean,ko:n.II.Korean,lt:n.II.EastEuropean,lv:n.II.EastEuropean,pl:n.II.EastEuropean,ru:n.II.Cyrillic,sk:n.II.EastEuropean,"sr-latn":n.II.EastEuropean,th:n.II.Thai,tr:n.II.EastEuropean,uk:n.II.Cyrillic,vi:n.II.Vietnamese,"zh-hans":n.II.ChineseSimplified,"zh-hant":n.II.ChineseTraditional,hy:n.II.Armenian,ka:n.II.Georgian};function a(e,t,o){return{fontFamily:o,MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontSize:e,fontWeight:t}}function s(e){var t=function(e){for(var t in i)if(i.hasOwnProperty(t)&&e&&0===t.indexOf(e))return i[t];return r}(e)+", 'Segoe UI', -apple-system, BlinkMacSystemFont, 'Roboto', 'Helvetica Neue', sans-serif";return{tiny:a(n.TS.mini,n.lq.regular,t),xSmall:a(n.TS.xSmall,n.lq.regular,t),small:a(n.TS.small,n.lq.regular,t),smallPlus:a(n.TS.smallPlus,n.lq.regular,t),medium:a(n.TS.medium,n.lq.regular,t),mediumPlus:a(n.TS.mediumPlus,n.lq.regular,t),large:a(n.TS.large,n.lq.regular,t),xLarge:a(n.TS.xLarge,n.lq.semibold,t),xLargePlus:a(n.TS.xLargePlus,n.lq.semibold,t),xxLarge:a(n.TS.xxLarge,n.lq.semibold,t),xxLargePlus:a(n.TS.xxLargePlus,n.lq.semibold,t),superLarge:a(n.TS.superLarge,n.lq.semibold,t),mega:a(n.TS.mega,n.lq.semibold,t)}}},8188:(e,t,o)=>{"use strict";o.d(t,{I:()=>i});var n=o(9478),r=o(6267);function i(e,t){var o,i,a,s;void 0===t&&(t={});var l=(0,n.T)({},e,t,{semanticColors:(0,r.Q)(t.palette,t.effects,t.semanticColors,void 0===t.isInverted?e.isInverted:t.isInverted)});if((null===(o=t.palette)||void 0===o?void 0:o.themePrimary)&&!(null===(i=t.palette)||void 0===i?void 0:i.accent)&&(l.palette.accent=t.palette.themePrimary),t.defaultFontStyle)for(var c=0,u=Object.keys(l.fonts);c{"use strict";o.d(t,{C:()=>n});var n={s2:"4px",s1:"8px",m:"16px",l1:"20px",l2:"32px"}},6267:(e,t,o)=>{"use strict";o.d(t,{b:()=>r,Q:()=>i});var n=o(7622);function r(e,t,o,r,a){return void 0===a&&(a=!1),function(e,t){var o="";return!0===t&&(o=" /* @deprecated */"),e.listTextColor=e.listText+o,e.menuItemBackgroundChecked+=o,e.warningHighlight+=o,e.warningText=e.messageText+o,e.successText+=o,e}(i(e,t,(0,n.pi)({primaryButtonBorder:"transparent",errorText:r?"#F1707B":"#a4262c",messageText:r?"#F3F2F1":"#323130",messageLink:r?"#6CB8F6":"#005A9E",messageLinkHovered:r?"#82C7FF":"#004578",infoIcon:r?"#C8C6C4":"#605e5c",errorIcon:r?"#F1707B":"#A80000",blockingIcon:r?"#442726":"#FDE7E9",warningIcon:r?"#C8C6C4":"#797775",severeWarningIcon:r?"#FCE100":"#D83B01",successIcon:r?"#92C353":"#107C10",infoBackground:r?"#323130":"#f3f2f1",errorBackground:r?"#442726":"#FDE7E9",blockingBackground:r?"#442726":"#FDE7E9",warningBackground:r?"#433519":"#FFF4CE",severeWarningBackground:r?"#4F2A0F":"#FED9CC",successBackground:r?"#393D1B":"#DFF6DD",warningHighlight:r?"#fff100":"#ffb900",successText:r?"#92c353":"#107C10"},o),r),a)}function i(e,t,o,r,i){var a,s,l;void 0===i&&(i=!1);var c={},u=e||{},d=u.white,p=u.black,m=u.themePrimary,h=u.themeDark,g=u.themeDarker,f=u.themeDarkAlt,v=u.themeLighter,b=u.neutralLight,y=u.neutralLighter,_=u.neutralDark,C=u.neutralQuaternary,S=u.neutralQuaternaryAlt,x=u.neutralPrimary,k=u.neutralSecondary,w=u.neutralSecondaryAlt,I=u.neutralTertiary,D=u.neutralTertiaryAlt,T=u.neutralLighterAlt,E=u.accent;return d&&(c.bodyBackground=d,c.bodyFrameBackground=d,c.accentButtonText=d,c.buttonBackground=d,c.primaryButtonText=d,c.primaryButtonTextHovered=d,c.primaryButtonTextPressed=d,c.inputBackground=d,c.inputForegroundChecked=d,c.listBackground=d,c.menuBackground=d,c.cardStandoutBackground=d),p&&(c.bodyTextChecked=p,c.buttonTextCheckedHovered=p),m&&(c.link=m,c.primaryButtonBackground=m,c.inputBackgroundChecked=m,c.inputIcon=m,c.inputFocusBorderAlt=m,c.menuIcon=m,c.menuHeader=m,c.accentButtonBackground=m),h&&(c.primaryButtonBackgroundPressed=h,c.inputBackgroundCheckedHovered=h,c.inputIconHovered=h),g&&(c.linkHovered=g),f&&(c.primaryButtonBackgroundHovered=f),v&&(c.inputPlaceholderBackgroundChecked=v),b&&(c.bodyBackgroundChecked=b,c.bodyFrameDivider=b,c.bodyDivider=b,c.variantBorder=b,c.buttonBackgroundCheckedHovered=b,c.buttonBackgroundPressed=b,c.listItemBackgroundChecked=b,c.listHeaderBackgroundPressed=b,c.menuItemBackgroundPressed=b,c.menuItemBackgroundChecked=b),y&&(c.bodyBackgroundHovered=y,c.buttonBackgroundHovered=y,c.buttonBackgroundDisabled=y,c.buttonBorderDisabled=y,c.primaryButtonBackgroundDisabled=y,c.disabledBackground=y,c.listItemBackgroundHovered=y,c.listHeaderBackgroundHovered=y,c.menuItemBackgroundHovered=y),C&&(c.primaryButtonTextDisabled=C,c.disabledSubtext=C),S&&(c.listItemBackgroundCheckedHovered=S),I&&(c.disabledBodyText=I,c.variantBorderHovered=(null===(a=o)||void 0===a?void 0:a.variantBorderHovered)||I,c.buttonTextDisabled=I,c.inputIconDisabled=I,c.disabledText=I),x&&(c.bodyText=x,c.actionLink=x,c.buttonText=x,c.inputBorderHovered=x,c.inputText=x,c.listText=x,c.menuItemText=x),T&&(c.bodyStandoutBackground=T,c.defaultStateBackground=T),_&&(c.actionLinkHovered=_,c.buttonTextHovered=_,c.buttonTextChecked=_,c.buttonTextPressed=_,c.inputTextHovered=_,c.menuItemTextHovered=_),k&&(c.bodySubtext=k,c.focusBorder=k,c.inputBorder=k,c.smallInputBorder=k,c.inputPlaceholderText=k),w&&(c.buttonBorder=w),D&&(c.disabledBodySubtext=D,c.disabledBorder=D,c.buttonBackgroundChecked=D,c.menuDivider=D),E&&(c.accentButtonBackground=E),(null===(s=t)||void 0===s?void 0:s.elevation4)&&(c.cardShadow=t.elevation4),!r&&(null===(l=t)||void 0===l?void 0:l.elevation8)?c.cardShadowHovered=t.elevation8:c.variantBorderHovered&&(c.cardShadowHovered="0 0 1px "+c.variantBorderHovered),(0,n.pi)((0,n.pi)({},c),o)}},2167:(e,t,o)=>{"use strict";o.d(t,{e:()=>r});var n=o(9757),r=function(){function e(e,t){this._timeoutIds=null,this._immediateIds=null,this._intervalIds=null,this._animationFrameIds=null,this._isDisposed=!1,this._parent=e||null,this._onErrorHandler=t,this._noop=function(){}}return e.prototype.dispose=function(){var e;if(this._isDisposed=!0,this._parent=null,this._timeoutIds){for(e in this._timeoutIds)this._timeoutIds.hasOwnProperty(e)&&this.clearTimeout(parseInt(e,10));this._timeoutIds=null}if(this._immediateIds){for(e in this._immediateIds)this._immediateIds.hasOwnProperty(e)&&this.clearImmediate(parseInt(e,10));this._immediateIds=null}if(this._intervalIds){for(e in this._intervalIds)this._intervalIds.hasOwnProperty(e)&&this.clearInterval(parseInt(e,10));this._intervalIds=null}if(this._animationFrameIds){for(e in this._animationFrameIds)this._animationFrameIds.hasOwnProperty(e)&&this.cancelAnimationFrame(parseInt(e,10));this._animationFrameIds=null}},e.prototype.setTimeout=function(e,t){var o=this,n=0;return this._isDisposed||(this._timeoutIds||(this._timeoutIds={}),n=setTimeout((function(){try{o._timeoutIds&&delete o._timeoutIds[n],e.apply(o._parent)}catch(e){o._logError(e)}}),t),this._timeoutIds[n]=!0),n},e.prototype.clearTimeout=function(e){this._timeoutIds&&this._timeoutIds[e]&&(clearTimeout(e),delete this._timeoutIds[e])},e.prototype.setImmediate=function(e,t){var o=this,r=0,i=(0,n.J)(t);return this._isDisposed||(this._immediateIds||(this._immediateIds={}),r=i.setTimeout((function(){try{o._immediateIds&&delete o._immediateIds[r],e.apply(o._parent)}catch(e){o._logError(e)}}),0),this._immediateIds[r]=!0),r},e.prototype.clearImmediate=function(e,t){var o=(0,n.J)(t);this._immediateIds&&this._immediateIds[e]&&(o.clearTimeout(e),delete this._immediateIds[e])},e.prototype.setInterval=function(e,t){var o=this,n=0;return this._isDisposed||(this._intervalIds||(this._intervalIds={}),n=setInterval((function(){try{e.apply(o._parent)}catch(e){o._logError(e)}}),t),this._intervalIds[n]=!0),n},e.prototype.clearInterval=function(e){this._intervalIds&&this._intervalIds[e]&&(clearInterval(e),delete this._intervalIds[e])},e.prototype.throttle=function(e,t,o){var n=this;if(this._isDisposed)return this._noop;var r,i,a=t||0,s=!0,l=!0,c=0,u=null;o&&"boolean"==typeof o.leading&&(s=o.leading),o&&"boolean"==typeof o.trailing&&(l=o.trailing);var d=function(t){var o=Date.now(),p=o-c,m=s?a-p:a;return p>=a&&(!t||s)?(c=o,u&&(n.clearTimeout(u),u=null),r=e.apply(n._parent,i)):null===u&&l&&(u=n.setTimeout(d,m)),r};return function(){for(var e=[],t=0;t=s&&(o=!0),d=t);var r=t-d,a=s-r,h=t-p,v=!1;return null!==u&&(h>=u&&m?v=!0:a=Math.min(a,u-h)),r>=s||v||o?g(t):null!==m&&e||!c||(m=n.setTimeout(f,a)),i},v=function(){return!!m},b=function(){for(var e=[],t=0;t{"use strict";o.d(t,{H:()=>u,S:()=>p});var n=o(7622),r=o(7002),i=o(2167),a=o(9919),s=o(5415),l=o(209),c=o(3129),u=function(e){function t(o,n){var r=e.call(this,o,n)||this;return function(e,t,o){for(var n=0,r=o.length;n1?e[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 i.e(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 a.r(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(o){return t[e]=o}),this.__resolves[e]},t.prototype._updateComponentRef=function(e,t){void 0===t&&(t={}),e&&t&&e.componentRef!==t.componentRef&&(this._setComponentRef(e.componentRef,null),this._setComponentRef(t.componentRef,this))},t.prototype._warnDeprecations=function(e){(0,c.b)(this.className,this.props,e)},t.prototype._warnMutuallyExclusive=function(e){(0,l.L)(this.className,this.props,e)},t.prototype._warnConditionallyRequiredProps=function(e,t,o){(0,s.w)(this.className,this.props,e,t,o)},t.prototype._setComponentRef=function(e,t){!this._skipComponentRefResolution&&e&&("function"==typeof e&&e(t),"object"==typeof e&&(e.current=t))},t}(r.Component);function d(e,t,o){var n=e[o],r=t[o];(n||r)&&(e[o]=function(){for(var e,t=[],o=0;o{"use strict";o.d(t,{U:()=>i});var n=o(7622),r=o(7002),i=function(e){function t(t){var o=e.call(this,t)||this;return o.state={isRendered:!1},o}return(0,n.ZT)(t,e),t.prototype.componentDidMount=function(){var e=this,t=this.props.delay;this._timeoutId=window.setTimeout((function(){e.setState({isRendered:!0})}),t)},t.prototype.componentWillUnmount=function(){this._timeoutId&&clearTimeout(this._timeoutId)},t.prototype.render=function(){return this.state.isRendered?r.Children.only(this.props.children):null},t.defaultProps={delay:0},t}(r.Component)},9919:(e,t,o)=>{"use strict";o.d(t,{r:()=>r});var n=o(2447),r=function(){function e(t){this._id=e._uniqueId++,this._parent=t,this._eventRecords=[]}return e.raise=function(t,o,r,i){var a;if(e._isElement(t)){if("undefined"!=typeof document&&document.createEvent){var s=document.createEvent("HTMLEvents");s.initEvent(o,i||!1,!0),(0,n.f0)(s,r),a=t.dispatchEvent(s)}else if("undefined"!=typeof document&&document.createEventObject){var l=document.createEventObject(r);t.fireEvent("on"+o,l)}}else for(;t&&!1!==a;){var c=t.__events__,u=c?c[o]:null;if(u)for(var d in u)if(u.hasOwnProperty(d))for(var p=u[d],m=0;!1!==a&&m-1)for(var a=o.split(/[ ,]+/),s=0;s{"use strict";o.d(t,{D:()=>i});var n=o(9757),r=0,i=function(){function e(){}return e.getValue=function(e,t){var o=a();return void 0===o[e]&&(o[e]="function"==typeof t?t():t),o[e]},e.setValue=function(e,t){var o=a(),n=o.__callbacks__,r=o[e];if(t!==r){o[e]=t;var i={oldValue:r,value:t,key:e};for(var s in n)n.hasOwnProperty(s)&&n[s](i)}return t},e.addChangeListener=function(e){var t=e.__id__,o=s();t||(t=e.__id__=String(r++)),o[t]=e},e.removeChangeListener=function(e){delete s()[e.__id__]},e}();function a(){var e,t=(0,n.J)()||{};return t.__globalSettings__||(t.__globalSettings__=((e={}).__callbacks__={},e)),t.__globalSettings__}function s(){return a().__callbacks__}},8145:(e,t,o)=>{"use strict";o.d(t,{m:()=>n});var n={backspace:8,tab:9,enter:13,shift:16,ctrl:17,alt:18,pauseBreak:19,capslock:20,escape:27,space:32,pageUp:33,pageDown:34,end:35,home:36,left:37,up:38,right:39,down:40,insert:45,del:46,zero:48,one:49,two:50,three:51,four:52,five:53,six:54,seven:55,eight:56,nine:57,a:65,b:66,c:67,d:68,e:69,f:70,g:71,h:72,i:73,j:74,k:75,l:76,m:77,n:78,o:79,p:80,q:81,r:82,s:83,t:84,u:85,v:86,w:87,x:88,y:89,z:90,leftWindow:91,rightWindow:92,select:93,zero_numpad:96,one_numpad:97,two_numpad:98,three_numpad:99,four_numpad:100,five_numpad:101,six_numpad:102,seven_numpad:103,eight_numpad:104,nine_numpad:105,multiply:106,add:107,subtract:109,decimalPoint:110,divide:111,f1:112,f2:113,f3:114,f4:115,f5:116,f6:117,f7:118,f8:119,f9:120,f10:121,f11:122,f12:123,numlock:144,scrollLock:145,semicolon:186,equalSign:187,comma:188,dash:189,period:190,forwardSlash:191,graveAccent:192,openBracket:219,backSlash:220,closeBracket:221,singleQuote:222}},4884:(e,t,o)=>{"use strict";o.d(t,{A:()=>n});var n=function(){function e(e,t,o,n){void 0===e&&(e=0),void 0===t&&(t=0),void 0===o&&(o=0),void 0===n&&(n=0),this.top=o,this.bottom=n,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}()},9151:(e,t,o)=>{"use strict";function n(e){for(var t=[],o=1;on})},9577:(e,t,o)=>{"use strict";function n(){for(var e=[],t=0;tn})},2470:(e,t,o)=>{"use strict";function n(e,t,o){void 0===o&&(o=0);for(var n=-1,r=o;e&&rn,sE:()=>r,Ri:()=>i,QC:()=>a,$E:()=>s,wm:()=>l,OA:()=>c,xH:()=>u,cO:()=>d})},7300:(e,t,o)=>{"use strict";o.d(t,{y:()=>u});var n=o(729),r=o(2005),i=o(5951),a=o(9757),s=0,l=n.Y.getInstance();l&&l.onReset&&l.onReset((function(){return s++}));var c="__retval__";function u(e){void 0===e&&(e={});var t=new Map,o=0,n=0,l=s;return function(u,d){var m,h;if(void 0===d&&(d={}),e.useStaticStyles&&"function"==typeof u&&u.__noStyleOverride__)return u(d);n++;var g=t,f=d.theme,v=f&&void 0!==f.rtl?f.rtl:(0,i.zg)(),b=e.disableCaching;return l!==s&&(l=s,t=new Map,o=0),e.disableCaching||(g=p(t,u),g=p(g,d)),!b&&g[c]||(g[c]=void 0===u?{}:(0,r.I)(["function"==typeof u?u(d):u],{rtl:!!v,specificityMultiplier:e.useStaticStyles?5:void 0}),b||o++),o>(e.cacheSize||50)&&((null===(h=null===(m=(0,a.J)())||void 0===m?void 0:m.FabricConfig)||void 0===h?void 0:h.enableClassNameCacheFullWarning)&&(console.warn("Styles are being recalculated too frequently. Cache miss rate is "+o+"/"+n+"."),console.trace()),t.clear(),o=0,e.disableCaching=!0),g[c]}}function d(e,t){return t=function(e){switch(e){case void 0:return"__undefined__";case null:return"__null__";default:return e}}(t),e.has(t)||e.set(t,new Map),e.get(t)}function p(e,t){if("function"==typeof t)if(t.__cachedInputs__)for(var o=0,n=t.__cachedInputs__;o{"use strict";function n(e,t){return void 0!==e[t]&&null!==e[t]}o.d(t,{s:()=>n})},4932:(e,t,o)=>{"use strict";o.d(t,{S:()=>i});var n=o(2470),r=function(e){return function(t){for(var o=0,n=e.refs;o{"use strict";function n(){for(var e=[],t=0;tn})},1767:(e,t,o)=>{"use strict";o.d(t,{X:()=>l});var n=o(7622),r=o(5822),i={settings:{},scopedSettings:{},inCustomizerContext:!1},a=r.D.getValue("customizations",{settings:{},scopedSettings:{},inCustomizerContext:!1}),s=[],l=function(){function e(){}return e.reset=function(){a.settings={},a.scopedSettings={}},e.applySettings=function(t){a.settings=(0,n.pi)((0,n.pi)({},a.settings),t),e._raiseChange()},e.applyScopedSettings=function(t,o){a.scopedSettings[t]=(0,n.pi)((0,n.pi)({},a.scopedSettings[t]),o),e._raiseChange()},e.getSettings=function(e,t,o){void 0===o&&(o=i);for(var n={},r=t&&o.scopedSettings[t]||{},s=t&&a.scopedSettings[t]||{},l=0,c=e;l{"use strict";o.d(t,{N:()=>l});var n=o(7622),r=o(7002),i=o(1767),a=o(7576),s=o(8889),l=function(e){function t(){var t=null!==e&&e.apply(this,arguments)||this;return t._onCustomizationChange=function(){return t.forceUpdate()},t}return(0,n.ZT)(t,e),t.prototype.componentDidMount=function(){i.X.observe(this._onCustomizationChange)},t.prototype.componentWillUnmount=function(){i.X.unobserve(this._onCustomizationChange)},t.prototype.render=function(){var e=this,t=this.props.contextTransform;return r.createElement(a.i.Consumer,null,(function(o){var n=(0,s.u)(e.props,o);return t&&(n=t(n)),r.createElement(a.i.Provider,{value:n},e.props.children)}))},t}(r.Component)},7576:(e,t,o)=>{"use strict";o.d(t,{i:()=>n});var n=o(7002).createContext({customizations:{inCustomizerContext:!1,settings:{},scopedSettings:{}}})},6053:(e,t,o)=>{"use strict";o.d(t,{a:()=>c});var n=o(7622),r=o(7002),i=o(1767),a=o(1529),s=o(7576),l=o(3570);function c(e,t,o){return function(c){var u,d=((u=function(a){function u(e){var t=a.call(this,e)||this;return t._styleCache={},t._onSettingChanged=t._onSettingChanged.bind(t),t}return(0,n.ZT)(u,a),u.prototype.componentDidMount=function(){i.X.observe(this._onSettingChanged)},u.prototype.componentWillUnmount=function(){i.X.unobserve(this._onSettingChanged)},u.prototype.render=function(){var a=this;return r.createElement(s.i.Consumer,null,(function(s){var u=i.X.getSettings(t,e,s.customizations),d=a.props;if(u.styles&&"function"==typeof u.styles&&(u.styles=u.styles((0,n.pi)((0,n.pi)({},u),d))),o&&u.styles){if(a._styleCache.default!==u.styles||a._styleCache.component!==d.styles){var p=(0,l.m)(u.styles,d.styles);a._styleCache.default=u.styles,a._styleCache.component=d.styles,a._styleCache.merged=p}return r.createElement(c,(0,n.pi)({},u,d,{styles:a._styleCache.merged}))}return r.createElement(c,(0,n.pi)({},u,d))}))},u.prototype._onSettingChanged=function(){this.forceUpdate()},u}(r.Component)).displayName="Customized"+e,u);return(0,a.f)(c,d)}}},8889:(e,t,o)=>{"use strict";o.d(t,{u:()=>r});var n=o(3579);function r(e,t){var o=(t||{}).customizations,r=void 0===o?{settings:{},scopedSettings:{}}:o;return{customizations:{settings:(0,n.O)(r.settings,e.settings),scopedSettings:(0,n.J)(r.scopedSettings,e.scopedSettings),inCustomizerContext:!0}}}},3579:(e,t,o)=>{"use strict";o.d(t,{O:()=>r,J:()=>i});var n=o(7622);function r(e,t){return void 0===e&&(e={}),(a(t)?t:function(e){return function(t){return e?(0,n.pi)((0,n.pi)({},t),e):t}}(t))(e)}function i(e,t){return void 0===e&&(e={}),(a(t)?t:(void 0===(o=t)&&(o={}),function(e){var t=(0,n.pi)({},e);for(var r in o)o.hasOwnProperty(r)&&(t[r]=(0,n.pi)((0,n.pi)({},e[r]),o[r]));return t}))(e);var o}function a(e){return"function"==typeof e}},9296:(e,t,o)=>{"use strict";o.d(t,{D:()=>a});var n=o(7002),r=o(1767),i=o(7576);function a(e,t){var o,a=(o=n.useState(0)[1],function(){return o((function(e){return++e}))}),s=n.useContext(i.i).customizations,l=s.inCustomizerContext;return n.useEffect((function(){return l||r.X.observe(a),function(){l||r.X.unobserve(a)}}),[l]),r.X.getSettings(e,t,s)}},5446:(e,t,o)=>{"use strict";o.d(t,{M:()=>r});var n=o(6169);function r(e){if(!n.N&&"undefined"!=typeof document){var t=e;return t&&t.ownerDocument?t.ownerDocument:document}}},9757:(e,t,o)=>{"use strict";o.d(t,{J:()=>i});var n=o(6169),r=void 0;try{r=window}catch(e){}function i(e){if(!n.N&&void 0!==r){var t=e;return t&&t.ownerDocument&&t.ownerDocument.defaultView?t.ownerDocument.defaultView:r}}},9251:(e,t,o)=>{"use strict";function n(e,t,o,n){return e.addEventListener(t,o,n),function(){return e.removeEventListener(t,o,n)}}o.d(t,{on:()=>n})},3978:(e,t,o)=>{"use strict";function n(e){var t=function(e){var t;return"function"==typeof Event?t=new Event(e):(t=document.createEvent("Event")).initEvent(e,!0,!0),t}("MouseEvents");t.initEvent("click",!0,!0),e.dispatchEvent(t)}o.d(t,{x:()=>n})},6169:(e,t,o)=>{"use strict";o.d(t,{N:()=>n,T:()=>r});var n=!1;function r(e){n=e}},3774:(e,t,o)=>{"use strict";o.d(t,{c:()=>r});var n=o(9151);function r(e,t){for(var o in t)t.hasOwnProperty(o)&&(e[o]=(0,n.Z)(e,e[o],t[o]))}},4553:(e,t,o)=>{"use strict";o.d(t,{ft:()=>l,TE:()=>c,RK:()=>u,xY:()=>d,uo:()=>p,TD:()=>m,dc:()=>h,Jv:()=>g,MW:()=>f,jz:()=>v,gc:()=>b,WU:()=>y,mM:()=>_,um:()=>S,bF:()=>x,xu:()=>k});var n=o(5081),r=o(3345),i=o(6840),a=o(9757),s=o(5446);function l(e,t,o){return h(e,t,!0,!1,!1,o)}function c(e,t,o){return m(e,t,!0,!1,!0,o)}function u(e,t,o,n){return void 0===n&&(n=!0),h(e,t,n,!1,!1,o,!1,!0)}function d(e,t,o,n){return void 0===n&&(n=!0),m(e,t,n,!1,!0,o,!1,!0)}function p(e){var t=h(e,e,!0,!1,!1,!0);return!!t&&(S(t),!0)}function m(e,t,o,n,r,i,a,s){if(!t||!a&&t===e)return null;var l=g(t);if(r&&l&&(i||!v(t)&&!b(t))){var c=m(e,t.lastElementChild,!0,!0,!0,i,a,s);if(c){if(s&&f(c,!0)||!s)return c;var u=m(e,c.previousElementSibling,!0,!0,!0,i,a,s);if(u)return u;for(var d=c.parentElement;d&&d!==t;){var p=m(e,d.previousElementSibling,!0,!0,!0,i,a,s);if(p)return p;d=d.parentElement}}}return o&&l&&f(t,s)?t:m(e,t.previousElementSibling,!0,!0,!0,i,a,s)||(n?null:m(e,t.parentElement,!0,!1,!1,i,a,s))}function h(e,t,o,n,r,i,a,s){if(!t||t===e&&r&&!a)return null;var l=g(t);if(o&&l&&f(t,s))return t;if(!r&&l&&(i||!v(t)&&!b(t))){var c=h(e,t.firstElementChild,!0,!0,!1,i,a,s);if(c)return c}return t===e?null:h(e,t.nextElementSibling,!0,!0,!1,i,a,s)||(n?null:h(e,t.parentElement,!1,!1,!0,i,a,s))}function g(e){if(!e||!e.getAttribute)return!1;var t=e.getAttribute("data-is-visible");return null!=t?"true"===t:0!==e.offsetHeight||null!==e.offsetParent||!0===e.isVisible}function f(e,t){if(!e||e.disabled)return!1;var o=0,n=null;e&&e.getAttribute&&(n=e.getAttribute("tabIndex"))&&(o=parseInt(n,10));var r=e.getAttribute?e.getAttribute("data-is-focusable"):null,i=null!==n&&o>=0,a=!!e&&"false"!==r&&("A"===e.tagName||"BUTTON"===e.tagName||"INPUT"===e.tagName||"TEXTAREA"===e.tagName||"SELECT"===e.tagName||"true"===r||i);return t?-1!==o&&a:a}function v(e){return!!(e&&e.getAttribute&&e.getAttribute("data-focuszone-id"))}function b(e){return!(!e||!e.getAttribute||"true"!==e.getAttribute("data-is-sub-focuszone"))}function y(e){var t=(0,s.M)(e),o=t&&t.activeElement;return!(!o||!(0,r.t)(e,o))}function _(e,t){return"true"!==(0,n.j)(e,t)}var C=void 0;function S(e){if(e){if(C)return void(C=e);C=e;var t=(0,a.J)(e);t&&t.requestAnimationFrame((function(){C&&C.focus(),C=void 0}))}}function x(e,t){for(var o=e,n=0,r=t;n{"use strict";o.d(t,{z:()=>s,_:()=>l});var n=o(9757),r=o(729),i=(0,n.J)()||{};void 0===i.__currentId__&&(i.__currentId__=0);var a=!1;function s(e){if(!a){var t=r.Y.getInstance();t&&t.onReset&&t.onReset(l),a=!0}return(void 0===e?"id__":e)+i.__currentId__++}function l(e){void 0===e&&(e=0),i.__currentId__=e}},63:(e,t,o)=>{"use strict";o.d(t,{j:()=>r});var n=o(7622);function r(e,t){for(var o=(0,n.pi)({},t),r=0,i=Object.keys(e);r{"use strict";o.d(t,{W:()=>r,e:()=>i});var n=["setState","render","componentWillMount","UNSAFE_componentWillMount","componentDidMount","componentWillReceiveProps","UNSAFE_componentWillReceiveProps","shouldComponentUpdate","componentWillUpdate","getSnapshotBeforeUpdate","UNSAFE_componentWillUpdate","componentDidUpdate","componentWillUnmount"];function r(e,t,o){void 0===o&&(o=n);var r=[],i=function(n){"function"!=typeof t[n]||void 0!==e[n]||o&&-1!==o.indexOf(n)||(r.push(n),e[n]=function(){for(var e=[],o=0;o{"use strict";function n(e,t){for(var o in e)e.hasOwnProperty(o)&&(t[o]=e[o]);return t}o.d(t,{f:()=>n})},5036:(e,t,o)=>{"use strict";o.d(t,{f:()=>r});var n=o(9757),r=function(){var e,t,o=(0,n.J)();return!!(null===(t=null===(e=o)||void 0===e?void 0:e.navigator)||void 0===t?void 0:t.userAgent)&&o.navigator.userAgent.indexOf("rv:11.0")>-1}},688:(e,t,o)=>{"use strict";o.d(t,{l:()=>r});var n=o(3774);function r(e){(0,n.c)(e,{componentDidMount:i,componentDidUpdate:a,componentWillUnmount:s})}function i(){l(this.props.componentRef,this)}function a(e){e.componentRef!==this.props.componentRef&&(l(e.componentRef,null),l(this.props.componentRef,this))}function s(){l(this.props.componentRef,null)}function l(e,t){e&&("object"==typeof e?e.current=t:"function"==typeof e&&e(t))}},6104:(e,t,o)=>{"use strict";o.d(t,{Q:()=>l});var n=/[\(\[\{][^\)\]\}]*[\)\]\}]/g,r=/[\0-\u001F\!-/:-@\[-`\{-\u00BF\u0250-\u036F\uD800-\uFFFF]/g,i=/^\d+[\d\s]*(:?ext|x|)\s*\d+$/i,a=/\s+/g,s=/[\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]/;function l(e,t,o){return e?(e=function(e){return(e=(e=(e=e.replace(n,"")).replace(r,"")).replace(a," ")).trim()}(e),s.test(e)||!o&&i.test(e)?"":function(e,t){var o="",n=e.split(" ");return 2===n.length?(o+=n[0].charAt(0).toUpperCase(),o+=n[1].charAt(0).toUpperCase()):3===n.length?(o+=n[0].charAt(0).toUpperCase(),o+=n[2].charAt(0).toUpperCase()):0!==n.length&&(o+=n[0].charAt(0).toUpperCase()),t&&o.length>1?o.charAt(1)+o.charAt(0):o}(e,t)):""}},7414:(e,t,o)=>{"use strict";o.d(t,{L:()=>a,e:()=>s});var n,r=o(8145),i=((n={})[r.m.up]=1,n[r.m.down]=1,n[r.m.left]=1,n[r.m.right]=1,n[r.m.home]=1,n[r.m.end]=1,n[r.m.tab]=1,n[r.m.pageUp]=1,n[r.m.pageDown]=1,n);function a(e){return!!i[e]}function s(e){i[e]=1}},3856:(e,t,o)=>{"use strict";o.d(t,{G:()=>l,m:()=>c});var n,r=o(5446),i=o(9757),a=o(6982),s="language";function l(e){if(void 0===e&&(e="sessionStorage"),void 0===n){var t=(0,r.M)(),o="localStorage"===e?function(e){var t=null;try{var o=(0,i.J)();t=o?o.localStorage.getItem("language"):null}catch(e){}return t}():"sessionStorage"===e?a.r(s):void 0;o&&(n=o),void 0===n&&t&&(n=t.documentElement.getAttribute("lang")),void 0===n&&(n="en")}return n}function c(e,t){var o=(0,r.M)();o&&o.documentElement.setAttribute("lang",e);var l=!0===t?"none":t||"sessionStorage";"localStorage"===l?function(e,t){try{var o=(0,i.J)();o&&o.localStorage.setItem("language",t)}catch(e){}}(0,e):"sessionStorage"===l&&a.L(s,e),n=e}},8633:(e,t,o)=>{"use strict";function n(e,t){var o=e.left||e.x||0,n=e.top||e.y||0,r=t.left||t.x||0,i=t.top||t.y||0;return Math.sqrt(Math.pow(o-r,2)+Math.pow(n-i,2))}function r(e){var t,o=e.contentSize,n=e.boundsSize,r=e.mode,i=void 0===r?"contain":r,a=e.maxScale,s=void 0===a?1:a,l=o.width/o.height,c=n.width/n.height;t=("contain"===i?l>c:ln,nK:()=>r,oe:()=>i,F0:()=>a})},5094:(e,t,o)=>{"use strict";o.d(t,{rQ:()=>c,du:()=>u,HP:()=>d,NF:()=>p,Ct:()=>m});var n=o(729),r=!1,i=0,a={empty:!0},s={},l="undefined"==typeof WeakMap?null:WeakMap;function c(e){l=e}function u(){i++}function d(e,t,o){var n=p(o.value&&o.value.bind(null));return{configurable:!0,get:function(){return n}}}function p(e,t,o){if(void 0===t&&(t=100),void 0===o&&(o=!1),!l)return e;if(!r){var a=n.Y.getInstance();a&&a.onReset&&n.Y.getInstance().onReset(u),r=!0}var s,c=0,d=i;return function(){for(var n=[],r=0;r0&&c>t)&&(s=g(),c=0,d=i),a=s;for(var l=0;l{"use strict";function n(e){for(var t=[],o=1;o-1;e[n]=a?i:r(e[n]||{},i,o)}}return o.pop(),e}o.d(t,{T:()=>n})},8936:(e,t,o)=>{"use strict";o.d(t,{g:()=>n});var n=function(){return!!(window&&window.navigator&&window.navigator.userAgent)&&/iPad|iPhone|iPod/i.test(window.navigator.userAgent)}},6093:(e,t,o)=>{"use strict";o.d(t,{O:()=>r});var n=o(5446);function r(e){for(var t,o=[],r=(0,n.M)(e)||document;e!==r.body;){for(var i=0,a=e.parentElement.children;i{"use strict";function n(e,t){for(var o in e)if(e.hasOwnProperty(o)&&(!t.hasOwnProperty(o)||t[o]!==e[o]))return!1;for(var o in t)if(t.hasOwnProperty(o)&&!e.hasOwnProperty(o))return!1;return!0}function r(e){for(var t=[],o=1;on,f0:()=>r,lW:()=>i,vT:()=>a,VO:()=>s,CE:()=>l})},6479:(e,t,o)=>{"use strict";o.d(t,{V:()=>i});var n,r=o(9757);function i(e){if(void 0===n||e){var t=(0,r.J)(),o=t&&t.navigator.userAgent;n=!!o&&-1!==o.indexOf("Macintosh")}return!!n}},6670:(e,t,o)=>{"use strict";function n(e){return e.clientWidthn,cs:()=>r,zS:()=>i})},8127:(e,t,o)=>{"use strict";o.d(t,{WO:()=>r,Nf:()=>i,iY:()=>a,mp:()=>s,vF:()=>l,NI:()=>c,t$:()=>u,PT:()=>d,h2:()=>p,Yq:()=>m,Gg:()=>h,FI:()=>g,bL:()=>f,Qy:()=>v,$B:()=>b,PC:()=>y,fI:()=>_,IX:()=>C,YG:()=>S,qi:()=>x,NX:()=>k,SZ:()=>w,it:()=>I,X7:()=>D,n7:()=>T,pq:()=>E});var n=function(){for(var e=[],t=0;t=0||0===l.indexOf("data-")||0===l.indexOf("aria-"))||o&&-1!==(null===(n=o)||void 0===n?void 0:n.indexOf(l))||(i[l]=e[l])}return i}},8826:(e,t,o)=>{"use strict";o.d(t,{k:()=>i});var n=o(5094),r=(0,n.Ct)((function(e){return(0,n.Ct)((function(t){var o=(0,n.Ct)((function(e){return function(o){return t(o,e)}}));return function(n,r){return e(n,r?o(r):t)}}))}));function i(e,t){return r(e)(t)}},5951:(e,t,o)=>{"use strict";o.d(t,{zg:()=>c,ok:()=>u,dP:()=>d});var n,r=o(8145),i=o(5446),a=o(6982),s=o(6825),l="isRTL";function c(e){if(void 0===e&&(e={}),void 0!==e.rtl)return e.rtl;if(void 0===n){var t=(0,a.r)(l);null!==t&&u(n="1"===t);var o=(0,i.M)();void 0===n&&o&&(n="rtl"===(o.body&&o.body.getAttribute("dir")||o.documentElement.getAttribute("dir")),(0,s.ok)(n))}return!!n}function u(e,t){void 0===t&&(t=!1);var o=(0,i.M)();o&&o.documentElement.setAttribute("dir",e?"rtl":"ltr"),t&&(0,a.L)(l,e?"1":"0"),n=e,(0,s.ok)(n)}function d(e,t){return void 0===t&&(t={}),c(t)&&(e===r.m.left?e=r.m.right:e===r.m.right&&(e=r.m.left)),e}},2990:(e,t,o)=>{"use strict";o.d(t,{J:()=>r});var n=o(3774),r=function(e){var t;return function(o){t||(t=new Set,(0,n.c)(e,{componentWillUnmount:function(){t.forEach((function(e){return cancelAnimationFrame(e)}))}}));var r=requestAnimationFrame((function(){t.delete(r),o()}));t.add(r)}}},4948:(e,t,o)=>{"use strict";o.d(t,{c6:()=>c,C7:()=>u,eC:()=>d,Qp:()=>m,tG:()=>h,np:()=>g,zj:()=>f});var n,r=o(5446),i=o(9444),a=o(9757),s=0,l=(0,i.y)({overflow:"hidden !important"}),c="data-is-scrollable",u=function(e,t){if(e){var o=0,n=null;t.on(e,"touchstart",(function(e){1===e.targetTouches.length&&(o=e.targetTouches[0].clientY)}),{passive:!1}),t.on(e,"touchmove",(function(e){if(1===e.targetTouches.length&&(e.stopPropagation(),n)){var t=e.targetTouches[0].clientY-o,r=f(e.target);r&&(n=r),0===n.scrollTop&&t>0&&e.preventDefault(),n.scrollHeight-Math.ceil(n.scrollTop)<=n.clientHeight&&t<0&&e.preventDefault()}}),{passive:!1}),n=e}},d=function(e,t){e&&t.on(e,"touchmove",(function(e){e.stopPropagation()}),{passive:!1})},p=function(e){e.preventDefault()};function m(){var e=(0,r.M)();e&&e.body&&!s&&(e.body.classList.add(l),e.body.addEventListener("touchmove",p,{passive:!1,capture:!1})),s++}function h(){if(s>0){var e=(0,r.M)();e&&e.body&&1===s&&(e.body.classList.remove(l),e.body.removeEventListener("touchmove",p)),s--}}function g(){if(void 0===n){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),n=e.offsetWidth-e.clientWidth,document.body.removeChild(e)}return n}function f(e){for(var t=e,o=(0,r.M)(e);t&&t!==o.body;){if("true"===t.getAttribute(c))return t;t=t.parentElement}for(t=e;t&&t!==o.body;){if("false"!==t.getAttribute(c)){var n=getComputedStyle(t),i=n?n.getPropertyValue("overflow-y"):"";if(i&&("scroll"===i||"auto"===i))return t}t=t.parentElement}return t&&t!==o.body||(t=(0,a.J)(e)),t}},3297:(e,t,o)=>{"use strict";o.d(t,{Y:()=>i});var n=o(5238),r=o(9919),i=function(){function e(){for(var e=[],t=0;t0&&this._isAllSelected&&0===this._exemptedCount||!this._isAllSelected&&this._exemptedCount===e&&e>0},e.prototype.isKeySelected=function(e){var t=this._keyToIndexMap[e];return this.isIndexSelected(t)},e.prototype.isIndexSelected=function(e){return!!(this.count>0&&this._isAllSelected&&!this._exemptedIndices[e]&&!this._unselectableIndices[e]||!this._isAllSelected&&this._exemptedIndices[e])},e.prototype.setAllSelected=function(e){if(!e||this.mode===n.oW.multiple){var t=this._items?this._items.length-this._unselectableCount:0;this.setChangeEvents(!1),t>0&&(this._exemptedCount>0||e!==this._isAllSelected)&&(this._exemptedIndices={},(e!==this._isAllSelected||this._exemptedCount>0)&&(this._exemptedCount=0,this._isAllSelected=e,this._change()),this._updateCount()),this.setChangeEvents(!0)}},e.prototype.setKeySelected=function(e,t,o){var n=this._keyToIndexMap[e];n>=0&&this.setIndexSelected(n,t,o)},e.prototype.setIndexSelected=function(e,t,o){if(this.mode!==n.oW.none&&!((e=Math.min(Math.max(0,e),this._items.length-1))<0||e>=this._items.length)){this.setChangeEvents(!1);var r=this._exemptedIndices[e];!this._unselectableIndices[e]&&(t&&this.mode===n.oW.single&&this._setAllSelected(!1,!0),r&&(t&&this._isAllSelected||!t&&!this._isAllSelected)&&(delete this._exemptedIndices[e],this._exemptedCount--),!r&&(t&&!this._isAllSelected||!t&&this._isAllSelected)&&(this._exemptedIndices[e]=!0,this._exemptedCount++),o&&(this._anchoredIndex=e)),this._updateCount(),this.setChangeEvents(!0)}},e.prototype.selectToKey=function(e,t){this.selectToIndex(this._keyToIndexMap[e],t)},e.prototype.selectToIndex=function(e,t){if(this.mode!==n.oW.none)if(this.mode!==n.oW.single){var o=this._anchoredIndex||0,r=Math.min(e,o),i=Math.max(e,o);for(this.setChangeEvents(!1),t&&this._setAllSelected(!1,!0);r<=i;r++)this.setIndexSelected(r,!0,!1);this.setChangeEvents(!0)}else this.setIndexSelected(e,!0,!0)},e.prototype.toggleAllSelected=function(){this.setAllSelected(!this.isAllSelected())},e.prototype.toggleKeySelected=function(e){this.setKeySelected(e,!this.isKeySelected(e),!0)},e.prototype.toggleIndexSelected=function(e){this.setIndexSelected(e,!this.isIndexSelected(e),!0)},e.prototype.toggleRangeSelected=function(e,t){if(this.mode!==n.oW.none){var o=this.isRangeSelected(e,t),r=e+t;if(!(this.mode===n.oW.single&&t>1)){this.setChangeEvents(!1);for(var i=e;i0&&(this._exemptedCount>0||e!==this._isAllSelected)&&(this._exemptedIndices={},(e!==this._isAllSelected||this._exemptedCount>0)&&(this._exemptedCount=0,this._isAllSelected=e,this._change()),this._updateCount(t)),this.setChangeEvents(!0)}},e.prototype._change=function(){0===this._changeEventSuppressionCount?(this._selectedItems=null,this._selectedIndices=void 0,r.r.raise(this,n.F5),this._onSelectionChanged&&this._onSelectionChanged()):this._hasChanged=!0},e}();function a(e,t){var o=(e||{}).key;return void 0===o?""+t:o}},5238:(e,t,o)=>{"use strict";o.d(t,{F5:()=>i,oW:()=>n,a$:()=>r});var n,r,i="change";!function(e){e[e.none=0]="none",e[e.single=1]="single",e[e.multiple=2]="multiple"}(n||(n={})),function(e){e[e.horizontal=0]="horizontal",e[e.vertical=1]="vertical"}(r||(r={}))},6982:(e,t,o)=>{"use strict";o.d(t,{r:()=>r,L:()=>i});var n=o(9757);function r(e){var t=null;try{var o=(0,n.J)();t=o?o.sessionStorage.getItem(e):null}catch(e){}return t}function i(e,t){var o;try{null===(o=(0,n.J)())||void 0===o||o.sessionStorage.setItem(e,t)}catch(e){}}},6145:(e,t,o)=>{"use strict";o.d(t,{G$:()=>r,MU:()=>a});var n=o(9757),r="ms-Fabric--isFocusVisible",i="ms-Fabric--isFocusHidden";function a(e,t){var o=t?(0,n.J)(t):(0,n.J)();if(o){var a=o.document.body.classList;a.add(e?r:i),a.remove(e?i:r)}}},6953:(e,t,o)=>{"use strict";o.d(t,{W:()=>i});var n=/[\{\}]/g,r=/\{\d+\}/g;function i(e){for(var t=[],o=1;o{"use strict";o.d(t,{z:()=>l});var n=o(7622),r=o(7002),i=o(965),a=o(9296),s=["theme","styles"];function l(e,t,o,l,c){var u=(l=l||{scope:"",fields:void 0}).scope,d=l.fields,p=void 0===d?s:d,m=r.forwardRef((function(s,l){var c=r.useRef(),d=(0,a.D)(p,u),m=d.styles,h=(d.dir,(0,n._T)(d,["styles","dir"])),g=o?o(s):void 0,f=c.current&&c.current.__cachedInputs__||[];if(!c.current||m!==f[1]||s.styles!==f[2]){var v=function(e){return(0,i.l)(e,t,m,s.styles)};v.__cachedInputs__=[t,m,s.styles],v.__noStyleOverride__=!m&&!s.styles,c.current=v}return r.createElement(e,(0,n.pi)({ref:l},h,g,s,{styles:c.current}))}));m.displayName="Styled"+(e.displayName||e.name);var h=c?r.memo(m):m;return m.displayName&&(h.displayName=m.displayName),h}},5480:(e,t,o)=>{"use strict";o.d(t,{P:()=>c,u:()=>u});var n=o(7002),r=o(9757),i=o(7414),a=o(6145),s=new WeakMap;function l(e,t){var o,n=s.get(e);return o=n?n+t:1,s.set(e,o),o}function c(e){n.useEffect((function(){var t,o,n=(0,r.J)(null===(t=e)||void 0===t?void 0:t.current);if(n&&!0!==(null===(o=n.FabricConfig)||void 0===o?void 0:o.disableFocusRects)){var i=l(n,1);return i<=1&&(n.addEventListener("mousedown",d,!0),n.addEventListener("pointerdown",p,!0),n.addEventListener("keydown",m,!0)),function(){var e;n&&!0!==(null===(e=n.FabricConfig)||void 0===e?void 0:e.disableFocusRects)&&0===(i=l(n,-1))&&(n.removeEventListener("mousedown",d,!0),n.removeEventListener("pointerdown",p,!0),n.removeEventListener("keydown",m,!0))}}}),[e])}var u=function(e){return c(e.rootRef),null};function d(e){(0,a.MU)(!1,e.target)}function p(e){"mouse"!==e.pointerType&&(0,a.MU)(!1,e.target)}function m(e){(0,i.L)(e.which)&&(0,a.MU)(!0,e.target)}},687:(e,t,o)=>{"use strict";function n(e){console&&console.warn&&console.warn(e)}function r(e){}o.d(t,{Z:()=>n,U:()=>r})},5415:(e,t,o)=>{"use strict";function n(e,t,o,n,r){}o.d(t,{w:()=>n}),o(687)},5301:(e,t,o)=>{"use strict";function n(){}function r(e){}o.d(t,{G:()=>n,Q:()=>r})},3129:(e,t,o)=>{"use strict";function n(e,t,o){}o.d(t,{b:()=>n})},209:(e,t,o)=>{"use strict";function n(e,t,o){}o.d(t,{L:()=>n})},4976:(e,t,o)=>{"use strict";o.d(t,{RM:()=>d,jz:()=>m});var n,r=function(){return(r=Object.assign||function(e){for(var t,o=1,n=arguments.length;oo&&t.push({rawString:e.substring(o,r)}),t.push({theme:n[1],defaultValue:n[2]}),o=l.lastIndex}t.push({rawString:e.substring(o)})}return t}(e),n=s.runState,r=n.mode,i=n.buffer,a=n.flushTimer;t||1===r?(i.push(o),a||(s.runState.flushTimer=setTimeout((function(){s.runState.flushTimer=0,u((function(){var e=s.runState.buffer.slice();s.runState.buffer=[];var t=[].concat.apply([],e);t.length>0&&p(t)}))}),0))):p(o)}))}function p(e,t){s.loadStyles?s.loadStyles(g(e).styleString,e):function(e){if("undefined"!=typeof document){var t=document.getElementsByTagName("head")[0],o=document.createElement("style"),n=g(e),r=n.styleString,i=n.themable;o.setAttribute("data-load-themed-styles","true"),a&&o.setAttribute("nonce",a),o.appendChild(document.createTextNode(r)),s.perf.count++,t.appendChild(o);var l=document.createEvent("HTMLEvents");l.initEvent("styleinsert",!0,!1),l.args={newStyle:o},document.dispatchEvent(l);var c={styleElement:o,themableStyle:e};i?s.registeredThemableStyles.push(c):s.registeredStyles.push(c)}}(e)}function m(e){s.theme=e,function(){if(s.theme){for(var e=[],t=0,o=s.registeredThemableStyles;t0&&(void 0===(r=1)&&(r=3),3!==r&&2!==r||(h(s.registeredStyles),s.registeredStyles=[]),3!==r&&1!==r||(h(s.registeredThemableStyles),s.registeredThemableStyles=[]),p([].concat.apply([],e)))}var r}()}function h(e){e.forEach((function(e){var t=e&&e.styleElement;t&&t.parentElement&&t.parentElement.removeChild(t)}))}function g(e){var t=s.theme,o=!1;return{styleString:(e||[]).map((function(e){var n=e.theme;if(n){o=!0;var r=t?t[n]:void 0,i=e.defaultValue||"inherit";return t&&!r&&console&&!(n in t)&&"undefined"!=typeof DEBUG&&DEBUG&&console.warn('Theming value not provided for "'+n+'". Falling back to "'+i+'".'),r||i}return e.rawString})).join(""),themable:o}}},7622:(e,t,o)=>{"use strict";o.d(t,{ZT:()=>r,pi:()=>i,_T:()=>a,gn:()=>s,pr:()=>l});var n=function(e,t){return(n=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var o in t)t.hasOwnProperty(o)&&(e[o]=t[o])})(e,t)};function r(e,t){function o(){this.constructor=e}n(e,t),e.prototype=null===t?Object.create(t):(o.prototype=t.prototype,new o)}var i=function(){return(i=Object.assign||function(e){for(var t,o=1,n=arguments.length;o=0;s--)(r=e[s])&&(a=(i<3?r(a):i>3?r(t,o,a):r(t,o))||a);return i>3&&a&&Object.defineProperty(t,o,a),a}function l(){for(var e=0,t=0,o=arguments.length;t{"use strict";o.r(t),o.d(t,{ActionButton:()=>R,Calendar:()=>H,Checkbox:()=>O,ChoiceGroup:()=>W,ColorPicker:()=>V,ComboBox:()=>K,CommandBarButton:()=>N,CommandButton:()=>B,CompoundButton:()=>F,DatePicker:()=>q,DefaultButton:()=>L,Dropdown:()=>G,IconButton:()=>A,NormalPeoplePicker:()=>U,PrimaryButton:()=>z,Rating:()=>j,SearchBox:()=>J,Slider:()=>Y,SpinButton:()=>Z,SwatchColorPicker:()=>X,TextField:()=>Q,Toggle:()=>$});var n=o(2898),r=o(1420),i=o(990),a=o(8959),s=o(9632),l=o(5758),c=o(8924),u=o(4977),d=o(2777),p=o(9240),m=o(6847),h=o(610),g=o(127),f=o(4004),v=o(9318),b=o(558),y=o(6419),_=o(4107),C=o(3134),S=o(9502),x=o(8623),k=o(1431);const w=jsmodule["@/shiny.react"];var I=o(7002);function D(e){return function(e){if(Array.isArray(e))return E(e)}(e)||function(e){if("undefined"!=typeof Symbol&&Symbol.iterator in Object(e))return Array.from(e)}(e)||T(e)||function(){throw new TypeError("Invalid attempt to spread non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}()}function T(e,t){if(e){if("string"==typeof e)return E(e,t);var o=Object.prototype.toString.call(e).slice(8,-1);return"Object"===o&&e.constructor&&(o=e.constructor.name),"Map"===o||"Set"===o?Array.from(e):"Arguments"===o||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(o)?E(e,t):void 0}}function E(e,t){(null==t||t>e.length)&&(t=e.length);for(var o=0,n=new Array(t);o2&&void 0!==arguments[2]?arguments[2]:", ",n=new Set(t);return e.filter((function(e){return n.has(e.key)})).map((function(e){return null==e?void 0:e.text})).join(o)}var R=(0,w.ButtonAdapter)(n.K),N=(0,w.ButtonAdapter)(r.Q),B=(0,w.ButtonAdapter)(i.M),F=(0,w.ButtonAdapter)(a.W),L=(0,w.ButtonAdapter)(s.a),A=(0,w.ButtonAdapter)(l.h),z=(0,w.ButtonAdapter)(c.K),H=(0,w.InputAdapter)(u.f,(function(e,t){return{value:e?new Date(e):new Date,onSelectDate:t}})),O=(0,w.InputAdapter)(d.X,(function(e,t){return{checked:e,onChange:function(e,o){return t(o)}}})),W=(0,w.InputAdapter)(p.F,(function(e,t){return{selectedKey:e,onChange:function(e,o){return t(o.key)}}})),V=(0,w.InputAdapter)(m.z,(function(e,t){return{color:e,onChange:function(e,o){return t(o.str)}}}),{policy:w.debounce,delay:250}),K=(0,w.InputAdapter)(h.C,(function(e,t,o){var n,r,i=(n=(0,I.useState)(o.options),r=2,function(e){if(Array.isArray(e))return e}(n)||function(e,t){if("undefined"!=typeof Symbol&&Symbol.iterator in Object(e)){var o=[],n=!0,r=!1,i=void 0;try{for(var a,s=e[Symbol.iterator]();!(n=(a=s.next()).done)&&(o.push(a.value),!t||o.length!==t);n=!0);}catch(e){r=!0,i=e}finally{try{n||null==s.return||s.return()}finally{if(r)throw i}}return o}}(n,r)||T(n,r)||function(){throw new TypeError("Invalid attempt to destructure non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}()),a=i[0],s=i[1];return{selectedKey:e,text:"string"==typeof e?e:M(a,e,o.multiSelectDelimiter||", "),options:a,onChange:function(n,r,i,l){var c=(null==r?void 0:r.key)||l,u=r||{key:c,text:l};null!=o&&o.allowFreeform&&!r&&l&&s((function(e){return[].concat(D(e),[u])})),o.multiSelect&&(c=P(u,e,a)),t(c)}}}),{policy:w.debounce,delay:250}),q=(0,w.InputAdapter)(g.M,(function(e,t){return{value:e?new Date(e):void 0,onSelectDate:t}})),G=(0,w.InputAdapter)(f.L,(function(e,t,o){return{selectedKeys:e,selectedKey:e,onChange:function(n,r){o.multiSelect?t(P(r,e,o.options)):t(r.key)}}})),U=(0,w.InputAdapter)(v.cA,(function(e,t,o){return{onResolveSuggestions:function(e,t){return o.options.filter((function(o){return!t.includes(o)&&o.text.toLowerCase().startsWith(e.toLowerCase())}))},onEmptyInputFocus:function(e){return o.options.filter((function(t){return!e.includes(t)}))},getTextFromItem:function(e){return e.text},onChange:function(e){return t(e.map((function(e){return e.key})))}}})),j=(0,w.InputAdapter)(b.i,(function(e,t){return{rating:e,onChange:function(e,o){return t(o)}}})),J=(0,w.InputAdapter)(y.R,(function(e,t){return{value:e,onChange:function(e,o){return t(o)}}}),{policy:w.debounce,delay:250}),Y=(0,w.InputAdapter)(_.i,(function(e,t){return{value:e,onChange:t}}),{policy:w.debounce,delay:250}),Z=(0,w.InputAdapter)(C.k,(function(e,t){return{value:e,onChange:function(e,o){return o&&t(Number(o))}}}),{policy:w.debounce,delay:250}),X=(0,w.InputAdapter)(S.U,(function(e,t){return{selectedId:e,onChange:function(e,o){return t(o)}}})),Q=(0,w.InputAdapter)(x.n,(function(e,t){return{value:e,onChange:function(e,o){return t(o)}}}),{policy:w.debounce,delay:250}),$=(0,w.InputAdapter)(k.Z,(function(e,t){return{checked:e,onChange:function(e,o){return t(o)}}}))},4686:(e,t,o)=>{function n(e,t){var o=Object.keys(e);if(Object.getOwnPropertySymbols){var n=Object.getOwnPropertySymbols(e);t&&(n=n.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),o.push.apply(o,n)}return o}function r(e){for(var t=1;t{"use strict";e.exports=jsmodule.react}},t={};function o(n){if(t[n])return t[n].exports;var r=t[n]={exports:{}};return e[n](r,r.exports,o),r.exports}o.n=e=>{var t=e&&e.__esModule?()=>e.default:()=>e;return o.d(t,{a:t}),t},o.d=(e,t)=>{for(var n in t)o.o(t,n)&&!o.o(e,n)&&Object.defineProperty(e,n,{enumerable:!0,get:t[n]})},o.g=function(){if("object"==typeof globalThis)return globalThis;try{return this||new Function("return this")()}catch(e){if("object"==typeof window)return window}}(),o.o=(e,t)=>Object.prototype.hasOwnProperty.call(e,t),o.r=e=>{"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(e,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(e,"__esModule",{value:!0})},(()=>{"use strict";o(4686),(0,o(2481).l)()})()})(); \ No newline at end of file From 71076243bc8b44ba7bab479b9abecf2137bd0764 Mon Sep 17 00:00:00 2001 From: Jakub Sobolewski Date: Wed, 13 Sep 2023 16:21:14 +0200 Subject: [PATCH 10/19] chore: install shiny.react from remote --- .github/workflows/ci.yml | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/.github/workflows/ci.yml b/.github/workflows/ci.yml index c5c1891c..f41f5d2b 100644 --- a/.github/workflows/ci.yml +++ b/.github/workflows/ci.yml @@ -33,6 +33,10 @@ jobs: run: yarn install working-directory: js + - name: Install shiny.react + run: | + Rscript -e 'remotes::install_github("Appsilon/shiny.react@override-props")' + - name: R CMD check if: always() uses: r-lib/actions/check-r-package@v2 From ddea2aba774fb27a875f2af821d92b202160ae27 Mon Sep 17 00:00:00 2001 From: Jakub Sobolewski Date: Thu, 14 Sep 2023 14:24:04 +0200 Subject: [PATCH 11/19] fix: e2e tests app --- inst/examples/e2e-test/R/fluentInputs.R | 46 +++++++++---------- .../integration/e2e-test/fluentComponents.js | 2 +- 2 files changed, 24 insertions(+), 24 deletions(-) diff --git a/inst/examples/e2e-test/R/fluentInputs.R b/inst/examples/e2e-test/R/fluentInputs.R index 29d57299..a0dad38a 100644 --- a/inst/examples/e2e-test/R/fluentInputs.R +++ b/inst/examples/e2e-test/R/fluentInputs.R @@ -30,7 +30,7 @@ fluentInputsUI <- function(id) { actionButton(ns("toggleInputs"), "Toggle visibility"), wellPanel( uiOutput(ns("panelFluent")) - ) + ) ) } @@ -41,54 +41,54 @@ fluentInputsServer <- function(id) { observeEvent(input$toggleInputs, { show(!show()) }) - + output$panelFluent <- renderUI({ if (!show()) return(strong("Items are hidden")) div( h4("Slider"), Slider.shinyInput(ns("sliderInput"), value = 0, min = -100, max = 234), textOutput(ns("sliderInputValue")), - + h4("TextField"), TextField.shinyInput(ns("textField")), textOutput(ns("textFieldValue")), - + h4("Checkbox"), Checkbox.shinyInput(ns("checkbox"), value = FALSE), textOutput(ns("checkboxValue")), - + h4("Rating"), Rating.shinyInput(ns("rating"), value = 2), textOutput(ns("ratingValue")), - + h4("SpinButton"), SpinButton.shinyInput(ns("spinButton"), value = 15, min = 0, max = 50, step = 5), textOutput(ns("spinButtonValue")), - + h4("Calendar"), Calendar.shinyInput(ns("calendar"), className = "calendar", value = "2020-06-25T12:00:00.000Z", strings = dayPickerStrings), textOutput(ns("calendarValue")), - + h4("Calendar - Default value"), Calendar.shinyInput(ns("calendarDefault"), className = "calendarDefault", strings = dayPickerStrings), textOutput(ns("calendarDefaultValue")), - + h4("Calendar - NULL value"), Calendar.shinyInput(ns("calendarNull"), className = "calendarNull", value = NULL, strings = dayPickerStrings), textOutput(ns("calendarNullValue")), - + h4("ChoiceGroup"), ChoiceGroup.shinyInput(ns("choiceGroup"), value = "B", options = options), textOutput(ns("choiceGroupValue")), - + h4("ColorPicker"), ColorPicker.shinyInput(ns("colorPicker"), value = "#00FF01"), textOutput(ns("colorPickerValue")), - + h4("ComboBox"), - ComboBox.shinyInput(ns("comboBox"), value = list(text = "some text"), options = options, allowFreeform = TRUE), + ComboBox.shinyInput(ns("comboBox"), value = "some text", options = options, allowFreeform = TRUE), textOutput(ns("comboBoxValue")), - + h4("Dropdown"), Dropdown.shinyInput(ns("dropdown"), value = "A", options = options), textOutput(ns("dropdownValue")), @@ -96,33 +96,33 @@ fluentInputsServer <- function(id) { h4("Dropdown - Multiselect"), Dropdown.shinyInput(ns("dropdownMultiselect"), value = c("A", "C"), options = options, multiSelect = TRUE), textOutput(ns("dropdownMultiselectValue")), - + h4("DatePicker"), DatePicker.shinyInput(ns("datePicker"), value = "2020-06-25T12:00:00.000Z", strings = dayPickerStrings), textOutput(ns("datePickerValue")), - + h4("DatePicker - Default value"), DatePicker.shinyInput(ns("datePickerDefault"), strings = dayPickerStrings), textOutput(ns("datePickerDefaultValue")), - + h4("DatePicker - NULL value"), DatePicker.shinyInput(ns("datePickerNull"), value = NULL, strings = dayPickerStrings, placeholder = "I am placeholder!"), textOutput(ns("datePickerNullValue")), - + h4("SwatchColorPicker"), SwatchColorPicker.shinyInput(ns("swatchColorPicker"), value = "orange", colorCells = colorCells, columnCount = length(colorCells)), textOutput(ns("swatchColorPickerValue")), - + h4("Toggle"), Toggle.shinyInput(ns("toggle"), value = TRUE), textOutput(ns("toggleValue")), - + h4("SearchBox"), SearchBox.shinyInput(ns("searchBox"), placeholder = "Search"), textOutput(ns("searchBoxValue")) ) }) - + observeEvent(input$updateInputs, { updateSlider.shinyInput(session, "sliderInput", value = input$sliderInput + 100) updateTextField.shinyInput(session, "textField", value = paste0(input$textField, "new text")) @@ -132,7 +132,7 @@ fluentInputsServer <- function(id) { updateCalendar.shinyInput(session, "calendar", value = "2015-06-25T12:00:00.000Z") updateChoiceGroup.shinyInput(session, "choiceGroup", value = "C") updateColorPicker.shinyInput(session, "colorPicker", value = "#FFFFFF") - updateComboBox.shinyInput(session, "comboBox", value = options[[2]]) + updateComboBox.shinyInput(session, "comboBox", value = "C") updateDropdown.shinyInput(session, "dropdown", value = "C") updateDropdown.shinyInput(session, "dropdownMultiselect", options = updatedOptions, value = c("X", "Z")) updateCalendar.shinyInput(session, "datePicker", value = "2015-06-25T12:00:00.000Z") @@ -140,7 +140,7 @@ fluentInputsServer <- function(id) { updateToggle.shinyInput(session, "toggle", value = FALSE) updateSearchBox.shinyInput(session, "searchBox", value = "query") }) - + ids <- c( "sliderInput", "textField", "checkbox", "rating", "spinButton", "calendar", "calendarDefault", "calendarNull", "choiceGroup", "colorPicker", "comboBox", "dropdown", "dropdownMultiselect", "datePicker", "datePickerDefault", "datePickerNull", "swatchColorPicker", "toggle", "searchBox" diff --git a/js/cypress/integration/e2e-test/fluentComponents.js b/js/cypress/integration/e2e-test/fluentComponents.js index f91014a1..448bdb64 100644 --- a/js/cypress/integration/e2e-test/fluentComponents.js +++ b/js/cypress/integration/e2e-test/fluentComponents.js @@ -525,7 +525,7 @@ describe('Update from server works', () => { }); it('ComboBox.shinyInput() works', () => { - comboBoxDefaultTest('Option B', 'B'); + comboBoxDefaultTest('Option C', 'C'); }); it('Dropdown.shinyInput() works', () => { From 29796a873cebea6684f5d0b8caaa3ef73f78b6f4 Mon Sep 17 00:00:00 2001 From: Jakub Sobolewski Date: Thu, 14 Sep 2023 14:24:21 +0200 Subject: [PATCH 12/19] fix: display text after server side update --- js/src/inputs.jsx | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/js/src/inputs.jsx b/js/src/inputs.jsx index f25585df..3907379e 100644 --- a/js/src/inputs.jsx +++ b/js/src/inputs.jsx @@ -54,7 +54,7 @@ export const ComboBox = InputAdapter(Fluent.ComboBox, (value, setValue, props) = const [options, setOptions] = useState(props.options); return ({ selectedKey: value, - text: (typeof value === 'string') ? value : getSelectedOptionText(options, value, props.multiSelectDelimiter || ', '), + text: getSelectedOptionText(options, value, props.multiSelectDelimiter || ', ') || value, options, onChange: (_event, option, _index, text) => { let key = option?.key || text; From 6cadc1ac393b34d69ba883dd8b7d25a24afeb4b9 Mon Sep 17 00:00:00 2001 From: Jakub Sobolewski Date: Thu, 14 Sep 2023 14:25:37 +0200 Subject: [PATCH 13/19] chore: build js --- inst/www/shiny.fluent/shiny-fluent.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/inst/www/shiny.fluent/shiny-fluent.js b/inst/www/shiny.fluent/shiny-fluent.js index b314ca20..4f78fd9c 100644 --- a/inst/www/shiny.fluent/shiny-fluent.js +++ b/inst/www/shiny.fluent/shiny-fluent.js @@ -1,2 +1,2 @@ /*! For license information please see shiny-fluent.js.LICENSE.txt */ -(()=>{var e={6786:(e,t,o)=>{"use strict";o.d(t,{mR:()=>r,tf:()=>i});var n=o(7622),r={formatDay:function(e){return e.getDate().toString()},formatMonth:function(e,t){return t.months[e.getMonth()]},formatYear:function(e){return e.getFullYear().toString()},formatMonthDayYear:function(e,t){return t.months[e.getMonth()]+" "+e.getDate()+", "+e.getFullYear()},formatMonthYear:function(e,t){return t.months[e.getMonth()]+" "+e.getFullYear()}},i=(0,n.pi)((0,n.pi)({},{months:["January","February","March","April","May","June","July","August","September","October","November","December"],shortMonths:["Jan","Feb","Mar","Apr","May","Jun","Jul","Aug","Sep","Oct","Nov","Dec"],days:["Sunday","Monday","Tuesday","Wednesday","Thursday","Friday","Saturday"],shortDays:["S","M","T","W","T","F","S"]}),{goToToday:"Go to today",weekNumberFormatString:"Week number {0}",prevMonthAriaLabel:"Previous month",nextMonthAriaLabel:"Next month",prevYearAriaLabel:"Previous year",nextYearAriaLabel:"Next year",prevYearRangeAriaLabel:"Previous year range",nextYearRangeAriaLabel:"Next year range",closeButtonAriaLabel:"Close",selectedDateFormatString:"Selected date {0}",todayDateFormatString:"Today's date {0}",monthPickerHeaderAriaLabel:"{0}, change year",yearPickerHeaderAriaLabel:"{0}, change month",dayMarkedAriaLabel:"marked"})},6974:(e,t,o)=>{"use strict";o.d(t,{E4:()=>i,jh:()=>a,zI:()=>s,Bc:()=>l,pU:()=>c,D7:()=>u,W8:()=>d,Q9:()=>p,q0:()=>m,aN:()=>h,NJ:()=>g,e0:()=>f,le:()=>v,iU:()=>b,uW:()=>y,wu:()=>_,Hx:()=>C,c8:()=>x});var n=o(1093),r=o(7433);function i(e,t){var o=new Date(e.getTime());return o.setDate(o.getDate()+t),o}function a(e,t){return i(e,t*r.r.DaysInOneWeek)}function s(e,t){var o=new Date(e.getTime()),n=o.getMonth()+t;return o.setMonth(n),o.getMonth()!==(n%r.r.MonthInOneYear+r.r.MonthInOneYear)%r.r.MonthInOneYear&&(o=i(o,-o.getDate())),o}function l(e,t){var o=new Date(e.getTime());return o.setFullYear(e.getFullYear()+t),o.getMonth()!==(e.getMonth()%r.r.MonthInOneYear+r.r.MonthInOneYear)%r.r.MonthInOneYear&&(o=i(o,-o.getDate())),o}function c(e){return new Date(e.getFullYear(),e.getMonth(),1,0,0,0,0)}function u(e){return new Date(e.getFullYear(),e.getMonth()+1,0,0,0,0,0)}function d(e){return new Date(e.getFullYear(),0,1,0,0,0,0)}function p(e){return new Date(e.getFullYear()+1,0,0,0,0,0,0)}function m(e,t){return s(e,t-e.getMonth())}function h(e,t){return!e&&!t||!(!e||!t)&&e.getFullYear()===t.getFullYear()&&e.getMonth()===t.getMonth()&&e.getDate()===t.getDate()}function g(e,t){return x(e)-x(t)}function f(e,t,o,a,l){void 0===l&&(l=1);var c,u=[],d=null;switch(a||(a=[n.eO.Monday,n.eO.Tuesday,n.eO.Wednesday,n.eO.Thursday,n.eO.Friday]),l=Math.max(l,1),t){case n.NU.Day:d=i(c=S(e),l);break;case n.NU.Week:case n.NU.WorkWeek:d=i(c=_(S(e),o),r.r.DaysInOneWeek);break;case n.NU.Month:d=s(c=new Date(e.getFullYear(),e.getMonth(),1),1);break;default:throw new Error("Unexpected object: "+t)}var p=c;do{(t!==n.NU.WorkWeek||-1!==a.indexOf(p.getDay()))&&u.push(p),p=i(p,1)}while(!h(p,d));return u}function v(e,t){for(var o=0,n=t;o0&&(o-=r.r.DaysInOneWeek),i(e,o)}function C(e,t){var o=(t-1>=0?t-1:r.r.DaysInOneWeek-1)-e.getDay();return o<0&&(o+=r.r.DaysInOneWeek),i(e,o)}function S(e){return new Date(e.getFullYear(),e.getMonth(),e.getDate())}function x(e){return e.getDate()+(e.getMonth()<<5)+(e.getFullYear()<<9)}function k(e,t,o){var i=w(e)-1,a=e.getDay()-i%r.r.DaysInOneWeek,s=w(new Date(e.getFullYear()-1,n.m2.December,31))-1,l=(t-a+2*r.r.DaysInOneWeek)%r.r.DaysInOneWeek;0!==l&&l>=o&&(l-=r.r.DaysInOneWeek);var c=i-l;return c<0&&(0!=(l=(t-(a-=s%r.r.DaysInOneWeek)+2*r.r.DaysInOneWeek)%r.r.DaysInOneWeek)&&l+1>=o&&(l-=r.r.DaysInOneWeek),c=s-l),Math.floor(c/r.r.DaysInOneWeek+1)}function w(e){for(var t=e.getMonth(),o=e.getFullYear(),n=0,r=0;r{"use strict";var n,r,i,a;o.d(t,{eO:()=>n,m2:()=>r,On:()=>i,NU:()=>a,NA:()=>s}),function(e){e[e.Sunday=0]="Sunday",e[e.Monday=1]="Monday",e[e.Tuesday=2]="Tuesday",e[e.Wednesday=3]="Wednesday",e[e.Thursday=4]="Thursday",e[e.Friday=5]="Friday",e[e.Saturday=6]="Saturday"}(n||(n={})),function(e){e[e.January=0]="January",e[e.February=1]="February",e[e.March=2]="March",e[e.April=3]="April",e[e.May=4]="May",e[e.June=5]="June",e[e.July=6]="July",e[e.August=7]="August",e[e.September=8]="September",e[e.October=9]="October",e[e.November=10]="November",e[e.December=11]="December"}(r||(r={})),function(e){e[e.FirstDay=0]="FirstDay",e[e.FirstFullWeek=1]="FirstFullWeek",e[e.FirstFourDayWeek=2]="FirstFourDayWeek"}(i||(i={})),function(e){e[e.Day=0]="Day",e[e.Week=1]="Week",e[e.Month=2]="Month",e[e.WorkWeek=3]="WorkWeek"}(a||(a={}));var s=7},7433:(e,t,o)=>{"use strict";o.d(t,{r:()=>n});var n={MillisecondsInOneDay:864e5,MillisecondsIn1Sec:1e3,MillisecondsIn1Min:6e4,MillisecondsIn30Mins:18e5,MillisecondsIn1Hour:36e5,MinutesInOneDay:1440,MinutesInOneHour:60,DaysInOneWeek:7,MonthInOneYear:12}},3345:(e,t,o)=>{"use strict";o.d(t,{t:()=>r});var n=o(6840);function r(e,t,o){void 0===o&&(o=!0);var r=!1;if(e&&t)if(o)if(e===t)r=!0;else for(r=!1;t;){var i=(0,n.G)(t);if(i===e){r=!0;break}t=i}else e.contains&&(r=e.contains(t));return r}},5081:(e,t,o)=>{"use strict";o.d(t,{j:()=>r});var n=o(8023);function r(e,t){var o=(0,n.X)(e,(function(e){return e.hasAttribute(t)}));return o&&o.getAttribute(t)}},8023:(e,t,o)=>{"use strict";o.d(t,{X:()=>r});var n=o(6840);function r(e,t){return e&&e!==document.body?t(e)?e:r((0,n.G)(e),t):null}},6840:(e,t,o)=>{"use strict";o.d(t,{G:()=>r});var n=o(9157);function r(e,t){return void 0===t&&(t=!0),e&&(t&&(0,n.r)(e)||e.parentNode&&e.parentNode)}},9157:(e,t,o)=>{"use strict";o.d(t,{r:()=>r});var n=o(7876);function r(e){var t;return e&&(0,n.r)(e)&&(t=e._virtual.parent),t}},7876:(e,t,o)=>{"use strict";function n(e){return e&&!!e._virtual}o.d(t,{r:()=>n})},7466:(e,t,o)=>{"use strict";o.d(t,{w:()=>i});var n=o(8023),r=o(8308);function i(e,t){var o=(0,n.X)(e,(function(e){return t===e||e.hasAttribute(r.Y)}));return null!==o&&o.hasAttribute(r.Y)}},8308:(e,t,o)=>{"use strict";o.d(t,{Y:()=>n,U:()=>r});var n="data-portal-element";function r(e){e.setAttribute(n,"true")}},7829:(e,t,o)=>{"use strict";function n(e,t){var o=e,n=t;o._virtual||(o._virtual={children:[]});var r=o._virtual.parent;if(r&&r!==t){var i=r._virtual.children.indexOf(o);i>-1&&r._virtual.children.splice(i,1)}o._virtual.parent=n||void 0,n&&(n._virtual||(n._virtual={children:[]}),n._virtual.children.push(o))}o.d(t,{N:()=>n})},2481:(e,t,o)=>{"use strict";o.d(t,{l:()=>x});var n=o(9729);function r(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons"',src:"url('"+e+"fabric-icons-a13498cf.woff') format('woff')"},icons:{GlobalNavButton:"",ChevronDown:"",ChevronUp:"",Edit:"",Add:"",Cancel:"",More:"",Settings:"",Mail:"",Filter:"",Search:"",Share:"",BlockedSite:"",FavoriteStar:"",FavoriteStarFill:"",CheckMark:"",Delete:"",ChevronLeft:"",ChevronRight:"",Calendar:"",Megaphone:"",Undo:"",Flag:"",Page:"",Pinned:"",View:"",Clear:"",Download:"",Upload:"",Folder:"",Sort:"",AlignRight:"",AlignLeft:"",Tag:"",AddFriend:"",Info:"",SortLines:"",List:"",CircleRing:"",Heart:"",HeartFill:"",Tiles:"",Embed:"",Glimmer:"",Ascending:"",Descending:"",SortUp:"",SortDown:"",SyncToPC:"",LargeGrid:"",SkypeCheck:"",SkypeClock:"",SkypeMinus:"",ClearFilter:"",Flow:"",StatusCircleCheckmark:"",MoreVertical:""}};(0,n.fm)(o,t)}function i(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-0"',src:"url('"+e+"fabric-icons-0-467ee27f.woff') format('woff')"},icons:{PageLink:"",CommentSolid:"",ChangeEntitlements:"",Installation:"",WebAppBuilderModule:"",WebAppBuilderFragment:"",WebAppBuilderSlot:"",BullseyeTargetEdit:"",WebAppBuilderFragmentCreate:"",PageData:"",PageHeaderEdit:"",ProductList:"",UnpublishContent:"",DependencyAdd:"",DependencyRemove:"",EntitlementPolicy:"",EntitlementRedemption:"",SchoolDataSyncLogo:"",PinSolid12:"",PinSolidOff12:"",AddLink:"",SharepointAppIcon16:"",DataflowsLink:"",TimePicker:"",UserWarning:"",ComplianceAudit:"",InternetSharing:"",Brightness:"",MapPin:"",Airplane:"",Tablet:"",QuickNote:"",Video:"",People:"",Phone:"",Pin:"",Shop:"",Stop:"",Link:"",AllApps:"",Zoom:"",ZoomOut:"",Microphone:"",Camera:"",Attach:"",Send:"",FavoriteList:"",PageSolid:"",Forward:"",Back:"",Refresh:"",Lock:"",ReportHacked:"",EMI:"",MiniLink:"",Blocked:"",ReadingMode:"",Favicon:"",Remove:"",Checkbox:"",CheckboxComposite:"",CheckboxFill:"",CheckboxIndeterminate:"",CheckboxCompositeReversed:"",BackToWindow:"",FullScreen:"",Print:"",Up:"",Down:"",OEM:"",Save:"",ReturnKey:"",Cloud:"",Flashlight:"",CommandPrompt:"",Sad:"",RealEstate:"",SIPMove:"",EraseTool:"",GripperTool:"",Dialpad:"",PageLeft:"",PageRight:"",MultiSelect:"",KeyboardClassic:"",Play:"",Pause:"",InkingTool:"",Emoji2:"",GripperBarHorizontal:"",System:"",Personalize:"",SearchAndApps:"",Globe:"",EaseOfAccess:"",ContactInfo:"",Unpin:"",Contact:"",Memo:"",IncomingCall:""}};(0,n.fm)(o,t)}function a(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-1"',src:"url('"+e+"fabric-icons-1-4d521695.woff') format('woff')"},icons:{Paste:"",WindowsLogo:"",Error:"",GripperBarVertical:"",Unlock:"",Slideshow:"",Trim:"",AutoEnhanceOn:"",AutoEnhanceOff:"",Color:"",SaveAs:"",Light:"",Filters:"",AspectRatio:"",Contrast:"",Redo:"",Crop:"",PhotoCollection:"",Album:"",Rotate:"",PanoIndicator:"",Translate:"",RedEye:"",ViewOriginal:"",ThumbnailView:"",Package:"",Telemarketer:"",Warning:"",Financial:"",Education:"",ShoppingCart:"",Train:"",Move:"",TouchPointer:"",Merge:"",TurnRight:"",Ferry:"",Highlight:"",PowerButton:"",Tab:"",Admin:"",TVMonitor:"",Speakers:"",Game:"",HorizontalTabKey:"",UnstackSelected:"",StackIndicator:"",Nav2DMapView:"",StreetsideSplitMinimize:"",Car:"",Bus:"",EatDrink:"",SeeDo:"",LocationCircle:"",Home:"",SwitcherStartEnd:"",ParkingLocation:"",IncidentTriangle:"",Touch:"",MapDirections:"",CaretHollow:"",CaretSolid:"",History:"",Location:"",MapLayers:"",SearchNearby:"",Work:"",Recent:"",Hotel:"",Bank:"",LocationDot:"",Dictionary:"",ChromeBack:"",FolderOpen:"",PinnedFill:"",RevToggleKey:"",USB:"",Previous:"",Next:"",Sync:"",Help:"",Emoji:"",MailForward:"",ClosePane:"",OpenPane:"",PreviewLink:"",ZoomIn:"",Bookmarks:"",Document:"",ProtectedDocument:"",OpenInNewWindow:"",MailFill:"",ViewAll:"",Switch:"",Rename:"",Go:"",Remote:"",SelectAll:"",Orientation:"",Import:""}};(0,n.fm)(o,t)}function s(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-2"',src:"url('"+e+"fabric-icons-2-63c99abf.woff') format('woff')"},icons:{Picture:"",ChromeClose:"",ShowResults:"",Message:"",CalendarDay:"",CalendarWeek:"",MailReplyAll:"",Read:"",Cut:"",PaymentCard:"",Copy:"",Important:"",MailReply:"",GotoToday:"",Font:"",FontColor:"",FolderFill:"",Permissions:"",DisableUpdates:"",Unfavorite:"",Italic:"",Underline:"",Bold:"",MoveToFolder:"",Dislike:"",Like:"",AlignCenter:"",OpenFile:"",ClearSelection:"",FontDecrease:"",FontIncrease:"",FontSize:"",CellPhone:"",RepeatOne:"",RepeatAll:"",Calculator:"",Library:"",PostUpdate:"",NewFolder:"",CalendarReply:"",UnsyncFolder:"",SyncFolder:"",BlockContact:"",Accept:"",BulletedList:"",Preview:"",News:"",Chat:"",Group:"",World:"",Comment:"",DockLeft:"",DockRight:"",Repair:"",Accounts:"",Street:"",RadioBullet:"",Stopwatch:"",Clock:"",WorldClock:"",AlarmClock:"",Photo:"",ActionCenter:"",Hospital:"",Timer:"",FullCircleMask:"",LocationFill:"",ChromeMinimize:"",ChromeRestore:"",Annotation:"",Fingerprint:"",Handwriting:"",ChromeFullScreen:"",Completed:"",Label:"",FlickDown:"",FlickUp:"",FlickLeft:"",FlickRight:"",MiniExpand:"",MiniContract:"",Streaming:"",MusicInCollection:"",OneDriveLogo:"",CompassNW:"",Code:"",LightningBolt:"",CalculatorMultiply:"",CalculatorAddition:"",CalculatorSubtract:"",CalculatorPercentage:"",CalculatorEqualTo:"",PrintfaxPrinterFile:"",StorageOptical:"",Communications:"",Headset:"",Health:"",Webcam2:"",FrontCamera:"",ChevronUpSmall:""}};(0,n.fm)(o,t)}function l(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-3"',src:"url('"+e+"fabric-icons-3-089e217a.woff') format('woff')"},icons:{ChevronDownSmall:"",ChevronLeftSmall:"",ChevronRightSmall:"",ChevronUpMed:"",ChevronDownMed:"",ChevronLeftMed:"",ChevronRightMed:"",Devices2:"",PC1:"",PresenceChickletVideo:"",Reply:"",HalfAlpha:"",ConstructionCone:"",DoubleChevronLeftMed:"",Volume0:"",Volume1:"",Volume2:"",Volume3:"",Chart:"",Robot:"",Manufacturing:"",LockSolid:"",FitPage:"",FitWidth:"",BidiLtr:"",BidiRtl:"",RightDoubleQuote:"",Sunny:"",CloudWeather:"",Cloudy:"",PartlyCloudyDay:"",PartlyCloudyNight:"",ClearNight:"",RainShowersDay:"",Rain:"",Thunderstorms:"",RainSnow:"",Snow:"",BlowingSnow:"",Frigid:"",Fog:"",Squalls:"",Duststorm:"",Unknown:"",Precipitation:"",Ribbon:"",AreaChart:"",Assign:"",FlowChart:"",CheckList:"",Diagnostic:"",Generate:"",LineChart:"",Equalizer:"",BarChartHorizontal:"",BarChartVertical:"",Freezing:"",FunnelChart:"",Processing:"",Quantity:"",ReportDocument:"",StackColumnChart:"",SnowShowerDay:"",HailDay:"",WorkFlow:"",HourGlass:"",StoreLogoMed20:"",TimeSheet:"",TriangleSolid:"",UpgradeAnalysis:"",VideoSolid:"",RainShowersNight:"",SnowShowerNight:"",Teamwork:"",HailNight:"",PeopleAdd:"",Glasses:"",DateTime2:"",Shield:"",Header1:"",PageAdd:"",NumberedList:"",PowerBILogo:"",Info2:"",MusicInCollectionFill:"",Asterisk:"",ErrorBadge:"",CircleFill:"",Record2:"",AllAppsMirrored:"",BookmarksMirrored:"",BulletedListMirrored:"",CaretHollowMirrored:"",CaretSolidMirrored:"",ChromeBackMirrored:"",ClearSelectionMirrored:"",ClosePaneMirrored:"",DockLeftMirrored:"",DoubleChevronLeftMedMirrored:"",GoMirrored:""}};(0,n.fm)(o,t)}function c(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-4"',src:"url('"+e+"fabric-icons-4-a656cc0a.woff') format('woff')"},icons:{HelpMirrored:"",ImportMirrored:"",ImportAllMirrored:"",ListMirrored:"",MailForwardMirrored:"",MailReplyMirrored:"",MailReplyAllMirrored:"",MiniContractMirrored:"",MiniExpandMirrored:"",OpenPaneMirrored:"",ParkingLocationMirrored:"",SendMirrored:"",ShowResultsMirrored:"",ThumbnailViewMirrored:"",Media:"",Devices3:"",Focus:"",VideoLightOff:"",Lightbulb:"",StatusTriangle:"",VolumeDisabled:"",Puzzle:"",EmojiNeutral:"",EmojiDisappointed:"",HomeSolid:"",Ringer:"",PDF:"",HeartBroken:"",StoreLogo16:"",MultiSelectMirrored:"",Broom:"",AddToShoppingList:"",Cocktails:"",Wines:"",Articles:"",Cycling:"",DietPlanNotebook:"",Pill:"",ExerciseTracker:"",HandsFree:"",Medical:"",Running:"",Weights:"",Trackers:"",AddNotes:"",AllCurrency:"",BarChart4:"",CirclePlus:"",Coffee:"",Cotton:"",Market:"",Money:"",PieDouble:"",PieSingle:"",RemoveFilter:"",Savings:"",Sell:"",StockDown:"",StockUp:"",Lamp:"",Source:"",MSNVideos:"",Cricket:"",Golf:"",Baseball:"",Soccer:"",MoreSports:"",AutoRacing:"",CollegeHoops:"",CollegeFootball:"",ProFootball:"",ProHockey:"",Rugby:"",SubstitutionsIn:"",Tennis:"",Arrivals:"",Design:"",Website:"",Drop:"",HistoricalWeather:"",SkiResorts:"",Snowflake:"",BusSolid:"",FerrySolid:"",AirplaneSolid:"",TrainSolid:"",Ticket:"",WifiWarning4:"",Devices4:"",AzureLogo:"",BingLogo:"",MSNLogo:"",OutlookLogoInverse:"",OfficeLogo:"",SkypeLogo:"",Door:"",EditMirrored:"",GiftCard:"",DoubleBookmark:"",StatusErrorFull:""}};(0,n.fm)(o,t)}function u(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-5"',src:"url('"+e+"fabric-icons-5-f95ba260.woff') format('woff')"},icons:{Certificate:"",FastForward:"",Rewind:"",Photo2:"",OpenSource:"",Movers:"",CloudDownload:"",Family:"",WindDirection:"",Bug:"",SiteScan:"",BrowserScreenShot:"",F12DevTools:"",CSS:"",JS:"",DeliveryTruck:"",ReminderPerson:"",ReminderGroup:"",ReminderTime:"",TabletMode:"",Umbrella:"",NetworkTower:"",CityNext:"",CityNext2:"",Section:"",OneNoteLogoInverse:"",ToggleFilled:"",ToggleBorder:"",SliderThumb:"",ToggleThumb:"",Documentation:"",Badge:"",Giftbox:"",VisualStudioLogo:"",HomeGroup:"",ExcelLogoInverse:"",WordLogoInverse:"",PowerPointLogoInverse:"",Cafe:"",SpeedHigh:"",Commitments:"",ThisPC:"",MusicNote:"",MicOff:"",PlaybackRate1x:"",EdgeLogo:"",CompletedSolid:"",AlbumRemove:"",MessageFill:"",TabletSelected:"",MobileSelected:"",LaptopSelected:"",TVMonitorSelected:"",DeveloperTools:"",Shapes:"",InsertTextBox:"",LowerBrightness:"",WebComponents:"",OfflineStorage:"",DOM:"",CloudUpload:"",ScrollUpDown:"",DateTime:"",Event:"",Cake:"",Org:"",PartyLeader:"",DRM:"",CloudAdd:"",AppIconDefault:"",Photo2Add:"",Photo2Remove:"",Calories:"",POI:"",AddTo:"",RadioBtnOff:"",RadioBtnOn:"",ExploreContent:"",Product:"",ProgressLoopInner:"",ProgressLoopOuter:"",Blocked2:"",FangBody:"",Toolbox:"",PageHeader:"",ChatInviteFriend:"",Brush:"",Shirt:"",Crown:"",Diamond:"",ScaleUp:"",QRCode:"",Feedback:"",SharepointLogoInverse:"",YammerLogo:"",Hide:"",Uneditable:"",ReturnToSession:"",OpenFolderHorizontal:"",CalendarMirrored:""}};(0,n.fm)(o,t)}function d(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-6"',src:"url('"+e+"fabric-icons-6-ef6fd590.woff') format('woff')"},icons:{SwayLogoInverse:"",OutOfOffice:"",Trophy:"",ReopenPages:"",EmojiTabSymbols:"",AADLogo:"",AccessLogo:"",AdminALogoInverse32:"",AdminCLogoInverse32:"",AdminDLogoInverse32:"",AdminELogoInverse32:"",AdminLLogoInverse32:"",AdminMLogoInverse32:"",AdminOLogoInverse32:"",AdminPLogoInverse32:"",AdminSLogoInverse32:"",AdminYLogoInverse32:"",DelveLogoInverse:"",ExchangeLogoInverse:"",LyncLogo:"",OfficeVideoLogoInverse:"",SocialListeningLogo:"",VisioLogoInverse:"",Balloons:"",Cat:"",MailAlert:"",MailCheck:"",MailLowImportance:"",MailPause:"",MailRepeat:"",SecurityGroup:"",Table:"",VoicemailForward:"",VoicemailReply:"",Waffle:"",RemoveEvent:"",EventInfo:"",ForwardEvent:"",WipePhone:"",AddOnlineMeeting:"",JoinOnlineMeeting:"",RemoveLink:"",PeopleBlock:"",PeopleRepeat:"",PeopleAlert:"",PeoplePause:"",TransferCall:"",AddPhone:"",UnknownCall:"",NoteReply:"",NoteForward:"",NotePinned:"",RemoveOccurrence:"",Timeline:"",EditNote:"",CircleHalfFull:"",Room:"",Unsubscribe:"",Subscribe:"",HardDrive:"",RecurringTask:"",TaskManager:"",TaskManagerMirrored:"",Combine:"",Split:"",DoubleChevronUp:"",DoubleChevronLeft:"",DoubleChevronRight:"",TextBox:"",TextField:"",NumberField:"",Dropdown:"",PenWorkspace:"",BookingsLogo:"",ClassNotebookLogoInverse:"",DelveAnalyticsLogo:"",DocsLogoInverse:"",Dynamics365Logo:"",DynamicSMBLogo:"",OfficeAssistantLogo:"",OfficeStoreLogo:"",OneNoteEduLogoInverse:"",PlannerLogo:"",PowerApps:"",Suitcase:"",ProjectLogoInverse:"",CaretLeft8:"",CaretRight8:"",CaretUp8:"",CaretDown8:"",CaretLeftSolid8:"",CaretRightSolid8:"",CaretUpSolid8:"",CaretDownSolid8:"",ClearFormatting:"",Superscript:"",Subscript:"",Strikethrough:"",Export:"",ExportMirrored:""}};(0,n.fm)(o,t)}function p(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-7"',src:"url('"+e+"fabric-icons-7-2b97bb99.woff') format('woff')"},icons:{SingleBookmark:"",SingleBookmarkSolid:"",DoubleChevronDown:"",FollowUser:"",ReplyAll:"",WorkforceManagement:"",RecruitmentManagement:"",Questionnaire:"",ManagerSelfService:"",ProductionFloorManagement:"",ProductRelease:"",ProductVariant:"",ReplyMirrored:"",ReplyAllMirrored:"",Medal:"",AddGroup:"",QuestionnaireMirrored:"",CloudImportExport:"",TemporaryUser:"",CaretSolid16:"",GroupedDescending:"",GroupedAscending:"",AwayStatus:"",MyMoviesTV:"",GenericScan:"",AustralianRules:"",WifiEthernet:"",TrackersMirrored:"",DateTimeMirrored:"",StopSolid:"",DoubleChevronUp12:"",DoubleChevronDown12:"",DoubleChevronLeft12:"",DoubleChevronRight12:"",CalendarAgenda:"",ConnectVirtualMachine:"",AddEvent:"",AssetLibrary:"",DataConnectionLibrary:"",DocLibrary:"",FormLibrary:"",FormLibraryMirrored:"",ReportLibrary:"",ReportLibraryMirrored:"",ContactCard:"",CustomList:"",CustomListMirrored:"",IssueTracking:"",IssueTrackingMirrored:"",PictureLibrary:"",OfficeAddinsLogo:"",OfflineOneDriveParachute:"",OfflineOneDriveParachuteDisabled:"",TriangleSolidUp12:"",TriangleSolidDown12:"",TriangleSolidLeft12:"",TriangleSolidRight12:"",TriangleUp12:"",TriangleDown12:"",TriangleLeft12:"",TriangleRight12:"",ArrowUpRight8:"",ArrowDownRight8:"",DocumentSet:"",GoToDashboard:"",DelveAnalytics:"",ArrowUpRightMirrored8:"",ArrowDownRightMirrored8:"",CompanyDirectory:"",OpenEnrollment:"",CompanyDirectoryMirrored:"",OneDriveAdd:"",ProfileSearch:"",Header2:"",Header3:"",Header4:"",RingerSolid:"",Eyedropper:"",MarketDown:"",CalendarWorkWeek:"",SidePanel:"",GlobeFavorite:"",CaretTopLeftSolid8:"",CaretTopRightSolid8:"",ViewAll2:"",DocumentReply:"",PlayerSettings:"",ReceiptForward:"",ReceiptReply:"",ReceiptCheck:"",Fax:"",RecurringEvent:"",ReplyAlt:"",ReplyAllAlt:"",EditStyle:"",EditMail:"",Lifesaver:"",LifesaverLock:"",InboxCheck:"",FolderSearch:""}};(0,n.fm)(o,t)}function m(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-8"',src:"url('"+e+"fabric-icons-8-6fdf1528.woff') format('woff')"},icons:{CollapseMenu:"",ExpandMenu:"",Boards:"",SunAdd:"",SunQuestionMark:"",LandscapeOrientation:"",DocumentSearch:"",PublicCalendar:"",PublicContactCard:"",PublicEmail:"",PublicFolder:"",WordDocument:"",PowerPointDocument:"",ExcelDocument:"",GroupedList:"",ClassroomLogo:"",Sections:"",EditPhoto:"",Starburst:"",ShareiOS:"",AirTickets:"",PencilReply:"",Tiles2:"",SkypeCircleCheck:"",SkypeCircleClock:"",SkypeCircleMinus:"",SkypeMessage:"",ClosedCaption:"",ATPLogo:"",OfficeFormsLogoInverse:"",RecycleBin:"",EmptyRecycleBin:"",Hide2:"",Breadcrumb:"",BirthdayCake:"",TimeEntry:"",CRMProcesses:"",PageEdit:"",PageArrowRight:"",PageRemove:"",Database:"",DataManagementSettings:"",CRMServices:"",EditContact:"",ConnectContacts:"",AppIconDefaultAdd:"",AppIconDefaultList:"",ActivateOrders:"",DeactivateOrders:"",ProductCatalog:"",ScatterChart:"",AccountActivity:"",DocumentManagement:"",CRMReport:"",KnowledgeArticle:"",Relationship:"",HomeVerify:"",ZipFolder:"",SurveyQuestions:"",TextDocument:"",TextDocumentShared:"",PageCheckedOut:"",PageShared:"",SaveAndClose:"",Script:"",Archive:"",ActivityFeed:"",Compare:"",EventDate:"",ArrowUpRight:"",CaretRight:"",SetAction:"",ChatBot:"",CaretSolidLeft:"",CaretSolidDown:"",CaretSolidRight:"",CaretSolidUp:"",PowerAppsLogo:"",PowerApps2Logo:"",SearchIssue:"",SearchIssueMirrored:"",FabricAssetLibrary:"",FabricDataConnectionLibrary:"",FabricDocLibrary:"",FabricFormLibrary:"",FabricFormLibraryMirrored:"",FabricReportLibrary:"",FabricReportLibraryMirrored:"",FabricPublicFolder:"",FabricFolderSearch:"",FabricMovetoFolder:"",FabricUnsyncFolder:"",FabricSyncFolder:"",FabricOpenFolderHorizontal:"",FabricFolder:"",FabricFolderFill:"",FabricNewFolder:"",FabricPictureLibrary:"",PhotoVideoMedia:"",AddFavorite:""}};(0,n.fm)(o,t)}function h(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-9"',src:"url('"+e+"fabric-icons-9-c6162b42.woff') format('woff')"},icons:{AddFavoriteFill:"",BufferTimeBefore:"",BufferTimeAfter:"",BufferTimeBoth:"",PublishContent:"",ClipboardList:"",ClipboardListMirrored:"",CannedChat:"",SkypeForBusinessLogo:"",TabCenter:"",PageCheckedin:"",PageList:"",ReadOutLoud:"",CaretBottomLeftSolid8:"",CaretBottomRightSolid8:"",FolderHorizontal:"",MicrosoftStaffhubLogo:"",GiftboxOpen:"",StatusCircleOuter:"",StatusCircleInner:"",StatusCircleRing:"",StatusTriangleOuter:"",StatusTriangleInner:"",StatusTriangleExclamation:"",StatusCircleExclamation:"",StatusCircleErrorX:"",StatusCircleInfo:"",StatusCircleBlock:"",StatusCircleBlock2:"",StatusCircleQuestionMark:"",StatusCircleSync:"",Toll:"",ExploreContentSingle:"",CollapseContent:"",CollapseContentSingle:"",InfoSolid:"",GroupList:"",ProgressRingDots:"",CaloriesAdd:"",BranchFork:"",MuteChat:"",AddHome:"",AddWork:"",MobileReport:"",ScaleVolume:"",HardDriveGroup:"",FastMode:"",ToggleLeft:"",ToggleRight:"",TriangleShape:"",RectangleShape:"",CubeShape:"",Trophy2:"",BucketColor:"",BucketColorFill:"",Taskboard:"",SingleColumn:"",DoubleColumn:"",TripleColumn:"",ColumnLeftTwoThirds:"",ColumnRightTwoThirds:"",AccessLogoFill:"",AnalyticsLogo:"",AnalyticsQuery:"",NewAnalyticsQuery:"",AnalyticsReport:"",WordLogo:"",WordLogoFill:"",ExcelLogo:"",ExcelLogoFill:"",OneNoteLogo:"",OneNoteLogoFill:"",OutlookLogo:"",OutlookLogoFill:"",PowerPointLogo:"",PowerPointLogoFill:"",PublisherLogo:"",PublisherLogoFill:"",ScheduleEventAction:"",FlameSolid:"",ServerProcesses:"",Server:"",SaveAll:"",LinkedInLogo:"",Decimals:"",SidePanelMirrored:"",ProtectRestrict:"",Blog:"",UnknownMirrored:"",PublicContactCardMirrored:"",GridViewSmall:"",GridViewMedium:"",GridViewLarge:"",Step:"",StepInsert:"",StepShared:"",StepSharedAdd:"",StepSharedInsert:"",ViewDashboard:"",ViewList:""}};(0,n.fm)(o,t)}function g(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-10"',src:"url('"+e+"fabric-icons-10-c4ded8e4.woff') format('woff')"},icons:{ViewListGroup:"",ViewListTree:"",TriggerAuto:"",TriggerUser:"",PivotChart:"",StackedBarChart:"",StackedLineChart:"",BuildQueue:"",BuildQueueNew:"",UserFollowed:"",ContactLink:"",Stack:"",Bullseye:"",VennDiagram:"",FiveTileGrid:"",FocalPoint:"",Insert:"",RingerRemove:"",TeamsLogoInverse:"",TeamsLogo:"",TeamsLogoFill:"",SkypeForBusinessLogoFill:"",SharepointLogo:"",SharepointLogoFill:"",DelveLogo:"",DelveLogoFill:"",OfficeVideoLogo:"",OfficeVideoLogoFill:"",ExchangeLogo:"",ExchangeLogoFill:"",Signin:"",DocumentApproval:"",CloneToDesktop:"",InstallToDrive:"",Blur:"",Build:"",ProcessMetaTask:"",BranchFork2:"",BranchLocked:"",BranchCommit:"",BranchCompare:"",BranchMerge:"",BranchPullRequest:"",BranchSearch:"",BranchShelveset:"",RawSource:"",MergeDuplicate:"",RowsGroup:"",RowsChild:"",Deploy:"",Redeploy:"",ServerEnviroment:"",VisioDiagram:"",HighlightMappedShapes:"",TextCallout:"",IconSetsFlag:"",VisioLogo:"",VisioLogoFill:"",VisioDocument:"",TimelineProgress:"",TimelineDelivery:"",Backlog:"",TeamFavorite:"",TaskGroup:"",TaskGroupMirrored:"",ScopeTemplate:"",AssessmentGroupTemplate:"",NewTeamProject:"",CommentAdd:"",CommentNext:"",CommentPrevious:"",ShopServer:"",LocaleLanguage:"",QueryList:"",UserSync:"",UserPause:"",StreamingOff:"",ArrowTallUpLeft:"",ArrowTallUpRight:"",ArrowTallDownLeft:"",ArrowTallDownRight:"",FieldEmpty:"",FieldFilled:"",FieldChanged:"",FieldNotChanged:"",RingerOff:"",PlayResume:"",BulletedList2:"",BulletedList2Mirrored:"",ImageCrosshair:"",GitGraph:"",Repo:"",RepoSolid:"",FolderQuery:"",FolderList:"",FolderListMirrored:"",LocationOutline:"",POISolid:"",CalculatorNotEqualTo:"",BoxSubtractSolid:""}};(0,n.fm)(o,t)}function f(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-11"',src:"url('"+e+"fabric-icons-11-2a8393d6.woff') format('woff')"},icons:{BoxAdditionSolid:"",BoxMultiplySolid:"",BoxPlaySolid:"",BoxCheckmarkSolid:"",CirclePauseSolid:"",CirclePause:"",MSNVideosSolid:"",CircleStopSolid:"",CircleStop:"",NavigateBack:"",NavigateBackMirrored:"",NavigateForward:"",NavigateForwardMirrored:"",UnknownSolid:"",UnknownMirroredSolid:"",CircleAddition:"",CircleAdditionSolid:"",FilePDB:"",FileTemplate:"",FileSQL:"",FileJAVA:"",FileASPX:"",FileCSS:"",FileSass:"",FileLess:"",FileHTML:"",JavaScriptLanguage:"",CSharpLanguage:"",CSharp:"",VisualBasicLanguage:"",VB:"",CPlusPlusLanguage:"",CPlusPlus:"",FSharpLanguage:"",FSharp:"",TypeScriptLanguage:"",PythonLanguage:"",PY:"",CoffeeScript:"",MarkDownLanguage:"",FullWidth:"",FullWidthEdit:"",Plug:"",PlugSolid:"",PlugConnected:"",PlugDisconnected:"",UnlockSolid:"",Variable:"",Parameter:"",CommentUrgent:"",Storyboard:"",DiffInline:"",DiffSideBySide:"",ImageDiff:"",ImagePixel:"",FileBug:"",FileCode:"",FileComment:"",BusinessHoursSign:"",FileImage:"",FileSymlink:"",AutoFillTemplate:"",WorkItem:"",WorkItemBug:"",LogRemove:"",ColumnOptions:"",Packages:"",BuildIssue:"",AssessmentGroup:"",VariableGroup:"",FullHistory:"",Wheelchair:"",SingleColumnEdit:"",DoubleColumnEdit:"",TripleColumnEdit:"",ColumnLeftTwoThirdsEdit:"",ColumnRightTwoThirdsEdit:"",StreamLogo:"",PassiveAuthentication:"",AlertSolid:"",MegaphoneSolid:"",TaskSolid:"",ConfigurationSolid:"",BugSolid:"",CrownSolid:"",Trophy2Solid:"",QuickNoteSolid:"",ConstructionConeSolid:"",PageListSolid:"",PageListMirroredSolid:"",StarburstSolid:"",ReadingModeSolid:"",SadSolid:"",HealthSolid:"",ShieldSolid:"",GiftBoxSolid:"",ShoppingCartSolid:"",MailSolid:"",ChatSolid:"",RibbonSolid:""}};(0,n.fm)(o,t)}function v(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-12"',src:"url('"+e+"fabric-icons-12-7e945a1e.woff') format('woff')"},icons:{FinancialSolid:"",FinancialMirroredSolid:"",HeadsetSolid:"",PermissionsSolid:"",ParkingSolid:"",ParkingMirroredSolid:"",DiamondSolid:"",AsteriskSolid:"",OfflineStorageSolid:"",BankSolid:"",DecisionSolid:"",Parachute:"",ParachuteSolid:"",FiltersSolid:"",ColorSolid:"",ReviewSolid:"",ReviewRequestSolid:"",ReviewRequestMirroredSolid:"",ReviewResponseSolid:"",FeedbackRequestSolid:"",FeedbackRequestMirroredSolid:"",FeedbackResponseSolid:"",WorkItemBar:"",WorkItemBarSolid:"",Separator:"",NavigateExternalInline:"",PlanView:"",TimelineMatrixView:"",EngineeringGroup:"",ProjectCollection:"",CaretBottomRightCenter8:"",CaretBottomLeftCenter8:"",CaretTopRightCenter8:"",CaretTopLeftCenter8:"",DonutChart:"",ChevronUnfold10:"",ChevronFold10:"",DoubleChevronDown8:"",DoubleChevronUp8:"",DoubleChevronLeft8:"",DoubleChevronRight8:"",ChevronDownEnd6:"",ChevronUpEnd6:"",ChevronLeftEnd6:"",ChevronRightEnd6:"",ContextMenu:"",AzureAPIManagement:"",AzureServiceEndpoint:"",VSTSLogo:"",VSTSAltLogo1:"",VSTSAltLogo2:"",FileTypeSolution:"",WordLogoInverse16:"",WordLogo16:"",WordLogoFill16:"",PowerPointLogoInverse16:"",PowerPointLogo16:"",PowerPointLogoFill16:"",ExcelLogoInverse16:"",ExcelLogo16:"",ExcelLogoFill16:"",OneNoteLogoInverse16:"",OneNoteLogo16:"",OneNoteLogoFill16:"",OutlookLogoInverse16:"",OutlookLogo16:"",OutlookLogoFill16:"",PublisherLogoInverse16:"",PublisherLogo16:"",PublisherLogoFill16:"",VisioLogoInverse16:"",VisioLogo16:"",VisioLogoFill16:"",TestBeaker:"",TestBeakerSolid:"",TestExploreSolid:"",TestAutoSolid:"",TestUserSolid:"",TestImpactSolid:"",TestPlan:"",TestStep:"",TestParameter:"",TestSuite:"",TestCase:"",Sprint:"",SignOut:"",TriggerApproval:"",Rocket:"",AzureKeyVault:"",Onboarding:"",Transition:"",LikeSolid:"",DislikeSolid:"",CRMCustomerInsightsApp:"",EditCreate:"",PlayReverseResume:"",PlayReverse:"",SearchData:"",UnSetColor:"",DeclineCall:""}};(0,n.fm)(o,t)}function b(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-13"',src:"url('"+e+"fabric-icons-13-c3989a02.woff') format('woff')"},icons:{RectangularClipping:"",TeamsLogo16:"",TeamsLogoFill16:"",Spacer:"",SkypeLogo16:"",SkypeForBusinessLogo16:"",SkypeForBusinessLogoFill16:"",FilterSolid:"",MailUndelivered:"",MailTentative:"",MailTentativeMirrored:"",MailReminder:"",ReceiptUndelivered:"",ReceiptTentative:"",ReceiptTentativeMirrored:"",Inbox:"",IRMReply:"",IRMReplyMirrored:"",IRMForward:"",IRMForwardMirrored:"",VoicemailIRM:"",EventAccepted:"",EventTentative:"",EventTentativeMirrored:"",EventDeclined:"",IDBadge:"",BackgroundColor:"",OfficeFormsLogoInverse16:"",OfficeFormsLogo:"",OfficeFormsLogoFill:"",OfficeFormsLogo16:"",OfficeFormsLogoFill16:"",OfficeFormsLogoInverse24:"",OfficeFormsLogo24:"",OfficeFormsLogoFill24:"",PageLock:"",NotExecuted:"",NotImpactedSolid:"",FieldReadOnly:"",FieldRequired:"",BacklogBoard:"",ExternalBuild:"",ExternalTFVC:"",ExternalXAML:"",IssueSolid:"",DefectSolid:"",LadybugSolid:"",NugetLogo:"",TFVCLogo:"",ProjectLogo32:"",ProjectLogoFill32:"",ProjectLogo16:"",ProjectLogoFill16:"",SwayLogo32:"",SwayLogoFill32:"",SwayLogo16:"",SwayLogoFill16:"",ClassNotebookLogo32:"",ClassNotebookLogoFill32:"",ClassNotebookLogo16:"",ClassNotebookLogoFill16:"",ClassNotebookLogoInverse32:"",ClassNotebookLogoInverse16:"",StaffNotebookLogo32:"",StaffNotebookLogoFill32:"",StaffNotebookLogo16:"",StaffNotebookLogoFill16:"",StaffNotebookLogoInverted32:"",StaffNotebookLogoInverted16:"",KaizalaLogo:"",TaskLogo:"",ProtectionCenterLogo32:"",GallatinLogo:"",Globe2:"",Guitar:"",Breakfast:"",Brunch:"",BeerMug:"",Vacation:"",Teeth:"",Taxi:"",Chopsticks:"",SyncOccurence:"",UnsyncOccurence:"",GIF:"",PrimaryCalendar:"",SearchCalendar:"",VideoOff:"",MicrosoftFlowLogo:"",BusinessCenterLogo:"",ToDoLogoBottom:"",ToDoLogoTop:"",EditSolid12:"",EditSolidMirrored12:"",UneditableSolid12:"",UneditableSolidMirrored12:"",UneditableMirrored:"",AdminALogo32:"",AdminALogoFill32:"",ToDoLogoInverse:""}};(0,n.fm)(o,t)}function y(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-14"',src:"url('"+e+"fabric-icons-14-5cf58db8.woff') format('woff')"},icons:{Snooze:"",WaffleOffice365:"",ImageSearch:"",NewsSearch:"",VideoSearch:"",R:"",FontColorA:"",FontColorSwatch:"",LightWeight:"",NormalWeight:"",SemiboldWeight:"",GroupObject:"",UngroupObject:"",AlignHorizontalLeft:"",AlignHorizontalCenter:"",AlignHorizontalRight:"",AlignVerticalTop:"",AlignVerticalCenter:"",AlignVerticalBottom:"",HorizontalDistributeCenter:"",VerticalDistributeCenter:"",Ellipse:"",Line:"",Octagon:"",Hexagon:"",Pentagon:"",RightTriangle:"",HalfCircle:"",QuarterCircle:"",ThreeQuarterCircle:"","6PointStar":"","12PointStar":"",ArrangeBringToFront:"",ArrangeSendToBack:"",ArrangeSendBackward:"",ArrangeBringForward:"",BorderDash:"",BorderDot:"",LineStyle:"",LineThickness:"",WindowEdit:"",HintText:"",MediaAdd:"",AnchorLock:"",AutoHeight:"",ChartSeries:"",ChartXAngle:"",ChartYAngle:"",Combobox:"",LineSpacing:"",Padding:"",PaddingTop:"",PaddingBottom:"",PaddingLeft:"",PaddingRight:"",NavigationFlipper:"",AlignJustify:"",TextOverflow:"",VisualsFolder:"",VisualsStore:"",PictureCenter:"",PictureFill:"",PicturePosition:"",PictureStretch:"",PictureTile:"",Slider:"",SliderHandleSize:"",DefaultRatio:"",NumberSequence:"",GUID:"",ReportAdd:"",DashboardAdd:"",MapPinSolid:"",WebPublish:"",PieSingleSolid:"",BlockedSolid:"",DrillDown:"",DrillDownSolid:"",DrillExpand:"",DrillShow:"",SpecialEvent:"",OneDriveFolder16:"",FunctionalManagerDashboard:"",BIDashboard:"",CodeEdit:"",RenewalCurrent:"",RenewalFuture:"",SplitObject:"",BulkUpload:"",DownloadDocument:"",GreetingCard:"",Flower:"",WaitlistConfirm:"",WaitlistConfirmMirrored:"",LaptopSecure:"",DragObject:"",EntryView:"",EntryDecline:"",ContactCardSettings:"",ContactCardSettingsMirrored:""}};(0,n.fm)(o,t)}function _(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-15"',src:"url('"+e+"fabric-icons-15-3807251b.woff') format('woff')"},icons:{CalendarSettings:"",CalendarSettingsMirrored:"",HardDriveLock:"",HardDriveUnlock:"",AccountManagement:"",ReportWarning:"",TransitionPop:"",TransitionPush:"",TransitionEffect:"",LookupEntities:"",ExploreData:"",AddBookmark:"",SearchBookmark:"",DrillThrough:"",MasterDatabase:"",CertifiedDatabase:"",MaximumValue:"",MinimumValue:"",VisualStudioIDELogo32:"",PasteAsText:"",PasteAsCode:"",BrowserTab:"",BrowserTabScreenshot:"",DesktopScreenshot:"",FileYML:"",ClipboardSolid:"",FabricUserFolder:"",FabricNetworkFolder:"",BullseyeTarget:"",AnalyticsView:"",Video360Generic:"",Untag:"",Leave:"",Trending12:"",Blocked12:"",Warning12:"",CheckedOutByOther12:"",CheckedOutByYou12:"",CircleShapeSolid:"",SquareShapeSolid:"",TriangleShapeSolid:"",DropShapeSolid:"",RectangleShapeSolid:"",ZoomToFit:"",InsertColumnsLeft:"",InsertColumnsRight:"",InsertRowsAbove:"",InsertRowsBelow:"",DeleteColumns:"",DeleteRows:"",DeleteRowsMirrored:"",DeleteTable:"",AccountBrowser:"",VersionControlPush:"",StackedColumnChart2:"",TripleColumnWide:"",QuadColumn:"",WhiteBoardApp16:"",WhiteBoardApp32:"",PinnedSolid:"",InsertSignatureLine:"",ArrangeByFrom:"",Phishing:"",CreateMailRule:"",PublishCourse:"",DictionaryRemove:"",UserRemove:"",UserEvent:"",Encryption:"",PasswordField:"",OpenInNewTab:"",Hide3:"",VerifiedBrandSolid:"",MarkAsProtected:"",AuthenticatorApp:"",WebTemplate:"",DefenderTVM:"",MedalSolid:"",D365TalentLearn:"",D365TalentInsight:"",D365TalentHRCore:"",BacklogList:"",ButtonControl:"",TableGroup:"",MountainClimbing:"",TagUnknown:"",TagUnknownMirror:"",TagUnknown12:"",TagUnknown12Mirror:"",Link12:"",Presentation:"",Presentation12:"",Lock12:"",BuildDefinition:"",ReleaseDefinition:"",SaveTemplate:"",UserGauge:"",BlockedSiteSolid12:"",TagSolid:"",OfficeChat:""}};(0,n.fm)(o,t)}function C(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-16"',src:"url('"+e+"fabric-icons-16-9cf93f3b.woff') format('woff')"},icons:{OfficeChatSolid:"",MailSchedule:"",WarningSolid:"",Blocked2Solid:"",SkypeCircleArrow:"",SkypeArrow:"",SyncStatus:"",SyncStatusSolid:"",ProjectDocument:"",ToDoLogoOutline:"",VisioOnlineLogoFill32:"",VisioOnlineLogo32:"",VisioOnlineLogoCloud32:"",VisioDiagramSync:"",Event12:"",EventDateMissed12:"",UserOptional:"",ResponsesMenu:"",DoubleDownArrow:"",DistributeDown:"",BookmarkReport:"",FilterSettings:"",GripperDotsVertical:"",MailAttached:"",AddIn:"",LinkedDatabase:"",TableLink:"",PromotedDatabase:"",BarChartVerticalFilter:"",BarChartVerticalFilterSolid:"",MicOff2:"",MicrosoftTranslatorLogo:"",ShowTimeAs:"",FileRequest:"",WorkItemAlert:"",PowerBILogo16:"",PowerBILogoBackplate16:"",BulletedListText:"",BulletedListBullet:"",BulletedListTextMirrored:"",BulletedListBulletMirrored:"",NumberedListText:"",NumberedListNumber:"",NumberedListTextMirrored:"",NumberedListNumberMirrored:"",RemoveLinkChain:"",RemoveLinkX:"",FabricTextHighlight:"",ClearFormattingA:"",ClearFormattingEraser:"",Photo2Fill:"",IncreaseIndentText:"",IncreaseIndentArrow:"",DecreaseIndentText:"",DecreaseIndentArrow:"",IncreaseIndentTextMirrored:"",IncreaseIndentArrowMirrored:"",DecreaseIndentTextMirrored:"",DecreaseIndentArrowMirrored:"",CheckListText:"",CheckListCheck:"",CheckListTextMirrored:"",CheckListCheckMirrored:"",NumberSymbol:"",Coupon:"",VerifiedBrand:"",ReleaseGate:"",ReleaseGateCheck:"",ReleaseGateError:"",M365InvoicingLogo:"",RemoveFromShoppingList:"",ShieldAlert:"",FabricTextHighlightComposite:"",Dataflows:"",GenericScanFilled:"",DiagnosticDataBarTooltip:"",SaveToMobile:"",Orientation2:"",ScreenCast:"",ShowGrid:"",SnapToGrid:"",ContactList:"",NewMail:"",EyeShadow:"",FabricFolderConfirm:"",InformationBarriers:"",CommentActive:"",ColumnVerticalSectionEdit:"",WavingHand:"",ShakeDevice:"",SmartGlassRemote:"",Rotate90Clockwise:"",Rotate90CounterClockwise:"",CampaignTemplate:"",ChartTemplate:"",PageListFilter:"",SecondaryNav:"",ColumnVerticalSection:"",SkypeCircleSlash:"",SkypeSlash:""}};(0,n.fm)(o,t)}function S(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-17"',src:"url('"+e+"fabric-icons-17-0c4ed701.woff') format('woff')"},icons:{CustomizeToolbar:"",DuplicateRow:"",RemoveFromTrash:"",MailOptions:"",Childof:"",Footer:"",Header:"",BarChartVerticalFill:"",StackedColumnChart2Fill:"",PlainText:"",AccessibiltyChecker:"",DatabaseSync:"",ReservationOrders:"",TabOneColumn:"",TabTwoColumn:"",TabThreeColumn:"",BulletedTreeList:"",MicrosoftTranslatorLogoGreen:"",MicrosoftTranslatorLogoBlue:"",InternalInvestigation:"",AddReaction:"",ContactHeart:"",VisuallyImpaired:"",EventToDoLogo:"",Variable2:"",ModelingView:"",DisconnectVirtualMachine:"",ReportLock:"",Uneditable2:"",Uneditable2Mirrored:"",BarChartVerticalEdit:"",GlobalNavButtonActive:"",PollResults:"",Rerun:"",QandA:"",QandAMirror:"",BookAnswers:"",AlertSettings:"",TrimStart:"",TrimEnd:"",TableComputed:"",DecreaseIndentLegacy:"",IncreaseIndentLegacy:"",SizeLegacy:""}};(0,n.fm)(o,t)}function x(e,t){void 0===e&&(e="https://spoprod-a.akamaihd.net/files/fabric/assets/icons/"),[r,i,a,s,l,c,u,d,p,m,h,g,f,v,b,y,_,C,S].forEach((function(o){return o(e,t)})),(0,n.M_)("trash","delete"),(0,n.M_)("onedrive","onedrivelogo"),(0,n.M_)("alertsolid12","eventdatemissed12"),(0,n.M_)("sixpointstar","6pointstar"),(0,n.M_)("twelvepointstar","12pointstar"),(0,n.M_)("toggleon","toggleleft"),(0,n.M_)("toggleoff","toggleright")}(0,o(6316).x)("@fluentui/font-icons-mdl2","8.0.2")},6825:(e,t,o)=>{"use strict";function n(e){i!==e&&(i=e)}function r(){return void 0===i&&(i="undefined"!=typeof document&&!!document.documentElement&&"rtl"===document.documentElement.getAttribute("dir")),i}var i;function a(){return{rtl:r()}}o.d(t,{ok:()=>n,Eo:()=>a}),i=r()},729:(e,t,o)=>{"use strict";o.d(t,{q:()=>i,Y:()=>l});var n,r=o(7622),i={none:0,insertNode:1,appendChild:2},a="undefined"!=typeof navigator&&/rv:11.0/.test(navigator.userAgent),s={};try{s=window}catch(e){}var l=function(){function e(e){this._rules=[],this._preservedRules=[],this._rulesToInsert=[],this._counter=0,this._keyToClassName={},this._onResetCallbacks=[],this._classNameToArgs={},this._config=(0,r.pi)({injectionMode:i.insertNode,defaultPrefix:"css",namespace:void 0,cspSettings:void 0},e),this._keyToClassName=this._config.classNameCache||{}}return e.getInstance=function(){var t;if(!(n=s.__stylesheet__)||n._lastStyleElement&&n._lastStyleElement.ownerDocument!==document){var o=(null===(t=s)||void 0===t?void 0:t.FabricConfig)||{};n=s.__stylesheet__=new e(o.mergeStyles)}return n},e.prototype.setConfig=function(e){this._config=(0,r.pi)((0,r.pi)({},this._config),e)},e.prototype.onReset=function(e){this._onResetCallbacks.push(e)},e.prototype.getClassName=function(e){var t=this._config.namespace;return(t?t+"-":"")+(e||this._config.defaultPrefix)+"-"+this._counter++},e.prototype.cacheClassName=function(e,t,o,n){this._keyToClassName[t]=e,this._classNameToArgs[e]={args:o,rules:n}},e.prototype.classNameFromKey=function(e){return this._keyToClassName[e]},e.prototype.getClassNameCache=function(){return this._keyToClassName},e.prototype.argsFromClassName=function(e){var t=this._classNameToArgs[e];return t&&t.args},e.prototype.insertedRulesFromClassName=function(e){var t=this._classNameToArgs[e];return t&&t.rules},e.prototype.insertRule=function(e,t){var o=this._config.injectionMode!==i.none?this._getStyleElement():void 0;if(t&&this._preservedRules.push(e),o)switch(this._config.injectionMode){case i.insertNode:var n=o.sheet;try{n.insertRule(e,n.cssRules.length)}catch(e){}break;case i.appendChild:o.appendChild(document.createTextNode(e))}else this._rules.push(e);this._config.onInsertRule&&this._config.onInsertRule(e)},e.prototype.getRules=function(e){return(e?this._preservedRules.join(""):"")+this._rules.join("")+this._rulesToInsert.join("")},e.prototype.reset=function(){this._rules=[],this._rulesToInsert=[],this._counter=0,this._classNameToArgs={},this._keyToClassName={},this._onResetCallbacks.forEach((function(e){return e()}))},e.prototype.resetKeys=function(){this._keyToClassName={}},e.prototype._getStyleElement=function(){var e=this;return this._styleElement||"undefined"==typeof document||(this._styleElement=this._createStyleElement(),a||window.requestAnimationFrame((function(){e._styleElement=void 0}))),this._styleElement},e.prototype._createStyleElement=function(){var e=document.head,t=document.createElement("style");t.setAttribute("data-merge-styles","true");var o=this._config.cspSettings;if(o&&o.nonce&&t.setAttribute("nonce",o.nonce),this._lastStyleElement)e.insertBefore(t,this._lastStyleElement.nextElementSibling);else{var n=this._findPlaceholderStyleTag();n?e.insertBefore(t,n.nextElementSibling):e.insertBefore(t,e.childNodes[0])}return this._lastStyleElement=t,t},e.prototype._findPlaceholderStyleTag=function(){var e=document.head;return e?e.querySelector("style[data-merge-styles]"):null},e}()},3570:(e,t,o)=>{"use strict";o.d(t,{m:()=>r});var n=o(7622);function r(){for(var e=[],t=0;t0){o.subComponentStyles={};var h=o.subComponentStyles,g=function(e){if(i.hasOwnProperty(e)){var t=i[e];h[e]=function(e){return r.apply(void 0,t.map((function(t){return"function"==typeof t?t(e):t})))}}};for(var d in i)g(d)}return o}},965:(e,t,o)=>{"use strict";o.d(t,{l:()=>r});var n=o(3570);function r(e){for(var t=[],o=1;o{"use strict";o.d(t,{U:()=>r});var n=o(729);function r(){for(var e=[],t=0;t=0)a(s.split(" "));else{var l=i.argsFromClassName(s);l?a(l):-1===o.indexOf(s)&&o.push(s)}else Array.isArray(s)?a(s):"object"==typeof s&&r.push(s)}}return a(e),{classes:o,objects:r}}},3310:(e,t,o)=>{"use strict";o.d(t,{j:()=>a});var n=o(6825),r=o(729),i=o(8186);function a(e){r.Y.getInstance().insertRule("@font-face{"+(0,i.dH)((0,n.Eo)(),e)+"}",!0)}},2762:(e,t,o)=>{"use strict";o.d(t,{F:()=>a});var n=o(6825),r=o(729),i=o(8186);function a(e){var t=r.Y.getInstance(),o=t.getClassName(),a=[];for(var s in e)e.hasOwnProperty(s)&&a.push(s,"{",(0,i.dH)((0,n.Eo)(),e[s]),"}");var l=a.join("");return t.insertRule("@keyframes "+o+"{"+l+"}",!0),t.cacheClassName(o,l,[],["keyframes",l]),o}},2005:(e,t,o)=>{"use strict";o.d(t,{Z:()=>s,I:()=>l});var n=o(3570),r=o(1836),i=o(6825),a=o(8186);function s(){for(var e=[],t=0;t{"use strict";o.d(t,{y:()=>a,R:()=>s});var n=o(1836),r=o(6825),i=o(8186);function a(){for(var e=[],t=0;t{"use strict";o.d(t,{Jh:()=>D,dH:()=>w,AE:()=>T,aj:()=>I});var n,r=o(7622),i=o(729),a={},s={"user-select":1};function l(e,t){var o=function(){if(!n){var e="undefined"!=typeof document?document:void 0,t="undefined"!=typeof navigator?navigator:void 0,o=t?t.userAgent.toLowerCase():void 0;n=e?{isWebkit:!(!e||!("WebkitAppearance"in e.documentElement.style)),isMoz:!!(o&&o.indexOf("firefox")>-1),isOpera:!!(o&&o.indexOf("opera")>-1),isMs:!(!t||!/rv:11.0/i.test(t.userAgent)&&!/Edge\/\d./i.test(navigator.userAgent))}:{isWebkit:!0,isMoz:!0,isOpera:!0,isMs:!0}}return n}(),r=e[t];if(s[r]){var i=e[t+1];s[r]&&(o.isWebkit&&e.push("-webkit-"+r,i),o.isMoz&&e.push("-moz-"+r,i),o.isMs&&e.push("-ms-"+r,i),o.isOpera&&e.push("-o-"+r,i))}}var c,u=["column-count","font-weight","flex","flex-grow","flex-shrink","fill-opacity","opacity","order","z-index","zoom"];function d(e,t){var o=e[t],n=e[t+1];if("number"==typeof n){var r=u.indexOf(o)>-1,i=o.indexOf("--")>-1,a=r||i?"":"px";e[t+1]=""+n+a}}var p="left",m="right",h=((c={}).left=m,c.right=p,c),g={"w-resize":"e-resize","sw-resize":"se-resize","nw-resize":"ne-resize"};function f(e,t,o){if(e.rtl){var n=t[o];if(!n)return;var r=t[o+1];if("string"==typeof r&&r.indexOf("@noflip")>=0)t[o+1]=r.replace(/\s*(?:\/\*\s*)?\@noflip\b(?:\s*\*\/)?\s*?/g,"");else if(n.indexOf(p)>=0)t[o]=n.replace(p,m);else if(n.indexOf(m)>=0)t[o]=n.replace(m,p);else if(String(r).indexOf(p)>=0)t[o+1]=r.replace(p,m);else if(String(r).indexOf(m)>=0)t[o+1]=r.replace(m,p);else if(h[n])t[o]=h[n];else if(g[r])t[o+1]=g[r];else switch(n){case"margin":case"padding":t[o+1]=function(e){if("string"==typeof e){var t=e.split(" ");if(4===t.length)return t[0]+" "+t[3]+" "+t[2]+" "+t[1]}return e}(r);break;case"box-shadow":t[o+1]=function(e,t){var o=e.split(" "),n=parseInt(o[0],10);return o[0]=o[0].replace(String(n),String(-1*n)),o.join(" ")}(r)}}}function v(e){var t=e&&e["&"];return t?t.displayName:void 0}var b=/\:global\((.+?)\)/g;function y(e,t){return e.indexOf(":global(")>=0?e.replace(b,"$1"):0===e.indexOf(":")?t+e:e.indexOf("&")<0?t+" "+e:e}function _(e,t,o,n){void 0===t&&(t={__order:[]}),0===o.indexOf("@")?C([n],t,o=o+"{"+e):o.indexOf(",")>-1?function(e){if(!b.test(e))return e;for(var t=[],o=/\:global\((.+?)\)/g,n=null;n=o.exec(e);)n[1].indexOf(",")>-1&&t.push([n.index,n.index+n[0].length,n[1].split(",").map((function(e){return":global("+e.trim()+")"})).join(", ")]);return t.reverse().reduce((function(e,t){var o=t[0],n=t[1],r=t[2];return e.slice(0,o)+r+e.slice(n)}),e)}(o).split(",").map((function(e){return e.trim()})).forEach((function(o){return C([n],t,y(o,e))})):C([n],t,y(o,e))}function C(e,t,o){void 0===t&&(t={__order:[]}),void 0===o&&(o="&");var n=i.Y.getInstance(),r=t[o];r||(r={},t[o]=r,t.__order.push(o));for(var a=0,s=e;ao&&t.push(e.substring(o,r)),o=r+1)}return o{"use strict";o.d(t,{k:()=>F});var n,r=o(7622),i=o(7002),a=o(7023),s=o(4932),l=o(4553),c=o(6840),u=o(8145),d=o(5951),p=o(688),m=o(2782),h=o(9757),g=o(8127),f=o(8088),v=o(3345),b=o(3978),y=o(4948),_=o(7466),C=o(5446),S=o(9444),x=o(9729),k="data-is-focusable",w="data-focuszone-id",I="tabindex",D="data-no-vertical-wrap",T="data-no-horizontal-wrap",E=999999999,P=-999999999,M={},R=new Set,N=["text","number","password","email","tel","url","search"],B=!1,F=function(e){function t(t){var o=e.call(this,t)||this;return o._root=i.createRef(),o._mergedRef=(0,s.S)(),o._onFocus=function(e){if(!o._portalContainsElement(e.target)){var t,n=o.props,r=n.onActiveElementChanged,i=n.doNotAllowFocusEventToPropagate,a=n.stopFocusPropagation,s=n.onFocusNotification,u=n.onFocus,d=n.shouldFocusInnerElementWhenReceivedFocus,p=n.defaultTabbableElement,m=o._isImmediateDescendantOfZone(e.target);if(m)t=e.target;else for(var h=e.target;h&&h!==o._root.current;){if((0,l.MW)(h)&&o._isImmediateDescendantOfZone(h)){t=h;break}h=(0,c.G)(h,B)}if(d&&e.target===o._root.current){var g=p&&"function"==typeof p&&p(o._root.current);g&&(0,l.MW)(g)?(t=g,g.focus()):(o.focus(!0),o._activeElement&&(t=null))}var f=!o._activeElement;t&&t!==o._activeElement&&((m||f)&&o._setFocusAlignment(t,!0,!0),o._activeElement=t,f&&o._updateTabIndexes()),r&&r(o._activeElement,e),(a||i)&&e.stopPropagation(),u?u(e):s&&s()}},o._onBlur=function(){o._setParkedFocus(!1)},o._onMouseDown=function(e){if(!o._portalContainsElement(e.target)&&!o.props.disabled){for(var t=e.target,n=[];t&&t!==o._root.current;)n.push(t),t=(0,c.G)(t,B);for(;n.length&&((t=n.pop())&&(0,l.MW)(t)&&o._setActiveElement(t,!0),!(0,l.jz)(t)););}},o._onKeyDown=function(e,t){if(!o._portalContainsElement(e.target)){var n=o.props,r=n.direction,i=n.disabled,s=n.isInnerZoneKeystroke,c=n.pagingSupportDisabled,p=n.shouldEnterInnerZone;if(!(i||(o.props.onKeyDown&&o.props.onKeyDown(e),e.isDefaultPrevented()||o._getDocument().activeElement===o._root.current&&o._isInnerZone))){if((p&&p(e)||s&&s(e))&&o._isImmediateDescendantOfZone(e.target)){var m=o._getFirstInnerZone();if(m){if(!m.focus(!0))return}else{if(!(0,l.gc)(e.target))return;if(!o.focusElement((0,l.dc)(e.target,e.target.firstChild,!0)))return}}else{if(e.altKey)return;switch(e.which){case u.m.space:if(o._tryInvokeClickForFocusable(e.target))break;return;case u.m.left:if(r!==a.U.vertical&&(o._preventDefaultWhenHandled(e),o._moveFocusLeft(t)))break;return;case u.m.right:if(r!==a.U.vertical&&(o._preventDefaultWhenHandled(e),o._moveFocusRight(t)))break;return;case u.m.up:if(r!==a.U.horizontal&&(o._preventDefaultWhenHandled(e),o._moveFocusUp()))break;return;case u.m.down:if(r!==a.U.horizontal&&(o._preventDefaultWhenHandled(e),o._moveFocusDown()))break;return;case u.m.pageDown:if(!c&&o._moveFocusPaging(!0))break;return;case u.m.pageUp:if(!c&&o._moveFocusPaging(!1))break;return;case u.m.tab:if(o.props.allowTabKey||o.props.handleTabKey===a.J.all||o.props.handleTabKey===a.J.inputOnly&&o._isElementInput(e.target)){var h=!1;if(o._processingTabKey=!0,h=r!==a.U.vertical&&o._shouldWrapFocus(o._activeElement,T)?((0,d.zg)(t)?!e.shiftKey:e.shiftKey)?o._moveFocusLeft(t):o._moveFocusRight(t):e.shiftKey?o._moveFocusUp():o._moveFocusDown(),o._processingTabKey=!1,h)break;o.props.shouldResetActiveElementWhenTabFromZone&&(o._activeElement=null)}return;case u.m.home:if(o._isContentEditableElement(e.target)||o._isElementInput(e.target)&&!o._shouldInputLoseFocus(e.target,!1))return!1;var g=o._root.current&&o._root.current.firstChild;if(o._root.current&&g&&o.focusElement((0,l.dc)(o._root.current,g,!0)))break;return;case u.m.end:if(o._isContentEditableElement(e.target)||o._isElementInput(e.target)&&!o._shouldInputLoseFocus(e.target,!0))return!1;var f=o._root.current&&o._root.current.lastChild;if(o._root.current&&o.focusElement((0,l.TD)(o._root.current,f,!0,!0,!0)))break;return;case u.m.enter:if(o._tryInvokeClickForFocusable(e.target))break;return;default:return}}e.preventDefault(),e.stopPropagation()}}},o._getHorizontalDistanceFromCenter=function(e,t,n){var r=o._focusAlignment.left||o._focusAlignment.x||0,i=Math.floor(n.top),a=Math.floor(t.bottom),s=Math.floor(n.bottom),l=Math.floor(t.top);return e&&i>a||!e&&s=n.left&&r<=n.left+n.width?0:Math.abs(n.left+n.width/2-r):o._shouldWrapFocus(o._activeElement,D)?E:P},(0,p.l)(o),o._id=(0,m.z)("FocusZone"),o._focusAlignment={left:0,top:0},o._processingTabKey=!1,o}return(0,r.ZT)(t,e),t.getOuterZones=function(){return R.size},t._onKeyDownCapture=function(e){e.which===u.m.tab&&R.forEach((function(e){return e._updateTabIndexes()}))},t.prototype.componentDidMount=function(){var e=this._root.current;if(M[this._id]=this,e){this._windowElement=(0,h.J)(e);for(var o=(0,c.G)(e,B);o&&o!==this._getDocument().body&&1===o.nodeType;){if((0,l.jz)(o)){this._isInnerZone=!0;break}o=(0,c.G)(o,B)}this._isInnerZone||(R.add(this),this._windowElement&&1===R.size&&this._windowElement.addEventListener("keydown",t._onKeyDownCapture,!0)),this._root.current&&this._root.current.addEventListener("blur",this._onBlur,!0),this._updateTabIndexes(),this.props.defaultTabbableElement&&"string"==typeof this.props.defaultTabbableElement?this._activeElement=this._getDocument().querySelector(this.props.defaultTabbableElement):this.props.defaultActiveElement&&(this._activeElement=this._getDocument().querySelector(this.props.defaultActiveElement)),this.props.shouldFocusOnMount&&this.focus()}},t.prototype.componentDidUpdate=function(){var e=this._root.current,t=this._getDocument();if(t&&this._lastIndexPath&&(t.activeElement===t.body||null===t.activeElement||!this.props.preventFocusRestoration&&t.activeElement===e)){var o=(0,l.bF)(e,this._lastIndexPath);o?(this._setActiveElement(o,!0),o.focus(),this._setParkedFocus(!1)):this._setParkedFocus(!0)}},t.prototype.componentWillUnmount=function(){delete M[this._id],this._isInnerZone||(R.delete(this),this._windowElement&&0===R.size&&this._windowElement.removeEventListener("keydown",t._onKeyDownCapture,!0)),this._root.current&&this._root.current.removeEventListener("blur",this._onBlur,!0),this._activeElement=null,this._defaultFocusElement=null},t.prototype.render=function(){var e=this,t=this.props,o=t.as,a=t.elementType,s=t.rootProps,l=t.ariaDescribedBy,c=t.ariaLabelledBy,u=t.className,d=(0,g.pq)(this.props,g.iY),p=o||a||"div";this._evaluateFocusBeforeRender();var m=(0,x.gh)();return i.createElement(p,(0,r.pi)({"aria-labelledby":c,"aria-describedby":l},d,s,{className:(0,f.i)((n||(n=(0,S.y)({selectors:{":focus":{outline:"none"}}},"ms-FocusZone")),n),u),ref:this._mergedRef(this.props.elementRef,this._root),"data-focuszone-id":this._id,onKeyDown:function(t){return e._onKeyDown(t,m)},onFocus:this._onFocus,onMouseDownCapture:this._onMouseDown}),this.props.children)},t.prototype.focus=function(e){if(void 0===e&&(e=!1),this._root.current){if(!e&&"true"===this._root.current.getAttribute(k)&&this._isInnerZone){var t=this._getOwnerZone(this._root.current);if(t!==this._root.current){var o=M[t.getAttribute(w)];return!!o&&o.focusElement(this._root.current)}return!1}if(!e&&this._activeElement&&(0,v.t)(this._root.current,this._activeElement)&&(0,l.MW)(this._activeElement))return this._activeElement.focus(),!0;var n=this._root.current.firstChild;return this.focusElement((0,l.dc)(this._root.current,n,!0))}return!1},t.prototype.focusLast=function(){if(this._root.current){var e=this._root.current&&this._root.current.lastChild;return this.focusElement((0,l.TD)(this._root.current,e,!0,!0,!0))}return!1},t.prototype.focusElement=function(e,t){var o=this.props,n=o.onBeforeFocus,r=o.shouldReceiveFocus;return!(r&&!r(e)||n&&!n(e)||!e||(this._setActiveElement(e,t),this._activeElement&&this._activeElement.focus(),0))},t.prototype.setFocusAlignment=function(e){this._focusAlignment=e},t.prototype._evaluateFocusBeforeRender=function(){var e=this._root.current,t=this._getDocument();if(t){var o=t.activeElement;if(o!==e){var n=(0,v.t)(e,o,!1);this._lastIndexPath=n?(0,l.xu)(e,o):void 0}}},t.prototype._setParkedFocus=function(e){var t=this._root.current;t&&this._isParked!==e&&(this._isParked=e,e?(this.props.allowFocusRoot||(this._parkedTabIndex=t.getAttribute("tabindex"),t.setAttribute("tabindex","-1")),t.focus()):this.props.allowFocusRoot||(this._parkedTabIndex?(t.setAttribute("tabindex",this._parkedTabIndex),this._parkedTabIndex=void 0):t.removeAttribute("tabindex")))},t.prototype._setActiveElement=function(e,t){var o=this._activeElement;this._activeElement=e,o&&((0,l.jz)(o)&&this._updateTabIndexes(o),o.tabIndex=-1),this._activeElement&&(this._focusAlignment&&!t||this._setFocusAlignment(e,!0,!0),this._activeElement.tabIndex=0)},t.prototype._preventDefaultWhenHandled=function(e){this.props.preventDefaultWhenHandled&&e.preventDefault()},t.prototype._tryInvokeClickForFocusable=function(e){if(e===this._root.current||!this.props.shouldRaiseClicks)return!1;do{if("BUTTON"===e.tagName||"A"===e.tagName||"INPUT"===e.tagName||"TEXTAREA"===e.tagName)return!1;if(this._isImmediateDescendantOfZone(e)&&"true"===e.getAttribute(k)&&"true"!==e.getAttribute("data-disable-click-on-enter"))return(0,b.x)(e),!0;e=(0,c.G)(e,B)}while(e!==this._root.current);return!1},t.prototype._getFirstInnerZone=function(e){if(!(e=e||this._activeElement||this._root.current))return null;if((0,l.jz)(e))return M[e.getAttribute(w)];for(var t=e.firstElementChild;t;){if((0,l.jz)(t))return M[t.getAttribute(w)];var o=this._getFirstInnerZone(t);if(o)return o;t=t.nextElementSibling}return null},t.prototype._moveFocus=function(e,t,o,n){void 0===n&&(n=!0);var r=this._activeElement,i=-1,s=void 0,c=!1,u=this.props.direction===a.U.bidirectional;if(!r||!this._root.current)return!1;if(this._isElementInput(r)&&!this._shouldInputLoseFocus(r,e))return!1;var d=u?r.getBoundingClientRect():null;do{if(r=e?(0,l.dc)(this._root.current,r):(0,l.TD)(this._root.current,r),!u){s=r;break}if(r){var p=t(d,r.getBoundingClientRect());if(-1===p&&-1===i){s=r;break}if(p>-1&&(-1===i||p=0&&p<0)break}}while(r);if(s&&s!==this._activeElement)c=!0,this.focusElement(s);else if(this.props.isCircularNavigation&&n)return e?this.focusElement((0,l.dc)(this._root.current,this._root.current.firstElementChild,!0)):this.focusElement((0,l.TD)(this._root.current,this._root.current.lastElementChild,!0,!0,!0));return c},t.prototype._moveFocusDown=function(){var e=this,t=-1,o=this._focusAlignment.left||this._focusAlignment.x||0;return!!this._moveFocus(!0,(function(n,r){var i=-1,a=Math.floor(r.top),s=Math.floor(n.bottom);return a=s||a===t)&&(t=a,i=o>=r.left&&o<=r.left+r.width?0:Math.abs(r.left+r.width/2-o)),i)}))&&(this._setFocusAlignment(this._activeElement,!1,!0),!0)},t.prototype._moveFocusUp=function(){var e=this,t=-1,o=this._focusAlignment.left||this._focusAlignment.x||0;return!!this._moveFocus(!1,(function(n,r){var i=-1,a=Math.floor(r.bottom),s=Math.floor(r.top),l=Math.floor(n.top);return a>l?e._shouldWrapFocus(e._activeElement,D)?E:P:((-1===t&&a<=l||s===t)&&(t=s,i=o>=r.left&&o<=r.left+r.width?0:Math.abs(r.left+r.width/2-o)),i)}))&&(this._setFocusAlignment(this._activeElement,!1,!0),!0)},t.prototype._moveFocusLeft=function(e){var t=this,o=this._shouldWrapFocus(this._activeElement,T);return!!this._moveFocus((0,d.zg)(e),(function(n,r){var i=-1;return((0,d.zg)(e)?parseFloat(r.top.toFixed(3))parseFloat(n.top.toFixed(3)))&&r.right<=n.right&&t.props.direction!==a.U.vertical?i=n.right-r.right:o||(i=P),i}),void 0,o)&&(this._setFocusAlignment(this._activeElement,!0,!1),!0)},t.prototype._moveFocusRight=function(e){var t=this,o=this._shouldWrapFocus(this._activeElement,T);return!!this._moveFocus(!(0,d.zg)(e),(function(n,r){var i=-1;return((0,d.zg)(e)?parseFloat(r.bottom.toFixed(3))>parseFloat(n.top.toFixed(3)):parseFloat(r.top.toFixed(3))=n.left&&t.props.direction!==a.U.vertical?i=r.left-n.left:o||(i=P),i}),void 0,o)&&(this._setFocusAlignment(this._activeElement,!0,!1),!0)},t.prototype._moveFocusPaging=function(e,t){void 0===t&&(t=!0);var o=this._activeElement;if(!o||!this._root.current)return!1;if(this._isElementInput(o)&&!this._shouldInputLoseFocus(o,e))return!1;var n=(0,y.zj)(o);if(!n)return!1;var r=-1,i=void 0,a=-1,s=-1,c=n.clientHeight,u=o.getBoundingClientRect();do{if(o=e?(0,l.dc)(this._root.current,o):(0,l.TD)(this._root.current,o)){var d=o.getBoundingClientRect(),p=Math.floor(d.top),m=Math.floor(u.bottom),h=Math.floor(d.bottom),g=Math.floor(u.top),f=this._getHorizontalDistanceFromCenter(e,u,d);if(e&&p>m+c||!e&&h-1&&(e&&p>a?(a=p,r=f,i=o):!e&&h-1){var o=e.selectionStart,n=o!==e.selectionEnd,r=e.value,i=e.readOnly;if(n||o>0&&!t&&!i||o!==r.length&&t&&!i||this.props.handleTabKey&&(!this.props.shouldInputLoseFocusOnArrowKey||!this.props.shouldInputLoseFocusOnArrowKey(e)))return!1}return!0},t.prototype._shouldWrapFocus=function(e,t){return!this.props.checkForNoWrap||(0,l.mM)(e,t)},t.prototype._portalContainsElement=function(e){return e&&!!this._root.current&&(0,_.w)(e,this._root.current)},t.prototype._getDocument=function(){return(0,C.M)(this._root.current)},t.defaultProps={isCircularNavigation:!1,direction:a.U.bidirectional,shouldRaiseClicks:!0},t}(i.Component)},7023:(e,t,o)=>{"use strict";o.d(t,{J:()=>r,U:()=>n});var n,r={none:0,all:1,inputOnly:2};!function(e){e[e.vertical=0]="vertical",e[e.horizontal=1]="horizontal",e[e.bidirectional=2]="bidirectional",e[e.domOrder=3]="domOrder"}(n||(n={}))},3528:(e,t,o)=>{"use strict";o.d(t,{r:()=>a});var n=o(2167),r=o(7002),i=o(7913);function a(){var e=(0,i.B)((function(){return new n.e}));return r.useEffect((function(){return function(){return e.dispose()}}),[e]),e}},2861:(e,t,o)=>{"use strict";o.d(t,{k:()=>i});var n=o(7002),r=o(7913);function i(e){var t=n.useState(e),o=t[0],i=t[1];return[o,{setTrue:(0,r.B)((function(){return function(){i(!0)}})),setFalse:(0,r.B)((function(){return function(){i(!1)}})),toggle:(0,r.B)((function(){return function(){i((function(e){return!e}))}}))}]}},7913:(e,t,o)=>{"use strict";o.d(t,{B:()=>r});var n=o(7002);function r(e){var t=n.useRef();return void 0===t.current&&(t.current={value:"function"==typeof e?e():e}),t.current.value}},6548:(e,t,o)=>{"use strict";o.d(t,{G:()=>i});var n=o(7002),r=o(7913);function i(e,t,o){var i=n.useState(t),a=i[0],s=i[1],l=(0,r.B)(void 0!==e),c=l?e:a,u=n.useRef(c),d=n.useRef(o);n.useEffect((function(){u.current=c,d.current=o}));var p=(0,r.B)((function(){return function(e,t){var o="function"==typeof e?e(u.current):e;d.current&&d.current(t,o),l||s(o)}}));return[c,p]}},4085:(e,t,o)=>{"use strict";o.d(t,{M:()=>i});var n=o(7002),r=o(2782);function i(e,t){var o=n.useRef(t);return o.current||(o.current=(0,r.z)(e)),o.current}},9241:(e,t,o)=>{"use strict";o.d(t,{r:()=>i});var n=o(7622),r=o(7002);function i(){for(var e=[],t=0;t{"use strict";o.d(t,{d:()=>i});var n=o(9251),r=o(7002);function i(e,t,o,i){var a=r.useRef(o);a.current=o,r.useEffect((function(){var o=e&&"current"in e?e.current:e;if(o)return(0,n.on)(o,t,(function(e){return a.current(e)}),i)}),[e,t,i])}},6876:(e,t,o)=>{"use strict";o.d(t,{D:()=>r});var n=o(7002);function r(e){var t=(0,n.useRef)();return(0,n.useEffect)((function(){t.current=e})),t.current}},5646:(e,t,o)=>{"use strict";o.d(t,{L:()=>i});var n=o(7002),r=o(7913),i=function(){var e=(0,r.B)({});return n.useEffect((function(){return function(){for(var t=0,o=Object.keys(e);t{"use strict";o.d(t,{e:()=>a});var n=o(5446),r=o(7002),i=o(8901);function a(e,t){var o,a=r.useRef(),s=r.useRef(null),l=(0,i.zY)();if(!e||e!==a.current||"string"==typeof e){var c=null===(o=t)||void 0===o?void 0:o.current;if(e)if("string"==typeof e){var u=(0,n.M)(c);s.current=u?u.querySelector(e):null}else s.current="stopPropagation"in e||"getBoundingClientRect"in e?e:"current"in e?e.current:e;a.current=e}return[s,l]}},8901:(e,t,o)=>{"use strict";o.d(t,{Hn:()=>r,zY:()=>i,ky:()=>a,WU:()=>s});var n=o(7002),r=n.createContext({window:"object"==typeof window?window:void 0}),i=function(){return n.useContext(r).window},a=function(){var e;return null===(e=n.useContext(r).window)||void 0===e?void 0:e.document},s=function(e){return n.createElement(r.Provider,{value:e},e.children)}},6628:(e,t,o)=>{"use strict";o.d(t,{b:()=>n});var n={topLeftEdge:0,topCenter:1,topRightEdge:2,topAutoEdge:3,bottomLeftEdge:4,bottomCenter:5,bottomRightEdge:6,bottomAutoEdge:7,leftTopEdge:8,leftCenter:9,leftBottomEdge:10,rightTopEdge:11,rightCenter:12,rightBottomEdge:13}},9942:(e,t,o)=>{"use strict";o.d(t,{d:()=>c});var n=o(7622),r=o(7002),i=o(7300),a=o(8127),s=o(6055),l=(0,i.y)(),c=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.message,o=e.styles,i=e.as,c=void 0===i?"div":i,u=e.className,d=l(o,{className:u});return r.createElement(c,(0,n.pi)({role:"status",className:d.root},(0,a.pq)(this.props,a.n7,["className"])),r.createElement(s.U,null,r.createElement("div",{className:d.screenReaderText},t)))},t.defaultProps={"aria-live":"polite"},t}(r.Component)},3945:(e,t,o)=>{"use strict";o.d(t,{O:()=>a});var n=o(2002),r=o(9942),i=o(9729),a=(0,n.z)(r.d,(function(e){return{root:e.className,screenReaderText:i.ul}}))},5767:(e,t,o)=>{"use strict";o.d(t,{G:()=>d});var n=o(7622),r=o(7002),i=o(5036),a=o(8145),s=o(688),l=o(2167),c=o(8127),u="backward",d=function(e){function t(t){var o=e.call(this,t)||this;return o._inputElement=r.createRef(),o._autoFillEnabled=!0,o._isComposing=!1,o._onCompositionStart=function(e){o._isComposing=!0,o._autoFillEnabled=!1},o._onCompositionUpdate=function(){(0,i.f)()&&o._updateValue(o._getCurrentInputValue(),!0)},o._onCompositionEnd=function(e){var t=o._getCurrentInputValue();o._tryEnableAutofill(t,o.value,!1,!0),o._isComposing=!1,o._async.setTimeout((function(){o._updateValue(o._getCurrentInputValue(),!1)}),0)},o._onClick=function(){o.value&&""!==o.value&&o._autoFillEnabled&&(o._autoFillEnabled=!1)},o._onKeyDown=function(e){if(o.props.onKeyDown&&o.props.onKeyDown(e),!e.nativeEvent.isComposing)switch(e.which){case a.m.backspace:o._autoFillEnabled=!1;break;case a.m.left:case a.m.right:o._autoFillEnabled&&(o.setState({inputValue:o.props.suggestedDisplayValue||""}),o._autoFillEnabled=!1);break;default:o._autoFillEnabled||-1!==o.props.enableAutofillOnKeyPress.indexOf(e.which)&&(o._autoFillEnabled=!0)}},o._onInputChanged=function(e){var t=o._getCurrentInputValue(e);if(o._isComposing||o._tryEnableAutofill(t,o.value,e.nativeEvent.isComposing),!(0,i.f)()||!o._isComposing){var n=e.nativeEvent.isComposing,r=void 0===n?o._isComposing:n;o._updateValue(t,r)}},o._onChanged=function(){},o._updateValue=function(e,t){var n;if(e||e!==o.value){var r=o.props,i=r.onInputChange,a=r.onInputValueChange;i&&(e=(null===(n=i)||void 0===n?void 0:n(e,t))||""),o.setState({inputValue:e},(function(){var o;return null===(o=a)||void 0===o?void 0:o(e,t)}))}},(0,s.l)(o),o._async=new l.e(o),o.state={inputValue:t.defaultVisibleValue||""},o}return(0,n.ZT)(t,e),t.getDerivedStateFromProps=function(e,t){if(e.updateValueInWillReceiveProps){var o=e.updateValueInWillReceiveProps();if(null!==o&&o!==t.inputValue)return{inputValue:o}}return null},Object.defineProperty(t.prototype,"cursorLocation",{get:function(){if(this._inputElement.current){var e=this._inputElement.current;return"forward"!==e.selectionDirection?e.selectionEnd:e.selectionStart}return-1},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"isValueSelected",{get:function(){return Boolean(this.inputElement&&this.inputElement.selectionStart!==this.inputElement.selectionEnd)},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"value",{get:function(){return this._getControlledValue()||this.state.inputValue||""},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"selectionStart",{get:function(){return this._inputElement.current?this._inputElement.current.selectionStart:-1},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"selectionEnd",{get:function(){return this._inputElement.current?this._inputElement.current.selectionEnd:-1},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"inputElement",{get:function(){return this._inputElement.current},enumerable:!0,configurable:!0}),t.prototype.componentDidUpdate=function(){var e=this.props,t=e.suggestedDisplayValue,o=e.shouldSelectFullInputValueInComponentDidUpdate,n=0;if(!e.preventValueSelection&&this._autoFillEnabled&&this.value&&t&&p(t,this.value)){var r=!1;if(o&&(r=o()),r&&this._inputElement.current)this._inputElement.current.setSelectionRange(0,t.length,u);else{for(;n0&&this._inputElement.current&&this._inputElement.current.setSelectionRange(n,t.length,u)}}},t.prototype.componentWillUnmount=function(){this._async.dispose()},t.prototype.render=function(){var e=(0,c.pq)(this.props,c.Gg),t=(0,n.pi)((0,n.pi)({},this.props.style),{fontFamily:"inherit"});return r.createElement("input",(0,n.pi)({autoCapitalize:"off",autoComplete:"off","aria-autocomplete":"both"},e,{style:t,ref:this._inputElement,value:this._getDisplayValue(),onCompositionStart:this._onCompositionStart,onCompositionUpdate:this._onCompositionUpdate,onCompositionEnd:this._onCompositionEnd,onChange:this._onChanged,onInput:this._onInputChanged,onKeyDown:this._onKeyDown,onClick:this.props.onClick?this.props.onClick:this._onClick,"data-lpignore":!0}))},t.prototype.focus=function(){this._inputElement.current&&this._inputElement.current.focus()},t.prototype.clear=function(){this._autoFillEnabled=!0,this._updateValue("",!1),this._inputElement.current&&this._inputElement.current.setSelectionRange(0,0)},t.prototype._getCurrentInputValue=function(e){return e&&e.target&&e.target.value?e.target.value:this.inputElement&&this.inputElement.value?this.inputElement.value:""},t.prototype._tryEnableAutofill=function(e,t,o,n){!o&&e&&this._inputElement.current&&this._inputElement.current.selectionStart===e.length&&!this._autoFillEnabled&&(e.length>t.length||n)&&(this._autoFillEnabled=!0)},t.prototype._getDisplayValue=function(){return this._autoFillEnabled?(e=this.value,t=this.props.suggestedDisplayValue,o=e,t&&e&&p(t,o)&&(o=t),o):this.value;var e,t,o},t.prototype._getControlledValue=function(){var e=this.props.value;return void 0===e||"string"==typeof e?e:(console.warn("props.value of Autofill should be a string, but it is "+e+" with type of "+typeof e),e.toString())},t.defaultProps={enableAutofillOnKeyPress:[a.m.down,a.m.up]},t}(r.Component);function p(e,t){return!(!e||!t)&&0===e.toLocaleLowerCase().indexOf(t.toLocaleLowerCase())}},2898:(e,t,o)=>{"use strict";o.d(t,{K:()=>c});var n=o(7622),r=o(7002),i=o(4968),a=o(9013),s=o(6053),l=o(3608),c=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.theme;return r.createElement(i.Y,(0,n.pi)({},this.props,{variantClassName:"ms-Button--action ms-Button--command",styles:(0,l.W)(o,t),onRenderDescription:a.S}))},(0,n.gn)([(0,s.a)("ActionButton",["theme","styles"],!0)],t)}(r.Component)},3608:(e,t,o)=>{"use strict";o.d(t,{W:()=>a});var n=o(9729),r=o(5094),i=o(1860),a=(0,r.NF)((function(e,t){var o,r,a,s=(0,i.W)(e),l={root:{padding:"0 4px",height:"40px",color:e.palette.neutralPrimary,backgroundColor:"transparent",border:"1px solid transparent",selectors:(o={},o[n.qJ]={borderColor:"Window"},o)},rootHovered:{color:e.palette.themePrimary,selectors:(r={},r[n.qJ]={color:"Highlight"},r)},iconHovered:{color:e.palette.themePrimary},rootPressed:{color:e.palette.black},rootExpanded:{color:e.palette.themePrimary},iconPressed:{color:e.palette.themeDarker},rootDisabled:{color:e.palette.neutralTertiary,backgroundColor:"transparent",borderColor:"transparent",selectors:(a={},a[n.qJ]={color:"GrayText"},a)},rootChecked:{color:e.palette.black},iconChecked:{color:e.palette.themeDarker},flexContainer:{justifyContent:"flex-start"},icon:{color:e.palette.themeDarkAlt},iconDisabled:{color:"inherit"},menuIcon:{color:e.palette.neutralSecondary},textContainer:{flexGrow:0}};return(0,n.E$)(s,l,t)}))},2657:(e,t,o)=>{"use strict";o.d(t,{n:()=>i,f:()=>a});var n=o(5094),r=o(9729),i={msButton:"ms-Button",msButtonHasMenu:"ms-Button--hasMenu",msButtonIcon:"ms-Button-icon",msButtonMenuIcon:"ms-Button-menuIcon",msButtonLabel:"ms-Button-label",msButtonDescription:"ms-Button-description",msButtonScreenReaderText:"ms-Button-screenReaderText",msButtonFlexContainer:"ms-Button-flexContainer",msButtonTextContainer:"ms-Button-textContainer"},a=(0,n.NF)((function(e,t,o,n,a,s,l,c,u,d,p){var m,h,g=(0,r.Cn)(i,e||{}),f=d&&!p;return(0,r.ZC)({root:[g.msButton,t.root,n,u&&["is-checked",t.rootChecked],f&&["is-expanded",t.rootExpanded,{selectors:(m={},m[":hover ."+g.msButtonIcon]=t.iconExpandedHovered,m[":hover ."+g.msButtonMenuIcon]=t.menuIconExpandedHovered||t.rootExpandedHovered,m[":hover"]=t.rootExpandedHovered,m)}],c&&[i.msButtonHasMenu,t.rootHasMenu],l&&["is-disabled",t.rootDisabled],!l&&!f&&!u&&{selectors:(h={":hover":t.rootHovered},h[":hover ."+g.msButtonLabel]=t.labelHovered,h[":hover ."+g.msButtonIcon]=t.iconHovered,h[":hover ."+g.msButtonDescription]=t.descriptionHovered,h[":hover ."+g.msButtonMenuIcon]=t.menuIconHovered,h[":focus"]=t.rootFocused,h[":active"]=t.rootPressed,h[":active ."+g.msButtonIcon]=t.iconPressed,h[":active ."+g.msButtonDescription]=t.descriptionPressed,h[":active ."+g.msButtonMenuIcon]=t.menuIconPressed,h)},l&&u&&[t.rootCheckedDisabled],!l&&u&&{selectors:{":hover":t.rootCheckedHovered,":active":t.rootCheckedPressed}},o],flexContainer:[g.msButtonFlexContainer,t.flexContainer],textContainer:[g.msButtonTextContainer,t.textContainer],icon:[g.msButtonIcon,a,t.icon,f&&t.iconExpanded,u&&t.iconChecked,l&&t.iconDisabled],label:[g.msButtonLabel,t.label,u&&t.labelChecked,l&&t.labelDisabled],menuIcon:[g.msButtonMenuIcon,s,t.menuIcon,u&&t.menuIconChecked,l&&!p&&t.menuIconDisabled,!l&&!f&&!u&&{selectors:{":hover":t.menuIconHovered,":active":t.menuIconPressed}},f&&["is-expanded",t.menuIconExpanded]],description:[g.msButtonDescription,t.description,u&&t.descriptionChecked,l&&t.descriptionDisabled],screenReaderText:[g.msButtonScreenReaderText,t.screenReaderText]})}))},4968:(e,t,o)=>{"use strict";o.d(t,{Y:()=>P});var n=o(7622),r=o(7002),i=o(5094),a=o(8088),s=o(7466),l=o(8145),c=o(688),u=o(2167),d=o(9919),p=o(5415),m=o(3129),h=o(2782),g=o(8127),f=o(2447),v=o(9013),b=o(5480),y=o(9577),_=o(4932),C=o(9947),S=o(4734),x=o(7840),k=o(6628),w=o(9134),I=o(2657),D=o(5032),T=o(9949),E="BaseButton",P=function(e){function t(t){var o=e.call(this,t)||this;return o._buttonElement=r.createRef(),o._splitButtonContainer=r.createRef(),o._mergedRef=(0,_.S)(),o._renderedVisibleMenu=!1,o._getMemoizedMenuButtonKeytipProps=(0,i.NF)((function(e){return(0,n.pi)((0,n.pi)({},e),{hasMenu:!0})})),o._onRenderIcon=function(e,t){var i=o.props.iconProps;if(i&&(void 0!==i.iconName||i.imageProps)){var s=i.className,l=i.imageProps,c=(0,n._T)(i,["className","imageProps"]);if(i.styles)return r.createElement(C.J,(0,n.pi)({className:(0,a.i)(o._classNames.icon,s),imageProps:l},c));if(i.iconName)return r.createElement(S.xu,(0,n.pi)({className:(0,a.i)(o._classNames.icon,s)},c));if(l)return r.createElement(x.X,(0,n.pi)({className:(0,a.i)(o._classNames.icon,s),imageProps:l},c))}return null},o._onRenderTextContents=function(){var e=o.props,t=e.text,n=e.children,i=e.secondaryText,a=void 0===i?o.props.description:i,s=e.onRenderText,l=void 0===s?o._onRenderText:s,c=e.onRenderDescription,u=void 0===c?o._onRenderDescription:c;return t||"string"==typeof n||a?r.createElement("span",{className:o._classNames.textContainer},l(o.props,o._onRenderText),u(o.props,o._onRenderDescription)):[l(o.props,o._onRenderText),u(o.props,o._onRenderDescription)]},o._onRenderText=function(){var e=o.props.text,t=o.props.children;return void 0===e&&"string"==typeof t&&(e=t),o._hasText()?r.createElement("span",{key:o._labelId,className:o._classNames.label,id:o._labelId},e):null},o._onRenderChildren=function(){var e=o.props.children;return"string"==typeof e?null:e},o._onRenderDescription=function(e){var t=e.secondaryText,n=void 0===t?o.props.description:t;return n?r.createElement("span",{key:o._descriptionId,className:o._classNames.description,id:o._descriptionId},n):null},o._onRenderAriaDescription=function(){var e=o.props.ariaDescription;return e?r.createElement("span",{className:o._classNames.screenReaderText,id:o._ariaDescriptionId},e):null},o._onRenderMenuIcon=function(e){var t=o.props.menuIconProps;return r.createElement(S.xu,(0,n.pi)({iconName:"ChevronDown"},t,{className:o._classNames.menuIcon}))},o._onRenderMenu=function(e){var t=o.props.persistMenu,i=o.state.menuHidden,s=o.props.menuAs||w.r;return e.ariaLabel||e.labelElementId||!o._hasText()||(e=(0,n.pi)((0,n.pi)({},e),{labelElementId:o._labelId})),r.createElement(s,(0,n.pi)({id:o._labelId+"-menu",directionalHint:k.b.bottomLeftEdge},e,{shouldFocusOnContainer:o._menuShouldFocusOnContainer,shouldFocusOnMount:o._menuShouldFocusOnMount,hidden:t?i:void 0,className:(0,a.i)("ms-BaseButton-menuhost",e.className),target:o._isSplitButton?o._splitButtonContainer.current:o._buttonElement.current,onDismiss:o._onDismissMenu}))},o._onDismissMenu=function(e){var t=o.props.menuProps;t&&t.onDismiss&&t.onDismiss(e),e&&e.defaultPrevented||o._dismissMenu()},o._dismissMenu=function(){o._menuShouldFocusOnMount=void 0,o._menuShouldFocusOnContainer=void 0,o.setState({menuHidden:!0})},o._openMenu=function(e,t){void 0===t&&(t=!0),o.props.menuProps&&(o._menuShouldFocusOnContainer=e,o._menuShouldFocusOnMount=t,o._renderedVisibleMenu=!0,o.setState({menuHidden:!1}))},o._onToggleMenu=function(e){var t=!0;o.props.menuProps&&!1===o.props.menuProps.shouldFocusOnMount&&(t=!1),o.state.menuHidden?o._openMenu(e,t):o._dismissMenu()},o._onSplitContainerFocusCapture=function(e){var t=o._splitButtonContainer.current;!t||e.target&&(0,s.w)(e.target,t)||t.focus()},o._onSplitButtonPrimaryClick=function(e){o.state.menuHidden||o._dismissMenu(),!o._processingTouch&&o.props.onClick?o.props.onClick(e):o._processingTouch&&o._onMenuClick(e)},o._onKeyDown=function(e){!o.props.disabled||e.which!==l.m.enter&&e.which!==l.m.space?o.props.disabled||(o.props.menuProps?o._onMenuKeyDown(e):void 0!==o.props.onKeyDown&&o.props.onKeyDown(e)):(e.preventDefault(),e.stopPropagation())},o._onKeyUp=function(e){o.props.disabled||void 0===o.props.onKeyUp||o.props.onKeyUp(e)},o._onKeyPress=function(e){o.props.disabled||void 0===o.props.onKeyPress||o.props.onKeyPress(e)},o._onMouseUp=function(e){o.props.disabled||void 0===o.props.onMouseUp||o.props.onMouseUp(e)},o._onMouseDown=function(e){o.props.disabled||void 0===o.props.onMouseDown||o.props.onMouseDown(e)},o._onClick=function(e){o.props.disabled||(o.props.menuProps?o._onMenuClick(e):void 0!==o.props.onClick&&o.props.onClick(e))},o._onSplitButtonContainerKeyDown=function(e){e.which===l.m.enter||e.which===l.m.space?o._buttonElement.current&&(o._buttonElement.current.click(),e.preventDefault(),e.stopPropagation()):o._onMenuKeyDown(e)},o._onMenuKeyDown=function(e){if(!o.props.disabled){o.props.onKeyDown&&o.props.onKeyDown(e);var t=e.which===l.m.up,n=e.which===l.m.down;if(!e.defaultPrevented&&o._isValidMenuOpenKey(e)){var r=o.props.onMenuClick;r&&r(e,o.props),o._onToggleMenu(!1),e.preventDefault(),e.stopPropagation()}e.altKey||e.metaKey||!t&&!n||!o.state.menuHidden&&o.props.menuProps&&((void 0!==o._menuShouldFocusOnMount?o._menuShouldFocusOnMount:o.props.menuProps.shouldFocusOnMount)||(e.preventDefault(),e.stopPropagation(),o._menuShouldFocusOnMount=!0,o.forceUpdate()))}},o._onTouchStart=function(){o._isSplitButton&&o._splitButtonContainer.current&&!("onpointerdown"in o._splitButtonContainer.current)&&o._handleTouchAndPointerEvent()},o._onMenuClick=function(e){var t=o.props.onMenuClick;if(t&&t(e,o.props),!e.defaultPrevented){var n=0!==e.nativeEvent.detail||"mouse"===e.nativeEvent.pointerType;o._onToggleMenu(n),e.preventDefault(),e.stopPropagation()}},(0,c.l)(o),o._async=new u.e(o),o._events=new d.r(o),(0,p.w)(E,t,["menuProps","onClick"],"split",o.props.split),(0,m.b)(E,t,{rootProps:void 0,description:"secondaryText",toggled:"checked"}),o._labelId=(0,h.z)(),o._descriptionId=(0,h.z)(),o._ariaDescriptionId=(0,h.z)(),o.state={menuHidden:!0},o}return(0,n.ZT)(t,e),Object.defineProperty(t.prototype,"_isSplitButton",{get:function(){return!!this.props.menuProps&&!!this.props.onClick&&!0===this.props.split},enumerable:!0,configurable:!0}),t.prototype.render=function(){var e,t=this.props,o=t.ariaDescription,n=t.ariaLabel,r=t.ariaHidden,i=t.className,a=t.disabled,s=t.allowDisabledFocus,l=t.primaryDisabled,c=t.secondaryText,u=void 0===c?this.props.description:c,d=t.href,p=t.iconProps,m=t.menuIconProps,h=t.styles,b=t.checked,y=t.variantClassName,_=t.theme,C=t.toggle,S=t.getClassNames,x=t.role,k=this.state.menuHidden,w=a||l;this._classNames=S?S(_,i,y,p&&p.className,m&&m.className,w,b,!k,!!this.props.menuProps,this.props.split,!!s):(0,I.f)(_,h,i,y,p&&p.className,m&&m.className,w,!!this.props.menuProps,b,!k,this.props.split);var D=this,T=D._ariaDescriptionId,E=D._labelId,P=D._descriptionId,M=!w&&!!d,R=M?"a":"button",N=(0,g.pq)((0,f.f0)(M?{}:{type:"button"},this.props.rootProps,this.props),M?g.h2:g.Yq,["disabled"]),B=n||N["aria-label"],F=void 0;o?F=T:u&&this.props.onRenderDescription!==v.S?F=P:N["aria-describedby"]&&(F=N["aria-describedby"]);var L=void 0;B||(N["aria-labelledby"]?L=N["aria-labelledby"]:F&&(L=this._hasText()?E:void 0));var A=!(!1===this.props["data-is-focusable"]||a&&!s||this._isSplitButton),z="menuitemcheckbox"===x||"checkbox"===x,H=z||!0===C?!!b:void 0,O=(0,f.f0)(N,((e={className:this._classNames.root,ref:this._mergedRef(this.props.elementRef,this._buttonElement),disabled:w&&!s,onKeyDown:this._onKeyDown,onKeyPress:this._onKeyPress,onKeyUp:this._onKeyUp,onMouseDown:this._onMouseDown,onMouseUp:this._onMouseUp,onClick:this._onClick,"aria-label":B,"aria-labelledby":L,"aria-describedby":F,"aria-disabled":w,"data-is-focusable":A})[z?"aria-checked":"aria-pressed"]=H,e));return r&&(O["aria-hidden"]=!0),this._isSplitButton?this._onRenderSplitButtonContent(R,O):(this.props.menuProps&&(0,f.f0)(O,{"aria-expanded":!k,"aria-controls":k?null:this._labelId+"-menu","aria-haspopup":!0}),this._onRenderContent(R,O))},t.prototype.componentDidMount=function(){this._isSplitButton&&this._splitButtonContainer.current&&("onpointerdown"in this._splitButtonContainer.current&&this._events.on(this._splitButtonContainer.current,"pointerdown",this._onPointerDown,!0),"onpointerup"in this._splitButtonContainer.current&&this.props.onPointerUp&&this._events.on(this._splitButtonContainer.current,"pointerup",this.props.onPointerUp,!0))},t.prototype.componentDidUpdate=function(e,t){this.props.onAfterMenuDismiss&&!t.menuHidden&&this.state.menuHidden&&this.props.onAfterMenuDismiss()},t.prototype.componentWillUnmount=function(){this._async.dispose(),this._events.dispose()},t.prototype.focus=function(){this._isSplitButton&&this._splitButtonContainer.current?this._splitButtonContainer.current.focus():this._buttonElement.current&&this._buttonElement.current.focus()},t.prototype.dismissMenu=function(){this._dismissMenu()},t.prototype.openMenu=function(e,t){this._openMenu(e,t)},t.prototype._onRenderContent=function(e,t){var o=this,i=this.props,a=e,s=i.menuIconProps,l=i.menuProps,c=i.onRenderIcon,u=void 0===c?this._onRenderIcon:c,d=i.onRenderAriaDescription,p=void 0===d?this._onRenderAriaDescription:d,m=i.onRenderChildren,h=void 0===m?this._onRenderChildren:m,g=i.onRenderMenu,f=void 0===g?this._onRenderMenu:g,v=i.onRenderMenuIcon,y=void 0===v?this._onRenderMenuIcon:v,_=i.disabled,C=i.keytipProps;C&&l&&(C=this._getMemoizedMenuButtonKeytipProps(C));var S=function(e){return r.createElement(a,(0,n.pi)({},t,e),r.createElement("span",{className:o._classNames.flexContainer,"data-automationid":"splitbuttonprimary"},u(i,o._onRenderIcon),o._onRenderTextContents(),p(i,o._onRenderAriaDescription),h(i,o._onRenderChildren),!o._isSplitButton&&(l||s||o.props.onRenderMenuIcon)&&y(o.props,o._onRenderMenuIcon),l&&!l.doNotLayer&&o._shouldRenderMenu()&&f(l,o._onRenderMenu)))},x=C?r.createElement(T.a,{keytipProps:this._isSplitButton?void 0:C,ariaDescribedBy:t["aria-describedby"],disabled:_},(function(e){return S(e)})):S();return l&&l.doNotLayer?r.createElement(r.Fragment,null,x,this._shouldRenderMenu()&&f(l,this._onRenderMenu)):r.createElement(r.Fragment,null,x,r.createElement(b.u,null))},t.prototype._shouldRenderMenu=function(){var e=this.state.menuHidden,t=this.props,o=t.persistMenu,n=t.renderPersistedMenuHiddenOnMount;return!e||!(!o||!this._renderedVisibleMenu&&!n)},t.prototype._hasText=function(){return null!==this.props.text&&(void 0!==this.props.text||"string"==typeof this.props.children)},t.prototype._onRenderSplitButtonContent=function(e,t){var o=this,i=this.props,a=i.styles,s=void 0===a?{}:a,l=i.disabled,c=i.allowDisabledFocus,u=i.checked,d=i.getSplitButtonClassNames,p=i.primaryDisabled,m=i.menuProps,h=i.toggle,v=i.role,b=i.primaryActionButtonProps,_=this.props.keytipProps,C=this.state.menuHidden,S=d?d(!!l,!C,!!u,!!c):s&&(0,D.W)(s,!!l,!C,!!u,!!p);(0,f.f0)(t,{onClick:void 0,onPointerDown:void 0,onPointerUp:void 0,tabIndex:-1,"data-is-focusable":!1}),_&&m&&(_=this._getMemoizedMenuButtonKeytipProps(_));var x=(0,g.pq)(t,[],["disabled"]);b&&(0,f.f0)(t,b);var k=function(i){return r.createElement("div",(0,n.pi)({},x,{"data-ktp-target":i?i["data-ktp-target"]:void 0,role:v||"button","aria-disabled":l,"aria-haspopup":!0,"aria-expanded":!C,"aria-pressed":h?!!u:void 0,"aria-describedby":(0,y.I)(t["aria-describedby"],i?i["aria-describedby"]:void 0),className:S&&S.splitButtonContainer,onKeyDown:o._onSplitButtonContainerKeyDown,onTouchStart:o._onTouchStart,ref:o._splitButtonContainer,"data-is-focusable":!0,onClick:l||p?void 0:o._onSplitButtonPrimaryClick,tabIndex:!l||c?0:void 0,"aria-roledescription":t["aria-roledescription"],onFocusCapture:o._onSplitContainerFocusCapture}),r.createElement("span",{style:{display:"flex"}},o._onRenderContent(e,t),o._onRenderSplitButtonMenuButton(S,i),o._onRenderSplitButtonDivider(S)))};return _?r.createElement(T.a,{keytipProps:_,disabled:l},(function(e){return k(e)})):k()},t.prototype._onRenderSplitButtonDivider=function(e){return e&&e.divider?r.createElement("span",{className:e.divider,"aria-hidden":!0,onClick:function(e){e.stopPropagation()}}):null},t.prototype._onRenderSplitButtonMenuButton=function(e,o){var i=this.props,a=i.allowDisabledFocus,s=i.checked,l=i.disabled,c=i.splitButtonMenuProps,u=i.splitButtonAriaLabel,d=this.state.menuHidden,p=this.props.menuIconProps;void 0===p&&(p={iconName:"ChevronDown"});var m=(0,n.pi)((0,n.pi)({},c),{styles:e,checked:s,disabled:l,allowDisabledFocus:a,onClick:this._onMenuClick,menuProps:void 0,iconProps:(0,n.pi)((0,n.pi)({},p),{className:this._classNames.menuIcon}),ariaLabel:u,"aria-haspopup":!0,"aria-expanded":!d,"data-is-focusable":!1});return r.createElement(t,(0,n.pi)({},m,{"data-ktp-execute-target":o?o["data-ktp-execute-target"]:o,onMouseDown:this._onMouseDown,tabIndex:-1}))},t.prototype._onPointerDown=function(e){var t=this.props.onPointerDown;t&&t(e),"touch"===e.pointerType&&(this._handleTouchAndPointerEvent(),e.preventDefault(),e.stopImmediatePropagation())},t.prototype._handleTouchAndPointerEvent=function(){var e=this;void 0!==this._lastTouchTimeoutId&&(this._async.clearTimeout(this._lastTouchTimeoutId),this._lastTouchTimeoutId=void 0),this._processingTouch=!0,this._lastTouchTimeoutId=this._async.setTimeout((function(){e._processingTouch=!1,e._lastTouchTimeoutId=void 0,e.focus()}),500)},t.prototype._isValidMenuOpenKey=function(e){return this.props.menuTriggerKeyCode?e.which===this.props.menuTriggerKeyCode:!!this.props.menuProps&&e.which===l.m.down&&(e.altKey||e.metaKey)},t.defaultProps={baseClassName:"ms-Button",styles:{},split:!1},t}(r.Component)},1860:(e,t,o)=>{"use strict";o.d(t,{W:()=>s});var n=o(5094),r=o(9729),i={outline:0},a=function(e){return{fontSize:e,margin:"0 4px",height:"16px",lineHeight:"16px",textAlign:"center",flexShrink:0}},s=(0,n.NF)((function(e){var t,o,n=e.semanticColors,s=e.effects,l=e.fonts,c=n.buttonBorder,u=n.disabledBackground,d=n.disabledText,p={left:-2,top:-2,bottom:-2,right:-2,outlineColor:"ButtonText"};return{root:[(0,r.GL)(e,{inset:1,highContrastStyle:p,borderColor:"transparent"}),e.fonts.medium,{boxSizing:"border-box",border:"1px solid "+c,userSelect:"none",display:"inline-block",textDecoration:"none",textAlign:"center",cursor:"pointer",padding:"0 16px",borderRadius:s.roundedCorner2,selectors:{":active > *":{position:"relative",left:0,top:0}}}],rootDisabled:[(0,r.GL)(e,{inset:1,highContrastStyle:p,borderColor:"transparent"}),{backgroundColor:u,borderColor:u,color:d,cursor:"default",pointerEvents:"none",selectors:{":hover":i,":focus":i}}],iconDisabled:{color:d,selectors:(t={},t[r.qJ]={color:"GrayText"},t)},menuIconDisabled:{color:d,selectors:(o={},o[r.qJ]={color:"GrayText"},o)},flexContainer:{display:"flex",height:"100%",flexWrap:"nowrap",justifyContent:"center",alignItems:"center"},description:{display:"block"},textContainer:{flexGrow:1,display:"block"},icon:a(l.mediumPlus.fontSize),menuIcon:a(l.small.fontSize),label:{margin:"0 4px",lineHeight:"100%",display:"block"},screenReaderText:r.ul}}))},7664:(e,t,o)=>{"use strict";o.d(t,{D:()=>a,f:()=>s});var n=o(7622),r=o(9729),i=o(6145);function a(e){var t,o,i,a,s,l=e.semanticColors,c=e.palette,u=l.buttonBackground,d=l.buttonBackgroundPressed,p=l.buttonBackgroundHovered,m=l.buttonBackgroundDisabled,h=l.buttonText,g=l.buttonTextHovered,f=l.buttonTextDisabled,v=l.buttonTextChecked,b=l.buttonTextCheckedHovered;return{root:{backgroundColor:u,color:h},rootHovered:{backgroundColor:p,color:g,selectors:(t={},t[r.qJ]={borderColor:"Highlight",color:"Highlight"},t)},rootPressed:{backgroundColor:d,color:v},rootExpanded:{backgroundColor:d,color:v},rootChecked:{backgroundColor:d,color:v},rootCheckedHovered:{backgroundColor:d,color:b},rootDisabled:{color:f,backgroundColor:m,selectors:(o={},o[r.qJ]={color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},o)},splitButtonContainer:{selectors:(i={},i[r.qJ]={border:"none"},i)},splitButtonMenuButton:{color:c.white,backgroundColor:"transparent",selectors:{":hover":{backgroundColor:c.neutralLight,selectors:(a={},a[r.qJ]={color:"Highlight"},a)}}},splitButtonMenuButtonDisabled:{backgroundColor:l.buttonBackgroundDisabled,selectors:{":hover":{backgroundColor:l.buttonBackgroundDisabled}}},splitButtonDivider:(0,n.pi)((0,n.pi)({},{position:"absolute",width:1,right:31,top:8,bottom:8}),{backgroundColor:c.neutralTertiaryAlt,selectors:(s={},s[r.qJ]={backgroundColor:"WindowText"},s)}),splitButtonDividerDisabled:{backgroundColor:e.palette.neutralTertiaryAlt},splitButtonMenuButtonChecked:{backgroundColor:c.neutralQuaternaryAlt,selectors:{":hover":{backgroundColor:c.neutralQuaternaryAlt}}},splitButtonMenuButtonExpanded:{backgroundColor:c.neutralQuaternaryAlt,selectors:{":hover":{backgroundColor:c.neutralQuaternaryAlt}}},splitButtonMenuIcon:{color:l.buttonText},splitButtonMenuIconDisabled:{color:l.buttonTextDisabled}}}function s(e){var t,o,a,s,l,c,u,d,p,m=e.palette,h=e.semanticColors;return{root:{backgroundColor:h.primaryButtonBackground,border:"1px solid "+h.primaryButtonBackground,color:h.primaryButtonText,selectors:(t={},t[r.qJ]=(0,n.pi)({color:"Window",backgroundColor:"WindowText",borderColor:"WindowText"},(0,r.xM)()),t["."+i.G$+" &:focus"]={selectors:{":after":{border:"none",outlineColor:m.white}}},t)},rootHovered:{backgroundColor:h.primaryButtonBackgroundHovered,border:"1px solid "+h.primaryButtonBackgroundHovered,color:h.primaryButtonTextHovered,selectors:(o={},o[r.qJ]={color:"Window",backgroundColor:"Highlight",borderColor:"Highlight"},o)},rootPressed:{backgroundColor:h.primaryButtonBackgroundPressed,border:"1px solid "+h.primaryButtonBackgroundPressed,color:h.primaryButtonTextPressed,selectors:(a={},a[r.qJ]=(0,n.pi)({color:"Window",backgroundColor:"WindowText",borderColor:"WindowText"},(0,r.xM)()),a)},rootExpanded:{backgroundColor:h.primaryButtonBackgroundPressed,color:h.primaryButtonTextPressed},rootChecked:{backgroundColor:h.primaryButtonBackgroundPressed,color:h.primaryButtonTextPressed},rootCheckedHovered:{backgroundColor:h.primaryButtonBackgroundPressed,color:h.primaryButtonTextPressed},rootDisabled:{color:h.primaryButtonTextDisabled,backgroundColor:h.primaryButtonBackgroundDisabled,selectors:(s={},s[r.qJ]={color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},s)},splitButtonContainer:{selectors:(l={},l[r.qJ]={border:"none"},l)},splitButtonDivider:(0,n.pi)((0,n.pi)({},{position:"absolute",width:1,right:31,top:8,bottom:8}),{backgroundColor:m.white,selectors:(c={},c[r.qJ]={backgroundColor:"Window"},c)}),splitButtonMenuButton:{backgroundColor:h.primaryButtonBackground,color:h.primaryButtonText,selectors:(u={},u[r.qJ]={backgroundColor:"WindowText"},u[":hover"]={backgroundColor:h.primaryButtonBackgroundHovered,selectors:(d={},d[r.qJ]={color:"Highlight"},d)},u)},splitButtonMenuButtonDisabled:{backgroundColor:h.primaryButtonBackgroundDisabled,selectors:{":hover":{backgroundColor:h.primaryButtonBackgroundDisabled}}},splitButtonMenuButtonChecked:{backgroundColor:h.primaryButtonBackgroundPressed,selectors:{":hover":{backgroundColor:h.primaryButtonBackgroundPressed}}},splitButtonMenuButtonExpanded:{backgroundColor:h.primaryButtonBackgroundPressed,selectors:{":hover":{backgroundColor:h.primaryButtonBackgroundPressed}}},splitButtonMenuIcon:{color:h.primaryButtonText},splitButtonMenuIconDisabled:{color:m.neutralTertiary,selectors:(p={},p[r.qJ]={color:"GrayText"},p)}}}},1420:(e,t,o)=>{"use strict";o.d(t,{Q:()=>h});var n=o(7622),r=o(7002),i=o(4968),a=o(9013),s=o(6053),l=o(9729),c=o(5094),u=o(1860),d=o(8198),p=o(2657),m=(0,c.NF)((function(e,t,o,r){var i,a,s,c,m,h,g,f,v,b,y,_,C,S,x=(0,u.W)(e),k=(0,d.W)(e),w=e.palette,I=e.semanticColors,D={root:[(0,l.GL)(e,{inset:2,highContrastStyle:{left:4,top:4,bottom:4,right:4,border:"none"},borderColor:"transparent"}),e.fonts.medium,{minWidth:"40px",backgroundColor:w.white,color:w.neutralPrimary,padding:"0 4px",border:"none",borderRadius:0,selectors:(i={},i[l.qJ]={border:"none"},i)}],rootHovered:{backgroundColor:w.neutralLighter,color:w.neutralDark,selectors:(a={},a[l.qJ]={color:"Highlight"},a["."+p.n.msButtonIcon]={color:w.themeDarkAlt},a["."+p.n.msButtonMenuIcon]={color:w.neutralPrimary},a)},rootPressed:{backgroundColor:w.neutralLight,color:w.neutralDark,selectors:(s={},s["."+p.n.msButtonIcon]={color:w.themeDark},s["."+p.n.msButtonMenuIcon]={color:w.neutralPrimary},s)},rootChecked:{backgroundColor:w.neutralLight,color:w.neutralDark,selectors:(c={},c["."+p.n.msButtonIcon]={color:w.themeDark},c["."+p.n.msButtonMenuIcon]={color:w.neutralPrimary},c)},rootCheckedHovered:{backgroundColor:w.neutralQuaternaryAlt,selectors:(m={},m["."+p.n.msButtonIcon]={color:w.themeDark},m["."+p.n.msButtonMenuIcon]={color:w.neutralPrimary},m)},rootExpanded:{backgroundColor:w.neutralLight,color:w.neutralDark,selectors:(h={},h["."+p.n.msButtonIcon]={color:w.themeDark},h["."+p.n.msButtonMenuIcon]={color:w.neutralPrimary},h)},rootExpandedHovered:{backgroundColor:w.neutralQuaternaryAlt},rootDisabled:{backgroundColor:w.white,selectors:(g={},g["."+p.n.msButtonIcon]={color:I.disabledBodySubtext,selectors:(f={},f[l.qJ]=(0,n.pi)({color:"GrayText"},(0,l.xM)()),f)},g[l.qJ]=(0,n.pi)({color:"GrayText",backgroundColor:"Window"},(0,l.xM)()),g)},splitButtonContainer:{height:"100%",selectors:(v={},v[l.qJ]={border:"none"},v)},splitButtonDividerDisabled:{selectors:(b={},b[l.qJ]={backgroundColor:"Window"},b)},splitButtonDivider:{backgroundColor:w.neutralTertiaryAlt},splitButtonMenuButton:{backgroundColor:w.white,border:"none",borderTopRightRadius:"0",borderBottomRightRadius:"0",color:w.neutralSecondary,selectors:{":hover":{backgroundColor:w.neutralLighter,color:w.neutralDark,selectors:(y={},y[l.qJ]={color:"Highlight"},y["."+p.n.msButtonIcon]={color:w.neutralPrimary},y)},":active":{backgroundColor:w.neutralLight,selectors:(_={},_["."+p.n.msButtonIcon]={color:w.neutralPrimary},_)}}},splitButtonMenuButtonDisabled:{backgroundColor:w.white,selectors:(C={},C[l.qJ]=(0,n.pi)({color:"GrayText",border:"none",backgroundColor:"Window"},(0,l.xM)()),C)},splitButtonMenuButtonChecked:{backgroundColor:w.neutralLight,color:w.neutralDark,selectors:{":hover":{backgroundColor:w.neutralQuaternaryAlt}}},splitButtonMenuButtonExpanded:{backgroundColor:w.neutralLight,color:w.black,selectors:{":hover":{backgroundColor:w.neutralQuaternaryAlt}}},splitButtonMenuIcon:{color:w.neutralPrimary},splitButtonMenuIconDisabled:{color:w.neutralTertiary},label:{fontWeight:"normal"},icon:{color:w.themePrimary},menuIcon:(S={color:w.neutralSecondary},S[l.qJ]={color:"GrayText"},S)};return(0,l.E$)(x,k,D,t)})),h=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.theme;return r.createElement(i.Y,(0,n.pi)({},this.props,{variantClassName:"ms-Button--commandBar",styles:m(o,t),onRenderDescription:a.S}))},(0,n.gn)([(0,s.a)("CommandBarButton",["theme","styles"],!0)],t)}(r.Component)},990:(e,t,o)=>{"use strict";o.d(t,{M:()=>n});var n=o(2898).K},8959:(e,t,o)=>{"use strict";o.d(t,{W:()=>m});var n=o(7622),r=o(7002),i=o(4968),a=o(6053),s=o(9729),l=o(5094),c=o(1860),u=o(8198),d=o(7664),p=(0,l.NF)((function(e,t,o){var r,i,a,l,p,m=e.fonts,h=e.palette,g=(0,c.W)(e),f=(0,u.W)(e),v={root:{maxWidth:"280px",minHeight:"72px",height:"auto",padding:"16px 12px"},flexContainer:{flexDirection:"row",alignItems:"flex-start",minWidth:"100%",margin:""},textContainer:{textAlign:"left"},icon:{fontSize:"2em",lineHeight:"1em",height:"1em",margin:"0px 8px 0px 0px",flexBasis:"1em",flexShrink:"0"},label:{margin:"0 0 5px",lineHeight:"100%",fontWeight:s.lq.semibold},description:[m.small,{lineHeight:"100%"}]},b={description:{color:h.neutralSecondary},descriptionHovered:{color:h.neutralDark},descriptionPressed:{color:"inherit"},descriptionChecked:{color:"inherit"},descriptionDisabled:{color:"inherit"}},y={description:{color:h.white,selectors:(r={},r[s.qJ]=(0,n.pi)({backgroundColor:"WindowText",color:"Window"},(0,s.xM)()),r)},descriptionHovered:{color:h.white,selectors:(i={},i[s.qJ]={backgroundColor:"Highlight",color:"Window"},i)},descriptionPressed:{color:"inherit",selectors:(a={},a[s.qJ]=(0,n.pi)({color:"Window",backgroundColor:"WindowText"},(0,s.xM)()),a)},descriptionChecked:{color:"inherit",selectors:(l={},l[s.qJ]=(0,n.pi)({color:"Window",backgroundColor:"WindowText"},(0,s.xM)()),l)},descriptionDisabled:{color:"inherit",selectors:(p={},p[s.qJ]={color:"inherit"},p)}};return(0,s.E$)(g,v,o?(0,d.f)(e):(0,d.D)(e),o?y:b,f,t)})),m=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.primary,o=void 0!==t&&t,a=e.styles,s=e.theme;return r.createElement(i.Y,(0,n.pi)({},this.props,{variantClassName:o?"ms-Button--compoundPrimary":"ms-Button--compound",styles:p(s,a,o)}))},(0,n.gn)([(0,a.a)("CompoundButton",["theme","styles"],!0)],t)}(r.Component)},9632:(e,t,o)=>{"use strict";o.d(t,{a:()=>h});var n=o(7622),r=o(7002),i=o(4968),a=o(9013),s=o(6053),l=o(9729),c=o(5094),u=o(1860),d=o(8198),p=o(7664),m=(0,c.NF)((function(e,t,o){var n=(0,u.W)(e),r=(0,d.W)(e),i={root:{minWidth:"80px",height:"32px"},label:{fontWeight:l.lq.semibold}};return(0,l.E$)(n,i,o?(0,p.f)(e):(0,p.D)(e),r,t)})),h=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.primary,o=void 0!==t&&t,s=e.styles,l=e.theme;return r.createElement(i.Y,(0,n.pi)({},this.props,{variantClassName:o?"ms-Button--primary":"ms-Button--default",styles:m(l,s,o),onRenderDescription:a.S}))},(0,n.gn)([(0,s.a)("DefaultButton",["theme","styles"],!0)],t)}(r.Component)},5758:(e,t,o)=>{"use strict";o.d(t,{h:()=>m});var n=o(7622),r=o(7002),i=o(4968),a=o(9013),s=o(6053),l=o(9729),c=o(5094),u=o(1860),d=o(8198),p=(0,c.NF)((function(e,t){var o,n=(0,u.W)(e),r=(0,d.W)(e),i=e.palette,a={root:{padding:"0 4px",width:"32px",height:"32px",backgroundColor:"transparent",border:"none",color:e.semanticColors.link},rootHovered:{color:i.themeDarkAlt,backgroundColor:i.neutralLighter,selectors:(o={},o[l.qJ]={borderColor:"Highlight",color:"Highlight"},o)},rootHasMenu:{width:"auto"},rootPressed:{color:i.themeDark,backgroundColor:i.neutralLight},rootExpanded:{color:i.themeDark,backgroundColor:i.neutralLight},rootChecked:{color:i.themeDark,backgroundColor:i.neutralLight},rootCheckedHovered:{color:i.themeDark,backgroundColor:i.neutralQuaternaryAlt},rootDisabled:{color:i.neutralTertiaryAlt}};return(0,l.E$)(n,a,r,t)})),m=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.theme;return r.createElement(i.Y,(0,n.pi)({},this.props,{variantClassName:"ms-Button--icon",styles:p(o,t),onRenderText:a.S,onRenderDescription:a.S}))},(0,n.gn)([(0,s.a)("IconButton",["theme","styles"],!0)],t)}(r.Component)},8924:(e,t,o)=>{"use strict";o.d(t,{K:()=>l});var n=o(7622),r=o(7002),i=o(9013),a=o(6053),s=o(9632),l=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){return r.createElement(s.a,(0,n.pi)({},this.props,{primary:!0,onRenderDescription:i.S}))},(0,n.gn)([(0,a.a)("PrimaryButton",["theme","styles"],!0)],t)}(r.Component)},5032:(e,t,o)=>{"use strict";o.d(t,{W:()=>i});var n=o(5094),r=o(9729),i=(0,n.NF)((function(e,t,o,n,i){return{root:(0,r.y0)(e.splitButtonMenuButton,o&&[e.splitButtonMenuButtonExpanded],t&&[e.splitButtonMenuButtonDisabled],n&&!t&&[e.splitButtonMenuButtonChecked]),splitButtonContainer:(0,r.y0)(e.splitButtonContainer,!t&&n&&[e.splitButtonContainerChecked,{selectors:{":hover":e.splitButtonContainerCheckedHovered}}],!t&&!n&&[{selectors:{":hover":e.splitButtonContainerHovered,":focus":e.splitButtonContainerFocused}}],t&&e.splitButtonContainerDisabled),icon:(0,r.y0)(e.splitButtonMenuIcon,t&&e.splitButtonMenuIconDisabled,!t&&i&&e.splitButtonMenuIcon),flexContainer:(0,r.y0)(e.splitButtonFlexContainer),divider:(0,r.y0)(e.splitButtonDivider,(i||t)&&e.splitButtonDividerDisabled)}}))},8198:(e,t,o)=>{"use strict";o.d(t,{W:()=>i});var n=o(7622),r=o(9729),i=(0,o(5094).NF)((function(e,t){var o,i,a,s,l,c,u,d,p,m,h,g,f,v=e.effects,b=e.palette,y=e.semanticColors,_={position:"absolute",width:1,right:31,top:8,bottom:8},C={splitButtonContainer:[(0,r.GL)(e,{highContrastStyle:{left:-2,top:-2,bottom:-2,right:-2,border:"none"},inset:2}),{display:"inline-flex",selectors:{".ms-Button--default":{borderTopRightRadius:"0",borderBottomRightRadius:"0",borderRight:"none"},".ms-Button--primary":{borderTopRightRadius:"0",borderBottomRightRadius:"0",border:"none",selectors:(o={},o[r.qJ]=(0,n.pi)({color:"WindowText",backgroundColor:"Window",border:"1px solid WindowText",borderRightWidth:"0"},(0,r.xM)()),o)},".ms-Button--primary + .ms-Button":{border:"none",selectors:(i={},i[r.qJ]={border:"1px solid WindowText",borderLeftWidth:"0"},i)}}}],splitButtonContainerHovered:{selectors:{".ms-Button--primary":{selectors:(a={},a[r.qJ]={color:"Window",backgroundColor:"Highlight"},a)},".ms-Button.is-disabled":{color:y.buttonTextDisabled,selectors:(s={},s[r.qJ]={color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},s)}}},splitButtonContainerChecked:{selectors:{".ms-Button--primary":{selectors:(l={},l[r.qJ]=(0,n.pi)({color:"Window",backgroundColor:"WindowText"},(0,r.xM)()),l)}}},splitButtonContainerCheckedHovered:{selectors:{".ms-Button--primary":{selectors:(c={},c[r.qJ]=(0,n.pi)({color:"Window",backgroundColor:"WindowText"},(0,r.xM)()),c)}}},splitButtonContainerFocused:{outline:"none!important"},splitButtonMenuButton:(u={padding:6,height:"auto",boxSizing:"border-box",borderRadius:0,borderTopRightRadius:v.roundedCorner2,borderBottomRightRadius:v.roundedCorner2,border:"1px solid "+b.neutralSecondaryAlt,borderLeft:"none",outline:"transparent",userSelect:"none",display:"inline-block",textDecoration:"none",textAlign:"center",cursor:"pointer",verticalAlign:"top",width:32,marginLeft:-1,marginTop:0,marginRight:0,marginBottom:0},u[r.qJ]={".ms-Button-menuIcon":{color:"WindowText"}},u),splitButtonDivider:(0,n.pi)((0,n.pi)({},_),{selectors:(d={},d[r.qJ]={backgroundColor:"WindowText"},d)}),splitButtonDividerDisabled:(0,n.pi)((0,n.pi)({},_),{selectors:(p={},p[r.qJ]={backgroundColor:"GrayText"},p)}),splitButtonMenuButtonDisabled:{pointerEvents:"none",border:"none",selectors:(m={":hover":{cursor:"default"},".ms-Button--primary":{selectors:(h={},h[r.qJ]={color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},h)},".ms-Button-menuIcon":{selectors:(g={},g[r.qJ]={color:"GrayText"},g)}},m[r.qJ]={color:"GrayText",border:"1px solid GrayText",backgroundColor:"Window"},m)},splitButtonFlexContainer:{display:"flex",height:"100%",flexWrap:"nowrap",justifyContent:"center",alignItems:"center"},splitButtonContainerDisabled:{outline:"none",border:"none",selectors:(f={},f[r.qJ]=(0,n.pi)({color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},(0,r.xM)()),f)}};return(0,r.E$)(C,t)}))},4977:(e,t,o)=>{"use strict";o.d(t,{f:()=>te});var n=o(2002),r=o(7622),i=o(7002),a=o(1093),s=o(6786),l=o(6974),c=o(7300),u=o(6953),d=o(8088),p=o(8145),m=o(9947),h=o(4316),g=o(4085),f=(0,c.y)(),v=function(e){var t=i.useRef(null);i.useImperativeHandle(e.componentRef,(function(){return{focus:function(){var e,o,n;null===(n=null===(e=t.current)||void 0===e?void 0:(o=e).focus)||void 0===n||n.call(o)}}}),[]);var o=e.strings,n=e.navigatedDate,a=e.dateTimeFormatter,s=e.styles,l=e.theme,c=e.className,d=e.onHeaderSelect,p=e.showSixWeeksByDefault,m=e.minDate,v=e.maxDate,_=e.restrictedDates,C=e.onNavigateDate,S=e.showWeekNumbers,x=e.dateRangeType,k=e.animationDirection,w=(0,g.M)(),I=(0,g.M)(),D=f(s,{theme:l,className:c,headerIsClickable:!!d,showWeekNumbers:S,animationDirection:k}),T=a.formatMonthYear(n,o),E=d?"button":"div",P=o.yearPickerHeaderAriaLabel?(0,u.W)(o.yearPickerHeaderAriaLabel,T):T;return i.createElement("div",{className:D.root,id:w},i.createElement("div",{className:D.header},i.createElement(E,{"aria-live":"polite","aria-atomic":"true","aria-label":d?P:void 0,key:T,className:D.monthAndYear,onClick:d,"data-is-focusable":!!d,tabIndex:d?0:-1,onKeyDown:y(d),type:"button"},i.createElement("span",{id:I},T)),i.createElement(b,(0,r.pi)({},e,{classNames:D,dayPickerId:w}))),i.createElement(h.Q,(0,r.pi)({},e,{styles:s,componentRef:t,strings:o,navigatedDate:n,weeksToShow:p?6:void 0,dateTimeFormatter:a,minDate:m,maxDate:v,restrictedDates:_,onNavigateDate:C,labelledBy:I,dateRangeType:x})))};v.displayName="CalendarDayBase";var b=function(e){var t,o,n=e.minDate,r=e.maxDate,a=e.navigatedDate,s=e.allFocusable,c=e.strings,u=e.navigationIcons,p=e.showCloseButton,h=e.classNames,g=e.dayPickerId,f=e.onNavigateDate,v=e.onDismiss,b=function(){f((0,l.zI)(a,1),!1)},_=function(){f((0,l.zI)(a,-1),!1)},C=u.leftNavigation,S=u.rightNavigation,x=u.closeIcon,k=!n||(0,l.NJ)(n,(0,l.pU)(a))<0,w=!r||(0,l.NJ)((0,l.D7)(a),r)<0;return i.createElement("div",{className:h.monthComponents},i.createElement("button",{className:(0,d.i)(h.headerIconButton,(t={},t[h.disabledStyle]=!k,t)),disabled:!s&&!k,"aria-disabled":!k,onClick:k?_:void 0,onKeyDown:k?y(_):void 0,"aria-controls":g,title:c.prevMonthAriaLabel?c.prevMonthAriaLabel+" "+c.months[(0,l.zI)(a,-1).getMonth()]:void 0,type:"button"},i.createElement(m.J,{iconName:C})),i.createElement("button",{className:(0,d.i)(h.headerIconButton,(o={},o[h.disabledStyle]=!w,o)),disabled:!s&&!w,"aria-disabled":!w,onClick:w?b:void 0,onKeyDown:w?y(b):void 0,"aria-controls":g,title:c.nextMonthAriaLabel?c.nextMonthAriaLabel+" "+c.months[(0,l.zI)(a,1).getMonth()]:void 0,type:"button"},i.createElement(m.J,{iconName:S})),p&&i.createElement("button",{className:(0,d.i)(h.headerIconButton),onClick:v,onKeyDown:y(v),title:c.closeButtonAriaLabel,type:"button"},i.createElement(m.J,{iconName:x})))};b.displayName="CalendarDayNavigationButtons";var y=function(e){return function(t){var o;switch(t.which){case p.m.enter:null===(o=e)||void 0===o||o()}}},_=o(9729),C=(0,n.z)(v,(function(e){var t=e.className,o=e.theme,n=e.headerIsClickable,i=e.showWeekNumbers,a=o.palette,s={selectors:{"&, &:disabled, & button":{color:a.neutralTertiaryAlt,pointerEvents:"none"}}};return{root:[_.Fv,{width:196,padding:12,boxSizing:"content-box"},i&&{width:226},t],header:{position:"relative",display:"inline-flex",height:28,lineHeight:44,width:"100%"},monthAndYear:[(0,_.GL)(o,{inset:1}),(0,r.pi)((0,r.pi)({},_.Ic.fadeIn200),{alignItems:"center",fontSize:_.TS.medium,fontFamily:"inherit",color:a.neutralPrimary,display:"inline-block",flexGrow:1,fontWeight:_.lq.semibold,padding:"0 4px 0 10px",border:"none",backgroundColor:"transparent",borderRadius:2,lineHeight:28,overflow:"hidden",whiteSpace:"nowrap",textAlign:"left",textOverflow:"ellipsis"}),n&&{selectors:{"&:hover":{cursor:"pointer",background:a.neutralLight,color:a.black}}}],monthComponents:{display:"inline-flex",alignSelf:"flex-end"},headerIconButton:[(0,_.GL)(o,{inset:-1}),{width:28,height:28,display:"block",textAlign:"center",lineHeight:28,fontSize:_.TS.small,fontFamily:"inherit",color:a.neutralPrimary,borderRadius:2,position:"relative",backgroundColor:"transparent",border:"none",padding:0,overflow:"visible",selectors:{"&:hover":{color:a.neutralDark,backgroundColor:a.neutralLight,cursor:"pointer",outline:"1px solid transparent"}}}],disabledStyle:s}}),void 0,{scope:"CalendarDay"}),S=o(2998),x=o(716),k=function(e){var t,o,n,i,a,s,l=e.className,c=e.theme,u=e.hasHeaderClickCallback,d=e.highlightCurrent,p=e.highlightSelected,m=e.animateBackwards,h=e.animationDirection,g=c.palette,f={};void 0!==m&&(f=h===x.s.Horizontal?m?_.Ic.slideRightIn20:_.Ic.slideLeftIn20:m?_.Ic.slideDownIn20:_.Ic.slideUpIn20);var v=void 0!==m?_.Ic.fadeIn200:{};return{root:[_.Fv,{width:196,padding:12,boxSizing:"content-box",overflow:"hidden"},l],headerContainer:{display:"flex"},currentItemButton:[(0,_.GL)(c,{inset:-1}),(0,r.pi)((0,r.pi)({},v),{fontSize:_.TS.medium,fontWeight:_.lq.semibold,fontFamily:"inherit",textAlign:"left",backgroundColor:"transparent",flexGrow:1,padding:"0 4px 0 10px",border:"none",overflow:"visible"}),u&&{selectors:{"&:hover, &:active":{cursor:u?"pointer":"default",color:g.neutralDark,outline:"1px solid transparent",backgroundColor:g.neutralLight}}}],navigationButtonsContainer:{display:"flex",alignItems:"center"},navigationButton:[(0,_.GL)(c,{inset:-1}),{fontFamily:"inherit",width:28,minWidth:28,height:28,minHeight:28,display:"block",textAlign:"center",lineHeight:28,fontSize:_.TS.small,color:g.neutralPrimary,borderRadius:2,position:"relative",backgroundColor:"transparent",border:"none",padding:0,overflow:"visible",selectors:{"&:hover":{color:g.neutralDark,cursor:"pointer",outline:"1px solid transparent",backgroundColor:g.neutralLight}}}],gridContainer:{marginTop:4},buttonRow:(0,r.pi)((0,r.pi)({},f),{marginBottom:16,selectors:{"&:nth-child(n + 3)":{marginBottom:0}}}),itemButton:[(0,_.GL)(c,{inset:-1}),{width:40,height:40,minWidth:40,minHeight:40,lineHeight:40,fontSize:_.TS.small,fontFamily:"inherit",padding:0,margin:"0 12px 0 0",color:g.neutralPrimary,backgroundColor:"transparent",border:"none",borderRadius:2,overflow:"visible",selectors:{"&:nth-child(4n + 4)":{marginRight:0},"&:nth-child(n + 9)":{marginBottom:0},"& div":{fontWeight:_.lq.regular},"&:hover":{color:g.neutralDark,backgroundColor:g.neutralLight,cursor:"pointer",outline:"1px solid transparent",selectors:(t={},t[_.qJ]=(0,r.pi)({background:"Window",color:"WindowText",outline:"1px solid Highlight"},(0,_.xM)()),t)},"&:active":{backgroundColor:g.themeLight,selectors:(o={},o[_.qJ]=(0,r.pi)({background:"Window",color:"Highlight"},(0,_.xM)()),o)}}}],current:d?{color:g.white,backgroundColor:g.themePrimary,selectors:(n={"& div":{fontWeight:_.lq.semibold},"&:hover":{backgroundColor:g.themePrimary,selectors:(i={},i[_.qJ]=(0,r.pi)({backgroundColor:"WindowText",color:"Window"},(0,_.xM)()),i)}},n[_.qJ]=(0,r.pi)({backgroundColor:"WindowText",color:"Window"},(0,_.xM)()),n)}:{},selected:p?{color:g.neutralPrimary,backgroundColor:g.themeLight,fontWeight:_.lq.semibold,selectors:(a={"& div":{fontWeight:_.lq.semibold},"&:hover, &:active":{backgroundColor:g.themeLight,selectors:(s={},s[_.qJ]=(0,r.pi)({color:"Window",background:"Highlight"},(0,_.xM)()),s)}},a[_.qJ]=(0,r.pi)({background:"Highlight",color:"Window"},(0,_.xM)()),a)}:{},disabled:{selectors:{"&, &:disabled, & button":{color:g.neutralTertiaryAlt,pointerEvents:"none"}}}}},w=function(e){return k(e)},I=o(63),D=o(5951),T=o(6876),E=o(6883),P=(0,c.y)(),M={prevRangeAriaLabel:void 0,nextRangeAriaLabel:void 0},R=function(e){var t,o,n,r=e.styles,a=e.theme,s=e.className,l=e.highlightCurrentYear,c=e.highlightSelectedYear,u=e.year,m=e.selected,h=e.disabled,g=e.componentRef,f=e.onSelectYear,v=e.onRenderYear,b=i.useRef(null);i.useImperativeHandle(g,(function(){return{focus:function(){var e,t,o;null===(o=null===(e=b.current)||void 0===e?void 0:(t=e).focus)||void 0===o||o.call(t)}}}),[]);var y=P(r,{theme:a,className:s,highlightCurrent:l,highlightSelected:c});return i.createElement("button",{className:(0,d.i)(y.itemButton,(t={},t[y.selected]=m,t[y.disabled]=h,t)),type:"button",role:"gridcell",onClick:h?void 0:function(){var e;null===(e=f)||void 0===e||e(u)},onKeyDown:h?void 0:function(e){var t;e.which===p.m.enter&&(null===(t=f)||void 0===t||t(u))},disabled:h,"aria-selected":m,ref:b,"aria-readonly":!0},null!=(n=null===(o=v)||void 0===o?void 0:o(u))?n:u)};R.displayName="CalendarYearGridCell";var N,B=function(e){var t=e.styles,o=e.theme,n=e.className,a=e.fromYear,s=e.toYear,l=e.animationDirection,c=e.animateBackwards,u=e.minYear,d=e.maxYear,p=e.onSelectYear,m=e.selectedYear,h=e.componentRef,g=i.useRef(null),f=i.useRef(null);i.useImperativeHandle(h,(function(){return{focus:function(){var e,t,o;null===(o=null===(e=g.current||f.current)||void 0===e?void 0:(t=e).focus)||void 0===o||o.call(t)}}}),[]);for(var v,b,y,_,C=P(t,{theme:o,className:n,animateBackwards:c,animationDirection:l}),x=function(t){var o,n,r;return null!=(r=null===(n=(o=e).onRenderYear)||void 0===n?void 0:n.call(o,t))?r:t},k=x(a)+" - "+x(s),w=a,I=[],D=0;D<(s-a+1)/4;D++){I.push([]);for(var T=0;T<4;T++)I[D].push((void 0,void 0,void 0,b=(v=w)===m,y=void 0!==u&&vd,_=v===(new Date).getFullYear(),i.createElement(R,(0,r.pi)({},e,{key:v,year:v,selected:b,current:_,disabled:y,onSelectYear:p,componentRef:b?g:_?f:void 0,theme:o})))),w++}return i.createElement(S.k,null,i.createElement("div",{className:C.gridContainer,role:"grid","aria-label":k},I.map((function(e,t){return i.createElement("div",{key:"yearPickerRow_"+t+"_"+a,role:"row",className:C.buttonRow},e)}))))};B.displayName="CalendarYearGrid",function(e){e[e.Previous=0]="Previous",e[e.Next=1]="Next"}(N||(N={}));var F=function(e){var t,o=e.styles,n=e.theme,r=e.className,a=e.navigationIcons,s=void 0===a?E.XU:a,l=e.strings,c=void 0===l?M:l,u=e.direction,h=e.onSelectPrev,g=e.onSelectNext,f=e.fromYear,v=e.toYear,b=e.maxYear,y=e.minYear,_=P(o,{theme:n,className:r}),C=0===u?c.prevRangeAriaLabel:c.nextRangeAriaLabel,S=0===u?-12:12,x=C?"string"==typeof C?C:C({fromYear:f+S,toYear:v+S}):void 0,k=0===u?void 0!==y&&fb,w=function(){var e,t;0===u?null===(e=h)||void 0===e||e():null===(t=g)||void 0===t||t()},I=(0,D.zg)()?1===u:0===u;return i.createElement("button",{className:(0,d.i)(_.navigationButton,(t={},t[_.disabled]=k,t)),onClick:k?void 0:w,onKeyDown:k?void 0:function(e){e.which===p.m.enter&&w()},type:"button",title:x,disabled:k},i.createElement(m.J,{iconName:I?s.leftNavigation:s.rightNavigation}))};F.displayName="CalendarYearNavArrow";var L=function(e){var t=e.styles,o=e.theme,n=e.className,a=P(t,{theme:o,className:n});return i.createElement("div",{className:a.navigationButtonsContainer},i.createElement(F,(0,r.pi)({},e,{direction:0})),i.createElement(F,(0,r.pi)({},e,{direction:1})))};L.displayName="CalendarYearNav";var A=function(e){var t=e.styles,o=e.theme,n=e.className,r=e.fromYear,a=e.toYear,s=e.strings,l=void 0===s?M:s,c=e.animateBackwards,d=e.animationDirection,m=function(){var t,o;null===(o=(t=e).onHeaderSelect)||void 0===o||o.call(t,!0)},h=function(t){var o,n,r;return null!=(r=null===(n=(o=e).onRenderYear)||void 0===n?void 0:n.call(o,t))?r:t},g=P(t,{theme:o,className:n,hasHeaderClickCallback:!!e.onHeaderSelect,animateBackwards:c,animationDirection:d});if(e.onHeaderSelect){var f=l.rangeAriaLabel,v=l.headerAriaLabelFormatString,b=f?"string"==typeof f?f:f(e):void 0,y=v?(0,u.W)(v,b):b;return i.createElement("button",{className:g.currentItemButton,onClick:m,onKeyDown:function(e){e.which!==p.m.enter&&e.which!==p.m.space||m()},"aria-label":y,role:"button",type:"button","aria-atomic":!0,"aria-live":"polite"},h(r)," - ",h(a))}return i.createElement("div",{className:g.current},h(r)," - ",h(a))};A.displayName="CalendarYearTitle";var z,H=function(e){var t,o,n=e.styles,a=e.theme,s=e.className,l=e.animateBackwards,c=e.animationDirection,u=e.onRenderTitle,d=P(n,{theme:a,className:s,hasHeaderClickCallback:!!e.onHeaderSelect,animateBackwards:l,animationDirection:c});return i.createElement("div",{className:d.headerContainer},null!=(o=null===(t=u)||void 0===t?void 0:t(e))?o:i.createElement(A,(0,r.pi)({},e)),i.createElement(L,(0,r.pi)({},e)))};H.displayName="CalendarYearHeader",function(e){e[e.Previous=0]="Previous",e[e.Next=1]="Next"}(z||(z={}));var O=function(e){var t=function(e){var t=e.selectedYear,o=e.navigatedYear,n=t||o||(new Date).getFullYear(),r=10*Math.floor(n/10),i=(0,T.D)(r);return i&&i!==r?i>r:void 0}(e),o=function(e){var t=e.selectedYear,o=e.navigatedYear,n=i.useReducer((function(e,t){return e+(1===t?12:-12)}),void 0,(function(){var e=t||o||(new Date).getFullYear();return 10*Math.floor(e/10)})),r=n[0],a=n[1];return[r,r+12-1,function(){return a(1)},function(){return a(0)}]}(e),n=o[0],a=o[1],s=o[2],l=o[3],c=i.useRef(null);i.useImperativeHandle(e.componentRef,(function(){return{focus:function(){var e,t,o;null===(o=null===(e=c.current)||void 0===e?void 0:(t=e).focus)||void 0===o||o.call(t)}}}));var u=e.styles,d=e.theme,p=e.className,m=P(u,{theme:d,className:p});return i.createElement("div",{className:m.root},i.createElement(H,(0,r.pi)({},e,{fromYear:n,toYear:a,onSelectPrev:l,onSelectNext:s,animateBackwards:t})),i.createElement(B,(0,r.pi)({},e,{fromYear:n,toYear:a,animateBackwards:t,componentRef:c})))};O.displayName="CalendarYearBase";var W=(0,n.z)(O,(function(e){return k(e)}),void 0,{scope:"CalendarYear"}),V=(0,c.y)(),K={styles:w,strings:void 0,navigationIcons:E.XU,dateTimeFormatter:s.mR,yearPickerHidden:!1},q=function(e){var t,o,n=(0,I.j)(K,e),r=function(e){var t=e.componentRef,o=i.useRef(null),n=i.useRef(null),r=i.useRef(!1),a=i.useCallback((function(){n.current?n.current.focus():o.current&&o.current.focus()}),[]);return i.useImperativeHandle(t,(function(){return{focus:a}}),[a]),i.useEffect((function(){r.current&&(a(),r.current=!1)})),[o,n,function(){r.current=!0}]}(n),a=r[0],s=r[1],c=r[2],p=i.useState(!1),h=p[0],g=p[1],f=function(e){var t=e.navigatedDate.getFullYear(),o=(0,T.D)(t);return void 0===o||o===t?void 0:o>t}(n),v=n.navigatedDate,b=n.selectedDate,y=n.strings,_=n.today,C=void 0===_?new Date:_,x=n.navigationIcons,k=n.dateTimeFormatter,w=n.minDate,E=n.maxDate,P=n.theme,M=n.styles,R=n.className,N=n.allFocusable,B=n.highlightCurrentMonth,F=n.highlightSelectedMonth,L=n.animationDirection,A=n.yearPickerHidden,z=n.onNavigateDate,H=function(e){return function(){return j(e)}},O=function(){z((0,l.Bc)(v,1),!1)},q=function(){z((0,l.Bc)(v,-1),!1)},j=function(e){var t,o;null===(o=(t=n).onHeaderSelect)||void 0===o||o.call(t),z((0,l.q0)(v,e),!0)},J=function(){var e,t;A?null===(t=(e=n).onHeaderSelect)||void 0===t||t.call(e):(c(),g(!0))},Y=x.leftNavigation,Z=x.rightNavigation,X=k,Q=!w||(0,l.NJ)(w,(0,l.W8)(v))<0,$=!E||(0,l.NJ)((0,l.Q9)(v),E)<0,ee=V(M,{theme:P,className:R,hasHeaderClickCallback:!!n.onHeaderSelect||!A,highlightCurrent:B,highlightSelected:F,animateBackwards:f,animationDirection:L});if(h){var te=function(e){var t=e.strings,o=e.navigatedDate,n=e.dateTimeFormatter,r=function(e){if(n){var t=new Date(o.getTime());return t.setFullYear(e),n.formatYear(t)}return String(e)},i=function(e){return r(e.fromYear)+" - "+r(e.toYear)};return[r,{rangeAriaLabel:i,prevRangeAriaLabel:function(e){return t.prevYearRangeAriaLabel?t.prevYearRangeAriaLabel+" "+i(e):""},nextRangeAriaLabel:function(e){return t.nextYearRangeAriaLabel?t.nextYearRangeAriaLabel+" "+i(e):""},headerAriaLabelFormatString:t.yearPickerHeaderAriaLabel}]}(n),oe=te[0],ne=te[1];return i.createElement(W,{key:"calendarYear",minYear:w?w.getFullYear():void 0,maxYear:E?E.getFullYear():void 0,onSelectYear:function(e){if(c(),v.getFullYear()!==e){var t=new Date(v.getTime());t.setFullYear(e),E&&t>E?t=(0,l.q0)(t,E.getMonth()):w&&t{"use strict";var n;o.d(t,{s:()=>n}),function(e){e[e.Horizontal=0]="Horizontal",e[e.Vertical=1]="Vertical"}(n||(n={}))},6883:(e,t,o)=>{"use strict";o.d(t,{V3:()=>n,GC:()=>r,XU:()=>i});var n=o(6786).tf,r=n,i={leftNavigation:"Up",rightNavigation:"Down",closeIcon:"CalculatorMultiply"}},4316:(e,t,o)=>{"use strict";o.d(t,{Q:()=>M});var n=o(7622),r=o(7002),i=o(7300),a=o(5951),s=o(2998),l=o(6974),c=o(1093),u=function(e,t,o){var r=(0,n.pr)(e);return t&&(r=r.filter((function(e){return(0,l.NJ)(e,t)>=0}))),o&&(r=r.filter((function(e){return(0,l.NJ)(e,o)<=0}))),r},d=function(e,t){var o=t.minDate;return!!o&&(0,l.NJ)(o,e)>=1},p=function(e,t){var o=t.maxDate;return!!o&&(0,l.NJ)(e,o)>=1},m=function(e,t){var o=t.restrictedDates,n=t.minDate,r=t.maxDate;return!!(o||n||r)&&(o&&o.some((function(t){return(0,l.aN)(t,e)}))||d(e,t)||p(e,t))},h=o(6876),g=o(4085),f=o(2470),v=o(8088),b=function(e){var t=e.showWeekNumbers,o=e.strings,n=e.firstDayOfWeek,i=e.allFocusable,a=e.weeksToShow,s=e.weeks,l=e.classNames,u=o.shortDays.slice(),d=(0,f.cx)(s[1],(function(e){return 1===e.originalDate.getDate()}));if(1===a&&d>=0){var p=(d+n)%c.NA;u[p]=o.shortMonths[s[1][d].originalDate.getMonth()]}return r.createElement("tr",null,t&&r.createElement("th",{className:l.dayCell}),u.map((function(e,t){var a=(t+n)%c.NA,s=t===d?o.days[a]+" "+u[a]:o.days[a];return r.createElement("th",{className:(0,v.i)(l.dayCell,l.weekDayLabelCell),scope:"col",key:u[a]+" "+t,title:s,"aria-label":s,"data-is-focusable":!!i||void 0},u[a])})))},y=o(6953),_=o(8145),C=function(e){var t=e.targetDate,o=e.initialDate,r=e.direction,i=(0,n._T)(e,["targetDate","initialDate","direction"]),a=t;if(!m(t,i))return t;for(;0!==(0,l.NJ)(o,a)&&m(a,i)&&!p(a,i)&&!d(a,i);)a=(0,l.E4)(a,r);return 0===(0,l.NJ)(o,a)||m(a,i)?void 0:a},S=function(e){var t,o,n=e.navigatedDate,i=e.dateTimeFormatter,s=e.allFocusable,u=e.strings,d=e.activeDescendantId,p=e.navigatedDayRef,m=e.calculateRoundedStyles,h=e.weeks,g=e.classNames,f=e.day,b=e.dayIndex,y=e.weekIndex,S=e.weekCorners,x=e.ariaHidden,k=e.customDayCellRef,w=e.dateRangeType,I=e.daysToSelectInDayView,D=e.onSelectDate,T=e.restrictedDates,E=e.minDate,P=e.maxDate,M=e.onNavigateDate,R=e.getDayInfosInRangeOfDay,N=e.getRefsFromDayInfos,B=null!=(o=null===(t=S)||void 0===t?void 0:t[y+"_"+b])?o:"",F=(0,l.aN)(n,f.originalDate),L=i.formatMonthDayYear(f.originalDate,u);return f.isMarked&&(L=L+", "+u.dayMarkedAriaLabel),r.createElement("td",{className:(0,v.i)(g.dayCell,S&&B,f.isSelected&&g.daySelected,f.isSelected&&"ms-CalendarDay-daySelected",!f.isInBounds&&g.dayOutsideBounds,!f.isInMonth&&g.dayOutsideNavigatedMonth),ref:function(e){var t;null===(t=k)||void 0===t||t(e,f.originalDate,g),f.setRef(e)},"aria-hidden":x,onClick:f.isInBounds&&!x?f.onSelected:void 0,onMouseOver:x?void 0:function(e){var t=R(f),o=N(t);o.forEach((function(e,n){var r;if(e&&(e.classList.add("ms-CalendarDay-hoverStyle"),!t[n].isSelected&&w===c.NU.Day&&I&&I>1)){e.classList.remove(g.bottomLeftCornerDate,g.bottomRightCornerDate,g.topLeftCornerDate,g.topRightCornerDate);var i=m(g,!1,!1,n>0,n1)){var i=m(g,!1,!1,n>0,n0)};return[function(e,n){var r={},i=n.slice(1,n.length-1);return i.forEach((function(n,a){n.forEach((function(n,s){var l=i[a-1]&&i[a-1][s]&&o(i[a-1][s].originalDate,n.originalDate,i[a-1][s].isSelected,n.isSelected),c=i[a+1]&&i[a+1][s]&&o(i[a+1][s].originalDate,n.originalDate,i[a+1][s].isSelected,n.isSelected),u=i[a][s-1]&&o(i[a][s-1].originalDate,n.originalDate,i[a][s-1].isSelected,n.isSelected),d=i[a][s+1]&&o(i[a][s+1].originalDate,n.originalDate,i[a][s+1].isSelected,n.isSelected),p=t(e,l,c,u,d);r[a+"_"+s]=p}))})),r},t]}(e),_=y[0],C=y[1];r.useImperativeHandle(e.componentRef,(function(){return{focus:function(){var e,o,n;null===(n=null===(e=t.current)||void 0===e?void 0:(o=e).focus)||void 0===n||n.call(o)}}}),[]);var S=e.styles,I=e.theme,D=e.className,T=e.dateRangeType,E=e.showWeekNumbers,P=e.labelledBy,M=e.lightenDaysOutsideNavigatedMonth,R=e.animationDirection,N=k(S,{theme:I,className:D,dateRangeType:T,showWeekNumbers:E,lightenDaysOutsideNavigatedMonth:void 0===M||M,animationDirection:R,animateBackwards:v}),B=_(N,f),F={weeks:f,navigatedDayRef:t,calculateRoundedStyles:C,activeDescendantId:o,classNames:N,weekCorners:B,getDayInfosInRangeOfDay:function(t){var o=function(e,t){if(t&&e===c.NU.WorkWeek){for(var o=t.slice().sort(),n=!0,r=1;r{"use strict";o.d(t,{U:()=>s});var n=o(7622),r=o(7002),i=o(4941),a=o(7513),s=r.forwardRef((function(e,t){var o=e.layerProps,s=e.doNotLayer,l=(0,n._T)(e,["layerProps","doNotLayer"]),c=r.createElement(i.N,(0,n.pi)({},l,{ref:t}));return s?c:r.createElement(a.m,(0,n.pi)({},o),c)}));s.displayName="Callout"},5666:(e,t,o)=>{"use strict";o.d(t,{H:()=>T});var n,r=o(7622),i=o(7002),a=o(6628),s=o(4553),l=o(3345),c=o(9251),u=o(63),d=o(8127),p=o(8088),m=o(2447),h=o(4568),g=o(6591),f=o(752),v=o(7300),b=o(9729),y=o(3528),_=o(7913),C=o(9241),S=o(2674),x=((n={})[h.z.top]=b.k4.slideUpIn10,n[h.z.bottom]=b.k4.slideDownIn10,n[h.z.left]=b.k4.slideLeftIn10,n[h.z.right]=b.k4.slideRightIn10,n),k=(0,v.y)({disableCaching:!0}),w={opacity:0,filter:"opacity(0)",pointerEvents:"none"},I=["role","aria-roledescription"],D={preventDismissOnLostFocus:!1,preventDismissOnScroll:!1,preventDismissOnResize:!1,isBeakVisible:!0,beakWidth:16,gapSpace:0,minPagePadding:8,directionalHint:a.b.bottomAutoEdge};var T=i.memo(i.forwardRef((function(e,t){var o=(0,u.j)(D,e),n=o.styles,a=o.style,m=o.ariaLabel,h=o.ariaDescribedBy,v=o.ariaLabelledBy,b=o.className,T=o.isBeakVisible,M=o.children,R=o.beakWidth,N=o.calloutWidth,B=o.calloutMaxWidth,F=o.calloutMinWidth,L=o.finalHeight,A=o.hideOverflow,z=void 0===A?!!L:A,H=o.backgroundColor,O=o.calloutMaxHeight,W=o.onScroll,V=o.shouldRestoreFocus,K=void 0===V||V,q=o.target,G=o.hidden,U=o.onLayerMounted,j=i.useRef(null),J=i.useRef(null),Y=(0,C.r)(j,t),Z=(0,S.e)(o.target,J),X=Z[0],Q=Z[1],$=function(e,t,o){var n=e.bounds,r=e.minPagePadding,a=void 0===r?D.minPagePadding:r,s=e.target,l=i.useRef();return i.useCallback((function(){if(!l.current){var e="function"==typeof n?o?n(s,o):void 0:n;!e&&o&&(e={top:(e=(0,g.qE)(t.current,o)).top+a,left:e.left+a,right:e.right-a,bottom:e.bottom-a,width:e.width-2*a,height:e.height-2*a}),l.current=e}return l.current}),[n,a,s,t,o])}(o,X,Q),ee=function(e,t,o){var n=e.beakWidth,r=e.coverTarget,a=e.directionalHint,s=e.directionalHintFixed,l=e.gapSpace,c=e.isBeakVisible,u=e.hidden,d=i.useState(),p=d[0],m=d[1],h=(0,y.r)(),f=t.current;return i.useEffect((function(){var e;if(p||u)u&&m(void 0);else if(s&&f){var i=(null!=l?l:0)+(c&&n?n:0);h.requestAnimationFrame((function(){t.current&&m((0,g.DC)(t.current,a,i,o(),r))}))}else m(null===(e=o())||void 0===e?void 0:e.height)}),[t,f,l,n,o,u,h,r,a,s,c,p]),p}(o,X,$),te=function(e,t){var o=e.finalHeight,n=e.hidden,r=i.useState(0),a=r[0],s=r[1],l=(0,y.r)(),c=i.useRef(),u=i.useCallback((function(){t.current&&o&&(c.current=l.requestAnimationFrame((function(){var e,n=null===(e=t.current)||void 0===e?void 0:e.lastChild;if(n){var r=n.scrollHeight-n.offsetHeight;s((function(e){return e+r})),n.offsetHeight0&&(u.current=0,null===(i=f)||void 0===i||i(l))}}),o.current);return function(){return d.cancelAnimationFrame(i)}}}),[p,v,d,o,t,n,h,a,f,l,e,m]),l}(o,j,J,X,$),ne=function(e,t,o,n,r){var a=e.hidden,s=e.onDismiss,u=e.preventDismissOnScroll,d=e.preventDismissOnResize,p=e.preventDismissOnLostFocus,m=e.shouldDismissOnWindowFocus,h=e.preventDismissOnEvent,g=i.useRef(!1),f=(0,y.r)(),v=(0,_.B)([function(){g.current=!0},function(){g.current=!1}]),b=!!t;return i.useEffect((function(){var e=function(e){b&&!u&&v(e)},t=function(e){var t;d||null===(t=s)||void 0===t||t(e)},i=function(e){p||v(e)},v=function(e){var t,i=e.target,a=o.current&&!(0,l.t)(o.current,i);a&&g.current?g.current=!1:(!n.current&&a||e.target!==r&&a&&(!n.current||"stopPropagation"in n.current||i!==n.current&&!(0,l.t)(n.current,i)))&&(null===(t=s)||void 0===t||t(e))},y=function(e){var t,o;m&&((!h||h(e))&&(h||p)||(null===(t=r)||void 0===t?void 0:t.document.hasFocus())||null!==e.relatedTarget||null===(o=s)||void 0===o||o(e))},_=new Promise((function(o){f.setTimeout((function(){if(!a&&r){var n=[(0,c.on)(r,"scroll",e,!0),(0,c.on)(r,"resize",t,!0),(0,c.on)(r.document.documentElement,"focus",i,!0),(0,c.on)(r.document.documentElement,"click",i,!0),(0,c.on)(r,"blur",y,!0)];o((function(){n.forEach((function(e){return e()}))}))}}),0)}));return function(){_.then((function(e){return e()}))}}),[a,f,o,n,r,s,m,p,d,u,b,h]),v}(o,oe,j,X,Q),re=ne[0],ie=ne[1];if(function(e,t,o){var n=e.hidden,r=e.setInitialFocus,a=(0,y.r)(),l=!!t;i.useEffect((function(){if(!n&&r&&l&&o.current){var e=a.requestAnimationFrame((function(){return(0,s.uo)(o.current)}),o.current);return function(){return a.cancelAnimationFrame(e)}}}),[n,l,a,o,r])}(o,oe,J),i.useEffect((function(){var e;G||null===(e=U)||void 0===e||e()}),[G]),!Q)return null;var ae=ee?ee+te:void 0,se=O&&ae&&O{"use strict";o.d(t,{N:()=>l});var n=o(2002),r=o(5666),i=o(9729);function a(e){return{height:e,width:e}}var s={container:"ms-Callout-container",root:"ms-Callout",beak:"ms-Callout-beak",beakCurtain:"ms-Callout-beakCurtain",calloutMain:"ms-Callout-main"},l=(0,n.z)(r.H,(function(e){var t,o=e.theme,n=e.className,r=e.overflowYHidden,l=e.calloutWidth,c=e.beakWidth,u=e.backgroundColor,d=e.calloutMaxWidth,p=e.calloutMinWidth,m=(0,i.Cn)(s,o),h=o.semanticColors,g=o.effects;return{container:[m.container,{position:"relative"}],root:[m.root,o.fonts.medium,{position:"absolute",boxSizing:"border-box",borderRadius:g.roundedCorner2,boxShadow:g.elevation16,selectors:(t={},t[i.qJ]={borderWidth:1,borderStyle:"solid",borderColor:"WindowText"},t)},(0,i.e2)(),n,!!l&&{width:l},!!d&&{maxWidth:d},!!p&&{minWidth:p}],beak:[m.beak,{position:"absolute",backgroundColor:h.menuBackground,boxShadow:"inherit",border:"inherit",boxSizing:"border-box",transform:"rotate(45deg)"},a(c),u&&{backgroundColor:u}],beakCurtain:[m.beakCurtain,{position:"absolute",top:0,right:0,bottom:0,left:0,backgroundColor:h.menuBackground,borderRadius:g.roundedCorner2}],calloutMain:[m.calloutMain,{backgroundColor:h.menuBackground,overflowX:"hidden",overflowY:"auto",position:"relative",borderRadius:g.roundedCorner2},r&&{overflowY:"hidden"},u&&{backgroundColor:u}]}}),void 0,{scope:"CalloutContent"})},5790:(e,t,o)=>{"use strict";o.d(t,{A:()=>p});var n=o(7622),r=o(7002),i=o(4085),a=o(9241),s=o(6548),l=o(7300),c=o(5480),u=o(9947),d=(0,l.y)(),p=r.forwardRef((function(e,t){var o=e.disabled,l=e.required,p=e.inputProps,m=e.name,h=e.ariaLabel,g=e.ariaLabelledBy,f=e.ariaDescribedBy,v=e.ariaPositionInSet,b=e.ariaSetSize,y=e.title,_=e.label,C=e.checkmarkIconProps,S=e.styles,x=e.theme,k=e.className,w=e.boxSide,I=void 0===w?"start":w,D=(0,i.M)("checkbox-",e.id),T=r.useRef(null),E=(0,a.r)(T,t),P=r.useRef(null),M=(0,s.G)(e.checked,e.defaultChecked,e.onChange),R=M[0],N=M[1],B=(0,s.G)(e.indeterminate,e.defaultIndeterminate),F=B[0],L=B[1];(0,c.P)(T),function(e,t,o,n){r.useImperativeHandle(e.componentRef,(function(){return{get checked(){return!!t},get indeterminate(){return!!o},focus:function(){n.current&&n.current.focus()}}}),[n,t,o])}(e,R,F,P);var A=d(S,{theme:x,className:k,disabled:o,indeterminate:F,checked:R,reversed:"start"!==I,isUsingCustomLabelRender:!!e.onRenderLabel}),z=r.useCallback((function(e){return e&&e.label?r.createElement("span",{"aria-hidden":"true",className:A.text,title:e.title},e.label):null}),[A.text]),H=e.onRenderLabel||z,O=F?"mixed":R?"true":"false",W=(0,n.pi)((0,n.pi)({className:A.input,type:"checkbox"},p),{checked:!!R,disabled:o,required:l,name:m,id:D,title:y,onChange:function(e){F?(N(!!R,e),L(!1)):N(!R,e)},"aria-disabled":o,"aria-label":h||_,"aria-labelledby":g,"aria-describedby":f,"aria-posinset":v,"aria-setsize":b,"aria-checked":O});return r.createElement("div",{className:A.root,title:y,ref:E},r.createElement("input",(0,n.pi)({},W,{ref:P,"data-ktp-execute-target":!0})),r.createElement("label",{className:A.label,htmlFor:D},r.createElement("div",{className:A.checkbox,"data-ktp-target":!0},r.createElement(u.J,(0,n.pi)({iconName:"CheckMark"},C,{className:A.checkmark}))),H(e,z)))}));p.displayName="CheckboxBase"},2777:(e,t,o)=>{"use strict";o.d(t,{X:()=>p});var n=o(2002),r=o(5790),i=o(7622),a=o(9729),s=o(6145),l={root:"ms-Checkbox",label:"ms-Checkbox-label",checkbox:"ms-Checkbox-checkbox",checkmark:"ms-Checkbox-checkmark",text:"ms-Checkbox-text"},c="20px",u="200ms",d="cubic-bezier(.4, 0, .23, 1)",p=(0,n.z)(r.A,(function(e){var t,o,n,r,p,m,h,g,f,v,b,y,_,C,S,x,k,w,I=e.className,D=e.theme,T=e.reversed,E=e.checked,P=e.disabled,M=e.isUsingCustomLabelRender,R=e.indeterminate,N=D.semanticColors,B=D.effects,F=D.palette,L=D.fonts,A=(0,a.Cn)(l,D),z=N.inputForegroundChecked,H=F.neutralSecondary,O=F.neutralPrimary,W=N.inputBackgroundChecked,V=N.inputBackgroundChecked,K=N.disabledBodySubtext,q=N.inputBorderHovered,G=N.inputBackgroundCheckedHovered,U=N.inputBackgroundChecked,j=N.inputBackgroundCheckedHovered,J=N.inputBackgroundCheckedHovered,Y=N.inputTextHovered,Z=N.disabledBodySubtext,X=N.bodyText,Q=N.disabledText,$=[(t={content:'""',borderRadius:B.roundedCorner2,position:"absolute",width:10,height:10,top:4,left:4,boxSizing:"border-box",borderWidth:5,borderStyle:"solid",borderColor:P?K:W,transitionProperty:"border-width, border, border-color",transitionDuration:u,transitionTimingFunction:d},t[a.qJ]={borderColor:"WindowText"},t)];return{root:[A.root,{position:"relative",display:"flex"},T&&"reversed",E&&"is-checked",!P&&"is-enabled",P&&"is-disabled",!P&&[!E&&(o={},o[":hover ."+A.checkbox]=(n={borderColor:q},n[a.qJ]={borderColor:"Highlight"},n),o[":focus ."+A.checkbox]={borderColor:q},o[":hover ."+A.checkmark]=(r={color:H,opacity:"1"},r[a.qJ]={color:"Highlight"},r),o),E&&!R&&(p={},p[":hover ."+A.checkbox]={background:j,borderColor:J},p[":focus ."+A.checkbox]={background:j,borderColor:J},p[a.qJ]=(m={},m[":hover ."+A.checkbox]={background:"Highlight",borderColor:"Highlight"},m[":focus ."+A.checkbox]={background:"Highlight"},m[":focus:hover ."+A.checkbox]={background:"Highlight"},m[":focus:hover ."+A.checkmark]={color:"Window"},m[":hover ."+A.checkmark]={color:"Window"},m),p),R&&(h={},h[":hover ."+A.checkbox+", :hover ."+A.checkbox+":after"]=(g={borderColor:G},g[a.qJ]={borderColor:"WindowText"},g),h[":focus ."+A.checkbox]={borderColor:G},h[":hover ."+A.checkmark]={opacity:"0"},h),(f={},f[":hover ."+A.text+", :focus ."+A.text]=(v={color:Y},v[a.qJ]={color:P?"GrayText":"WindowText"},v),f)],I],input:(b={position:"absolute",background:"none",opacity:0},b["."+s.G$+" &:focus + label::before"]=(y={outline:"1px solid "+D.palette.neutralSecondary,outlineOffset:"2px"},y[a.qJ]={outline:"1px solid WindowText"},y),b),label:[A.label,D.fonts.medium,{display:"flex",alignItems:M?"center":"flex-start",cursor:P?"default":"pointer",position:"relative",userSelect:"none"},T&&{flexDirection:"row-reverse",justifyContent:"flex-end"},{"&::before":{position:"absolute",left:0,right:0,top:0,bottom:0,content:'""',pointerEvents:"none"}}],checkbox:[A.checkbox,(_={position:"relative",display:"flex",flexShrink:0,alignItems:"center",justifyContent:"center",height:c,width:c,border:"1px solid "+O,borderRadius:B.roundedCorner2,boxSizing:"border-box",transitionProperty:"background, border, border-color",transitionDuration:u,transitionTimingFunction:d,overflow:"hidden",":after":R?$:null},_[a.qJ]=(0,i.pi)({borderColor:"WindowText"},(0,a.xM)()),_),R&&{borderColor:W},T?{marginLeft:4}:{marginRight:4},!P&&!R&&E&&(C={background:U,borderColor:V},C[a.qJ]={background:"Highlight",borderColor:"Highlight"},C),P&&(S={borderColor:K},S[a.qJ]={borderColor:"GrayText"},S),E&&P&&(x={background:Z,borderColor:K},x[a.qJ]={background:"Window"},x)],checkmark:[A.checkmark,(k={opacity:E?"1":"0",color:z},k[a.qJ]=(0,i.pi)({color:P?"GrayText":"Window"},(0,a.xM)()),k)],text:[A.text,(w={color:P?Q:X,fontSize:L.medium.fontSize,lineHeight:"20px"},w[a.qJ]=(0,i.pi)({color:P?"GrayText":"WindowText"},(0,a.xM)()),w),T?{marginRight:4}:{marginLeft:4}]}}),void 0,{scope:"Checkbox"})},5554:(e,t,o)=>{"use strict";o.d(t,{q:()=>f});var n=o(7622),r=o(7002),i=o(2052),a=o(7300),s=o(2470),l=o(6145),c=o(8127),u=o(1351),d=o(4085),p=o(6548),m=(0,a.y)(),h=function(e,t){return t+"-"+e.key},g=function(e,t){return void 0===t?void 0:(0,s.sE)(e,(function(e){return e.key===t}))},f=r.forwardRef((function(e,t){var o=e.className,a=e.theme,s=e.styles,f=e.options,v=void 0===f?[]:f,b=e.label,y=e.required,_=e.disabled,C=e.name,S=e.defaultSelectedKey,x=e.componentRef,k=e.onChange,w=(0,d.M)("ChoiceGroup"),I=(0,d.M)("ChoiceGroupLabel"),D=(0,c.pq)(e,c.n7,["onChange","className","required"]),T=m(s,{theme:a,className:o,optionsContainIconOrImage:v.some((function(e){return!(!e.iconProps&&!e.imageSrc)}))}),E=e.ariaLabelledBy||(b?I:e["aria-labelledby"]),P=(0,p.G)(e.selectedKey,S),M=P[0],R=P[1],N=r.useState(),B=N[0],F=N[1];!function(e,t,o,n){r.useImperativeHandle(n,(function(){return{get checkedOption(){return g(e,t)},focus:function(){var n=g(e,t)||e.filter((function(e){return!e.disabled}))[0],r=n&&document.getElementById(h(n,o));r&&(r.focus(),(0,l.MU)(!0,r))}}}),[e,t,o])}(v,M,w,x);var L=r.useCallback((function(e,t){var o,n;t&&(F(t.itemKey),null===(n=(o=t).onFocus)||void 0===n||n.call(o,e))}),[]),A=r.useCallback((function(e,t){var o,n,r;F(void 0),null===(r=null===(o=t)||void 0===o?void 0:(n=o).onBlur)||void 0===r||r.call(n,e)}),[]),z=r.useCallback((function(e,t){var o,n,r;t&&(R(t.itemKey),null===(n=(o=t).onChange)||void 0===n||n.call(o,e),null===(r=k)||void 0===r||r(e,g(v,t.itemKey)))}),[k,v,R]);return r.createElement("div",(0,n.pi)({className:T.root},D,{ref:t}),r.createElement("div",(0,n.pi)({role:"radiogroup"},E&&{"aria-labelledby":E}),b&&r.createElement(i._,{className:T.label,required:y,id:I,disabled:_},b),r.createElement("div",{className:T.flexContainer},v.map((function(e){return r.createElement(u.c,(0,n.pi)({key:e.key,itemKey:e.key},e,{onBlur:A,onFocus:L,onChange:z,focused:e.key===B,checked:e.key===M,disabled:e.disabled||_,id:h(e,w),labelId:e.labelId||I+"-"+e.key,name:C||w,required:y}))})))))}));f.displayName="ChoiceGroup"},9240:(e,t,o)=>{"use strict";o.d(t,{F:()=>s});var n=o(2002),r=o(5554),i=o(9729),a={root:"ms-ChoiceFieldGroup",flexContainer:"ms-ChoiceFieldGroup-flexContainer"},s=(0,n.z)(r.q,(function(e){var t=e.className,o=e.optionsContainIconOrImage,n=e.theme,r=(0,i.Cn)(a,n);return{root:[t,r.root,n.fonts.medium,{display:"block"}],flexContainer:[r.flexContainer,o&&{display:"flex",flexDirection:"row",flexWrap:"wrap"}]}}),void 0,{scope:"ChoiceGroup"})},1351:(e,t,o)=>{"use strict";o.d(t,{c:()=>x});var n=o(2002),r=o(7622),i=o(7002),a=o(4861),s=o(9947),l=o(7300),c=o(63),u=o(8127),d=o(8826),p=o(8088),m=(0,l.y)(),h={imageSize:{width:32,height:32}},g=function(e){var t=(0,c.j)((0,r.pi)((0,r.pi)({},h),{key:e.itemKey}),e),o=t.ariaLabel,n=t.focused,l=t.required,g=t.theme,f=t.iconProps,v=t.imageSrc,b=t.imageSize,y=t.disabled,_=t.checked,C=t.id,S=t.styles,x=t.name,k=(0,r._T)(t,["ariaLabel","focused","required","theme","iconProps","imageSrc","imageSize","disabled","checked","id","styles","name"]),w=m(S,{theme:g,hasIcon:!!f,hasImage:!!v,checked:_,disabled:y,imageIsLarge:!!v&&(b.width>71||b.height>71),imageSize:b,focused:n}),I=(0,u.pq)(k,u.Gg),D=I.className,T=(0,r._T)(I,["className"]),E=function(){return i.createElement("span",{id:t.labelId,className:"ms-ChoiceFieldLabel"},t.text)},P=function(){var e=t.imageAlt,o=void 0===e?"":e,n=t.selectedImageSrc,l=(t.onRenderLabel?(0,d.k)(t.onRenderLabel,E):E)(t);return i.createElement("label",{htmlFor:C,className:w.field},v&&i.createElement("div",{className:w.innerField},i.createElement("div",{className:w.imageWrapper},i.createElement(a.E,(0,r.pi)({src:v,alt:o},b))),i.createElement("div",{className:w.selectedImageWrapper},i.createElement(a.E,(0,r.pi)({src:n,alt:o},b)))),f&&i.createElement("div",{className:w.innerField},i.createElement("div",{className:w.iconWrapper},i.createElement(s.J,(0,r.pi)({},f)))),v||f?i.createElement("div",{className:w.labelWrapper},l):l)},M=t.onRenderField,R=void 0===M?P:M;return i.createElement("div",{className:w.root},i.createElement("div",{className:w.choiceFieldWrapper},i.createElement("input",(0,r.pi)({"aria-label":o,id:C,className:(0,p.i)(w.input,D),type:"radio",name:x,disabled:y,checked:_,required:l},T,{onChange:function(e){var o,n;null===(n=(o=t).onChange)||void 0===n||n.call(o,e,t)},onFocus:function(e){var o,n;null===(n=(o=t).onFocus)||void 0===n||n.call(o,e,t)},onBlur:function(e){var o,n;null===(n=(o=t).onBlur)||void 0===n||n.call(o,e)}})),R(t,P)))};g.displayName="ChoiceGroupOption";var f=o(9729),v=o(6145),b={root:"ms-ChoiceField",choiceFieldWrapper:"ms-ChoiceField-wrapper",input:"ms-ChoiceField-input",field:"ms-ChoiceField-field",innerField:"ms-ChoiceField-innerField",imageWrapper:"ms-ChoiceField-imageWrapper",iconWrapper:"ms-ChoiceField-iconWrapper",labelWrapper:"ms-ChoiceField-labelWrapper",checked:"is-checked"},y="200ms",_="cubic-bezier(.4, 0, .23, 1)";function C(e,t){var o,n;return["is-inFocus",{selectors:(o={},o["."+v.G$+" &"]={position:"relative",outline:"transparent",selectors:{"::-moz-focus-inner":{border:0},":after":{content:'""',top:-2,right:-2,bottom:-2,left:-2,pointerEvents:"none",border:"1px solid "+e,position:"absolute",selectors:(n={},n[f.qJ]={borderColor:"WindowText",borderWidth:t?1:2},n)}}},o)}]}function S(e,t,o){return[t,{paddingBottom:2,transitionProperty:"opacity",transitionDuration:y,transitionTimingFunction:"ease",selectors:{".ms-Image":{display:"inline-block",borderStyle:"none"}}},(o?!e:e)&&["is-hidden",{position:"absolute",left:0,top:0,width:"100%",height:"100%",overflow:"hidden",opacity:0}]]}var x=(0,n.z)(g,(function(e){var t,o,n,i,a,s=e.theme,l=e.hasIcon,c=e.hasImage,u=e.checked,d=e.disabled,p=e.imageIsLarge,m=e.focused,h=e.imageSize,g=s.palette,v=s.semanticColors,x=s.fonts,k=(0,f.Cn)(b,s),w=g.neutralPrimary,I=v.inputBorderHovered,D=v.inputBackgroundChecked,T=g.themeDark,E=v.disabledBodySubtext,P=v.bodyBackground,M=g.neutralSecondary,R=v.inputBackgroundChecked,N=g.themeDark,B=v.disabledBodySubtext,F=g.neutralDark,L=v.focusBorder,A=v.inputBorderHovered,z=v.inputBackgroundChecked,H=g.themeDark,O=g.neutralLighter,W={selectors:{".ms-ChoiceFieldLabel":{color:F},":before":{borderColor:u?T:I},":after":[!l&&!c&&!u&&{content:'""',transitionProperty:"background-color",left:5,top:5,width:10,height:10,backgroundColor:M},u&&{borderColor:N}]}},V={borderColor:u?H:A,selectors:{":before":{opacity:1,borderColor:u?T:I}}},K=[{content:'""',display:"inline-block",backgroundColor:P,borderWidth:1,borderStyle:"solid",borderColor:w,width:20,height:20,fontWeight:"normal",position:"absolute",top:0,left:0,boxSizing:"border-box",transitionProperty:"border-color",transitionDuration:y,transitionTimingFunction:_,borderRadius:"50%"},d&&{borderColor:E,selectors:(t={},t[f.qJ]=(0,r.pi)({borderColor:"GrayText",background:"Window"},(0,f.xM)()),t)},u&&{borderColor:d?E:D,selectors:(o={},o[f.qJ]={borderColor:"Highlight",background:"Window",forcedColorAdjust:"none"},o)},(l||c)&&{top:3,right:3,left:"auto",opacity:u?1:0}],q=[{content:'""',width:0,height:0,borderRadius:"50%",position:"absolute",left:10,right:0,transitionProperty:"border-width",transitionDuration:y,transitionTimingFunction:_,boxSizing:"border-box"},u&&{borderWidth:5,borderStyle:"solid",borderColor:d?B:R,left:5,top:5,width:10,height:10,selectors:(n={},n[f.qJ]={borderColor:"Highlight",forcedColorAdjust:"none"},n)},u&&(l||c)&&{top:8,right:8,left:"auto"}];return{root:[k.root,s.fonts.medium,{display:"flex",alignItems:"center",boxSizing:"border-box",color:v.bodyText,minHeight:26,border:"none",position:"relative",marginTop:8,selectors:{".ms-ChoiceFieldLabel":{display:"inline-block"}}},!l&&!c&&{selectors:{".ms-ChoiceFieldLabel":{paddingLeft:"26px"}}},c&&"ms-ChoiceField--image",l&&"ms-ChoiceField--icon",(l||c)&&{display:"inline-flex",fontSize:0,margin:"0 4px 4px 0",paddingLeft:0,backgroundColor:O,height:"100%"}],choiceFieldWrapper:[k.choiceFieldWrapper,m&&C(L,l||c)],input:[k.input,{position:"absolute",opacity:0,top:0,right:0,width:"100%",height:"100%",margin:0},d&&"is-disabled"],field:[k.field,u&&k.checked,{display:"inline-block",cursor:"pointer",marginTop:0,position:"relative",verticalAlign:"top",userSelect:"none",minHeight:20,selectors:{":hover":!d&&W,":focus":!d&&W,":before":K,":after":q}},l&&"ms-ChoiceField--icon",c&&"ms-ChoiceField-field--image",(l||c)&&{boxSizing:"content-box",cursor:"pointer",paddingTop:22,margin:0,textAlign:"center",transitionProperty:"all",transitionDuration:y,transitionTimingFunction:"ease",border:"1px solid transparent",justifyContent:"center",alignItems:"center",display:"flex",flexDirection:"column"},u&&{borderColor:z},(l||c)&&!d&&{selectors:{":hover":V,":focus":V}},d&&{cursor:"default",selectors:{".ms-ChoiceFieldLabel":{color:v.disabledBodyText,selectors:(i={},i[f.qJ]=(0,r.pi)({color:"GrayText"},(0,f.xM)()),i)}}},u&&d&&{borderColor:O}],innerField:[k.innerField,c&&{height:h.height,width:h.width},(l||c)&&{position:"relative",display:"inline-block",paddingLeft:30,paddingRight:30},(l||c)&&p&&{paddingLeft:24,paddingRight:24},(l||c)&&d&&{opacity:.25,selectors:(a={},a[f.qJ]={color:"GrayText",opacity:1},a)}],imageWrapper:S(!1,k.imageWrapper,u),selectedImageWrapper:S(!0,k.imageWrapper,u),iconWrapper:[k.iconWrapper,{fontSize:32,lineHeight:32,height:32}],labelWrapper:[k.labelWrapper,x.medium,(l||c)&&{display:"block",position:"relative",margin:"4px 8px 2px 8px",height:32,lineHeight:15,maxWidth:2*h.width,overflow:"hidden",whiteSpace:"pre-wrap"}]}}),void 0,{scope:"ChoiceGroupOption"})},1958:(e,t,o)=>{"use strict";o.d(t,{T:()=>z});var n=o(7622),r=o(7002),i=o(7300),a=o(688),s=o(3129),l=o(687),c=o(8623),u=o(2002),d=o(2782),p=o(8145),m=o(9251),h=o(21),g=o(2417),f=o(6119),v=o(1342),b=(0,i.y)(),y=function(e){function t(t){var o=e.call(this,t)||this;return o._disposables=[],o._root=r.createRef(),o._isAdjustingSaturation=!0,o._descriptionId=(0,d.z)("ColorRectangle-description"),o._onKeyDown=function(e){var t=o.state.color,n=t.s,r=t.v,i=e.shiftKey?10:1;switch(e.which){case p.m.up:o._isAdjustingSaturation=!1,r+=i;break;case p.m.down:o._isAdjustingSaturation=!1,r-=i;break;case p.m.left:o._isAdjustingSaturation=!0,n-=i;break;case p.m.right:o._isAdjustingSaturation=!0,n+=i;break;default:return}o._updateColor(e,(0,f.d)(t,(0,v.u)(n,h.fr),(0,v.u)(r,h.uw)))},o._onMouseDown=function(e){o._disposables.push((0,m.on)(window,"mousemove",o._onMouseMove,!0),(0,m.on)(window,"mouseup",o._disposeListeners,!0)),o._onMouseMove(e)},o._onMouseMove=function(e){if(o._root.current){var t=function(e,t,o){var n=o.getBoundingClientRect(),r=(e.clientX-n.left)/n.width,i=(e.clientY-n.top)/n.height;return(0,f.d)(t,(0,v.u)(Math.round(r*h.fr),h.fr),(0,v.u)(Math.round(h.uw-i*h.uw),h.uw))}(e,o.state.color,o._root.current);t&&o._updateColor(e,t)}},o._disposeListeners=function(){o._disposables.forEach((function(e){return e()})),o._disposables=[]},(0,a.l)(o),o.state={color:t.color},o}return(0,n.ZT)(t,e),Object.defineProperty(t.prototype,"color",{get:function(){return this.state.color},enumerable:!0,configurable:!0}),t.prototype.componentDidUpdate=function(e,t){e!==this.props&&this.props.color&&this.setState({color:this.props.color})},t.prototype.componentWillUnmount=function(){this._disposeListeners()},t.prototype.render=function(){var e=this.props,t=e.minSize,o=e.theme,n=e.className,i=e.styles,a=e.ariaValueFormat,s=e.ariaLabel,l=e.ariaDescription,c=this.state.color,u=b(i,{theme:o,className:n,minSize:t}),d=a.replace("{0}",String(c.s)).replace("{1}",String(c.v));return r.createElement("div",{ref:this._root,tabIndex:0,className:u.root,style:{backgroundColor:(0,g.p)(c)},onMouseDown:this._onMouseDown,onKeyDown:this._onKeyDown,role:"slider","aria-valuetext":d,"aria-valuenow":this._isAdjustingSaturation?c.s:c.v,"aria-valuemin":0,"aria-valuemax":h.uw,"aria-label":s,"aria-describedby":this._descriptionId,"data-is-focusable":!0},r.createElement("div",{className:u.description,id:this._descriptionId},l),r.createElement("div",{className:u.light}),r.createElement("div",{className:u.dark}),r.createElement("div",{className:u.thumb,style:{left:c.s+"%",top:h.uw-c.v+"%",backgroundColor:c.str}}))},t.prototype._updateColor=function(e,t){var o=this.props.onChange,n=this.state.color;t.s===n.s&&t.v===n.v||(o&&o(e,t),e.defaultPrevented||(this.setState({color:t}),e.preventDefault()))},t.defaultProps={minSize:220,ariaLabel:"Saturation and brightness",ariaValueFormat:"Saturation {0} brightness {1}",ariaDescription:"Use left and right arrow keys to set saturation. Use up and down arrow keys to set brightness."},t}(r.Component),_=o(9729),C=o(6145),S=(0,u.z)(y,(function(e){var t,o=e.className,r=e.theme,i=e.minSize,a=r.palette,s=r.effects;return{root:["ms-ColorPicker-colorRect",{position:"relative",marginBottom:8,border:"1px solid "+a.neutralLighter,borderRadius:s.roundedCorner2,minWidth:i,minHeight:i,outline:"none",selectors:(t={},t[_.qJ]=(0,n.pi)({},(0,_.xM)()),t["."+C.G$+" &:focus"]={outline:"1px solid "+a.neutralSecondary},t)},o],light:["ms-ColorPicker-light",{position:"absolute",left:0,right:0,top:0,bottom:0,background:"linear-gradient(to right, white 0%, transparent 100%) /*@noflip*/"}],dark:["ms-ColorPicker-dark",{position:"absolute",left:0,right:0,top:0,bottom:0,background:"linear-gradient(to bottom, transparent 0, #000 100%)"}],thumb:["ms-ColorPicker-thumb",{position:"absolute",width:20,height:20,background:"white",border:"1px solid "+a.neutralSecondaryAlt,borderRadius:"50%",boxShadow:s.elevation8,transform:"translate(-50%, -50%)",selectors:{":before":{position:"absolute",left:0,right:0,top:0,bottom:0,border:"2px solid "+a.white,borderRadius:"50%",boxSizing:"border-box",content:'""'}}}],description:_.ul}}),void 0,{scope:"ColorRectangle"}),x=o(9757),k=(0,i.y)(),w=function(e){function t(t){var o=e.call(this,t)||this;return o._disposables=[],o._root=r.createRef(),o._onKeyDown=function(e){var t=o.value,n=o._maxValue,r=e.shiftKey?10:1;switch(e.which){case p.m.left:t-=r;break;case p.m.right:t+=r;break;case p.m.home:t=0;break;case p.m.end:t=n;break;default:return}o._updateValue(e,(0,v.u)(t,n))},o._onMouseDown=function(e){var t=(0,x.J)(o);t&&o._disposables.push((0,m.on)(t,"mousemove",o._onMouseMove,!0),(0,m.on)(t,"mouseup",o._disposeListeners,!0)),o._onMouseMove(e)},o._onMouseMove=function(e){if(o._root.current){var t=o._maxValue,n=o._root.current.getBoundingClientRect(),r=(e.clientX-n.left)/n.width,i=(0,v.u)(Math.round(r*t),t);o._updateValue(e,i)}},o._disposeListeners=function(){o._disposables.forEach((function(e){return e()})),o._disposables=[]},(0,a.l)(o),(0,s.b)("ColorSlider",t,{thumbColor:"styles.sliderThumb",overlayStyle:"overlayColor",isAlpha:"type",maxValue:"type",minValue:"type"}),"hue"===o._type||t.overlayColor||t.overlayStyle||(0,l.Z)("ColorSlider: 'overlayColor' is required when 'type' is \"alpha\" or \"transparency\""),o.state={currentValue:t.value||0},o}return(0,n.ZT)(t,e),Object.defineProperty(t.prototype,"value",{get:function(){return this.state.currentValue},enumerable:!0,configurable:!0}),t.prototype.componentDidUpdate=function(e,t){e!==this.props&&void 0!==this.props.value&&this.setState({currentValue:this.props.value})},t.prototype.componentWillUnmount=function(){this._disposeListeners()},t.prototype.render=function(){var e=this._type,t=this._maxValue,o=this.props,n=o.overlayStyle,i=o.overlayColor,a=o.theme,s=o.className,l=o.styles,c=o.ariaLabel,u=void 0===c?e:c,d=this.value,p=k(l,{theme:a,className:s,type:e}),m=100*d/t;return r.createElement("div",{ref:this._root,className:p.root,tabIndex:0,onKeyDown:this._onKeyDown,onMouseDown:this._onMouseDown,role:"slider","aria-valuenow":d,"aria-valuetext":String(d),"aria-valuemin":0,"aria-valuemax":t,"aria-label":u,"data-is-focusable":!0},!(!i&&!n)&&r.createElement("div",{className:p.sliderOverlay,style:i?{background:"transparency"===e?"linear-gradient(to right, #"+i+", transparent)":"linear-gradient(to right, transparent, #"+i+")"}:n}),r.createElement("div",{className:p.sliderThumb,style:{left:m+"%"}}))},Object.defineProperty(t.prototype,"_type",{get:function(){var e=this.props,t=e.isAlpha,o=e.type;return void 0===o?t?"alpha":"hue":o},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"_maxValue",{get:function(){return"hue"===this._type?h.a_:h.c5},enumerable:!0,configurable:!0}),t.prototype._updateValue=function(e,t){if(t!==this.value){var o=this.props.onChange;o&&o(e,t),e.defaultPrevented||(this.setState({currentValue:t}),e.preventDefault())}},t.defaultProps={value:0},t}(r.Component),I={background:"linear-gradient("+["to left","red 0","#f09 10%","#cd00ff 20%","#3200ff 30%","#06f 40%","#00fffd 50%","#0f6 60%","#35ff00 70%","#cdff00 80%","#f90 90%","red 100%"].join(",")+")"},D={backgroundImage:"url(data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAAoAAAAKCAYAAACNMs+9AAAAJUlEQVQYV2N89erVfwY0ICYmxoguxjgUFKI7GsTH5m4M3w1ChQC1/Ca8i2n1WgAAAABJRU5ErkJggg==)"},T=(0,u.z)(w,(function(e){var t,o=e.theme,n=e.className,r=e.type,i=void 0===r?"hue":r,a=e.isAlpha,s=void 0===a?"hue"!==i:a,l=o.palette,c=o.effects;return{root:["ms-ColorPicker-slider",{position:"relative",height:20,marginBottom:8,border:"1px solid "+l.neutralLight,borderRadius:c.roundedCorner2,boxSizing:"border-box",outline:"none",selectors:(t={},t["."+C.G$+" &:focus"]={outline:"1px solid "+l.neutralSecondary},t)},s?D:I,n],sliderOverlay:["ms-ColorPicker-sliderOverlay",{content:"",position:"absolute",left:0,right:0,top:0,bottom:0}],sliderThumb:["ms-ColorPicker-thumb","is-slider",{position:"absolute",width:20,height:20,background:"white",border:"1px solid "+l.neutralSecondaryAlt,borderRadius:"50%",boxShadow:c.elevation8,transform:"translate(-50%, -50%)",top:"50%"}]}}),void 0,{scope:"ColorSlider"}),E=o(7375),P=o(8208),M=o(8490),R=o(1332),N=o(1990),B=o(2775),F=o(5298),L=(0,i.y)(),A=["hex","r","g","b","a","t"],z=function(e){function t(o){var r=e.call(this,o)||this;r._onSVChanged=function(e,t){r._updateColor(e,t)},r._onHChanged=function(e,t){r._updateColor(e,(0,N.i)(r.state.color,t))},r._onATChanged=function(e,t){var o="transparency"===r.props.alphaType?R.X:M.R;r._updateColor(e,o(r.state.color,Math.round(t)))},r._onBlur=function(e){var t,o=r.state,i=o.color,a=o.editingColor;if(a){var s=a.value,l=a.component,c="hex"===l,u="a"===l,d="t"===l,p=c?h.yE:h.HT;if(s.length>=p&&(c||!isNaN(Number(s)))){var m=void 0;m=c?(0,E.T)("#"+(0,F.L)(s)):u||d?(u?M.R:R.X)(i,(0,v.u)(Number(s),h.c5)):(0,P.N)((0,B.k)((0,n.pi)((0,n.pi)({},i),((t={})[l]=Number(s),t)))),r._updateColor(e,m)}else r.setState({editingColor:void 0})}},(0,a.l)(r);var i=o.strings;(0,s.b)("ColorPicker",o,{hexLabel:"strings.hex",redLabel:"strings.red",greenLabel:"strings.green",blueLabel:"strings.blue",alphaLabel:"strings.alpha",alphaSliderHidden:"alphaType"}),i.hue&&(0,l.Z)("ColorPicker property 'strings.hue' was used but has been deprecated. Use 'strings.hueAriaLabel' instead."),r.state={color:H(o)||(0,E.T)("#ffffff")},r._textChangeHandlers={};for(var c=0,u=A;c{"use strict";o.d(t,{z:()=>i});var n=o(2002),r=o(1958),i=(0,n.z)(r.T,(function(e){var t=e.className,o=e.theme,n=e.alphaType;return{root:["ms-ColorPicker",o.fonts.medium,{position:"relative",maxWidth:300},t],panel:["ms-ColorPicker-panel",{padding:"16px"}],table:["ms-ColorPicker-table",{tableLayout:"fixed",width:"100%",selectors:{"tbody td:last-of-type .ms-ColorPicker-input":{paddingRight:0}}}],tableHeader:[o.fonts.small,{selectors:{td:{paddingBottom:4}}}],tableHexCell:{width:"25%"},tableAlphaCell:"transparency"===n&&{width:"22%"},colorSquare:["ms-ColorPicker-colorSquare",{width:48,height:48,margin:"0 0 0 8px",border:"1px solid #c8c6c4"}],flexContainer:{display:"flex"},flexSlider:{flexGrow:"1"},flexPreviewBox:{flexGrow:"0"},input:["ms-ColorPicker-input",{width:"100%",border:"none",boxSizing:"border-box",height:30,selectors:{"&.ms-TextField":{paddingRight:4},"& .ms-TextField-field":{minWidth:"auto",padding:5,textOverflow:"clip"}}}]}}),void 0,{scope:"ColorPicker"})},610:(e,t,o)=>{"use strict";o.d(t,{C:()=>Y});var n,r,i,a,s=o(7622),l=o(7002),c=o(5767),u=o(2447),d=o(63),p=o(4553),m=o(9577),h=o(8023),g=o(8088),f=o(8145),v=o(6479),b=o(8936),y=o(688),_=o(2167),C=o(9919),S=o(209),x=o(2782),k=o(8127),w=o(6053),I=o(2470),D=o(5953),T=o(6628),E=o(2777),P=o(9729),M=o(5094),R=(0,M.NF)((function(e){var t,o=e.semanticColors;return{backgroundColor:o.disabledBackground,color:o.disabledText,cursor:"default",selectors:(t={":after":{borderColor:o.disabledBackground}},t[P.qJ]={color:"GrayText",selectors:{":after":{borderColor:"GrayText"}}},t)}})),N={selectors:(n={},n[P.qJ]=(0,s.pi)({backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},(0,P.xM)()),n)},B={selectors:(r={},r[P.qJ]=(0,s.pi)({color:"WindowText",backgroundColor:"Window"},(0,P.xM)()),r)},F=(0,M.NF)((function(e,t,o,n,r){var i,a=e.palette,s=e.semanticColors,l={textHoveredColor:s.menuItemTextHovered,textSelectedColor:a.neutralDark,textDisabledColor:s.disabledText,backgroundHoveredColor:s.menuItemBackgroundHovered,backgroundPressedColor:s.menuItemBackgroundPressed},c={root:[e.fonts.medium,{backgroundColor:n?l.backgroundHoveredColor:"transparent",boxSizing:"border-box",cursor:"pointer",display:r?"none":"block",width:"100%",height:"auto",minHeight:36,lineHeight:"20px",padding:"0 8px",position:"relative",borderWidth:"1px",borderStyle:"solid",borderColor:"transparent",borderRadius:0,wordWrap:"break-word",overflowWrap:"break-word",textAlign:"left",selectors:(i={},i[P.qJ]={border:"none",borderColor:"Background"},i["&.ms-Checkbox"]={display:"flex",alignItems:"center"},i["&.ms-Button--command:hover:active"]={backgroundColor:l.backgroundPressedColor},i[".ms-Checkbox-label"]={width:"100%"},i)}],rootHovered:{backgroundColor:l.backgroundHoveredColor,color:l.textHoveredColor},rootFocused:{backgroundColor:l.backgroundHoveredColor},rootChecked:[{backgroundColor:"transparent",color:l.textSelectedColor,selectors:{":hover":[{backgroundColor:l.backgroundHoveredColor},N]}},(0,P.GL)(e,{inset:-1,isFocusedOnly:!1}),N],rootDisabled:{color:l.textDisabledColor,cursor:"default"},optionText:{overflow:"hidden",whiteSpace:"nowrap",textOverflow:"ellipsis",minWidth:"0px",maxWidth:"100%",wordWrap:"break-word",overflowWrap:"break-word",display:"inline-block"},optionTextWrapper:{maxWidth:"100%",display:"flex",alignItems:"center"}};return(0,P.E$)(c,t,o)})),L=(0,M.NF)((function(e,t){var o,n,r=e.semanticColors,i=e.fonts,a={buttonTextColor:r.bodySubtext,buttonTextHoveredCheckedColor:r.buttonTextChecked,buttonBackgroundHoveredColor:r.listItemBackgroundHovered,buttonBackgroundCheckedColor:r.listItemBackgroundChecked,buttonBackgroundCheckedHoveredColor:r.listItemBackgroundCheckedHovered},l={selectors:(o={},o[P.qJ]=(0,s.pi)({backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},(0,P.xM)()),o)},c={root:{color:a.buttonTextColor,fontSize:i.small.fontSize,position:"absolute",top:0,height:"100%",lineHeight:30,width:32,textAlign:"center",cursor:"default",selectors:(n={},n[P.qJ]=(0,s.pi)({backgroundColor:"ButtonFace",borderColor:"ButtonText",color:"ButtonText"},(0,P.xM)()),n)},icon:{fontSize:i.small.fontSize},rootHovered:[{backgroundColor:a.buttonBackgroundHoveredColor,color:a.buttonTextHoveredCheckedColor,cursor:"pointer"},l],rootPressed:[{backgroundColor:a.buttonBackgroundCheckedColor,color:a.buttonTextHoveredCheckedColor},l],rootChecked:[{backgroundColor:a.buttonBackgroundCheckedColor,color:a.buttonTextHoveredCheckedColor},l],rootCheckedHovered:[{backgroundColor:a.buttonBackgroundCheckedHoveredColor,color:a.buttonTextHoveredCheckedColor},l],rootDisabled:[R(e),{position:"absolute"}]};return(0,P.E$)(c,t)})),A=(0,M.NF)((function(e,t,o){var n,r,i,a,l,c,u=e.semanticColors,d=e.fonts,p=e.effects,m={textColor:u.inputText,borderColor:u.inputBorder,borderHoveredColor:u.inputBorderHovered,borderPressedColor:u.inputFocusBorderAlt,borderFocusedColor:u.inputFocusBorderAlt,backgroundColor:u.inputBackground,erroredColor:u.errorText},h={headerTextColor:u.menuHeader,dividerBorderColor:u.bodyDivider},g={selectors:(n={},n[P.qJ]={color:"GrayText"},n)},f=[{color:u.inputPlaceholderText},g],v=[{color:u.inputTextHovered},g],b=[{color:u.disabledText},g],y=(0,s.pi)((0,s.pi)({color:"HighlightText",backgroundColor:"Window"},(0,P.xM)()),{selectors:{":after":{borderColor:"Highlight"}}}),_=(0,P.$Y)(m.borderPressedColor,p.roundedCorner2,"border",0),C={container:{},label:{},labelDisabled:{},root:[e.fonts.medium,{boxShadow:"none",marginLeft:"0",paddingRight:32,paddingLeft:9,color:m.textColor,position:"relative",outline:"0",userSelect:"none",backgroundColor:m.backgroundColor,cursor:"text",display:"block",height:32,whiteSpace:"nowrap",textOverflow:"ellipsis",boxSizing:"border-box",selectors:{".ms-Label":{display:"inline-block",marginBottom:"8px"},"&.is-open":{selectors:(r={},r[P.qJ]=y,r)},":after":{pointerEvents:"none",content:"''",position:"absolute",left:0,top:0,bottom:0,right:0,borderWidth:"1px",borderStyle:"solid",borderColor:m.borderColor,borderRadius:p.roundedCorner2}}}],rootHovered:{selectors:(i={":after":{borderColor:m.borderHoveredColor},".ms-ComboBox-Input":[{color:u.inputTextHovered},(0,P.Sv)(v),B]},i[P.qJ]=(0,s.pi)((0,s.pi)({color:"HighlightText",backgroundColor:"Window"},(0,P.xM)()),{selectors:{":after":{borderColor:"Highlight"}}}),i)},rootPressed:[{position:"relative",selectors:(a={},a[P.qJ]=y,a)}],rootFocused:[{selectors:(l={".ms-ComboBox-Input":[{color:u.inputTextHovered},B]},l[P.qJ]=y,l)},_],rootDisabled:R(e),rootError:{selectors:{":after":{borderColor:m.erroredColor},":hover:after":{borderColor:u.inputBorderHovered}}},rootDisallowFreeForm:{},input:[(0,P.Sv)(f),{backgroundColor:m.backgroundColor,color:m.textColor,boxSizing:"border-box",width:"100%",height:"100%",borderStyle:"none",outline:"none",font:"inherit",textOverflow:"ellipsis",padding:"0",selectors:{"::-ms-clear":{display:"none"}}},B],inputDisabled:[R(e),(0,P.Sv)(b)],errorMessage:[e.fonts.small,{color:m.erroredColor,marginTop:"5px"}],callout:{boxShadow:p.elevation8},optionsContainerWrapper:{width:o},optionsContainer:{display:"block"},screenReaderText:P.ul,header:[d.medium,{fontWeight:P.lq.semibold,color:h.headerTextColor,backgroundColor:"none",borderStyle:"none",height:36,lineHeight:36,cursor:"default",padding:"0 8px",userSelect:"none",textAlign:"left",selectors:(c={},c[P.qJ]=(0,s.pi)({color:"GrayText"},(0,P.xM)()),c)}],divider:{height:1,backgroundColor:h.dividerBorderColor}};return(0,P.E$)(C,t)})),z=(0,M.NF)((function(e,t,o,n,r,i,a,s){return{container:(0,P.y0)("ms-ComboBox-container",t,e.container),label:(0,P.y0)(e.label,n&&e.labelDisabled),root:(0,P.y0)("ms-ComboBox",s?e.rootError:o&&"is-open",r&&"is-required",e.root,!a&&e.rootDisallowFreeForm,s&&!i?e.rootError:!n&&i&&e.rootFocused,!n&&{selectors:{":hover":s?e.rootError:!o&&!i&&e.rootHovered,":active":s?e.rootError:e.rootPressed,":focus":s?e.rootError:e.rootFocused}},n&&["is-disabled",e.rootDisabled]),input:(0,P.y0)("ms-ComboBox-Input",e.input,n&&e.inputDisabled),errorMessage:(0,P.y0)(e.errorMessage),callout:(0,P.y0)("ms-ComboBox-callout",e.callout),optionsContainerWrapper:(0,P.y0)("ms-ComboBox-optionsContainerWrapper",e.optionsContainerWrapper),optionsContainer:(0,P.y0)("ms-ComboBox-optionsContainer",e.optionsContainer),header:(0,P.y0)("ms-ComboBox-header",e.header),divider:(0,P.y0)("ms-ComboBox-divider",e.divider),screenReaderText:(0,P.y0)(e.screenReaderText)}})),H=(0,M.NF)((function(e){return{optionText:(0,P.y0)("ms-ComboBox-optionText",e.optionText),root:(0,P.y0)("ms-ComboBox-option",e.root,{selectors:{":hover":e.rootHovered,":focus":e.rootFocused,":active":e.rootPressed}}),optionTextWrapper:(0,P.y0)(e.optionTextWrapper)}})),O=o(2052),W=o(2703),V=o(5515),K=o(5758),q=o(990),G=o(9241);!function(e){e[e.backward=-1]="backward",e[e.none=0]="none",e[e.forward=1]="forward"}(i||(i={})),function(e){e[e.clearAll=-2]="clearAll",e[e.default=-1]="default"}(a||(a={}));var U=l.memo((function(e){return(0,e.render)()}),(function(e,t){e.render;var o=(0,s._T)(e,["render"]),n=(t.render,(0,s._T)(t,["render"]));return(0,u.Vv)(o,n)})),j="ComboBox",J={options:[],allowFreeform:!1,autoComplete:"on",buttonIconProps:{iconName:"ChevronDown"}};var Y=l.forwardRef((function(e,t){var o=(0,d.j)(J,e),n=(o.ref,(0,s._T)(o,["ref"])),r=l.useRef(null),i=(0,G.r)(r,t),a=function(e){var t=e.options,o=e.defaultSelectedKey,n=e.selectedKey,r=l.useState((function(){return X(t,function(e,t){var o=Q(e);return o.length?o:Q(t)}(o,n))})),i=r[0],a=r[1],s=l.useState(t),c=s[0],u=s[1],d=l.useState(),p=d[0],m=d[1];return l.useEffect((function(){if(void 0!==n){var e=Q(n),o=X(t,e);a(o)}u(t)}),[t,n]),l.useEffect((function(){null===n&&m(void 0)}),[n]),[i,a,c,u,p,m]}(n),c=a[0],u=a[1],p=a[2],m=a[3],h=a[4],g=a[5];return l.createElement(Z,(0,s.pi)({},n,{hoisted:{mergedRootRef:i,rootRef:r,selectedIndices:c,setSelectedIndices:u,currentOptions:p,setCurrentOptions:m,suggestedDisplayValue:h,setSuggestedDisplayValue:g}}))}));Y.displayName=j;var Z=function(e){function t(t){var o=e.call(this,t)||this;return o._autofill=l.createRef(),o._comboBoxWrapper=l.createRef(),o._comboBoxMenu=l.createRef(),o._selectedElement=l.createRef(),o.focus=function(e,t){o._autofill.current&&(t?(0,p.um)(o._autofill.current):o._autofill.current.focus(),e&&o.setState({isOpen:!0})),o._hasFocus()||o.setState({focusState:"focused"})},o.dismissMenu=function(){o.state.isOpen&&o.setState({isOpen:!1})},o._onUpdateValueInAutofillWillReceiveProps=function(){var e=o._autofill.current;if(!e)return null;if(null===e.value||void 0===e.value)return null;var t=$(o._currentVisibleValue);return e.value!==t?t:e.value},o._renderComboBoxWrapper=function(e,t){var n=o.props,r=n.label,i=n.disabled,a=n.ariaLabel,u=n.ariaDescribedBy,d=n.required,p=n.errorMessage,h=n.buttonIconProps,g=n.isButtonAriaHidden,f=void 0===g||g,v=n.title,b=n.placeholder,y=n.tabIndex,_=n.autofill,C=n.iconButtonProps,S=n.hoisted.suggestedDisplayValue,x=o.state.isOpen,k=o._hasFocus()&&o.props.multiSelect&&e?e:b;return l.createElement("div",{"data-ktp-target":!0,ref:o._comboBoxWrapper,id:o._id+"wrapper",className:o._classNames.root},l.createElement(c.G,(0,s.pi)({"data-ktp-execute-target":!0,"data-is-interactable":!i,componentRef:o._autofill,id:o._id+"-input",className:o._classNames.input,type:"text",onFocus:o._onFocus,onBlur:o._onBlur,onKeyDown:o._onInputKeyDown,onKeyUp:o._onInputKeyUp,onClick:o._onAutofillClick,onTouchStart:o._onTouchStart,onInputValueChange:o._onInputChange,"aria-expanded":x,"aria-autocomplete":o._getAriaAutoCompleteValue(),role:"combobox",readOnly:i,"aria-labelledby":r&&o._id+"-label","aria-label":a&&!r?a:void 0,"aria-describedby":void 0!==p?(0,m.I)(u,t):u,"aria-activedescendant":o._getAriaActiveDescendantValue(),"aria-required":d,"aria-disabled":i,"aria-owns":x?o._id+"-list":void 0,spellCheck:!1,defaultVisibleValue:o._currentVisibleValue,suggestedDisplayValue:S,updateValueInWillReceiveProps:o._onUpdateValueInAutofillWillReceiveProps,shouldSelectFullInputValueInComponentDidUpdate:o._onShouldSelectFullInputValueInAutofillComponentDidUpdate,title:v,preventValueSelection:!o._hasFocus(),placeholder:k,tabIndex:y},_)),l.createElement(K.h,(0,s.pi)({className:"ms-ComboBox-CaretDown-button",styles:o._getCaretButtonStyles(),role:"presentation","aria-hidden":f,"data-is-focusable":!1,tabIndex:-1,onClick:o._onComboBoxClick,onBlur:o._onBlur,iconProps:h,disabled:i,checked:x},C)))},o._onShouldSelectFullInputValueInAutofillComponentDidUpdate=function(){return o._currentVisibleValue===o.props.hoisted.suggestedDisplayValue},o._getVisibleValue=function(){var e=o.props,t=e.text,n=e.allowFreeform,r=e.autoComplete,i=e.hoisted,a=i.suggestedDisplayValue,s=i.selectedIndices,l=i.currentOptions,c=o.state,u=c.currentPendingValueValidIndex,d=c.currentPendingValue,p=c.isOpen,m=ee(l,u);if((!p||!m)&&t&&null==d)return t;if(o.props.multiSelect){if(o._hasFocus()){var h=-1;return"on"===r&&m&&(h=u),o._getPendingString(d,l,h)}return o._getMultiselectDisplayString(s,l,a)}return h=o._getFirstSelectedIndex(),n?("on"===r&&m&&(h=u),o._getPendingString(d,l,h)):m&&"on"===r?(h=u,$(d)):!o.state.isOpen&&d?ee(l,h)?d:$(a):ee(l,h)?l[h].text:$(a)},o._onInputChange=function(e){o.props.disabled?o._handleInputWhenDisabled(null):o.props.allowFreeform?o._processInputChangeWithFreeform(e):o._processInputChangeWithoutFreeform(e)},o._onFocus=function(){var e,t;null===(t=null===(e=o._autofill.current)||void 0===e?void 0:e.inputElement)||void 0===t||t.select(),o._hasFocus()||o.setState({focusState:"focusing"})},o._onResolveOptions=function(){if(o.props.onResolveOptions){var e=o.props.onResolveOptions((0,s.pr)(o.props.hoisted.currentOptions));if(Array.isArray(e))o.props.hoisted.setCurrentOptions(e);else if(e&&e.then){var t=o._currentPromise=e;t.then((function(e){t===o._currentPromise&&o.props.hoisted.setCurrentOptions(e)}))}}},o._onBlur=function(e){var t,n,r=e.relatedTarget;if(null===e.relatedTarget&&(r=document.activeElement),r){var i=null===(t=o.props.hoisted.rootRef.current)||void 0===t?void 0:t.contains(r),a=null===(n=o._comboBoxMenu.current)||void 0===n?void 0:n.contains(r),s=o._comboBoxMenu.current&&(0,h.X)(o._comboBoxMenu.current,(function(e){return e===r}));if(i||a||s)return s&&o._hasFocus()&&(!o.props.multiSelect||o.props.allowFreeform)&&o._submitPendingValue(e),e.preventDefault(),void e.stopPropagation()}o._hasFocus()&&(o.setState({focusState:"none"}),o.props.multiSelect&&!o.props.allowFreeform||o._submitPendingValue(e))},o._onRenderContainer=function(e){var t,n,r=e.onRenderList,i=e.calloutProps,a=e.dropdownWidth,c=e.dropdownMaxWidth,u=e.onRenderUpperContent,d=void 0===u?o._onRenderUpperContent:u,p=e.onRenderLowerContent,m=void 0===p?o._onRenderLowerContent:p,h=e.useComboBoxAsMenuWidth,f=e.persistMenu,v=e.shouldRestoreFocus,b=void 0===v||v,y=o.state.isOpen,_=h&&o._comboBoxWrapper.current?o._comboBoxWrapper.current.clientWidth+2:void 0;return l.createElement(D.U,(0,s.pi)({isBeakVisible:!1,gapSpace:0,doNotLayer:!1,directionalHint:T.b.bottomLeftEdge,directionalHintFixed:!1},i,{onLayerMounted:o._onLayerMounted,className:(0,g.i)(o._classNames.callout,null===(t=i)||void 0===t?void 0:t.className),target:o._comboBoxWrapper.current,onDismiss:o._onDismiss,onMouseDown:o._onCalloutMouseDown,onScroll:o._onScroll,setInitialFocus:!1,calloutWidth:h&&o._comboBoxWrapper.current?_&&_:a,calloutMaxWidth:c||_,hidden:f?!y:void 0,shouldRestoreFocus:b}),d(o.props,o._onRenderUpperContent),l.createElement("div",{className:o._classNames.optionsContainerWrapper,ref:o._comboBoxMenu},null===(n=r)||void 0===n?void 0:n((0,s.pi)({},e),o._onRenderList)),m(o.props,o._onRenderLowerContent))},o._onLayerMounted=function(){o._onCalloutLayerMounted(),o.props.calloutProps&&o.props.calloutProps.onLayerMounted&&o.props.calloutProps.onLayerMounted()},o._onRenderLabel=function(e){var t=e.props,n=t.label,r=t.disabled,i=t.required;return n?l.createElement(O._,{id:o._id+"-label",disabled:r,required:i,className:o._classNames.label},n,e.multiselectAccessibleText&&l.createElement("span",{className:o._classNames.screenReaderText},e.multiselectAccessibleText)):null},o._onRenderList=function(e){var t=e.onRenderItem,n=e.options,r=o._id;return l.createElement("div",{id:r+"-list",className:o._classNames.optionsContainer,"aria-labelledby":r+"-label",role:"listbox"},n.map((function(e){var n;return null===(n=t)||void 0===n?void 0:n(e,o._onRenderItem)})))},o._onRenderItem=function(e){switch(e.itemType){case W.F.Divider:return o._renderSeparator(e);case W.F.Header:return o._renderHeader(e);default:return o._renderOption(e)}},o._onRenderLowerContent=function(){return null},o._onRenderUpperContent=function(){return null},o._renderOption=function(e){var t=o.props.onRenderOption,n=void 0===t?o._onRenderOptionContent:t,r=o._id,i=o._isOptionSelected(e.index),a=o._isOptionChecked(e.index),c=o._getCurrentOptionStyles(e),u=H(o._getCurrentOptionStyles(e)),d=oe(e),p=function(){return n(e,o._onRenderOptionContent)};return l.createElement(U,{key:e.key,index:e.index,disabled:e.disabled,isSelected:i,isChecked:a,text:e.text,render:function(){return o.props.multiSelect?l.createElement(E.X,{id:r+"-list"+e.index,ariaLabel:oe(e),key:e.key,styles:c,className:"ms-ComboBox-option",onChange:o._onItemClick(e),label:e.text,checked:a,title:d,disabled:e.disabled,onRenderLabel:p,inputProps:(0,s.pi)({"aria-selected":a?"true":"false",role:"option"},{"data-index":e.index,"data-is-focusable":!0})}):l.createElement(q.M,{id:r+"-list"+e.index,key:e.key,"data-index":e.index,styles:c,checked:i,className:"ms-ComboBox-option",onClick:o._onItemClick(e),onMouseEnter:o._onOptionMouseEnter.bind(o,e.index),onMouseMove:o._onOptionMouseMove.bind(o,e.index),onMouseLeave:o._onOptionMouseLeave,role:"option","aria-selected":a?"true":"false",ariaLabel:oe(e),disabled:e.disabled,title:d},l.createElement("span",{className:u.optionTextWrapper,ref:i?o._selectedElement:void 0},n(e,o._onRenderOptionContent)))},data:e.data})},o._onCalloutMouseDown=function(e){e.preventDefault()},o._onScroll=function(){o._isScrollIdle||void 0===o._scrollIdleTimeoutId?o._isScrollIdle=!1:(o._async.clearTimeout(o._scrollIdleTimeoutId),o._scrollIdleTimeoutId=void 0),o._scrollIdleTimeoutId=o._async.setTimeout((function(){o._isScrollIdle=!0}),250)},o._onRenderOptionContent=function(e){var t=H(o._getCurrentOptionStyles(e));return l.createElement("span",{className:t.optionText},e.text)},o._onDismiss=function(){var e=o.props.onMenuDismiss;e&&e(),o.props.persistMenu&&o._onCalloutLayerMounted(),o._setOpenStateAndFocusOnClose(!1,!1),o._resetSelectedIndex()},o._onAfterClearPendingInfo=function(){o._processingClearPendingInfo=!1},o._onInputKeyDown=function(e){var t=o.props,n=t.disabled,r=t.allowFreeform,s=t.autoComplete,l=t.hoisted.currentOptions,c=o.state,u=c.isOpen,d=c.currentPendingValueValidIndexOnHover;if(o._lastKeyDownWasAltOrMeta=ne(e),n)o._handleInputWhenDisabled(e);else{var p=o._getPendingSelectedIndex(!1);switch(e.which){case f.m.enter:o._autofill.current&&o._autofill.current.inputElement&&o._autofill.current.inputElement.select(),o._submitPendingValue(e),o.props.multiSelect&&u?o.setState({currentPendingValueValidIndex:p}):(u||(!r||void 0===o.state.currentPendingValue||null===o.state.currentPendingValue||o.state.currentPendingValue.length<=0)&&o.state.currentPendingValueValidIndex<0)&&o.setState({isOpen:!u});break;case f.m.tab:return o.props.multiSelect||o._submitPendingValue(e),void(u&&o._setOpenStateAndFocusOnClose(!u,!1));case f.m.escape:if(o._resetSelectedIndex(),!u)return;o.setState({isOpen:!1});break;case f.m.up:if(d===a.clearAll&&(p=o.props.hoisted.currentOptions.length),e.altKey||e.metaKey){if(u){o._setOpenStateAndFocusOnClose(!u,!0);break}return}o._setPendingInfoFromIndexAndDirection(p,i.backward);break;case f.m.down:e.altKey||e.metaKey?o._setOpenStateAndFocusOnClose(!0,!0):(d===a.clearAll&&(p=-1),o._setPendingInfoFromIndexAndDirection(p,i.forward));break;case f.m.home:case f.m.end:if(r)return;p=-1;var m=i.forward;e.which===f.m.end&&(p=l.length,m=i.backward),o._setPendingInfoFromIndexAndDirection(p,m);break;case f.m.space:if(!r&&"off"===s)break;default:if(e.which>=112&&e.which<=123)return;if(e.keyCode===f.m.alt||"Meta"===e.key)return;if(!r&&"on"===s){o._onInputChange(e.key);break}return}e.stopPropagation(),e.preventDefault()}},o._onInputKeyUp=function(e){var t=o.props,n=t.disabled,r=t.allowFreeform,i=t.autoComplete,a=o.state.isOpen,s=o._lastKeyDownWasAltOrMeta&&ne(e);o._lastKeyDownWasAltOrMeta=!1;var l=s&&!((0,v.V)()||(0,b.g)());if(n)o._handleInputWhenDisabled(e);else switch(e.which){case f.m.space:return void(r||"off"!==i||o._setOpenStateAndFocusOnClose(!a,!!a));default:return void(l&&a?o._setOpenStateAndFocusOnClose(!a,!0):("focusing"===o.state.focusState&&o.props.openOnKeyboardFocus&&o.setState({isOpen:!0}),"focused"!==o.state.focusState&&o.setState({focusState:"focused"})))}},o._onOptionMouseLeave=function(){o._shouldIgnoreMouseEvent()||o.props.persistMenu&&!o.state.isOpen||o.setState({currentPendingValueValidIndexOnHover:a.clearAll})},o._onComboBoxClick=function(){var e=o.props.disabled,t=o.state.isOpen;e||(o._setOpenStateAndFocusOnClose(!t,!1),o.setState({focusState:"focused"}))},o._onAutofillClick=function(){var e=o.props,t=e.disabled;e.allowFreeform&&!t?o.focus(o.state.isOpen||o._processingTouch):o._onComboBoxClick()},o._onTouchStart=function(){o._comboBoxWrapper.current&&!("onpointerdown"in o._comboBoxWrapper)&&o._handleTouchAndPointerEvent()},o._onPointerDown=function(e){"touch"===e.pointerType&&(o._handleTouchAndPointerEvent(),e.preventDefault(),e.stopImmediatePropagation())},(0,y.l)(o),o._async=new _.e(o),o._events=new C.r(o),(0,S.L)(j,t,{defaultSelectedKey:"selectedKey",text:"defaultSelectedKey",selectedKey:"value",dropdownWidth:"useComboBoxAsMenuWidth"}),o._id=t.id||(0,x.z)("ComboBox"),o._isScrollIdle=!0,o._processingTouch=!1,o._gotMouseMove=!1,o._processingClearPendingInfo=!1,o.state={isOpen:!1,focusState:"none",currentPendingValueValidIndex:-1,currentPendingValue:void 0,currentPendingValueValidIndexOnHover:a.default},o}return(0,s.ZT)(t,e),Object.defineProperty(t.prototype,"selectedOptions",{get:function(){var e=this.props.hoisted,t=e.currentOptions,o=e.selectedIndices;return(0,V.t)(t,o)},enumerable:!0,configurable:!0}),t.prototype.componentDidMount=function(){this._comboBoxWrapper.current&&!this.props.disabled&&(this._events.on(this._comboBoxWrapper.current,"focus",this._onResolveOptions,!0),"onpointerdown"in this._comboBoxWrapper.current&&this._events.on(this._comboBoxWrapper.current,"pointerdown",this._onPointerDown,!0))},t.prototype.componentDidUpdate=function(e,t){var o=this,n=this.props,r=n.allowFreeform,i=n.text,a=n.onMenuOpen,s=n.onMenuDismissed,l=n.hoisted.selectedIndices,c=this.state,u=c.isOpen,d=c.currentPendingValueValidIndex;!u||t.isOpen&&t.currentPendingValueValidIndex===d||this._async.setTimeout((function(){return o._scrollIntoView()}),0),this._hasFocus()&&(u||t.isOpen&&!u&&this._focusInputAfterClose&&this._autofill.current&&document.activeElement!==this._autofill.current.inputElement)&&this.focus(void 0,!0),this._focusInputAfterClose&&(t.isOpen&&!u||this._hasFocus()&&(!u&&!this.props.multiSelect&&e.hoisted.selectedIndices&&l&&e.hoisted.selectedIndices[0]!==l[0]||!r||i!==e.text))&&this._onFocus(),this._notifyPendingValueChanged(t),u&&!t.isOpen&&a&&a(),!u&&t.isOpen&&s&&s()},t.prototype.componentWillUnmount=function(){this._async.dispose(),this._events.dispose()},t.prototype.render=function(){var e=this._id+"-error",t=this.props,o=t.className,n=t.disabled,r=t.required,i=t.errorMessage,a=t.onRenderContainer,c=void 0===a?this._onRenderContainer:a,u=t.onRenderLabel,d=void 0===u?this._onRenderLabel:u,p=t.onRenderList,m=void 0===p?this._onRenderList:p,h=t.onRenderItem,g=void 0===h?this._onRenderItem:h,f=t.onRenderOption,v=void 0===f?this._onRenderOptionContent:f,b=t.allowFreeform,y=t.styles,_=t.theme,C=t.persistMenu,S=t.multiSelect,x=t.hoisted,w=x.suggestedDisplayValue,I=x.selectedIndices,D=x.currentOptions,T=this.state.isOpen;this._currentVisibleValue=this._getVisibleValue();var E=S?this._getMultiselectDisplayString(I,D,w):void 0,P=(0,k.pq)(this.props,k.n7,["onChange","value"]),M=!!(i&&i.length>0);this._classNames=this.props.getClassNames?this.props.getClassNames(_,!!T,!!n,!!r,!!this._hasFocus(),!!b,!!M,o):z(A(_,y),o,!!T,!!n,!!r,!!this._hasFocus(),!!b,!!M);var R=this._renderComboBoxWrapper(E,e);return l.createElement("div",(0,s.pi)({},P,{ref:this.props.hoisted.mergedRootRef,className:this._classNames.container}),d({props:this.props,multiselectAccessibleText:E},this._onRenderLabel),R,(C||T)&&c((0,s.pi)((0,s.pi)({},this.props),{onRenderList:m,onRenderItem:g,onRenderOption:v,options:D.map((function(e,t){return(0,s.pi)((0,s.pi)({},e),{index:t})})),onDismiss:this._onDismiss}),this._onRenderContainer),l.createElement("div",(0,s.pi)({role:"region","aria-live":"polite","aria-atomic":"true",id:e},M?{className:this._classNames.errorMessage}:{"aria-hidden":!0}),void 0!==i?i:""))},t.prototype._getPendingString=function(e,t,o){return null!=e?e:ee(t,o)?t[o].text:""},t.prototype._getMultiselectDisplayString=function(e,t,o){for(var n=[],r=0;e&&r0){var a=oe(r[0]);i=a.toLocaleLowerCase()!==e?a:"",o=r[0].index}}else 1===(r=t.map((function(e,t){return(0,s.pi)((0,s.pi)({},e),{index:t})})).filter((function(t){return te(t)&&oe(t).toLocaleLowerCase()===e}))).length&&(o=r[0].index);this._setPendingInfo(n,o,i)},t.prototype._processInputChangeWithoutFreeform=function(e){var t=this,o=this.props.hoisted.currentOptions,n=this.state,r=n.currentPendingValue,i=n.currentPendingValueValidIndex;if("on"===this.props.autoComplete&&""!==e){this._autoCompleteTimeout&&(this._async.clearTimeout(this._autoCompleteTimeout),this._autoCompleteTimeout=void 0,e=$(r)+e);var a=e;e=e.toLocaleLowerCase();var l=o.map((function(e,t){return(0,s.pi)((0,s.pi)({},e),{index:t})})).filter((function(t){return te(t)&&0===t.text.toLocaleLowerCase().indexOf(e)}));return l.length>0&&this._setPendingInfo(a,l[0].index,oe(l[0])),void(this._autoCompleteTimeout=this._async.setTimeout((function(){t._autoCompleteTimeout=void 0}),1e3))}var c=i>=0?i:this._getFirstSelectedIndex();this._setPendingInfoFromIndex(c)},t.prototype._getFirstSelectedIndex=function(){var e,t=this.props.hoisted.selectedIndices;return(null===(e=t)||void 0===e?void 0:e.length)?t[0]:-1},t.prototype._getNextSelectableIndex=function(e,t){var o=this.props.hoisted.currentOptions,n=e+t;if(!ee(o,n=Math.max(0,Math.min(o.length-1,n))))return-1;var r=o[n];if(!te(r)||!0===r.hidden){if(t===i.none||!(n>0&&t=0&&ni.none))return e;n=this._getNextSelectableIndex(n,t)}return n},t.prototype._setSelectedIndex=function(e,t,o){void 0===o&&(o=i.none);var n=this.props,r=n.onChange,a=n.onPendingValueChanged,l=n.hoisted,c=l.selectedIndices,u=l.currentOptions,d=c?c.slice():[];if(ee(u,e=this._getNextSelectableIndex(e,o))){if(this.props.multiSelect||d.length<1||1===d.length&&d[0]!==e){var p=(0,s.pi)({},u[e]);if(!p||p.disabled)return;if(this.props.multiSelect?(p.selected=void 0!==p.selected?!p.selected:d.indexOf(e)<0,p.selected&&d.indexOf(e)<0?d.push(e):!p.selected&&d.indexOf(e)>=0&&(d=d.filter((function(t){return t!==e})))):d[0]=e,t.persist(),this.props.selectedKey||null===this.props.selectedKey)this._hasPendingValue&&a&&(a(),this._hasPendingValue=!1),r&&r(t,p,e,void 0);else{var m=u.slice();m[e]=p,this.props.hoisted.setSelectedIndices(d),this.props.hoisted.setCurrentOptions(m),this._hasPendingValue&&a&&(a(),this._hasPendingValue=!1),r&&r(t,p,e,void 0)}}this.props.multiSelect&&this.state.isOpen||this._clearPendingInfo()}},t.prototype._submitPendingValue=function(e){var t,o,n,r=this.props,i=r.onChange,a=r.allowFreeform,s=r.autoComplete,l=r.multiSelect,c=r.hoisted,u=c.currentOptions,d=this.state,p=d.currentPendingValue,m=d.currentPendingValueValidIndex,h=d.currentPendingValueValidIndexOnHover,g=this.props.hoisted.selectedIndices;if(!this._processingClearPendingInfo){if(a){if(null==p)return void(h>=0&&(this._setSelectedIndex(h,e),this._clearPendingInfo()));if(ee(u,m)){var f=oe(u[m]).toLocaleLowerCase(),v=this._autofill.current;if(p.toLocaleLowerCase()===f||s&&0===f.indexOf(p.toLocaleLowerCase())&&(null===(t=v)||void 0===t?void 0:t.isValueSelected)&&p.length+(v.selectionEnd-v.selectionStart)===f.length||(null===(n=null===(o=v)||void 0===o?void 0:o.inputElement)||void 0===n?void 0:n.value.toLocaleLowerCase())===f){if(this._setSelectedIndex(m,e),l&&this.state.isOpen)return;return void this._clearPendingInfo()}}if(i)i&&i(e,void 0,void 0,p);else{var b={key:p||(0,x.z)(),text:$(p)};l&&(b.selected=!0);var y=u.concat([b]);g&&(l||(g=[]),g.push(y.length-1)),c.setCurrentOptions(y),c.setSelectedIndices(g)}}else m>=0?this._setSelectedIndex(m,e):h>=0&&this._setSelectedIndex(h,e);this._clearPendingInfo()}},t.prototype._onCalloutLayerMounted=function(){this._gotMouseMove=!1},t.prototype._renderSeparator=function(e){var t=e.index,o=e.key;return t&&t>0?l.createElement("div",{role:"separator",key:o,className:this._classNames.divider}):null},t.prototype._renderHeader=function(e){var t=this.props.onRenderOption,o=void 0===t?this._onRenderOptionContent:t;return l.createElement("div",{key:e.key,className:this._classNames.header},o(e,this._onRenderOptionContent))},t.prototype._isOptionSelected=function(e){return this.state.currentPendingValueValidIndexOnHover!==a.clearAll&&this._getPendingSelectedIndex(!0)===e},t.prototype._isOptionChecked=function(e){return!(!this.props.multiSelect||void 0===e||!this.props.hoisted.selectedIndices)&&this.props.hoisted.selectedIndices.indexOf(e)>=0},t.prototype._getPendingSelectedIndex=function(e){var t=this.state,o=t.currentPendingValueValidIndexOnHover,n=t.currentPendingValueValidIndex,r=t.currentPendingValue;return o>=0?o:n>=0||e&&null!=r?n:this.props.multiSelect?0:this._getFirstSelectedIndex()},t.prototype._scrollIntoView=function(){var e=this.props,t=e.onScrollToItem,o=e.scrollSelectedToTop,n=this.state,r=n.currentPendingValueValidIndex,i=n.currentPendingValue;if(t)t(r>=0||""!==i?r:this._getFirstSelectedIndex());else if(this._selectedElement.current&&this._selectedElement.current.offsetParent)if(o)this._selectedElement.current.offsetParent.scrollIntoView(!0);else{var a=!0;if(this._comboBoxMenu.current&&this._comboBoxMenu.current.offsetParent){var s=this._comboBoxMenu.current.offsetParent.getBoundingClientRect(),l=this._selectedElement.current.offsetParent.getBoundingClientRect();if(s.top<=l.top&&s.top+s.height>=l.top+l.height)return;s.top+s.height<=l.top+l.height&&(a=!1)}this._selectedElement.current.offsetParent.scrollIntoView(a)}},t.prototype._onItemClick=function(e){var t=this,o=this.props.onItemClick,n=e.index;return function(r){t.props.multiSelect||(t._autofill.current&&t._autofill.current.focus(),t.setState({isOpen:!1})),o&&o(r,e,n),t._setSelectedIndex(n,r)}},t.prototype._resetSelectedIndex=function(){var e=this.props.hoisted.currentOptions;this._clearPendingInfo();var t=this._getFirstSelectedIndex();t>0&&t=0&&e=o.length-1?e=-1:t===i.backward&&e<=0&&(e=o.length);var n=this._getNextSelectableIndex(e,t);e===n?t===i.forward?e=this._getNextSelectableIndex(-1,t):t===i.backward&&(e=this._getNextSelectableIndex(o.length,t)):e=n,ee(o,e)&&this._setPendingInfoFromIndex(e)},t.prototype._notifyPendingValueChanged=function(e){var t=this.props.onPendingValueChanged;if(t){var o=this.props.hoisted.currentOptions,n=this.state,r=n.currentPendingValue,i=n.currentPendingValueValidIndex,a=n.currentPendingValueValidIndexOnHover,s=void 0,l=void 0;a!==e.currentPendingValueValidIndexOnHover&&ee(o,a)?s=a:i!==e.currentPendingValueValidIndex&&ee(o,i)?s=i:r!==e.currentPendingValue&&(l=r),(void 0!==s||void 0!==l||this._hasPendingValue)&&(t(void 0!==s?o[s]:void 0,s,l),this._hasPendingValue=void 0!==s||void 0!==l)}},t.prototype._setOpenStateAndFocusOnClose=function(e,t){this._focusInputAfterClose=t,this.setState({isOpen:e})},t.prototype._onOptionMouseEnter=function(e){this._shouldIgnoreMouseEvent()||this.setState({currentPendingValueValidIndexOnHover:e})},t.prototype._onOptionMouseMove=function(e){this._gotMouseMove=!0,this._isScrollIdle&&this.state.currentPendingValueValidIndexOnHover!==e&&this.setState({currentPendingValueValidIndexOnHover:e})},t.prototype._shouldIgnoreMouseEvent=function(){return!this._isScrollIdle||!this._gotMouseMove},t.prototype._handleInputWhenDisabled=function(e){this.props.disabled&&(this.state.isOpen&&this.setState({isOpen:!1}),null!==e&&e.which!==f.m.tab&&e.which!==f.m.escape&&(e.which<112||e.which>123)&&(e.stopPropagation(),e.preventDefault()))},t.prototype._handleTouchAndPointerEvent=function(){var e=this;void 0!==this._lastTouchTimeoutId&&(this._async.clearTimeout(this._lastTouchTimeoutId),this._lastTouchTimeoutId=void 0),this._processingTouch=!0,this._lastTouchTimeoutId=this._async.setTimeout((function(){e._processingTouch=!1,e._lastTouchTimeoutId=void 0}),500)},t.prototype._getCaretButtonStyles=function(){var e=this.props.caretDownButtonStyles;return L(this.props.theme,e)},t.prototype._getCurrentOptionStyles=function(e){var t=this.props.comboBoxOptionStyles,o=e.styles;return F(this.props.theme,t,o,this._isPendingOption(e),e.hidden)},t.prototype._getAriaActiveDescendantValue=function(){var e,t=this.props.hoisted.selectedIndices,o=this.state,n=o.isOpen,r=o.currentPendingValueValidIndex,i=n&&(null===(e=t)||void 0===e?void 0:e.length)?this._id+"-list"+t[0]:void 0;return n&&this._hasFocus()&&-1!==r&&(i=this._id+"-list"+r),i},t.prototype._getAriaAutoCompleteValue=function(){return this.props.disabled||"on"!==this.props.autoComplete?"none":this.props.allowFreeform?"inline":"both"},t.prototype._isPendingOption=function(e){return e&&e.index===this.state.currentPendingValueValidIndex},t.prototype._hasFocus=function(){return"none"!==this.state.focusState},(0,s.gn)([(0,w.a)("ComboBox",["theme","styles"],!0)],t)}(l.Component);function X(e,t){if(!e||!t)return[];var o={};e.forEach((function(e,t){e.selected&&(o[t]=!0)}));for(var n=function(t){var n=(0,I.cx)(e,(function(e){return e.key===t}));n>-1&&(o[n]=!0)},r=0,i=t;r=0&&t{"use strict";o.d(t,{MK:()=>Y,Hl:()=>j,Nb:()=>U});var n=o(7622),r=o(7002),i=r.createContext({}),a=o(5183),s=o(6628),l=o(7023),c=o(2998),u=o(7300),d=o(5094),p=o(63),m=o(8145),h=o(6479),g=o(8936),f=o(5951),v=o(4553),b=o(2167),y=o(9919),_=o(688),C=o(3129),S=o(2782),x=o(2447),k=o(8088),w=o(8127),I=o(2240),D=o(5953),T=o(6662),E=o(9577),P=function(e){function t(t){var o=e.call(this,t)||this;return o._onItemMouseEnter=function(e){var t=o.props,n=t.item,r=t.onItemMouseEnter;r&&r(n,e,e.currentTarget)},o._onItemClick=function(e){var t=o.props,n=t.item,r=t.onItemClickBase;r&&r(n,e,e.currentTarget)},o._onItemMouseLeave=function(e){var t=o.props,n=t.item,r=t.onItemMouseLeave;r&&r(n,e)},o._onItemKeyDown=function(e){var t=o.props,n=t.item,r=t.onItemKeyDown;r&&r(n,e)},o._onItemMouseMove=function(e){var t=o.props,n=t.item,r=t.onItemMouseMove;r&&r(n,e,e.currentTarget)},o._getSubmenuTarget=function(){},(0,_.l)(o),o}return(0,n.ZT)(t,e),t.prototype.shouldComponentUpdate=function(e){return!(0,x.Vv)(e,this.props)},t}(r.Component),M=o(9949),R=function(e){function t(){var t=null!==e&&e.apply(this,arguments)||this;return t._anchor=r.createRef(),t._getMemoizedMenuButtonKeytipProps=(0,d.NF)((function(e){return(0,n.pi)((0,n.pi)({},e),{hasMenu:!0})})),t._getSubmenuTarget=function(){return t._anchor.current?t._anchor.current:void 0},t._onItemClick=function(e){var o=t.props,n=o.item,r=o.onItemClick;r&&r(n,e)},t._renderAriaDescription=function(e,o){return e?r.createElement("span",{id:t._ariaDescriptionId,className:o},e):null},t}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this,t=this.props,o=t.item,i=t.classNames,a=t.index,s=t.focusableElementIndex,l=t.totalItemCount,c=t.hasCheckmarks,u=t.hasIcons,d=t.contextualMenuItemAs,p=void 0===d?T.W:d,m=t.expandedMenuItemKey,h=t.onItemClick,g=t.openSubMenu,f=t.dismissSubMenu,v=t.dismissMenu,b=o.rel;o.target&&"_blank"===o.target.toLowerCase()&&(b=b||"nofollow noopener noreferrer");var y=(0,I.Df)(o),_=(0,w.pq)(o,w.h2),C=(0,I.P_)(o),x=o.itemProps,k=o.ariaDescription,D=o.keytipProps;D&&y&&(D=this._getMemoizedMenuButtonKeytipProps(D)),k&&(this._ariaDescriptionId=(0,S.z)());var P=(0,E.I)(o.ariaDescribedBy,k?this._ariaDescriptionId:void 0,_["aria-describedby"]),R={"aria-describedby":P};return r.createElement("div",null,r.createElement(M.a,{keytipProps:o.keytipProps,ariaDescribedBy:P,disabled:C},(function(t){return r.createElement("a",(0,n.pi)({},R,_,t,{ref:e._anchor,href:o.href,target:o.target,rel:b,className:i.root,role:"menuitem","aria-haspopup":y||void 0,"aria-expanded":y?o.key===m:void 0,"aria-posinset":s+1,"aria-setsize":l,"aria-disabled":(0,I.P_)(o),style:o.style,onClick:e._onItemClick,onMouseEnter:e._onItemMouseEnter,onMouseLeave:e._onItemMouseLeave,onMouseMove:e._onItemMouseMove,onKeyDown:y?e._onItemKeyDown:void 0}),r.createElement(p,(0,n.pi)({componentRef:o.componentRef,item:o,classNames:i,index:a,onCheckmarkClick:c&&h?h:void 0,hasIcons:u,openSubMenu:g,dismissSubMenu:f,dismissMenu:v,getSubmenuTarget:e._getSubmenuTarget},x)),e._renderAriaDescription(k,i.screenReaderText))})))},t}(P),N=function(e){function t(){var t=null!==e&&e.apply(this,arguments)||this;return t._btn=r.createRef(),t._getMemoizedMenuButtonKeytipProps=(0,d.NF)((function(e){return(0,n.pi)((0,n.pi)({},e),{hasMenu:!0})})),t._renderAriaDescription=function(e,o){return e?r.createElement("span",{id:t._ariaDescriptionId,className:o},e):null},t._getSubmenuTarget=function(){return t._btn.current?t._btn.current:void 0},t}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this,t=this.props,o=t.item,i=t.classNames,a=t.index,s=t.focusableElementIndex,l=t.totalItemCount,c=t.hasCheckmarks,u=t.hasIcons,d=t.contextualMenuItemAs,p=void 0===d?T.W:d,m=t.expandedMenuItemKey,h=t.onItemMouseDown,g=t.onItemClick,f=t.openSubMenu,v=t.dismissSubMenu,b=t.dismissMenu,y=(0,I.E3)(o),_=null!==y,C=(0,I.JF)(o),x=(0,I.Df)(o),k=o.itemProps,D=o.ariaLabel,P=o.ariaDescription,R=(0,w.pq)(o,w.Yq);delete R.disabled;var N=o.role||C;P&&(this._ariaDescriptionId=(0,S.z)());var B=(0,E.I)(o.ariaDescribedBy,P?this._ariaDescriptionId:void 0,R["aria-describedby"]),F={className:i.root,onClick:this._onItemClick,onKeyDown:x?this._onItemKeyDown:void 0,onMouseEnter:this._onItemMouseEnter,onMouseLeave:this._onItemMouseLeave,onMouseDown:function(e){return h?h(o,e):void 0},onMouseMove:this._onItemMouseMove,href:o.href,title:o.title,"aria-label":D,"aria-describedby":B,"aria-haspopup":x||void 0,"aria-expanded":x?o.key===m:void 0,"aria-posinset":s+1,"aria-setsize":l,"aria-disabled":(0,I.P_)(o),"aria-checked":"menuitemcheckbox"!==N&&"menuitemradio"!==N||!_?void 0:!!y,"aria-selected":"menuitem"===N&&_?!!y:void 0,role:N,style:o.style},L=o.keytipProps;return L&&x&&(L=this._getMemoizedMenuButtonKeytipProps(L)),r.createElement(M.a,{keytipProps:L,ariaDescribedBy:B,disabled:(0,I.P_)(o)},(function(t){return r.createElement("button",(0,n.pi)({ref:e._btn},R,F,t),r.createElement(p,(0,n.pi)({componentRef:o.componentRef,item:o,classNames:i,index:a,onCheckmarkClick:c&&g?g:void 0,hasIcons:u,openSubMenu:f,dismissSubMenu:v,dismissMenu:b,getSubmenuTarget:e._getSubmenuTarget},k)),e._renderAriaDescription(P,i.screenReaderText))}))},t}(P),B=o(98),F=o(8386),L=function(e){function t(t){var o=e.call(this,t)||this;return o._getMemoizedMenuButtonKeytipProps=(0,d.NF)((function(e){return(0,n.pi)((0,n.pi)({},e),{hasMenu:!0})})),o._onItemKeyDown=function(e){var t=o.props,n=t.item,r=t.onItemKeyDown;e.which===m.m.enter?(o._executeItemClick(e),e.preventDefault(),e.stopPropagation()):r&&r(n,e)},o._getSubmenuTarget=function(){return o._splitButton},o._renderAriaDescription=function(e,t){return e?r.createElement("span",{id:o._ariaDescriptionId,className:t},e):null},o._onItemMouseEnterPrimary=function(e){var t=o.props,r=t.item,i=t.onItemMouseEnter;i&&i((0,n.pi)((0,n.pi)({},r),{subMenuProps:void 0,items:void 0}),e,o._splitButton)},o._onItemMouseEnterIcon=function(e){var t=o.props,n=t.item,r=t.onItemMouseEnter;r&&r(n,e,o._splitButton)},o._onItemMouseMovePrimary=function(e){var t=o.props,r=t.item,i=t.onItemMouseMove;i&&i((0,n.pi)((0,n.pi)({},r),{subMenuProps:void 0,items:void 0}),e,o._splitButton)},o._onItemMouseMoveIcon=function(e){var t=o.props,n=t.item,r=t.onItemMouseMove;r&&r(n,e,o._splitButton)},o._onIconItemClick=function(e){var t=o.props,n=t.item,r=t.onItemClickBase;r&&r(n,e,o._splitButton?o._splitButton:e.currentTarget)},o._executeItemClick=function(e){var t=o.props,n=t.item,r=t.executeItemClick,i=t.onItemClick;if(!n.disabled&&!n.isDisabled)return o._processingTouch&&i?i(n,e):void(r&&r(n,e))},o._onTouchStart=function(e){o._splitButton&&!("onpointerdown"in o._splitButton)&&o._handleTouchAndPointerEvent(e)},o._onPointerDown=function(e){"touch"===e.pointerType&&(o._handleTouchAndPointerEvent(e),e.preventDefault(),e.stopImmediatePropagation())},o._async=new b.e(o),o._events=new y.r(o),o}return(0,n.ZT)(t,e),t.prototype.componentDidMount=function(){this._splitButton&&"onpointerdown"in this._splitButton&&this._events.on(this._splitButton,"pointerdown",this._onPointerDown,!0)},t.prototype.componentWillUnmount=function(){this._async.dispose(),this._events.dispose()},t.prototype.render=function(){var e=this,t=this.props,o=t.item,i=t.classNames,a=t.index,s=t.focusableElementIndex,l=t.totalItemCount,c=t.hasCheckmarks,u=t.hasIcons,d=t.onItemMouseLeave,p=t.expandedMenuItemKey,m=(0,I.Df)(o),h=o.keytipProps;h&&(h=this._getMemoizedMenuButtonKeytipProps(h));var g=o.ariaDescription;return g&&(this._ariaDescriptionId=(0,S.z)()),r.createElement(M.a,{keytipProps:h,disabled:(0,I.P_)(o)},(function(t){return r.createElement("div",{"data-ktp-target":t["data-ktp-target"],ref:function(t){return e._splitButton=t},role:(0,I.JF)(o),"aria-label":o.ariaLabel,className:i.splitContainer,"aria-disabled":(0,I.P_)(o),"aria-expanded":m?o.key===p:void 0,"aria-haspopup":!0,"aria-describedby":(0,E.I)(o.ariaDescribedBy,g?e._ariaDescriptionId:void 0,t["aria-describedby"]),"aria-checked":o.isChecked||o.checked,"aria-posinset":s+1,"aria-setsize":l,onMouseEnter:e._onItemMouseEnterPrimary,onMouseLeave:d?d.bind(e,(0,n.pi)((0,n.pi)({},o),{subMenuProps:null,items:null})):void 0,onMouseMove:e._onItemMouseMovePrimary,onKeyDown:e._onItemKeyDown,onClick:e._executeItemClick,onTouchStart:e._onTouchStart,tabIndex:0,"data-is-focusable":!0,"aria-roledescription":o["aria-roledescription"]},e._renderSplitPrimaryButton(o,i,a,c,u),e._renderSplitDivider(o),e._renderSplitIconButton(o,i,a,t),e._renderAriaDescription(g,i.screenReaderText))}))},t.prototype._renderSplitPrimaryButton=function(e,t,o,i,a){var s=this.props,l=s.contextualMenuItemAs,c=void 0===l?T.W:l,u=s.onItemClick,d={key:e.key,disabled:(0,I.P_)(e)||e.primaryDisabled,name:e.name,text:e.text||e.name,secondaryText:e.secondaryText,className:t.splitPrimary,canCheck:e.canCheck,isChecked:e.isChecked,checked:e.checked,iconProps:e.iconProps,onRenderIcon:e.onRenderIcon,data:e.data,"data-is-focusable":!1},p=e.itemProps;return r.createElement("button",(0,n.pi)({},(0,w.pq)(d,w.Yq)),r.createElement(c,(0,n.pi)({"data-is-focusable":!1,item:d,classNames:t,index:o,onCheckmarkClick:i&&u?u:void 0,hasIcons:a},p)))},t.prototype._renderSplitDivider=function(e){var t=e.getSplitButtonVerticalDividerClassNames||B.Z;return r.createElement(F.p,{getClassNames:t})},t.prototype._renderSplitIconButton=function(e,t,o,i){var a=this.props,s=a.contextualMenuItemAs,l=void 0===s?T.W:s,c=a.onItemMouseLeave,u=a.onItemMouseDown,d=a.openSubMenu,p=a.dismissSubMenu,m=a.dismissMenu,h={onClick:this._onIconItemClick,disabled:(0,I.P_)(e),className:t.splitMenu,subMenuProps:e.subMenuProps,submenuIconProps:e.submenuIconProps,split:!0,key:e.key},g=(0,n.pi)((0,n.pi)({},(0,w.pq)(h,w.Yq)),{onMouseEnter:this._onItemMouseEnterIcon,onMouseLeave:c?c.bind(this,e):void 0,onMouseDown:function(t){return u?u(e,t):void 0},onMouseMove:this._onItemMouseMoveIcon,"data-is-focusable":!1,"data-ktp-execute-target":i["data-ktp-execute-target"],"aria-hidden":!0}),f=e.itemProps;return r.createElement("button",(0,n.pi)({},g),r.createElement(l,(0,n.pi)({componentRef:e.componentRef,item:h,classNames:t,index:o,hasIcons:!1,openSubMenu:d,dismissSubMenu:p,dismissMenu:m,getSubmenuTarget:this._getSubmenuTarget},f)))},t.prototype._handleTouchAndPointerEvent=function(e){var t=this,o=this.props.onTap;o&&o(e),this._lastTouchTimeoutId&&(this._async.clearTimeout(this._lastTouchTimeoutId),this._lastTouchTimeoutId=void 0),this._processingTouch=!0,this._lastTouchTimeoutId=this._async.setTimeout((function(){t._processingTouch=!1,t._lastTouchTimeoutId=void 0}),500)},t}(P),A=o(9729),z=o(6876),H=o(9241),O=o(2674),W=o(4126),V=o(9761),K=(0,u.y)(),q=(0,u.y)(),G={items:[],shouldFocusOnMount:!0,gapSpace:0,directionalHint:s.b.bottomAutoEdge,beakWidth:16};function U(e){return e.subMenuProps?e.subMenuProps.items:e.items}function j(e){return e.some((function(e){return!!e.canCheck||!(!e.sectionProps||!e.sectionProps.items.some((function(e){return!0===e.canCheck})))}))}var J=(0,d.NF)((function(){for(var e=[],t=0;t0){for(var $=0,ee=0,te=s;ee0?r.createElement("li",{role:"presentation",key:c.key||e.key||"section-"+o},r.createElement("div",(0,n.pi)({},d),r.createElement("ul",{className:this._classNames.list,role:"presentation"},c.topDivider&&this._renderSeparator(o,t,!0,!0),u&&this._renderListItem(u,e.key||o,t,e.title),c.items.map((function(e,t){return l._renderMenuItem(e,t,t,c.items.length,i,s)})),c.bottomDivider&&this._renderSeparator(o,t,!1,!0)))):void 0}},t.prototype._renderListItem=function(e,t,o,n){return r.createElement("li",{role:"presentation",title:n,key:t,className:o.item},e)},t.prototype._renderSeparator=function(e,t,o,n){return n||e>0?r.createElement("li",{role:"separator",key:"separator-"+e+(void 0===o?"":o?"-top":"-bottom"),className:t.divider,"aria-hidden":"true"}):null},t.prototype._renderNormalItem=function(e,t,o,r,i,a,s){return e.onRender?e.onRender((0,n.pi)({"aria-posinset":r+1,"aria-setsize":i},e),this.dismiss):e.href?this._renderAnchorMenuItem(e,t,o,r,i,a,s):e.split&&(0,I.Df)(e)?this._renderSplitButton(e,t,o,r,i,a,s):this._renderButtonItem(e,t,o,r,i,a,s)},t.prototype._renderHeaderMenuItem=function(e,t,o,i,a){var s=this.props.contextualMenuItemAs,l=void 0===s?T.W:s,c=e.itemProps,u=e.id,d=c&&(0,w.pq)(c,w.n7);return r.createElement("div",(0,n.pi)({id:u,className:this._classNames.header},d,{style:e.style}),r.createElement(l,(0,n.pi)({item:e,classNames:t,index:o,onCheckmarkClick:i?this._onItemClick:void 0,hasIcons:a},c)))},t.prototype._renderAnchorMenuItem=function(e,t,o,n,i,a,s){var l=this.props,c=l.contextualMenuItemAs,u=l.hoisted,d=u.expandedMenuItemKey,p=u.openSubMenu;return r.createElement(R,{item:e,classNames:t,index:o,focusableElementIndex:n,totalItemCount:i,hasCheckmarks:a,hasIcons:s,contextualMenuItemAs:c,onItemMouseEnter:this._onItemMouseEnterBase,onItemMouseLeave:this._onMouseItemLeave,onItemMouseMove:this._onItemMouseMoveBase,onItemMouseDown:this._onItemMouseDown,executeItemClick:this._executeItemClick,onItemClick:this._onAnchorClick,onItemKeyDown:this._onItemKeyDown,expandedMenuItemKey:d,openSubMenu:p,dismissSubMenu:this._onSubMenuDismiss,dismissMenu:this.dismiss})},t.prototype._renderButtonItem=function(e,t,o,n,i,a,s){var l=this.props,c=l.contextualMenuItemAs,u=l.hoisted,d=u.expandedMenuItemKey,p=u.openSubMenu;return r.createElement(N,{item:e,classNames:t,index:o,focusableElementIndex:n,totalItemCount:i,hasCheckmarks:a,hasIcons:s,contextualMenuItemAs:c,onItemMouseEnter:this._onItemMouseEnterBase,onItemMouseLeave:this._onMouseItemLeave,onItemMouseMove:this._onItemMouseMoveBase,onItemMouseDown:this._onItemMouseDown,executeItemClick:this._executeItemClick,onItemClick:this._onItemClick,onItemClickBase:this._onItemClickBase,onItemKeyDown:this._onItemKeyDown,expandedMenuItemKey:d,openSubMenu:p,dismissSubMenu:this._onSubMenuDismiss,dismissMenu:this.dismiss})},t.prototype._renderSplitButton=function(e,t,o,n,i,a,s){var l=this.props,c=l.contextualMenuItemAs,u=l.hoisted,d=u.expandedMenuItemKey,p=u.openSubMenu;return r.createElement(L,{item:e,classNames:t,index:o,focusableElementIndex:n,totalItemCount:i,hasCheckmarks:a,hasIcons:s,contextualMenuItemAs:c,onItemMouseEnter:this._onItemMouseEnterBase,onItemMouseLeave:this._onMouseItemLeave,onItemMouseMove:this._onItemMouseMoveBase,onItemMouseDown:this._onItemMouseDown,executeItemClick:this._executeItemClick,onItemClick:this._onItemClick,onItemClickBase:this._onItemClickBase,onItemKeyDown:this._onItemKeyDown,openSubMenu:p,dismissSubMenu:this._onSubMenuDismiss,dismissMenu:this.dismiss,expandedMenuItemKey:d,onTap:this._onPointerAndTouchEvent})},t.prototype._isAltOrMeta=function(e){return e.which===m.m.alt||"Meta"===e.key},t.prototype._shouldIgnoreMouseEvent=function(){return!this._isScrollIdle||!this.props.hoisted.gotMouseMove.current},t.prototype._updateFocusOnMouseEvent=function(e,t,o){var n=this,r=o||t.currentTarget,i=this.props,a=i.subMenuHoverDelay,s=void 0===a?250:a,l=i.hoisted,c=l.expandedMenuItemKey,u=l.openSubMenu;e.key!==c&&(void 0!==this._enterTimerId&&(this._async.clearTimeout(this._enterTimerId),this._enterTimerId=void 0),void 0===c&&r.focus(),(0,I.Df)(e)?(t.stopPropagation(),this._enterTimerId=this._async.setTimeout((function(){r.focus(),u(e,r,!0),n._enterTimerId=void 0}),s)):this._enterTimerId=this._async.setTimeout((function(){n._onSubMenuDismiss(t),r.focus(),n._enterTimerId=void 0}),s))},t.prototype._getSubmenuProps=function(){var e=this.props.hoisted,t=e.submenuTarget,o=e.expandedMenuItemKey,n=e.expandedByMouseClick,r=this._findItemByKey(o),i=null;return r&&(i={items:U(r),target:t,onDismiss:this._onSubMenuDismiss,isSubMenu:!0,id:this.state.subMenuId,shouldFocusOnMount:!0,shouldFocusOnContainer:n,directionalHint:(0,f.zg)(this.props.theme)?s.b.leftTopEdge:s.b.rightTopEdge,className:this.props.className,gapSpace:0,isBeakVisible:!1},r.subMenuProps&&(0,x.f0)(i,r.subMenuProps)),i},t.prototype._findItemByKey=function(e){var t=this.props.items;return this._findItemByKeyFromItems(e,t)},t.prototype._findItemByKeyFromItems=function(e,t){for(var o=0,n=t;o{"use strict";o.d(t,{RI:()=>p,Z:()=>c});var n=o(5094),r=o(9729),i=(0,n.NF)((function(e){return(0,r.ZC)({wrapper:{display:"inline-flex",height:"100%",alignItems:"center"},divider:{width:1,height:"100%",backgroundColor:e.palette.neutralTertiaryAlt}})})),a=o(668),s=o(6145),l=(0,r.sK)(0,r.yp),c=(0,n.NF)((function(e){var t;return(0,r.ZC)(i(e),{wrapper:{position:"absolute",right:28,selectors:(t={},t[l]={right:32},t)},divider:{height:16,width:1}})})),u={item:"ms-ContextualMenu-item",divider:"ms-ContextualMenu-divider",root:"ms-ContextualMenu-link",isChecked:"is-checked",isExpanded:"is-expanded",isDisabled:"is-disabled",linkContent:"ms-ContextualMenu-linkContent",linkContentMenu:"ms-ContextualMenu-linkContent",icon:"ms-ContextualMenu-icon",iconColor:"ms-ContextualMenu-iconColor",checkmarkIcon:"ms-ContextualMenu-checkmarkIcon",subMenuIcon:"ms-ContextualMenu-submenuIcon",label:"ms-ContextualMenu-itemText",secondaryText:"ms-ContextualMenu-secondaryText",splitMenu:"ms-ContextualMenu-splitMenu",screenReaderText:"ms-ContextualMenu-screenReaderText"},d=(0,n.NF)((function(e,t,o,n,i,l,c,d,p,m,h,g){var f,v,b,y,_=(0,a.w)(e),C=(0,r.Cn)(u,e);return(0,r.ZC)({item:[C.item,_.item,c],divider:[C.divider,_.divider,d],root:[C.root,_.root,n&&[C.isChecked,_.rootChecked],i&&_.anchorLink,o&&[C.isExpanded,_.rootExpanded],t&&[C.isDisabled,_.rootDisabled],!t&&!o&&[{selectors:(f={":hover":_.rootHovered,":active":_.rootPressed},f["."+s.G$+" &:focus, ."+s.G$+" &:focus:hover"]=_.rootFocused,f["."+s.G$+" &:hover"]={background:"inherit;"},f)}],g],splitPrimary:[_.root,{width:"calc(100% - 28px)"},n&&["is-checked",_.rootChecked],(t||h)&&["is-disabled",_.rootDisabled],!(t||h)&&!n&&[{selectors:(v={":hover":_.rootHovered},v[":hover ~ ."+C.splitMenu]=_.rootHovered,v[":active"]=_.rootPressed,v["."+s.G$+" &:focus, ."+s.G$+" &:focus:hover"]=_.rootFocused,v["."+s.G$+" &:hover"]={background:"inherit;"},v)}]],splitMenu:[C.splitMenu,_.root,{flexBasis:"0",padding:"0 8px",minWidth:"28px"},o&&["is-expanded",_.rootExpanded],t&&["is-disabled",_.rootDisabled],!t&&!o&&[{selectors:(b={":hover":_.rootHovered,":active":_.rootPressed},b["."+s.G$+" &:focus, ."+s.G$+" &:focus:hover"]=_.rootFocused,b["."+s.G$+" &:hover"]={background:"inherit;"},b)}]],anchorLink:_.anchorLink,linkContent:[C.linkContent,_.linkContent],linkContentMenu:[C.linkContentMenu,_.linkContent,{justifyContent:"center"}],icon:[C.icon,l&&_.iconColor,_.icon,p,t&&[C.isDisabled,_.iconDisabled]],iconColor:_.iconColor,checkmarkIcon:[C.checkmarkIcon,l&&_.checkmarkIcon,_.icon,p],subMenuIcon:[C.subMenuIcon,_.subMenuIcon,m,o&&{color:e.palette.neutralPrimary},t&&[_.iconDisabled]],label:[C.label,_.label],secondaryText:[C.secondaryText,_.secondaryText],splitContainer:[_.splitButtonFlexContainer,!t&&!n&&[{selectors:(y={},y["."+s.G$+" &:focus, ."+s.G$+" &:focus:hover"]=_.rootFocused,y)}]],screenReaderText:[C.screenReaderText,_.screenReaderText,r.ul,{visibility:"hidden"}]})})),p=function(e){var t=e.theme,o=e.disabled,n=e.expanded,r=e.checked,i=e.isAnchorLink,a=e.knownIcon,s=e.itemClassName,l=e.dividerClassName,c=e.iconClassName,u=e.subMenuClassName,p=e.primaryDisabled,m=e.className;return d(t,o,n,r,i,a,s,l,c,u,p,m)}},668:(e,t,o)=>{"use strict";o.d(t,{f:()=>a,w:()=>c});var n=o(7622),r=o(9729),i=o(5094),a=36,s=(0,r.sK)(0,r.yp),l=(0,i.NF)((function(){var e;return{selectors:(e={},e[r.qJ]=(0,n.pi)({backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},(0,r.xM)()),e)}})),c=(0,i.NF)((function(e){var t,o,i,c,u,d,p,m=e.semanticColors,h=e.fonts,g=e.palette,f=m.menuItemBackgroundHovered,v=m.menuItemTextHovered,b=m.menuItemBackgroundPressed,y=m.bodyDivider,_={item:[h.medium,{color:m.bodyText,position:"relative",boxSizing:"border-box"}],divider:{display:"block",height:"1px",backgroundColor:y,position:"relative"},root:[(0,r.GL)(e),h.medium,{color:m.bodyText,backgroundColor:"transparent",border:"none",width:"100%",height:a,lineHeight:a,display:"block",cursor:"pointer",padding:"0px 8px 0 4px",textAlign:"left"}],rootDisabled:{color:m.disabledBodyText,cursor:"default",pointerEvents:"none",selectors:(t={},t[r.qJ]=(0,n.pi)({color:"GrayText",opacity:1},(0,r.xM)()),t)},rootHovered:(0,n.pi)({backgroundColor:f,color:v,selectors:{".ms-ContextualMenu-icon":{color:g.themeDarkAlt},".ms-ContextualMenu-submenuIcon":{color:g.neutralPrimary}}},l()),rootFocused:(0,n.pi)({backgroundColor:g.white},l()),rootChecked:(0,n.pi)({selectors:{".ms-ContextualMenu-checkmarkIcon":{color:g.neutralPrimary}}},l()),rootPressed:(0,n.pi)({backgroundColor:b,selectors:{".ms-ContextualMenu-icon":{color:g.themeDark},".ms-ContextualMenu-submenuIcon":{color:g.neutralPrimary}}},l()),rootExpanded:(0,n.pi)({backgroundColor:b,color:m.bodyTextChecked},l()),linkContent:{whiteSpace:"nowrap",height:"inherit",display:"flex",alignItems:"center",maxWidth:"100%"},anchorLink:{padding:"0px 8px 0 4px",textRendering:"auto",color:"inherit",letterSpacing:"normal",wordSpacing:"normal",textTransform:"none",textIndent:"0px",textShadow:"none",textDecoration:"none",boxSizing:"border-box"},label:{margin:"0 4px",verticalAlign:"middle",display:"inline-block",flexGrow:"1",textOverflow:"ellipsis",overflow:"hidden",whiteSpace:"nowrap"},secondaryText:{color:e.palette.neutralSecondary,paddingLeft:"20px",textAlign:"right"},icon:{display:"inline-block",minHeight:"1px",maxHeight:a,fontSize:r.ld.medium,width:r.ld.medium,margin:"0 4px",verticalAlign:"middle",flexShrink:"0",selectors:(o={},o[s]={fontSize:r.ld.large,width:r.ld.large},o)},iconColor:{color:m.menuIcon,selectors:(i={},i[r.qJ]={color:"inherit"},i["$root:hover &"]={selectors:(c={},c[r.qJ]={color:"HighlightText"},c)},i["$root:focus &"]={selectors:(u={},u[r.qJ]={color:"HighlightText"},u)},i)},iconDisabled:{color:m.disabledBodyText},checkmarkIcon:{color:m.bodySubtext,selectors:(d={},d[r.qJ]={color:"HighlightText"},d)},subMenuIcon:{height:a,lineHeight:a,color:g.neutralSecondary,textAlign:"center",display:"inline-block",verticalAlign:"middle",flexShrink:"0",fontSize:r.ld.small,selectors:(p={":hover":{color:g.neutralPrimary},":active":{color:g.neutralPrimary}},p[s]={fontSize:r.ld.medium},p[r.qJ]={color:"HighlightText"},p)},splitButtonFlexContainer:[(0,r.GL)(e),{display:"flex",height:a,flexWrap:"nowrap",justifyContent:"center",alignItems:"flex-start"}]};return(0,r.E$)(_)}))},9134:(e,t,o)=>{"use strict";o.d(t,{r:()=>p});var n=o(7622),r=o(7002),i=o(2002),a=o(7817),s=o(9729),l=o(668),c={root:"ms-ContextualMenu",container:"ms-ContextualMenu-container",list:"ms-ContextualMenu-list",header:"ms-ContextualMenu-header",title:"ms-ContextualMenu-title",isopen:"is-open"};function u(e){return r.createElement(d,(0,n.pi)({},e))}var d=(0,i.z)(a.MK,(function(e){var t=e.className,o=e.theme,n=(0,s.Cn)(c,o),r=o.fonts,i=o.semanticColors,a=o.effects;return{root:[o.fonts.medium,n.root,n.isopen,{backgroundColor:i.menuBackground,minWidth:"180px"},t],container:[n.container,{selectors:{":focus":{outline:0}}}],list:[n.list,n.isopen,{listStyleType:"none",margin:"0",padding:"0"}],header:[n.header,r.small,{fontWeight:s.lq.semibold,color:i.menuHeader,background:"none",backgroundColor:"transparent",border:"none",height:l.f,lineHeight:l.f,cursor:"default",padding:"0px 6px",userSelect:"none",textAlign:"left"}],title:[n.title,{fontSize:r.mediumPlus.fontSize,paddingRight:"14px",paddingLeft:"14px",paddingBottom:"5px",paddingTop:"5px",backgroundColor:i.menuItemBackgroundPressed}],subComponentStyles:{callout:{root:{boxShadow:a.elevation8}},menuItem:{}}}}),(function(){return{onRenderSubMenu:u}}),{scope:"ContextualMenu"}),p=d;p.displayName="ContextualMenu"},5183:(e,t,o)=>{"use strict";var n;o.d(t,{n:()=>n}),function(e){e[e.Normal=0]="Normal",e[e.Divider=1]="Divider",e[e.Header=2]="Header",e[e.Section=3]="Section"}(n||(n={}))},1839:(e,t,o)=>{"use strict";o.d(t,{b:()=>h});var n=o(7622),r=o(7002),i=o(2240),a=o(5951),s=o(688),l=o(9947),c=function(e){var t=e.item,o=e.hasIcons,i=e.classNames,a=t.iconProps;return o?t.onRenderIcon?t.onRenderIcon(e):r.createElement(l.J,(0,n.pi)({},a,{className:i.icon})):null},u=function(e){var t=e.onCheckmarkClick,o=e.item,n=e.classNames,a=(0,i.E3)(o);return t?r.createElement(l.J,{iconName:!1!==o.canCheck&&a?"CheckMark":"",className:n.checkmarkIcon,onClick:function(e){return t(o,e)}}):null},d=function(e){var t=e.item,o=e.classNames;return t.text||t.name?r.createElement("span",{className:o.label},t.text||t.name):null},p=function(e){var t=e.item,o=e.classNames;return t.secondaryText?r.createElement("span",{className:o.secondaryText},t.secondaryText):null},m=function(e){var t=e.item,o=e.classNames,s=e.theme;return(0,i.Df)(t)?r.createElement(l.J,(0,n.pi)({iconName:(0,a.zg)(s)?"ChevronLeft":"ChevronRight"},t.submenuIconProps,{className:o.subMenuIcon})):null},h=function(e){function t(t){var o=e.call(this,t)||this;return o.openSubMenu=function(){var e=o.props,t=e.item,n=e.openSubMenu,r=e.getSubmenuTarget;if(r){var a=r();(0,i.Df)(t)&&n&&a&&n(t,a)}},o.dismissSubMenu=function(){var e=o.props,t=e.item,n=e.dismissSubMenu;(0,i.Df)(t)&&n&&n()},o.dismissMenu=function(e){var t=o.props.dismissMenu;t&&t(void 0,e)},(0,s.l)(o),o}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.item,o=e.classNames,n=t.onRenderContent||this._renderLayout;return r.createElement("div",{className:t.split?o.linkContentMenu:o.linkContent},n(this.props,{renderCheckMarkIcon:u,renderItemIcon:c,renderItemName:d,renderSecondaryText:p,renderSubMenuIcon:m}))},t.prototype._renderLayout=function(e,t){return r.createElement(r.Fragment,null,t.renderCheckMarkIcon(e),t.renderItemIcon(e),t.renderItemName(e),t.renderSecondaryText(e),t.renderSubMenuIcon(e))},t}(r.Component)},6662:(e,t,o)=>{"use strict";o.d(t,{W:()=>a});var n=o(2002),r=o(1839),i=o(98),a=(0,n.z)(r.b,i.RI,void 0,{scope:"ContextualMenuItem"})},6381:(e,t,o)=>{"use strict";o.d(t,{R:()=>x});var n=o(7622),r=o(7002),i=o(7300),a=o(63),s=o(8145),l=o(8127),c=o(8088),u=o(4977),d=o(1093),p=o(6974),m=o(5953),h=o(6628),g=o(8623),f=o(6007),v=o(3528),b=o(6548),y=o(4085),_=o(1194),C=(0,i.y)(),S={allowTextInput:!1,formatDate:function(e){return e?e.toDateString():""},parseDateFromString:function(e){var t=Date.parse(e);return t?new Date(t):null},firstDayOfWeek:d.eO.Sunday,initialPickerDate:new Date,isRequired:!1,isMonthPickerVisible:!0,showMonthPickerAsOverlay:!1,strings:_.f,highlightCurrentMonth:!1,highlightSelectedMonth:!1,borderless:!1,pickerAriaLabel:"Calendar",showWeekNumbers:!1,firstWeekOfYear:d.On.FirstDay,showGoToToday:!0,showCloseButton:!1,underlined:!1,allFocusable:!1},x=r.forwardRef((function(e,t){var o=(0,a.j)(S,e),i=o.firstDayOfWeek,d=o.strings,_=o.label,x=o.theme,w=o.className,I=o.styles,D=o.initialPickerDate,T=o.isRequired,E=o.disabled,P=o.ariaLabel,M=o.pickerAriaLabel,R=o.placeholder,N=o.allowTextInput,B=o.borderless,F=o.minDate,L=o.maxDate,A=o.showCloseButton,z=o.calendarProps,H=o.calloutProps,O=o.textField,W=o.underlined,V=o.allFocusable,K=o.calendarAs,q=void 0===K?u.f:K,G=o.tabIndex,U=o.disableAutoFocus,j=(0,y.M)("DatePicker",o.id),J=(0,y.M)("DatePicker-Callout"),Y=r.useRef(null),Z=r.useRef(null),X=function(){var e=r.useRef(null),t=r.useRef(!1);return[e,function(){var t,o,n;null===(n=null===(t=e.current)||void 0===t?void 0:(o=t).focus)||void 0===n||n.call(o)},t,function(){t.current=!0}]}(),Q=X[0],$=X[1],ee=X[2],te=X[3],oe=function(e,t){var o=e.allowTextInput,n=e.onAfterMenuDismiss,i=r.useState(!1),a=i[0],s=i[1],l=r.useRef(!1),c=(0,v.r)();return r.useEffect((function(){var e;l.current&&!a&&(o&&c.requestAnimationFrame(t),null===(e=n)||void 0===e||e()),l.current=!0}),[a]),[a,s]}(o,$),ne=oe[0],re=oe[1],ie=function(e){var t=e.formatDate,o=e.value,n=e.onSelectDate,i=(0,b.G)(o,void 0,(function(e,t){var o;return null===(o=n)||void 0===o?void 0:o(t)})),a=i[0],s=i[1],l=r.useState((function(){return o&&t?t(o):""})),c=l[0],u=l[1];return r.useEffect((function(){u(o&&t?t(o):"")}),[t,o]),[a,c,function(e){s(e),u(e&&t?t(e):"")},u]}(o),ae=ie[0],se=ie[1],le=ie[2],ce=ie[3],ue=function(e,t,o,n,i){var a=e.isRequired,s=e.allowTextInput,l=e.strings,c=e.parseDateFromString,u=e.onSelectDate,d=e.formatDate,m=e.minDate,h=e.maxDate,g=r.useState(),f=g[0],v=g[1];return r.useEffect((function(){a&&!t?v(l.isRequiredErrorMessage||" "):t&&k(t,m,h)?v(l.isOutOfBoundsErrorMessage||" "):v(void 0)}),[m&&(0,p.c8)(m),h&&(0,p.c8)(h),t&&(0,p.c8)(t),a]),[i?void 0:f,function(e){var r;if(void 0===e&&(e=null),s)if(n||e){if(t&&!f&&d&&d(null!=e?e:t)===n)return;!(e=e||c(n))||isNaN(e.getTime())?(o(t),v(l.invalidInputErrorMessage||" ")):k(e,m,h)?v(l.isOutOfBoundsErrorMessage||" "):(o(e),v(void 0))}else v(a?l.isRequiredErrorMessage||" ":void 0),null===(r=u)||void 0===r||r(e);else v(a&&!n?l.isRequiredErrorMessage||" ":void 0)},v]}(o,ae,le,se,ne),de=ue[0],pe=ue[1],me=ue[2],he=r.useCallback((function(){ne||(te(),re(!0))}),[ne,te,re]);r.useImperativeHandle(o.componentRef,(function(){return{focus:$,reset:function(){re(!1),le(void 0),me(void 0)},showDatePickerPopup:he}}),[$,me,re,le,he]);var ge=function(e){ne&&(re(!1),pe(e),!N&&e&&le(e))},fe=function(e){te(),ge(e)},ve=C(I,{theme:x,className:w,disabled:E,label:!!_,isDatePickerShown:ne}),be=(0,l.pq)(o,l.n7,["value"]),ye=O&&O.iconProps;return r.createElement("div",(0,n.pi)({},be,{className:ve.root,ref:t}),r.createElement("div",{ref:Z,"aria-haspopup":"true","aria-owns":ne?J:void 0,className:ve.wrapper},r.createElement(g.n,(0,n.pi)({role:"combobox",label:_,"aria-expanded":ne,ariaLabel:P,"aria-controls":ne?J:void 0,required:T,disabled:E,errorMessage:de,placeholder:R,borderless:B,value:se,componentRef:Q,underlined:W,tabIndex:G,readOnly:!N},O,{id:j+"-label",className:(0,c.i)(ve.textField,O&&O.className),iconProps:(0,n.pi)((0,n.pi)({iconName:"Calendar"},ye),{className:(0,c.i)(ve.icon,ye&&ye.className),onClick:function(e){e.stopPropagation(),ne||o.disabled?o.allowTextInput&&ge():he()}}),onKeyDown:function(e){switch(e.which){case s.m.enter:e.preventDefault(),e.stopPropagation(),ne?o.allowTextInput&&ge():(pe(),he());break;case s.m.escape:!function(e){e.stopPropagation(),fe()}(e);break;case s.m.down:e.altKey&&!ne&&he()}},onFocus:function(){U||N||(ee.current||he(),ee.current=!1)},onBlur:function(e){pe()},onClick:function(e){o.disableAutoFocus||ne||o.disabled?o.allowTextInput&&ge():he()},onChange:function(e,t){var n,r,i,a=o.textField;N&&(ne&&ge(),ce(t)),null===(i=null===(n=a)||void 0===n?void 0:(r=n).onChange)||void 0===i||i.call(r,e,t)}}))),ne&&r.createElement(m.U,(0,n.pi)({id:J,role:"dialog",ariaLabel:M,isBeakVisible:!1,gapSpace:0,doNotLayer:!1,target:Z.current,directionalHint:h.b.bottomLeftEdge},H,{className:(0,c.i)(ve.callout,H&&H.className),onDismiss:function(e){fe()},onPositioned:function(){var e=!0;o.calloutProps&&void 0!==o.calloutProps.setInitialFocus&&(e=o.calloutProps.setInitialFocus),Y.current&&e&&Y.current.focus()}}),r.createElement(f.P,{isClickableOutsideFocusTrap:!0,disableFirstFocus:o.disableAutoFocus},r.createElement(q,(0,n.pi)({},z,{onSelectDate:function(e){o.calendarProps&&o.calendarProps.onSelectDate&&o.calendarProps.onSelectDate(e),fe(e)},onDismiss:fe,isMonthPickerVisible:o.isMonthPickerVisible,showMonthPickerAsOverlay:o.showMonthPickerAsOverlay,today:o.today,value:ae||D,firstDayOfWeek:i,strings:d,highlightCurrentMonth:o.highlightCurrentMonth,highlightSelectedMonth:o.highlightSelectedMonth,showWeekNumbers:o.showWeekNumbers,firstWeekOfYear:o.firstWeekOfYear,showGoToToday:o.showGoToToday,dateTimeFormatter:o.dateTimeFormatter,minDate:F,maxDate:L,componentRef:Y,showCloseButton:A,allFocusable:V})))))}));function k(e,t,o){return!!t&&(0,p.NJ)(t,e)>0||!!o&&(0,p.NJ)(o,e)<0}x.displayName="DatePickerBase"},127:(e,t,o)=>{"use strict";o.d(t,{M:()=>s});var n=o(2002),r=o(6381),i=o(9729),a={root:"ms-DatePicker",callout:"ms-DatePicker-callout",withLabel:"ms-DatePicker-event--with-label",withoutLabel:"ms-DatePicker-event--without-label",disabled:"msDatePickerDisabled "},s=(0,n.z)(r.R,(function(e){var t=e.className,o=e.theme,n=e.disabled,r=e.label,s=e.isDatePickerShown,l=o.palette,c=o.semanticColors,u=(0,i.Cn)(a,o),d={color:l.neutralSecondary,fontSize:i.TS.icon,lineHeight:"18px",pointerEvents:"none",position:"absolute",right:"4px",padding:"5px"};return{root:[u.root,o.fonts.large,s&&"is-open",i.Fv,t],textField:[{position:"relative",selectors:{"& input[readonly]":{cursor:"pointer"},input:{selectors:{"::-ms-clear":{display:"none"}}}}},n&&{selectors:{"& input[readonly]":{cursor:"default"}}}],callout:[u.callout],icon:[d,r?u.withLabel:u.withoutLabel,{paddingTop:"7px"},!n&&[u.disabled,{pointerEvents:"initial",cursor:"pointer"}],n&&{color:c.disabledText,cursor:"default"}]}}),void 0,{scope:"DatePicker"})},1194:(e,t,o)=>{"use strict";o.d(t,{f:()=>i});var n=o(7622),r=o(6883),i=(0,n.pi)((0,n.pi)({},r.V3),{prevMonthAriaLabel:"Go to previous month",nextMonthAriaLabel:"Go to next month",prevYearAriaLabel:"Go to previous year",nextYearAriaLabel:"Go to next year",closeButtonAriaLabel:"Close date picker",isRequiredErrorMessage:"Field is required",invalidInputErrorMessage:"Invalid date format"})},8386:(e,t,o)=>{"use strict";o.d(t,{p:()=>a});var n=o(7002),r=(0,o(7300).y)(),i=n.forwardRef((function(e,t){var o=e.styles,i=e.theme,a=e.getClassNames,s=e.className,l=r(o,{theme:i,getClassNames:a,className:s});return n.createElement("span",{className:l.wrapper,ref:t},n.createElement("span",{className:l.divider}))}));i.displayName="VerticalDividerBase";var a=(0,o(2002).z)(i,(function(e){var t=e.theme,o=e.getClassNames,n=e.className;if(!t)throw new Error("Theme is undefined or null.");if(o){var r=o(t);return{wrapper:[r.wrapper],divider:[r.divider]}}return{wrapper:[{display:"inline-flex",height:"100%",alignItems:"center"},n],divider:[{width:1,height:"100%",backgroundColor:t.palette.neutralTertiaryAlt}]}}),void 0,{scope:"VerticalDivider"})},8982:(e,t,o)=>{"use strict";o.d(t,{P:()=>L});var n=o(7622),r=o(7002),i=o(7300),a=o(2470),s=o(2990),l=o(5446),c=o(8145),u=o(4553),d=o(688),p=o(2782),m=o(8127),h=o(9577),g=o(6479),f=o(8936),v=o(5953),b=o(6628),y=o(990),_=o(2703),C=function(){function e(){this._size=0}return e.prototype.updateOptions=function(e){for(var t=[],o=0,r=0;rthis._displayOnlyOptionsCache[t];)t++;if(this._displayOnlyOptionsCache[t]===e)throw new Error("Unexpected: Option at index "+e+" is not a selectable element.");return e-t+1}},e}(),S=o(2998),x=o(7023),k=o(9947),w=o(2052),I=o(9755),D=o(4126),T=o(9761),E=o(5515),P=o(2777),M=o(63),R=o(6876),N=o(9241),B=(0,i.y)(),F={options:[]},L=r.forwardRef((function(e,t){var o=(0,M.j)(F,e),i=r.useRef(null),s=(0,N.r)(t,i),l=(0,D.q)(i),c=function(e){var t,o=e.defaultSelectedKeys,n=e.selectedKeys,i=e.defaultSelectedKey,s=e.selectedKey,l=e.options,c=e.multiSelect,u=(0,R.D)(l),d=r.useState([]),p=d[0],m=d[1],h=l!==u;t=c?h&&void 0!==o?o:n:h&&void 0!==i?i:s;var g=(0,R.D)(t);return r.useEffect((function(){var e=function(e){return(0,a.cx)(l,(function(t){return null!=e?t.key===e:!!t.selected||!!t.isSelected}))};void 0===t&&u||t===g&&!h||m(function(){if(void 0===t)return c?l.map((function(e,t){return e.selected?t:-1})).filter((function(e){return-1!==e})):-1!==(i=e(null))?[i]:[];if(!Array.isArray(t))return-1!==(i=e(t))?[i]:[];for(var o=[],n=0,r=t;n0&&l();var r=o._id+e.key;a.items.push(i((0,n.pi)((0,n.pi)({id:r},e),{index:t}),o._onRenderItem)),a.id=r;break;case _.F.Divider:t>0&&a.items.push(i((0,n.pi)((0,n.pi)({},e),{index:t}),o._onRenderItem)),a.items.length>0&&l();break;default:a.items.push(i((0,n.pi)((0,n.pi)({},e),{index:t}),o._onRenderItem))}}(e,t)})),a.items.length>0&&l(),r.createElement(r.Fragment,null,s)},o._onRenderItem=function(e){switch(e.itemType){case _.F.Divider:return o._renderSeparator(e);case _.F.Header:return o._renderHeader(e);default:return o._renderOption(e)}},o._renderOption=function(e){var t=o.props,i=t.onRenderOption,a=void 0===i?o._onRenderOption:i,s=t.hoisted.selectedIndices,l=void 0===s?[]:s,c=!(void 0===e.index||!l)&&l.indexOf(e.index)>-1,u=e.hidden?o._classNames.dropdownItemHidden:c&&!0===e.disabled?o._classNames.dropdownItemSelectedAndDisabled:c?o._classNames.dropdownItemSelected:!0===e.disabled?o._classNames.dropdownItemDisabled:o._classNames.dropdownItem,d=e.title,p=void 0===d?e.text:d,m=o._classNames.subComponentStyles?o._classNames.subComponentStyles.multiSelectItem:void 0;return o.props.multiSelect?r.createElement(P.X,{id:o._listId+e.index,key:e.key,disabled:e.disabled,onChange:o._onItemClick(e),inputProps:(0,n.pi)({"aria-selected":c,onMouseEnter:o._onItemMouseEnter.bind(o,e),onMouseLeave:o._onMouseItemLeave.bind(o,e),onMouseMove:o._onItemMouseMove.bind(o,e),role:"option"},{"data-index":e.index,"data-is-focusable":!e.disabled}),label:e.text,title:p,onRenderLabel:o._onRenderItemLabel.bind(o,e),className:u,checked:c,styles:m,ariaPositionInSet:o._sizePosCache.positionInSet(e.index),ariaSetSize:o._sizePosCache.optionSetSize}):r.createElement(y.M,{id:o._listId+e.index,key:e.key,"data-index":e.index,"data-is-focusable":!e.disabled,disabled:e.disabled,className:u,onClick:o._onItemClick(e),onMouseEnter:o._onItemMouseEnter.bind(o,e),onMouseLeave:o._onMouseItemLeave.bind(o,e),onMouseMove:o._onItemMouseMove.bind(o,e),role:"option","aria-selected":c?"true":"false",ariaLabel:e.ariaLabel,title:p,"aria-posinset":o._sizePosCache.positionInSet(e.index),"aria-setsize":o._sizePosCache.optionSetSize},a(e,o._onRenderOption))},o._onRenderOption=function(e){return r.createElement("span",{className:o._classNames.dropdownOptionText},e.text)},o._onRenderItemLabel=function(e){var t=o.props.onRenderOption;return(void 0===t?o._onRenderOption:t)(e,o._onRenderOption)},o._onPositioned=function(e){o._focusZone.current&&o._requestAnimationFrame((function(){var e=o.props.hoisted.selectedIndices;if(o._focusZone.current)if(e&&e[0]&&!o.props.options[e[0]].disabled){var t=(0,l.M)().getElementById(o._id+"-list"+e[0]);t&&o._focusZone.current.focusElement(t)}else o._focusZone.current.focus()})),o.state.calloutRenderEdge&&o.state.calloutRenderEdge===e.targetEdge||o.setState({calloutRenderEdge:e.targetEdge})},o._onItemClick=function(e){return function(t){e.disabled||(o.setSelectedIndex(t,e.index),o.props.multiSelect||o.setState({isOpen:!1}))}},o._onScroll=function(){o._isScrollIdle||void 0===o._scrollIdleTimeoutId?o._isScrollIdle=!1:(clearTimeout(o._scrollIdleTimeoutId),o._scrollIdleTimeoutId=void 0),o._scrollIdleTimeoutId=window.setTimeout((function(){o._isScrollIdle=!0}),o._scrollIdleDelay)},o._onMouseItemLeave=function(e,t){if(!o._shouldIgnoreMouseEvent()&&o._host.current)if(o._host.current.setActive)try{o._host.current.setActive()}catch(e){}else o._host.current.focus()},o._onDismiss=function(){o.setState({isOpen:!1})},o._onDropdownBlur=function(e){o._isDisabled()||(o.setState({hasFocus:!1}),o.state.isOpen||o.props.onBlur&&o.props.onBlur(e))},o._onDropdownKeyDown=function(e){if(!o._isDisabled()&&(o._lastKeyDownWasAltOrMeta=o._isAltOrMeta(e),!o.props.onKeyDown||(o.props.onKeyDown(e),!e.defaultPrevented))){var t,n=o.props.hoisted.selectedIndices.length?o.props.hoisted.selectedIndices[0]:-1,r=e.altKey||e.metaKey,i=o.state.isOpen;switch(e.which){case c.m.enter:o.setState({isOpen:!i});break;case c.m.escape:if(!i)return;o.setState({isOpen:!1});break;case c.m.up:if(r){if(i){o.setState({isOpen:!1});break}return}o.props.multiSelect?o.setState({isOpen:!0}):o._isDisabled()||(t=o._moveIndex(e,-1,n-1,n));break;case c.m.down:r&&(e.stopPropagation(),e.preventDefault()),r&&!i||o.props.multiSelect?o.setState({isOpen:!0}):o._isDisabled()||(t=o._moveIndex(e,1,n+1,n));break;case c.m.home:o.props.multiSelect||(t=o._moveIndex(e,1,0,n));break;case c.m.end:o.props.multiSelect||(t=o._moveIndex(e,-1,o.props.options.length-1,n));break;case c.m.space:break;default:return}t!==n&&(e.stopPropagation(),e.preventDefault())}},o._onDropdownKeyUp=function(e){if(!o._isDisabled()){var t=o._shouldHandleKeyUp(e),n=o.state.isOpen;if(!o.props.onKeyUp||(o.props.onKeyUp(e),!e.defaultPrevented)){switch(e.which){case c.m.space:o.setState({isOpen:!n});break;default:return void(t&&n&&o.setState({isOpen:!1}))}e.stopPropagation(),e.preventDefault()}}},o._onZoneKeyDown=function(e){var t;o._lastKeyDownWasAltOrMeta=o._isAltOrMeta(e);var n=e.altKey||e.metaKey;switch(e.which){case c.m.up:n?o.setState({isOpen:!1}):o._host.current&&(t=(0,u.TE)(o._host.current,o._host.current.lastChild,!0));break;case c.m.home:case c.m.end:case c.m.pageUp:case c.m.pageDown:break;case c.m.down:!n&&o._host.current&&(t=(0,u.ft)(o._host.current,o._host.current.firstChild,!0));break;case c.m.escape:o.setState({isOpen:!1});break;case c.m.tab:return void o.setState({isOpen:!1});default:return}t&&t.focus(),e.stopPropagation(),e.preventDefault()},o._onZoneKeyUp=function(e){o._shouldHandleKeyUp(e)&&o.state.isOpen&&(o.setState({isOpen:!1}),e.preventDefault())},o._onDropdownClick=function(e){if(!o.props.onClick||(o.props.onClick(e),!e.defaultPrevented)){var t=o.state.isOpen;o._isDisabled()||o._shouldOpenOnFocus()||o.setState({isOpen:!t}),o._isFocusedByClick=!1}},o._onDropdownMouseDown=function(){o._isFocusedByClick=!0},o._onFocus=function(e){var t=o.state.isOpen,n=o.props,r=n.multiSelect,i=n.hoisted.selectedIndices;if(!o._isDisabled()){o._isFocusedByClick||t||0!==i.length||r||o._moveIndex(e,1,0,-1),o.props.onFocus&&o.props.onFocus(e);var a={hasFocus:!0};o._shouldOpenOnFocus()&&(a.isOpen=!0),o.setState(a)}},o._isDisabled=function(){var e=o.props.disabled,t=o.props.isDisabled;return void 0===e&&(e=t),e},o._onRenderLabel=function(e){var t=e.label,n=e.required,i=e.disabled,a=o._classNames.subComponentStyles?o._classNames.subComponentStyles.label:void 0;return t?r.createElement(w._,{className:o._classNames.label,id:o._labelId,required:n,styles:a,disabled:i},t):null},(0,d.l)(o),t.multiSelect,t.selectedKey,t.selectedKeys,t.defaultSelectedKey,t.defaultSelectedKeys;var i=t.options;return o._id=t.id||(0,p.z)("Dropdown"),o._labelId=o._id+"-label",o._listId=o._id+"-list",o._optionId=o._id+"-option",o._isScrollIdle=!0,o._sizePosCache.updateOptions(i),o.state={isOpen:!1,hasFocus:!1,calloutRenderEdge:void 0},o}return(0,n.ZT)(t,e),Object.defineProperty(t.prototype,"selectedOptions",{get:function(){var e=this.props,t=e.options,o=e.hoisted.selectedIndices;return(0,E.t)(t,o)},enumerable:!0,configurable:!0}),t.prototype.componentWillUnmount=function(){clearTimeout(this._scrollIdleTimeoutId)},t.prototype.componentDidUpdate=function(e,t){!0===t.isOpen&&!1===this.state.isOpen&&(this._gotMouseMove=!1,this.props.onDismiss&&this.props.onDismiss())},t.prototype.render=function(){var e=this._id,t=this.props,o=t.className,i=t.label,a=t.options,s=t.ariaLabel,l=t.required,c=t.errorMessage,u=t.styles,d=t.theme,p=t.panelProps,g=t.calloutProps,f=t.multiSelect,v=t.onRenderTitle,b=void 0===v?this._getTitle:v,y=t.onRenderContainer,_=void 0===y?this._onRenderContainer:y,C=t.onRenderCaretDown,S=void 0===C?this._onRenderCaretDown:C,x=t.onRenderLabel,k=void 0===x?this._onRenderLabel:x,w=t.hoisted.selectedIndices,I=this.state,D=I.isOpen,T=I.calloutRenderEdge,P=t.onRenderPlaceholder||t.onRenderPlaceHolder||this._getPlaceholder;a!==this._sizePosCache.cachedOptions&&this._sizePosCache.updateOptions(a);var M=(0,E.t)(a,w),R=(0,m.pq)(t,m.n7),N=this._isDisabled(),F=e+"-errorMessage",L=N?void 0:D&&1===w.length&&w[0]>=0?this._listId+w[0]:void 0,A=f?{role:"button"}:{role:"listbox",childRole:"option",ariaRequired:l,ariaSetSize:this._sizePosCache.optionSetSize,ariaPosInSet:this._sizePosCache.positionInSet(w[0]),ariaSelected:void 0!==w[0]||void 0};this._classNames=B(u,{theme:d,className:o,hasError:!!(c&&c.length>0),hasLabel:!!i,isOpen:D,required:l,disabled:N,isRenderingPlaceholder:!M.length,panelClassName:p?p.className:void 0,calloutClassName:g?g.className:void 0,calloutRenderEdge:T});var z=!!c&&c.length>0;return r.createElement("div",{className:this._classNames.root,ref:this.props.hoisted.rootRef},k(this.props,this._onRenderLabel),r.createElement("div",(0,n.pi)({"data-is-focusable":!N,"data-ktp-target":!0,ref:this._dropDown,id:e,tabIndex:N?-1:0,role:A.role,"aria-haspopup":"listbox","aria-expanded":D?"true":"false","aria-label":s,"aria-labelledby":i&&!s?(0,h.I)(this._labelId,this._optionId):void 0,"aria-describedby":z?this._id+"-errorMessage":void 0,"aria-activedescendant":L,"aria-required":A.ariaRequired,"aria-disabled":N,"aria-owns":D?this._listId:void 0},R,{className:this._classNames.dropdown,onBlur:this._onDropdownBlur,onKeyDown:this._onDropdownKeyDown,onKeyUp:this._onDropdownKeyUp,onClick:this._onDropdownClick,onMouseDown:this._onDropdownMouseDown,onFocus:this._onFocus}),r.createElement("span",{id:this._optionId,className:this._classNames.title,"aria-live":"polite","aria-atomic":!0,"aria-invalid":z,role:A.childRole,"aria-setsize":A.ariaSetSize,"aria-posinset":A.ariaPosInSet,"aria-selected":A.ariaSelected},M.length?b(M,this._onRenderTitle):P(t,this._onRenderPlaceholder)),r.createElement("span",{className:this._classNames.caretDownWrapper},S(t,this._onRenderCaretDown))),D&&_((0,n.pi)((0,n.pi)({},t),{onDismiss:this._onDismiss}),this._onRenderContainer),z&&r.createElement("div",{role:"alert",id:F,className:this._classNames.errorMessage},c))},t.prototype.focus=function(e){this._dropDown.current&&(this._dropDown.current.focus(),e&&this.setState({isOpen:!0}))},t.prototype.setSelectedIndex=function(e,t){var o=this.props,n=o.options,r=o.selectedKey,i=o.selectedKeys,a=o.multiSelect,s=o.notifyOnReselect,l=o.hoisted.selectedIndices,c=void 0===l?[]:l,u=!!c&&c.indexOf(t)>-1,d=[];if(t=Math.max(0,Math.min(n.length-1,t)),void 0===r&&void 0===i){if(a||s||t!==c[0]){if(a)if(d=c?this._copyArray(c):[],u){var p=d.indexOf(t);p>-1&&d.splice(p,1)}else d.push(t);else d=[t];e.persist(),this.props.hoisted.setSelectedIndices(d),this._onChange(e,n,t,u,a)}}else this._onChange(e,n,t,u,a)},t.prototype._copyArray=function(e){for(var t=[],o=0,n=e;o=r.length?o=0:o<0&&(o=r.length-1);for(var i=0;r[o].itemType===_.F.Header||r[o].itemType===_.F.Divider||r[o].disabled;){if(i>=r.length)return n;o+t<0?o=r.length:o+t>=r.length&&(o=-1),o+=t,i++}return this.setSelectedIndex(e,o),o},t.prototype._renderFocusableList=function(e){var t=e.onRenderList,o=void 0===t?this._onRenderList:t,n=e.label,i=e.ariaLabel,a=e.multiSelect;return r.createElement("div",{className:this._classNames.dropdownItemsWrapper,onKeyDown:this._onZoneKeyDown,onKeyUp:this._onZoneKeyUp,ref:this._host,tabIndex:0},r.createElement(S.k,{ref:this._focusZone,direction:x.U.vertical,id:this._listId,className:this._classNames.dropdownItems,role:"listbox","aria-label":i,"aria-labelledby":n&&!i?this._labelId:void 0,"aria-multiselectable":a},o(e,this._onRenderList)))},t.prototype._renderSeparator=function(e){var t=e.index,o=e.key;return t>0?r.createElement("div",{role:"separator",key:o,className:this._classNames.dropdownDivider}):null},t.prototype._renderHeader=function(e){var t=this.props.onRenderOption,o=void 0===t?this._onRenderOption:t,n=e.key,i=e.id;return r.createElement("div",{id:i,key:n,className:this._classNames.dropdownItemHeader},o(e,this._onRenderOption))},t.prototype._onItemMouseEnter=function(e,t){this._shouldIgnoreMouseEvent()||t.currentTarget.focus()},t.prototype._onItemMouseMove=function(e,t){var o=t.currentTarget;this._gotMouseMove=!0,this._isScrollIdle&&document.activeElement!==o&&o.focus()},t.prototype._shouldIgnoreMouseEvent=function(){return!this._isScrollIdle||!this._gotMouseMove},t.prototype._isAltOrMeta=function(e){return e.which===c.m.alt||"Meta"===e.key},t.prototype._shouldHandleKeyUp=function(e){var t=this._lastKeyDownWasAltOrMeta&&this._isAltOrMeta(e);return this._lastKeyDownWasAltOrMeta=!1,!!t&&!((0,g.V)()||(0,f.g)())},t.prototype._shouldOpenOnFocus=function(){var e=this.state.hasFocus,t=this.props.openOnKeyboardFocus;return!this._isFocusedByClick&&!0===t&&!e},t.defaultProps={options:[]},t}(r.Component)},4004:(e,t,o)=>{"use strict";o.d(t,{L:()=>v});var n,r,i,a=o(2002),s=o(8982),l=o(7622),c=o(6145),u=o(4568),d=o(9729),p={root:"ms-Dropdown-container",label:"ms-Dropdown-label",dropdown:"ms-Dropdown",title:"ms-Dropdown-title",caretDownWrapper:"ms-Dropdown-caretDownWrapper",caretDown:"ms-Dropdown-caretDown",callout:"ms-Dropdown-callout",panel:"ms-Dropdown-panel",dropdownItems:"ms-Dropdown-items",dropdownItem:"ms-Dropdown-item",dropdownDivider:"ms-Dropdown-divider",dropdownOptionText:"ms-Dropdown-optionText",dropdownItemHeader:"ms-Dropdown-header",titleIsPlaceHolder:"ms-Dropdown-titleIsPlaceHolder",titleHasError:"ms-Dropdown-title--hasError"},m=((n={})[d.qJ+", "+d.bO.replace("@media ","")]=(0,l.pi)({},(0,d.xM)()),n),h={selectors:(0,l.pi)((r={},r[d.qJ]={backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},r),m)},g={selectors:(i={},i[d.qJ]={borderColor:"Highlight"},i)},f=(0,d.sK)(0,d.dd),v=(0,a.z)(s.P,(function(e){var t,o,n,r,i,a,s,m,v,b,y,_,C=e.theme,S=e.hasError,x=e.hasLabel,k=e.className,w=e.isOpen,I=e.disabled,D=e.required,T=e.isRenderingPlaceholder,E=e.panelClassName,P=e.calloutClassName,M=e.calloutRenderEdge;if(!C)throw new Error("theme is undefined or null in base Dropdown getStyles function.");var R=(0,d.Cn)(p,C),N=C.palette,B=C.semanticColors,F=C.effects,L=C.fonts,A={color:B.menuItemTextHovered},z={color:B.menuItemText},H={borderColor:B.errorText},O=[R.dropdownItem,{backgroundColor:"transparent",boxSizing:"border-box",cursor:"pointer",display:"flex",alignItems:"center",padding:"0 8px",width:"100%",minHeight:36,lineHeight:20,height:0,position:"relative",border:"1px solid transparent",borderRadius:0,wordWrap:"break-word",overflowWrap:"break-word",textAlign:"left",".ms-Button-flexContainer":{width:"100%"}}],W=B.menuItemBackgroundPressed,V=function(e){var t;return void 0===e&&(e=!1),{selectors:(t={"&:hover:focus":[{color:B.menuItemTextHovered,backgroundColor:e?W:B.menuItemBackgroundHovered},h],"&:focus":[{backgroundColor:e?W:"transparent"},h],"&:active":[{color:B.menuItemTextHovered,backgroundColor:e?B.menuItemBackgroundHovered:B.menuBackground},h]},t["."+c.G$+" &:focus:after"]={left:0,top:0,bottom:0,right:0},t[d.qJ]={border:"none"},t)}},K=(0,l.pr)(O,[{backgroundColor:W,color:B.menuItemTextHovered},V(!0),h]),q=(0,l.pr)(O,[{color:B.disabledText,cursor:"default",selectors:(t={},t[d.qJ]={color:"GrayText",border:"none"},t)}]),G=M===u.z.bottom?F.roundedCorner2+" "+F.roundedCorner2+" 0 0":"0 0 "+F.roundedCorner2+" "+F.roundedCorner2,U=M===u.z.bottom?"0 0 "+F.roundedCorner2+" "+F.roundedCorner2:F.roundedCorner2+" "+F.roundedCorner2+" 0 0";return{root:[R.root,k],label:R.label,dropdown:[R.dropdown,d.Fv,L.medium,{color:B.menuItemText,borderColor:B.focusBorder,position:"relative",outline:0,userSelect:"none",selectors:(o={},o["&:hover ."+R.title]=[!I&&A,{borderColor:w?N.neutralSecondary:N.neutralPrimary},g],o["&:focus ."+R.title]=[!I&&A,{selectors:(n={},n[d.qJ]={color:"Highlight"},n)}],o["&:focus:after"]=[{pointerEvents:"none",content:"''",position:"absolute",boxSizing:"border-box",top:"0px",left:"0px",width:"100%",height:"100%",border:I?"none":"2px solid "+N.themePrimary,borderRadius:"2px",selectors:(r={},r[d.qJ]={color:"Highlight"},r)}],o["&:active ."+R.title]=[!I&&A,{borderColor:N.themePrimary},g],o["&:hover ."+R.caretDown]=!I&&z,o["&:focus ."+R.caretDown]=[!I&&z,{selectors:(i={},i[d.qJ]={color:"Highlight"},i)}],o["&:active ."+R.caretDown]=!I&&z,o["&:hover ."+R.titleIsPlaceHolder]=!I&&z,o["&:focus ."+R.titleIsPlaceHolder]=!I&&z,o["&:active ."+R.titleIsPlaceHolder]=!I&&z,o["&:hover ."+R.titleHasError]=H,o["&:active ."+R.titleHasError]=H,o)},w&&"is-open",I&&"is-disabled",D&&"is-required",D&&!x&&{selectors:(a={":before":{content:"'*'",color:B.errorText,position:"absolute",top:-5,right:-10}},a[d.qJ]={selectors:{":after":{right:-14}}},a)}],title:[R.title,d.Fv,{backgroundColor:B.inputBackground,borderWidth:1,borderStyle:"solid",borderColor:B.inputBorder,borderRadius:w?G:F.roundedCorner2,cursor:"pointer",display:"block",height:32,lineHeight:30,padding:"0 28px 0 8px",position:"relative",overflow:"hidden",whiteSpace:"nowrap",textOverflow:"ellipsis"},T&&[R.titleIsPlaceHolder,{color:B.inputPlaceholderText}],S&&[R.titleHasError,H],I&&{backgroundColor:B.disabledBackground,border:"none",color:B.disabledText,cursor:"default",selectors:(s={},s[d.qJ]=(0,l.pi)({border:"1px solid GrayText",color:"GrayText",backgroundColor:"Window"},(0,d.xM)()),s)}],caretDownWrapper:[R.caretDownWrapper,{position:"absolute",top:1,right:8,height:32,lineHeight:30},!I&&{cursor:"pointer"}],caretDown:[R.caretDown,{color:N.neutralSecondary,fontSize:L.small.fontSize,pointerEvents:"none"},I&&{color:B.disabledText,selectors:(m={},m[d.qJ]=(0,l.pi)({color:"GrayText"},(0,d.xM)()),m)}],errorMessage:(0,l.pi)((0,l.pi)({color:B.errorText},C.fonts.small),{paddingTop:5}),callout:[R.callout,{boxShadow:F.elevation8,borderRadius:U,selectors:(v={},v[".ms-Callout-main"]={borderRadius:U},v)},P],dropdownItemsWrapper:{selectors:{"&:focus":{outline:0}}},dropdownItems:[R.dropdownItems,{display:"block"}],dropdownItem:(0,l.pr)(O,[V()]),dropdownItemSelected:K,dropdownItemDisabled:q,dropdownItemSelectedAndDisabled:[K,q,{backgroundColor:"transparent"}],dropdownItemHidden:(0,l.pr)(O,[{display:"none"}]),dropdownDivider:[R.dropdownDivider,{height:1,backgroundColor:B.bodyDivider}],dropdownOptionText:[R.dropdownOptionText,{overflow:"hidden",whiteSpace:"nowrap",textOverflow:"ellipsis",minWidth:0,maxWidth:"100%",wordWrap:"break-word",overflowWrap:"break-word",margin:"1px"}],dropdownItemHeader:[R.dropdownItemHeader,(0,l.pi)((0,l.pi)({},L.medium),{fontWeight:d.lq.semibold,color:B.menuHeader,background:"none",backgroundColor:"transparent",border:"none",height:36,lineHeight:36,cursor:"default",padding:"0 8px",userSelect:"none",textAlign:"left",selectors:(b={},b[d.qJ]=(0,l.pi)({color:"GrayText"},(0,d.xM)()),b)})],subComponentStyles:{label:{root:{display:"inline-block"}},multiSelectItem:{root:{padding:0},label:{alignSelf:"stretch",padding:"0 8px",width:"100%"},input:{selectors:(y={},y["."+c.G$+" &:focus + label::before"]={outlineOffset:"0px"},y)}},panel:{root:[E],main:{selectors:(_={},_[f]={width:272},_)},contentInner:{padding:"0 0 20px"}}}}}),void 0,{scope:"Dropdown"});v.displayName="Dropdown"},4008:(e,t,o)=>{"use strict";o.d(t,{d:()=>f});var n=o(7622),r=o(7002),i=o(7300),a=o(5094),s=o(5951),l=o(5480),c=o(8127),u=o(3394),d=o(5446),p=o(9729),m=o(9241),h=(0,i.y)(),g=(0,a.NF)((function(e,t){return(0,p.jG)((0,n.pi)((0,n.pi)({},e),{rtl:t}))})),f=r.forwardRef((function(e,t){var o=e.className,i=e.theme,a=e.applyTheme,p=e.applyThemeToBody,f=e.styles,v=h(f,{theme:i,applyTheme:a,className:o}),b=r.useRef(null);return function(e,t,o){var n=t.bodyThemed;r.useEffect((function(){if(e){var t=(0,d.M)(o.current);if(t)return t.body.classList.add(n),function(){t.body.classList.remove(n)}}}),[n,e,o])}(p,v,b),(0,l.P)(b),r.createElement(r.Fragment,null,function(e,t,o,i){var a=t.root,l=e.as,d=void 0===l?"div":l,p=e.dir,h=e.theme,f=(0,c.pq)(e,c.n7,["dir"]),v=function(e){var t=e.theme,o=e.dir,n=(0,s.zg)(t)?"rtl":"ltr",r=(0,s.zg)()?"rtl":"ltr",i=o||n;return{rootDir:i!==n||i!==r?i:o,needsTheme:i!==n}}(e),b=v.rootDir,y=v.needsTheme,_=r.createElement(d,(0,n.pi)({dir:b},f,{className:a,ref:(0,m.r)(o,i)}));return y&&(_=r.createElement(u.N,{settings:{theme:g(h,"rtl"===p)}},_)),_}(e,v,b,t))}));f.displayName="FabricBase"},3595:(e,t,o)=>{"use strict";o.d(t,{P:()=>l});var n=o(2002),r=o(4008),i=o(9729),a={fontFamily:"inherit"},s={root:"ms-Fabric",bodyThemed:"ms-Fabric-bodyThemed"},l=(0,n.z)(r.d,(function(e){var t=e.theme,o=e.className,n=e.applyTheme;return{root:[(0,i.Cn)(s,t).root,t.fonts.medium,{color:t.palette.neutralPrimary,selectors:{"& button":a,"& input":a,"& textarea":a}},n&&{color:t.semanticColors.bodyText,backgroundColor:t.semanticColors.bodyBackground},o],bodyThemed:[{backgroundColor:t.semanticColors.bodyBackground}]}}),void 0,{scope:"Fabric"})},6007:(e,t,o)=>{"use strict";o.d(t,{P:()=>h});var n=o(7622),r=o(7002),i=o(8127),a=o(3345),s=o(4553),l=o(9251),c=o(6093),u=o(9241),d=o(4085),p=o(7913),m=o(8901),h=r.forwardRef((function(e,t){var o=r.useRef(null),f=r.useRef(null),v=r.useRef(null),b=(0,u.r)(o,t),y=(0,d.M)(void 0,e.id),_=(0,m.ky)(),C=(0,i.pq)(e,i.n7),S=(0,p.B)((function(){return{previouslyFocusedElementOutsideTrapZone:void 0,previouslyFocusedElementInTrapZone:void 0,disposeFocusHandler:void 0,disposeClickHandler:void 0,hasFocus:!1,unmodalize:void 0}})),x=e.ariaLabelledBy,k=e.className,w=e.children,I=e.componentRef,D=e.disabled,T=e.disableFirstFocus,E=void 0!==T&&T,P=e.disabled,M=void 0!==P&&P,R=e.elementToFocusOnDismiss,N=e.forceFocusInsideTrap,B=void 0===N||N,F=e.focusPreviouslyFocusedInnerElement,L=e.firstFocusableSelector,A=e.ignoreExternalFocusing,z=e.isClickableOutsideFocusTrap,H=void 0!==z&&z,O=e.onFocus,W=e.onBlur,V=e.onFocusCapture,K=e.onBlurCapture,q=e.enableAriaHiddenSiblings,G={"aria-hidden":!0,style:{pointerEvents:"none",position:"fixed"},tabIndex:D?-1:0,"data-is-visible":!0},U=r.useCallback((function(){if(F&&S.previouslyFocusedElementInTrapZone&&(0,a.t)(o.current,S.previouslyFocusedElementInTrapZone))(0,s.um)(S.previouslyFocusedElementInTrapZone);else{var e="string"==typeof L?L:L&&L(),t=null;o.current&&(e&&(t=o.current.querySelector("."+e)),t||(t=(0,s.dc)(o.current,o.current.firstChild,!1,!1,!1,!0))),t&&(0,s.um)(t)}}),[L,F,S]),j=r.useCallback((function(e){if(!D){var t=e===S.hasFocus?v.current:f.current;if(o.current){var n=e===S.hasFocus?(0,s.xY)(o.current,t,!0,!1):(0,s.RK)(o.current,t,!0,!1);n&&(n===f.current||n===v.current?U():n.focus())}}}),[D,U,S]),J=r.useCallback((function(e){var t;null===(t=K)||void 0===t||t(e);var n=e.relatedTarget;null===e.relatedTarget&&(n=_.activeElement),(0,a.t)(o.current,n)||(S.hasFocus=!1)}),[_,S,K]),Y=r.useCallback((function(e){var t;null===(t=V)||void 0===t||t(e),e.target===f.current?j(!0):e.target===v.current&&j(!1),S.hasFocus=!0,e.target!==e.currentTarget&&e.target!==f.current&&e.target!==v.current&&(S.previouslyFocusedElementInTrapZone=e.target)}),[V,S,j]),Z=r.useCallback((function(){if(h.focusStack=h.focusStack.filter((function(e){return y!==e})),_){var e=_.activeElement;A||!S.previouslyFocusedElementOutsideTrapZone||"function"!=typeof S.previouslyFocusedElementOutsideTrapZone.focus||!(0,a.t)(o.current,e)&&e!==_.body||S.previouslyFocusedElementOutsideTrapZone!==f.current&&S.previouslyFocusedElementOutsideTrapZone!==v.current&&(0,s.um)(S.previouslyFocusedElementOutsideTrapZone)}}),[_,y,A,S]),X=r.useCallback((function(e){if(!D&&h.focusStack.length&&y===h.focusStack[h.focusStack.length-1]){var t=e.target;(0,a.t)(o.current,t)||(U(),S.hasFocus=!0,e.preventDefault(),e.stopPropagation())}}),[D,y,U,S]),Q=r.useCallback((function(e){if(!D&&h.focusStack.length&&y===h.focusStack[h.focusStack.length-1]){var t=e.target;t&&!(0,a.t)(o.current,t)&&(U(),S.hasFocus=!0,e.preventDefault(),e.stopPropagation())}}),[D,y,U,S]),$=r.useCallback((function(){B&&!S.disposeFocusHandler?S.disposeFocusHandler=(0,l.on)(window,"focus",X,!0):!B&&S.disposeFocusHandler&&(S.disposeFocusHandler(),S.disposeFocusHandler=void 0),H||S.disposeClickHandler?H&&S.disposeClickHandler&&(S.disposeClickHandler(),S.disposeClickHandler=void 0):S.disposeClickHandler=(0,l.on)(window,"click",Q,!0)}),[Q,X,B,H,S]);return r.useEffect((function(){var e=o.current;return $(),function(){var t;D&&!B&&(0,a.t)(e,null===(t=_)||void 0===t?void 0:t.activeElement)||Z()}}),[$]),r.useEffect((function(){var e=void 0===B||B,t=void 0!==D&&D;if(!t||e){if(M)return;h.focusStack.push(y),S.previouslyFocusedElementOutsideTrapZone=R||_.activeElement,E||(0,a.t)(o.current,S.previouslyFocusedElementOutsideTrapZone)||U(),!S.unmodalize&&o.current&&q&&(S.unmodalize=(0,c.O)(o.current))}else e&&!t||(Z(),S.unmodalize&&S.unmodalize());R&&S.previouslyFocusedElementOutsideTrapZone!==R&&(S.previouslyFocusedElementOutsideTrapZone=R)}),[R,B,D]),g((function(){S.disposeClickHandler&&(S.disposeClickHandler(),S.disposeClickHandler=void 0),S.disposeFocusHandler&&(S.disposeFocusHandler(),S.disposeFocusHandler=void 0),S.unmodalize&&S.unmodalize(),delete S.previouslyFocusedElementInTrapZone,delete S.previouslyFocusedElementOutsideTrapZone})),function(e,t,o){r.useImperativeHandle(e,(function(){return{get previouslyFocusedElement(){return t},focus:o}}),[t,o])}(I,S.previouslyFocusedElementInTrapZone,U),r.createElement("div",(0,n.pi)({},C,{className:k,ref:b,"aria-labelledby":x,onFocusCapture:Y,onFocus:O,onBlur:W,onBlurCapture:J}),r.createElement("div",(0,n.pi)({},G,{ref:f})),w,r.createElement("div",(0,n.pi)({},G,{ref:v})))})),g=function(e){var t=r.useRef(e);t.current=e,r.useEffect((function(){return function(){t.current&&t.current()}}),[e])};h.displayName="FocusTrapZone",h.focusStack=[]},4734:(e,t,o)=>{"use strict";o.d(t,{z1:()=>u,xu:()=>d,Pw:()=>p});var n=o(7622),r=o(7002),i=o(3074),a=o(5094),s=o(8127),l=o(8088),c=o(9729),u=(0,a.NF)((function(e){var t=(0,c.q7)(e)||{subset:{},code:void 0},o=t.code,n=t.subset;return o?{children:o,iconClassName:n.className,fontFamily:n.fontFace&&n.fontFace.fontFamily}:null}),void 0,!0),d=function(e){var t=e.iconName,o=e.className,a=e.style,c=void 0===a?{}:a,d=u(t)||{},p=d.iconClassName,m=d.children,h=d.fontFamily,g=(0,s.pq)(e,s.iY),f=e["aria-label"]||e["aria-labelledby"]||e.title?{role:"img"}:{"aria-hidden":!0};return r.createElement("i",(0,n.pi)({"data-icon-name":t},f,g,{className:(0,l.i)(i.Sk,i.AK.root,p,!t&&i.AK.placeholder,o),style:(0,n.pi)({fontFamily:h},c)}),m)},p=(0,a.NF)((function(e,t,o){return d({iconName:e,className:t,"aria-label":o})}))},3874:(e,t,o)=>{"use strict";o.d(t,{A:()=>p});var n=o(7622),r=o(7002),i=o(6569),a=o(4861),s=o(6711),l=o(7300),c=o(8127),u=o(4734),d=(0,l.y)({cacheSize:100}),p=function(e){function t(t){var o=e.call(this,t)||this;return o._onImageLoadingStateChange=function(e){o.props.imageProps&&o.props.imageProps.onLoadingStateChange&&o.props.imageProps.onLoadingStateChange(e),e===s.U9.error&&o.setState({imageLoadError:!0})},o.state={imageLoadError:!1},o}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.children,o=e.className,s=e.styles,l=e.iconName,p=e.imageErrorAs,m=e.theme,h="string"==typeof l&&0===l.length,g=!!this.props.imageProps||this.props.iconType===i.T.image||this.props.iconType===i.T.Image,f=(0,u.z1)(l)||{},v=f.iconClassName,b=f.children,y=d(s,{theme:m,className:o,iconClassName:v,isImage:g,isPlaceholder:h}),_=g?"span":"i",C=(0,c.pq)(this.props,c.iY,["aria-label"]),S=this.state.imageLoadError,x=(0,n.pi)((0,n.pi)({},this.props.imageProps),{onLoadingStateChange:this._onImageLoadingStateChange}),k=S&&p||a.E,w=this.props["aria-label"]||this.props.ariaLabel,I=x.alt||w,D=I||this.props["aria-labelledby"]||x["aria-label"]||x["aria-labelledby"]?{role:g?void 0:"img","aria-label":g?void 0:I}:{"aria-hidden":!0};return r.createElement(_,(0,n.pi)({"data-icon-name":l},D,C,{className:y.root}),g?r.createElement(k,(0,n.pi)({},x)):t||b)},t}(r.Component)},9947:(e,t,o)=>{"use strict";o.d(t,{J:()=>a});var n=o(2002),r=o(3874),i=o(3074),a=(0,n.z)(r.A,i.Wi,void 0,{scope:"Icon"},!0);a.displayName="Icon"},3074:(e,t,o)=>{"use strict";o.d(t,{AK:()=>n,Sk:()=>r,Wi:()=>i});var n=(0,o(9729).ZC)({root:{display:"inline-block"},placeholder:["ms-Icon-placeHolder",{width:"1em"}],image:["ms-Icon-imageContainer",{overflow:"hidden"}]}),r="ms-Icon",i=function(e){var t=e.className,o=e.iconClassName,r=e.isPlaceholder,i=e.isImage,a=e.styles;return{root:[r&&n.placeholder,n.root,i&&n.image,o,t,a&&a.root,a&&a.imageContainer]}}},6569:(e,t,o)=>{"use strict";var n;o.d(t,{T:()=>n}),function(e){e[e.default=0]="default",e[e.image=1]="image",e[e.Default=1e5]="Default",e[e.Image=100001]="Image"}(n||(n={}))},7840:(e,t,o)=>{"use strict";o.d(t,{X:()=>c});var n=o(7622),r=o(7002),i=o(4861),a=o(8127),s=o(8088),l=o(3074),c=function(e){var t=e.className,o=e.imageProps,c=(0,a.pq)(e,a.iY,["aria-label","aria-labelledby","title","aria-describedby"]),u=o.alt||e["aria-label"],d=u||e["aria-labelledby"]||e.title||o["aria-label"]||o["aria-labelledby"]||o.title,p={"aria-labelledby":e["aria-labelledby"],"aria-describedby":e["aria-describedby"],title:e.title},m=d?{}:{"aria-hidden":!0};return r.createElement("div",(0,n.pi)({},m,c,{className:(0,s.i)(l.Sk,l.AK.root,l.AK.image,t)}),r.createElement(i.E,(0,n.pi)({},p,o,{alt:d?u:""})))}},9759:(e,t,o)=>{"use strict";o.d(t,{v:()=>d});var n=o(7622),r=o(7002),i=o(7300),a=o(8127),s=o(6711),l=o(9241),c=(0,i.y)(),u=/\.svg$/i,d=r.forwardRef((function(e,t){var o=r.useRef(),i=r.useRef(),d=function(e,t){var o=e.onLoadingStateChange,n=e.onLoad,i=e.onError,a=e.src,l=r.useState(s.U9.notLoaded),c=l[0],d=l[1];r.useLayoutEffect((function(){d(s.U9.notLoaded)}),[a]),r.useEffect((function(){c===s.U9.notLoaded&&t.current&&(a&&t.current.naturalWidth>0&&t.current.naturalHeight>0||t.current.complete&&u.test(a))&&d(s.U9.loaded)})),r.useEffect((function(){var e;null===(e=o)||void 0===e||e(c)}),[c]);var p=r.useCallback((function(e){var t;null===(t=n)||void 0===t||t(e),a&&d(s.U9.loaded)}),[a,n]),m=r.useCallback((function(e){var t;null===(t=i)||void 0===t||t(e),d(s.U9.error)}),[i]);return[c,p,m]}(e,i),p=d[0],m=d[1],h=d[2],g=(0,a.pq)(e,a.it,["width","height"]),f=e.src,v=e.alt,b=e.width,y=e.height,_=e.shouldFadeIn,C=void 0===_||_,S=e.shouldStartVisible,x=e.className,k=e.imageFit,w=e.role,I=e.maximizeFrame,D=e.styles,T=e.theme,E=e.loading,P=function(e,t,o,n){var i=r.useRef(t),a=r.useRef();return(void 0===a||i.current===s.U9.notLoaded&&t===s.U9.loaded)&&(a.current=function(e,t,o,n){var r=e.imageFit,i=e.width,a=e.height;if(void 0!==e.coverStyle)return e.coverStyle;if(t===s.U9.loaded&&(r===s.kQ.cover||r===s.kQ.contain||r===s.kQ.centerContain||r===s.kQ.centerCover)&&o.current&&n.current){var l;if(l="number"==typeof i&&"number"==typeof a&&r!==s.kQ.centerContain&&r!==s.kQ.centerCover?i/a:n.current.clientWidth/n.current.clientHeight,o.current.naturalWidth/o.current.naturalHeight>l)return s.yZ.landscape}return s.yZ.portrait}(e,t,o,n)),i.current=t,a.current}(e,p,i,o),M=c(D,{theme:T,className:x,width:b,height:y,maximizeFrame:I,shouldFadeIn:C,shouldStartVisible:S,isLoaded:p===s.U9.loaded||p===s.U9.notLoaded&&e.shouldStartVisible,isLandscape:P===s.yZ.landscape,isCenter:k===s.kQ.center,isCenterContain:k===s.kQ.centerContain,isCenterCover:k===s.kQ.centerCover,isContain:k===s.kQ.contain,isCover:k===s.kQ.cover,isNone:k===s.kQ.none,isError:p===s.U9.error,isNotImageFit:void 0===k});return r.createElement("div",{className:M.root,style:{width:b,height:y},ref:o},r.createElement("img",(0,n.pi)({},g,{onLoad:m,onError:h,key:"fabricImage"+e.src||"",className:M.image,ref:(0,l.r)(i,t),src:f,alt:v,role:w,loading:E})))}));d.displayName="ImageBase"},4861:(e,t,o)=>{"use strict";o.d(t,{E:()=>l});var n=o(2002),r=o(9759),i=o(9729),a=o(9757),s={root:"ms-Image",rootMaximizeFrame:"ms-Image--maximizeFrame",image:"ms-Image-image",imageCenter:"ms-Image-image--center",imageContain:"ms-Image-image--contain",imageCover:"ms-Image-image--cover",imageCenterContain:"ms-Image-image--centerContain",imageCenterCover:"ms-Image-image--centerCover",imageNone:"ms-Image-image--none",imageLandscape:"ms-Image-image--landscape",imagePortrait:"ms-Image-image--portrait"},l=(0,n.z)(r.v,(function(e){var t=e.className,o=e.width,n=e.height,r=e.maximizeFrame,l=e.isLoaded,c=e.shouldFadeIn,u=e.shouldStartVisible,d=e.isLandscape,p=e.isCenter,m=e.isContain,h=e.isCover,g=e.isCenterContain,f=e.isCenterCover,v=e.isNone,b=e.isError,y=e.isNotImageFit,_=e.theme,C=(0,i.Cn)(s,_),S={position:"absolute",left:"50% /* @noflip */",top:"50%",transform:"translate(-50%,-50%)"},x=(0,a.J)(),k=void 0!==x&&void 0===x.navigator.msMaxTouchPoints,w=m&&d||h&&!d?{width:"100%",height:"auto"}:{width:"auto",height:"100%"};return{root:[C.root,_.fonts.medium,{overflow:"hidden"},r&&[C.rootMaximizeFrame,{height:"100%",width:"100%"}],l&&c&&!u&&i.k4.fadeIn400,(p||m||h||g||f)&&{position:"relative"},t],image:[C.image,{display:"block",opacity:0},l&&["is-loaded",{opacity:1}],p&&[C.imageCenter,S],m&&[C.imageContain,k&&{width:"100%",height:"100%",objectFit:"contain"},!k&&w,!k&&S],h&&[C.imageCover,k&&{width:"100%",height:"100%",objectFit:"cover"},!k&&w,!k&&S],g&&[C.imageCenterContain,d&&{maxWidth:"100%"},!d&&{maxHeight:"100%"},S],f&&[C.imageCenterCover,d&&{maxHeight:"100%"},!d&&{maxWidth:"100%"},S],v&&[C.imageNone,{width:"auto",height:"auto"}],y&&[!!o&&!n&&{height:"auto",width:"100%"},!o&&!!n&&{height:"100%",width:"auto"},!!o&&!!n&&{height:"100%",width:"100%"}],d&&C.imageLandscape,!d&&C.imagePortrait,!l&&"is-notLoaded",c&&"is-fadeIn",b&&"is-error"]}}),void 0,{scope:"Image"},!0);l.displayName="Image"},6711:(e,t,o)=>{"use strict";var n,r,i;o.d(t,{kQ:()=>n,yZ:()=>r,U9:()=>i}),function(e){e[e.center=0]="center",e[e.contain=1]="contain",e[e.cover=2]="cover",e[e.none=3]="none",e[e.centerCover=4]="centerCover",e[e.centerContain=5]="centerContain"}(n||(n={})),function(e){e[e.landscape=0]="landscape",e[e.portrait=1]="portrait"}(r||(r={})),function(e){e[e.notLoaded=0]="notLoaded",e[e.loaded=1]="loaded",e[e.error=2]="error",e[e.errorLoaded=3]="errorLoaded"}(i||(i={}))},9949:(e,t,o)=>{"use strict";o.d(t,{a:()=>a});var n=o(7622),r=o(8128),i=o(2304),a=function(e){var t,o=e.children,a=(0,n._T)(e,["children"]),s=(0,i.c)(a),l=s.keytipId,c=s.ariaDescribedBy;return o(((t={})[r.fV]=l,t[r.ms]=l,t["aria-describedby"]=c,t))}},2304:(e,t,o)=>{"use strict";o.d(t,{c:()=>u});var n=o(7622),r=o(7002),i=o(7913),a=o(6876),s=o(9577),l=o(344),c=o(5325);function u(e){var t=r.useRef(),o=e.keytipProps?(0,n.pi)({disabled:e.disabled},e.keytipProps):void 0,u=(0,i.B)(l.K.getInstance()),d=(0,a.D)(e);r.useLayoutEffect((function(){var n,r;t.current&&o&&((null===(n=d)||void 0===n?void 0:n.keytipProps)!==e.keytipProps||(null===(r=d)||void 0===r?void 0:r.disabled)!==e.disabled)&&u.update(o,t.current)})),r.useLayoutEffect((function(){return o&&(t.current=u.register(o)),function(){o&&u.unregister(o,t.current)}}),[]);var p={ariaDescribedBy:void 0,keytipId:void 0};return o&&(p=function(e,t,o){var r=e.addParentOverflow(t),i=(0,s.I)(o,(0,c.w7)(r.keySequences)),a=(0,n.pr)(r.keySequences);return r.overflowSetSequence&&(a=(0,c.a1)(a,r.overflowSetSequence)),{ariaDescribedBy:i,keytipId:(0,c.aB)(a)}}(u,o,e.ariaDescribedBy)),p}},5424:(e,t,o)=>{"use strict";o.d(t,{E:()=>s});var n=o(7622),r=o(7002),i=o(8127),a=(0,o(7300).y)({cacheSize:100}),s=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.as,o=void 0===t?"label":t,s=e.children,l=e.className,c=e.disabled,u=e.styles,d=e.required,p=e.theme,m=a(u,{className:l,disabled:c,required:d,theme:p});return r.createElement(o,(0,n.pi)({},(0,i.pq)(this.props,i.n7),{className:m.root}),s)},t}(r.Component)},2052:(e,t,o)=>{"use strict";o.d(t,{_:()=>s});var n=o(2002),r=o(5424),i=o(7622),a=o(9729),s=(0,n.z)(r.E,(function(e){var t,o=e.theme,n=e.className,r=e.disabled,s=e.required,l=o.semanticColors,c=a.lq.semibold,u=l.bodyText,d=l.disabledBodyText,p=l.errorText;return{root:["ms-Label",o.fonts.medium,{fontWeight:c,color:u,boxSizing:"border-box",boxShadow:"none",margin:0,display:"block",padding:"5px 0",wordWrap:"break-word",overflowWrap:"break-word"},r&&{color:d,selectors:(t={},t[a.qJ]=(0,i.pi)({color:"GrayText"},(0,a.xM)()),t)},s&&{selectors:{"::after":{content:"' *'",color:p,paddingRight:12}}},n]}}),void 0,{scope:"Label"})},4555:(e,t,o)=>{"use strict";o.d(t,{s:()=>g});var n=o(7622),r=o(7002);const i=jsmodule["react-dom"];var a,s=o(3595),l=o(7300),c=o(8308),u=o(7829),d=o(6443),p=o(9241),m=o(8901),h=(0,l.y)(),g=r.forwardRef((function(e,t){var o=r.useState(),l=o[0],g=o[1],v=r.useRef(l);v.current=l;var b=r.useRef(null),y=(0,p.r)(b,t),_=(0,m.ky)(),C=e.eventBubblingEnabled,S=e.styles,x=e.theme,k=e.className,w=e.children,I=e.hostId,D=e.onLayerDidMount,T=void 0===D?function(){}:D,E=e.onLayerMounted,P=void 0===E?function(){}:E,M=e.onLayerWillUnmount,R=e.insertFirst,N=h(S,{theme:x,className:k,isNotHost:!I}),B=function(){var e;null===(e=M)||void 0===e||e();var t=v.current;if(t&&t.parentNode){var o=t.parentNode;o&&o.removeChild(t)}},F=function(){var e,t,o=function(){if(_){if(I)return _.getElementById(I);var e=(0,d.OJ)();return e?_.querySelector(e):_.body}}();if(_&&o){B();var n=_.createElement("div");n.className=N.root,(0,c.U)(n),(0,u.N)(n,b.current),R?o.insertBefore(n,o.firstChild):o.appendChild(n),g(n),null===(e=P)||void 0===e||e(),null===(t=T)||void 0===t||t()}};return r.useLayoutEffect((function(){return F(),I&&(0,d.Pc)(I,F),function(){B(),I&&(0,d.tq)(I,F)}}),[I]),r.createElement("span",{className:"ms-layer",ref:y},l&&i.createPortal(r.createElement(s.P,(0,n.pi)({},!C&&(a||(a={},["onClick","onContextMenu","onDoubleClick","onDrag","onDragEnd","onDragEnter","onDragExit","onDragLeave","onDragOver","onDragStart","onDrop","onMouseDown","onMouseEnter","onMouseLeave","onMouseMove","onMouseOver","onMouseOut","onMouseUp","onTouchMove","onTouchStart","onTouchCancel","onTouchEnd","onKeyDown","onKeyPress","onKeyUp","onFocus","onBlur","onChange","onInput","onInvalid","onSubmit"].forEach((function(e){return a[e]=f}))),a),{className:N.content}),w),l))}));g.displayName="LayerBase";var f=function(e){e.eventPhase===Event.BUBBLING_PHASE&&"mouseenter"!==e.type&&"mouseleave"!==e.type&&"touchstart"!==e.type&&"touchend"!==e.type&&e.stopPropagation()}},7513:(e,t,o)=>{"use strict";o.d(t,{m:()=>s});var n=o(2002),r=o(4555),i=o(9729),a={root:"ms-Layer",rootNoHost:"ms-Layer--fixed",content:"ms-Layer-content"},s=(0,n.z)(r.s,(function(e){var t=e.className,o=e.isNotHost,n=e.theme,r=(0,i.Cn)(a,n);return{root:[r.root,n.fonts.medium,o&&[r.rootNoHost,{position:"fixed",zIndex:i.bR.Layer,top:0,left:0,bottom:0,right:0,visibility:"hidden"}],t],content:[r.content,{visibility:"visible"}]}}),void 0,{scope:"Layer",fields:["hostId","theme","styles"]})},6443:(e,t,o)=>{"use strict";o.d(t,{Pc:()=>r,tq:()=>i,EQ:()=>a,OJ:()=>s});var n={};function r(e,t){n[e]||(n[e]=[]),n[e].push(t)}function i(e,t){if(n[e]){var o=n[e].indexOf(t);o>=0&&(n[e].splice(o,1),0===n[e].length&&delete n[e])}}function a(e){n[e]&&n[e].forEach((function(e){return e()}))}function s(){}},6178:(e,t,o)=>{"use strict";o.d(t,{R:()=>u});var n=o(7622),r=o(7002),i=o(7300),a=o(688),s=o(4948),l=o(8127),c=(0,i.y)(),u=function(e){function t(t){var o=e.call(this,t)||this;(0,a.l)(o);var n=o.props.allowTouchBodyScroll,r=void 0!==n&&n;return o._allowTouchBodyScroll=r,o}return(0,n.ZT)(t,e),t.prototype.componentDidMount=function(){!this._allowTouchBodyScroll&&(0,s.Qp)()},t.prototype.componentWillUnmount=function(){!this._allowTouchBodyScroll&&(0,s.tG)()},t.prototype.render=function(){var e=this.props,t=e.isDarkThemed,o=e.className,i=e.theme,a=e.styles,s=(0,l.pq)(this.props,l.n7),u=c(a,{theme:i,className:o,isDark:t});return r.createElement("div",(0,n.pi)({},s,{className:u.root}))},t}(r.Component)},4946:(e,t,o)=>{"use strict";o.d(t,{a:()=>s});var n=o(2002),r=o(6178),i=o(9729),a={root:"ms-Overlay",rootDark:"ms-Overlay--dark"},s=(0,n.z)(r.R,(function(e){var t,o=e.className,n=e.theme,r=e.isNone,s=e.isDark,l=n.palette,c=(0,i.Cn)(a,n);return{root:[c.root,n.fonts.medium,{backgroundColor:l.whiteTranslucent40,top:0,right:0,bottom:0,left:0,position:"absolute",selectors:(t={},t[i.qJ]={border:"1px solid WindowText",opacity:0},t)},r&&{visibility:"hidden"},s&&[c.rootDark,{backgroundColor:l.blackTranslucent40}],o]}}),void 0,{scope:"Overlay"})},5357:(e,t,o)=>{"use strict";o.d(t,{P:()=>k});var n,r=o(7622),i=o(7002),a=o(5758),s=o(7513),l=o(4946),c=o(752),u=o(7300),d=o(4948),p=o(8088),m=o(2167),h=o(9919),g=o(688),f=o(3129),v=o(2782),b=o(5951),y=o(8127),_=o(3345),C=o(6007),S=o(2758),x=(0,u.y)();!function(e){e[e.closed=0]="closed",e[e.animatingOpen=1]="animatingOpen",e[e.open=2]="open",e[e.animatingClosed=3]="animatingClosed"}(n||(n={}));var k=function(e){function t(t){var o=e.call(this,t)||this;o._panel=i.createRef(),o._animationCallback=null,o._hasCustomNavigation=!(!o.props.onRenderNavigation&&!o.props.onRenderNavigationContent),o.dismiss=function(e){o.props.onDismiss&&o.props.onDismiss(e),(!e||e&&!e.defaultPrevented)&&o.close()},o._allowScrollOnPanel=function(e){e?o._allowTouchBodyScroll?(0,d.eC)(e,o._events):(0,d.C7)(e,o._events):o._events.off(o._scrollableContent),o._scrollableContent=e},o._onRenderNavigation=function(e){if(!o.props.onRenderNavigationContent&&!o.props.onRenderNavigation&&!o.props.hasCloseButton)return null;var t=o.props.onRenderNavigationContent,n=void 0===t?o._onRenderNavigationContent:t;return i.createElement("div",{className:o._classNames.navigation},n(e,o._onRenderNavigationContent))},o._onRenderNavigationContent=function(e){var t,n=e.closeButtonAriaLabel,r=e.hasCloseButton,s=e.onRenderHeader,l=void 0===s?o._onRenderHeader:s;if(r){var c=null===(t=o._classNames.subComponentStyles)||void 0===t?void 0:t.closeButton();return i.createElement(i.Fragment,null,!o._hasCustomNavigation&&l(o.props,o._onRenderHeader,o._headerTextId),i.createElement(a.h,{styles:c,className:o._classNames.closeButton,onClick:o._onPanelClick,ariaLabel:n,title:n,"data-is-visible":!0,iconProps:{iconName:"Cancel"}}))}return null},o._onRenderHeader=function(e,t,n){var a=e.headerText,s=e.headerTextProps,l=void 0===s?{}:s;return a?i.createElement("div",{className:o._classNames.header},i.createElement("div",(0,r.pi)({id:n,role:"heading","aria-level":1},l,{className:(0,p.i)(o._classNames.headerText,l.className)}),a)):null},o._onRenderBody=function(e){return i.createElement("div",{className:o._classNames.content},e.children)},o._onRenderFooter=function(e){var t=o.props.onRenderFooterContent,n=void 0===t?null:t;return n?i.createElement("div",{className:o._classNames.footer},i.createElement("div",{className:o._classNames.footerInner},n())):null},o._animateTo=function(e){e===n.open&&o.props.onOpen&&o.props.onOpen(),o._animationCallback=o._async.setTimeout((function(){o.setState({visibility:e}),o._onTransitionComplete()}),200)},o._clearExistingAnimationTimer=function(){null!==o._animationCallback&&o._async.clearTimeout(o._animationCallback)},o._onPanelClick=function(e){o.dismiss(e)},o._onTransitionComplete=function(){o._updateFooterPosition(),o.state.visibility===n.open&&o.props.onOpened&&o.props.onOpened(),o.state.visibility===n.closed&&o.props.onDismissed&&o.props.onDismissed()};var s=o.props.allowTouchBodyScroll,l=void 0!==s&&s;return o._allowTouchBodyScroll=l,o._async=new m.e(o),o._events=new h.r(o),(0,g.l)(o),(0,f.b)("Panel",t,{ignoreExternalFocusing:"focusTrapZoneProps",forceFocusInsideTrap:"focusTrapZoneProps",firstFocusableSelector:"focusTrapZoneProps"}),o.state={isFooterSticky:!1,visibility:n.closed,id:(0,v.z)("Panel")},o}return(0,r.ZT)(t,e),t.getDerivedStateFromProps=function(e,t){return void 0===e.isOpen?null:!e.isOpen||t.visibility!==n.closed&&t.visibility!==n.animatingClosed?e.isOpen||t.visibility!==n.open&&t.visibility!==n.animatingOpen?null:{visibility:n.animatingClosed}:{visibility:n.animatingOpen}},t.prototype.componentDidMount=function(){this._events.on(window,"resize",this._updateFooterPosition),this._shouldListenForOuterClick(this.props)&&this._events.on(document.body,"mousedown",this._dismissOnOuterClick,!0),this.props.isOpen&&this.setState({visibility:n.animatingOpen})},t.prototype.componentDidUpdate=function(e,t){var o=this._shouldListenForOuterClick(this.props),r=this._shouldListenForOuterClick(e);this.state.visibility!==t.visibility&&(this._clearExistingAnimationTimer(),this.state.visibility===n.animatingOpen?this._animateTo(n.open):this.state.visibility===n.animatingClosed&&this._animateTo(n.closed)),o&&!r?this._events.on(document.body,"mousedown",this._dismissOnOuterClick,!0):!o&&r&&this._events.off(document.body,"mousedown",this._dismissOnOuterClick,!0)},t.prototype.componentWillUnmount=function(){this._async.dispose(),this._events.dispose()},t.prototype.render=function(){var e=this.props,t=e.className,o=void 0===t?"":t,a=e.elementToFocusOnDismiss,u=e.firstFocusableSelector,d=e.focusTrapZoneProps,p=e.forceFocusInsideTrap,m=e.hasCloseButton,h=e.headerText,g=e.headerClassName,f=void 0===g?"":g,v=e.ignoreExternalFocusing,_=e.isBlocking,k=e.isFooterAtBottom,w=e.isLightDismiss,I=e.isHiddenOnDismiss,D=e.layerProps,T=e.overlayProps,E=e.popupProps,P=e.type,M=e.styles,R=e.theme,N=e.customWidth,B=e.onLightDismissClick,F=void 0===B?this._onPanelClick:B,L=e.onRenderNavigation,A=void 0===L?this._onRenderNavigation:L,z=e.onRenderHeader,H=void 0===z?this._onRenderHeader:z,O=e.onRenderBody,W=void 0===O?this._onRenderBody:O,V=e.onRenderFooter,K=void 0===V?this._onRenderFooter:V,q=this.state,G=q.isFooterSticky,U=q.visibility,j=q.id,J=P===S.w.smallFixedNear||P===S.w.customNear,Y=(0,b.zg)(R)?J:!J,Z=P===S.w.custom||P===S.w.customNear?{width:N}:{},X=(0,y.pq)(this.props,y.n7),Q=this.isActive,$=U===n.animatingClosed||U===n.animatingOpen;if(this._headerTextId=h&&j+"-headerText",!Q&&!$&&!I)return null;this._classNames=x(M,{theme:R,className:o,focusTrapZoneClassName:d?d.className:void 0,hasCloseButton:m,headerClassName:f,isAnimating:$,isFooterSticky:G,isFooterAtBottom:k,isOnRightSide:Y,isOpen:Q,isHiddenOnDismiss:I,type:P,hasCustomNavigation:this._hasCustomNavigation});var ee,te=this._classNames,oe=this._allowTouchBodyScroll;return _&&Q&&(ee=i.createElement(l.a,(0,r.pi)({className:te.overlay,isDarkThemed:!1,onClick:w?F:void 0,allowTouchBodyScroll:oe},T))),i.createElement(s.m,(0,r.pi)({},D),i.createElement(c.G,(0,r.pi)({role:"dialog","aria-modal":"true",ariaLabelledBy:this._headerTextId?this._headerTextId:void 0,onDismiss:this.dismiss,className:te.hiddenPanel},E),i.createElement("div",(0,r.pi)({"aria-hidden":!Q&&$},X,{ref:this._panel,className:te.root}),ee,i.createElement(C.P,(0,r.pi)({ignoreExternalFocusing:v,forceFocusInsideTrap:!(!_||I&&!Q)&&p,firstFocusableSelector:u,isClickableOutsideFocusTrap:!0},d,{className:te.main,style:Z,elementToFocusOnDismiss:a}),i.createElement("div",{className:te.commands,"data-is-visible":!0},A(this.props,this._onRenderNavigation)),i.createElement("div",{className:te.contentInner},(this._hasCustomNavigation||!m)&&H(this.props,this._onRenderHeader,this._headerTextId),i.createElement("div",{ref:this._allowScrollOnPanel,className:te.scrollableContent,"data-is-scrollable":!0},W(this.props,this._onRenderBody)),K(this.props,this._onRenderFooter))))))},t.prototype.open=function(){void 0===this.props.isOpen&&(this.isActive||this.setState({visibility:n.animatingOpen}))},t.prototype.close=function(){void 0===this.props.isOpen&&this.isActive&&this.setState({visibility:n.animatingClosed})},Object.defineProperty(t.prototype,"isActive",{get:function(){return this.state.visibility===n.open||this.state.visibility===n.animatingOpen},enumerable:!0,configurable:!0}),t.prototype._shouldListenForOuterClick=function(e){return!!e.isBlocking&&!!e.isOpen},t.prototype._updateFooterPosition=function(){var e=this._scrollableContent;if(e){var t=e.clientHeight,o=e.scrollHeight;this.setState({isFooterSticky:t{"use strict";o.d(t,{s:()=>S});var n,r,i,a,s,l=o(2002),c=o(5357),u=o(7622),d=o(2758),p=o(9729),m={root:"ms-Panel",main:"ms-Panel-main",commands:"ms-Panel-commands",contentInner:"ms-Panel-contentInner",scrollableContent:"ms-Panel-scrollableContent",navigation:"ms-Panel-navigation",closeButton:"ms-Panel-closeButton ms-PanelAction-close",header:"ms-Panel-header",headerText:"ms-Panel-headerText",content:"ms-Panel-content",footer:"ms-Panel-footer",footerInner:"ms-Panel-footerInner",isOpen:"is-open",hasCloseButton:"ms-Panel--hasCloseButton",smallFluid:"ms-Panel--smFluid",smallFixedNear:"ms-Panel--smLeft",smallFixedFar:"ms-Panel--sm",medium:"ms-Panel--md",large:"ms-Panel--lg",largeFixed:"ms-Panel--fixed",extraLarge:"ms-Panel--xl",custom:"ms-Panel--custom",customNear:"ms-Panel--customLeft"},h="auto",g=((n={})["@media (min-width: "+p.dd+"px)"]={width:340},n),f=((r={})["@media (min-width: "+p.AV+"px)"]={width:592},r["@media (min-width: "+p.qv+"px)"]={width:644},r),v=((i={})["@media (min-width: "+p.bE+"px)"]={left:48,width:"auto"},i["@media (min-width: "+p.B+"px)"]={left:428},i),b=((a={})["@media (min-width: "+p.B+"px)"]={left:h,width:940},a),y=((s={})["@media (min-width: "+p.B+"px)"]={left:176},s),_=function(e){var t;switch(e){case d.w.smallFixedFar:t=(0,u.pi)({},g);break;case d.w.medium:t=(0,u.pi)((0,u.pi)({},g),f);break;case d.w.large:t=(0,u.pi)((0,u.pi)((0,u.pi)({},g),f),v);break;case d.w.largeFixed:t=(0,u.pi)((0,u.pi)((0,u.pi)((0,u.pi)({},g),f),v),b);break;case d.w.extraLarge:t=(0,u.pi)((0,u.pi)((0,u.pi)((0,u.pi)({},g),f),v),y)}return t},C={paddingLeft:"24px",paddingRight:"24px"},S=(0,l.z)(c.P,(function(e){var t,o=e.className,n=e.focusTrapZoneClassName,r=e.hasCloseButton,i=e.headerClassName,a=e.isAnimating,s=e.isFooterSticky,l=e.isFooterAtBottom,c=e.isOnRightSide,g=e.isOpen,f=e.isHiddenOnDismiss,v=e.hasCustomNavigation,b=e.theme,y=e.type,S=void 0===y?d.w.smallFixedFar:y,x=b.effects,k=b.fonts,w=b.semanticColors,I=(0,p.Cn)(m,b),D=S===d.w.custom||S===d.w.customNear;return{root:[I.root,b.fonts.medium,g&&I.isOpen,r&&I.hasCloseButton,{pointerEvents:"none",position:"absolute",top:0,left:0,right:0,bottom:0},D&&c&&I.custom,D&&!c&&I.customNear,o],overlay:[{pointerEvents:"auto",cursor:"pointer"},g&&a&&p.k4.fadeIn100,!g&&a&&p.k4.fadeOut100],hiddenPanel:[!g&&!a&&f&&{visibility:"hidden"}],main:[I.main,{backgroundColor:w.bodyBackground,boxShadow:x.elevation64,pointerEvents:"auto",position:"absolute",display:"flex",flexDirection:"column",overflowX:"hidden",overflowY:"auto",WebkitOverflowScrolling:"touch",bottom:0,top:0,left:h,right:0,width:"100%",selectors:(0,u.pi)((t={},t[p.qJ]={borderLeft:"3px solid "+w.variantBorder,borderRight:"3px solid "+w.variantBorder},t),_(S))},S===d.w.smallFluid&&{left:0},S===d.w.smallFixedNear&&{left:0,right:h,width:272},S===d.w.customNear&&{right:"auto",left:0},D&&{maxWidth:"100vw"},g&&a&&!c&&p.k4.slideRightIn40,g&&a&&c&&p.k4.slideLeftIn40,!g&&a&&!c&&p.k4.slideLeftOut40,!g&&a&&c&&p.k4.slideRightOut40,n],commands:[I.commands,{marginTop:18},v&&{marginTop:"inherit"}],navigation:[I.navigation,{display:"flex",justifyContent:"flex-end"},v&&{height:"44px"}],contentInner:[I.contentInner,{display:"flex",flexDirection:"column",flexGrow:1,overflowY:"hidden"}],header:[I.header,C,{alignSelf:"flex-start"},r&&!v&&{flexGrow:1},v&&{flexShrink:0}],headerText:[I.headerText,k.xLarge,{color:w.bodyText,lineHeight:"27px",overflowWrap:"break-word",wordWrap:"break-word",wordBreak:"break-word",hyphens:"auto"},i],scrollableContent:[I.scrollableContent,{overflowY:"auto"},l&&{flexGrow:1}],content:[I.content,C,{paddingBottom:20}],footer:[I.footer,{flexShrink:0,borderTop:"1px solid transparent",transition:"opacity "+p.D1.durationValue3+" "+p.D1.easeFunction2},s&&{background:w.bodyBackground,borderTopColor:w.variantBorder}],footerInner:[I.footerInner,C,{paddingBottom:16,paddingTop:16}],subComponentStyles:{closeButton:{root:[I.closeButton,{marginRight:14,color:b.palette.neutralSecondary,fontSize:p.ld.large},v&&{marginRight:0,height:"auto",width:"44px"}],rootHovered:{color:b.palette.neutralPrimary}}}}}),void 0,{scope:"Panel"})},2758:(e,t,o)=>{"use strict";var n;o.d(t,{w:()=>n}),function(e){e[e.smallFluid=0]="smallFluid",e[e.smallFixedFar=1]="smallFixedFar",e[e.smallFixedNear=2]="smallFixedNear",e[e.medium=3]="medium",e[e.large=4]="large",e[e.largeFixed=5]="largeFixed",e[e.extraLarge=6]="extraLarge",e[e.custom=7]="custom",e[e.customNear=8]="customNear"}(n||(n={}))},7047:(e,t,o)=>{"use strict";o.d(t,{R:()=>f});var n=o(7622),r=o(7002),i=o(7300),a=o(63),s=o(8127),l=o(5816),c=o(3967),u=o(6543),d=o(7481),p=o(9241),m=o(6628),h=(0,i.y)(),g={size:d.Ir.size48,presence:d.H_.none,imageAlt:""},f=r.forwardRef((function(e,t){var o=(0,a.j)(g,e),i=r.useRef(null),f=(0,p.r)(t,i),v=function(){return o.text||o.primaryText||""},b=function(e,t,n){return r.createElement("div",{dir:"auto",className:e},t&&t(o,n))},y=function(e){return e?function(){return r.createElement(l.G,{content:e,overflowMode:c.y.Parent,directionalHint:m.b.topLeftEdge},e)}:void 0},_=y(v()),C=y(o.secondaryText),S=y(o.tertiaryText),x=y(o.optionalText),k=o.hidePersonaDetails,w=o.onRenderOptionalText,I=void 0===w?x:w,D=o.onRenderPrimaryText,T=void 0===D?_:D,E=o.onRenderSecondaryText,P=void 0===E?C:E,M=o.onRenderTertiaryText,R=void 0===M?S:M,N=o.onRenderPersonaCoin,B=void 0===N?function(e){return r.createElement(u.t,(0,n.pi)({},e))}:N,F=o.size,L=o.allowPhoneInitials,A=o.className,z=o.coinProps,H=o.showUnknownPersonaCoin,O=o.coinSize,W=o.styles,V=o.imageAlt,K=o.imageInitials,q=o.imageShouldFadeIn,G=o.imageShouldStartVisible,U=o.imageUrl,j=o.initialsColor,J=o.initialsTextColor,Y=o.isOutOfOffice,Z=o.onPhotoLoadingStateChange,X=o.onRenderCoin,Q=o.onRenderInitials,$=o.presence,ee=o.presenceTitle,te=o.presenceColors,oe=o.showInitialsUntilImageLoads,ne=o.showSecondaryText,re=o.theme,ie=(0,n.pi)({allowPhoneInitials:L,showUnknownPersonaCoin:H,coinSize:O,imageAlt:V,imageInitials:K,imageShouldFadeIn:q,imageShouldStartVisible:G,imageUrl:U,initialsColor:j,initialsTextColor:J,onPhotoLoadingStateChange:Z,onRenderCoin:X,onRenderInitials:Q,presence:$,presenceTitle:ee,showInitialsUntilImageLoads:oe,size:F,text:v(),isOutOfOffice:Y,presenceColors:te},z),ae=h(W,{theme:re,className:A,showSecondaryText:ne,presence:$,size:F}),se=(0,s.pq)(o,s.n7),le=r.createElement("div",{className:ae.details},b(ae.primaryText,T,_),b(ae.secondaryText,P,C),b(ae.tertiaryText,R,S),b(ae.optionalText,I,x),o.children);return r.createElement("div",(0,n.pi)({},se,{ref:f,className:ae.root,style:O?{height:O,minWidth:O}:void 0}),B(ie,B),(!k||F===d.Ir.size8||F===d.Ir.size10||F===d.Ir.tiny)&&le)}));f.displayName="PersonaBase"},7665:(e,t,o)=>{"use strict";o.d(t,{I:()=>l});var n=o(2002),r=o(7047),i=o(9729),a=o(8337),s={root:"ms-Persona",size8:"ms-Persona--size8",size10:"ms-Persona--size10",size16:"ms-Persona--size16",size24:"ms-Persona--size24",size28:"ms-Persona--size28",size32:"ms-Persona--size32",size40:"ms-Persona--size40",size48:"ms-Persona--size48",size56:"ms-Persona--size56",size72:"ms-Persona--size72",size100:"ms-Persona--size100",size120:"ms-Persona--size120",available:"ms-Persona--online",away:"ms-Persona--away",blocked:"ms-Persona--blocked",busy:"ms-Persona--busy",doNotDisturb:"ms-Persona--donotdisturb",offline:"ms-Persona--offline",details:"ms-Persona-details",primaryText:"ms-Persona-primaryText",secondaryText:"ms-Persona-secondaryText",tertiaryText:"ms-Persona-tertiaryText",optionalText:"ms-Persona-optionalText",textContent:"ms-Persona-textContent"},l=(0,n.z)(r.R,(function(e){var t=e.className,o=e.showSecondaryText,n=e.theme,r=n.semanticColors,l=n.fonts,c=(0,i.Cn)(s,n),u=(0,a.yR)(e.size),d=(0,a.zx)(e.presence),p="16px",m={color:r.bodySubtext,fontWeight:i.lq.regular,fontSize:l.small.fontSize};return{root:[c.root,n.fonts.medium,i.Fv,{color:r.bodyText,position:"relative",height:a.or.size48,minWidth:a.or.size48,display:"flex",alignItems:"center",selectors:{".contextualHost":{display:"none"}}},u.isSize8&&[c.size8,{height:a.or.size8,minWidth:a.or.size8}],u.isSize10&&[c.size10,{height:a.or.size10,minWidth:a.or.size10}],u.isSize16&&[c.size16,{height:a.or.size16,minWidth:a.or.size16}],u.isSize24&&[c.size24,{height:a.or.size24,minWidth:a.or.size24}],u.isSize24&&o&&{height:"36px"},u.isSize28&&[c.size28,{height:a.or.size28,minWidth:a.or.size28}],u.isSize28&&o&&{height:"32px"},u.isSize32&&[c.size32,{height:a.or.size32,minWidth:a.or.size32}],u.isSize40&&[c.size40,{height:a.or.size40,minWidth:a.or.size40}],u.isSize48&&c.size48,u.isSize56&&[c.size56,{height:a.or.size56,minWidth:a.or.size56}],u.isSize72&&[c.size72,{height:a.or.size72,minWidth:a.or.size72}],u.isSize100&&[c.size100,{height:a.or.size100,minWidth:a.or.size100}],u.isSize120&&[c.size120,{height:a.or.size120,minWidth:a.or.size120}],d.isAvailable&&c.available,d.isAway&&c.away,d.isBlocked&&c.blocked,d.isBusy&&c.busy,d.isDoNotDisturb&&c.doNotDisturb,d.isOffline&&c.offline,t],details:[c.details,{padding:"0 24px 0 16px",minWidth:0,width:"100%",textAlign:"left",display:"flex",flexDirection:"column",justifyContent:"space-around"},(u.isSize8||u.isSize10)&&{paddingLeft:17},(u.isSize24||u.isSize28||u.isSize32)&&{padding:"0 8px"},(u.isSize40||u.isSize48)&&{padding:"0 12px"}],primaryText:[c.primaryText,i.jq,{color:r.bodyText,fontWeight:i.lq.regular,fontSize:l.medium.fontSize,selectors:{":hover":{color:r.inputTextHovered}}},o&&{height:p,lineHeight:p,overflowX:"hidden"},(u.isSize8||u.isSize10)&&{fontSize:l.small.fontSize,lineHeight:a.or.size8},u.isSize16&&{lineHeight:a.or.size28},(u.isSize24||u.isSize28||u.isSize32||u.isSize40||u.isSize48)&&o&&{height:18},(u.isSize56||u.isSize72||u.isSize100||u.isSize120)&&{fontSize:l.xLarge.fontSize},(u.isSize56||u.isSize72||u.isSize100||u.isSize120)&&o&&{height:22}],secondaryText:[c.secondaryText,i.jq,m,(u.isSize8||u.isSize10||u.isSize16||u.isSize24||u.isSize28||u.isSize32)&&{display:"none"},o&&{display:"block",height:p,lineHeight:p,overflowX:"hidden"},u.isSize24&&o&&{height:18},(u.isSize56||u.isSize72||u.isSize100||u.isSize120)&&{fontSize:l.medium.fontSize},(u.isSize56||u.isSize72||u.isSize100||u.isSize120)&&o&&{height:18}],tertiaryText:[c.tertiaryText,i.jq,m,{display:"none",fontSize:l.medium.fontSize},(u.isSize72||u.isSize100||u.isSize120)&&{display:"block"}],optionalText:[c.optionalText,i.jq,m,{display:"none",fontSize:l.medium.fontSize},(u.isSize100||u.isSize120)&&{display:"block"}],textContent:[c.textContent,i.jq]}}),void 0,{scope:"Persona"})},7481:(e,t,o)=>{"use strict";var n,r,i;o.d(t,{Ir:()=>n,H_:()=>r,z5:()=>i}),function(e){e[e.tiny=0]="tiny",e[e.extraExtraSmall=1]="extraExtraSmall",e[e.extraSmall=2]="extraSmall",e[e.small=3]="small",e[e.regular=4]="regular",e[e.large=5]="large",e[e.extraLarge=6]="extraLarge",e[e.size8=17]="size8",e[e.size10=9]="size10",e[e.size16=8]="size16",e[e.size24=10]="size24",e[e.size28=7]="size28",e[e.size32=11]="size32",e[e.size40=12]="size40",e[e.size48=13]="size48",e[e.size56=16]="size56",e[e.size72=14]="size72",e[e.size100=15]="size100",e[e.size120=18]="size120"}(n||(n={})),function(e){e[e.none=0]="none",e[e.offline=1]="offline",e[e.online=2]="online",e[e.away=3]="away",e[e.dnd=4]="dnd",e[e.blocked=5]="blocked",e[e.busy=6]="busy"}(r||(r={})),function(e){e[e.lightBlue=0]="lightBlue",e[e.blue=1]="blue",e[e.darkBlue=2]="darkBlue",e[e.teal=3]="teal",e[e.lightGreen=4]="lightGreen",e[e.green=5]="green",e[e.darkGreen=6]="darkGreen",e[e.lightPink=7]="lightPink",e[e.pink=8]="pink",e[e.magenta=9]="magenta",e[e.purple=10]="purple",e[e.black=11]="black",e[e.orange=12]="orange",e[e.red=13]="red",e[e.darkRed=14]="darkRed",e[e.transparent=15]="transparent",e[e.violet=16]="violet",e[e.lightRed=17]="lightRed",e[e.gold=18]="gold",e[e.burgundy=19]="burgundy",e[e.warmGray=20]="warmGray",e[e.coolGray=21]="coolGray",e[e.gray=22]="gray",e[e.cyan=23]="cyan",e[e.rust=24]="rust"}(i||(i={}))},867:(e,t,o)=>{"use strict";o.d(t,{z:()=>R});var n=o(7622),r=o(7002),i=o(7300),a=o(5094),s=o(63),l=o(8127),c=o(5951),u=o(6104),d=o(9729),p=o(2002),m=o(9947),h=o(7481),g=o(8337),f=o(9241),v=(0,i.y)({cacheSize:100}),b=r.forwardRef((function(e,t){var o=e.coinSize,n=e.isOutOfOffice,i=e.styles,a=e.presence,s=e.theme,l=e.presenceTitle,c=e.presenceColors,u=r.useRef(null),d=(0,f.r)(t,u),p=(0,g.yR)(e.size),b=!(p.isSize8||p.isSize10||p.isSize16||p.isSize24||p.isSize28||p.isSize32)&&(!o||o>32),_=o?o/3<40?o/3+"px":"40px":"",C=o?{fontSize:o?o/6<20?o/6+"px":"20px":"",lineHeight:_}:void 0,S=o?{width:_,height:_}:void 0,x=v(i,{theme:s,presence:a,size:e.size,isOutOfOffice:n,presenceColors:c});return a===h.H_.none?null:r.createElement("div",{role:"presentation",className:x.presence,style:S,title:l,ref:d},b&&r.createElement(m.J,{className:x.presenceIcon,iconName:y(e.presence,e.isOutOfOffice),style:C}))}));function y(e,t){if(e){var o="SkypeArrow";switch(h.H_[e]){case"online":return"SkypeCheck";case"away":return t?o:"SkypeClock";case"dnd":return"SkypeMinus";case"offline":return t?o:""}return""}}b.displayName="PersonaPresenceBase";var _={presence:"ms-Persona-presence",presenceIcon:"ms-Persona-presenceIcon"};function C(e){return{color:e,borderColor:e}}function S(e,t){return{selectors:{":before":{border:e+" solid "+t}}}}function x(e){return{height:e,width:e}}function k(e){return{backgroundColor:e}}var w=(0,p.z)(b,(function(e){var t,o,r,i,a,s,l=e.theme,c=e.presenceColors,u=l.semanticColors,p=l.fonts,m=(0,d.Cn)(_,l),h=(0,g.yR)(e.size),f=(0,g.zx)(e.presence),v=c&&c.available||"#6BB700",b=c&&c.away||"#FFAA44",y=c&&c.busy||"#C43148",w=c&&c.dnd||"#C50F1F",I=c&&c.offline||"#8A8886",D=c&&c.oof||"#B4009E",T=c&&c.background||u.bodyBackground,E=f.isOffline||e.isOutOfOffice&&(f.isAvailable||f.isBusy||f.isAway||f.isDoNotDisturb),P=h.isSize72||h.isSize100?"2px":"1px";return{presence:[m.presence,(0,n.pi)((0,n.pi)({position:"absolute",height:g.bw.size12,width:g.bw.size12,borderRadius:"50%",top:"auto",right:"-2px",bottom:"-2px",border:"2px solid "+T,textAlign:"center",boxSizing:"content-box",backgroundClip:"content-box"},(0,d.xM)()),{selectors:(t={},t[d.qJ]={borderColor:"Window",backgroundColor:"WindowText"},t)}),(h.isSize8||h.isSize10)&&{right:"auto",top:"7px",left:0,border:0,selectors:(o={},o[d.qJ]={top:"9px",border:"1px solid WindowText"},o)},(h.isSize8||h.isSize10||h.isSize24||h.isSize28||h.isSize32)&&x(g.bw.size8),(h.isSize40||h.isSize48)&&x(g.bw.size12),h.isSize16&&{height:g.bw.size6,width:g.bw.size6,borderWidth:"1.5px"},h.isSize56&&x(g.bw.size16),h.isSize72&&x(g.bw.size20),h.isSize100&&x(g.bw.size28),h.isSize120&&x(g.bw.size32),f.isAvailable&&{backgroundColor:v,selectors:(r={},r[d.qJ]=k("Highlight"),r)},f.isAway&&k(b),f.isBlocked&&[{selectors:(i={":after":h.isSize40||h.isSize48||h.isSize72||h.isSize100?{content:'""',width:"100%",height:P,backgroundColor:y,transform:"translateY(-50%) rotate(-45deg)",position:"absolute",top:"50%",left:0}:void 0},i[d.qJ]={selectors:{":after":{width:"calc(100% - 4px)",left:"2px",backgroundColor:"Window"}}},i)}],f.isBusy&&k(y),f.isDoNotDisturb&&k(w),f.isOffline&&k(I),(E||f.isBlocked)&&[{backgroundColor:T,selectors:(a={":before":{content:'""',width:"100%",height:"100%",position:"absolute",top:0,left:0,border:P+" solid "+y,borderRadius:"50%",boxSizing:"border-box"}},a[d.qJ]={backgroundColor:"WindowText",selectors:{":before":{width:"calc(100% - 2px)",height:"calc(100% - 2px)",top:"1px",left:"1px",borderColor:"Window"}}},a)}],E&&f.isAvailable&&S(P,v),E&&f.isBusy&&S(P,y),E&&f.isAway&&S(P,D),E&&f.isDoNotDisturb&&S(P,w),E&&f.isOffline&&S(P,I),E&&f.isOffline&&e.isOutOfOffice&&S(P,D)],presenceIcon:[m.presenceIcon,{color:T,fontSize:"6px",lineHeight:g.bw.size12,verticalAlign:"top",selectors:(s={},s[d.qJ]={color:"Window"},s)},h.isSize56&&{fontSize:"8px",lineHeight:g.bw.size16},h.isSize72&&{fontSize:p.small.fontSize,lineHeight:g.bw.size20},h.isSize100&&{fontSize:p.medium.fontSize,lineHeight:g.bw.size28},h.isSize120&&{fontSize:p.medium.fontSize,lineHeight:g.bw.size32},f.isAway&&{position:"relative",left:E?void 0:"1px"},E&&f.isAvailable&&C(v),E&&f.isBusy&&C(y),E&&f.isAway&&C(D),E&&f.isDoNotDisturb&&C(w),E&&f.isOffline&&C(I),E&&f.isOffline&&e.isOutOfOffice&&C(D)]}}),void 0,{scope:"PersonaPresence"}),I=o(6711),D=o(4861),T=o(4192),E=(0,i.y)({cacheSize:100}),P=(0,a.NF)((function(e,t,o,n,r,i){return(0,d.y0)(e,!i&&{backgroundColor:(0,T.g)({text:n,initialsColor:t,primaryText:r}),color:o})})),M={size:h.Ir.size48,presence:h.H_.none,imageAlt:""},R=r.forwardRef((function(e,t){var o=(0,s.j)(M,e),i=function(e){var t=e.onPhotoLoadingStateChange,o=e.imageUrl,n=r.useState(I.U9.notLoaded),i=n[0],a=n[1];return r.useEffect((function(){a(I.U9.notLoaded)}),[o]),[i,function(e){var o;a(e),null===(o=t)||void 0===o||o(e)}]}(o),a=i[0],c=i[1],u=N(c),d=o.className,p=o.coinProps,g=o.showUnknownPersonaCoin,f=o.coinSize,v=o.styles,b=o.imageUrl,y=o.initialsColor,_=o.initialsTextColor,C=o.isOutOfOffice,S=o.onRenderCoin,x=void 0===S?u:S,k=o.onRenderPersonaCoin,D=void 0===k?x:k,T=o.onRenderInitials,R=void 0===T?B:T,F=o.presence,L=o.presenceTitle,A=o.presenceColors,z=o.primaryText,H=o.showInitialsUntilImageLoads,O=o.text,W=o.theme,V=o.size,K=(0,l.pq)(o,l.n7),q=(0,l.pq)(p||{},l.n7),G=f?{width:f,height:f}:void 0,U=g,j={coinSize:f,isOutOfOffice:C,presence:F,presenceTitle:L,presenceColors:A,size:V,theme:W},J=E(v,{theme:W,className:p&&p.className?p.className:d,size:V,coinSize:f,showUnknownPersonaCoin:g}),Y=Boolean(a!==I.U9.loaded&&(H&&b||!b||a===I.U9.error||U));return r.createElement("div",(0,n.pi)({role:"presentation"},K,{className:J.coin,ref:t}),V!==h.Ir.size8&&V!==h.Ir.size10&&V!==h.Ir.tiny?r.createElement("div",(0,n.pi)({role:"presentation"},q,{className:J.imageArea,style:G}),Y&&r.createElement("div",{className:P(J.initials,y,_,O,z,g),style:G,"aria-hidden":"true"},R(o,B)),!U&&D(o,u),r.createElement(w,(0,n.pi)({},j))):o.presence?r.createElement(w,(0,n.pi)({},j)):r.createElement(m.J,{iconName:"Contact",className:J.size10WithoutPresenceIcon}),o.children)}));R.displayName="PersonaCoinBase";var N=function(e){return function(t){var o=t.coinSize,n=t.styles,i=t.imageUrl,a=t.imageAlt,s=t.imageShouldFadeIn,l=t.imageShouldStartVisible,c=t.theme,u=t.showUnknownPersonaCoin,d=t.size,p=void 0===d?M.size:d;if(!i)return null;var m=E(n,{theme:c,size:p,showUnknownPersonaCoin:u}),h=o||g.Y4[p];return r.createElement(D.E,{className:m.image,imageFit:I.kQ.cover,src:i,width:h,height:h,alt:a,shouldFadeIn:s,shouldStartVisible:l,onLoadingStateChange:e})}},B=function(e){var t=e.imageInitials,o=e.allowPhoneInitials,n=e.showUnknownPersonaCoin,i=e.text,a=e.primaryText,s=e.theme;if(n)return r.createElement(m.J,{iconName:"Help"});var l=(0,c.zg)(s);return""!==(t=t||(0,u.Q)(i||a||"",l,o))?r.createElement("span",null,t):r.createElement(m.J,{iconName:"Contact"})}},6543:(e,t,o)=>{"use strict";o.d(t,{t:()=>c});var n=o(2002),r=o(867),i=o(7622),a=o(9729),s=o(8337),l={coin:"ms-Persona-coin",imageArea:"ms-Persona-imageArea",image:"ms-Persona-image",initials:"ms-Persona-initials",size8:"ms-Persona--size8",size10:"ms-Persona--size10",size16:"ms-Persona--size16",size24:"ms-Persona--size24",size28:"ms-Persona--size28",size32:"ms-Persona--size32",size40:"ms-Persona--size40",size48:"ms-Persona--size48",size56:"ms-Persona--size56",size72:"ms-Persona--size72",size100:"ms-Persona--size100",size120:"ms-Persona--size120"},c=(0,n.z)(r.z,(function(e){var t,o=e.className,n=e.theme,r=e.coinSize,c=n.palette,u=n.fonts,d=(0,s.yR)(e.size),p=(0,a.Cn)(l,n),m=r||e.size&&s.Y4[e.size]||48;return{coin:[p.coin,u.medium,d.isSize8&&p.size8,d.isSize10&&p.size10,d.isSize16&&p.size16,d.isSize24&&p.size24,d.isSize28&&p.size28,d.isSize32&&p.size32,d.isSize40&&p.size40,d.isSize48&&p.size48,d.isSize56&&p.size56,d.isSize72&&p.size72,d.isSize100&&p.size100,d.isSize120&&p.size120,o],size10WithoutPresenceIcon:{fontSize:u.xSmall.fontSize,position:"absolute",top:"5px",right:"auto",left:0},imageArea:[p.imageArea,{position:"relative",textAlign:"center",flex:"0 0 auto",height:m,width:m},m<=10&&{overflow:"visible",background:"transparent",height:0,width:0}],image:[p.image,{marginRight:"10px",position:"absolute",top:0,left:0,width:"100%",height:"100%",border:0,borderRadius:"50%",perspective:"1px"},m<=10&&{overflow:"visible",background:"transparent",height:0,width:0},m>10&&{height:m,width:m}],initials:[p.initials,{borderRadius:"50%",color:e.showUnknownPersonaCoin?"rgb(168, 0, 0)":c.white,fontSize:u.large.fontSize,fontWeight:a.lq.semibold,lineHeight:48===m?46:m,height:m,selectors:(t={},t[a.qJ]=(0,i.pi)((0,i.pi)({border:"1px solid WindowText"},(0,a.xM)()),{color:"WindowText",boxSizing:"border-box",backgroundColor:"Window !important"}),t.i={fontWeight:a.lq.semibold},t)},e.showUnknownPersonaCoin&&{backgroundColor:"rgb(234, 234, 234)"},m<32&&{fontSize:u.xSmall.fontSize},m>=32&&m<40&&{fontSize:u.medium.fontSize},m>=40&&m<56&&{fontSize:u.mediumPlus.fontSize},m>=56&&m<72&&{fontSize:u.xLarge.fontSize},m>=72&&m<100&&{fontSize:u.xxLarge.fontSize},m>=100&&{fontSize:u.superLarge.fontSize}]}}),void 0,{scope:"PersonaCoin"})},8337:(e,t,o)=>{"use strict";o.d(t,{or:()=>r,bw:()=>i,yR:()=>s,Y4:()=>l,zx:()=>c});var n,r,i,a=o(7481);!function(e){e.size8="20px",e.size10="20px",e.size16="16px",e.size24="24px",e.size28="28px",e.size32="32px",e.size40="40px",e.size48="48px",e.size56="56px",e.size72="72px",e.size100="100px",e.size120="120px"}(r||(r={})),function(e){e.size6="6px",e.size8="8px",e.size12="12px",e.size16="16px",e.size20="20px",e.size28="28px",e.size32="32px",e.border="2px"}(i||(i={}));var s=function(e){return{isSize8:e===a.Ir.size8,isSize10:e===a.Ir.size10||e===a.Ir.tiny,isSize16:e===a.Ir.size16,isSize24:e===a.Ir.size24||e===a.Ir.extraExtraSmall,isSize28:e===a.Ir.size28||e===a.Ir.extraSmall,isSize32:e===a.Ir.size32,isSize40:e===a.Ir.size40||e===a.Ir.small,isSize48:e===a.Ir.size48||e===a.Ir.regular,isSize56:e===a.Ir.size56,isSize72:e===a.Ir.size72||e===a.Ir.large,isSize100:e===a.Ir.size100||e===a.Ir.extraLarge,isSize120:e===a.Ir.size120}},l=((n={})[a.Ir.tiny]=10,n[a.Ir.extraExtraSmall]=24,n[a.Ir.extraSmall]=28,n[a.Ir.small]=40,n[a.Ir.regular]=48,n[a.Ir.large]=72,n[a.Ir.extraLarge]=100,n[a.Ir.size8]=8,n[a.Ir.size10]=10,n[a.Ir.size16]=16,n[a.Ir.size24]=24,n[a.Ir.size28]=28,n[a.Ir.size32]=32,n[a.Ir.size40]=40,n[a.Ir.size48]=48,n[a.Ir.size56]=56,n[a.Ir.size72]=72,n[a.Ir.size100]=100,n[a.Ir.size120]=120,n),c=function(e){return{isAvailable:e===a.H_.online,isAway:e===a.H_.away,isBlocked:e===a.H_.blocked,isBusy:e===a.H_.busy,isDoNotDisturb:e===a.H_.dnd,isOffline:e===a.H_.offline}}},4192:(e,t,o)=>{"use strict";o.d(t,{g:()=>a});var n=o(7481),r=[n.z5.lightBlue,n.z5.blue,n.z5.darkBlue,n.z5.teal,n.z5.green,n.z5.darkGreen,n.z5.lightPink,n.z5.pink,n.z5.magenta,n.z5.purple,n.z5.orange,n.z5.lightRed,n.z5.darkRed,n.z5.violet,n.z5.gold,n.z5.burgundy,n.z5.warmGray,n.z5.cyan,n.z5.rust,n.z5.coolGray],i=r.length;function a(e){var t=e.primaryText,o=e.text,a=e.initialsColor;return"string"==typeof a?a:function(e){switch(e){case n.z5.lightBlue:return"#4F6BED";case n.z5.blue:return"#0078D4";case n.z5.darkBlue:return"#004E8C";case n.z5.teal:return"#038387";case n.z5.lightGreen:case n.z5.green:return"#498205";case n.z5.darkGreen:return"#0B6A0B";case n.z5.lightPink:return"#C239B3";case n.z5.pink:return"#E3008C";case n.z5.magenta:return"#881798";case n.z5.purple:return"#5C2E91";case n.z5.orange:return"#CA5010";case n.z5.red:return"#EE1111";case n.z5.lightRed:return"#D13438";case n.z5.darkRed:return"#A4262C";case n.z5.transparent:return"transparent";case n.z5.violet:return"#8764B8";case n.z5.gold:return"#986F0B";case n.z5.burgundy:return"#750B1C";case n.z5.warmGray:return"#7A7574";case n.z5.cyan:return"#005B70";case n.z5.rust:return"#8E562E";case n.z5.coolGray:return"#69797E";case n.z5.black:return"#1D1D1D";case n.z5.gray:return"#393939"}}(a=void 0!==a?a:function(e){var t=n.z5.blue;if(!e)return t;for(var o=0,a=e.length-1;a>=0;a--){var s=e.charCodeAt(a),l=a%8;o^=(s<>8-l)}return r[o%i]}(o||t))}},752:(e,t,o)=>{"use strict";o.d(t,{G:()=>g});var n=o(7622),r=o(7002),i=o(9757),a=o(5446),s=o(4553),l=o(8145),c=o(8127),u=o(3528),d=o(757),p=o(9241),m=o(8901);function h(e){var t=e.originalElement,o=e.containsFocus;t&&o&&t!==(0,i.J)()&&setTimeout((function(){var e,o;null===(o=(e=t).focus)||void 0===o||o.call(e)}),0)}var g=r.forwardRef((function(e,t){e=(0,n.pi)({shouldRestoreFocus:!0},e);var o=r.useRef(),i=(0,p.r)(o,t);!function(e,t){var o=e.onRestoreFocus,n=void 0===o?h:o,i=r.useRef(),l=r.useRef(!1);r.useEffect((function(){return i.current=(0,a.M)().activeElement,(0,s.WU)(t.current)&&(l.current=!0),function(){var e,t;null===(e=n)||void 0===e||e({originalElement:i.current,containsFocus:l.current,documentContainsFocus:(null===(t=(0,a.M)())||void 0===t?void 0:t.hasFocus())||!1}),i.current=void 0}}),[]),(0,d.d)(t,"focus",r.useCallback((function(){l.current=!0}),[]),!0),(0,d.d)(t,"blur",r.useCallback((function(e){t.current&&e.relatedTarget&&!t.current.contains(e.relatedTarget)&&(l.current=!1)}),[]),!0)}(e,o);var g=e.role,f=e.className,v=e.ariaLabel,b=e.ariaLabelledBy,y=e.ariaDescribedBy,_=e.style,C=e.children,S=e.onDismiss,x=function(e,t){var o=(0,u.r)(),n=r.useState(!1),i=n[0],a=n[1];return r.useEffect((function(){return o.requestAnimationFrame((function(){var o;if(!e.style||!e.style.overflowY){var n=!1;if(t&&t.current&&(null===(o=t.current)||void 0===o?void 0:o.firstElementChild)){var r=t.current.clientHeight,s=t.current.firstElementChild.clientHeight;r>0&&s>r&&(n=s-r>1)}i!==n&&a(n)}})),function(){return o.dispose()}})),i}(e,o),k=r.useCallback((function(e){switch(e.which){case l.m.escape:S&&(S(e),e.preventDefault(),e.stopPropagation())}}),[S]),w=(0,m.zY)();return(0,d.d)(w,"keydown",k),r.createElement("div",(0,n.pi)({ref:i},(0,c.pq)(e,c.n7),{className:f,role:g,"aria-label":v,"aria-labelledby":b,"aria-describedby":y,onKeyDown:k,style:(0,n.pi)({overflowY:x?"scroll":void 0,outline:"none"},_)}),C)}))},1405:(e,t,o)=>{"use strict";o.d(t,{x:()=>b});var n=o(7622),r=o(7002),i=o(7300),a=o(8127),s=o(8088),l=o(6953),c=o(9947),u=o(2998),d=o(7023),p=o(7813),m=o(4085),h=o(6548),g=(0,i.y)(),f=function(e){return r.createElement("div",{className:e.classNames.ratingStar},r.createElement(c.J,{className:e.classNames.ratingStarBack,iconName:e.icon}),!e.disabled&&r.createElement(c.J,{className:e.classNames.ratingStarFront,iconName:e.icon,style:{width:e.fillPercentage+"%"}}))},v=function(e,t){return e+"-star-"+(t-1)},b=r.forwardRef((function(e,t){var o,i=(0,m.M)("Rating"),c=(0,m.M)("RatingLabel"),b=e.ariaLabel,y=e.ariaLabelFormat,_=e.disabled,C=e.getAriaLabel,S=e.styles,x=e.min,k=void 0===x?e.allowZeroStars?0:1:x,w=e.max,I=void 0===w?5:w,D=e.readOnly,T=e.size,E=e.theme,P=e.icon,M=void 0===P?"FavoriteStarFill":P,R=e.unselectedIcon,N=void 0===R?"FavoriteStar":R,B=e.onRenderStar,F=Math.max(k,0),L=(0,h.G)(e.rating,e.defaultRating,e.onChange),A=L[0],z=L[1],H=function(e,t,o){return Math.min(Math.max(null!=e?e:t,t),o)}(A,F,I);!function(e,t){r.useImperativeHandle(e,(function(){return{rating:t}}),[t])}(e.componentRef,H);for(var O=(0,a.pq)(e,a.n7),W=g(S,{disabled:_,readOnly:D,theme:E}),V=null===(o=C)||void 0===o?void 0:o(H,I),K=b||V,q=[],G=function(e){var t,o,a=function(e,t){var o=Math.ceil(t),n=100;return e===t?n=100:e===o?n=t%1*100:e>o&&(n=0),n}(e,H),u=function(t){void 0!==A&&Math.ceil(A)===e||z(e,t)};q.push(r.createElement("button",(0,n.pi)({className:(0,s.i)(W.ratingButton,T===p.O.Large?W.ratingStarIsLarge:W.ratingStarIsSmall),id:v(i,e),key:e},e===Math.ceil(H)&&{"data-is-current":!0},{onFocus:u,onClick:u,disabled:!(!_&&!D),role:"radio","aria-hidden":D?"true":void 0,type:"button","aria-checked":e===Math.ceil(H)}),r.createElement("span",{id:c+"-"+e,className:W.labelText},(0,l.W)(y||"",e,I)),(t={fillPercentage:a,disabled:_,classNames:W,icon:a>0?M:N,starNum:e},(o=B)?o(t):r.createElement(f,(0,n.pi)({},t)))))},U=1;U<=I;U++)G(U);var j=T===p.O.Large?W.rootIsLarge:W.rootIsSmall;return r.createElement("div",(0,n.pi)({ref:t,className:(0,s.i)("ms-Rating-star",W.root,j),"aria-label":D?void 0:K,id:i,role:D?void 0:"radiogroup"},O),r.createElement(u.k,(0,n.pi)({direction:d.U.bidirectional,className:(0,s.i)(W.ratingFocusZone,j),defaultActiveElement:"#"+v(i,Math.ceil(H))},D&&{allowFocusRoot:!0,disabled:!0,role:"textbox","aria-label":V,"aria-readonly":!0,"data-is-focusable":!0,tabIndex:0}),q))}));b.displayName="RatingBase"},558:(e,t,o)=>{"use strict";o.d(t,{i:()=>l});var n=o(2002),r=o(9729),i={root:"ms-RatingStar-root",rootIsSmall:"ms-RatingStar-root--small",rootIsLarge:"ms-RatingStar-root--large",ratingStar:"ms-RatingStar-container",ratingStarBack:"ms-RatingStar-back",ratingStarFront:"ms-RatingStar-front",ratingButton:"ms-Rating-button",ratingStarIsSmall:"ms-Rating--small",ratingStartIsLarge:"ms-Rating--large",labelText:"ms-Rating-labelText",ratingFocusZone:"ms-Rating-focuszone"};function a(e,t){var o;return{color:e,selectors:(o={},o[r.qJ]={color:t},o)}}var s=o(1405),l=(0,n.z)(s.x,(function(e){var t=e.disabled,o=e.readOnly,n=e.theme,s=n.semanticColors,l=n.palette,c=(0,r.Cn)(i,n),u=l.neutralSecondary,d=l.themePrimary,p=l.themeDark,m=l.neutralPrimary,h=s.disabledBodySubtext;return{root:[c.root,n.fonts.medium,!t&&!o&&{selectors:{"&:hover":{selectors:{".ms-RatingStar-back":a(m,"Highlight")}}}}],rootIsSmall:[c.rootIsSmall,{height:"32px"}],rootIsLarge:[c.rootIsLarge,{height:"36px"}],ratingStar:[c.ratingStar,{display:"inline-block",position:"relative",height:"inherit"}],ratingStarBack:[c.ratingStarBack,{color:u,width:"100%"},t&&a(h,"GrayText")],ratingStarFront:[c.ratingStarFront,{position:"absolute",height:"100 %",left:"0",top:"0",textAlign:"center",verticalAlign:"middle",overflow:"hidden"},a(m,"Highlight")],ratingButton:[(0,r.GL)(n),c.ratingButton,{backgroundColor:"transparent",padding:"8px 2px",boxSizing:"content-box",margin:"0px",border:"none",cursor:"pointer",selectors:{"&:disabled":{cursor:"default"},"&[disabled]":{cursor:"default"}}},!t&&!o&&{selectors:{"&:hover ~ .ms-Rating-button":{selectors:{".ms-RatingStar-back":a(u,"WindowText"),".ms-RatingStar-front":a(u,"WindowText")}},"&:hover":{selectors:{".ms-RatingStar-back":{color:d},".ms-RatingStar-front":{color:p}}}}},t&&{cursor:"default"}],ratingStarIsSmall:[c.ratingStarIsSmall,{fontSize:"16px",lineHeight:"16px",height:"16px"}],ratingStarIsLarge:[c.ratingStartIsLarge,{fontSize:"20px",lineHeight:"20px",height:"20px"}],labelText:[c.labelText,r.ul],ratingFocusZone:[(0,r.GL)(n),c.ratingFocusZone,{display:"inline-block"}]}}),void 0,{scope:"Rating"})},7813:(e,t,o)=>{"use strict";var n;o.d(t,{O:()=>n}),function(e){e[e.Small=0]="Small",e[e.Large=1]="Large"}(n||(n={}))},3863:(e,t,o)=>{"use strict";o.d(t,{i:()=>b});var n=o(7622),r=o(7002),i=o(7300),a=o(8127),s=o(8145),l=o(6548),c=o(9241),u=o(4085),d=o(5758),p=o(9947),m="SearchBox",h={root:{height:"auto"},icon:{fontSize:"12px"}},g={iconName:"Clear"},f={ariaLabel:"Clear text"},v=(0,i.y)(),b=r.forwardRef((function(e,t){var o=e.defaultValue,i=void 0===o?"":o,b=r.useState(!1),y=b[0],_=b[1],C=(0,l.G)(e.value,i,e.onChange),S=C[0],x=C[1],k=String(S),w=r.useRef(null),I=r.useRef(null),D=(0,c.r)(w,t),T=(0,u.M)(m,e.id),E=e.ariaLabel,P=e.className,M=e.disabled,R=e.underlined,N=e.styles,B=e.labelText,F=e.placeholder,L=void 0===F?B:F,A=e.theme,z=e.clearButtonProps,H=void 0===z?f:z,O=e.disableAnimation,W=void 0!==O&&O,V=e.onClear,K=e.onBlur,q=e.onEscape,G=e.onSearch,U=e.onKeyDown,j=e.iconProps,J=e.role,Y=H.onClick,Z=v(N,{theme:A,className:P,underlined:R,hasFocus:y,disabled:M,hasInput:k.length>0,disableAnimation:W}),X=(0,a.pq)(e,a.Gg,["className","placeholder","onFocus","onBlur","value","role"]),Q=r.useCallback((function(e){var t,o;null===(t=V)||void 0===t||t(e),e.defaultPrevented||(x(""),null===(o=I.current)||void 0===o||o.focus(),e.stopPropagation(),e.preventDefault())}),[V,x]),$=r.useCallback((function(e){var t;null===(t=Y)||void 0===t||t(e),e.defaultPrevented||Q(e)}),[Y,Q]),ee=r.useCallback((function(e){var t;_(!1),null===(t=K)||void 0===t||t(e)}),[K]),te=function(e){x(e.target.value)};return function(e,t,o){r.useImperativeHandle(e,(function(){return{focus:function(){var e;return null===(e=t.current)||void 0===e?void 0:e.focus()},hasFocus:function(){return o}}}),[t,o])}(e.componentRef,I,y),r.createElement("div",{role:J,ref:D,className:Z.root,onFocusCapture:function(t){var o,n;_(!0),null===(n=(o=e).onFocus)||void 0===n||n.call(o,t)}},r.createElement("div",{className:Z.iconContainer,onClick:function(){I.current&&(I.current.focus(),I.current.selectionStart=I.current.selectionEnd=0)},"aria-hidden":!0},r.createElement(p.J,(0,n.pi)({iconName:"Search"},j,{className:Z.icon}))),r.createElement("input",(0,n.pi)({},X,{id:T,className:Z.field,placeholder:L,onChange:te,onInput:te,onBlur:ee,onKeyDown:function(e){var t,o;switch(e.which){case s.m.escape:null===(t=q)||void 0===t||t(e),k&&!e.defaultPrevented&&Q(e);break;case s.m.enter:G&&(G(k),e.preventDefault(),e.stopPropagation());break;default:null===(o=U)||void 0===o||o(e),e.defaultPrevented&&e.stopPropagation()}},value:k,disabled:M,role:"searchbox","aria-label":E,ref:I})),k.length>0&&r.createElement("div",{className:Z.clearButton},r.createElement(d.h,(0,n.pi)({onBlur:ee,styles:h,iconProps:g},H,{onClick:$}))))}));b.displayName=m},6419:(e,t,o)=>{"use strict";o.d(t,{R:()=>l});var n=o(2002),r=o(3863),i=o(9729),a=o(5951),s={root:"ms-SearchBox",iconContainer:"ms-SearchBox-iconContainer",icon:"ms-SearchBox-icon",clearButton:"ms-SearchBox-clearButton",field:"ms-SearchBox-field"},l=(0,n.z)(r.i,(function(e){var t,o,n,r,l=e.theme,c=e.underlined,u=e.disabled,d=e.hasFocus,p=e.className,m=e.hasInput,h=e.disableAnimation,g=l.palette,f=l.fonts,v=l.semanticColors,b=l.effects,y=(0,i.Cn)(s,l),_={color:v.inputPlaceholderText,opacity:1},C=g.neutralSecondary,S=g.neutralPrimary,x=g.neutralLighter,k=g.neutralLighter,w=g.neutralLighter;return{root:[y.root,f.medium,i.Fv,{color:v.inputText,backgroundColor:v.inputBackground,display:"flex",flexDirection:"row",flexWrap:"nowrap",alignItems:"stretch",padding:"1px 0 1px 4px",borderRadius:b.roundedCorner2,border:"1px solid "+v.inputBorder,height:32,selectors:(t={},t[i.qJ]={borderColor:"WindowText"},t[":hover"]={borderColor:v.inputBorderHovered,selectors:(o={},o[i.qJ]={borderColor:"Highlight"},o)},t[":hover ."+y.iconContainer]={color:v.inputIconHovered},t)},!d&&m&&{selectors:(n={},n[":hover ."+y.iconContainer]={width:4},n[":hover ."+y.icon]={opacity:0},n)},d&&["is-active",{position:"relative"},(0,i.$Y)(v.inputFocusBorderAlt,c?0:b.roundedCorner2,c?"borderBottom":"border")],u&&["is-disabled",{borderColor:x,backgroundColor:w,pointerEvents:"none",cursor:"default",selectors:(r={},r[i.qJ]={borderColor:"GrayText"},r)}],c&&["is-underlined",{borderWidth:"0 0 1px 0",borderRadius:0,padding:"1px 0 1px 8px"}],c&&u&&{backgroundColor:"transparent"},m&&"can-clear",p],iconContainer:[y.iconContainer,{display:"flex",flexDirection:"column",justifyContent:"center",flexShrink:0,fontSize:16,width:32,textAlign:"center",color:v.inputIcon,cursor:"text"},d&&{width:4},u&&{color:v.inputIconDisabled},!h&&{transition:"width "+i.D1.durationValue1}],icon:[y.icon,{opacity:1},d&&{opacity:0},!h&&{transition:"opacity "+i.D1.durationValue1+" 0s"}],clearButton:[y.clearButton,{display:"flex",flexDirection:"row",alignItems:"stretch",cursor:"pointer",flexBasis:"32px",flexShrink:0,padding:0,margin:"-1px 0px",selectors:{"&:hover .ms-Button":{backgroundColor:k},"&:hover .ms-Button-icon":{color:S},".ms-Button":{borderRadius:(0,a.zg)(l)?"1px 0 0 1px":"0 1px 1px 0"},".ms-Button-icon":{color:C}}}],field:[y.field,i.Fv,(0,i.Sv)(_),{backgroundColor:"transparent",border:"none",outline:"none",fontWeight:"inherit",fontFamily:"inherit",fontSize:"inherit",color:v.inputText,flex:"1 1 0px",minWidth:"0px",overflow:"hidden",textOverflow:"ellipsis",paddingBottom:.5,selectors:{"::-ms-clear":{display:"none"}}},u&&{color:v.disabledText}]}}),void 0,{scope:"SearchBox"})},9379:(e,t,o)=>{"use strict";o.d(t,{V:()=>y});var n=o(7622),r=o(7002),i=o(5480),a=o(2052),s=o(6548),l=o(4085),c=o(2861),u=o(7300),d=o(5951),p=o(8145),m=o(9251),h=o(8127),g=o(8088),f=(0,u.y)(),v=function(e){return function(t){var o;return(o={})[e]=t+"%",o}},b=function(e,t,o){return o===t?0:(e-t)/(o-t)*100},y=r.forwardRef((function(e,t){var o=function(e,t){var o=e.step,i=void 0===o?1:o,a=e.className,u=e.disabled,y=void 0!==u&&u,_=e.label,C=e.max,S=void 0===C?10:C,x=e.min,k=void 0===x?0:x,w=e.showValue,I=void 0===w||w,D=e.buttonProps,T=void 0===D?{}:D,E=e.vertical,P=void 0!==E&&E,M=e.valueFormat,R=e.styles,N=e.theme,B=e.originFromZero,F=e["aria-label"],L=e.ranged,A=r.useRef([]),z=r.useRef(null),H=(0,s.G)(e.value,e.defaultValue,(function(t,o){var n,r;return null===(r=(n=e).onChange)||void 0===r?void 0:r.call(n,o,L?[j,o]:void 0)})),O=H[0],W=H[1],V=(0,s.G)(e.lowerValue,e.defaultLowerValue,(function(t,o){var n,r;return null===(r=(n=e).onChange)||void 0===r?void 0:r.call(n,U,[o,U])})),K=V[0],q=V[1],G=r.useRef(!1),U=Math.max(k,Math.min(S,O||0)),j=Math.max(k,Math.min(U,K||0)),J=(0,l.M)("Slider"),Y=(0,c.k)(!0),Z=Y[0],X=Y[1].toggle,Q=f(R,{className:a,disabled:y,vertical:P,showTransitions:Z,showValue:I,ranged:L,theme:N}),$=r.useState(0),ee=$[0],te=$[1],oe=(S-k)/i,ne=function(){clearTimeout(ee)},re=function(t){ne(),te(setTimeout((function(){e.onChanged&&e.onChanged(t,U)}),1e3))},ie=function(t){var o=e.ariaValueText;if(void 0!==t)return o?o(t):t.toString()},ae=function(t,o){e.snapToStep;var n=0;if(isFinite(i))for(;Math.round(i*Math.pow(10,n))/Math.pow(10,n)!==i;)n++;var r=parseFloat(t.toFixed(n));L?G.current&&(B?r<=0:r<=U)?q(r):!G.current&&(B?r>=0:r>=j)&&W(r):W(r)},se=function(e,t){var o;switch(e.type){case"mousedown":case"mousemove":o=t?e.clientY:e.clientX;break;case"touchstart":case"touchmove":o=t?e.touches[0].clientY:e.touches[0].clientX}return o},le=function(t){if(z.current){var o,n=z.current.getBoundingClientRect(),r=(e.vertical?n.height:n.width)/oe;if(e.vertical){var i=se(t,e.vertical);o=(n.bottom-i)/r}else{var a=se(t,e.vertical);o=((0,d.zg)(e.theme)?n.right-a:a-n.left)/r}return o}},ce=function(e,t){var o,n=le(e);o=n>Math.floor(oe)?S:n<0?k:k+i*Math.round(n),ae(o),t||(e.preventDefault(),e.stopPropagation())},ue=function(e){if(L){var t=le(e),o=k+i*t;G.current=o<=j||o-j<=U-o}"mousedown"===e.type?A.current.push((0,m.on)(window,"mousemove",ce,!0),(0,m.on)(window,"mouseup",de,!0)):"touchstart"===e.type&&A.current.push((0,m.on)(window,"touchmove",ce,!0),(0,m.on)(window,"touchend",de,!0)),X(),ce(e,!0)},de=function(t){e.onChanged&&e.onChanged(t,U),X(),pe()},pe=function(){A.current.forEach((function(e){return e()})),A.current=[]},me=y?{}:{onMouseDown:ue},he=y?{}:{onTouchStart:ue},ge=y?{}:{onKeyDown:function(t){var o=G.current?j:U,n=0;switch(t.which){case(0,d.dP)(p.m.left,e.theme):case p.m.down:n=-i,ne(),re(t);break;case(0,d.dP)(p.m.right,e.theme):case p.m.up:n=i,ne(),re(t);break;case p.m.home:o=k;break;case p.m.end:o=S;break;default:return}var r=Math.min(S,Math.max(k,o+n));ae(r),t.preventDefault(),t.stopPropagation()}},fe=y?{}:{onFocus:function(e){G.current=e.target===ve.current}},ve=r.useRef(null),be=r.useRef(null);!function(e,t,o,n){r.useImperativeHandle(e.componentRef,(function(){return{get value(){return o},get range(){return e.ranged?n:void 0},focus:function(){t.current&&t.current.focus()}}}),[t,o,e.ranged,n])}(e,L&&!P?ve:be,U,[j,U]);var ye=function(e,t){return void 0===e&&(e=!1),void 0===t&&(t=!1),v(e?"bottom":t?"right":"left")}(P,(0,d.zg)(e.theme)),_e=function(e){return void 0===e&&(e=!1),v(e?"height":"width")}(P),Ce=B?0:k,Se=b(U,k,S),xe=b(j,k,S),ke=b(Ce,k,S),we=L?Se-xe:Math.abs(ke-Se),Ie=Math.min(100-Se,100-ke),De=L?xe:Math.min(Se,ke),Te={className:Q.root,ref:t},Ee=T?(0,h.pq)(T,h.n7):void 0,Pe={className:Q.titleLabel,children:_,disabled:y,htmlFor:F?void 0:J},Me=I?{className:Q.valueLabel,children:M?M(U):U,disabled:y}:void 0,Re=L&&I?{className:Q.valueLabel,children:M?M(j):j,disabled:y}:void 0,Ne=B?{className:Q.zeroTick,style:ye(ke)}:void 0,Be={className:(0,g.i)(Q.lineContainer,Q.activeSection),style:_e(we)},Fe={className:(0,g.i)(Q.lineContainer,Q.inactiveSection),style:_e(Ie)},Le={className:(0,g.i)(Q.lineContainer,Q.inactiveSection),style:_e(De)},Ae=(0,n.pi)((0,n.pi)((0,n.pi)((0,n.pi)({},me),he),ge),Ee),ze=(0,n.pi)({"aria-disabled":y,role:"slider",tabIndex:y?void 0:0},{"data-is-focusable":!y}),He=(0,n.pi)((0,n.pi)({id:J,className:(0,g.i)(Q.slideBox,T.className)},Ae),!L&&(0,n.pi)((0,n.pi)({},ze),{"aria-valuemin":k,"aria-valuemax":S,"aria-valuenow":U,"aria-valuetext":ie(U),"aria-label":F||_})),Oe=(0,n.pi)({ref:be,className:Q.thumb,style:ye(Se)},L&&(0,n.pi)((0,n.pi)((0,n.pi)((0,n.pi)({},ze),Ae),fe),{id:"max-"+J,"aria-valuemin":j,"aria-valuemax":S,"aria-valuenow":U,"aria-valuetext":ie(U),"aria-label":"max "+(F||_)})),We=L?(0,n.pi)((0,n.pi)((0,n.pi)((0,n.pi)({ref:ve,className:Q.thumb,style:ye(xe)},ze),Ae),fe),{id:"min-"+J,"aria-valuemin":k,"aria-valuemax":U,"aria-valuenow":j,"aria-valuetext":ie(j),"aria-label":"min "+(F||_)}):void 0;return{root:Te,label:Pe,sliderBox:He,container:{className:Q.container},valueLabel:Me,lowerValueLabel:Re,thumb:Oe,lowerValueThumb:We,zeroTick:Ne,activeTrack:Be,topInactiveTrack:Fe,bottomInactiveTrack:Le,sliderLine:{ref:z,className:Q.line}}}(e,t);return r.createElement("div",(0,n.pi)({},o.root),o&&r.createElement(a._,(0,n.pi)({},o.label)),r.createElement("div",(0,n.pi)({},o.container),e.ranged&&(e.vertical?o.valueLabel&&r.createElement(a._,(0,n.pi)({},o.valueLabel)):o.lowerValueLabel&&r.createElement(a._,(0,n.pi)({},o.lowerValueLabel))),r.createElement("div",(0,n.pi)({},o.sliderBox),r.createElement("div",(0,n.pi)({},o.sliderLine),e.ranged&&r.createElement("span",(0,n.pi)({},o.lowerValueThumb)),r.createElement("span",(0,n.pi)({},o.thumb)),o.zeroTick&&r.createElement("span",(0,n.pi)({},o.zeroTick)),r.createElement("span",(0,n.pi)({},o.bottomInactiveTrack)),r.createElement("span",(0,n.pi)({},o.activeTrack)),r.createElement("span",(0,n.pi)({},o.topInactiveTrack)))),e.ranged&&e.vertical?o.lowerValueLabel&&r.createElement(a._,(0,n.pi)({},o.lowerValueLabel)):o.valueLabel&&r.createElement(a._,(0,n.pi)({},o.valueLabel))),r.createElement(i.u,null))}));y.displayName="SliderBase"},4107:(e,t,o)=>{"use strict";o.d(t,{i:()=>c});var n=o(2002),r=o(9379),i=o(7622),a=o(9729),s=o(5951),l={root:"ms-Slider",enabled:"ms-Slider-enabled",disabled:"ms-Slider-disabled",row:"ms-Slider-row",column:"ms-Slider-column",container:"ms-Slider-container",slideBox:"ms-Slider-slideBox",line:"ms-Slider-line",thumb:"ms-Slider-thumb",activeSection:"ms-Slider-active",inactiveSection:"ms-Slider-inactive",valueLabel:"ms-Slider-value",showValue:"ms-Slider-showValue",showTransitions:"ms-Slider-showTransitions",zeroTick:"ms-Slider-zeroTick"},c=(0,n.z)(r.V,(function(e){var t,o,n,r,c,u,d,p,m,h,g,f,v,b=e.className,y=e.titleLabelClassName,_=e.theme,C=e.vertical,S=e.disabled,x=e.showTransitions,k=e.showValue,w=e.ranged,I=_.semanticColors,D=(0,a.Cn)(l,_),T=I.inputBackgroundCheckedHovered,E=I.inputBackgroundChecked,P=I.inputPlaceholderBackgroundChecked,M=I.smallInputBorder,R=I.disabledBorder,N=I.disabledText,B=I.disabledBackground,F=I.inputBackground,L=I.smallInputBorder,A=I.disabledBorder,z=!S&&{backgroundColor:T,selectors:(t={},t[a.qJ]={backgroundColor:"Highlight"},t)},H=!S&&{backgroundColor:P,selectors:(o={},o[a.qJ]={borderColor:"Highlight"},o)},O=!S&&{backgroundColor:E,selectors:(n={},n[a.qJ]={backgroundColor:"Highlight"},n)},W=!S&&{border:"2px solid "+T,selectors:(r={},r[a.qJ]={borderColor:"Highlight"},r)},V=!e.disabled&&{backgroundColor:I.inputPlaceholderBackgroundChecked,selectors:(c={},c[a.qJ]={backgroundColor:"Highlight"},c)};return{root:(0,i.pr)([D.root,_.fonts.medium,{userSelect:"none"},C&&{marginRight:8}],[S?void 0:D.enabled],[S?D.disabled:void 0],[C?void 0:D.row],[C?D.column:void 0],[b]),titleLabel:[{padding:0},y],container:[D.container,{display:"flex",flexWrap:"nowrap",alignItems:"center"},C&&{flexDirection:"column",height:"100%",textAlign:"center",margin:"8px 0"}],slideBox:(0,i.pr)([D.slideBox,!w&&(0,a.GL)(_),{background:"transparent",border:"none",flexGrow:1,lineHeight:28,display:"flex",alignItems:"center",selectors:(u={},u[":active ."+D.activeSection]=z,u[":hover ."+D.activeSection]=O,u[":active ."+D.inactiveSection]=H,u[":hover ."+D.inactiveSection]=H,u[":active ."+D.thumb]=W,u[":hover ."+D.thumb]=W,u[":active ."+D.zeroTick]=V,u[":hover ."+D.zeroTick]=V,u[a.qJ]={forcedColorAdjust:"none"},u)},C?{height:"100%",width:28,padding:"8px 0"}:{height:28,width:"auto",padding:"0 8px"}],[k?D.showValue:void 0],[x?D.showTransitions:void 0]),thumb:[D.thumb,w&&(0,a.GL)(_,{inset:-4}),{borderWidth:2,borderStyle:"solid",borderColor:L,borderRadius:10,boxSizing:"border-box",background:F,display:"block",width:16,height:16,position:"absolute"},C?{left:-6,margin:"0 auto",transform:"translateY(8px)"}:{top:-6,transform:(0,s.zg)(_)?"translateX(50%)":"translateX(-50%)"},x&&{transition:"left "+a.D1.durationValue3+" "+a.D1.easeFunction1},S&&{borderColor:A,selectors:(d={},d[a.qJ]={borderColor:"GrayText"},d)}],line:[D.line,{display:"flex",position:"relative"},C?{height:"100%",width:4,margin:"0 auto",flexDirection:"column-reverse"}:{width:"100%"}],lineContainer:[{borderRadius:4,boxSizing:"border-box"},C?{width:4,height:"100%"}:{height:4,width:"100%"}],activeSection:[D.activeSection,{background:M,selectors:(p={},p[a.qJ]={backgroundColor:"WindowText"},p)},x&&{transition:"width "+a.D1.durationValue3+" "+a.D1.easeFunction1},S&&{background:N,selectors:(m={},m[a.qJ]={backgroundColor:"GrayText",borderColor:"GrayText"},m)}],inactiveSection:[D.inactiveSection,{background:R,selectors:(h={},h[a.qJ]={border:"1px solid WindowText"},h)},x&&{transition:"width "+a.D1.durationValue3+" "+a.D1.easeFunction1},S&&{background:B,selectors:(g={},g[a.qJ]={borderColor:"GrayText"},g)}],zeroTick:[D.zeroTick,{position:"absolute",background:I.disabledBorder,selectors:(f={},f[a.qJ]={backgroundColor:"WindowText"},f)},e.disabled&&{background:I.disabledBackground,selectors:(v={},v[a.qJ]={backgroundColor:"GrayText"},v)},e.vertical?{width:"16px",height:"1px",transform:(0,s.zg)(_)?"translateX(6px)":"translateX(-6px)"}:{width:"1px",height:"16px",transform:"translateY(-6px)"}],valueLabel:[D.valueLabel,{flexShrink:1,width:30,lineHeight:"1"},C?{margin:"0 auto",whiteSpace:"nowrap",width:40}:{margin:"0 8px",whiteSpace:"nowrap",width:40}]}}),void 0,{scope:"Slider"})},3134:(e,t,o)=>{"use strict";o.d(t,{k:()=>P});var n=o(2002),r=o(7622),i=o(7002),a=o(5758),s=o(2052),l=o(9947),c=o(7300),u=o(63),d=o(8633),p=o(8127),m=o(8145),h=o(9729),g=o(5094),f=o(4568),v=(0,g.NF)((function(e){var t,o=e.semanticColors,n=o.disabledText,r=o.disabledBackground;return{backgroundColor:r,pointerEvents:"none",cursor:"default",color:n,selectors:(t={":after":{borderColor:r}},t[h.qJ]={color:"GrayText"},t)}})),b=(0,g.NF)((function(e,t,o){var n,r,i,a=e.palette,s=e.semanticColors,l=e.effects,c=a.neutralSecondary,u=s.buttonText,d=s.buttonText,p=s.buttonBackgroundHovered,m=s.buttonBackgroundPressed,g={root:{outline:"none",display:"block",height:"50%",width:23,padding:0,backgroundColor:"transparent",textAlign:"center",cursor:"default",color:c,selectors:{"&.ms-DownButton":{borderRadius:"0 0 "+l.roundedCorner2+" 0"},"&.ms-UpButton":{borderRadius:"0 "+l.roundedCorner2+" 0 0"}}},rootHovered:{backgroundColor:p,color:u},rootChecked:{backgroundColor:m,color:d,selectors:(n={},n[h.qJ]={backgroundColor:"Highlight",color:"HighlightText"},n)},rootPressed:{backgroundColor:m,color:d,selectors:(r={},r[h.qJ]={backgroundColor:"Highlight",color:"HighlightText"},r)},rootDisabled:{opacity:.5,selectors:(i={},i[h.qJ]={color:"GrayText",opacity:1},i)},icon:{fontSize:8,marginTop:0,marginRight:0,marginBottom:0,marginLeft:0}};return(0,h.E$)(g,{},o)})),y=o(998),_=o(4085),C=o(3528),S=o(6548),x=o(6876),k=(0,c.y)(),w={disabled:!1,label:"",step:1,labelPosition:f.L.start,incrementButtonIcon:{iconName:"ChevronUpSmall"},decrementButtonIcon:{iconName:"ChevronDownSmall"}},I=function(){},D=function(e,t){var o=t.min,n=t.max;return"number"==typeof n&&(e=Math.min(e,n)),"number"==typeof o&&(e=Math.max(e,o)),e},T=i.forwardRef((function(e,t){var o=(0,u.j)(w,e),n=o.disabled,c=o.label,h=o.min,g=o.max,v=o.step,T=o.defaultValue,P=o.value,M=o.precision,R=o.labelPosition,N=o.iconProps,B=o.incrementButtonIcon,F=o.incrementButtonAriaLabel,L=o.decrementButtonIcon,A=o.decrementButtonAriaLabel,z=o.ariaLabel,H=o.ariaDescribedBy,O=o.upArrowButtonStyles,W=o.downArrowButtonStyles,V=o.theme,K=o.ariaPositionInSet,q=o.ariaSetSize,G=o.ariaValueNow,U=o.ariaValueText,j=o.className,J=o.inputProps,Y=o.onDecrement,Z=o.onIncrement,X=o.iconButtonProps,Q=o.onValidate,$=o.onChange,ee=o.styles,te=i.useRef(null),oe=(0,_.M)("input"),ne=(0,_.M)("Label"),re=i.useState(!1),ie=re[0],ae=re[1],se=i.useState(y.T.notSpinning),le=se[0],ce=se[1],ue=(0,C.r)(),de=i.useMemo((function(){return null!=M?M:Math.max((0,d.oe)(v),0)}),[M,v]),pe=(0,S.G)(P,null!=T?T:String(h||0),$),me=pe[0],he=pe[1],ge=i.useState(),fe=ge[0],ve=ge[1],be=i.useRef({stepTimeoutHandle:-1,latestValue:void 0,latestIntermediateValue:void 0}).current;be.latestValue=me,be.latestIntermediateValue=fe;var ye=(0,x.D)(P);i.useEffect((function(){P!==ye&&void 0!==fe&&ve(void 0)}),[P,ye,fe]);var _e=k(ee,{theme:V,disabled:n,isFocused:ie,keyboardSpinDirection:le,labelPosition:R,className:j}),Ce=(0,p.pq)(o,p.n7,["onBlur","onFocus","className"]),Se=i.useCallback((function(e){var t=be.latestIntermediateValue;if(void 0!==t&&t!==be.latestValue){var o=void 0;Q?o=Q(t,e):t&&t.trim().length&&!isNaN(Number(t))&&(o=String(D(Number(t),{min:h,max:g}))),void 0!==o&&o!==be.latestValue&&he(o)}ve(void 0)}),[be,g,h,Q,he]),xe=i.useCallback((function(){be.stepTimeoutHandle>=0&&(ue.clearTimeout(be.stepTimeoutHandle),be.stepTimeoutHandle=-1),(be.spinningByMouse||le!==y.T.notSpinning)&&(be.spinningByMouse=!1,ce(y.T.notSpinning))}),[be,le,ue]),ke=i.useCallback((function(e,t){if(t.persist(),void 0!==be.latestIntermediateValue)return"keydown"===t.type&&Se(t),void ue.requestAnimationFrame((function(){ke(e,t)}));var o=e(be.latestValue||"",t);void 0!==o&&o!==be.latestValue&&he(o);var n=be.spinningByMouse;be.spinningByMouse="mousedown"===t.type,be.spinningByMouse&&(be.stepTimeoutHandle=ue.setTimeout((function(){ke(e,t)}),n?75:400))}),[be,ue,Se,he]),we=i.useCallback((function(e){if(Z)return Z(e);var t=D(Number(e)+Number(v),{max:g});return t=(0,d.F0)(t,de),String(t)}),[de,g,Z,v]),Ie=i.useCallback((function(e){if(Y)return Y(e);var t=D(Number(e)-Number(v),{min:h});return t=(0,d.F0)(t,de),String(t)}),[de,h,Y,v]),De=i.useCallback((function(e){(n||e.which===m.m.up||e.which===m.m.down)&&xe()}),[n,xe]),Te=i.useCallback((function(e){ke(we,e)}),[we,ke]),Ee=i.useCallback((function(e){ke(Ie,e)}),[Ie,ke]);!function(e,t,o){i.useImperativeHandle(e.componentRef,(function(){return{get value(){return o},focus:function(){t.current&&t.current.focus()}}}),[t,o])}(o,te,me),E(o);var Pe=!!me&&!isNaN(Number(me)),Me=(N||c)&&i.createElement("div",{className:_e.labelWrapper},N&&i.createElement(l.J,(0,r.pi)({},N,{className:_e.icon,"aria-hidden":"true"})),c&&i.createElement(s._,{id:ne,htmlFor:oe,className:_e.label,disabled:n},c));return i.createElement("div",{className:_e.root,ref:t},R!==f.L.bottom&&Me,i.createElement("div",(0,r.pi)({},Ce,{className:_e.spinButtonWrapper,"aria-label":z&&z,"aria-posinset":K,"aria-setsize":q,"data-ktp-target":!0}),i.createElement("input",(0,r.pi)({value:null!=fe?fe:me,id:oe,onChange:I,onInput:function(e){ve(e.target.value)},className:_e.input,type:"text",autoComplete:"off",role:"spinbutton","aria-labelledby":c&&ne,"aria-valuenow":null!=G?G:Pe?Number(me):void 0,"aria-valuetext":null!=U?U:Pe?void 0:me,"aria-valuemin":h,"aria-valuemax":g,"aria-describedby":H,onBlur:function(e){var t,n;Se(e),ae(!1),null===(n=(t=o).onBlur)||void 0===n||n.call(t,e)},ref:te,onFocus:function(e){var t,n;te.current&&((be.spinningByMouse||le!==y.T.notSpinning)&&xe(),te.current.select(),ae(!0),null===(n=(t=o).onFocus)||void 0===n||n.call(t,e))},onKeyDown:function(e){if(e.which!==m.m.up&&e.which!==m.m.down&&e.which!==m.m.enter||(e.preventDefault(),e.stopPropagation()),n)xe();else{var t=y.T.notSpinning;switch(e.which){case m.m.up:t=y.T.up,ke(we,e);break;case m.m.down:t=y.T.down,ke(Ie,e);break;case m.m.enter:Se(e);break;case m.m.escape:ve(void 0)}le!==t&&ce(t)}},onKeyUp:De,disabled:n,"aria-disabled":n,"data-lpignore":!0,"data-ktp-execute-target":!0},J)),i.createElement("span",{className:_e.arrowButtonsContainer},i.createElement(a.h,(0,r.pi)({styles:b(V,!0,O),className:"ms-UpButton",checked:le===y.T.up,disabled:n,iconProps:B,onMouseDown:Te,onMouseLeave:xe,onMouseUp:xe,tabIndex:-1,ariaLabel:F,"data-is-focusable":!1},X)),i.createElement(a.h,(0,r.pi)({styles:b(V,!1,W),className:"ms-DownButton",checked:le===y.T.down,disabled:n,iconProps:L,onMouseDown:Ee,onMouseLeave:xe,onMouseUp:xe,tabIndex:-1,ariaLabel:A,"data-is-focusable":!1},X)))),R===f.L.bottom&&Me)}));T.displayName="SpinButton";var E=function(e){},P=(0,n.z)(T,(function(e){var t,o,n=e.theme,r=e.className,i=e.labelPosition,a=e.disabled,s=e.isFocused,l=n.palette,c=n.semanticColors,u=n.effects,d=n.fonts,p=c.inputBorder,m=c.inputBackground,g=c.inputBorderHovered,b=c.inputFocusBorderAlt,y=c.inputText,_=l.white,C=c.inputBackgroundChecked,S=c.disabledText;return{root:[d.medium,{outline:"none",width:"100%",minWidth:86},r],labelWrapper:[{display:"inline-flex",alignItems:"center"},i===f.L.start&&{height:32,float:"left",marginRight:10},i===f.L.end&&{height:32,float:"right",marginLeft:10},i===f.L.top&&{marginBottom:-1}],icon:[{padding:"0 5px",fontSize:h.ld.large},a&&{color:S}],label:{pointerEvents:"none",lineHeight:h.ld.large},spinButtonWrapper:[{display:"flex",position:"relative",boxSizing:"border-box",height:32,minWidth:86,selectors:{":after":{pointerEvents:"none",content:"''",position:"absolute",left:0,top:0,bottom:0,right:0,borderWidth:"1px",borderStyle:"solid",borderColor:p,borderRadius:u.roundedCorner2}}},(i===f.L.top||i===f.L.bottom)&&{width:"100%"},!a&&[{selectors:{":hover":{selectors:(t={":after":{borderColor:g}},t[h.qJ]={selectors:{":after":{borderColor:"Highlight"}}},t)}}},s&&{selectors:{"&&":(0,h.$Y)(b,u.roundedCorner2)}}],a&&v(n)],input:["ms-spinButton-input",{boxSizing:"border-box",boxShadow:"none",borderStyle:"none",flex:1,margin:0,fontSize:d.medium.fontSize,fontFamily:"inherit",color:y,backgroundColor:m,height:"100%",padding:"0 8px 0 9px",outline:0,display:"block",minWidth:61,whiteSpace:"nowrap",textOverflow:"ellipsis",overflow:"hidden",cursor:"text",userSelect:"text",borderRadius:u.roundedCorner2+" 0 0 "+u.roundedCorner2},!a&&{selectors:{"::selection":{backgroundColor:C,color:_,selectors:(o={},o[h.qJ]={backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},o)}}},a&&v(n)],arrowButtonsContainer:[{display:"block",height:"100%",cursor:"default"},a&&v(n)]}}),void 0,{scope:"SpinButton"})},998:(e,t,o)=>{"use strict";var n;o.d(t,{T:()=>n}),function(e){e[e.down=-1]="down",e[e.notSpinning=0]="notSpinning",e[e.up=1]="up"}(n||(n={}))},6315:(e,t,o)=>{"use strict";o.d(t,{G:()=>u});var n=o(7622),r=o(7002),i=o(6362),a=o(7300),s=o(8127),l=o(6055),c=(0,a.y)(),u=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.type,o=e.size,a=e.ariaLabel,u=e.ariaLive,d=e.styles,p=e.label,m=e.theme,h=e.className,g=e.labelPosition,f=a,v=(0,s.pq)(this.props,s.n7,["size"]),b=o;void 0===b&&void 0!==t&&(b=t===i.d.large?i.E.large:i.E.medium);var y=c(d,{theme:m,size:b,className:h,labelPosition:g});return r.createElement("div",(0,n.pi)({},v,{className:y.root}),r.createElement("div",{className:y.circle}),p&&r.createElement("div",{className:y.label},p),f&&r.createElement("div",{role:"status","aria-live":u},r.createElement(l.U,null,r.createElement("div",{className:y.screenReaderText},f))))},t.defaultProps={size:i.E.medium,ariaLive:"polite",labelPosition:"bottom"},t}(r.Component)},76:(e,t,o)=>{"use strict";o.d(t,{$:()=>d});var n=o(2002),r=o(6315),i=o(7622),a=o(6362),s=o(9729),l=o(5094),c={root:"ms-Spinner",circle:"ms-Spinner-circle",label:"ms-Spinner-label"},u=(0,l.NF)((function(){return(0,s.F4)({"0%":{transform:"rotate(0deg)"},"100%":{transform:"rotate(360deg)"}})})),d=(0,n.z)(r.G,(function(e){var t,o=e.theme,n=e.size,r=e.className,l=e.labelPosition,d=o.palette,p=(0,s.Cn)(c,o);return{root:[p.root,{display:"flex",flexDirection:"column",alignItems:"center",justifyContent:"center"},"top"===l&&{flexDirection:"column-reverse"},"right"===l&&{flexDirection:"row"},"left"===l&&{flexDirection:"row-reverse"},r],circle:[p.circle,{boxSizing:"border-box",borderRadius:"50%",border:"1.5px solid "+d.themeLight,borderTopColor:d.themePrimary,animationName:u(),animationDuration:"1.3s",animationIterationCount:"infinite",animationTimingFunction:"cubic-bezier(.53,.21,.29,.67)",selectors:(t={},t[s.qJ]=(0,i.pi)({borderTopColor:"Highlight"},(0,s.xM)()),t)},n===a.E.xSmall&&["ms-Spinner--xSmall",{width:12,height:12}],n===a.E.small&&["ms-Spinner--small",{width:16,height:16}],n===a.E.medium&&["ms-Spinner--medium",{width:20,height:20}],n===a.E.large&&["ms-Spinner--large",{width:28,height:28}]],label:[p.label,o.fonts.small,{color:d.themePrimary,margin:"8px 0 0",textAlign:"center"},"top"===l&&{margin:"0 0 8px"},"right"===l&&{margin:"0 0 0 8px"},"left"===l&&{margin:"0 8px 0 0"}],screenReaderText:s.ul}}),void 0,{scope:"Spinner"})},6362:(e,t,o)=>{"use strict";var n,r;o.d(t,{E:()=>n,d:()=>r}),function(e){e[e.xSmall=0]="xSmall",e[e.small=1]="small",e[e.medium=2]="medium",e[e.large=3]="large"}(n||(n={})),function(e){e[e.normal=0]="normal",e[e.large=1]="large"}(r||(r={}))},1565:(e,t,o)=>{"use strict";o.d(t,{t:()=>m});var n=o(7002),r=o(9729),i=o(7300),a=o(5094),s=o(7375),l=o(634),c=o(3608),u=(0,i.y)(),d=function(e){var t;return"ffffff"===(null===(t=(0,s.T)(e))||void 0===t?void 0:t.hex)},p=(0,a.NF)((function(e,t,o,n,i,a,s,l,u){var d=(0,c.W)(e);return(0,r.ZC)({root:["ms-Button",d.root,o,t,s&&["is-checked",d.rootChecked],a&&["is-disabled",d.rootDisabled],!a&&!s&&{selectors:{":hover":d.rootHovered,":focus":d.rootFocused,":active":d.rootPressed}},a&&s&&[d.rootCheckedDisabled],!a&&s&&{selectors:{":hover":d.rootCheckedHovered,":active":d.rootCheckedPressed}}],flexContainer:["ms-Button-flexContainer",d.flexContainer]})})),m=function(e){var t=e.item,o=e.idPrefix,r=void 0===o?e.id:o,i=e.selected,a=void 0!==i&&i,c=e.disabled,m=void 0!==c&&c,h=e.styles,g=e.circle,f=void 0===g||g,v=e.color,b=e.onClick,y=e.onHover,_=e.onFocus,C=e.onMouseEnter,S=e.onMouseMove,x=e.onMouseLeave,k=e.onWheel,w=e.onKeyDown,I=e.height,D=e.width,T=e.borderWidth,E=u(h,{theme:e.theme,disabled:m,selected:a,circle:f,isWhite:d(v),height:I,width:D,borderWidth:T});return n.createElement(l.U,{item:t,id:r+"-"+t.id+"-"+t.index,key:t.id,disabled:m,role:"gridcell",onRenderItem:function(e){var t,o=E.svg;return n.createElement("svg",{className:o,viewBox:"0 0 20 20",fill:null===(t=(0,s.T)(e.color))||void 0===t?void 0:t.str},f?n.createElement("circle",{cx:"50%",cy:"50%",r:"50%"}):n.createElement("rect",{width:"100%",height:"100%"}))},selected:a,onClick:b,onHover:y,onFocus:_,label:t.label,className:E.colorCell,getClassNames:p,index:t.index,onMouseEnter:C,onMouseMove:S,onMouseLeave:x,onWheel:k,onKeyDown:w})}},3624:(e,t,o)=>{"use strict";o.d(t,{h:()=>l});var n=o(2002),r=o(1565),i=o(6145),a=o(9729),s={left:-2,top:-2,bottom:-2,right:-2,border:"none",outlineColor:"ButtonText"},l=(0,n.z)(r.t,(function(e){var t,o,n,r,l,c=e.theme,u=e.disabled,d=e.selected,p=e.circle,m=e.isWhite,h=e.height,g=void 0===h?20:h,f=e.width,v=void 0===f?20:f,b=e.borderWidth,y=c.semanticColors,_=c.palette,C=_.neutralLighter,S=_.neutralLight,x=_.neutralSecondary,k=_.neutralTertiary,w=b||(v<24?2:4);return{colorCell:[(0,a.GL)(c,{inset:-1,position:"relative",highContrastStyle:s}),{backgroundColor:y.bodyBackground,padding:0,position:"relative",boxSizing:"border-box",display:"inline-block",cursor:"pointer",userSelect:"none",borderRadius:0,border:"none",height:g,width:v},!p&&{selectors:(t={},t["."+i.G$+" &:focus::after"]={outlineOffset:w-1+"px"},t)},p&&{borderRadius:"50%",selectors:(o={},o["."+i.G$+" &:focus::after"]={outline:"none",borderColor:y.focusBorder,borderRadius:"50%",left:-w,right:-w,top:-w,bottom:-w,selectors:(n={},n[a.qJ]={outline:"1px solid ButtonText"},n)},o)},d&&{padding:2,border:w+"px solid "+S,selectors:(r={},r["&:hover::before"]={content:'""',height:g,width:v,position:"absolute",top:-w,left:-w,borderRadius:p?"50%":"default",boxShadow:"inset 0 0 0 1px "+x},r)},!d&&{selectors:(l={},l["&:hover, &:active, &:focus"]={backgroundColor:y.bodyBackground,padding:2,border:w+"px solid "+C},l["&:focus"]={borderColor:y.bodyBackground,padding:0,selectors:{":hover":{borderColor:c.palette.neutralLight,padding:2}}},l)},u&&{color:y.disabledBodyText,pointerEvents:"none",opacity:.3},m&&!d&&{backgroundColor:k,padding:1}],svg:[{width:"100%",height:"100%"},p&&{borderRadius:"50%"}]}}),void 0,{scope:"ColorPickerGridCell"},!0)},8621:(e,t,o)=>{"use strict";o.d(t,{_:()=>h});var n=o(7622),r=o(7002),i=o(7300),a=o(8145),s=o(2836),l=o(3624),c=o(4085),u=o(7913),d=o(5646),p=o(6548),m=(0,i.y)(),h=r.forwardRef((function(e,t){var o=(0,c.M)("swatchColorPicker"),i=e.id||o,h=(0,u.B)({isNavigationIdle:!0,cellFocused:!1,navigationIdleTimeoutId:void 0,navigationIdleDelay:250}),g=(0,d.L)(),f=g.setTimeout,v=g.clearTimeout,b=e.colorCells,y=e.cellShape,_=void 0===y?"circle":y,C=e.columnCount,S=e.shouldFocusCircularNavigate,x=void 0===S||S,k=e.className,w=e.disabled,I=void 0!==w&&w,D=e.doNotContainWithinFocusZone,T=e.styles,E=e.cellMargin,P=void 0===E?10:E,M=e.defaultSelectedId,R=e.focusOnHover,N=e.mouseLeaveParentSelector,B=e.onChange,F=e.onColorChanged,L=e.onCellHovered,A=e.onCellFocused,z=e.getColorGridCellStyles,H=e.cellHeight,O=e.cellWidth,W=e.cellBorderWidth,V=r.useMemo((function(){return b.map((function(e,t){return(0,n.pi)((0,n.pi)({},e),{index:t})}))}),[b]),K=r.useCallback((function(e,t){var o,n,r,i=null===(o=b.filter((function(e){return e.id===t}))[0])||void 0===o?void 0:o.color;null===(n=B)||void 0===n||n(e,t,i),null===(r=F)||void 0===r||r(t,i)}),[B,F,b]),q=(0,p.G)(e.selectedId,M,K),G=q[0],U=q[1],j=m(T,{theme:e.theme,className:k,cellMargin:P}),J={root:j.root,tableCell:j.tableCell,focusedContainer:j.focusedContainer},Y=r.useCallback((function(){A&&(h.cellFocused=!1,A())}),[h,A]),Z=r.useCallback((function(e){return R?(h.isNavigationIdle&&!I&&e.currentTarget.focus(),!0):!h.isNavigationIdle||!!I}),[R,h,I]),X=r.useCallback((function(e){if(!R)return!h.isNavigationIdle||!!I;var t=e.currentTarget;return!h.isNavigationIdle||document&&t===document.activeElement||t.focus(),!0}),[R,h,I]),Q=r.useCallback((function(e){var t=N;if(R&&t&&h.isNavigationIdle&&!I)for(var o=document.querySelectorAll(t),n=0;n{"use strict";o.d(t,{U:()=>s});var n=o(2002),r=o(8621),i=o(9729),a={focusedContainer:"ms-swatchColorPickerBodyContainer"},s=(0,n.z)(r._,(function(e){var t=e.className,o=e.theme;return{root:{margin:"8px 0",borderCollapse:"collapse"},tableCell:{padding:e.cellMargin/2},focusedContainer:[(0,i.Cn)(a,o).focusedContainer,{clear:"both",display:"block",minWidth:"180px"},t]}}),void 0,{scope:"SwatchColorPicker"})},5229:(e,t,o)=>{"use strict";o.d(t,{P:()=>C});var n,r=o(7622),i=o(7002),a=o(2052),s=o(9947),l=o(7300),c=o(688),u=o(2167),d=o(2782),p=o(6055),m=o(5301),h=o(687),g=o(3128),f=o(8127),v=o(9757),b=o(5036),y=(0,l.y)(),_="TextField",C=function(e){function t(t){var o=e.call(this,t)||this;o._textElement=i.createRef(),o._onFocus=function(e){o.props.onFocus&&o.props.onFocus(e),o.setState({isFocused:!0},(function(){o.props.validateOnFocusIn&&o._validate(o.value)}))},o._onBlur=function(e){o.props.onBlur&&o.props.onBlur(e),o.setState({isFocused:!1},(function(){o.props.validateOnFocusOut&&o._validate(o.value)}))},o._onRenderLabel=function(e){var t=e.label,n=e.required,r=o._classNames.subComponentStyles?o._classNames.subComponentStyles.label:void 0;return t?i.createElement(a._,{required:n,htmlFor:o._id,styles:r,disabled:e.disabled,id:o._labelId},e.label):null},o._onRenderDescription=function(e){return e.description?i.createElement("span",{className:o._classNames.description},e.description):null},o._onRevealButtonClick=function(e){o.setState((function(e){return{isRevealingPassword:!e.isRevealingPassword}}))},o._onInputChange=function(e){var t,n,r=e.target.value,i=S(o.props,o.state)||"";void 0!==r&&r!==o._lastChangeValue&&r!==i?(o._lastChangeValue=r,null===(n=(t=o.props).onChange)||void 0===n||n.call(t,e,r),o._isControlled||o.setState({uncontrolledValue:r})):o._lastChangeValue=void 0},(0,c.l)(o),o._async=new u.e(o),o._fallbackId=(0,d.z)(_),o._descriptionId=(0,d.z)("TextFieldDescription"),o._labelId=(0,d.z)("TextFieldLabel"),o._warnControlledUsage();var n=t.defaultValue,r=void 0===n?"":n;return"number"==typeof r&&(r=String(r)),o.state={uncontrolledValue:o._isControlled?void 0:r,isFocused:!1,errorMessage:""},o._delayedValidate=o._async.debounce(o._validate,o.props.deferredValidationTime),o._lastValidation=0,o}return(0,r.ZT)(t,e),Object.defineProperty(t.prototype,"value",{get:function(){return S(this.props,this.state)},enumerable:!0,configurable:!0}),t.prototype.componentDidMount=function(){this._adjustInputHeight(),this.props.validateOnLoad&&this._validate(this.value)},t.prototype.componentWillUnmount=function(){this._async.dispose()},t.prototype.getSnapshotBeforeUpdate=function(e,t){return{selection:[this.selectionStart,this.selectionEnd]}},t.prototype.componentDidUpdate=function(e,t,o){var n=this.props,r=(o||{}).selection,i=void 0===r?[null,null]:r,a=i[0],s=i[1];!!e.multiline!=!!n.multiline&&t.isFocused&&(this.focus(),null!==a&&null!==s&&a>=0&&s>=0&&this.setSelectionRange(a,s)),e.value!==n.value&&(this._lastChangeValue=void 0);var l=S(e,t),c=this.value;l!==c&&(this._warnControlledUsage(e),this.state.errorMessage&&!n.errorMessage&&this.setState({errorMessage:""}),this._adjustInputHeight(),x(n)&&this._delayedValidate(c))},t.prototype.render=function(){var e=this.props,t=e.borderless,o=e.className,a=e.disabled,l=e.iconProps,c=e.inputClassName,u=e.label,d=e.multiline,m=e.required,h=e.underlined,g=e.prefix,f=e.resizable,_=e.suffix,C=e.theme,S=e.styles,x=e.autoAdjustHeight,k=e.canRevealPassword,w=e.type,I=e.onRenderPrefix,D=void 0===I?this._onRenderPrefix:I,T=e.onRenderSuffix,E=void 0===T?this._onRenderSuffix:T,P=e.onRenderLabel,M=void 0===P?this._onRenderLabel:P,R=e.onRenderDescription,N=void 0===R?this._onRenderDescription:R,B=this.state,F=B.isFocused,L=B.isRevealingPassword,A=this._errorMessage,z=!!k&&"password"===w&&function(){var e;if("boolean"!=typeof n){var t=(0,v.J)();if(null===(e=t)||void 0===e?void 0:e.navigator){var o=/Edg/.test(t.navigator.userAgent||"");n=!((0,b.f)()||o)}else n=!0}return n}(),H=this._classNames=y(S,{theme:C,className:o,disabled:a,focused:F,required:m,multiline:d,hasLabel:!!u,hasErrorMessage:!!A,borderless:t,resizable:f,hasIcon:!!l,underlined:h,inputClassName:c,autoAdjustHeight:x,hasRevealButton:z});return i.createElement("div",{ref:this.props.elementRef,className:H.root},i.createElement("div",{className:H.wrapper},M(this.props,this._onRenderLabel),i.createElement("div",{className:H.fieldGroup},(void 0!==g||this.props.onRenderPrefix)&&i.createElement("div",{className:H.prefix},D(this.props,this._onRenderPrefix)),d?this._renderTextArea():this._renderInput(),l&&i.createElement(s.J,(0,r.pi)({className:H.icon},l)),z&&i.createElement("button",{className:H.revealButton,onClick:this._onRevealButtonClick,type:"button"},i.createElement("span",{className:H.revealSpan},i.createElement(s.J,{className:H.revealIcon,iconName:L?"Hide":"RedEye"}))),(void 0!==_||this.props.onRenderSuffix)&&i.createElement("div",{className:H.suffix},E(this.props,this._onRenderSuffix)))),this._isDescriptionAvailable&&i.createElement("span",{id:this._descriptionId},N(this.props,this._onRenderDescription),A&&i.createElement("div",{role:"alert"},i.createElement(p.U,null,this._renderErrorMessage()))))},t.prototype.focus=function(){this._textElement.current&&this._textElement.current.focus()},t.prototype.blur=function(){this._textElement.current&&this._textElement.current.blur()},t.prototype.select=function(){this._textElement.current&&this._textElement.current.select()},t.prototype.setSelectionStart=function(e){this._textElement.current&&(this._textElement.current.selectionStart=e)},t.prototype.setSelectionEnd=function(e){this._textElement.current&&(this._textElement.current.selectionEnd=e)},Object.defineProperty(t.prototype,"selectionStart",{get:function(){return this._textElement.current?this._textElement.current.selectionStart:-1},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"selectionEnd",{get:function(){return this._textElement.current?this._textElement.current.selectionEnd:-1},enumerable:!0,configurable:!0}),t.prototype.setSelectionRange=function(e,t){this._textElement.current&&this._textElement.current.setSelectionRange(e,t)},t.prototype._warnControlledUsage=function(e){(0,m.Q)({componentId:this._id,componentName:_,props:this.props,oldProps:e,valueProp:"value",defaultValueProp:"defaultValue",onChangeProp:"onChange",readOnlyProp:"readOnly"}),null!==this.props.value||this._hasWarnedNullValue||(this._hasWarnedNullValue=!0,(0,h.Z)("Warning: 'value' prop on 'TextField' should not be null. Consider using an empty string to clear the component or undefined to indicate an uncontrolled component."))},Object.defineProperty(t.prototype,"_id",{get:function(){return this.props.id||this._fallbackId},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"_isControlled",{get:function(){return(0,g.s)(this.props,"value")},enumerable:!0,configurable:!0}),t.prototype._onRenderPrefix=function(e){var t=e.prefix;return i.createElement("span",{style:{paddingBottom:"1px"}},t)},t.prototype._onRenderSuffix=function(e){var t=e.suffix;return i.createElement("span",{style:{paddingBottom:"1px"}},t)},Object.defineProperty(t.prototype,"_errorMessage",{get:function(){var e=this.props.errorMessage;return(void 0===e?this.state.errorMessage:e)||""},enumerable:!0,configurable:!0}),t.prototype._renderErrorMessage=function(){var e=this._errorMessage;return e?"string"==typeof e?i.createElement("p",{className:this._classNames.errorMessage},i.createElement("span",{"data-automation-id":"error-message"},e)):i.createElement("div",{className:this._classNames.errorMessage,"data-automation-id":"error-message"},e):null},Object.defineProperty(t.prototype,"_isDescriptionAvailable",{get:function(){var e=this.props;return!!(e.onRenderDescription||e.description||this._errorMessage)},enumerable:!0,configurable:!0}),t.prototype._renderTextArea=function(){var e=(0,f.pq)(this.props,f.FI,["defaultValue"]),t=this.props["aria-labelledby"]||(this.props.label?this._labelId:void 0);return i.createElement("textarea",(0,r.pi)({id:this._id},e,{ref:this._textElement,value:this.value||"",onInput:this._onInputChange,onChange:this._onInputChange,className:this._classNames.field,"aria-labelledby":t,"aria-describedby":this._isDescriptionAvailable?this._descriptionId:this.props["aria-describedby"],"aria-invalid":!!this._errorMessage,"aria-label":this.props.ariaLabel,readOnly:this.props.readOnly,onFocus:this._onFocus,onBlur:this._onBlur}))},t.prototype._renderInput=function(){var e,t=(0,f.pq)(this.props,f.Gg,["defaultValue","type"]),o=this.props["aria-labelledby"]||(this.props.label?this._labelId:void 0),n=this.state.isRevealingPassword?"text":null!=(e=this.props.type)?e:"text";return i.createElement("input",(0,r.pi)({type:n,id:this._id,"aria-labelledby":o},t,{ref:this._textElement,value:this.value||"",onInput:this._onInputChange,onChange:this._onInputChange,className:this._classNames.field,"aria-label":this.props.ariaLabel,"aria-describedby":this._isDescriptionAvailable?this._descriptionId:this.props["aria-describedby"],"aria-invalid":!!this._errorMessage,readOnly:this.props.readOnly,onFocus:this._onFocus,onBlur:this._onBlur}))},t.prototype._validate=function(e){var t=this;if(this._latestValidateValue!==e||!x(this.props)){this._latestValidateValue=e;var o=this.props.onGetErrorMessage,n=o&&o(e||"");if(void 0!==n)if("string"!=typeof n&&"then"in n){var r=++this._lastValidation;n.then((function(o){r===t._lastValidation&&t.setState({errorMessage:o}),t._notifyAfterValidate(e,o)}))}else this.setState({errorMessage:n}),this._notifyAfterValidate(e,n);else this._notifyAfterValidate(e,"")}},t.prototype._notifyAfterValidate=function(e,t){e===this.value&&this.props.onNotifyValidationResult&&this.props.onNotifyValidationResult(t,e)},t.prototype._adjustInputHeight=function(){if(this._textElement.current&&this.props.autoAdjustHeight&&this.props.multiline){var e=this._textElement.current;e.style.height="",e.style.height=e.scrollHeight+"px"}},t.defaultProps={resizable:!0,deferredValidationTime:200,validateOnLoad:!0},t}(i.Component);function S(e,t){var o=e.value,n=void 0===o?t.uncontrolledValue:o;return"number"==typeof n?String(n):n}function x(e){return!(e.validateOnFocusIn||e.validateOnFocusOut)}},8623:(e,t,o)=>{"use strict";o.d(t,{n:()=>c});var n=o(2002),r=o(5229),i=o(7622),a=o(9729),s={root:"ms-TextField",description:"ms-TextField-description",errorMessage:"ms-TextField-errorMessage",field:"ms-TextField-field",fieldGroup:"ms-TextField-fieldGroup",prefix:"ms-TextField-prefix",suffix:"ms-TextField-suffix",wrapper:"ms-TextField-wrapper",revealButton:"ms-TextField-reveal",multiline:"ms-TextField--multiline",borderless:"ms-TextField--borderless",underlined:"ms-TextField--underlined",unresizable:"ms-TextField--unresizable",required:"is-required",disabled:"is-disabled",active:"is-active"};function l(e){var t=e.underlined,o=e.disabled,n=e.focused,r=e.theme,i=r.palette,s=r.fonts;return function(){var e;return{root:[t&&o&&{color:i.neutralTertiary},t&&{fontSize:s.medium.fontSize,marginRight:8,paddingLeft:12,paddingRight:0,lineHeight:"22px",height:32},t&&n&&{selectors:(e={},e[a.qJ]={height:31},e)}]}}}var c=(0,n.z)(r.P,(function(e){var t,o,n,r,c,u,d,p,m,h,g,f,v=e.theme,b=e.className,y=e.disabled,_=e.focused,C=e.required,S=e.multiline,x=e.hasLabel,k=e.borderless,w=e.underlined,I=e.hasIcon,D=e.resizable,T=e.hasErrorMessage,E=e.inputClassName,P=e.autoAdjustHeight,M=e.hasRevealButton,R=v.semanticColors,N=v.effects,B=v.fonts,F=(0,a.Cn)(s,v),L={background:R.disabledBackground,color:y?R.disabledText:R.inputPlaceholderText,display:"flex",alignItems:"center",padding:"0 10px",lineHeight:1,whiteSpace:"nowrap",flexShrink:0,selectors:(t={},t[a.qJ]={background:"Window",color:y?"GrayText":"WindowText"},t)},A=[B.medium,{color:R.inputPlaceholderText,opacity:1,selectors:(o={},o[a.qJ]={color:"GrayText"},o)}],z={color:R.disabledText,selectors:(n={},n[a.qJ]={color:"GrayText"},n)};return{root:[F.root,B.medium,C&&F.required,y&&F.disabled,_&&F.active,S&&F.multiline,k&&F.borderless,w&&F.underlined,a.Fv,{position:"relative"},b],wrapper:[F.wrapper,w&&[{display:"flex",borderBottom:"1px solid "+(T?R.errorText:R.inputBorder),width:"100%"},y&&{borderBottomColor:R.disabledBackground,selectors:(r={},r[a.qJ]=(0,i.pi)({borderColor:"GrayText"},(0,a.xM)()),r)},!y&&{selectors:{":hover":{borderBottomColor:T?R.errorText:R.inputBorderHovered,selectors:(c={},c[a.qJ]=(0,i.pi)({borderBottomColor:"Highlight"},(0,a.xM)()),c)}}},_&&[{position:"relative"},(0,a.$Y)(T?R.errorText:R.inputFocusBorderAlt,0,"borderBottom")]]],fieldGroup:[F.fieldGroup,a.Fv,{border:"1px solid "+R.inputBorder,borderRadius:N.roundedCorner2,background:R.inputBackground,cursor:"text",height:32,display:"flex",flexDirection:"row",alignItems:"stretch",position:"relative"},S&&{minHeight:"60px",height:"auto",display:"flex"},!_&&!y&&{selectors:{":hover":{borderColor:R.inputBorderHovered,selectors:(u={},u[a.qJ]=(0,i.pi)({borderColor:"Highlight"},(0,a.xM)()),u)}}},_&&!w&&(0,a.$Y)(T?R.errorText:R.inputFocusBorderAlt,N.roundedCorner2),y&&{borderColor:R.disabledBackground,selectors:(d={},d[a.qJ]=(0,i.pi)({borderColor:"GrayText"},(0,a.xM)()),d),cursor:"default"},k&&{border:"none"},k&&_&&{border:"none",selectors:{":after":{border:"none"}}},w&&{flex:"1 1 0px",border:"none",textAlign:"left"},w&&y&&{backgroundColor:"transparent"},T&&!w&&{borderColor:R.errorText,selectors:{"&:hover":{borderColor:R.errorText}}},!x&&C&&{selectors:(p={":before":{content:"'*'",color:R.errorText,position:"absolute",top:-5,right:-10}},p[a.qJ]={selectors:{":before":{color:"WindowText",right:-14}}},p)}],field:[B.medium,F.field,a.Fv,{borderRadius:0,border:"none",background:"none",backgroundColor:"transparent",color:R.inputText,padding:"0 8px",width:"100%",minWidth:0,textOverflow:"ellipsis",outline:0,selectors:(m={"&:active, &:focus, &:hover":{outline:0},"::-ms-clear":{display:"none"}},m[a.qJ]={background:"Window",color:y?"GrayText":"WindowText"},m)},(0,a.Sv)(A),S&&!D&&[F.unresizable,{resize:"none"}],S&&{minHeight:"inherit",lineHeight:17,flexGrow:1,paddingTop:6,paddingBottom:6,overflow:"auto",width:"100%"},S&&P&&{overflow:"hidden"},I&&!M&&{paddingRight:24},S&&I&&{paddingRight:40},y&&[{backgroundColor:R.disabledBackground,color:R.disabledText,borderColor:R.disabledBackground},(0,a.Sv)(z)],w&&{textAlign:"left"},_&&!k&&{selectors:(h={},h[a.qJ]={paddingLeft:11,paddingRight:11},h)},_&&S&&!k&&{selectors:(g={},g[a.qJ]={paddingTop:4},g)},E],icon:[S&&{paddingRight:24,alignItems:"flex-end"},{pointerEvents:"none",position:"absolute",bottom:6,right:8,top:"auto",fontSize:a.ld.medium,lineHeight:18},y&&{color:R.disabledText}],description:[F.description,{color:R.bodySubtext,fontSize:B.xSmall.fontSize}],errorMessage:[F.errorMessage,a.k4.slideDownIn20,B.small,{color:R.errorText,margin:0,paddingTop:5,display:"flex",alignItems:"center"}],prefix:[F.prefix,L],suffix:[F.suffix,L],revealButton:[F.revealButton,"ms-Button","ms-Button--icon",{height:30,width:32,border:"none",padding:"0px 4px",backgroundColor:"transparent",color:R.link,selectors:{":hover":{outline:0,color:R.primaryButtonBackgroundHovered,backgroundColor:R.buttonBackgroundHovered,selectors:(f={},f[a.qJ]={borderColor:"Highlight",color:"Highlight"},f)},":focus":{outline:0}}},I&&{marginRight:28}],revealSpan:{display:"flex",height:"100%",alignItems:"center"},revealIcon:{margin:"0px 4px",pointerEvents:"none",bottom:6,right:8,top:"auto",fontSize:a.ld.medium,lineHeight:18},subComponentStyles:{label:l(e)}}}),void 0,{scope:"TextField"})},5637:(e,t,o)=>{"use strict";o.d(t,{s:()=>p});var n=o(7622),r=o(7002),i=o(6548),a=o(4085),s=o(7300),l=o(8127),c=o(5480),u=o(2052),d=(0,s.y)(),p=r.forwardRef((function(e,t){var o=e.as,s=void 0===o?"div":o,p=e.ariaLabel,h=e.checked,g=e.className,f=e.defaultChecked,v=void 0!==f&&f,b=e.disabled,y=e.inlineLabel,_=e.label,C=e.offAriaLabel,S=e.offText,x=e.onAriaLabel,k=e.onChange,w=e.onChanged,I=e.onClick,D=e.onText,T=e.role,E=e.styles,P=e.theme,M=(0,i.G)(h,v,r.useCallback((function(e,t){var o,n;null===(o=k)||void 0===o||o(e,t),null===(n=w)||void 0===n||n(t)}),[k,w])),R=M[0],N=M[1],B=d(E,{theme:P,className:g,disabled:b,checked:R,inlineLabel:y,onOffMissing:!D&&!S}),F=R?x:C,L=(0,a.M)("Toggle",e.id),A=L+"-label",z=L+"-stateText",H=R?D:S,O=(0,l.pq)(e,l.Gg,["defaultChecked"]),W=void 0;p||F||(_&&(W=A),H&&(W=W?W+" "+z:z));var V=r.useRef(null);(0,c.P)(V),m(e,R,V);var K={root:{className:B.root,hidden:O.hidden},label:{children:_,className:B.label,htmlFor:L,id:A},container:{className:B.container},pill:(0,n.pi)((0,n.pi)({},O),{"aria-disabled":b,"aria-checked":R,"aria-label":p||F,"aria-labelledby":W,className:B.pill,"data-is-focusable":!0,"data-ktp-target":!0,disabled:b,id:L,onClick:function(e){b||(N(!R),I&&I(e))},ref:V,role:T||"switch",type:"button"}),thumb:{className:B.thumb},stateText:{children:H,className:B.text,htmlFor:L,id:z}};return r.createElement(s,(0,n.pi)({ref:t},K.root),_&&r.createElement(u._,(0,n.pi)({},K.label)),r.createElement("div",(0,n.pi)({},K.container),r.createElement("button",(0,n.pi)({},K.pill),r.createElement("span",(0,n.pi)({},K.thumb))),(R&&D||S)&&r.createElement(u._,(0,n.pi)({},K.stateText))))}));p.displayName="ToggleBase";var m=function(e,t,o){r.useImperativeHandle(e.componentRef,(function(){return{get checked(){return!!t},focus:function(){o.current&&o.current.focus()}}}),[t,o])}},1431:(e,t,o)=>{"use strict";o.d(t,{Z:()=>s});var n=o(2002),r=o(5637),i=o(7622),a=o(9729),s=(0,n.z)(r.s,(function(e){var t,o,n,r,s,l,c,u=e.theme,d=e.className,p=e.disabled,m=e.checked,h=e.inlineLabel,g=e.onOffMissing,f=u.semanticColors,v=u.palette,b=f.bodyBackground,y=f.inputBackgroundChecked,_=f.inputBackgroundCheckedHovered,C=v.neutralDark,S=f.disabledBodySubtext,x=f.smallInputBorder,k=f.inputForegroundChecked,w=f.disabledBodySubtext,I=f.disabledBackground,D=f.smallInputBorder,T=f.inputBorderHovered,E=f.disabledBodySubtext,P=f.disabledText;return{root:["ms-Toggle",m&&"is-checked",!p&&"is-enabled",p&&"is-disabled",u.fonts.medium,{marginBottom:"8px"},h&&{display:"flex",alignItems:"center"},d],label:["ms-Toggle-label",{display:"inline-block"},p&&{color:P,selectors:(t={},t[a.qJ]={color:"GrayText"},t)},h&&!g&&{marginRight:16},g&&h&&{order:1,marginLeft:16},h&&{wordBreak:"break-all"}],container:["ms-Toggle-innerContainer",{display:"flex",position:"relative"}],pill:["ms-Toggle-background",(0,a.GL)(u,{inset:-3}),{fontSize:"20px",boxSizing:"border-box",width:40,height:20,borderRadius:10,transition:"all 0.1s ease",border:"1px solid "+D,background:b,cursor:"pointer",display:"flex",alignItems:"center",padding:"0 3px"},!p&&[!m&&{selectors:{":hover":[{borderColor:T}],":hover .ms-Toggle-thumb":[{backgroundColor:C,selectors:(o={},o[a.qJ]={borderColor:"Highlight"},o)}]}},m&&[{background:y,borderColor:"transparent",justifyContent:"flex-end"},{selectors:(n={":hover":[{backgroundColor:_,borderColor:"transparent",selectors:(r={},r[a.qJ]={backgroundColor:"Highlight"},r)}]},n[a.qJ]=(0,i.pi)({backgroundColor:"Highlight"},(0,a.xM)()),n)}]],p&&[{cursor:"default"},!m&&[{borderColor:E}],m&&[{backgroundColor:S,borderColor:"transparent",justifyContent:"flex-end"}]],!p&&{selectors:{"&:hover":{selectors:(s={},s[a.qJ]={borderColor:"Highlight"},s)}}}],thumb:["ms-Toggle-thumb",{display:"block",width:12,height:12,borderRadius:"50%",transition:"all 0.1s ease",backgroundColor:x,borderColor:"transparent",borderWidth:6,borderStyle:"solid",boxSizing:"border-box"},!p&&m&&[{backgroundColor:k,selectors:(l={},l[a.qJ]={backgroundColor:"Window",borderColor:"Window"},l)}],p&&[!m&&[{backgroundColor:w}],m&&[{backgroundColor:I}]]],text:["ms-Toggle-stateText",{selectors:{"&&":{padding:"0",margin:"0 8px",userSelect:"none",fontWeight:a.lq.regular}}},p&&{selectors:{"&&":{color:P,selectors:(c={},c[a.qJ]={color:"GrayText"},c)}}}]}}),void 0,{scope:"Toggle"})},3860:(e,t,o)=>{"use strict";o.d(t,{P:()=>u});var n=o(7622),r=o(7002),i=o(7300),a=o(8127),s=o(5953),l=o(6628),c=(0,i.y)(),u=function(e){function t(){var t=null!==e&&e.apply(this,arguments)||this;return t._onRenderContent=function(e){return r.createElement("p",{className:t._classNames.subText},e.content)},t}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.className,o=e.calloutProps,i=e.directionalHint,l=e.directionalHintForRTL,u=e.styles,d=e.id,p=e.maxWidth,m=e.onRenderContent,h=void 0===m?this._onRenderContent:m,g=e.targetElement,f=e.theme;return this._classNames=c(u,{theme:f,className:t||o&&o.className,beakWidth:o&&o.beakWidth,gapSpace:o&&o.gapSpace,maxWidth:p}),r.createElement(s.U,(0,n.pi)({target:g,directionalHint:i,directionalHintForRTL:l},o,(0,a.pq)(this.props,a.n7,["id"]),{className:this._classNames.root}),r.createElement("div",{className:this._classNames.content,id:d,role:"tooltip",onMouseEnter:this.props.onMouseEnter,onMouseLeave:this.props.onMouseLeave},h(this.props,this._onRenderContent)))},t.defaultProps={directionalHint:l.b.topCenter,maxWidth:"364px",calloutProps:{isBeakVisible:!0,beakWidth:16,gapSpace:0,setInitialFocus:!0,doNotLayer:!1}},t}(r.Component)},1594:(e,t,o)=>{"use strict";o.d(t,{u:()=>a});var n=o(2002),r=o(3860),i=o(9729),a=(0,n.z)(r.P,(function(e){var t=e.className,o=e.beakWidth,n=void 0===o?16:o,r=e.gapSpace,a=void 0===r?0:r,s=e.maxWidth,l=e.theme,c=l.semanticColors,u=l.fonts,d=l.effects,p=-(Math.sqrt(n*n/2)+a)+1/window.devicePixelRatio;return{root:["ms-Tooltip",l.fonts.medium,i.k4.fadeIn200,{background:c.menuBackground,boxShadow:d.elevation8,padding:"8px",maxWidth:s,selectors:{":after":{content:"''",position:"absolute",bottom:p,left:p,right:p,top:p,zIndex:0}}},t],content:["ms-Tooltip-content",u.small,{position:"relative",zIndex:1,color:c.menuItemText,wordWrap:"break-word",overflowWrap:"break-word",overflow:"hidden"}],subText:["ms-Tooltip-subtext",{fontSize:"inherit",fontWeight:"inherit",color:"inherit",margin:0}]}}),void 0,{scope:"Tooltip"})},1180:(e,t,o)=>{"use strict";var n;o.d(t,{j:()=>n}),function(e){e[e.zero=0]="zero",e[e.medium=1]="medium",e[e.long=2]="long"}(n||(n={}))},154:(e,t,o)=>{"use strict";o.d(t,{Z:()=>y});var n=o(7622),r=o(7002),i=o(9729),a=o(7300),s=o(2782),l=o(6670),c=o(7466),u=o(8145),d=o(688),p=o(2167),m=o(2447),h=o(8127),g=o(3967),f=o(1594),v=o(1180),b=(0,a.y)(),y=function(e){function t(o){var n=e.call(this,o)||this;return n._tooltipHost=r.createRef(),n._defaultTooltipId=(0,s.z)("tooltip"),n.show=function(){n._toggleTooltip(!0)},n.dismiss=function(){n._hideTooltip()},n._getTargetElement=function(){if(n._tooltipHost.current){var e=n.props.overflowMode;if(void 0!==e)switch(e){case g.y.Parent:return n._tooltipHost.current.parentElement;case g.y.Self:return n._tooltipHost.current}return n._tooltipHost.current}},n._onTooltipMouseEnter=function(e){var o=n.props,r=o.overflowMode,i=o.delay;if(t._currentVisibleTooltip&&t._currentVisibleTooltip!==n&&t._currentVisibleTooltip.dismiss(),t._currentVisibleTooltip=n,void 0!==r){var a=n._getTargetElement();if(a&&!(0,l.zS)(a))return}if(!e.target||!(0,c.w)(e.target,n._getTargetElement()))if(n._clearDismissTimer(),n._clearOpenTimer(),i!==v.j.zero){n.setState({isAriaPlaceholderRendered:!0});var s=n._getDelayTime(i);n._openTimerId=n._async.setTimeout((function(){n._toggleTooltip(!0)}),s)}else n._toggleTooltip(!0)},n._onTooltipMouseLeave=function(e){var o=n.props.closeDelay;n._clearDismissTimer(),n._clearOpenTimer(),o?n._dismissTimerId=n._async.setTimeout((function(){n._toggleTooltip(!1)}),o):n._toggleTooltip(!1),t._currentVisibleTooltip===n&&(t._currentVisibleTooltip=void 0)},n._onTooltipKeyDown=function(e){(e.which===u.m.escape||e.ctrlKey)&&n.state.isTooltipVisible&&(n._hideTooltip(),e.stopPropagation())},n._clearDismissTimer=function(){n._async.clearTimeout(n._dismissTimerId)},n._clearOpenTimer=function(){n._async.clearTimeout(n._openTimerId)},n._hideTooltip=function(){n._clearOpenTimer(),n._clearDismissTimer(),n._toggleTooltip(!1)},n._toggleTooltip=function(e){n.state.isTooltipVisible!==e&&n.setState({isAriaPlaceholderRendered:!1,isTooltipVisible:e},(function(){return n.props.onTooltipToggle&&n.props.onTooltipToggle(e)}))},n._getDelayTime=function(e){switch(e){case v.j.medium:return 300;case v.j.long:return 500;default:return 0}},(0,d.l)(n),n.state={isAriaPlaceholderRendered:!1,isTooltipVisible:!1},n._async=new p.e(n),n}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.calloutProps,o=e.children,a=e.content,s=e.directionalHint,l=e.directionalHintForRTL,c=e.hostClassName,u=e.id,d=e.setAriaDescribedBy,p=void 0===d||d,g=e.tooltipProps,v=e.styles,y=e.theme;this._classNames=b(v,{theme:y,className:c});var _=this.state,C=_.isAriaPlaceholderRendered,S=_.isTooltipVisible,x=u||this._defaultTooltipId,k=!!(a||g&&g.onRenderContent&&g.onRenderContent()),w=S&&k,I=p&&S&&k?x:void 0;return r.createElement("div",(0,n.pi)({className:this._classNames.root,ref:this._tooltipHost},{onFocusCapture:this._onTooltipMouseEnter},{onBlurCapture:this._hideTooltip},{onMouseEnter:this._onTooltipMouseEnter,onMouseLeave:this._onTooltipMouseLeave,onKeyDown:this._onTooltipKeyDown,"aria-describedby":I}),o,w&&r.createElement(f.u,(0,n.pi)({id:x,content:a,targetElement:this._getTargetElement(),directionalHint:s,directionalHintForRTL:l,calloutProps:(0,m.f0)({},t,{onDismiss:this._hideTooltip,onMouseEnter:this._onTooltipMouseEnter,onMouseLeave:this._onTooltipMouseLeave}),onMouseEnter:this._onTooltipMouseEnter,onMouseLeave:this._onTooltipMouseLeave},(0,h.pq)(this.props,h.n7),g)),C&&r.createElement("div",{id:x,style:i.ul},a))},t.prototype.componentWillUnmount=function(){t._currentVisibleTooltip&&t._currentVisibleTooltip===this&&(t._currentVisibleTooltip=void 0),this._async.dispose()},t.defaultProps={delay:v.j.medium},t}(r.Component)},5816:(e,t,o)=>{"use strict";o.d(t,{G:()=>s});var n=o(2002),r=o(154),i=o(9729),a={root:"ms-TooltipHost",ariaPlaceholder:"ms-TooltipHost-aria-placeholder"},s=(0,n.z)(r.Z,(function(e){var t=e.className,o=e.theme;return{root:[(0,i.Cn)(a,o).root,{display:"inline"},t]}}),void 0,{scope:"TooltipHost"})},3967:(e,t,o)=>{"use strict";var n;o.d(t,{y:()=>n}),function(e){e[e.Parent=0]="Parent",e[e.Self=1]="Self"}(n||(n={}))},8976:(e,t,o)=>{"use strict";o.d(t,{d:()=>L,Y:()=>A});var n={};o.r(n),o.d(n,{inputDisabled:()=>P,inputFocused:()=>E,pickerInput:()=>M,pickerItems:()=>R,pickerText:()=>T,screenReaderOnly:()=>N});var r=o(7622),i=o(7002),a=o(7300),s=o(2002),l=o(8145),c=o(3345),u=o(688),d=o(2167),p=o(2782),m=o(8088),h=o(2998),g=o(7023),f=o(5953),v=o(3297),b=o(4449),y=o(5238),_=o(6628),C=o(4800),S=o(9729),x={root:"ms-Suggestions",suggestionsContainer:"ms-Suggestions-container",title:"ms-Suggestions-title",forceResolveButton:"ms-forceResolve-button",searchForMoreButton:"ms-SearchMore-button",spinner:"ms-Suggestions-spinner",noSuggestions:"ms-Suggestions-none",suggestionsAvailable:"ms-Suggestions-suggestionsAvailable",isSelected:"is-selected"};function k(e){var t,o=e.className,n=e.suggestionsClassName,i=e.theme,a=e.forceResolveButtonSelected,s=e.searchForMoreButtonSelected,l=i.palette,c=i.semanticColors,u=i.fonts,d=(0,S.Cn)(x,i),p={backgroundColor:"transparent",border:0,cursor:"pointer",margin:0,paddingLeft:8,position:"relative",borderTop:"1px solid "+l.neutralLight,height:40,textAlign:"left",width:"100%",fontSize:u.small.fontSize,selectors:{":hover":{backgroundColor:c.menuItemBackgroundPressed,cursor:"pointer"},":focus, :active":{backgroundColor:l.themeLight},".ms-Button-icon":{fontSize:u.mediumPlus.fontSize,width:25},".ms-Button-label":{margin:"0 4px 0 9px"}}},m={backgroundColor:l.themeLight,selectors:(t={},t[S.qJ]=(0,r.pi)({backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},(0,S.xM)()),t)};return{root:[d.root,{minWidth:260},o],suggestionsContainer:[d.suggestionsContainer,{overflowY:"auto",overflowX:"hidden",maxHeight:300,transform:"translate3d(0,0,0)"},n],title:[d.title,{padding:"0 12px",fontSize:u.small.fontSize,color:l.themePrimary,lineHeight:40,borderBottom:"1px solid "+c.menuItemBackgroundPressed}],forceResolveButton:[d.forceResolveButton,p,a&&[d.isSelected,m]],searchForMoreButton:[d.searchForMoreButton,p,s&&[d.isSelected,m]],noSuggestions:[d.noSuggestions,{textAlign:"center",color:l.neutralSecondary,fontSize:u.small.fontSize,lineHeight:30}],suggestionsAvailable:[d.suggestionsAvailable,S.ul],subComponentStyles:{spinner:{root:[d.spinner,{margin:"5px 0",paddingLeft:14,textAlign:"left",whiteSpace:"nowrap",lineHeight:20,fontSize:u.small.fontSize}],circle:{display:"inline-block",verticalAlign:"middle"},label:{display:"inline-block",verticalAlign:"middle",margin:"0 10px 0 16px"}}}}}var w=o(6920),I=o(7115),D=o(5767);(0,o(4976).RM)([{rawString:".pickerText_9da47ae5{display:-webkit-box;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;-webkit-box-align:center;-ms-flex-align:center;align-items:center;-webkit-box-sizing:border-box;box-sizing:border-box;border:1px solid "},{theme:"neutralTertiary",defaultValue:"#a19f9d"},{rawString:";min-width:180px;min-height:30px}.pickerText_9da47ae5:hover{border-color:"},{theme:"inputBorderHovered",defaultValue:"#323130"},{rawString:"}.pickerText_9da47ae5.inputFocused_9da47ae5{position:relative;border-color:"},{theme:"inputFocusBorderAlt",defaultValue:"#0078d4"},{rawString:"}.pickerText_9da47ae5.inputFocused_9da47ae5:after{pointer-events:none;content:'';position:absolute;left:-1px;top:-1px;bottom:-1px;right:-1px;border:2px solid "},{theme:"inputFocusBorderAlt",defaultValue:"#0078d4"},{rawString:"}@media screen and (-ms-high-contrast:active){.pickerText_9da47ae5.inputDisabled_9da47ae5{position:relative;border-color:GrayText}.pickerText_9da47ae5.inputDisabled_9da47ae5:after{pointer-events:none;content:'';position:absolute;left:0;top:0;bottom:0;right:0;background-color:Window}}.pickerInput_9da47ae5{height:34px;border:none;-webkit-box-flex:1;-ms-flex-positive:1;flex-grow:1;outline:0;padding:0 6px 0;-ms-flex-item-align:end;align-self:flex-end}.pickerItems_9da47ae5{display:-webkit-box;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;max-width:100%}.screenReaderOnly_9da47ae5{position:absolute;width:1px;height:1px;padding:0;margin:-1px;overflow:hidden;clip:rect(0,0,0,0);border:0}"}]);var T="pickerText_9da47ae5",E="inputFocused_9da47ae5",P="inputDisabled_9da47ae5",M="pickerInput_9da47ae5",R="pickerItems_9da47ae5",N="screenReaderOnly_9da47ae5",B=n,F=(0,a.y)(),L=function(e){function t(t){var o,n=e.call(this,t)||this;n.root=i.createRef(),n.input=i.createRef(),n.focusZone=i.createRef(),n.suggestionElement=i.createRef(),n.SuggestionOfProperType=C.D,n._styledSuggestions=(o=n.SuggestionOfProperType,(0,s.z)(o,k,void 0,{scope:"Suggestions"})),n.dismissSuggestions=function(e){var t=function(){var t=!0;n.props.onDismiss&&(t=n.props.onDismiss(e,n.suggestionStore.currentSuggestion?n.suggestionStore.currentSuggestion.item:void 0)),(!e||e&&!e.defaultPrevented)&&!1!==t&&n.canAddItems()&&n.suggestionStore.hasSelectedSuggestion()&&n.state.suggestedDisplayValue&&n.addItemByIndex(0)};n.currentPromise?n.currentPromise.then((function(){return t()})):t(),n.setState({suggestionsVisible:!1})},n.refocusSuggestions=function(e){n.resetFocus(),n.suggestionStore.suggestions&&n.suggestionStore.suggestions.length>0&&(e===l.m.up?n.suggestionStore.setSelectedSuggestion(n.suggestionStore.suggestions.length-1):e===l.m.down&&n.suggestionStore.setSelectedSuggestion(0))},n.onInputChange=function(e){n.updateValue(e),n.setState({moreSuggestionsAvailable:!0,isMostRecentlyUsedVisible:!1})},n.onSuggestionClick=function(e,t,o){n.addItemByIndex(o)},n.onSuggestionRemove=function(e,t,o){n.props.onRemoveSuggestion&&n.props.onRemoveSuggestion(t),n.suggestionStore.removeSuggestion(o)},n.onInputFocus=function(e){n.selection.setAllSelected(!1),n.state.isFocused||(n.setState({isFocused:!0}),n._userTriggeredSuggestions(),n.props.inputProps&&n.props.inputProps.onFocus&&n.props.inputProps.onFocus(e))},n.onInputBlur=function(e){n.props.inputProps&&n.props.inputProps.onBlur&&n.props.inputProps.onBlur(e)},n.onBlur=function(e){if(n.state.isFocused){var t=e.relatedTarget;null===e.relatedTarget&&(t=document.activeElement),t&&!(0,c.t)(n.root.current,t)&&(n.setState({isFocused:!1}),n.props.onBlur&&n.props.onBlur(e))}},n.onClick=function(e){void 0!==n.props.inputProps&&void 0!==n.props.inputProps.onClick&&n.props.inputProps.onClick(e),0===e.button&&n._userTriggeredSuggestions()},n.onKeyDown=function(e){var t=e.which;switch(t){case l.m.escape:n.state.suggestionsVisible&&(n.setState({suggestionsVisible:!1}),e.preventDefault(),e.stopPropagation());break;case l.m.tab:case l.m.enter:n.suggestionElement.current&&n.suggestionElement.current.hasSuggestedActionSelected()?n.suggestionElement.current.executeSelectedAction():!e.shiftKey&&n.suggestionStore.hasSelectedSuggestion()&&n.state.suggestionsVisible?(n.completeSuggestion(),e.preventDefault(),e.stopPropagation()):n._completeGenericSuggestion();break;case l.m.backspace:n.props.disabled||n.onBackspace(e),e.stopPropagation();break;case l.m.del:n.props.disabled||(n.input.current&&e.target===n.input.current.inputElement&&n.state.suggestionsVisible&&-1!==n.suggestionStore.currentIndex?(n.props.onRemoveSuggestion&&n.props.onRemoveSuggestion(n.suggestionStore.currentSuggestion.item),n.suggestionStore.removeSuggestion(n.suggestionStore.currentIndex),n.forceUpdate()):n.onBackspace(e)),e.stopPropagation();break;case l.m.up:n.input.current&&e.target===n.input.current.inputElement&&n.state.suggestionsVisible&&(n.suggestionElement.current&&n.suggestionElement.current.tryHandleKeyDown(t,n.suggestionStore.currentIndex)?(e.preventDefault(),e.stopPropagation(),n.forceUpdate()):n.suggestionElement.current&&n.suggestionElement.current.hasSuggestedAction()&&0===n.suggestionStore.currentIndex?(e.preventDefault(),e.stopPropagation(),n.suggestionElement.current.focusAboveSuggestions(),n.suggestionStore.deselectAllSuggestions(),n.forceUpdate()):n.suggestionStore.previousSuggestion()&&(e.preventDefault(),e.stopPropagation(),n.onSuggestionSelect()));break;case l.m.down:n.input.current&&e.target===n.input.current.inputElement&&n.state.suggestionsVisible&&(n.suggestionElement.current&&n.suggestionElement.current.tryHandleKeyDown(t,n.suggestionStore.currentIndex)?(e.preventDefault(),e.stopPropagation(),n.forceUpdate()):n.suggestionElement.current&&n.suggestionElement.current.hasSuggestedAction()&&n.suggestionStore.currentIndex+1===n.suggestionStore.suggestions.length?(e.preventDefault(),e.stopPropagation(),n.suggestionElement.current.focusBelowSuggestions(),n.suggestionStore.deselectAllSuggestions(),n.forceUpdate()):n.suggestionStore.nextSuggestion()&&(e.preventDefault(),e.stopPropagation(),n.onSuggestionSelect()))}},n.onItemChange=function(e,t){var o=n.state.items;if(t>=0){var r=o;r[t]=e,n._updateSelectedItems(r)}},n.onGetMoreResults=function(){n.setState({isSearching:!0},(function(){if(n.props.onGetMoreResults&&n.input.current){var e=n.props.onGetMoreResults(n.input.current.value,n.state.items),t=e,o=e;Array.isArray(t)?(n.updateSuggestions(t),n.setState({isSearching:!1})):o.then&&o.then((function(e){n.updateSuggestions(e),n.setState({isSearching:!1})}))}else n.setState({isSearching:!1});n.input.current&&n.input.current.focus(),n.setState({moreSuggestionsAvailable:!1,isResultsFooterVisible:!0})}))},n.completeSelection=function(e){n.addItem(e),n.updateValue(""),n.input.current&&n.input.current.clear(),n.setState({suggestionsVisible:!1})},n.addItemByIndex=function(e){n.completeSelection(n.suggestionStore.getSuggestionAtIndex(e).item)},n.addItem=function(e){var t=n.props.onItemSelected?n.props.onItemSelected(e):e;if(null!==t){var o=t,r=t;if(r&&r.then)r.then((function(e){var t=n.state.items.concat([e]);n._updateSelectedItems(t)}));else{var i=n.state.items.concat([o]);n._updateSelectedItems(i)}n.setState({suggestedDisplayValue:""})}},n.removeItem=function(e,t){var o=n.state.items,r=o.indexOf(e);if(r>=0){var i=o.slice(0,r).concat(o.slice(r+1));n._updateSelectedItems(i)}},n.removeItems=function(e){var t=n.state.items.filter((function(t){return-1===e.indexOf(t)}));n._updateSelectedItems(t)},n._shouldFocusZoneEnterInnerZone=function(e){if(n.state.suggestionsVisible)switch(e.which){case l.m.up:case l.m.down:return!0}return e.which===l.m.enter},n._onResolveSuggestions=function(e){var t=n.props.onResolveSuggestions(e,n.state.items);null!==t&&n.updateSuggestionsList(t,e)},n._completeGenericSuggestion=function(){if(n.props.onValidateInput&&n.input.current&&n.props.onValidateInput(n.input.current.value)!==I.Y.invalid&&n.props.createGenericItem){var e=n.props.createGenericItem(n.input.current.value,n.props.onValidateInput(n.input.current.value));n.suggestionStore.createGenericSuggestion(e),n.completeSuggestion()}},n._userTriggeredSuggestions=function(){if(!n.state.suggestionsVisible){var e=n.input.current?n.input.current.value:"";e?0===n.suggestionStore.suggestions.length?n._onResolveSuggestions(e):n.setState({isMostRecentlyUsedVisible:!1,suggestionsVisible:!0}):n.onEmptyInputFocus()}},(0,u.l)(n),n._async=new d.e(n);var r=t.selectedItems||t.defaultSelectedItems||[];return n._id=(0,p.z)(),n._ariaMap={selectedItems:"selected-items-"+n._id,selectedSuggestionAlert:"selected-suggestion-alert-"+n._id,suggestionList:"suggestion-list-"+n._id,combobox:"combobox-"+n._id},n.suggestionStore=new w.Z,n.selection=new v.Y({onSelectionChanged:function(){return n.onSelectionChange()}}),n.selection.setItems(r),n.state={items:r,suggestedDisplayValue:"",isMostRecentlyUsedVisible:!1,moreSuggestionsAvailable:!1,isFocused:!1,isSearching:!1,selectedIndices:[]},n}return(0,r.ZT)(t,e),t.getDerivedStateFromProps=function(e){return e.selectedItems?{items:e.selectedItems}:null},Object.defineProperty(t.prototype,"items",{get:function(){return this.state.items},enumerable:!0,configurable:!0}),t.prototype.componentDidMount=function(){this.selection.setItems(this.state.items),this._onResolveSuggestions=this._async.debounce(this._onResolveSuggestions,this.props.resolveDelay)},t.prototype.componentDidUpdate=function(e,t){if(this.state.items&&this.state.items!==t.items){var o=this.selection.getSelectedIndices()[0];this.selection.setItems(this.state.items),this.state.isFocused&&this.state.items.length0?"listbox":"dialog"},this.getSuggestionsAlert(_.screenReaderText),i.createElement(b.i,{selection:this.selection,selectionMode:y.oW.multiple},i.createElement("div",{className:_.text,role:"presentation"},n.length>0&&i.createElement("span",{id:this._ariaMap.selectedItems,className:_.itemsWrapper,role:"list"},this.renderItems()),this.canAddItems()&&i.createElement(D.G,(0,r.pi)({spellCheck:!1},l,{className:_.input,componentRef:this.input,onClick:this.onClick,onFocus:this.onInputFocus,onBlur:this.onInputBlur,onInputValueChange:this.onInputChange,suggestedDisplayValue:t,"aria-describedby":n.length>0?this._ariaMap.selectedItems:void 0,"aria-controls":f+" "+p||void 0,"aria-activedescendant":this.getActiveDescendant(),"aria-labelledby":this.props["aria-label"]?this._ariaMap.combobox:void 0,role:"textbox",disabled:c,onInputChange:this.props.onInputChange}))))),this.renderSuggestions())},t.prototype.canAddItems=function(){var e=this.state.items,t=this.props.itemLimit;return void 0===t||e.length=0){var o=this.root.current&&this.root.current.querySelectorAll("[data-selection-index]")[Math.min(e,t.length-1)];o&&this.focusZone.current&&this.focusZone.current.focusElement(o)}else this.canAddItems()?this.input.current&&this.input.current.focus():this.resetFocus(t.length-1)},t.prototype.onSuggestionSelect=function(){if(this.suggestionStore.currentSuggestion){var e=this.input.current?this.input.current.value:"",t=this._getTextFromItem(this.suggestionStore.currentSuggestion.item,e);this.setState({suggestedDisplayValue:t})}},t.prototype.onSelectionChange=function(){this.setState({selectedIndices:this.selection.getSelectedIndices()})},t.prototype.updateSuggestions=function(e){this.suggestionStore.updateSuggestions(e,0),this.forceUpdate()},t.prototype.onEmptyInputFocus=function(){var e=this.props.onEmptyResolveSuggestions?this.props.onEmptyResolveSuggestions:this.props.onEmptyInputFocus;if(e){var t=e(this.state.items);this.updateSuggestionsList(t),this.setState({isMostRecentlyUsedVisible:!0,suggestionsVisible:!0,moreSuggestionsAvailable:!1})}},t.prototype.updateValue=function(e){this._onResolveSuggestions(e)},t.prototype.updateSuggestionsList=function(e,t){var o=this,n=e,r=e;if(Array.isArray(n))this._updateAndResolveValue(t,n);else if(r&&r.then){this.setState({suggestionsLoading:!0}),this.suggestionStore.updateSuggestions([]),void 0!==t?this.setState({suggestionsVisible:this._getShowSuggestions()}):this.setState({suggestionsVisible:this.input.current&&this.input.current.inputElement===document.activeElement});var i=this.currentPromise=r;i.then((function(e){i===o.currentPromise&&o._updateAndResolveValue(t,e)}))}},t.prototype.resolveNewValue=function(e,t){var o=this;this.updateSuggestions(t);var n=void 0;this.suggestionStore.currentSuggestion&&(n=this._getTextFromItem(this.suggestionStore.currentSuggestion.item,e)),this.setState({suggestedDisplayValue:n,suggestionsVisible:this._getShowSuggestions()},(function(){return o.setState({suggestionsLoading:!1})}))},t.prototype.onChange=function(e){this.props.onChange&&this.props.onChange(e)},t.prototype.onBackspace=function(e){(this.state.items.length&&!this.input.current||this.input.current&&!this.input.current.isValueSelected&&0===this.input.current.cursorLocation)&&(this.selection.getSelectedCount()>0?this.removeItems(this.selection.getSelection()):this.removeItem(this.state.items[this.state.items.length-1]))},t.prototype.getActiveDescendant=function(){if(!this.state.suggestionsLoading){var e=this.suggestionStore.currentIndex;return e<0&&this.suggestionElement.current&&this.suggestionElement.current.hasSuggestedAction()?"sug-selectedAction":e>-1&&!this.state.suggestionsLoading?"sug-"+e:void 0}},t.prototype.getSuggestionsAlert=function(e){void 0===e&&(e=B.screenReaderOnly);var t=this.suggestionStore.currentIndex;if(this.props.enableSelectedSuggestionAlert){var o=t>-1?this.suggestionStore.getSuggestionAtIndex(this.suggestionStore.currentIndex):void 0,n=o?o.ariaLabel:void 0;return i.createElement("div",{className:e,role:"alert",id:this._ariaMap.selectedSuggestionAlert,"aria-live":"assertive"},n," ")}},t.prototype._updateAndResolveValue=function(e,t){void 0!==e?this.resolveNewValue(e,t):(this.suggestionStore.updateSuggestions(t,-1),this.state.suggestionsLoading&&this.setState({suggestionsLoading:!1}))},t.prototype._updateSelectedItems=function(e){var t=this;this.props.selectedItems?this.onChange(e):this.setState({items:e},(function(){t._onSelectedItemsUpdated(e)}))},t.prototype._onSelectedItemsUpdated=function(e){this.onChange(e)},t.prototype._getShowSuggestions=function(){return void 0!==this.input.current&&null!==this.input.current&&this.input.current.inputElement===document.activeElement&&""!==this.input.current.value},t.prototype._getTextFromItem=function(e,t){return this.props.getTextFromItem?this.props.getTextFromItem(e,t):""},t}(i.Component),A=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,r.ZT)(t,e),t.prototype.render=function(){var e=this.state,t=e.suggestedDisplayValue,o=e.isFocused,n=this.props,a=n.className,s=n.inputProps,l=n.disabled,c=n.theme,u=n.styles,d=this.props.enableSelectedSuggestionAlert?this._ariaMap.selectedSuggestionAlert:"",p=this.state.suggestionsVisible?this._ariaMap.suggestionList:"",f=u?F(u,{theme:c,className:a,isFocused:o,inputClassName:s&&s.className}):{root:(0,m.i)("ms-BasePicker",a||""),text:(0,m.i)("ms-BasePicker-text",B.pickerText,this.state.isFocused&&B.inputFocused,l&&B.inputDisabled),itemsWrapper:B.pickerItems,input:(0,m.i)("ms-BasePicker-input",B.pickerInput,s&&s.className),screenReaderText:B.screenReaderOnly};return i.createElement("div",{ref:this.root,onBlur:this.onBlur},i.createElement("div",{className:f.root,onKeyDown:this.onKeyDown},this.getSuggestionsAlert(f.screenReaderText),i.createElement("div",{className:f.text,"aria-owns":p||void 0,"aria-expanded":!!this.state.suggestionsVisible,"aria-haspopup":p&&this.suggestionStore.suggestions.length>0?"listbox":"dialog",role:"combobox"},i.createElement(D.G,(0,r.pi)({},s,{className:f.input,componentRef:this.input,onFocus:this.onInputFocus,onBlur:this.onInputBlur,onClick:this.onClick,onInputValueChange:this.onInputChange,suggestedDisplayValue:t,"aria-activedescendant":this.getActiveDescendant(),role:"textbox",disabled:l,"aria-controls":p+" "+d||void 0,onInputChange:this.props.onInputChange})))),this.renderSuggestions(),i.createElement(b.i,{selection:this.selection,selectionMode:y.oW.single},i.createElement(h.k,{componentRef:this.focusZone,className:"ms-BasePicker-selectedItems",isCircularNavigation:!0,direction:g.U.bidirectional,shouldEnterInnerZone:this._shouldFocusZoneEnterInnerZone,id:this._ariaMap.selectedItems,role:"list"},this.renderItems())))},t.prototype.onBackspace=function(e){},t}(L)},9378:(e,t,o)=>{"use strict";o.d(t,{W:()=>i});var n=o(9729),r={root:"ms-BasePicker",text:"ms-BasePicker-text",itemsWrapper:"ms-BasePicker-itemsWrapper",input:"ms-BasePicker-input"};function i(e){var t,o=e.className,i=e.theme,a=e.isFocused,s=e.inputClassName,l=e.disabled;if(!i)throw new Error("theme is undefined or null in base BasePicker getStyles function.");var c=i.semanticColors,u=i.effects,d=i.fonts,p=c.inputBorder,m=c.inputBorderHovered,h=c.inputFocusBorderAlt,g=(0,n.Cn)(r,i),f="rgba(218, 218, 218, 0.29)";return{root:[g.root,o],text:[g.text,{display:"flex",position:"relative",flexWrap:"wrap",alignItems:"center",boxSizing:"border-box",minWidth:180,minHeight:30,border:"1px solid "+p,borderRadius:u.roundedCorner2},!a&&!l&&{selectors:{":hover":{borderColor:m}}},a&&!l&&(0,n.$Y)(h,u.roundedCorner2),l&&{borderColor:f,selectors:(t={":after":{content:'""',position:"absolute",top:0,right:0,bottom:0,left:0,background:f}},t[n.qJ]={borderColor:"GrayText",selectors:{":after":{background:"none"}}},t)}],itemsWrapper:[g.itemsWrapper,{display:"flex",flexWrap:"wrap",maxWidth:"100%"}],input:[g.input,d.medium,{height:30,border:"none",flexGrow:1,outline:"none",padding:"0 6px 0",alignSelf:"flex-end",borderRadius:u.roundedCorner2,backgroundColor:"transparent",color:c.inputText,selectors:{"::-ms-clear":{display:"none"}}},s],screenReaderText:n.ul}}},7115:(e,t,o)=>{"use strict";var n;o.d(t,{Y:()=>n}),function(e){e[e.valid=0]="valid",e[e.warning=1]="warning",e[e.invalid=2]="invalid"}(n||(n={}))},9318:(e,t,o)=>{"use strict";o.d(t,{UM:()=>m,Aj:()=>h,fK:()=>g,eT:()=>f,XF:()=>v,IV:()=>b,cA:()=>y,V1:()=>_,CV:()=>C});var n=o(7622),r=o(7002),i=o(6104),a=o(5951),s=o(2002),l=o(8976),c=o(7115),u=o(4885),d=o(2535),p=o(9378),m=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t}(l.d),h=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t}(l.Y),g=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.defaultProps={onRenderItem:function(e){return r.createElement(u.A,(0,n.pi)({},e))},onRenderSuggestionsItem:function(e,t){return r.createElement(d.E,{personaProps:e,suggestionsProps:t})},createGenericItem:b},t}(m),f=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.defaultProps={onRenderItem:function(e){return r.createElement(u.A,(0,n.pi)({},e))},onRenderSuggestionsItem:function(e,t){return r.createElement(d.E,{personaProps:e,suggestionsProps:t,compact:!0})},createGenericItem:b},t}(m),v=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.defaultProps={onRenderItem:function(e){return r.createElement(u.A,(0,n.pi)({},e))},onRenderSuggestionsItem:function(e,t){return r.createElement(d.E,{personaProps:e,suggestionsProps:t})},createGenericItem:b},t}(h);function b(e,t){var o={key:e,primaryText:e,imageInitials:"!",ValidationState:t};return t!==c.Y.warning&&(o.imageInitials=(0,i.Q)(e,(0,a.zg)())),o}var y=(0,s.z)(g,p.W,void 0,{scope:"NormalPeoplePicker"}),_=(0,s.z)(f,p.W,void 0,{scope:"CompactPeoplePicker"}),C=(0,s.z)(v,p.W,void 0,{scope:"ListPeoplePickerBase"})},4885:(e,t,o)=>{"use strict";o.d(t,{A:()=>v,u:()=>f});var n=o(7622),r=o(7002),i=o(7300),a=o(2782),s=o(2002),l=o(7665),c=o(7481),u=o(5758),d=o(7115),p=o(9729),m=o(2657),h={root:"ms-PickerPersona-container",itemContent:"ms-PickerItem-content",removeButton:"ms-PickerItem-removeButton",isSelected:"is-selected",isInvalid:"is-invalid"},g=(0,i.y)(),f=function(e){var t=e.item,o=e.onRemoveItem,i=e.index,s=e.selected,p=e.removeButtonAriaLabel,m=e.styles,h=e.theme,f=e.className,v=e.disabled,b=(0,a.z)(),y=g(m,{theme:h,className:f,selected:s,disabled:v,invalid:t.ValidationState===d.Y.warning}),_=y.subComponentStyles?y.subComponentStyles.persona:void 0,C=y.subComponentStyles?y.subComponentStyles.personaCoin:void 0;return r.createElement("div",{className:y.root,"data-is-focusable":!v,"data-is-sub-focuszone":!0,"data-selection-index":i,role:"listitem","aria-labelledby":"selectedItemPersona-"+b},r.createElement("div",{className:y.itemContent,id:"selectedItemPersona-"+b},r.createElement(l.I,(0,n.pi)({size:c.Ir.size24,styles:_,coinProps:{styles:C}},t))),r.createElement(u.h,{onClick:o,disabled:v,iconProps:{iconName:"Cancel",styles:{root:{fontSize:"12px"}}},className:y.removeButton,ariaLabel:p}))},v=(0,s.z)(f,(function(e){var t,o,r,i,a,s,l,c=e.className,u=e.theme,d=e.selected,g=e.invalid,f=e.disabled,v=u.palette,b=u.semanticColors,y=u.fonts,_=(0,p.Cn)(h,u),C=[d&&!g&&!f&&{color:v.white,selectors:(t={":hover":{color:v.white}},t[p.qJ]={color:"HighlightText"},t)},(g&&!d||g&&d&&f)&&{color:v.redDark,borderBottom:"2px dotted "+v.redDark,selectors:(o={},o["."+_.root+":hover &"]={color:v.redDark},o)},g&&d&&!f&&{color:v.white,borderBottom:"2px dotted "+v.white},f&&{selectors:(r={},r[p.qJ]={color:"GrayText"},r)}],S=[g&&{fontSize:y.xLarge.fontSize}];return{root:[_.root,(0,p.GL)(u,{inset:-2}),{borderRadius:15,display:"inline-flex",alignItems:"center",background:v.neutralLighter,margin:"1px 2px",cursor:"default",userSelect:"none",maxWidth:300,verticalAlign:"middle",minWidth:0,selectors:(i={":hover":{background:d||f?"":v.neutralLight}},i[p.qJ]=[{border:"1px solid WindowText"},f&&{borderColor:"GrayText"}],i)},d&&!f&&[_.isSelected,{background:v.themePrimary,selectors:(a={},a[p.qJ]=(0,n.pi)({borderColor:"HighLight",background:"Highlight"},(0,p.xM)()),a)}],g&&[_.isInvalid],g&&d&&!f&&{background:v.redDark},c],itemContent:[_.itemContent,{flex:"0 1 auto",minWidth:0,maxWidth:"100%",overflow:"hidden"}],removeButton:[_.removeButton,{borderRadius:15,color:v.neutralPrimary,flex:"0 0 auto",width:24,height:24,selectors:{":hover":{background:v.neutralTertiaryAlt,color:v.neutralDark}}},d&&[{color:v.white,selectors:(s={":hover":{color:v.white,background:v.themeDark},":active":{color:v.white,background:v.themeDarker}},s[p.qJ]={color:"HighlightText"},s)},g&&{selectors:{":hover":{background:v.red},":active":{background:v.redDark}}}],f&&{selectors:(l={},l["."+m.n.msButtonIcon]={color:b.buttonText},l)}],subComponentStyles:{persona:{primaryText:C},personaCoin:{initials:S}}}}),void 0,{scope:"PeoplePickerItem"})},2535:(e,t,o)=>{"use strict";o.d(t,{E:()=>h,R:()=>m});var n=o(7622),r=o(7002),i=o(7300),a=o(2002),s=o(7665),l=o(7481),c=o(9729),u=o(4010),d={root:"ms-PeoplePicker-personaContent",personaWrapper:"ms-PeoplePicker-Persona"},p=(0,i.y)(),m=function(e){var t=e.personaProps,o=e.suggestionsProps,i=e.compact,a=e.styles,c=e.theme,u=e.className,d=p(a,{theme:c,className:o&&o.suggestionsItemClassName||u}),m=d.subComponentStyles&&d.subComponentStyles.persona?d.subComponentStyles.persona:void 0;return r.createElement("div",{className:d.root},r.createElement(s.I,(0,n.pi)({size:l.Ir.size24,styles:m,className:d.personaWrapper,showSecondaryText:!i},t)))},h=(0,a.z)(m,(function(e){var t,o,n,r=e.className,i=e.theme,a=(0,c.Cn)(d,i),s={selectors:(t={},t["."+u.k.isSuggested+" &"]={selectors:(o={},o[c.qJ]={color:"HighlightText"},o)},t["."+a.root+":hover &"]={selectors:(n={},n[c.qJ]={color:"HighlightText"},n)},t)};return{root:[a.root,{width:"100%",padding:"4px 12px"},r],personaWrapper:[a.personaWrapper,{width:180}],subComponentStyles:{persona:{primaryText:s,secondaryText:s}}}}),void 0,{scope:"PeoplePickerItemSuggestion"})},4800:(e,t,o)=>{"use strict";o.d(t,{D:()=>y});var n=o(7622),r=o(7002),i=o(7300),a=o(2002),s=o(8145),l=o(688),c=o(8088),u=o(990),d=o(76),p=o(3945),m=o(9862),h=o(7420),g=o(4010),f=o(8463),v=(0,i.y)(),b=(0,a.z)(h.S,g.W,void 0,{scope:"SuggestionItem"}),y=function(e){function t(t){var o=e.call(this,t)||this;return o._forceResolveButton=r.createRef(),o._searchForMoreButton=r.createRef(),o._selectedElement=r.createRef(),o.tryHandleKeyDown=function(e,t){var n=!1,r=null,i=o.state.selectedActionType,a=o.props.suggestions.length;if(e===s.m.down)switch(i){case m.L.forceResolve:a>0?(o._refocusOnSuggestions(e),r=m.L.none):r=o._searchForMoreButton.current?m.L.searchMore:m.L.forceResolve;break;case m.L.searchMore:o._forceResolveButton.current?r=m.L.forceResolve:a>0?(o._refocusOnSuggestions(e),r=m.L.none):r=m.L.searchMore;break;case m.L.none:-1===t&&o._forceResolveButton.current&&(r=m.L.forceResolve)}else if(e===s.m.up)switch(i){case m.L.forceResolve:o._searchForMoreButton.current?r=m.L.searchMore:a>0&&(o._refocusOnSuggestions(e),r=m.L.none);break;case m.L.searchMore:a>0?(o._refocusOnSuggestions(e),r=m.L.none):o._forceResolveButton.current&&(r=m.L.forceResolve);break;case m.L.none:-1===t&&o._searchForMoreButton.current&&(r=m.L.searchMore)}return null!==r&&(o.setState({selectedActionType:r}),n=!0),n},o._getAlertText=function(){var e=o.props,t=e.isLoading,n=e.isSearching,r=e.suggestions,i=e.suggestionsAvailableAlertText,a=e.noResultsFoundText;if(!t&&!n){if(r.length>0)return i||"";if(a)return a}return""},o._getMoreResults=function(){o.props.onGetMoreResults&&o.props.onGetMoreResults()},o._forceResolve=function(){o.props.createGenericItem&&o.props.createGenericItem()},o._shouldShowForceResolve=function(){return!!o.props.showForceResolve&&o.props.showForceResolve()},o._onClickTypedSuggestionsItem=function(e,t){return function(n){o.props.onSuggestionClick(n,e,t)}},o._refocusOnSuggestions=function(e){"function"==typeof o.props.refocusSuggestions&&o.props.refocusSuggestions(e)},o._onRemoveTypedSuggestionsItem=function(e,t){return function(n){(0,o.props.onSuggestionRemove)(n,e,t),n.stopPropagation()}},(0,l.l)(o),o.state={selectedActionType:m.L.none},o}return(0,n.ZT)(t,e),t.prototype.componentDidMount=function(){this.scrollSelected(),this.activeSelectedElement=this._selectedElement?this._selectedElement.current:null},t.prototype.componentDidUpdate=function(){this._selectedElement.current&&this.activeSelectedElement!==this._selectedElement.current&&(this.scrollSelected(),this.activeSelectedElement=this._selectedElement.current)},t.prototype.render=function(){var e,t,o=this,i=this.props,a=i.forceResolveText,s=i.mostRecentlyUsedHeaderText,l=i.searchForMoreText,h=i.className,g=i.moreSuggestionsAvailable,b=i.noResultsFoundText,y=i.suggestions,_=i.isLoading,C=i.isSearching,S=i.loadingText,x=i.onRenderNoResultFound,k=i.searchingText,w=i.isMostRecentlyUsedVisible,I=i.resultsMaximumNumber,D=i.resultsFooterFull,T=i.resultsFooter,E=i.isResultsFooterVisible,P=void 0===E||E,M=i.suggestionsHeaderText,R=i.suggestionsClassName,N=i.theme,B=i.styles,F=i.suggestionsListId;this._classNames=B?v(B,{theme:N,className:h,suggestionsClassName:R,forceResolveButtonSelected:this.state.selectedActionType===m.L.forceResolve,searchForMoreButtonSelected:this.state.selectedActionType===m.L.searchMore}):{root:(0,c.i)("ms-Suggestions",h,f.root),title:(0,c.i)("ms-Suggestions-title",f.suggestionsTitle),searchForMoreButton:(0,c.i)("ms-SearchMore-button",f.actionButton,(e={},e["is-selected "+f.buttonSelected]=this.state.selectedActionType===m.L.searchMore,e)),forceResolveButton:(0,c.i)("ms-forceResolve-button",f.actionButton,(t={},t["is-selected "+f.buttonSelected]=this.state.selectedActionType===m.L.forceResolve,t)),suggestionsAvailable:(0,c.i)("ms-Suggestions-suggestionsAvailable",f.suggestionsAvailable),suggestionsContainer:(0,c.i)("ms-Suggestions-container",f.suggestionsContainer,R),noSuggestions:(0,c.i)("ms-Suggestions-none",f.suggestionsNone)};var L=this._classNames.subComponentStyles?this._classNames.subComponentStyles.spinner:void 0,A=B?{styles:L}:{className:(0,c.i)("ms-Suggestions-spinner",f.suggestionsSpinner)},z=function(){return b?r.createElement("div",{className:o._classNames.noSuggestions},b):null},H=M;w&&s&&(H=s);var O=void 0;P&&(O=y.length>=I?D:T);var W=!(y&&y.length||_),V=W||_?{role:"dialog",id:F}:{},K=this.state.selectedActionType===m.L.forceResolve?"sug-selectedAction":void 0,q=this.state.selectedActionType===m.L.searchMore?"sug-selectedAction":void 0;return r.createElement("div",(0,n.pi)({className:this._classNames.root},V),r.createElement(p.O,{message:this._getAlertText(),"aria-live":"polite"}),H?r.createElement("div",{className:this._classNames.title},H):null,a&&this._shouldShowForceResolve()&&r.createElement(u.M,{componentRef:this._forceResolveButton,className:this._classNames.forceResolveButton,id:K,onClick:this._forceResolve,"data-automationid":"sug-forceResolve"},a),_&&r.createElement(d.$,(0,n.pi)({},A,{label:S})),W?x?x(void 0,z):z():this._renderSuggestions(),l&&g&&r.createElement(u.M,{componentRef:this._searchForMoreButton,className:this._classNames.searchForMoreButton,iconProps:{iconName:"Search"},id:q,onClick:this._getMoreResults,"data-automationid":"sug-searchForMore"},l),C?r.createElement(d.$,(0,n.pi)({},A,{label:k})):null,!O||g||w||C?null:r.createElement("div",{className:this._classNames.title},O(this.props)))},t.prototype.hasSuggestedAction=function(){return!!this._searchForMoreButton.current||!!this._forceResolveButton.current},t.prototype.hasSuggestedActionSelected=function(){return this.state.selectedActionType!==m.L.none},t.prototype.executeSelectedAction=function(){switch(this.state.selectedActionType){case m.L.forceResolve:this._forceResolve();break;case m.L.searchMore:this._getMoreResults()}},t.prototype.focusAboveSuggestions=function(){this._forceResolveButton.current?this.setState({selectedActionType:m.L.forceResolve}):this._searchForMoreButton.current&&this.setState({selectedActionType:m.L.searchMore})},t.prototype.focusBelowSuggestions=function(){this._searchForMoreButton.current?this.setState({selectedActionType:m.L.searchMore}):this._forceResolveButton.current&&this.setState({selectedActionType:m.L.forceResolve})},t.prototype.focusSearchForMoreButton=function(){this._searchForMoreButton.current&&this._searchForMoreButton.current.focus()},t.prototype.scrollSelected=function(){this._selectedElement.current&&void 0!==this._selectedElement.current.scrollIntoView&&this._selectedElement.current.scrollIntoView(!1)},t.prototype._renderSuggestions=function(){var e=this,t=this.props,o=t.onRenderSuggestion,n=t.removeSuggestionAriaLabel,i=t.suggestionsItemClassName,a=t.resultsMaximumNumber,s=t.showRemoveButtons,l=t.suggestionsContainerAriaLabel,c=t.suggestionsListId,u=this.props.suggestions,d=b,p=-1;return u.some((function(e,t){return!!e.selected&&(p=t,!0)})),a&&(u=p>=a?u.slice(p-a+1,p+1):u.slice(0,a)),0===u.length?null:r.createElement("div",{className:this._classNames.suggestionsContainer,id:c,role:"listbox","aria-label":l},u.map((function(t,a){return r.createElement("div",{ref:t.selected?e._selectedElement:void 0,key:t.item.key?t.item.key:a},r.createElement(d,{suggestionModel:t,RenderSuggestion:o,onClick:e._onClickTypedSuggestionsItem(t.item,a),className:i,showRemoveButton:s,removeButtonAriaLabel:n,onRemoveItem:e._onRemoveTypedSuggestionsItem(t.item,a),id:"sug-"+a}))})))},t}(r.Component)},8463:(e,t,o)=>{"use strict";o.r(t),o.d(t,{root:()=>n,suggestionsItem:()=>r,closeButton:()=>i,suggestionsItemIsSuggested:()=>a,itemButton:()=>s,actionButton:()=>l,buttonSelected:()=>c,suggestionsTitle:()=>u,suggestionsContainer:()=>d,suggestionsNone:()=>p,suggestionsSpinner:()=>m,suggestionsAvailable:()=>h}),(0,o(4976).RM)([{rawString:".root_744a4167{min-width:260px}.suggestionsItem_744a4167{display:-webkit-box;display:-ms-flexbox;display:flex;-webkit-box-align:stretch;-ms-flex-align:stretch;align-items:stretch;-webkit-box-sizing:border-box;box-sizing:border-box;width:100%;position:relative;overflow:hidden}.suggestionsItem_744a4167:hover{background:"},{theme:"neutralLighter",defaultValue:"#f3f2f1"},{rawString:"}.suggestionsItem_744a4167:hover .closeButton_744a4167{display:block}.suggestionsItem_744a4167.suggestionsItemIsSuggested_744a4167{background:"},{theme:"neutralLight",defaultValue:"#edebe9"},{rawString:"}.suggestionsItem_744a4167.suggestionsItemIsSuggested_744a4167:hover{background:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c6c4"},{rawString:"}@media screen and (-ms-high-contrast:active){.suggestionsItem_744a4167.suggestionsItemIsSuggested_744a4167:hover{background:Highlight;color:HighlightText}}@media screen and (-ms-high-contrast:active){.suggestionsItem_744a4167.suggestionsItemIsSuggested_744a4167{background:Highlight;color:HighlightText;-ms-high-contrast-adjust:none}}.suggestionsItem_744a4167.suggestionsItemIsSuggested_744a4167 .closeButton_744a4167:hover{background:"},{theme:"neutralTertiary",defaultValue:"#a19f9d"},{rawString:";color:"},{theme:"neutralPrimary",defaultValue:"#323130"},{rawString:"}@media screen and (-ms-high-contrast:active){.suggestionsItem_744a4167.suggestionsItemIsSuggested_744a4167 .itemButton_744a4167{color:HighlightText}}.suggestionsItem_744a4167 .closeButton_744a4167{display:none;color:"},{theme:"neutralSecondary",defaultValue:"#605e5c"},{rawString:"}.suggestionsItem_744a4167 .closeButton_744a4167:hover{background:"},{theme:"neutralLight",defaultValue:"#edebe9"},{rawString:"}.actionButton_744a4167{background-color:transparent;border:0;cursor:pointer;margin:0;position:relative;border-top:1px solid "},{theme:"neutralLight",defaultValue:"#edebe9"},{rawString:";height:40px;width:100%;font-size:12px}[dir=ltr] .actionButton_744a4167{padding-left:8px}[dir=rtl] .actionButton_744a4167{padding-right:8px}html[dir=ltr] .actionButton_744a4167{text-align:left}html[dir=rtl] .actionButton_744a4167{text-align:right}.actionButton_744a4167:hover{background-color:"},{theme:"neutralLight",defaultValue:"#edebe9"},{rawString:";cursor:pointer}.actionButton_744a4167:active,.actionButton_744a4167:focus{background-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:"}.actionButton_744a4167 .ms-Button-icon{font-size:16px;width:25px}.actionButton_744a4167 .ms-Button-label{margin:0 4px 0 9px}html[dir=rtl] .actionButton_744a4167 .ms-Button-label{margin:0 9px 0 4px}.buttonSelected_744a4167{background-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:"}.suggestionsTitle_744a4167{padding:0 12px;color:"},{theme:"themePrimary",defaultValue:"#0078d4"},{rawString:";font-size:12px;line-height:40px;border-bottom:1px solid "},{theme:"neutralLight",defaultValue:"#edebe9"},{rawString:"}.suggestionsContainer_744a4167{overflow-y:auto;overflow-x:hidden;max-height:300px;border-bottom:1px solid "},{theme:"neutralLight",defaultValue:"#edebe9"},{rawString:"}.suggestionsNone_744a4167{text-align:center;color:#797775;font-size:12px;line-height:30px}.suggestionsSpinner_744a4167{margin:5px 0;white-space:nowrap;line-height:20px;font-size:12px}html[dir=ltr] .suggestionsSpinner_744a4167{padding-left:14px}html[dir=rtl] .suggestionsSpinner_744a4167{padding-right:14px}html[dir=ltr] .suggestionsSpinner_744a4167{text-align:left}html[dir=rtl] .suggestionsSpinner_744a4167{text-align:right}.suggestionsSpinner_744a4167 .ms-Spinner-circle{display:inline-block;vertical-align:middle}.suggestionsSpinner_744a4167 .ms-Spinner-label{display:inline-block;margin:0 10px 0 16px;vertical-align:middle}html[dir=rtl] .suggestionsSpinner_744a4167 .ms-Spinner-label{margin:0 16px 0 10px}.itemButton_744a4167.itemButton_744a4167{width:100%;padding:0;min-width:0;height:100%}@media screen and (-ms-high-contrast:active){.itemButton_744a4167.itemButton_744a4167{color:WindowText}}.itemButton_744a4167.itemButton_744a4167:hover{color:"},{theme:"neutralDark",defaultValue:"#201f1e"},{rawString:"}.closeButton_744a4167.closeButton_744a4167{padding:0 4px;height:auto;width:32px}@media screen and (-ms-high-contrast:active){.closeButton_744a4167.closeButton_744a4167{color:WindowText}}.closeButton_744a4167.closeButton_744a4167:hover{background:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c6c4"},{rawString:";color:"},{theme:"neutralDark",defaultValue:"#201f1e"},{rawString:"}.suggestionsAvailable_744a4167{position:absolute;width:1px;height:1px;padding:0;margin:-1px;overflow:hidden;clip:rect(0,0,0,0);border:0}"}]);var n="root_744a4167",r="suggestionsItem_744a4167",i="closeButton_744a4167",a="suggestionsItemIsSuggested_744a4167",s="itemButton_744a4167",l="actionButton_744a4167",c="buttonSelected_744a4167",u="suggestionsTitle_744a4167",d="suggestionsContainer_744a4167",p="suggestionsNone_744a4167",m="suggestionsSpinner_744a4167",h="suggestionsAvailable_744a4167"},9862:(e,t,o)=>{"use strict";var n;o.d(t,{L:()=>n}),function(e){e[e.none=0]="none",e[e.forceResolve=1]="forceResolve",e[e.searchMore=2]="searchMore"}(n||(n={}))},6920:(e,t,o)=>{"use strict";o.d(t,{Z:()=>n});var n=function(){function e(){var e=this;this._isSuggestionModel=function(e){return void 0!==e.item},this._ensureSuggestionModel=function(t){return e._isSuggestionModel(t)?t:{item:t,selected:!1,ariaLabel:t.name||t.primaryText}},this.suggestions=[],this.currentIndex=-1}return e.prototype.updateSuggestions=function(e,t){e&&e.length>0?(this.suggestions=this.convertSuggestionsToSuggestionItems(e),this.currentIndex=t||0,-1===t?this.currentSuggestion=void 0:void 0!==t&&(this.suggestions[t].selected=!0,this.currentSuggestion=this.suggestions[t])):(this.suggestions=[],this.currentIndex=-1,this.currentSuggestion=void 0)},e.prototype.nextSuggestion=function(){if(this.suggestions&&this.suggestions.length){if(this.currentIndex0)return this.setSelectedSuggestion(this.currentIndex-1),!0;if(0===this.currentIndex)return this.setSelectedSuggestion(this.suggestions.length-1),!0}return!1},e.prototype.getSuggestions=function(){return this.suggestions},e.prototype.getCurrentItem=function(){return this.currentSuggestion},e.prototype.getSuggestionAtIndex=function(e){return this.suggestions[e]},e.prototype.hasSelectedSuggestion=function(){return!!this.currentSuggestion},e.prototype.removeSuggestion=function(e){this.suggestions.splice(e,1)},e.prototype.createGenericSuggestion=function(e){var t=this.convertSuggestionsToSuggestionItems([e])[0];this.currentSuggestion=t},e.prototype.convertSuggestionsToSuggestionItems=function(e){return Array.isArray(e)?e.map(this._ensureSuggestionModel):[]},e.prototype.deselectAllSuggestions=function(){this.currentIndex>-1&&(this.suggestions[this.currentIndex].selected=!1,this.currentIndex=-1)},e.prototype.setSelectedSuggestion=function(e){e>this.suggestions.length-1||e<0?(this.currentIndex=0,this.currentSuggestion.selected=!1,this.currentSuggestion=this.suggestions[0],this.currentSuggestion.selected=!0):(this.currentIndex>-1&&(this.suggestions[this.currentIndex].selected=!1),this.suggestions[e].selected=!0,this.currentIndex=e,this.currentSuggestion=this.suggestions[e])},e}()},7420:(e,t,o)=>{"use strict";o.d(t,{S:()=>p});var n=o(7622),r=o(7002),i=o(7300),a=o(688),s=o(8088),l=o(990),c=o(5758),u=o(8463),d=(0,i.y)(),p=function(e){function t(t){var o=e.call(this,t)||this;return(0,a.l)(o),o}return(0,n.ZT)(t,e),t.prototype.render=function(){var e,t=this.props,o=t.suggestionModel,n=t.RenderSuggestion,i=t.onClick,a=t.className,p=t.id,m=t.onRemoveItem,h=t.isSelectedOverride,g=t.removeButtonAriaLabel,f=t.styles,v=t.theme,b=f?d(f,{theme:v,className:a,suggested:o.selected||h}):{root:(0,s.i)("ms-Suggestions-item",u.suggestionsItem,(e={},e["is-suggested "+u.suggestionsItemIsSuggested]=o.selected||h,e),a),itemButton:(0,s.i)("ms-Suggestions-itemButton",u.itemButton),closeButton:(0,s.i)("ms-Suggestions-closeButton",u.closeButton)};return r.createElement("div",{className:b.root},r.createElement(l.M,{onClick:i,className:b.itemButton,id:p,"aria-selected":o.selected,role:"option","aria-label":o.ariaLabel},n(o.item,this.props)),this.props.showRemoveButton?r.createElement(c.h,{iconProps:{iconName:"Cancel",styles:{root:{fontSize:"12px"}}},title:g,ariaLabel:g,onClick:m,className:b.closeButton}):null)},t}(r.Component)},4010:(e,t,o)=>{"use strict";o.d(t,{k:()=>a,W:()=>s});var n=o(7622),r=o(9729),i=o(6145),a={root:"ms-Suggestions-item",itemButton:"ms-Suggestions-itemButton",closeButton:"ms-Suggestions-closeButton",isSuggested:"is-suggested"};function s(e){var t,o,s,l,c,u,d=e.className,p=e.theme,m=e.suggested,h=p.palette,g=p.semanticColors,f=(0,r.Cn)(a,p);return{root:[f.root,{display:"flex",alignItems:"stretch",boxSizing:"border-box",width:"100%",position:"relative",selectors:{"&:hover":{background:g.menuItemBackgroundHovered},"&:hover .ms-Suggestions-closeButton":{display:"block"}}},m&&{selectors:(t={},t["."+i.G$+" &"]={selectors:(o={},o["."+f.closeButton]={display:"block",background:g.menuItemBackgroundPressed},o)},t[":after"]={pointerEvents:"none",content:'""',position:"absolute",left:0,top:0,bottom:0,right:0,border:"1px solid "+p.semanticColors.focusBorder},t)},d],itemButton:[f.itemButton,{width:"100%",padding:0,border:"none",height:"100%",minWidth:0,overflow:"hidden",selectors:(s={},s[r.qJ]={color:"WindowText",selectors:{":hover":(0,n.pi)({background:"Highlight",color:"HighlightText"},(0,r.xM)())}},s[":hover"]={color:g.menuItemTextHovered},s)},m&&[f.isSuggested,{background:g.menuItemBackgroundPressed,selectors:(l={":hover":{background:g.menuDivider}},l[r.qJ]=(0,n.pi)({background:"Highlight",color:"HighlightText"},(0,r.xM)()),l)}]],closeButton:[f.closeButton,{display:"none",color:h.neutralSecondary,padding:"0 4px",height:"auto",width:32,selectors:(c={":hover, :active":{background:h.neutralTertiaryAlt,color:h.neutralDark}},c[r.qJ]={color:"WindowText"},c)},m&&(u={},u["."+i.G$+" &"]={selectors:{":hover, :active":{background:h.neutralTertiary}}},u.selectors={":hover, :active":{background:h.neutralTertiary,color:h.neutralPrimary}},u)]}}},6826:(e,t,o)=>{"use strict";o.r(t),o.d(t,{ActionButton:()=>_e.K,ActivityItem:()=>S,AnimationClassNames:()=>u.k4,AnimationDirection:()=>Be.s,AnimationStyles:()=>u.Ic,AnimationVariables:()=>u.D1,Announced:()=>k.O,AnnouncedBase:()=>w.d,Async:()=>bo.e,AutoScroll:()=>Ws,Autofill:()=>x.G,BaseButton:()=>ve.Y,BaseComponent:()=>Ie.H,BaseExtendedPeoplePicker:()=>na,BaseExtendedPicker:()=>ta,BaseFloatingPeoplePicker:()=>Ba,BaseFloatingPicker:()=>Ra,BasePeoplePicker:()=>wl.UM,BasePeopleSelectedItemsList:()=>Bc,BasePicker:()=>xl.d,BasePickerListBelow:()=>xl.Y,BaseSelectedItemsList:()=>fc,BaseSlots:()=>np,Breadcrumb:()=>fe,BreadcrumbBase:()=>ue,Button:()=>xe,ButtonGrid:()=>Me._,ButtonGridCell:()=>Re.U,ButtonType:()=>ne,COACHMARK_ATTRIBUTE_NAME:()=>xt,Calendar:()=>Ne.f,Callout:()=>Ae.U,CalloutContent:()=>ze.N,CalloutContentBase:()=>He.H,Check:()=>je,CheckBase:()=>qe,Checkbox:()=>Je.X,CheckboxBase:()=>Ye.A,CheckboxVisibility:()=>un,ChoiceGroup:()=>Ze.F,ChoiceGroupBase:()=>Xe.q,ChoiceGroupOption:()=>Qe.c,Coachmark:()=>Dt,CoachmarkBase:()=>wt,CollapseAllVisibility:()=>zo,ColorClassNames:()=>u.JJ,ColorPicker:()=>go.z,ColorPickerBase:()=>fo.T,ColorPickerGridCell:()=>qu.h,ColorPickerGridCellBase:()=>Gu.t,ColumnActionsMode:()=>an,ColumnDragEndLocation:()=>ln,ComboBox:()=>vo.C,CommandBar:()=>qo,CommandBarBase:()=>Ko,CommandBarButton:()=>ke.Q,CommandButton:()=>we.M,CommunicationColors:()=>vd,CompactPeoplePicker:()=>wl.V1,CompactPeoplePickerBase:()=>wl.eT,CompoundButton:()=>Ce.W,ConstrainMode:()=>sn,ContextualMenu:()=>Go.r,ContextualMenuBase:()=>Uo.MK,ContextualMenuItem:()=>Jo.W,ContextualMenuItemBase:()=>Yo.b,ContextualMenuItemType:()=>jo.n,Customizations:()=>Du.X,Customizer:()=>wp.N,CustomizerContext:()=>Iu.i,DATAKTP_ARIA_TARGET:()=>hs.A4,DATAKTP_EXECUTE_TARGET:()=>hs.ms,DATAKTP_TARGET:()=>hs.fV,DATA_IS_SCROLLABLE_ATTRIBUTE:()=>yo.c6,DATA_PORTAL_ATTRIBUTE:()=>Fp.Y,DAYS_IN_WEEK:()=>Le.NA,DEFAULT_CELL_STYLE_PROPS:()=>hn,DEFAULT_MASK_CHAR:()=>gd,DEFAULT_ROW_HEIGHTS:()=>gn,DatePicker:()=>Xo.M,DatePickerBase:()=>Qo.R,DateRangeType:()=>Le.NU,DayOfWeek:()=>Le.eO,DefaultButton:()=>ye.a,DefaultEffects:()=>u.rN,DefaultFontStyles:()=>u.ir,DefaultPalette:()=>u.UK,DefaultSpacing:()=>wd.C,DelayedRender:()=>Us.U,Depths:()=>kd.N,DetailsColumnBase:()=>En,DetailsHeader:()=>Hn,DetailsHeaderBase:()=>Bn,DetailsList:()=>xr,DetailsListBase:()=>br,DetailsListLayoutMode:()=>cn,DetailsRow:()=>Gn,DetailsRowBase:()=>Kn,DetailsRowCheck:()=>In,DetailsRowFields:()=>On,DetailsRowGlobalClassNames:()=>mn,Dialog:()=>ni,DialogBase:()=>ti,DialogContent:()=>Xr,DialogContentBase:()=>Yr,DialogFooter:()=>Ur,DialogFooterBase:()=>qr,DialogType:()=>Cr,DirectionalHint:()=>K.b,DocumentCard:()=>mi,DocumentCardActions:()=>vi,DocumentCardActivity:()=>_i,DocumentCardDetails:()=>ki,DocumentCardImage:()=>Li,DocumentCardLocation:()=>Di,DocumentCardLogo:()=>Ki,DocumentCardPreview:()=>Mi,DocumentCardStatus:()=>ji,DocumentCardTitle:()=>Hi,DocumentCardType:()=>ri,DragDropHelper:()=>Dn,Dropdown:()=>Ji.L,DropdownBase:()=>Yi.P,DropdownMenuItemType:()=>Zi.F,EdgeChromiumHighContrastSelector:()=>u.Ox,ElementType:()=>oe,EventGroup:()=>at.r,ExpandingCard:()=>ja,ExpandingCardBase:()=>Ua,ExpandingCardMode:()=>Va,ExtendedPeoplePicker:()=>ra,ExtendedSelectedItem:()=>Ec,Fabric:()=>ia.P,FabricBase:()=>aa.d,FabricPerformance:()=>fp,FabricSlots:()=>rp,Facepile:()=>ha,FacepileBase:()=>pa,FirstWeekOfYear:()=>Le.On,FloatingPeoplePicker:()=>Fa,FluentTheme:()=>Vd,FocusRects:()=>B.u,FocusTrapCallout:()=>We,FocusTrapZone:()=>Oe.P,FocusZone:()=>M.k,FocusZoneDirection:()=>R.U,FocusZoneTabbableElements:()=>R.J,FontClassNames:()=>u.yV,FontIcon:()=>Ve.xu,FontSizes:()=>u.TS,FontWeights:()=>u.lq,GlobalSettings:()=>vp.D,GroupFooter:()=>ir,GroupHeader:()=>$n,GroupShowAll:()=>or,GroupSpacer:()=>pn,GroupedList:()=>dr,GroupedListBase:()=>ur,GroupedListSection:()=>ar,HEX_REGEX:()=>Tt.lX,HighContrastSelector:()=>u.qJ,HighContrastSelectorBlack:()=>u.$v,HighContrastSelectorWhite:()=>u.bO,HoverCard:()=>es,HoverCardBase:()=>$a,HoverCardType:()=>Oa,Icon:()=>W.J,IconBase:()=>ts.A,IconButton:()=>V.h,IconFontSizes:()=>u.ld,IconType:()=>os.T,Image:()=>Ti.E,ImageBase:()=>is.v,ImageCoverStyle:()=>as.yZ,ImageFit:()=>as.kQ,ImageIcon:()=>ns.X,ImageLoadState:()=>as.U9,InjectionMode:()=>u.qS,IsFocusVisibleClassName:()=>de.G$,KTP_ARIA_SEPARATOR:()=>hs.Tc,KTP_FULL_PREFIX:()=>hs.L7,KTP_LAYER_ID:()=>hs.nK,KTP_PREFIX:()=>hs.ww,KTP_SEPARATOR:()=>hs.by,KeyCodes:()=>rt.m,KeyboardSpinDirection:()=>fu.T,Keytip:()=>ps,KeytipData:()=>ms.a,KeytipEvents:()=>hs.Tj,KeytipLayer:()=>Es,KeytipLayerBase:()=>Ts,KeytipManager:()=>Bo.K,Label:()=>Ns._,LabelBase:()=>Rs.E,Layer:()=>dt.m,LayerBase:()=>Ls.s,LayerHost:()=>zs,Link:()=>O,LinkBase:()=>A,List:()=>Eo,ListPeoplePicker:()=>wl.CV,ListPeoplePickerBase:()=>wl.XF,LocalizedFontFamilies:()=>Od.II,LocalizedFontNames:()=>Od.Qm,MAX_COLOR_ALPHA:()=>Tt.c5,MAX_COLOR_HUE:()=>Tt.a_,MAX_COLOR_RGB:()=>Tt.uc,MAX_COLOR_RGBA:()=>Tt.WC,MAX_COLOR_SATURATION:()=>Tt.fr,MAX_COLOR_VALUE:()=>Tt.uw,MAX_HEX_LENGTH:()=>Tt.fG,MAX_RGBA_LENGTH:()=>Tt.jU,MIN_HEX_LENGTH:()=>Tt.yE,MIN_RGBA_LENGTH:()=>Tt.HT,MarqueeSelection:()=>Gs,MaskedTextField:()=>fd,MeasuredContext:()=>Z,MemberListPeoplePicker:()=>wl.Aj,MessageBar:()=>il,MessageBarBase:()=>$s,MessageBarButton:()=>Ee,MessageBarType:()=>Bs,Modal:()=>Wr,ModalBase:()=>Or,MonthOfYear:()=>Le.m2,MotionAnimations:()=>xd,MotionDurations:()=>Cd,MotionTimings:()=>Sd,Nav:()=>dl,NavBase:()=>ul,NeutralColors:()=>bd,NormalPeoplePicker:()=>wl.cA,NormalPeoplePickerBase:()=>wl.fK,OpenCardMode:()=>Ha,OverflowButtonType:()=>oa,OverflowSet:()=>Oo,OverflowSetBase:()=>Ao,Overlay:()=>Ir.a,OverlayBase:()=>pl.R,Panel:()=>ml.s,PanelBase:()=>hl.P,PanelType:()=>gl.w,PeoplePickerItem:()=>Il.A,PeoplePickerItemBase:()=>Il.u,PeoplePickerItemSuggestion:()=>Dl.E,PeoplePickerItemSuggestionBase:()=>Dl.R,Persona:()=>ua.I,PersonaBase:()=>fl.R,PersonaCoin:()=>_.t,PersonaCoinBase:()=>vl.z,PersonaInitialsColor:()=>C.z5,PersonaPresence:()=>C.H_,PersonaSize:()=>C.Ir,Pivot:()=>Xl,PivotBase:()=>Ul,PivotItem:()=>Vl,PivotLinkFormat:()=>jl,PivotLinkSize:()=>Jl,PlainCard:()=>Xa,PlainCardBase:()=>Za,Popup:()=>Dr.G,Position:()=>lt.L,PositioningContainer:()=>bt,PrimaryButton:()=>Se.K,ProgressIndicator:()=>nc,ProgressIndicatorBase:()=>$l,PulsingBeaconAnimationStyles:()=>u.a1,RGBA_REGEX:()=>Tt.Xb,Rating:()=>rc.i,RatingBase:()=>ic.x,RatingSize:()=>ac.O,Rectangle:()=>bp.A,RectangleEdge:()=>lt.z,ResizeGroup:()=>re,ResizeGroupBase:()=>te,ResizeGroupDirection:()=>z,ResponsiveMode:()=>Er.eD,SELECTION_CHANGE:()=>on.F5,ScreenWidthMaxLarge:()=>u.P$,ScreenWidthMaxMedium:()=>u.yp,ScreenWidthMaxSmall:()=>u.mV,ScreenWidthMaxXLarge:()=>u.yO,ScreenWidthMaxXXLarge:()=>u.CQ,ScreenWidthMinLarge:()=>u.AV,ScreenWidthMinMedium:()=>u.dd,ScreenWidthMinSmall:()=>u.QQ,ScreenWidthMinUhfMobile:()=>u.bE,ScreenWidthMinXLarge:()=>u.qv,ScreenWidthMinXXLarge:()=>u.B,ScreenWidthMinXXXLarge:()=>u.F1,ScrollToMode:()=>xo,ScrollablePane:()=>pc,ScrollablePaneBase:()=>dc,ScrollablePaneContext:()=>cc,ScrollbarVisibility:()=>lc,SearchBox:()=>mc.R,SearchBoxBase:()=>hc.i,SelectAllVisibility:()=>wn,SelectableOptionMenuItemType:()=>Zi.F,SelectedPeopleList:()=>Fc,Selection:()=>nn.Y,SelectionDirection:()=>on.a$,SelectionMode:()=>on.oW,SelectionZone:()=>rn.i,SemanticColorSlots:()=>ip,Separator:()=>zc,SeparatorBase:()=>Ac,Shade:()=>Yt,SharedColors:()=>yd,Shimmer:()=>cu,ShimmerBase:()=>lu,ShimmerCircle:()=>tu,ShimmerCircleBase:()=>eu,ShimmerElementType:()=>Hc,ShimmerElementsDefaultHeights:()=>Oc,ShimmerElementsGroup:()=>au,ShimmerElementsGroupBase:()=>nu,ShimmerGap:()=>Xc,ShimmerGapBase:()=>Yc,ShimmerLine:()=>jc,ShimmerLineBase:()=>Gc,ShimmeredDetailsList:()=>pu,ShimmeredDetailsListBase:()=>du,Slider:()=>mu.i,SliderBase:()=>hu.V,SpinButton:()=>gu.k,Spinner:()=>Yn.$,SpinnerBase:()=>vu.G,SpinnerSize:()=>bu.E,SpinnerType:()=>bu.d,Stack:()=>Hu,StackItem:()=>Nu,Sticky:()=>Ou,StickyPositionType:()=>Pu,Stylesheet:()=>u.Ye,SuggestionActionType:()=>Cl.L,SuggestionItemType:()=>_a,Suggestions:()=>_l.D,SuggestionsControl:()=>Pa,SuggestionsController:()=>Sl.Z,SuggestionsCore:()=>ya,SuggestionsHeaderFooterItem:()=>Ea,SuggestionsItem:()=>fa.S,SuggestionsStore:()=>Aa,SwatchColorPicker:()=>Vu.U,SwatchColorPickerBase:()=>Ku._,TagItem:()=>Nl,TagItemBase:()=>Rl,TagItemSuggestion:()=>Al,TagItemSuggestionBase:()=>Ll,TagPicker:()=>Hl,TagPickerBase:()=>zl,TeachingBubble:()=>nd,TeachingBubbleBase:()=>od,TeachingBubbleContent:()=>$u,TeachingBubbleContentBase:()=>ju,Text:()=>ad,TextField:()=>sd.n,TextFieldBase:()=>ld.P,TextStyles:()=>id,TextView:()=>rd,ThemeContext:()=>qd,ThemeGenerator:()=>sp,ThemeProvider:()=>op,ThemeSettingName:()=>u.Jw,TimeConstants:()=>tn.r,Toggle:()=>cp.Z,ToggleBase:()=>up.s,Tooltip:()=>dp.u,TooltipBase:()=>pp.P,TooltipDelay:()=>mp.j,TooltipHost:()=>ie.G,TooltipHostBase:()=>hp.Z,TooltipOverflowMode:()=>ae.y,ValidationState:()=>kl.Y,VerticalDivider:()=>ii.p,VirtualizedComboBox:()=>Mo,WeeklyDayPicker:()=>hm,WindowContext:()=>j.Hn,WindowProvider:()=>j.WU,ZIndexes:()=>u.bR,addDays:()=>en.E4,addDirectionalKeyCode:()=>Op.e,addElementAtIndex:()=>Co.OA,addMonths:()=>en.zI,addWeeks:()=>en.jh,addYears:()=>en.Bc,allowOverscrollOnElement:()=>yo.eC,allowScrollOnElement:()=>yo.C7,anchorProperties:()=>E.h2,appendFunction:()=>yp.Z,arraysEqual:()=>Co.cO,asAsync:()=>Sp,assertNever:()=>xp,assign:()=>Xt.f0,audioProperties:()=>E.vF,baseElementEvents:()=>E.WO,baseElementProperties:()=>E.Nf,buildClassMap:()=>u.$O,buildColumns:()=>yr,buildKeytipConfigMap:()=>Ps,buttonProperties:()=>E.Yq,calculatePrecision:()=>Vs.oe,canAnyMenuItemsCheck:()=>Uo.Hl,clamp:()=>Mt.u,classNamesFunction:()=>D.y,colGroupProperties:()=>E.YG,colProperties:()=>E.qi,compareDatePart:()=>en.NJ,compareDates:()=>en.aN,composeComponentAs:()=>No,composeRenderFunction:()=>ko.k,concatStyleSets:()=>u.E$,concatStyleSetsWithProps:()=>u.l7,constructKeytip:()=>Ms,correctHSV:()=>Jt,correctHex:()=>Zt.L,correctRGB:()=>jt.k,createArray:()=>Co.Ri,createFontStyles:()=>u.FF,createGenericItem:()=>wl.IV,createItem:()=>La,createMemoizer:()=>d.Ct,createMergedRef:()=>am.S,createTheme:()=>u.jG,css:()=>pt.i,cssColor:()=>Et.r,customizable:()=>De.a,defaultCalendarNavigationIcons:()=>Fe.XU,defaultCalendarStrings:()=>Fe.V3,defaultDatePickerStrings:()=>$o.f,defaultDayPickerStrings:()=>Fe.GC,defaultWeeklyDayPickerNavigationIcons:()=>um,defaultWeeklyDayPickerStrings:()=>cm,disableBodyScroll:()=>yo.Qp,divProperties:()=>E.n7,doesElementContainFocus:()=>ot.WU,elementContains:()=>it.t,elementContainsAttribute:()=>Tp.j,enableBodyScroll:()=>yo.tG,extendComponent:()=>Ap.c,filteredAssign:()=>Xt.lW,find:()=>Co.sE,findElementRecursive:()=>Ep.X,findIndex:()=>Co.cx,findScrollableParent:()=>yo.zj,fitContentToBounds:()=>Vs.nK,flatten:()=>Co.xH,focusAsync:()=>ot.um,focusClear:()=>u.e2,focusFirstChild:()=>ot.uo,fontFace:()=>u.jN,formProperties:()=>E.NX,format:()=>ap.W,getAllSelectedOptions:()=>gc.t,getAriaDescribedBy:()=>ss.w7,getBackgroundShade:()=>po,getBoundsFromTargetWindow:()=>ct.qE,getChildren:()=>Mp,getColorFromHSV:()=>Wt,getColorFromRGBA:()=>Ht.N,getColorFromString:()=>zt.T,getContrastRatio:()=>mo,getDatePartHashValue:()=>en.c8,getDateRangeArray:()=>en.e0,getDetailsRowStyles:()=>vn,getDistanceBetweenPoints:()=>Vs.Iw,getDocument:()=>nt.M,getEdgeChromiumNoHighContrastAdjustSelector:()=>u.h4,getElementIndexPath:()=>ot.xu,getEndDateOfWeek:()=>en.Hx,getFadedOverflowStyle:()=>u.$X,getFirstFocusable:()=>ot.ft,getFirstTabbable:()=>ot.RK,getFocusOutlineStyle:()=>u.jx,getFocusStyle:()=>u.GL,getFocusableByIndexPath:()=>ot.bF,getFontIcon:()=>Ve.Pw,getFullColorString:()=>Vt.p,getGlobalClassNames:()=>u.Cn,getHighContrastNoAdjustStyle:()=>u.xM,getIcon:()=>u.q7,getIconClassName:()=>u.Wx,getIconContent:()=>Ve.z1,getId:()=>dn.z,getInitialResponsiveMode:()=>Er.K7,getInitials:()=>Na.Q,getInputFocusStyle:()=>u.$Y,getLanguage:()=>Gp.G,getLastFocusable:()=>ot.TE,getLastTabbable:()=>ot.xY,getMaxHeight:()=>ct.DC,getMeasurementCache:()=>J,getMenuItemStyles:()=>Zo.w,getMonthEnd:()=>en.D7,getMonthStart:()=>en.pU,getNativeElementProps:()=>$d,getNativeProps:()=>E.pq,getNextElement:()=>ot.dc,getNextResizeGroupStateProvider:()=>Y,getOppositeEdge:()=>ct.bv,getParent:()=>_o.G,getPersonaInitialsColor:()=>yl.g,getPlaceholderStyles:()=>u.Sv,getPreviousElement:()=>ot.TD,getPropsWithDefaults:()=>st.j,getRTL:()=>T.zg,getRTLSafeKeyCode:()=>T.dP,getRect:()=>mr,getResourceUrl:()=>Xp,getResponsiveMode:()=>Er.tc,getScreenSelector:()=>u.sK,getScrollbarWidth:()=>yo.np,getShade:()=>uo,getSplitButtonClassNames:()=>Pe.W,getStartDateOfWeek:()=>en.wu,getSubmenuItems:()=>Uo.Nb,getTheme:()=>u.gh,getThemedContext:()=>u.Nf,getVirtualParent:()=>Rp.r,getWeekNumber:()=>en.uW,getWeekNumbersInMonth:()=>en.iU,getWindow:()=>So.J,getYearEnd:()=>en.Q9,getYearStart:()=>en.W8,hasHorizontalOverflow:()=>Yp.b5,hasOverflow:()=>Yp.zS,hasVerticalOverflow:()=>Yp.cs,hiddenContentStyle:()=>u.ul,hoistMethods:()=>zp.W,hoistStatics:()=>Hp.f,hsl2hsv:()=>Nt.E,hsl2rgb:()=>Rt.w,hsv2hex:()=>Ft.d,hsv2hsl:()=>At,hsv2rgb:()=>Bt.X,htmlElementProperties:()=>E.iY,iframeProperties:()=>E.SZ,imageProperties:()=>E.X7,imgProperties:()=>E.it,initializeComponentRef:()=>P.l,initializeFocusRects:()=>Wp,initializeIcons:()=>rs.l,initializeResponsiveMode:()=>Er.LF,inputProperties:()=>E.Gg,isControlled:()=>kp.s,isDark:()=>co,isDirectionalKeyCode:()=>Op.L,isElementFocusSubZone:()=>ot.gc,isElementFocusZone:()=>ot.jz,isElementTabbable:()=>ot.MW,isElementVisible:()=>ot.Jv,isIE11:()=>rm.f,isIOS:()=>jp.g,isInDateRangeArray:()=>en.le,isMac:()=>_s.V,isRelativeUrl:()=>ll,isValidShade:()=>ao,isVirtualElement:()=>Pp.r,keyframes:()=>u.F4,ktpTargetFromId:()=>ss._l,ktpTargetFromSequences:()=>ss.eX,labelProperties:()=>E.mp,liProperties:()=>E.PT,loadTheme:()=>u.jz,makeStyles:()=>Zd,mapEnumByName:()=>Xt.vT,memoize:()=>d.HP,memoizeFunction:()=>d.NF,merge:()=>Up.T,mergeAriaAttributeValues:()=>_p.I,mergeCustomizations:()=>Ip.u,mergeOverflows:()=>ss.a1,mergeScopedSettings:()=>Dp.J,mergeSettings:()=>Dp.O,mergeStyleSets:()=>u.ZC,mergeStyles:()=>u.y0,mergeThemes:()=>_d.I,modalize:()=>Jp.O,noWrap:()=>u.jq,normalize:()=>u.Fv,nullRender:()=>Ie.S,olProperties:()=>E.t$,omit:()=>Xt.CE,on:()=>Mr.on,optionProperties:()=>E.Qy,personaPresenceSize:()=>bl.bw,personaSize:()=>bl.or,portalContainsElement:()=>Np.w,positionCallout:()=>ct.c5,positionCard:()=>ct.Su,positionElement:()=>ct.p$,precisionRound:()=>Vs.F0,presenceBoolean:()=>bl.zx,raiseClick:()=>Bp.x,registerDefaultFontFaces:()=>u.Kq,registerIconAlias:()=>u.M_,registerIcons:()=>u.fm,registerOnThemeChangeCallback:()=>u.tj,removeIndex:()=>Co.$E,removeOnThemeChangeCallback:()=>u.sw,replaceElement:()=>Co.wm,resetControlledWarnings:()=>om.G,resetIds:()=>dn._,resetMemoizations:()=>d.du,rgb2hex:()=>Pt.C,rgb2hsv:()=>Lt.D,safeRequestAnimationFrame:()=>$p.J,safeSetTimeout:()=>em,selectProperties:()=>E.bL,sequencesToID:()=>ss.aB,setBaseUrl:()=>Qp,setFocusVisibility:()=>de.MU,setIconOptions:()=>u.yN,setLanguage:()=>Gp.m,setMemoizeWeakMap:()=>d.rQ,setMonth:()=>en.q0,setPortalAttribute:()=>Fp.U,setRTL:()=>T.ok,setResponsiveMode:()=>Er.kd,setSSR:()=>im.T,setVirtualParent:()=>Lp.N,setWarningCallback:()=>be.U,shallowCompare:()=>Xt.Vv,shouldWrapFocus:()=>ot.mM,sizeBoolean:()=>bl.yR,sizeToPixels:()=>bl.Y4,styled:()=>I.z,tableProperties:()=>E.$B,tdProperties:()=>E.IX,textAreaProperties:()=>E.FI,thProperties:()=>E.fI,themeRulesStandardCreator:()=>lp,toMatrix:()=>Co.QC,trProperties:()=>E.PC,transitionKeysAreEqual:()=>Ss,transitionKeysContain:()=>xs,unhoistMethods:()=>zp.e,unregisterIcons:()=>u.Kf,updateA:()=>Ut.R,updateH:()=>qt.i,updateRGB:()=>Gt,updateSV:()=>Kt.d,updateT:()=>ho.X,useCustomizationSettings:()=>Kd.D,useDocument:()=>j.ky,useFocusRects:()=>B.P,useHeightOffset:()=>vt,useKeytipRef:()=>fs,useResponsiveMode:()=>Tr.q,useTheme:()=>Gd,useWindow:()=>j.zY,values:()=>Xt.VO,videoProperties:()=>E.NI,warn:()=>be.Z,warnConditionallyRequiredProps:()=>tm.w,warnControlledUsage:()=>om.Q,warnDeprecations:()=>Vr.b,warnMutuallyExclusive:()=>nm.L,withResponsiveMode:()=>Er.Ae});var n={};o.r(n),o.d(n,{pickerInput:()=>$i,pickerText:()=>Qi});var r={};o.r(r),o.d(r,{callout:()=>ga});var i={};o.r(i),o.d(i,{suggestionsContainer:()=>va});var a={};o.r(a),o.d(a,{actionButton:()=>Sa,buttonSelected:()=>xa,itemButton:()=>Ia,root:()=>Ca,screenReaderOnly:()=>Da,suggestionsSpinner:()=>wa,suggestionsTitle:()=>ka});var s={};o.r(s),o.d(s,{actionButton:()=>yc,expandButton:()=>kc,hover:()=>bc,itemContainer:()=>Dc,itemContent:()=>Sc,personaContainer:()=>vc,personaContainerIsSelected:()=>_c,personaDetails:()=>Ic,personaWrapper:()=>wc,removeButton:()=>xc,validationError:()=>Cc});var l=o(7622),c=o(7002),u=o(9729),d=o(5094),p=(0,d.NF)((function(e,t,o,n){return{root:(0,u.y0)("ms-ActivityItem",t,e.root,n&&e.isCompactRoot),pulsingBeacon:(0,u.y0)("ms-ActivityItem-pulsingBeacon",e.pulsingBeacon),personaContainer:(0,u.y0)("ms-ActivityItem-personaContainer",e.personaContainer,n&&e.isCompactPersonaContainer),activityPersona:(0,u.y0)("ms-ActivityItem-activityPersona",e.activityPersona,n&&e.isCompactPersona,!n&&o&&2===o.length&&e.doublePersona),activityTypeIcon:(0,u.y0)("ms-ActivityItem-activityTypeIcon",e.activityTypeIcon,n&&e.isCompactIcon),activityContent:(0,u.y0)("ms-ActivityItem-activityContent",e.activityContent,n&&e.isCompactContent),activityText:(0,u.y0)("ms-ActivityItem-activityText",e.activityText),commentText:(0,u.y0)("ms-ActivityItem-commentText",e.commentText),timeStamp:(0,u.y0)("ms-ActivityItem-timeStamp",e.timeStamp,n&&e.isCompactTimeStamp)}})),m="32px",h="16px",g="16px",f="13px",v=(0,d.NF)((function(){return(0,u.F4)({from:{opacity:0},to:{opacity:1}})})),b=(0,d.NF)((function(){return(0,u.F4)({from:{transform:"translateX(-10px)"},to:{transform:"translateX(0)"}})})),y=(0,d.NF)((function(e,t,o,n,r,i){var a;void 0===e&&(e=(0,u.gh)());var s={animationName:u.a1.continuousPulseAnimationSingle(n||e.palette.themePrimary,r||e.palette.themeTertiary,"4px","28px","4px"),animationIterationCount:"1",animationDuration:".8s",zIndex:1},l={animationName:b(),animationIterationCount:"1",animationDuration:".5s"},c={animationName:v(),animationIterationCount:"1",animationDuration:".5s"},d={root:[e.fonts.small,{display:"flex",justifyContent:"flex-start",alignItems:"flex-start",boxSizing:"border-box",color:e.palette.neutralSecondary},i&&o&&c],pulsingBeacon:[{position:"absolute",top:"50%",left:"50%",transform:"translate(-50%, -50%)",width:"0px",height:"0px",borderRadius:"225px",borderStyle:"solid",opacity:0},i&&o&&s],isCompactRoot:{alignItems:"center"},personaContainer:{display:"flex",flexWrap:"wrap",minWidth:m,width:m,height:m},isCompactPersonaContainer:{display:"inline-flex",flexWrap:"nowrap",flexBasis:"auto",height:h,width:"auto",minWidth:"0",paddingRight:"6px"},activityTypeIcon:{height:m,fontSize:g,lineHeight:g,marginTop:"3px"},isCompactIcon:{height:h,minWidth:h,fontSize:f,lineHeight:f,color:e.palette.themePrimary,marginTop:"1px",position:"relative",display:"flex",justifyContent:"center",alignItems:"center",selectors:{".ms-Persona-imageArea":{margin:"-2px 0 0 -2px",border:"2px solid"+e.palette.white,borderRadius:"50%",selectors:(a={},a[u.qJ]={border:"none",margin:"0"},a)}}},activityPersona:{display:"block"},doublePersona:{selectors:{":first-child":{alignSelf:"flex-end"}}},isCompactPersona:{display:"inline-block",width:"8px",minWidth:"8px",overflow:"visible"},activityContent:[{padding:"0 8px"},i&&o&&l],activityText:{display:"inline"},isCompactContent:{flex:"1",padding:"0 4px",whiteSpace:"nowrap",textOverflow:"ellipsis",overflowX:"hidden"},commentText:{color:e.palette.neutralPrimary},timeStamp:[e.fonts.tiny,{fontWeight:400,color:e.palette.neutralSecondary}],isCompactTimeStamp:{display:"inline-block",paddingLeft:"0.3em",fontSize:"1em"}};return(0,u.E$)(d,t)})),_=o(6543),C=o(7481),S=function(e){function t(t){var o=e.call(this,t)||this;return o._onRenderIcon=function(e){return e.activityPersonas?o._onRenderPersonaArray(e):o.props.activityIcon},o._onRenderActivityDescription=function(e){var t=o._getClassNames(e),n=e.activityDescription||e.activityDescriptionText;return n?c.createElement("span",{className:t.activityText},n):null},o._onRenderComments=function(e){var t=o._getClassNames(e),n=e.comments||e.commentText;return!e.isCompact&&n?c.createElement("div",{className:t.commentText},n):null},o._onRenderTimeStamp=function(e){var t=o._getClassNames(e);return!e.isCompact&&e.timeStamp?c.createElement("div",{className:t.timeStamp},e.timeStamp):null},o._onRenderPersonaArray=function(e){var t=o._getClassNames(e),n=null,r=e.activityPersonas;if(r[0].imageUrl||r[0].imageInitials){var i=[],a=r.length>1||e.isCompact,s=e.isCompact?3:4,u=void 0;e.isCompact&&(u={display:"inline-block",width:"10px",minWidth:"10px",overflow:"visible"}),r.filter((function(e,t){return tt;){var l=r(a);if(void 0===l)return{renderedData:a,resizeDirection:void 0,dataToMeasure:void 0};if(void 0===(s=o.getCachedMeasurement(l)))return{dataToMeasure:l,resizeDirection:"shrink"};a=l}return{renderedData:a,resizeDirection:void 0,dataToMeasure:void 0}}return{getNextState:function(e,i,a,s){if(void 0!==s||void 0!==i.dataToMeasure){if(s){if(t&&i.renderedData&&!i.dataToMeasure)return(0,l.pi)((0,l.pi)({},i),function(e,o,n,r){var i;return i=e>t?r?{resizeDirection:"grow",dataToMeasure:r(n)}:{resizeDirection:"shrink",dataToMeasure:o}:{resizeDirection:"shrink",dataToMeasure:n},t=e,(0,l.pi)((0,l.pi)({},i),{measureContainer:!1})}(s,e.data,i.renderedData,e.onGrowData));t=s}var c=(0,l.pi)((0,l.pi)({},i),{measureContainer:!1});return i.dataToMeasure&&(c="grow"===i.resizeDirection&&e.onGrowData?(0,l.pi)((0,l.pi)({},c),function(e,i,a,s){for(var c=e,u=n(e,a);u=i))return(t=(0,l.pr)(t)).splice(r,0,a),(0,l.pi)((0,l.pi)({},e),{renderedItems:t,renderedOverflowItems:o})},o._onRenderBreadcrumb=function(e){var t=e.props,n=t.ariaLabel,r=t.dividerAs,i=void 0===r?W.J:r,a=t.onRenderItem,s=void 0===a?o._onRenderItem:a,u=t.overflowAriaLabel,d=t.overflowIndex,p=t.onRenderOverflowIcon,m=t.overflowButtonAs,h=e.renderedOverflowItems,g=e.renderedItems,f=h.map((function(e){var t=!(!e.onClick&&!e.href);return{text:e.text,name:e.text,key:e.key,onClick:e.onClick?o._onBreadcrumbClicked.bind(o,e):null,href:e.href,disabled:!t,itemProps:t?void 0:ce}})),v=g.length-1,b=h&&0!==h.length,y=g.map((function(e,t){return c.createElement("li",{className:o._classNames.listItem,key:e.key||String(t)},s(e,o._onRenderItem),(t!==v||b&&t===d-1)&&c.createElement(i,{className:o._classNames.chevron,iconName:(0,T.zg)(o.props.theme)?"ChevronLeft":"ChevronRight",item:e}))}));if(b){var _=p?{}:{iconName:"More"},C=p||le,S=m||V.h;y.splice(d,0,c.createElement("li",{className:o._classNames.overflow,key:"overflow"},c.createElement(S,{className:o._classNames.overflowButton,iconProps:_,role:"button","aria-haspopup":"true",ariaLabel:u,onRenderMenuIcon:C,menuProps:{items:f,directionalHint:K.b.bottomLeftEdge}}),d!==v+1&&c.createElement(i,{className:o._classNames.chevron,iconName:(0,T.zg)(o.props.theme)?"ChevronLeft":"ChevronRight",item:h[h.length-1]})))}var x=(0,E.pq)(o.props,E.iY,["className"]);return c.createElement("div",(0,l.pi)({className:o._classNames.root,role:"navigation","aria-label":n},x),c.createElement(M.k,(0,l.pi)({componentRef:o._focusZone,direction:R.U.horizontal},o.props.focusZoneProps),c.createElement("ol",{className:o._classNames.list},y)))},o._onRenderItem=function(e){var t=e.as,n=e.href,r=e.onClick,i=e.isCurrentItem,a=e.text,s=(0,l._T)(e,["as","href","onClick","isCurrentItem","text"]);if(r||n)return c.createElement(O,(0,l.pi)({},s,{as:t,className:o._classNames.itemLink,href:n,"aria-current":i?"page":void 0,onClick:o._onBreadcrumbClicked.bind(o,e)}),c.createElement(ie.G,(0,l.pi)({content:a,overflowMode:ae.y.Parent},o.props.tooltipHostProps),a));var u=t||"span";return c.createElement(u,(0,l.pi)({},s,{className:o._classNames.item}),c.createElement(ie.G,(0,l.pi)({content:a,overflowMode:ae.y.Parent},o.props.tooltipHostProps),a))},o._onBreadcrumbClicked=function(e,t){e.onClick&&e.onClick(t,e)},(0,P.l)(o),o._validateProps(t),o}return(0,l.ZT)(t,e),t.prototype.focus=function(){this._focusZone.current&&this._focusZone.current.focus()},t.prototype.render=function(){this._validateProps(this.props);var e=this.props,t=e.onReduceData,o=void 0===t?this._onReduceData:t,n=e.onGrowData,r=void 0===n?this._onGrowData:n,i=e.overflowIndex,a=e.maxDisplayedItems,s=e.items,u=e.className,d=e.theme,p=e.styles,m=(0,l.pr)(s),h=m.splice(i,m.length-a),g={props:this.props,renderedItems:m,renderedOverflowItems:h};return this._classNames=se(p,{className:u,theme:d}),c.createElement(re,{onRenderData:this._onRenderBreadcrumb,onReduceData:o,onGrowData:r,data:g})},t.prototype._validateProps=function(e){var t=e.maxDisplayedItems,o=e.overflowIndex,n=e.items;if(o<0||t>1&&o>t-1||n.length>0&&o>n.length-1)throw new Error("Breadcrumb: overflowIndex out of range")},t.defaultProps={items:[],maxDisplayedItems:999,overflowIndex:0},t}(c.Component),de=o(6145),pe={root:"ms-Breadcrumb",list:"ms-Breadcrumb-list",listItem:"ms-Breadcrumb-listItem",chevron:"ms-Breadcrumb-chevron",overflow:"ms-Breadcrumb-overflow",overflowButton:"ms-Breadcrumb-overflowButton",itemLink:"ms-Breadcrumb-itemLink",item:"ms-Breadcrumb-item"},me={whiteSpace:"nowrap",textOverflow:"ellipsis",overflow:"hidden"},he=(0,u.sK)(0,u.mV),ge=(0,u.sK)(u.dd,u.yp),fe=(0,I.z)(ue,(function(e){var t,o,n,r,i=e.className,a=e.theme,s=a.palette,c=a.semanticColors,d=a.fonts,p=(0,u.Cn)(pe,a),m=c.menuItemBackgroundHovered,h=c.menuItemBackgroundPressed,g=s.neutralSecondary,f=u.lq.regular,v=s.neutralPrimary,b=s.neutralPrimary,y=u.lq.semibold,_=s.neutralSecondary,C=s.neutralSecondary,S={fontWeight:y,color:b},x={":hover":{color:v,backgroundColor:m,cursor:"pointer",selectors:(t={},t[u.qJ]={color:"Highlight"},t)},":active":{backgroundColor:h,color:v},"&:active:hover":{color:v,backgroundColor:h},"&:active, &:hover, &:active:hover":{textDecoration:"none"}},k={color:g,padding:"0 8px",lineHeight:36,fontSize:18,fontWeight:f};return{root:[p.root,d.medium,{margin:"11px 0 1px"},i],list:[p.list,{whiteSpace:"nowrap",padding:0,margin:0,display:"flex",alignItems:"stretch"}],listItem:[p.listItem,{listStyleType:"none",margin:"0",padding:"0",display:"flex",position:"relative",alignItems:"center",selectors:{"&:last-child .ms-Breadcrumb-itemLink":S,"&:last-child .ms-Breadcrumb-item":S}}],chevron:[p.chevron,{color:_,fontSize:d.small.fontSize,selectors:(o={},o[u.qJ]=(0,l.pi)({color:"WindowText"},(0,u.xM)()),o[ge]={fontSize:8},o[he]={fontSize:8},o)}],overflow:[p.overflow,{position:"relative",display:"flex",alignItems:"center"}],overflowButton:[p.overflowButton,(0,u.GL)(a),me,{fontSize:16,color:C,height:"100%",cursor:"pointer",selectors:(0,l.pi)((0,l.pi)({},x),(n={},n[he]={padding:"4px 6px"},n[ge]={fontSize:d.mediumPlus.fontSize},n))}],itemLink:[p.itemLink,(0,u.GL)(a),me,(0,l.pi)((0,l.pi)({},k),{selectors:(0,l.pi)((r={":focus":{color:s.neutralDark}},r["."+de.G$+" &:focus"]={outline:"none"},r),x)})],item:[p.item,(0,l.pi)((0,l.pi)({},k),{selectors:{":hover":{cursor:"default"}}})]}}),void 0,{scope:"Breadcrumb"}),ve=o(4968);!function(e){e[e.button=0]="button",e[e.anchor=1]="anchor"}(oe||(oe={})),function(e){e[e.normal=0]="normal",e[e.primary=1]="primary",e[e.hero=2]="hero",e[e.compound=3]="compound",e[e.command=4]="command",e[e.icon=5]="icon",e[e.default=6]="default"}(ne||(ne={}));var be=o(687),ye=o(9632),_e=o(2898),Ce=o(8959),Se=o(8924),xe=function(e){function t(t){var o=e.call(this,t)||this;return(0,be.Z)("The Button component has been deprecated. Use specific variants instead. (PrimaryButton, DefaultButton, IconButton, ActionButton, etc.)"),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props;switch(e.buttonType){case ne.command:return c.createElement(_e.K,(0,l.pi)({},e));case ne.compound:return c.createElement(Ce.W,(0,l.pi)({},e));case ne.icon:return c.createElement(V.h,(0,l.pi)({},e));case ne.primary:return c.createElement(Se.K,(0,l.pi)({},e));default:return c.createElement(ye.a,(0,l.pi)({},e))}},t}(c.Component),ke=o(1420),we=o(990),Ie=o(9013),De=o(6053),Te=(0,d.NF)((function(e,t){return(0,u.E$)({root:[(0,u.GL)(e,{inset:1,highContrastStyle:{outlineOffset:"-4px",outline:"1px solid Window"},borderColor:"transparent"}),{height:24}]},t)})),Ee=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.theme;return c.createElement(ye.a,(0,l.pi)({},this.props,{styles:Te(o,t),onRenderDescription:Ie.S}))},(0,l.gn)([(0,De.a)("MessageBarButton",["theme","styles"],!0)],t)}(c.Component),Pe=o(5032),Me=o(2836),Re=o(634),Ne=o(4977),Be=o(716),Fe=o(6883),Le=o(1093),Ae=o(5953),ze=o(4941),He=o(5666),Oe=o(6007),We=function(e){return c.createElement(Ae.U,(0,l.pi)({},e),c.createElement(Oe.P,(0,l.pi)({disabled:e.hidden},e.focusTrapProps),e.children))},Ve=o(4734),Ke=(0,D.y)(),qe=c.forwardRef((function(e,t){var o=e.checked,n=void 0!==o&&o,r=e.className,i=e.theme,a=e.styles,s=e.useFastIcons,l=void 0===s||s,u=Ke(a,{theme:i,className:r,checked:n}),d=l?Ve.xu:W.J;return c.createElement("div",{className:u.root,ref:t},c.createElement(d,{iconName:"CircleRing",className:u.circle}),c.createElement(d,{iconName:"StatusCircleCheckmark",className:u.check}))}));qe.displayName="CheckBase";var Ge,Ue={root:"ms-Check",circle:"ms-Check-circle",check:"ms-Check-check",checkHost:"ms-Check-checkHost"},je=(0,I.z)(qe,(function(e){var t,o,n,r,i,a=e.height,s=void 0===a?e.checkBoxHeight||"18px":a,c=e.checked,d=e.className,p=e.theme,m=p.palette,h=p.semanticColors,g=p.fonts,f=(0,T.zg)(p),v=(0,u.Cn)(Ue,p),b={fontSize:s,position:"absolute",left:0,top:0,width:s,height:s,textAlign:"center",verticalAlign:"middle"};return{root:[v.root,g.medium,{lineHeight:"1",width:s,height:s,verticalAlign:"top",position:"relative",userSelect:"none",selectors:(t={":before":{content:'""',position:"absolute",top:"1px",right:"1px",bottom:"1px",left:"1px",borderRadius:"50%",opacity:1,background:h.bodyBackground}},t["."+v.checkHost+":hover &, ."+v.checkHost+":focus &, &:hover, &:focus"]={opacity:1},t)},c&&["is-checked",{selectors:{":before":{background:m.themePrimary,opacity:1,selectors:(o={},o[u.qJ]={background:"Window"},o)}}}],d],circle:[v.circle,b,{color:m.neutralSecondary,selectors:(n={},n[u.qJ]={color:"WindowText"},n)},c&&{color:m.white}],check:[v.check,b,{opacity:0,color:m.neutralSecondary,fontSize:u.ld.medium,left:f?"-0.5px":".5px",selectors:(r={":hover":{opacity:1}},r[u.qJ]=(0,l.pi)({},(0,u.xM)()),r)},c&&{opacity:1,color:m.white,fontWeight:900,selectors:(i={},i[u.qJ]={border:"none",color:"WindowText"},i)}],checkHost:v.checkHost}}),void 0,{scope:"Check"},!0),Je=o(2777),Ye=o(5790),Ze=o(9240),Xe=o(5554),Qe=o(1351),$e=(0,d.NF)((function(){return(0,u.F4)({"0%":{transform:"translate(0, 0)",animationTimingFunction:"linear"},"78.57%":{transform:"translate(0, 0)",animationTimingFunction:"cubic-bezier(0.62, 0, 0.56, 1)"},"82.14%":{transform:"translate(0, -5px)",animationTimingFunction:"cubic-bezier(0.58, 0, 0, 1)"},"84.88%":{transform:"translate(0, 9px)",animationTimingFunction:"cubic-bezier(1, 0, 0.56, 1)"},"88.1%":{transform:"translate(0, -2px)",animationTimingFunction:"cubic-bezier(0.58, 0, 0.67, 1)"},"90.12%":{transform:"translate(0, 0)",animationTimingFunction:"linear"},"100%":{transform:"translate(0, 0)"}})})),et=(0,d.NF)((function(){return(0,u.F4)({"0%":{transform:" scale(0)",animationTimingFunction:"linear"},"14.29%":{transform:"scale(0)",animationTimingFunction:"cubic-bezier(0.84, 0, 0.52, 0.99)"},"16.67%":{transform:"scale(1.15)",animationTimingFunction:"cubic-bezier(0.48, -0.01, 0.52, 1.01)"},"19.05%":{transform:"scale(0.95)",animationTimingFunction:"cubic-bezier(0.48, 0.02, 0.52, 0.98)"},"21.43%":{transform:"scale(1)",animationTimingFunction:"linear"},"42.86%":{transform:"scale(1)",animationTimingFunction:"cubic-bezier(0.48, -0.02, 0.52, 1.02)"},"45.71%":{transform:"scale(0.8)",animationTimingFunction:"cubic-bezier(0.48, 0.01, 0.52, 0.99)"},"50%":{transform:"scale(1)",animationTimingFunction:"linear"},"90.12%":{transform:"scale(1)",animationTimingFunction:"cubic-bezier(0.48, -0.02, 0.52, 1.02)"},"92.98%":{transform:"scale(0.8)",animationTimingFunction:"cubic-bezier(0.48, 0.01, 0.52, 0.99)"},"97.26%":{transform:"scale(1)",animationTimingFunction:"linear"},"100%":{transform:"scale(1)"}})})),tt=(0,d.NF)((function(){return(0,u.F4)({"0%":{transform:"rotate(0deg)",animationTimingFunction:"linear"},"83.33%":{transform:" rotate(0deg)",animationTimingFunction:"cubic-bezier(0.33, 0, 0.67, 1)"},"83.93%":{transform:"rotate(15deg)",animationTimingFunction:"cubic-bezier(0.33, 0, 0.67, 1)"},"84.52%":{transform:"rotate(-15deg)",animationTimingFunction:"cubic-bezier(0.33, 0, 0.67, 1)"},"85.12%":{transform:"rotate(15deg)",animationTimingFunction:"cubic-bezier(0.33, 0, 0.67, 1)"},"85.71%":{transform:"rotate(-15deg)",animationTimingFunction:"cubic-bezier(0.33, 0, 0.67, 1)"},"86.31%":{transform:"rotate(0deg)",animationTimingFunction:"linear"},"100%":{transform:"rotate(0deg)"}})})),ot=o(4553),nt=o(5446),rt=o(8145),it=o(3345),at=o(9919),st=o(63),lt=o(4568),ct=o(6591),ut=(0,d.NF)((function(){var e;return(0,u.ZC)({root:[{position:"absolute",boxSizing:"border-box",border:"1px solid ${}",selectors:(e={},e[u.qJ]={border:"1px solid WindowText"},e)},(0,u.e2)()],container:{position:"relative"},main:{backgroundColor:"#ffffff",overflowX:"hidden",overflowY:"hidden",position:"relative"},overFlowYHidden:{overflowY:"hidden"}})})),dt=o(7513),pt=o(8088),mt=o(2674),ht={opacity:0},gt=((Ge={})[lt.z.top]="slideUpIn20",Ge[lt.z.bottom]="slideDownIn20",Ge[lt.z.left]="slideLeftIn20",Ge[lt.z.right]="slideRightIn20",Ge),ft={preventDismissOnScroll:!1,offsetFromTarget:0,minPagePadding:8,directionalHint:K.b.bottomAutoEdge};function vt(e,t){var o=e.finalHeight,n=c.useState(0),r=n[0],i=n[1],a=(0,G.r)(),s=c.useRef(0),l=function(){t&&o&&(s.current=a.requestAnimationFrame((function(){if(t.current){var e=t.current.lastChild,n=e.scrollHeight,c=e.offsetHeight;i(r+(n-c)),e.offsetHeightk?k:_,I=c.createElement("div",{ref:i,className:(0,pt.i)("ms-PositioningContainer",S.container)},c.createElement("div",{className:(0,u.y0)("ms-PositioningContainer-layerHost",S.root,b,x,!!y&&{width:y}),style:h?h.elementPosition:ht,tabIndex:-1,ref:n},C,w));return o.doNotLayer?I:c.createElement(dt.m,null,I)}));function yt(e){return{root:[{position:"absolute",boxShadow:"inherit",border:"none",boxSizing:"border-box",transform:e.transform,width:e.width,height:e.height,left:e.left,top:e.top,right:e.right,bottom:e.bottom}],beak:{fill:e.color,display:"block"}}}bt.displayName="PositioningContainer";var _t=c.forwardRef((function(e,t){var o,n,r,i,a,s,l=e.left,u=e.top,d=e.bottom,p=e.right,m=e.color,h=e.direction,g=void 0===h?lt.z.top:h;switch(g===lt.z.top||g===lt.z.bottom?(o=10,n=18):(o=18,n=10),g){case lt.z.top:default:r="9, 0",i="18, 10",a="0, 10",s="translateY(-100%)";break;case lt.z.right:r="0, 0",i="10, 10",a="0, 18",s="translateX(100%)";break;case lt.z.bottom:r="0, 0",i="18, 0",a="9, 10",s="translateY(100%)";break;case lt.z.left:r="10, 0",i="0, 10",a="10, 18",s="translateX(-100%)"}var f=(0,D.y)()(yt,{left:l,top:u,bottom:d,right:p,height:o+"px",width:n+"px",transform:s,color:m});return c.createElement("div",{className:f.root,role:"presentation",ref:t},c.createElement("svg",{height:o,width:n,className:f.beak},c.createElement("polygon",{points:r+" "+i+" "+a})))}));_t.displayName="Beak";var Ct=o(5646),St=(0,D.y)(),xt="data-coachmarkid",kt={isCollapsed:!0,mouseProximityOffset:10,delayBeforeMouseOpen:3600,delayBeforeCoachmarkAnimation:0,isPositionForced:!0,positioningContainerProps:{directionalHint:K.b.bottomAutoEdge}},wt=c.forwardRef((function(e,t){var o=(0,st.j)(kt,e),n=c.useRef(null),r=c.useRef(null),i=function(){var e=(0,G.r)(),t=c.useState(),o=t[0],n=t[1],r=c.useState(),i=r[0],a=r[1];return[o,i,function(t){var o=t.alignmentEdge,r=t.targetEdge;return e.requestAnimationFrame((function(){n(o),a(r)}))}]}(),a=i[0],s=i[1],u=i[2],d=function(e,t){var o=e.isCollapsed,n=e.onAnimationOpenStart,r=e.onAnimationOpenEnd,i=c.useState(!!o),a=i[0],s=i[1],l=(0,Ct.L)().setTimeout,u=c.useRef(!a),d=c.useCallback((function(){var e,o,i,a;u.current||(s(!1),null===(e=n)||void 0===e||e(),null===(a=null===(o=t.current)||void 0===o?void 0:(i=o).addEventListener)||void 0===a||a.call(i,"transitionend",(function(){var e;l((function(){t.current&&(0,ot.uo)(t.current)}),1e3),null===(e=r)||void 0===e||e()})),u.current=!0)}),[t,r,n,l]);return c.useEffect((function(){o||d()}),[o]),[a,d]}(o,n),p=d[0],m=d[1],h=function(e,t,o){var n=(0,T.zg)(e.theme);return c.useMemo((function(){var e,r,i=void 0===o?lt.z.bottom:(0,ct.bv)(o),a={direction:i},s="3px";switch(i){case lt.z.top:case lt.z.bottom:t?t===lt.z.left?(a.left="7px",e="left"):(a.right="7px",e="right"):(a.left="calc(50% - 9px)",e="center"),i===lt.z.top?(a.top=s,r="top"):(a.bottom=s,r="bottom");break;case lt.z.left:case lt.z.right:t?t===lt.z.top?(a.top="7px",r="top"):(a.bottom="7px",r="bottom"):(a.top="calc(50% - 9px)",r="center"),i===lt.z.left?(n?a.right=s:a.left=s,e="left"):(n?a.left=s:a.right=s,e="right")}return[a,e+" "+r]}),[t,o,n])}(o,a,s),g=h[0],f=h[1],v=function(e,t){var o=c.useState(!!e.isCollapsed),n=o[0],r=o[1],i=c.useState(e.isCollapsed?{width:0,height:0}:{}),a=i[0],s=i[1],l=(0,G.r)();return c.useEffect((function(){l.requestAnimationFrame((function(){t.current&&(s({width:t.current.offsetWidth,height:t.current.offsetHeight}),r(!1))}))}),[]),[n,a]}(o,n),b=v[0],y=v[1],_=function(e){var t=e.ariaAlertText,o=(0,G.r)(),n=c.useState(),r=n[0],i=n[1];return c.useEffect((function(){o.requestAnimationFrame((function(){i(t)}))}),[]),r}(o),C=function(e){var t=e.preventFocusOnMount,o=(0,Ct.L)().setTimeout,n=c.useRef(null);return c.useEffect((function(){t||o((function(){var e;return null===(e=n.current)||void 0===e?void 0:e.focus()}),1e3)}),[]),n}(o);!function(e,t,o){var n,r=null===(n=(0,nt.M)())||void 0===n?void 0:n.documentElement;(0,U.d)(r,"keydown",(function(e){var n,r,i;(e.altKey&&e.which===rt.m.c||e.which===rt.m.enter&&(null===(i=null===(n=t.current)||void 0===n?void 0:(r=n).contains)||void 0===i?void 0:i.call(r,e.target)))&&o()}),!0);var i=function(o){var n,r;if(e.preventDismissOnLostFocus){var i=o.target,a=t.current&&!(0,it.t)(t.current,i),s=e.target;a&&i!==s&&!(0,it.t)(s,i)&&(null===(r=(n=e).onDismiss)||void 0===r||r.call(n,o))}};(0,U.d)(r,"click",i,!0),(0,U.d)(r,"focus",i,!0)}(o,r,m),function(e){var t=e.onDismiss;c.useImperativeHandle(e.componentRef,(function(e){return{dismiss:function(){var o;null===(o=t)||void 0===o||o(e)}}}),[t])}(o),function(e,t,o){var n=(0,Ct.L)(),r=n.setTimeout,i=n.clearTimeout,a=c.useRef();c.useEffect((function(){var n=function(){t.current&&(a.current=t.current.getBoundingClientRect())},s=new at.r({});return r((function(){var t=e.mouseProximityOffset,l=void 0===t?0:t,c=[];r((function(){n(),s.on(window,"resize",(function(){c.forEach((function(e){i(e)})),c.splice(0,c.length),c.push(r((function(){n()}),100))}))}),10),s.on(document,"mousemove",(function(t){var r,i,s=t.clientY,c=t.clientX;n(),function(e,t,o,n){return void 0===n&&(n=0),t>e.left-n&&te.top-n&&o=Yt.Unshaded&&e<=Yt.Shade8}function so(e,t){return{h:e.h,s:e.s,v:(0,Mt.u)(e.v-e.v*t,100,0)}}function lo(e,t){return{h:e.h,s:(0,Mt.u)(e.s-e.s*t,100,0),v:(0,Mt.u)(e.v+(100-e.v)*t,100,0)}}function co(e){return At(e.h,e.s,e.v).l<50}function uo(e,t,o){if(void 0===o&&(o=!1),!e)return null;if(t===Yt.Unshaded||!ao(t))return e;var n=At(e.h,e.s,e.v),r={h:e.h,s:e.s,v:e.v},i=t-1,a=lo,s=so;return o&&(a=so,s=lo),r=function(e){return e.r===Tt.uc&&e.g===Tt.uc&&e.b===Tt.uc}(e)?so(r,eo[i]):function(e){return 0===e.r&&0===e.g&&0===e.b}(e)?lo(r,to[i]):n.l/100>.8?s(r,no[i]):n.l/100<.2?a(r,oo[i]):i1?n/r:r/n}!function(e){e[e.Unshaded=0]="Unshaded",e[e.Shade1=1]="Shade1",e[e.Shade2=2]="Shade2",e[e.Shade3=3]="Shade3",e[e.Shade4=4]="Shade4",e[e.Shade5=5]="Shade5",e[e.Shade6=6]="Shade6",e[e.Shade7=7]="Shade7",e[e.Shade8=8]="Shade8"}(Yt||(Yt={}));var ho=o(1332),go=o(6847),fo=o(1958),vo=o(610),bo=o(2167),yo=o(4948),_o=o(6840),Co=o(2470),So=o(9757),xo={auto:0,top:1,bottom:2,center:3},ko=o(8826),wo={top:-1,bottom:-1,left:-1,right:-1,width:0,height:0},Io=function(e){return e.getBoundingClientRect()},Do=Io,To=Io,Eo=function(e){function t(t){var o=e.call(this,t)||this;return o._root=c.createRef(),o._surface=c.createRef(),o._pageRefs={},o._getDerivedStateFromProps=function(e,t){return e.items!==o.props.items||e.renderCount!==o.props.renderCount||e.startIndex!==o.props.startIndex||e.version!==o.props.version?(o._resetRequiredWindows(),o._requiredRect=null,o._measureVersion++,o._invalidatePageCache(),o._updatePages(e,t)):t},o._onRenderRoot=function(e){var t=e.rootRef,o=e.surfaceElement,n=e.divProps;return c.createElement("div",(0,l.pi)({ref:t},n),o)},o._onRenderSurface=function(e){var t=e.surfaceRef,o=e.pageElements,n=e.divProps;return c.createElement("div",(0,l.pi)({ref:t},n),o)},o._onRenderPage=function(e,t){for(var n=o.props,r=n.onRenderCell,i=n.role,a=e.page,s=a.items,u=void 0===s?[]:s,d=a.startIndex,p=(0,l._T)(e,["page"]),m=void 0===i?"listitem":"presentation",h=[],g=0;ge){if(t&&this._scrollElement){for(var d=To(this._scrollElement),p={top:this._scrollElement.scrollTop,bottom:this._scrollElement.scrollTop+d.height},m=e-l,h=0;h=p.top&&g<=p.bottom)return;ap.bottom&&(a=g-d.height)}return void(this._scrollElement.scrollTop=a)}a+=u}},t.prototype.getStartItemIndexInView=function(e){for(var t=0,o=this.state.pages||[];t=n.top&&(this._scrollTop||0)<=n.top+n.height){if(!e){var r=Math.floor(n.height/n.itemCount);return n.startIndex+Math.floor((this._scrollTop-n.top)/r)}for(var i=0,a=n.startIndex;a0?n:void 0})})},t.prototype._shouldVirtualize=function(e){void 0===e&&(e=this.props);var t=e.onShouldVirtualize;return!t||t(e)},t.prototype._invalidatePageCache=function(){this._pageCache={}},t.prototype._renderPage=function(e){var t,o=this,n=this.props.usePageCache;if(n&&(t=this._pageCache[e.key])&&t.pageElement)return t.pageElement;var r=this._getPageStyle(e),i=this.props.onRenderPage,a=(void 0===i?this._onRenderPage:i)({page:e,className:"ms-List-page",key:e.key,ref:function(t){o._pageRefs[e.key]=t},style:r,role:"presentation"},this._onRenderPage);return n&&0===e.startIndex&&(this._pageCache[e.key]={page:e,pageElement:a}),a},t.prototype._getPageStyle=function(e){var t=this.props.getPageStyle;return(0,l.pi)((0,l.pi)({},t?t(e):{}),e.items?{}:{height:e.height})},t.prototype._onFocus=function(e){for(var t=e.target;t!==this._surface.current;){var o=t.getAttribute("data-list-index");if(o){this._focusedIndex=Number(o);break}t=(0,_o.G)(t)}},t.prototype._onScroll=function(){this.state.isScrolling||this.props.ignoreScrollingState||this.setState({isScrolling:!0}),this._resetRequiredWindows(),this._onScrollingDone()},t.prototype._resetRequiredWindows=function(){this._requiredWindowsAhead=0,this._requiredWindowsBehind=0},t.prototype._onAsyncScroll=function(){var e,t;this._updateRenderRects(this.props,this.state),this._materializedRect&&(e=this._requiredRect,t=this._materializedRect,e.top>=t.top&&e.left>=t.left&&e.bottom<=t.bottom&&e.right<=t.right)||this.setState(this._updatePages(this.props,this.state))},t.prototype._onAsyncIdle=function(){var e=this.props,t=e.renderedWindowsAhead,o=e.renderedWindowsBehind,n=this._requiredWindowsAhead,r=this._requiredWindowsBehind,i=Math.min(t,n+1),a=Math.min(o,r+1);i===n&&a===r||(this._requiredWindowsAhead=i,this._requiredWindowsBehind=a,this._updateRenderRects(this.props,this.state),this.setState(this._updatePages(this.props,this.state))),(t>i||o>a)&&this._onAsyncIdle()},t.prototype._onScrollingDone=function(){this.props.ignoreScrollingState||this.setState({isScrolling:!1})},t.prototype._onAsyncResize=function(){this.forceUpdate()},t.prototype._updatePages=function(e,t){this._requiredRect||this._updateRenderRects(e,t);var o=this._buildPages(e,t),n=t.pages;return this._notifyPageChanges(n,o.pages,this.props),(0,l.pi)((0,l.pi)({},t),o)},t.prototype._notifyPageChanges=function(e,t,o){var n=o.onPageAdded,r=o.onPageRemoved;if(n||r){for(var i={},a=0,s=e;a-1,x=!f||C>=f.top&&u<=f.bottom,k=!b._requiredRect||C>=b._requiredRect.top&&u<=b._requiredRect.bottom;if(!g&&(k||x&&S)||!h||p>=e&&p=b._visibleRect.top&&u<=b._visibleRect.bottom),s.push(I),k&&b._allowedRect&&(y=a,_={top:u,bottom:C,height:i,left:f.left,right:f.right,width:f.width},y.top=_.topy.bottom||-1===y.bottom?_.bottom:y.bottom,y.right=_.right>y.right||-1===y.right?_.right:y.right,y.width=y.right-y.left+1,y.height=y.bottom-y.top+1)}else d||(d=b._createPage("spacer-"+e,void 0,e,0,void 0,l,!0)),d.height=(d.height||0)+(C-u)+1,d.itemCount+=c;if(u+=C-u+1,g&&h)return"break"},b=this,y=r;ythis._estimatedPageHeight/3)&&(a=this._surfaceRect=Do(this._surface.current),this._scrollTop=c),!o&&s&&s===this._scrollHeight||this._measureVersion++,this._scrollHeight=s;var u=Math.max(0,-a.top),d=(0,So.J)(this._root.current),p={top:u,left:a.left,bottom:u+d.innerHeight,right:a.right,width:a.width,height:d.innerHeight};this._requiredRect=Po(p,this._requiredWindowsBehind,this._requiredWindowsAhead),this._allowedRect=Po(p,r,n),this._visibleRect=p}},t.defaultProps={startIndex:0,onRenderCell:function(e,t,o){return c.createElement(c.Fragment,null,e&&e.name||"")},renderedWindowsAhead:2,renderedWindowsBehind:2},t}(c.Component);function Po(e,t,o){var n=e.top-t*e.height,r=e.height+(t+o)*e.height;return{top:n,bottom:n+r,height:r,left:e.left,right:e.right,width:e.width}}var Mo=function(e){function t(t){var o=e.call(this,t)||this;return o._comboBox=c.createRef(),o._list=c.createRef(),o._onRenderList=function(e){var t=e.onRenderItem;return c.createElement(Eo,{componentRef:o._list,role:"listbox",items:e.options,onRenderCell:t?function(e){return t(e)}:function(){return null}})},o._onScrollToItem=function(e){o._list.current&&o._list.current.scrollToIndex(e)},(0,P.l)(o),o}return(0,l.ZT)(t,e),Object.defineProperty(t.prototype,"selectedOptions",{get:function(){return this._comboBox.current?this._comboBox.current.selectedOptions:[]},enumerable:!0,configurable:!0}),t.prototype.dismissMenu=function(){if(this._comboBox.current)return this._comboBox.current.dismissMenu()},t.prototype.focus=function(e,t){return!!this._comboBox.current&&(this._comboBox.current.focus(e,t),!0)},t.prototype.render=function(){return c.createElement(vo.C,(0,l.pi)({},this.props,{componentRef:this._comboBox,onRenderList:this._onRenderList,onScrollToItem:this._onScrollToItem}))},t}(c.Component),Ro=(0,d.Ct)((function(e){var t=e;return(0,d.Ct)((function(o){if(e===o)throw new Error("Attempted to compose a component with itself.");var n=o,r=(0,d.Ct)((function(e){return function(t){return c.createElement(n,(0,l.pi)({},t,{defaultRender:e}))}}));return function(e){var o=e.defaultRender;return c.createElement(t,(0,l.pi)({},e,{defaultRender:o?r(o):n}))}}))}));function No(e,t){return Ro(e)(t)}var Bo=o(344),Fo=function(e){var t=Bo.K.getInstance(),o=e.className,n=e.overflowItems,r=e.keytipSequences,i=e.itemSubMenuProvider,a=e.onRenderOverflowButton,s=(0,q.B)({}),u=c.useCallback((function(e){return i?i(e):e.subMenuProps?e.subMenuProps.items:void 0}),[i]),d=c.useMemo((function(){var e,o=[];return r?null===(e=n)||void 0===e||e.forEach((function(e){var n,i,a,c,d=e.keytipProps;if(d){var p={content:d.content,keySequences:d.keySequences,disabled:d.disabled||!(!e.disabled&&!e.isDisabled),hasDynamicChildren:d.hasDynamicChildren,hasMenu:d.hasMenu};d.hasDynamicChildren||u(e)?p.onExecute=t.menuExecute.bind(t,r,null===(i=null===(n=e)||void 0===n?void 0:n.keytipProps)||void 0===i?void 0:i.keySequences):p.onExecute=d.onExecute,s[p.content]=p;var m=(0,l.pi)((0,l.pi)({},e),{keytipProps:(0,l.pi)((0,l.pi)({},d),{overflowSetSequence:r})});null===(a=o)||void 0===a||a.push(m)}else null===(c=o)||void 0===c||c.push(e)})):o=n,o}),[n,u,t,r,s]);return function(e,t){c.useEffect((function(){return Object.keys(e).forEach((function(o){var n=e[o],r=t.register(n,!0);e[r]=n,delete e[o]})),function(){Object.keys(e).forEach((function(o){t.unregister(e[o],o,!0),delete e[o]}))}}),[e,t])}(s,t),c.createElement("div",{className:o},a(d))},Lo=(0,D.y)(),Ao=c.forwardRef((function(e,t){var o=c.useRef(null),n=(0,N.r)(o,t);!function(e,t){c.useImperativeHandle(e.componentRef,(function(){return{focus:function(){var e=!1;return t.current&&(e=(0,ot.uo)(t.current)),e},focusElement:function(e){var o=!1;return!!e&&(t.current&&(0,it.t)(t.current,e)&&(e.focus(),o=document.activeElement===e),o)}}}),[t])}(e,o);var r=e.items,i=e.overflowItems,a=e.className,s=e.styles,u=e.vertical,d=e.role,p=e.overflowSide,m=void 0===p?"end":p,h=e.onRenderItem,g=Lo(s,{className:a,vertical:u}),f=!!i&&i.length>0;return c.createElement("div",(0,l.pi)({},(0,E.pq)(e,E.n7),{role:d||"group","aria-orientation":"menubar"===d?!0===u?"vertical":"horizontal":void 0,className:g.root,ref:n}),"start"===m&&f&&c.createElement(Fo,(0,l.pi)({},e,{className:g.overflowButton})),r&&r.map((function(e,t){return c.createElement("div",{className:g.item,key:e.key},h(e))})),"end"===m&&f&&c.createElement(Fo,(0,l.pi)({},e,{className:g.overflowButton})))}));Ao.displayName="OverflowSet";var zo,Ho={flexShrink:0,display:"inherit"},Oo=(0,I.z)(Ao,(function(e){var t=e.className;return{root:["ms-OverflowSet",{position:"relative",display:"flex",flexWrap:"nowrap"},e.vertical&&{flexDirection:"column"},t],item:["ms-OverflowSet-item",Ho],overflowButton:["ms-OverflowSet-overflowButton",Ho]}}),void 0,{scope:"OverflowSet"}),Wo=(0,d.NF)((function(e){var t={height:"100%"},o={whiteSpace:"nowrap"},n=e||{},r=n.root,i=n.label,a=(0,l._T)(n,["root","label"]);return(0,l.pi)((0,l.pi)({},a),{root:r?[t,r]:t,label:i?[o,i]:o})})),Vo=(0,D.y)(),Ko=function(e){function t(t){var o=e.call(this,t)||this;return o._overflowSet=c.createRef(),o._resizeGroup=c.createRef(),o._onRenderData=function(e){return c.createElement(M.k,{className:(0,pt.i)(o._classNames.root),direction:R.U.horizontal,role:"menubar","aria-label":o.props.ariaLabel},c.createElement(Oo,{role:"none",componentRef:o._overflowSet,className:(0,pt.i)(o._classNames.primarySet),items:e.primaryItems,overflowItems:e.overflowItems.length?e.overflowItems:void 0,onRenderItem:o._onRenderItem,onRenderOverflowButton:o._onRenderOverflowButton}),e.farItems&&e.farItems.length>0&&c.createElement(Oo,{role:"none",className:(0,pt.i)(o._classNames.secondarySet),items:e.farItems,onRenderItem:o._onRenderItem,onRenderOverflowButton:Ie.S}))},o._onRenderItem=function(e){if(e.onRender)return e.onRender(e,(function(){}));var t=e.text||e.name,n=(0,l.pi)((0,l.pi)({allowDisabledFocus:!0,role:"menuitem"},e),{styles:Wo(e.buttonStyles),className:(0,pt.i)("ms-CommandBarItem-link",e.className),text:e.iconOnly?void 0:t,menuProps:e.subMenuProps,onClick:o._onButtonClick(e)});return e.iconOnly&&(void 0!==t||e.tooltipHostProps)?c.createElement(ie.G,(0,l.pi)({content:t},e.tooltipHostProps),o._commandButton(e,n)):o._commandButton(e,n)},o._commandButton=function(e,t){var n=o.props.buttonAs,r=e.commandBarButtonAs,i=ke.Q;return r&&(i=No(r,i)),n&&(i=No(n,i)),c.createElement(i,(0,l.pi)({},t))},o._onRenderOverflowButton=function(e){var t=o.props.overflowButtonProps,n=void 0===t?{}:t,r=(0,l.pr)(n.menuProps?n.menuProps.items:[],e),i=(0,l.pi)((0,l.pi)({role:"menuitem"},n),{styles:(0,l.pi)({menuIcon:{fontSize:"17px"}},n.styles),className:(0,pt.i)("ms-CommandBar-overflowButton",n.className),menuProps:(0,l.pi)((0,l.pi)({},n.menuProps),{items:r}),menuIconProps:(0,l.pi)({iconName:"More"},n.menuIconProps)}),a=o.props.overflowButtonAs?No(o.props.overflowButtonAs,ke.Q):ke.Q;return c.createElement(a,(0,l.pi)({},i))},o._onReduceData=function(e){var t=o.props,n=t.shiftOnReduce,r=t.onDataReduced,i=e.primaryItems,a=e.overflowItems,s=e.cacheKey,c=i[n?0:i.length-1];if(void 0!==c){c.renderedInOverflow=!0,a=(0,l.pr)([c],a),i=n?i.slice(1):i.slice(0,-1);var u=(0,l.pi)((0,l.pi)({},e),{primaryItems:i,overflowItems:a});return s=o._computeCacheKey({primaryItems:i,overflow:a.length>0}),r&&r(c),u.cacheKey=s,u}},o._onGrowData=function(e){var t=o.props,n=t.shiftOnReduce,r=t.onDataGrown,i=e.minimumOverflowItems,a=e.primaryItems,s=e.overflowItems,c=e.cacheKey,u=s[0];if(void 0!==u&&s.length>i){u.renderedInOverflow=!1,s=s.slice(1),a=n?(0,l.pr)([u],a):(0,l.pr)(a,[u]);var d=(0,l.pi)((0,l.pi)({},e),{primaryItems:a,overflowItems:s});return c=o._computeCacheKey({primaryItems:a,overflow:s.length>0}),r&&r(u),d.cacheKey=c,d}},(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.items,o=e.overflowItems,n=e.farItems,r=e.styles,i=e.theme,a=e.dataDidRender,s=e.onReduceData,u=void 0===s?this._onReduceData:s,d=e.onGrowData,p=void 0===d?this._onGrowData:d,m={primaryItems:(0,l.pr)(t),overflowItems:(0,l.pr)(o),minimumOverflowItems:(0,l.pr)(o).length,farItems:n,cacheKey:this._computeCacheKey({primaryItems:(0,l.pr)(t),overflow:o&&o.length>0})};this._classNames=Vo(r,{theme:i});var h=(0,E.pq)(this.props,E.n7);return c.createElement(re,(0,l.pi)({},h,{componentRef:this._resizeGroup,data:m,onReduceData:u,onGrowData:p,onRenderData:this._onRenderData,dataDidRender:a}))},t.prototype.focus=function(){var e=this._overflowSet.current;e&&e.focus()},t.prototype.remeasure=function(){this._resizeGroup.current&&this._resizeGroup.current.remeasure()},t.prototype._onButtonClick=function(e){return function(t){e.inactive||e.onClick&&e.onClick(t,e)}},t.prototype._computeCacheKey=function(e){var t=e.primaryItems,o=e.overflow;return[t&&t.reduce((function(e,t){var o=t.cacheKey;return e+(void 0===o?t.key:o)}),""),o?"overflow":""].join("")},t.defaultProps={items:[],overflowItems:[]},t}(c.Component),qo=(0,I.z)(Ko,(function(e){var t=e.className,o=e.theme,n=o.semanticColors;return{root:[o.fonts.medium,"ms-CommandBar",{display:"flex",backgroundColor:n.bodyBackground,padding:"0 14px 0 24px",height:44},t],primarySet:["ms-CommandBar-primaryCommand",{flexGrow:"1",display:"flex",alignItems:"stretch"}],secondarySet:["ms-CommandBar-secondaryCommand",{flexShrink:"0",display:"flex",alignItems:"stretch"}]}}),void 0,{scope:"CommandBar"}),Go=o(9134),Uo=o(7817),jo=o(5183),Jo=o(6662),Yo=o(1839),Zo=o(668),Xo=o(127),Qo=o(6381),$o=o(1194),en=o(6974),tn=o(7433),on=o(5238),nn=o(3297),rn=o(4449);!function(e){e[e.hidden=0]="hidden",e[e.visible=1]="visible"}(zo||(zo={}));var an,sn,ln,cn,un,dn=o(2782);!function(e){e[e.disabled=0]="disabled",e[e.clickable=1]="clickable",e[e.hasDropdown=2]="hasDropdown"}(an||(an={})),function(e){e[e.unconstrained=0]="unconstrained",e[e.horizontalConstrained=1]="horizontalConstrained"}(sn||(sn={})),function(e){e[e.outside=0]="outside",e[e.surface=1]="surface",e[e.header=2]="header"}(ln||(ln={})),function(e){e[e.fixedColumns=0]="fixedColumns",e[e.justified=1]="justified"}(cn||(cn={})),function(e){e[e.onHover=0]="onHover",e[e.always=1]="always",e[e.hidden=2]="hidden"}(un||(un={}));var pn=function(e){var t=e.count,o=e.indentWidth,n=void 0===o?36:o,r=e.role,i=void 0===r?"presentation":r,a=t*n;return t>0?c.createElement("span",{className:"ms-GroupSpacer",style:{display:"inline-block",width:a},role:i}):null},mn={root:"ms-DetailsRow",compact:"ms-DetailsList--Compact",cell:"ms-DetailsRow-cell",cellAnimation:"ms-DetailsRow-cellAnimation",cellCheck:"ms-DetailsRow-cellCheck",check:"ms-DetailsRow-check",cellMeasurer:"ms-DetailsRow-cellMeasurer",listCellFirstChild:"ms-List-cell:first-child",isContentUnselectable:"is-contentUnselectable",isSelected:"is-selected",isCheckVisible:"is-check-visible",isRowHeader:"is-row-header",fields:"ms-DetailsRow-fields"},hn={cellLeftPadding:12,cellRightPadding:8,cellExtraRightPadding:24},gn={rowHeight:42,compactRowHeight:32},fn=(0,l.pi)((0,l.pi)({},gn),{rowVerticalPadding:11,compactRowVerticalPadding:6}),vn=function(e){var t,o,n,r,i,a,s,c,d,p,m,h,g=e.theme,f=e.isSelected,v=e.canSelect,b=e.droppingClassName,y=e.anySelected,_=e.isCheckVisible,C=e.checkboxCellClassName,S=e.compact,x=e.className,k=e.cellStyleProps,w=void 0===k?hn:k,I=e.enableUpdateAnimations,D=g.palette,T=g.fonts,E=D.neutralPrimary,P=D.white,M=D.neutralSecondary,R=D.neutralLighter,N=D.neutralLight,B=D.neutralDark,F=D.neutralQuaternaryAlt,L=g.semanticColors.focusBorder,A=(0,u.Cn)(mn,g),z={defaultHeaderText:E,defaultMetaText:M,defaultBackground:P,defaultHoverHeaderText:B,defaultHoverMetaText:E,defaultHoverBackground:R,selectedHeaderText:B,selectedMetaText:E,selectedBackground:N,selectedHoverHeaderText:B,selectedHoverMetaText:E,selectedHoverBackground:F,focusHeaderText:B,focusMetaText:E,focusBackground:N,focusHoverBackground:F},H=[(0,u.GL)(g,{inset:-1,borderColor:L,outlineColor:P}),A.isSelected,{color:z.selectedMetaText,background:z.selectedBackground,borderBottom:"1px solid "+P,selectors:(t={"&:before":{position:"absolute",display:"block",top:-1,height:1,bottom:0,left:0,right:0,content:"",borderTop:"1px solid "+P},"&:hover":{background:z.selectedHoverBackground,color:z.selectedHoverMetaText,selectors:(o={},o["."+A.cell+" "+u.qJ]={color:"HighlightText",selectors:{"> a":{color:"HighlightText"}}},o["."+A.isRowHeader]={color:z.selectedHoverHeaderText,selectors:(n={},n[u.qJ]={color:"HighlightText"},n)},o[u.qJ]={background:"Highlight"},o)},"&:focus":{background:z.focusBackground,selectors:(r={},r["."+A.cell]={color:z.focusMetaText,selectors:(i={},i[u.qJ]={color:"HighlightText",selectors:{"> a":{color:"HighlightText"}}},i)},r["."+A.isRowHeader]={color:z.focusHeaderText,selectors:(a={},a[u.qJ]={color:"HighlightText"},a)},r[u.qJ]={background:"Highlight"},r)}},t[u.qJ]=(0,l.pi)((0,l.pi)({background:"Highlight",color:"HighlightText"},(0,u.xM)()),{selectors:{a:{color:"HighlightText"}}}),t["&:focus:hover"]={background:z.focusHoverBackground},t)}],O=[A.isContentUnselectable,{userSelect:"none",cursor:"default"}],W={minHeight:fn.compactRowHeight,border:0},V={minHeight:fn.compactRowHeight,paddingTop:fn.compactRowVerticalPadding,paddingBottom:fn.compactRowVerticalPadding,paddingLeft:w.cellLeftPadding+"px"},K=[(0,u.GL)(g,{inset:-1}),A.cell,{display:"inline-block",position:"relative",boxSizing:"border-box",minHeight:fn.rowHeight,verticalAlign:"top",whiteSpace:"nowrap",overflow:"hidden",textOverflow:"ellipsis",paddingTop:fn.rowVerticalPadding,paddingBottom:fn.rowVerticalPadding,paddingLeft:w.cellLeftPadding+"px",selectors:(s={"& > button":{maxWidth:"100%"}},s["[data-is-focusable='true']"]=(0,u.GL)(g,{inset:-1,borderColor:M,outlineColor:P}),s)},f&&{selectors:(c={},c[u.qJ]=(0,l.pi)((0,l.pi)({background:"Highlight",color:"HighlightText"},(0,u.xM)()),{selectors:{a:{color:"HighlightText"}}}),c)},S&&V];return{root:[A.root,u.k4.fadeIn400,b,g.fonts.small,_&&A.isCheckVisible,(0,u.GL)(g,{borderColor:L,outlineColor:P}),{borderBottom:"1px solid "+R,background:z.defaultBackground,color:z.defaultMetaText,display:"inline-flex",minWidth:"100%",minHeight:fn.rowHeight,whiteSpace:"nowrap",padding:0,boxSizing:"border-box",verticalAlign:"top",textAlign:"left",selectors:(d={},d["."+A.listCellFirstChild+" &:before"]={display:"none"},d["&:hover"]={background:z.defaultHoverBackground,color:z.defaultHoverMetaText,selectors:(p={},p["."+A.isRowHeader]={color:z.defaultHoverHeaderText},p)},d["&:hover ."+A.check]={opacity:1},d["."+de.G$+" &:focus ."+A.check]={opacity:1},d[".ms-GroupSpacer"]={flexShrink:0,flexGrow:0},d)},f&&H,!v&&O,S&&W,x],cellUnpadded:{paddingRight:w.cellRightPadding+"px"},cellPadded:{paddingRight:w.cellExtraRightPadding+w.cellRightPadding+"px",selectors:(m={},m["&."+A.cellCheck]={paddingRight:0},m)},cell:K,cellAnimation:I&&u.Ic.slideLeftIn40,cellMeasurer:[A.cellMeasurer,{overflow:"visible",whiteSpace:"nowrap"}],checkCell:[K,A.cellCheck,C,{padding:0,paddingTop:1,marginTop:-1,flexShrink:0}],checkCover:{position:"absolute",top:-1,left:0,bottom:0,right:0,display:y?"block":"none"},fields:[A.fields,{display:"flex",alignItems:"stretch"}],isRowHeader:[A.isRowHeader,{color:z.defaultHeaderText,fontSize:T.medium.fontSize},f&&{color:z.selectedHeaderText,fontWeight:u.lq.semibold,selectors:(h={},h[u.qJ]={color:"HighlightText"},h)}],isMultiline:[K,{whiteSpace:"normal",wordBreak:"break-word",textOverflow:"clip"}],check:[A.check]}},bn={tooltipHost:"ms-TooltipHost",root:"ms-DetailsHeader",cell:"ms-DetailsHeader-cell",cellIsCheck:"ms-DetailsHeader-cellIsCheck",collapseButton:"ms-DetailsHeader-collapseButton",isCollapsed:"is-collapsed",isAllSelected:"is-allSelected",isSelectAllHidden:"is-selectAllHidden",isResizingColumn:"is-resizingColumn",cellSizer:"ms-DetailsHeader-cellSizer",isResizing:"is-resizing",dropHintCircleStyle:"ms-DetailsHeader-dropHintCircleStyle",dropHintCaretStyle:"ms-DetailsHeader-dropHintCaretStyle",dropHintLineStyle:"ms-DetailsHeader-dropHintLineStyle",cellTitle:"ms-DetailsHeader-cellTitle",cellName:"ms-DetailsHeader-cellName",filterChevron:"ms-DetailsHeader-filterChevron",gripperBarVertical:"ms-DetailsColumn-gripperBarVertical",checkTooltip:"ms-DetailsHeader-checkTooltip",check:"ms-DetailsHeader-check"},yn=function(e){var t=e.theme,o=e.cellStyleProps,n=void 0===o?hn:o,r=t.semanticColors;return[(0,u.Cn)(bn,t).cell,(0,u.GL)(t),{color:r.bodyText,position:"relative",display:"inline-block",boxSizing:"border-box",padding:"0 "+n.cellRightPadding+"px 0 "+n.cellLeftPadding+"px",lineHeight:"inherit",margin:"0",height:42,verticalAlign:"top",whiteSpace:"nowrap",textOverflow:"ellipsis",textAlign:"left"}]},_n={root:"ms-DetailsRow-check",isDisabled:"ms-DetailsRow-check--isDisabled",isHeader:"ms-DetailsRow-check--isHeader"},Cn=(0,D.y)(),Sn=c.memo((function(e){return c.createElement(je,{theme:e.theme,checked:e.checked,className:e.className,useFastIcons:!0})}));function xn(e){return c.createElement(je,{checked:e.checked})}function kn(e){return c.createElement(Sn,{theme:e.theme,checked:e.checked})}var wn,In=(0,I.z)((function(e){var t=e.isVisible,o=void 0!==t&&t,n=e.canSelect,r=void 0!==n&&n,i=e.anySelected,a=void 0!==i&&i,s=e.selected,u=void 0!==s&&s,d=e.isHeader,p=void 0!==d&&d,m=e.className,h=(e.checkClassName,e.styles),g=e.theme,f=e.compact,v=e.onRenderDetailsCheckbox,b=e.useFastIcons,y=void 0===b||b,_=(0,l._T)(e,["isVisible","canSelect","anySelected","selected","isHeader","className","checkClassName","styles","theme","compact","onRenderDetailsCheckbox","useFastIcons"]),C=y?kn:xn,S=v?(0,ko.k)(v,C):C,x=Cn(h,{theme:g,canSelect:r,selected:u,anySelected:a,className:m,isHeader:p,isVisible:o,compact:f}),k={checked:u,theme:g};return r?c.createElement("div",(0,l.pi)({},_,{role:"checkbox",className:(0,pt.i)(x.root,x.check),"aria-checked":u,"data-selection-toggle":!0,"data-automationid":"DetailsRowCheck"}),S(k)):c.createElement("div",(0,l.pi)({},_,{className:(0,pt.i)(x.root,x.check)}))}),(function(e){var t=e.theme,o=e.className,n=e.isHeader,r=e.selected,i=e.anySelected,a=e.canSelect,s=e.compact,l=e.isVisible,c=(0,u.Cn)(_n,t),d=gn.rowHeight,p=gn.compactRowHeight,m=n?42:s?p:d,h=l||r||i;return{root:[c.root,o],check:[!a&&c.isDisabled,n&&c.isHeader,(0,u.GL)(t),t.fonts.small,Ue.checkHost,{display:"flex",alignItems:"center",justifyContent:"center",cursor:"default",boxSizing:"border-box",verticalAlign:"top",background:"none",backgroundColor:"transparent",border:"none",opacity:h?1:0,height:m,width:48,padding:0,margin:0}],isDisabled:[]}}),void 0,{scope:"DetailsRowCheck"},!0),Dn=function(){function e(e){this._selection=e.selection,this._dragEnterCounts={},this._activeTargets={},this._lastId=0,this._initialized=!1}return e.prototype.dispose=function(){this._events&&this._events.dispose()},e.prototype.subscribe=function(e,t,o){var n=this;if(!this._initialized){this._events=new at.r(this);var r=(0,nt.M)();r&&(this._events.on(r.body,"mouseup",this._onMouseUp.bind(this),!0),this._events.on(r,"mouseup",this._onDocumentMouseUp.bind(this),!0)),this._initialized=!0}var i,a,s,l,c,u,d,p,m,h,g=o.key,f=void 0===g?""+ ++this._lastId:g,v=[];if(o&&e){var b=o.eventMap,y=o.context,_=o.updateDropState,C={root:e,options:o,key:f};if(p=this._isDraggable(C),m=this._isDroppable(C),(p||m)&&b)for(var S=0,x=b;S0&&(at.r.raise(this._dragData.dropTarget.root,"dragleave"),at.r.raise(r,"dragenter"),this._dragData.dropTarget=e)}},e.prototype._onMouseLeave=function(e,t){this._isDragging&&this._dragData&&this._dragData.dropTarget&&this._dragData.dropTarget.key===e.key&&(at.r.raise(e.root,"dragleave"),this._dragData.dropTarget=void 0)},e.prototype._onMouseDown=function(e,t){if(0===t.button)if(this._isDraggable(e)){this._dragData={clientX:t.clientX,clientY:t.clientY,eventTarget:t.target,dragTarget:e};for(var o=0,n=Object.keys(this._activeTargets);o=0&&"drop"!==t.type&&!e&&o._resetDropHints()},o._onDragOver=function(e,t){o._draggedColumnIndex>=0&&(t.stopPropagation(),o._computeDropHintToBeShown(t.clientX))},o._onDrop=function(e,t){var n=o._getColumnReorderProps();if(o._draggedColumnIndex>=0&&t){var r=o._draggedColumnIndex>o._currentDropHintIndex?o._currentDropHintIndex:o._currentDropHintIndex-1,i=o._isValidCurrentDropHintIndex();if(t.stopPropagation(),i)if(o._onDropIndexInfo.sourceIndex=o._draggedColumnIndex,o._onDropIndexInfo.targetIndex=r,n.onColumnDrop){var a={draggedIndex:o._draggedColumnIndex,targetIndex:r};n.onColumnDrop(a)}else n.handleColumnReorder&&n.handleColumnReorder(o._draggedColumnIndex,r)}o._resetDropHints(),o._dropHintDetails={},o._draggedColumnIndex=-1},o._updateDragInfo=function(e,t){var n=o._getColumnReorderProps(),r=e.itemIndex;if(r>=0)o._draggedColumnIndex=o._isCheckboxColumnHidden()?r-1:r-2,o._getDropHintPositions(),n.onColumnDragStart&&n.onColumnDragStart(!0);else if(t&&o._draggedColumnIndex>=0&&(o._resetDropHints(),o._draggedColumnIndex=-1,o._dropHintDetails={},n.onColumnDragEnd)){var i=o._isEventOnHeader(t);n.onColumnDragEnd({dropLocation:i},t)}},o._getDropHintPositions=function(){for(var e,t=o.props.columns,n=void 0===t?Nn:t,r=o._getColumnReorderProps(),i=0,a=0,s=r.frozenColumnCountFromStart||0,l=r.frozenColumnCountFromEnd||0,c=s;c=0&&(o._resetDropHints(),o._updateDropHintElement(o._dropHintDetails[p].dropHintElementRef,"inline-block"),o._currentDropHintIndex=p)}},o._renderColumnSizer=function(e){var t,n=e.columnIndex,r=o.props.columns,i=void 0===r?Nn:r,a=i[n],s=o.state.columnResizeDetails,l=o._classNames;return a.isResizable?c.createElement("div",{key:a.key+"_sizer","aria-hidden":!0,role:"button","data-is-focusable":!1,onClick:zn,"data-sizer-index":n,onBlur:o._onSizerBlur,className:(0,pt.i)(l.cellSizer,n=0&&this._onDropIndexInfo.targetIndex>=0){var t=e.columns,o=void 0===t?Nn:t,n=this.props.columns,r=void 0===n?Nn:n;o[this._onDropIndexInfo.sourceIndex].key===r[this._onDropIndexInfo.targetIndex].key&&(this._onDropIndexInfo={sourceIndex:-1,targetIndex:-1})}this.props.isAllCollapsed!==e.isAllCollapsed&&this.setState({isAllCollapsed:this.props.isAllCollapsed})},t.prototype.componentWillUnmount=function(){this._subscriptionObject&&(this._subscriptionObject.dispose(),delete this._subscriptionObject),this._dragDropHelper.dispose(),this._events.dispose()},t.prototype.render=function(){var e=this,t=this.props,o=t.columns,n=void 0===o?Nn:o,r=t.ariaLabel,i=t.ariaLabelForToggleAllGroupsButton,a=t.ariaLabelForSelectAllCheckbox,s=t.selectAllVisibility,l=t.ariaLabelForSelectionColumn,u=t.indentWidth,d=t.onColumnClick,p=t.onColumnContextMenu,m=t.onRenderColumnHeaderTooltip,h=void 0===m?this._onRenderColumnHeaderTooltip:m,g=t.styles,f=t.selectionMode,v=t.theme,b=t.onRenderDetailsCheckbox,y=t.groupNestingDepth,_=t.useFastIcons,C=t.checkboxVisibility,S=t.className,x=this.state,k=x.isAllSelected,w=x.columnResizeDetails,I=x.isSizing,D=x.isAllCollapsed,E=s!==wn.none,P=s===wn.hidden,N=C===un.always,B=this._getColumnReorderProps(),F=B&&B.frozenColumnCountFromStart?B.frozenColumnCountFromStart:0,L=B&&B.frozenColumnCountFromEnd?B.frozenColumnCountFromEnd:0;this._classNames=Rn(g,{theme:v,isAllSelected:k,isSelectAllHidden:s===wn.hidden,isResizingColumn:!!w&&I,isSizing:I,isAllCollapsed:D,isCheckboxHidden:P,className:S});var A=this._classNames,z=_?Ve.xu:W.J,H=(0,T.zg)(v);return c.createElement(M.k,{role:"row","aria-label":r,className:A.root,componentRef:this._rootComponent,elementRef:this._rootElement,onMouseMove:this._onRootMouseMove,"data-automationid":"DetailsHeader",direction:R.U.horizontal},E?[c.createElement("div",{key:"__checkbox",className:A.cellIsCheck,"aria-labelledby":this._id+"-check",onClick:P?void 0:this._onSelectAllClicked,"aria-colindex":1,role:"columnheader"},h({hostClassName:A.checkTooltip,id:this._id+"-checkTooltip",setAriaDescribedBy:!1,content:a,children:c.createElement(In,{id:this._id+"-check","aria-label":f===on.oW.multiple?a:l,"aria-describedby":P?l&&!this.props.onRenderColumnHeaderTooltip?this._id+"-checkTooltip":void 0:a&&!this.props.onRenderColumnHeaderTooltip?this._id+"-checkTooltip":void 0,"data-is-focusable":!P||void 0,isHeader:!0,selected:k,anySelected:!1,canSelect:!P,className:A.check,onRenderDetailsCheckbox:b,useFastIcons:_,isVisible:N})},this._onRenderColumnHeaderTooltip)),this.props.onRenderColumnHeaderTooltip?null:a&&!P?c.createElement("label",{key:"__checkboxLabel",id:this._id+"-checkTooltip",className:A.accessibleLabel,"aria-hidden":!0},a):l&&P?c.createElement("label",{key:"__checkboxLabel",id:this._id+"-checkTooltip",className:A.accessibleLabel,"aria-hidden":!0},l):null]:null,y>0&&this.props.collapseAllVisibility===zo.visible?c.createElement("div",{className:A.cellIsGroupExpander,onClick:this._onToggleCollapseAll,"data-is-focusable":!0,"aria-label":i,"aria-expanded":!D,role:"columnheader"},c.createElement(z,{className:A.collapseButton,iconName:H?"ChevronLeftMed":"ChevronRightMed"})):null,c.createElement(pn,{indentWidth:u,role:"gridcell",count:y-1}),n.map((function(t,o){var r=!!B&&o>=F&&o=0},t.prototype._isCheckboxColumnHidden=function(){var e=this.props,t=e.selectionMode,o=e.checkboxVisibility;return t===on.oW.none||o===un.hidden},t.prototype._resetDropHints=function(){this._currentDropHintIndex>=0&&(this._updateDropHintElement(this._dropHintDetails[this._currentDropHintIndex].dropHintElementRef,"none"),this._currentDropHintIndex=-1)},t.prototype._updateDropHintElement=function(e,t){e.childNodes[1].style.display=t,e.childNodes[0].style.display=t},t.prototype._isEventOnHeader=function(e){if(this._rootElement.current){var t=this._rootElement.current.getBoundingClientRect();if(e.clientX>t.left&&e.clientXt.top&&e.clientY=n:t>=o&&t<=n}function Ln(e,t,o){return e?t>=o:t<=o}function An(e,t,o){return e?t<=o:t>=o}function zn(e){e.stopPropagation()}var Hn=(0,I.z)(Bn,(function(e){var t,o,n,r,i=e.theme,a=e.className,s=e.isAllSelected,c=e.isResizingColumn,d=e.isSizing,p=e.isAllCollapsed,m=e.cellStyleProps,h=void 0===m?hn:m,g=i.semanticColors,f=i.palette,v=i.fonts,b=(0,u.Cn)(bn,i),y={iconForegroundColor:g.bodySubtext,headerForegroundColor:g.bodyText,headerBackgroundColor:g.bodyBackground,resizerColor:f.neutralTertiaryAlt},_={opacity:1,transition:"opacity 0.3s linear"},C=yn(e);return{root:[b.root,v.small,{display:"inline-block",background:y.headerBackgroundColor,position:"relative",minWidth:"100%",verticalAlign:"top",height:42,lineHeight:42,whiteSpace:"nowrap",boxSizing:"content-box",paddingBottom:"1px",paddingTop:"16px",borderBottom:"1px solid "+g.bodyDivider,cursor:"default",userSelect:"none",selectors:(t={},t["&:hover ."+b.check]={opacity:1},t["& ."+b.tooltipHost+" ."+b.checkTooltip]={display:"block"},t)},s&&b.isAllSelected,c&&b.isResizingColumn,a],check:[b.check,{height:42},{selectors:(o={},o["."+de.G$+" &:focus"]={opacity:1},o)}],cellWrapperPadded:{paddingRight:h.cellExtraRightPadding+h.cellRightPadding},cellIsCheck:[C,b.cellIsCheck,{position:"relative",padding:0,margin:0,display:"inline-flex",alignItems:"center",border:"none"},s&&{opacity:1}],cellIsGroupExpander:[C,{display:"inline-flex",alignItems:"center",justifyContent:"center",fontSize:v.small.fontSize,padding:0,border:"none",width:36,color:f.neutralSecondary,selectors:{":hover":{backgroundColor:f.neutralLighter},":active":{backgroundColor:f.neutralLight}}}],cellIsActionable:{selectors:{":hover":{color:g.bodyText,background:g.listHeaderBackgroundHovered},":active":{background:g.listHeaderBackgroundPressed}}},cellIsEmpty:{textOverflow:"clip"},cellSizer:[b.cellSizer,(0,u.e2)(),{display:"inline-block",position:"relative",cursor:"ew-resize",bottom:0,top:0,overflow:"hidden",height:"inherit",background:"transparent",zIndex:1,width:16,selectors:(n={":after":{content:'""',position:"absolute",top:0,bottom:0,width:1,background:y.resizerColor,opacity:0,left:"50%"},":focus:after":_,":hover:after":_},n["&."+b.isResizing+":after"]=[_,{boxShadow:"0 0 5px 0 rgba(0, 0, 0, 0.4)"}],n)}],cellIsResizing:b.isResizing,cellSizerStart:{margin:"0 -8px"},cellSizerEnd:{margin:0,marginLeft:-16},collapseButton:[b.collapseButton,{transformOrigin:"50% 50%",transition:"transform .1s linear"},p?[b.isCollapsed,{transform:"rotate(0deg)"}]:{transform:(0,T.zg)(i)?"rotate(-90deg)":"rotate(90deg)"}],checkTooltip:b.checkTooltip,sizingOverlay:d&&{position:"absolute",left:0,top:0,right:0,bottom:0,cursor:"ew-resize",background:"rgba(255, 255, 255, 0)",selectors:(r={},r[u.qJ]=(0,l.pi)({background:"transparent"},(0,u.xM)()),r)},accessibleLabel:u.ul,dropHintCircleStyle:[b.dropHintCircleStyle,{display:"inline-block",visibility:"hidden",position:"absolute",bottom:0,height:9,width:9,borderRadius:"50%",marginLeft:-5,top:34,overflow:"visible",zIndex:10,border:"1px solid "+f.themePrimary,background:f.white}],dropHintCaretStyle:[b.dropHintCaretStyle,{display:"none",position:"absolute",top:-28,left:-6.5,fontSize:v.medium.fontSize,color:f.themePrimary,overflow:"visible",zIndex:10}],dropHintLineStyle:[b.dropHintLineStyle,{display:"none",position:"absolute",bottom:0,top:0,overflow:"hidden",height:42,width:1,background:f.themePrimary,zIndex:10}],dropHintStyle:{display:"inline-block",position:"absolute"}}}),void 0,{scope:"DetailsHeader"}),On=function(e){var t=e.columns,o=e.columnStartIndex,n=e.rowClassNames,r=e.cellStyleProps,i=void 0===r?hn:r,a=e.item,s=e.itemIndex,l=e.onRenderItemColumn,u=e.getCellValueKey,d=e.cellsByColumn,p=e.enableUpdateAnimations,m=c.useRef(),h=m.current||(m.current={});return c.createElement("div",{className:n.fields,"data-automationid":"DetailsRowFields",role:"presentation"},t.map((function(e,t){var r=void 0===e.calculatedWidth?"auto":e.calculatedWidth+i.cellLeftPadding+i.cellRightPadding+(e.isPadded?i.cellExtraRightPadding:0),m=e.onRender,g=void 0===m?l:m,f=e.getValueKey,v=void 0===f?u:f,b=d&&e.key in d?d[e.key]:g?g(a,s,e):function(e,t){var o=e&&t&&t.fieldName?e[t.fieldName]:"";return null==o&&(o=""),"boolean"==typeof o?o.toString():o}(a,e),y=h[e.key],_=p&&v?v(a,s,e):void 0,C=!1;void 0!==_&&void 0!==y&&_!==y&&(C=!0),h[e.key]=_;var S=e.key+(void 0!==_?"-"+_:"");return c.createElement("div",{key:S,role:e.isRowHeader?"rowheader":"gridcell","aria-readonly":!0,"aria-colindex":t+o+1,className:(0,pt.i)(e.className,e.isMultiline&&n.isMultiline,e.isRowHeader&&n.isRowHeader,n.cell,e.isPadded?n.cellPadded:n.cellUnpadded,C&&n.cellAnimation),style:{width:r},"data-automationid":"DetailsRowCell","data-automation-key":e.key},b)})))},Wn=(0,D.y)(),Vn=[],Kn=function(e){function t(t){var o=e.call(this,t)||this;return o._root=c.createRef(),o._cellMeasurer=c.createRef(),o._focusZone=c.createRef(),o._onSelectionChanged=function(){var e=qn(o.props);(0,Xt.Vv)(e,o.state.selectionState)||o.setState({selectionState:e})},o._updateDroppingState=function(e,t){var n=o.state.isDropping,r=o.props,i=r.dragDropEvents,a=r.item;e?i.onDragEnter&&(o._droppingClassNames=i.onDragEnter(a,t)):i.onDragLeave&&i.onDragLeave(a,t),n!==e&&o.setState({isDropping:e})},(0,P.l)(o),o._events=new at.r(o),o.state={selectionState:qn(t),columnMeasureInfo:void 0,isDropping:!1},o._droppingClassNames="",o}return(0,l.ZT)(t,e),t.getDerivedStateFromProps=function(e,t){return(0,l.pi)((0,l.pi)({},t),{selectionState:qn(e)})},t.prototype.componentDidMount=function(){var e=this.props,t=e.dragDropHelper,o=e.selection,n=e.item,r=e.onDidMount;t&&this._root.current&&(this._dragDropSubscription=t.subscribe(this._root.current,this._events,this._getRowDragDropOptions())),o&&this._events.on(o,on.F5,this._onSelectionChanged),r&&n&&(this._onDidMountCalled=!0,r(this))},t.prototype.componentDidUpdate=function(e){var t=this.state,o=this.props,n=o.item,r=o.onDidMount,i=t.columnMeasureInfo;if(this.props.itemIndex===e.itemIndex&&this.props.item===e.item&&this.props.dragDropHelper===e.dragDropHelper||(this._dragDropSubscription&&(this._dragDropSubscription.dispose(),delete this._dragDropSubscription),this.props.dragDropHelper&&this._root.current&&(this._dragDropSubscription=this.props.dragDropHelper.subscribe(this._root.current,this._events,this._getRowDragDropOptions()))),i&&i.index>=0&&this._cellMeasurer.current){var a=this._cellMeasurer.current.getBoundingClientRect().width;i.onMeasureDone(a),this.setState({columnMeasureInfo:void 0})}n&&r&&!this._onDidMountCalled&&(this._onDidMountCalled=!0,r(this))},t.prototype.componentWillUnmount=function(){var e=this.props,t=e.item,o=e.onWillUnmount;o&&t&&o(this),this._dragDropSubscription&&(this._dragDropSubscription.dispose(),delete this._dragDropSubscription),this._events.dispose()},t.prototype.shouldComponentUpdate=function(e,t){if(this.props.useReducedRowRenderer){var o=qn(e);return this.state.selectionState.isSelected!==o.isSelected||!(0,Xt.Vv)(this.props,e)}return!0},t.prototype.render=function(){var e=this.props,t=e.className,o=e.columns,n=void 0===o?Vn:o,r=e.dragDropEvents,i=e.item,a=e.itemIndex,s=e.flatIndexOffset,u=void 0===s?2:s,d=e.onRenderCheck,p=void 0===d?this._onRenderCheck:d,m=e.onRenderDetailsCheckbox,h=e.onRenderItemColumn,g=e.getCellValueKey,f=e.selectionMode,v=e.rowWidth,b=void 0===v?0:v,y=e.checkboxVisibility,_=e.getRowAriaLabel,C=e.getRowAriaDescribedBy,S=e.checkButtonAriaLabel,x=e.checkboxCellClassName,k=e.rowFieldsAs,w=void 0===k?On:k,I=e.selection,D=e.indentWidth,T=e.enableUpdateAnimations,P=e.compact,N=e.theme,B=e.styles,F=e.cellsByColumn,L=e.groupNestingDepth,A=e.useFastIcons,z=void 0===A||A,H=e.cellStyleProps,O=this.state,W=O.columnMeasureInfo,V=O.isDropping,K=this.state.selectionState,q=K.isSelected,G=void 0!==q&&q,U=K.isSelectionModal,j=void 0!==U&&U,J=r?!(!r.canDrag||!r.canDrag(i)):void 0,Y=V?this._droppingClassNames||"is-dropping":"",Z=_?_(i):void 0,X=C?C(i):void 0,Q=!!I&&I.canSelectItem(i,a),$=f===on.oW.multiple,ee=f!==on.oW.none&&y!==un.hidden,te=f===on.oW.none?void 0:G;this._classNames=(0,l.pi)((0,l.pi)({},this._classNames),Wn(B,{theme:N,isSelected:G,canSelect:!$,anySelected:j,checkboxCellClassName:x,droppingClassName:Y,className:t,compact:P,enableUpdateAnimations:T,cellStyleProps:H}));var oe={isMultiline:this._classNames.isMultiline,isRowHeader:this._classNames.isRowHeader,cell:this._classNames.cell,cellAnimation:this._classNames.cellAnimation,cellPadded:this._classNames.cellPadded,cellUnpadded:this._classNames.cellUnpadded,fields:this._classNames.fields};(0,Xt.Vv)(this._rowClassNames||{},oe)||(this._rowClassNames=oe);var ne=c.createElement(w,{rowClassNames:this._rowClassNames,cellsByColumn:F,columns:n,item:i,itemIndex:a,columnStartIndex:(ee?1:0)+(L?1:0),onRenderItemColumn:h,getCellValueKey:g,enableUpdateAnimations:T,cellStyleProps:H});return c.createElement(M.k,(0,l.pi)({"data-is-focusable":!0},(0,E.pq)(this.props,E.n7),"boolean"==typeof J?{"data-is-draggable":J,draggable:J}:{},{direction:R.U.horizontal,elementRef:this._root,componentRef:this._focusZone,role:"row","aria-label":Z,"aria-describedby":X,className:this._classNames.root,"data-selection-index":a,"data-selection-touch-invoke":!0,"data-item-index":a,"aria-rowindex":L?void 0:a+u,"aria-level":L&&L+1||void 0,"data-automationid":"DetailsRow",style:{minWidth:b},"aria-selected":te,allowFocusRoot:!0}),ee&&c.createElement("div",{role:"gridcell","aria-colindex":1,"data-selection-toggle":!0,className:this._classNames.checkCell},p({selected:G,anySelected:j,"aria-label":S,canSelect:Q,compact:P,className:this._classNames.check,theme:N,isVisible:y===un.always,onRenderDetailsCheckbox:m,useFastIcons:z})),c.createElement(pn,{indentWidth:D,role:"gridcell",count:L-(this.props.collapseAllVisibility===zo.hidden?1:0)}),i&&ne,W&&c.createElement("span",{role:"presentation",className:(0,pt.i)(this._classNames.cellMeasurer,this._classNames.cell),ref:this._cellMeasurer},c.createElement(w,{rowClassNames:this._rowClassNames,columns:[W.column],item:i,itemIndex:a,columnStartIndex:(ee?1:0)+(L?1:0)+n.length,onRenderItemColumn:h,getCellValueKey:g})),c.createElement("span",{role:"checkbox",className:this._classNames.checkCover,"aria-checked":G,"data-selection-toggle":!0}))},t.prototype.measureCell=function(e,t){var o=this.props.columns,n=void 0===o?Vn:o,r=(0,l.pi)({},n[e]);r.minWidth=0,r.maxWidth=999999,delete r.calculatedWidth,this.setState({columnMeasureInfo:{index:e,column:r,onMeasureDone:t}})},t.prototype.focus=function(e){var t;return void 0===e&&(e=!1),!!(null===(t=this._focusZone.current)||void 0===t?void 0:t.focus(e))},t.prototype._onRenderCheck=function(e){return c.createElement(In,(0,l.pi)({},e))},t.prototype._getRowDragDropOptions=function(){var e=this.props,t=e.item,o=e.itemIndex,n=e.dragDropEvents;return{eventMap:e.eventsToRegister,selectionIndex:o,context:{data:t,index:o},canDrag:n.canDrag,canDrop:n.canDrop,onDragStart:n.onDragStart,updateDropState:this._updateDroppingState,onDrop:n.onDrop,onDragEnd:n.onDragEnd,onDragOver:n.onDragOver}},t}(c.Component);function qn(e){var t,o,n,r,i=e.itemIndex,a=e.selection;return{isSelected:!!(null===(t=a)||void 0===t?void 0:t.isIndexSelected(i)),isSelectionModal:!!(null===(r=null===(o=a)||void 0===o?void 0:(n=o).isModal)||void 0===r?void 0:r.call(n))}}var Gn=(0,I.z)(Kn,vn,void 0,{scope:"DetailsRow"}),Un={root:"ms-GroupedList",compact:"ms-GroupedList--Compact",group:"ms-GroupedList-group",link:"ms-Link",listCell:"ms-List-cell"},jn={root:"ms-GroupHeader",compact:"ms-GroupHeader--compact",check:"ms-GroupHeader-check",dropIcon:"ms-GroupHeader-dropIcon",expand:"ms-GroupHeader-expand",isCollapsed:"is-collapsed",title:"ms-GroupHeader-title",isSelected:"is-selected",iconTag:"ms-Icon--Tag",group:"ms-GroupedList-group",isDropping:"is-dropping"},Jn="cubic-bezier(0.390, 0.575, 0.565, 1.000)",Yn=o(76),Zn=(0,D.y)(),Xn=function(e){function t(t){var o=e.call(this,t)||this;return o._toggleCollapse=function(){var e=o.props,t=e.group,n=e.onToggleCollapse,r=e.isGroupLoading,i=!o.state.isCollapsed,a=!i&&r&&r(t);o.setState({isCollapsed:i,isLoadingVisible:a}),n&&n(t)},o._onKeyUp=function(e){var t=o.props,n=t.group,r=t.onGroupHeaderKeyUp;if(r&&r(e,n),!e.defaultPrevented){var i=o.state.isCollapsed&&e.which===(0,T.dP)(rt.m.right,o.props.theme);(!o.state.isCollapsed&&e.which===(0,T.dP)(rt.m.left,o.props.theme)||i)&&(o._toggleCollapse(),e.stopPropagation(),e.preventDefault())}},o._onToggleClick=function(e){o._toggleCollapse(),e.stopPropagation(),e.preventDefault()},o._onToggleSelectGroupClick=function(e){var t=o.props,n=t.onToggleSelectGroup,r=t.group;n&&n(r),e.preventDefault(),e.stopPropagation()},o._onHeaderClick=function(){var e=o.props,t=e.group,n=e.onGroupHeaderClick,r=e.onToggleSelectGroup;n?n(t):r&&r(t)},o._onRenderTitle=function(e){var t=e.group,n=e.ariaColSpan;return t?c.createElement("div",{className:o._classNames.title,id:o._id,role:"gridcell","aria-colspan":n},c.createElement("span",null,t.name),c.createElement("span",{className:o._classNames.headerCount},"(",t.count,t.hasMoreData&&"+",")")):null},o._id=(0,dn.z)("GroupHeader"),o.state={isCollapsed:o.props.group&&o.props.group.isCollapsed,isLoadingVisible:!1},o}return(0,l.ZT)(t,e),t.getDerivedStateFromProps=function(e,t){if(e.group){var o=e.group.isCollapsed,n=e.isGroupLoading,r=!o&&n&&n(e.group);return(0,l.pi)((0,l.pi)({},t),{isCollapsed:o||!1,isLoadingVisible:r||!1})}return t},t.prototype.render=function(){var e=this.props,t=e.group,o=e.groupLevel,n=void 0===o?0:o,r=e.viewport,i=e.selectionMode,a=e.loadingText,s=e.isSelected,u=void 0!==s&&s,d=e.selected,p=void 0!==d&&d,m=e.indentWidth,h=e.onRenderTitle,g=void 0===h?this._onRenderTitle:h,f=e.onRenderGroupHeaderCheckbox,v=e.isCollapsedGroupSelectVisible,b=void 0===v||v,y=e.expandButtonProps,_=e.expandButtonIcon,C=e.selectAllButtonProps,S=e.theme,x=e.styles,k=e.className,w=e.compact,I=e.ariaPosInSet,D=e.ariaSetSize,E=e.useFastIcons?this._fastDefaultCheckboxRender:this._defaultCheckboxRender,P=f?(0,ko.k)(f,E):E,M=this.state,R=M.isCollapsed,N=M.isLoadingVisible,B=i===on.oW.multiple,F=B&&(b||!(t&&t.isCollapsed)),L=p||u,A=(0,T.zg)(S);return this._classNames=Zn(x,{theme:S,className:k,selected:L,isCollapsed:R,compact:w}),t?c.createElement("div",{className:this._classNames.root,style:r?{minWidth:r.width}:{},onClick:this._onHeaderClick,role:"row","aria-setsize":D,"aria-posinset":I,"data-is-focusable":!0,onKeyUp:this._onKeyUp,"aria-label":t.ariaLabel,"aria-labelledby":t.ariaLabel?void 0:this._id,"aria-expanded":!this.state.isCollapsed,"aria-selected":B?L:void 0,"aria-level":n+1},c.createElement("div",{className:this._classNames.groupHeaderContainer,role:"presentation"},F?c.createElement("div",{role:"gridcell"},c.createElement("button",(0,l.pi)({"data-is-focusable":!1,type:"button",className:this._classNames.check,role:"checkbox","aria-checked":L,"data-selection-toggle":!0,onClick:this._onToggleSelectGroupClick},C),P({checked:L,theme:S},P))):i!==on.oW.none&&c.createElement(pn,{indentWidth:48,count:1}),c.createElement(pn,{indentWidth:m,count:n}),c.createElement("div",{className:this._classNames.dropIcon,role:"presentation"},c.createElement(W.J,{iconName:"Tag"})),c.createElement("div",{role:"gridcell"},c.createElement("button",(0,l.pi)({"data-is-focusable":!1,type:"button",className:this._classNames.expand,onClick:this._onToggleClick,"aria-expanded":!this.state.isCollapsed},y),c.createElement(W.J,{className:this._classNames.expandIsCollapsed,iconName:_||(A?"ChevronLeftMed":"ChevronRightMed")}))),g(this.props,this._onRenderTitle),N&&c.createElement(Yn.$,{label:a}))):null},t.prototype._defaultCheckboxRender=function(e){return c.createElement(je,{checked:e.checked})},t.prototype._fastDefaultCheckboxRender=function(e){return c.createElement(Qn,{theme:e.theme,checked:e.checked})},t.defaultProps={expandButtonProps:{"aria-label":"expand collapse group"}},t}(c.Component),Qn=c.memo((function(e){return c.createElement(je,{theme:e.theme,checked:e.checked,className:e.className,useFastIcons:!0})})),$n=(0,I.z)(Xn,(function(e){var t,o,n,r,i,a=e.theme,s=e.className,l=e.selected,c=e.isCollapsed,d=e.compact,p=hn.cellLeftPadding,m=d?40:48,h=a.semanticColors,g=a.palette,f=a.fonts,v=(0,u.Cn)(jn,a),b=[(0,u.GL)(a),{cursor:"default",background:"none",backgroundColor:"transparent",border:"none",padding:0}];return{root:[v.root,(0,u.GL)(a),a.fonts.medium,{borderBottom:"1px solid "+h.listBackground,cursor:"default",userSelect:"none",selectors:(t={":hover":{background:h.listItemBackgroundHovered,color:h.actionLinkHovered}},t["&:hover ."+v.check]={opacity:1},t["."+de.G$+" &:focus ."+v.check]={opacity:1},t[":global(."+v.group+"."+v.isDropping+")"]={selectors:(o={},o["& > ."+v.root+" ."+v.dropIcon]={transition:"transform "+u.D1.durationValue4+" cubic-bezier(0.075, 0.820, 0.165, 1.000) opacity "+u.D1.durationValue1+" "+Jn,transitionDelay:u.D1.durationValue3,opacity:1,transform:"rotate(0.2deg) scale(1);"},o["."+v.check]={opacity:0},o)},t)},l&&[v.isSelected,{background:h.listItemBackgroundChecked,selectors:(n={":hover":{background:h.listItemBackgroundCheckedHovered}},n[""+v.check]={opacity:1},n)}],d&&[v.compact,{border:"none"}],s],groupHeaderContainer:[{display:"flex",alignItems:"center",height:m}],headerCount:[{padding:"0px 4px"}],check:[v.check,b,{display:"flex",alignItems:"center",justifyContent:"center",paddingTop:1,marginTop:-1,opacity:0,width:48,height:m,selectors:(r={},r["."+de.G$+" &:focus"]={opacity:1},r)}],expand:[v.expand,b,{display:"flex",alignItems:"center",justifyContent:"center",fontSize:f.small.fontSize,width:36,height:m,color:l?g.neutralPrimary:g.neutralSecondary,selectors:{":hover":{backgroundColor:l?g.neutralQuaternary:g.neutralLight},":active":{backgroundColor:l?g.neutralTertiaryAlt:g.neutralQuaternaryAlt}}}],expandIsCollapsed:[c?[v.isCollapsed,{transform:"rotate(0deg)",transformOrigin:"50% 50%",transition:"transform .1s linear"}]:{transform:(0,T.zg)(a)?"rotate(-90deg)":"rotate(90deg)",transformOrigin:"50% 50%",transition:"transform .1s linear"}],title:[v.title,{paddingLeft:p,fontSize:d?f.medium.fontSize:f.mediumPlus.fontSize,fontWeight:c?u.lq.regular:u.lq.semibold,cursor:"pointer",outline:0,whiteSpace:"nowrap",textOverflow:"ellipsis"}],dropIcon:[v.dropIcon,{position:"absolute",left:-26,fontSize:u.ld.large,color:g.neutralSecondary,transition:"transform "+u.D1.durationValue2+" cubic-bezier(0.600, -0.280, 0.735, 0.045), opacity "+u.D1.durationValue4+" "+Jn,opacity:0,transform:"rotate(0.2deg) scale(0.65)",transformOrigin:"10px 10px",selectors:(i={},i[":global(."+v.iconTag+")"]={position:"absolute"},i)}]}}),void 0,{scope:"GroupHeader"}),er={root:"ms-GroupShowAll",link:"ms-Link"},tr=(0,D.y)(),or=(0,I.z)((function(e){var t=e.group,o=e.groupLevel,n=e.showAllLinkText,r=void 0===n?"Show All":n,i=e.styles,a=e.theme,s=e.onToggleSummarize,l=tr(i,{theme:a}),u=(0,c.useCallback)((function(e){s(t),e.stopPropagation(),e.preventDefault()}),[s,t]);return t?c.createElement("div",{className:l.root},c.createElement(pn,{count:o}),c.createElement(O,{onClick:u},r)):null}),(function(e){var t,o=e.theme,n=o.fonts,r=(0,u.Cn)(er,o);return{root:[r.root,{position:"relative",padding:"10px 84px",cursor:"pointer",selectors:(t={},t["."+r.link]={fontSize:n.small.fontSize},t)}]}}),void 0,{scope:"GroupShowAll"}),nr={root:"ms-groupFooter"},rr=(0,D.y)(),ir=(0,I.z)((function(e){var t=e.group,o=e.groupLevel,n=e.footerText,r=e.indentWidth,i=e.styles,a=e.theme,s=rr(i,{theme:a});return t&&n?c.createElement("div",{className:s.root},c.createElement(pn,{indentWidth:r,count:o}),n):null}),(function(e){var t=e.theme,o=e.className,n=(0,u.Cn)(nr,t);return{root:[t.fonts.medium,n.root,{position:"relative",padding:"5px 38px"},o]}}),void 0,{scope:"GroupFooter"}),ar=function(e){function t(o){var n=e.call(this,o)||this;n._root=c.createRef(),n._list=c.createRef(),n._subGroupRefs={},n._droppingClassName="",n._onRenderGroupHeader=function(e){return c.createElement($n,(0,l.pi)({},e))},n._onRenderGroupShowAll=function(e){return c.createElement(or,(0,l.pi)({},e))},n._onRenderGroupFooter=function(e){return c.createElement(ir,(0,l.pi)({},e))},n._renderSubGroup=function(e,o){var r=n.props,i=r.dragDropEvents,a=r.dragDropHelper,s=r.eventsToRegister,l=r.getGroupItemLimit,u=r.groupNestingDepth,d=r.groupProps,p=r.items,m=r.headerProps,h=r.showAllProps,g=r.footerProps,f=r.listProps,v=r.onRenderCell,b=r.selection,y=r.selectionMode,_=r.viewport,C=r.onRenderGroupHeader,S=r.onRenderGroupShowAll,x=r.onRenderGroupFooter,k=r.onShouldVirtualize,w=r.group,I=r.compact,D=e.level?e.level+1:u;return!e||e.count>0||d&&d.showEmptyGroups?c.createElement(t,{ref:function(e){return n._subGroupRefs["subGroup_"+o]=e},key:n._getGroupKey(e,o),dragDropEvents:i,dragDropHelper:a,eventsToRegister:s,footerProps:g,getGroupItemLimit:l,group:e,groupIndex:o,groupNestingDepth:D,groupProps:d,headerProps:m,items:p,listProps:f,onRenderCell:v,selection:b,selectionMode:y,showAllProps:h,viewport:_,onRenderGroupHeader:C,onRenderGroupShowAll:S,onRenderGroupFooter:x,onShouldVirtualize:k,groups:w?w.children:[],compact:I}):null},n._getGroupDragDropOptions=function(){var e=n.props,t=e.group,o=e.groupIndex,r=e.dragDropEvents;return{eventMap:e.eventsToRegister,selectionIndex:-1,context:{data:t,index:o,isGroup:!0},updateDropState:n._updateDroppingState,canDrag:r.canDrag,canDrop:r.canDrop,onDrop:r.onDrop,onDragStart:r.onDragStart,onDragEnter:r.onDragEnter,onDragLeave:r.onDragLeave,onDragEnd:r.onDragEnd,onDragOver:r.onDragOver}},n._updateDroppingState=function(e,t){var o=n.state.isDropping,r=n.props,i=r.dragDropEvents,a=r.group;o!==e&&(o?i&&i.onDragLeave&&i.onDragLeave(a,t):i&&i.onDragEnter&&(n._droppingClassName=i.onDragEnter(a,t)),n.setState({isDropping:e}))};var r=o.selection,i=o.group;return(0,P.l)(n),n._id=(0,dn.z)("GroupedListSection"),n.state={isDropping:!1,isSelected:!(!r||!i)&&r.isRangeSelected(i.startIndex,i.count)},n._events=new at.r(n),n}return(0,l.ZT)(t,e),t.prototype.componentDidMount=function(){var e=this.props,t=e.dragDropHelper,o=e.selection;t&&this._root.current&&(this._dragDropSubscription=t.subscribe(this._root.current,this._events,this._getGroupDragDropOptions())),o&&this._events.on(o,on.F5,this._onSelectionChange)},t.prototype.componentWillUnmount=function(){this._events.dispose(),this._dragDropSubscription&&this._dragDropSubscription.dispose()},t.prototype.componentDidUpdate=function(e){this.props.group===e.group&&this.props.groupIndex===e.groupIndex&&this.props.dragDropHelper===e.dragDropHelper||(this._dragDropSubscription&&(this._dragDropSubscription.dispose(),delete this._dragDropSubscription),this.props.dragDropHelper&&this._root.current&&(this._dragDropSubscription=this.props.dragDropHelper.subscribe(this._root.current,this._events,this._getGroupDragDropOptions())))},t.prototype.render=function(){var e=this.props,t=e.getGroupItemLimit,o=e.group,n=e.groupIndex,r=e.headerProps,i=e.showAllProps,a=e.footerProps,s=e.viewport,u=e.selectionMode,d=e.onRenderGroupHeader,p=void 0===d?this._onRenderGroupHeader:d,m=e.onRenderGroupShowAll,h=void 0===m?this._onRenderGroupShowAll:m,g=e.onRenderGroupFooter,f=void 0===g?this._onRenderGroupFooter:g,v=e.onShouldVirtualize,b=e.groupedListClassNames,y=e.groups,_=e.compact,C=e.listProps,S=void 0===C?{}:C,x=this.state.isSelected,k=o&&t?t(o):1/0,w=o&&!o.children&&!o.isCollapsed&&!o.isShowingAll&&(o.count>k||o.hasMoreData),I=o&&o.children&&o.children.length>0,D=S.version,T={group:o,groupIndex:n,groupLevel:o?o.level:0,isSelected:x,selected:x,viewport:s,selectionMode:u,groups:y,compact:_},E={groupedListId:this._id,ariaSetSize:y?y.length:void 0,ariaPosInSet:void 0!==n?n+1:void 0},P=(0,l.pi)((0,l.pi)((0,l.pi)({},r),T),E),M=(0,l.pi)((0,l.pi)({},i),T),R=(0,l.pi)((0,l.pi)({},a),T),N=!!this.props.dragDropHelper&&this._getGroupDragDropOptions().canDrag(o)&&!!this.props.dragDropEvents.canDragGroups;return c.createElement("div",(0,l.pi)({ref:this._root},N&&{draggable:!0},{className:(0,pt.i)(b&&b.group,this._getDroppingClassName()),role:"presentation"}),p(P,this._onRenderGroupHeader),o&&o.isCollapsed?null:I?c.createElement(Eo,{role:"presentation",ref:this._list,items:o?o.children:[],onRenderCell:this._renderSubGroup,getItemCountForPage:this._returnOne,onShouldVirtualize:v,version:D,id:this._id}):this._onRenderGroup(k),o&&o.isCollapsed?null:w&&h(M,this._onRenderGroupShowAll),f(R,this._onRenderGroupFooter))},t.prototype.forceUpdate=function(){e.prototype.forceUpdate.call(this),this.forceListUpdate()},t.prototype.forceListUpdate=function(){var e=this.props.group;if(this._list.current){if(this._list.current.forceUpdate(),e&&e.children&&e.children.length>0)for(var t=e.children.length,o=0;o0&&(r&&r(e),this._setGroupsCollapsedState(o,e),this._updateIsSomeGroupExpanded(),this.forceUpdate())},t.prototype._setGroupsCollapsedState=function(e,t){for(var o=0;o0;)e++,t=t[0].children;return e},t.prototype._forceListUpdates=function(e){this.setState({version:{}})},t.prototype._computeIsSomeGroupExpanded=function(e){var t=this;return!(!e||!e.some((function(e){return e.children?t._computeIsSomeGroupExpanded(e.children):!e.isCollapsed})))},t.prototype._updateIsSomeGroupExpanded=function(){var e=this.state.groups,t=this.props.onGroupExpandStateChanged,o=this._computeIsSomeGroupExpanded(e);this._isSomeGroupExpanded!==o&&(t&&t(o),this._isSomeGroupExpanded=o)},t.defaultProps={selectionMode:on.oW.multiple,isHeaderVisible:!0,groupProps:{},compact:!1},t}(c.Component),dr=(0,I.z)(ur,(function(e){var t,o,n=e.theme,r=e.className,i=e.compact,a=n.palette,s=(0,u.Cn)(Un,n);return{root:[s.root,n.fonts.small,{position:"relative",selectors:(t={},t["."+s.listCell]={minHeight:38},t)},i&&[s.compact,{selectors:(o={},o["."+s.listCell]={minHeight:32},o)}],r],group:[s.group,{transition:"background-color "+u.D1.durationValue2+" cubic-bezier(0.445, 0.050, 0.550, 0.950)"}],groupIsDropping:{backgroundColor:a.neutralLight}}}),void 0,{scope:"GroupedList"}),pr=o(1071);function mr(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 hr(e){return function(t){function o(e){var o=t.call(this,e)||this;return o._root=c.createRef(),o._registerResizeObserver=function(){var e=(0,So.J)(o._root.current);o._viewportResizeObserver=new e.ResizeObserver(o._onAsyncResize),o._viewportResizeObserver.observe(o._root.current)},o._unregisterResizeObserver=function(){o._viewportResizeObserver&&(o._viewportResizeObserver.disconnect(),delete o._viewportResizeObserver)},o._updateViewport=function(e){var t=o.state.viewport,n=o._root.current,r=mr((0,yo.zj)(n)),i=mr(n);((i&&i.width)!==t.width||(r&&r.height)!==t.height)&&o._resizeAttempts<3&&i&&r?(o._resizeAttempts++,o.setState({viewport:{width:i.width,height:r.height}},(function(){o._updateViewport(e)}))):(o._resizeAttempts=0,e&&o._composedComponentInstance&&o._composedComponentInstance.forceUpdate())},o._async=new bo.e(o),o._events=new at.r(o),o._resizeAttempts=0,o.state={viewport:{width:0,height:0}},o}return(0,l.ZT)(o,t),o.prototype.componentDidMount=function(){var e=this.props,t=e.skipViewportMeasures,o=e.disableResizeObserver,n=(0,So.J)(this._root.current);this._onAsyncResize=this._async.debounce(this._onAsyncResize,500,{leading:!1}),t||(!o&&this._isResizeObserverAvailable()?this._registerResizeObserver():this._events.on(n,"resize",this._onAsyncResize),this._updateViewport())},o.prototype.componentDidUpdate=function(e){var t=e.skipViewportMeasures,o=this.props,n=o.skipViewportMeasures,r=o.disableResizeObserver,i=(0,So.J)(this._root.current);n!==t&&(n?(this._unregisterResizeObserver(),this._events.off(i,"resize",this._onAsyncResize)):(!r&&this._isResizeObserverAvailable()?this._viewportResizeObserver||this._registerResizeObserver():this._events.on(i,"resize",this._onAsyncResize),this._updateViewport()))},o.prototype.componentWillUnmount=function(){this._events.dispose(),this._async.dispose(),this._unregisterResizeObserver()},o.prototype.render=function(){var t=this.state.viewport,o=t.width>0&&t.height>0?t:void 0;return c.createElement("div",{className:"ms-Viewport",ref:this._root,style:{minWidth:1,minHeight:1}},c.createElement(e,(0,l.pi)({ref:this._updateComposedComponentRef,viewport:o},this.props)))},o.prototype.forceUpdate=function(){this._updateViewport(!0)},o.prototype._onAsyncResize=function(){this._updateViewport()},o.prototype._isResizeObserverAvailable=function(){var e=(0,So.J)(this._root.current);return e&&e.ResizeObserver},o}(pr.P)}var gr=(0,D.y)(),fr=100,vr=function(e){var t=e.selection,o=e.ariaLabelForListHeader,n=e.ariaLabelForSelectAllCheckbox,r=e.ariaLabelForSelectionColumn,i=e.className,a=e.checkboxVisibility,s=e.compact,u=e.constrainMode,p=e.dragDropEvents,m=e.groups,h=e.groupProps,g=e.indentWidth,f=e.items,v=e.isPlaceholderData,b=e.isHeaderVisible,y=e.layoutMode,_=e.onItemInvoked,C=e.onItemContextMenu,S=e.onColumnHeaderClick,x=e.onColumnHeaderContextMenu,k=e.selectionMode,w=void 0===k?t.mode:k,I=e.selectionPreservedOnEmptyClick,D=e.selectionZoneProps,E=e.ariaLabel,P=e.ariaLabelForGrid,N=e.rowElementEventMap,F=e.shouldApplyApplicationRole,L=void 0!==F&&F,A=e.getKey,z=e.listProps,H=e.usePageCache,O=e.onShouldVirtualize,W=e.viewport,V=e.minimumPixelsForDrag,K=e.getGroupHeight,G=e.styles,U=e.theme,j=e.cellStyleProps,J=void 0===j?hn:j,Y=e.onRenderCheckbox,Z=e.useFastIcons,X=e.dragDropHelper,Q=e.adjustedColumns,$=e.isCollapsed,ee=e.isSizing,te=e.isSomeGroupExpanded,oe=e.version,ne=e.rootRef,re=e.listRef,ie=e.focusZoneRef,ae=e.columnReorderOptions,se=e.groupedListRef,le=e.headerRef,ce=e.onGroupExpandStateChanged,ue=e.onColumnIsSizingChanged,de=e.onRowDidMount,pe=e.onRowWillUnmount,me=e.disableSelectionZone,he=e.onColumnResized,ge=e.onColumnAutoResized,fe=e.onToggleCollapse,ve=e.onActiveRowChanged,be=e.onBlur,ye=e.rowElementEventMap,_e=e.onRenderMissingItem,Ce=e.onRenderItemColumn,Se=e.getCellValueKey,xe=e.getRowAriaLabel,ke=e.getRowAriaDescribedBy,we=e.checkButtonAriaLabel,Ie=e.checkboxCellClassName,De=e.useReducedRowRenderer,Te=e.enableUpdateAnimations,Ee=e.enterModalSelectionOnTouch,Pe=e.onRenderDefaultRow,Me=e.selectionZoneRef,Re=function(e){for(var t=0,o=e;o&&o.length>0;)t++,o=o[0].children;return t}(m),Ne=c.useMemo((function(){return(0,l.pi)({renderedWindowsAhead:ee?0:2,renderedWindowsBehind:ee?0:2,getKey:A,version:oe},z)}),[ee,A,oe,z]),Be=wn.none;if(w===on.oW.single&&(Be=wn.hidden),w===on.oW.multiple){var Fe=h&&h.headerProps&&h.headerProps.isCollapsedGroupSelectVisible;void 0===Fe&&(Fe=!0),Be=Fe||!m||te?wn.visible:wn.hidden}a===un.hidden&&(Be=wn.none);var Le=c.useCallback((function(e){return c.createElement(Hn,(0,l.pi)({},e))}),[]),Ae=c.useCallback((function(){return null}),[]),ze=e.onRenderDetailsHeader,He=c.useMemo((function(){return ze?(0,ko.k)(ze,Le):Le}),[ze,Le]),Oe=e.onRenderDetailsFooter,We=c.useMemo((function(){return Oe?(0,ko.k)(Oe,Ae):Ae}),[Oe,Ae]),Ve=c.useMemo((function(){return{columns:Q,groupNestingDepth:Re,selection:t,selectionMode:w,viewport:W,checkboxVisibility:a,indentWidth:g,cellStyleProps:J}}),[Q,Re,t,w,W,a,g,J]),Ke=ae&&ae.onDragEnd,qe=c.useCallback((function(e,t){var o=e.dropLocation,n=ln.outside;if(Ke){if(o&&o!==ln.header)n=o;else if(ne.current){var r=ne.current.getBoundingClientRect();t.clientX>r.left&&t.clientXr.top&&t.clientY0;)++t,(n=o.pop())&&n.children&&o.push.apply(o,n.children);return t}(m)+(f?f.length:0),je=(Be!==wn.none?1:0)+(Q?Q.length:0)+(m?1:0),Je=c.useMemo((function(){return gr(G,{theme:U,compact:s,isFixed:y===cn.fixedColumns,isHorizontalConstrained:u===sn.horizontalConstrained,className:i})}),[G,U,s,y,u,i]),Ye=h&&h.onRenderFooter,Ze=c.useMemo((function(){return Ye?function(e,o){return Ye((0,l.pi)((0,l.pi)({},e),{columns:Q,groupNestingDepth:Re,indentWidth:g,selection:t,selectionMode:w,viewport:W,checkboxVisibility:a,cellStyleProps:J}),o)}:void 0}),[Ye,Q,Re,g,t,w,W,a,J]),Xe=h&&h.onRenderHeader,Qe=c.useMemo((function(){return Xe?function(e,o){var n=e.ariaPosInSet,r=e.ariaSetSize;return Xe((0,l.pi)((0,l.pi)({},e),{columns:Q,groupNestingDepth:Re,indentWidth:g,selection:t,selectionMode:w,viewport:W,checkboxVisibility:a,cellStyleProps:J,ariaColSpan:Q.length,ariaPosInSet:void 0,ariaSetSize:void 0,ariaRowCount:r?r+(b?1:0):void 0,ariaRowIndex:n?n+(b?1:0):void 0}),o)}:function(e,t){var o=e.ariaPosInSet,n=e.ariaSetSize;return t((0,l.pi)((0,l.pi)({},e),{ariaColSpan:Q.length,ariaPosInSet:void 0,ariaSetSize:void 0,ariaRowCount:n?n+(b?1:0):void 0,ariaRowIndex:o?o+(b?1:0):void 0}))}}),[Xe,Q,Re,g,b,t,w,W,a,J]),$e=c.useMemo((function(){return(0,l.pi)((0,l.pi)({},h),{role:"rowgroup",onRenderFooter:Ze,onRenderHeader:Qe})}),[h,Ze,Qe]),et=(0,q.B)((function(){return(0,d.NF)((function(e){var t=0;return e.forEach((function(e){return t+=e.calculatedWidth||e.minWidth})),t}))})),tt=h&&h.collapseAllVisibility,ot=c.useMemo((function(){return et(Q)}),[Q,et]),nt=c.useCallback((function(o,n,r){var i=e.onRenderRow?(0,ko.k)(e.onRenderRow,Pe):Pe,l={item:n,itemIndex:r,flatIndexOffset:b?2:1,compact:s,columns:Q,groupNestingDepth:o,selectionMode:w,selection:t,onDidMount:de,onWillUnmount:pe,onRenderItemColumn:Ce,getCellValueKey:Se,eventsToRegister:ye,dragDropEvents:p,dragDropHelper:X,viewport:W,checkboxVisibility:a,collapseAllVisibility:tt,getRowAriaLabel:xe,getRowAriaDescribedBy:ke,checkButtonAriaLabel:we,checkboxCellClassName:Ie,useReducedRowRenderer:De,indentWidth:g,cellStyleProps:J,onRenderDetailsCheckbox:Y,enableUpdateAnimations:Te,rowWidth:ot,useFastIcons:Z};return n?i(l):_e?_e(r,l):null}),[s,Q,w,t,de,pe,Ce,Se,ye,p,X,W,a,tt,xe,ke,b,we,Ie,De,g,J,Y,Te,Z,Pe,_e,e.onRenderRow,ot]),it=c.useCallback((function(e){return function(t,o){return nt(e,t,o)}}),[nt]),at=c.useCallback((function(e){return e.which===(0,T.dP)(rt.m.right,U)}),[U]),st={componentRef:ie,className:Je.focusZone,direction:R.U.vertical,shouldEnterInnerZone:at,onActiveElementChanged:ve,shouldRaiseClicks:!1,onBlur:be},lt=m?c.createElement(dr,{focusZoneProps:st,componentRef:se,groups:m,groupProps:$e,items:f,onRenderCell:nt,role:"presentation",selection:t,selectionMode:a!==un.hidden?w:on.oW.none,dragDropEvents:p,dragDropHelper:X,eventsToRegister:N,listProps:Ne,onGroupExpandStateChanged:ce,usePageCache:H,onShouldVirtualize:O,getGroupHeight:K,compact:s}):c.createElement(M.k,(0,l.pi)({},st),c.createElement(Eo,(0,l.pi)({ref:re,role:"presentation",items:f,onRenderCell:it(0),usePageCache:H,onShouldVirtualize:O},Ne))),ct=c.useCallback((function(e){e.which===rt.m.down&&ie.current&&ie.current.focus()&&(0===t.getSelectedIndices().length&&t.setIndexSelected(0,!0,!1),e.preventDefault(),e.stopPropagation())}),[t,ie]),ut=c.useCallback((function(e){e.which!==rt.m.up||e.altKey||le.current&&le.current.focus()&&(e.preventDefault(),e.stopPropagation())}),[le]);return c.createElement("div",(0,l.pi)({ref:ne,className:Je.root,"data-automationid":"DetailsList","data-is-scrollable":"false","aria-label":E},L?{role:"application"}:{}),c.createElement(B.u,null),c.createElement("div",{role:"grid","aria-label":P,"aria-rowcount":v?-1:Ue,"aria-colcount":je,"aria-readonly":"true","aria-busy":v},c.createElement("div",{onKeyDown:ct,role:"presentation",className:Je.headerWrapper},b&&He({componentRef:le,selectionMode:w,layoutMode:y,selection:t,columns:Q,onColumnClick:S,onColumnContextMenu:x,onColumnResized:he,onColumnIsSizingChanged:ue,onColumnAutoResized:ge,groupNestingDepth:Re,isAllCollapsed:$,onToggleCollapseAll:fe,ariaLabel:o,ariaLabelForSelectAllCheckbox:n,ariaLabelForSelectionColumn:r,selectAllVisibility:Be,collapseAllVisibility:h&&h.collapseAllVisibility,viewport:W,columnReorderProps:Ge,minimumPixelsForDrag:V,cellStyleProps:J,checkboxVisibility:a,indentWidth:g,onRenderDetailsCheckbox:Y,rowWidth:et(Q),useFastIcons:Z},He)),c.createElement("div",{onKeyDown:ut,role:"presentation",className:Je.contentWrapper},me?lt:c.createElement(rn.i,(0,l.pi)({ref:Me,selection:t,selectionPreservedOnEmptyClick:I,selectionMode:w,onItemInvoked:_,onItemContextMenu:C,enterModalOnTouch:Ee},D||{}),lt)),We((0,l.pi)({},Ve))))},br=function(e){function t(t){var o=e.call(this,t)||this;return o._root=c.createRef(),o._header=c.createRef(),o._groupedList=c.createRef(),o._list=c.createRef(),o._focusZone=c.createRef(),o._selectionZone=c.createRef(),o._onRenderRow=function(e,t){return c.createElement(Gn,(0,l.pi)({},e))},o._getDerivedStateFromProps=function(e,t){var n=o.props,r=n.checkboxVisibility,i=n.items,a=n.setKey,s=n.selectionMode,c=void 0===s?o._selection.mode:s,u=n.columns,d=n.viewport,p=n.compact,m=n.dragDropEvents,h=(o.props.groupProps||{}).isAllGroupsCollapsed,g=void 0===h?void 0:h,f=e.viewport&&e.viewport.width||0,v=d&&d.width||0,b=e.setKey!==a||void 0===e.setKey,y=!1;e.layoutMode!==o.props.layoutMode&&(y=!0);var _=t;return b&&(o._initialFocusedIndex=e.initialFocusedIndex,_=(0,l.pi)((0,l.pi)({},_),{focusedItemIndex:void 0!==o._initialFocusedIndex?o._initialFocusedIndex:-1})),o.props.disableSelectionZone||e.items===i||o._selection.setItems(e.items,b),e.checkboxVisibility===r&&e.columns===u&&f===v&&e.compact===p||(y=!0),_=(0,l.pi)((0,l.pi)({},_),o._adjustColumns(e,_,!0)),e.selectionMode!==c&&(y=!0),void 0===g&&e.groupProps&&void 0!==e.groupProps.isAllGroupsCollapsed&&(_=(0,l.pi)((0,l.pi)({},_),{isCollapsed:e.groupProps.isAllGroupsCollapsed,isSomeGroupExpanded:!e.groupProps.isAllGroupsCollapsed})),e.dragDropEvents!==m&&(o._dragDropHelper&&o._dragDropHelper.dispose(),o._dragDropHelper=e.dragDropEvents?new Dn({selection:o._selection,minimumPixelsForDrag:e.minimumPixelsForDrag}):void 0,y=!0),y&&(_=(0,l.pi)((0,l.pi)({},_),{version:{}})),_},o._onGroupExpandStateChanged=function(e){o.setState({isSomeGroupExpanded:e})},o._onColumnIsSizingChanged=function(e,t){o.setState({isSizing:t})},o._onRowDidMount=function(e){var t=e.props,n=t.item,r=t.itemIndex,i=o._getItemKey(n,r);o._activeRows[i]=e,o._setFocusToRowIfPending(e);var a=o.props.onRowDidMount;a&&a(n,r)},o._onRowWillUnmount=function(e){var t=o.props.onRowWillUnmount,n=e.props,r=n.item,i=n.itemIndex,a=o._getItemKey(r,i);delete o._activeRows[a],t&&t(r,i)},o._onToggleCollapse=function(e){o.setState({isCollapsed:e}),o._groupedList.current&&o._groupedList.current.toggleCollapseAll(e)},o._onColumnResized=function(e,t,n){var r=Math.max(e.minWidth||fr,t);o.props.onColumnResize&&o.props.onColumnResize(e,r,n),o._rememberCalculatedWidth(e,r),o.setState((0,l.pi)((0,l.pi)({},o._adjustColumns(o.props,o.state,!0,n)),{version:{}}))},o._onColumnAutoResized=function(e,t){var n=0,r=0,i=Object.keys(o._activeRows).length;for(var a in o._activeRows)o._activeRows.hasOwnProperty(a)&&o._activeRows[a].measureCell(t,(function(a){n=Math.max(n,a),++r===i&&o._onColumnResized(e,n,t)}))},o._onActiveRowChanged=function(e,t){var n=o.props,r=n.items,i=n.onActiveItemChanged;if(e&&e.getAttribute("data-item-index")){var a=Number(e.getAttribute("data-item-index"));a>=0&&(i&&i(r[a],a,t),o.setState({focusedItemIndex:a}))}},o._onBlur=function(e){o.setState({focusedItemIndex:-1})},(0,P.l)(o),o._async=new bo.e(o),o._activeRows={},o._columnOverrides={},o.state={focusedItemIndex:-1,lastWidth:0,adjustedColumns:o._getAdjustedColumns(t,void 0),isSizing:!1,isCollapsed:t.groupProps&&t.groupProps.isAllGroupsCollapsed,isSomeGroupExpanded:t.groupProps&&!t.groupProps.isAllGroupsCollapsed,version:{},getDerivedStateFromProps:o._getDerivedStateFromProps},o._selection=t.selection||new nn.Y({onSelectionChanged:void 0,getKey:t.getKey,selectionMode:t.selectionMode}),o.props.disableSelectionZone||o._selection.setItems(t.items,!1),o._dragDropHelper=t.dragDropEvents?new Dn({selection:o._selection,minimumPixelsForDrag:t.minimumPixelsForDrag}):void 0,o._initialFocusedIndex=t.initialFocusedIndex,o}return(0,l.ZT)(t,e),t.getDerivedStateFromProps=function(e,t){return t.getDerivedStateFromProps(e,t)},t.prototype.scrollToIndex=function(e,t,o){this._list.current&&this._list.current.scrollToIndex(e,t,o),this._groupedList.current&&this._groupedList.current.scrollToIndex(e,t,o)},t.prototype.focusIndex=function(e,t,o,n){void 0===t&&(t=!1);var r=this.props.items[e];if(r){this.scrollToIndex(e,o,n);var i=this._getItemKey(r,e),a=this._activeRows[i];a&&this._setFocusToRow(a,t)}},t.prototype.getStartItemIndexInView=function(){return this._list&&this._list.current?this._list.current.getStartItemIndexInView():this._groupedList&&this._groupedList.current?this._groupedList.current.getStartItemIndexInView():0},t.prototype.componentWillUnmount=function(){this._dragDropHelper&&this._dragDropHelper.dispose(),this._async.dispose()},t.prototype.componentDidUpdate=function(e,t){if(this._notifyColumnsResized(),void 0!==this._initialFocusedIndex&&(i=this.props.items[this._initialFocusedIndex])){var o=this._getItemKey(i,this._initialFocusedIndex);(n=this._activeRows[o])&&this._setFocusToRowIfPending(n)}if(this.props.items!==e.items&&this.props.items.length>0&&-1!==this.state.focusedItemIndex&&!(0,it.t)(this._root.current,document.activeElement,!1)){var n,r=this.state.focusedItemIndex0;)e++,t=t[0].children;return e},t.prototype._setFocusToRowIfPending=function(e){var t=e.props.itemIndex;void 0!==this._initialFocusedIndex&&t===this._initialFocusedIndex&&(this._setFocusToRow(e),delete this._initialFocusedIndex)},t.prototype._setFocusToRow=function(e,t){void 0===t&&(t=!1),this._selectionZone.current&&this._selectionZone.current.ignoreNextFocus(),this._async.setTimeout((function(){e.focus(t)}),0)},t.prototype._forceListUpdates=function(){this._groupedList.current&&this._groupedList.current.forceUpdate(),this._list.current&&this._list.current.forceUpdate()},t.prototype._notifyColumnsResized=function(){this.state.adjustedColumns.forEach((function(e){e.onColumnResize&&e.onColumnResize(e.currentWidth)}))},t.prototype._adjustColumns=function(e,t,o,n){var r=this._getAdjustedColumns(e,t,o,n),i=this.props.viewport,a=i&&i.width?i.width:0;return(0,l.pi)((0,l.pi)({},t),{adjustedColumns:r,lastWidth:a})},t.prototype._getAdjustedColumns=function(e,t,o,n){var r,i=this,a=e.items,s=e.layoutMode,l=e.selectionMode,c=e.viewport,u=c&&c.width?c.width:0,d=e.columns,p=this.props?this.props.columns:[],m=t?t.lastWidth:-1,h=t?t.lastSelectionMode:void 0;return o||m!==u||h!==l||p&&d!==p?(d=d||yr(a,!0),s===cn.fixedColumns?(r=this._getFixedColumns(d)).forEach((function(e){i._rememberCalculatedWidth(e,e.calculatedWidth)})):(r=void 0!==n?this._getJustifiedColumnsAfterResize(d,u,e,n):this._getJustifiedColumns(d,u,e,0)).forEach((function(e){i._getColumnOverride(e.key).currentWidth=e.calculatedWidth})),r):d||[]},t.prototype._getFixedColumns=function(e){var t=this;return e.map((function(e){var o=(0,l.pi)((0,l.pi)({},e),t._columnOverrides[e.key]);return o.calculatedWidth||(o.calculatedWidth=o.maxWidth||o.minWidth||fr),o}))},t.prototype._getJustifiedColumnsAfterResize=function(e,t,o,n){var r=this,i=e.slice(0,n);i.forEach((function(e){return e.calculatedWidth=r._getColumnOverride(e.key).currentWidth}));var a=i.reduce((function(e,t,n){return e+_r(t,0,o)}),0),s=e.slice(n),c=t-a;return(0,l.pr)(i,this._getJustifiedColumns(s,c,o,n))},t.prototype._getJustifiedColumns=function(e,t,o,n){for(var r=this,i=o.selectionMode,a=void 0===i?this._selection.mode:i,s=o.checkboxVisibility,c=a!==on.oW.none&&s!==un.hidden?48:0,u=36*this._getGroupNestingDepth(),d=0,p=t-(c+u),m=e.map((function(e,t){var n=(0,l.pi)((0,l.pi)((0,l.pi)({},e),{calculatedWidth:e.minWidth||fr}),r._columnOverrides[e.key]);return d+=_r(n,0,o),n})),h=m.length-1;h>0&&d>p;){var g=(y=m[h]).minWidth||fr,f=d-p;if(y.calculatedWidth-g>=f||!y.isCollapsible&&!y.isCollapsable){var v=y.calculatedWidth;y.calculatedWidth=Math.max(y.calculatedWidth-f,g),d-=v-y.calculatedWidth}else d-=_r(y,0,o),m.splice(h,1);h--}for(var b=0;b=(E||Er.eD.small)&&c.createElement(dt.m,(0,l.pi)({ref:H},ve),c.createElement(Dr.G,{role:M||!v?"dialog":"alertdialog","aria-modal":!M,ariaLabelledBy:k,ariaDescribedBy:I,onDismiss:_,shouldRestoreFocus:!f},c.createElement("div",{className:fe.root,role:M?void 0:"document"},!M&&c.createElement(Ir.a,(0,l.pi)({isDarkThemed:y,onClick:v?void 0:_,allowTouchBodyScroll:a},S)),R?c.createElement(Br,{handleSelector:R.dragHandleSelector||"#"+V,preventDragSelector:"button",onStart:Se,onDragChange:xe,onStop:ke,position:ne},we):we)))||null}));Or.displayName="Modal";var Wr=(0,I.z)(Or,(function(e){var t,o=e.className,n=e.containerClassName,r=e.scrollableContentClassName,i=e.isOpen,a=e.isVisible,s=e.hasBeenOpened,l=e.modalRectangleTop,c=e.theme,d=e.topOffsetFixed,p=e.isModeless,m=e.layerClassName,h=e.isDefaultDragHandle,g=e.windowInnerHeight,f=c.palette,v=c.effects,b=c.fonts,y=(0,u.Cn)(wr,c);return{root:[y.root,b.medium,{backgroundColor:"transparent",position:p?"absolute":"fixed",height:"100%",width:"100%",display:"flex",alignItems:"center",justifyContent:"center",opacity:0,pointerEvents:"none",transition:"opacity "+kr},d&&s&&{alignItems:"flex-start"},i&&y.isOpen,a&&{opacity:1,pointerEvents:"auto"},o],main:[y.main,{boxShadow:v.elevation64,borderRadius:v.roundedCorner2,backgroundColor:f.white,boxSizing:"border-box",position:"relative",textAlign:"left",outline:"3px solid transparent",maxHeight:"calc(100% - 32px)",maxWidth:"calc(100% - 32px)",minHeight:"176px",minWidth:"288px",overflowY:"auto",zIndex:p?u.bR.Layer:void 0},d&&s&&{top:l},h&&{cursor:"move"},n],scrollableContent:[y.scrollableContent,{overflowY:"auto",flexGrow:1,maxHeight:"100vh",selectors:(t={},t["@supports (-webkit-overflow-scrolling: touch)"]={maxHeight:g},t)},r],layer:p&&[m,y.layer,{position:"static",width:"unset",height:"unset"}],keyboardMoveIconContainer:{position:"absolute",display:"flex",justifyContent:"center",width:"100%",padding:"3px 0px"},keyboardMoveIcon:{fontSize:b.xLargePlus.fontSize,width:"24px"}}}),void 0,{scope:"Modal",fields:["theme","styles","enableAriaHiddenSiblings"]});Wr.displayName="Modal";var Vr=o(3129),Kr=(0,D.y)(),qr=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.className,o=e.styles,n=e.theme;return this._classNames=Kr(o,{theme:n,className:t}),c.createElement("div",{className:this._classNames.actions},c.createElement("div",{className:this._classNames.actionsRight},this._renderChildrenAsActions()))},t.prototype._renderChildrenAsActions=function(){var e=this;return c.Children.map(this.props.children,(function(t){return t?c.createElement("span",{className:e._classNames.action},t):null}))},t}(c.Component),Gr={actions:"ms-Dialog-actions",action:"ms-Dialog-action",actionsRight:"ms-Dialog-actionsRight"},Ur=(0,I.z)(qr,(function(e){var t=e.className,o=e.theme,n=(0,u.Cn)(Gr,o);return{actions:[n.actions,{position:"relative",width:"100%",minHeight:"24px",lineHeight:"24px",margin:"16px 0 0",fontSize:"0",selectors:{".ms-Button":{lineHeight:"normal"}}},t],action:[n.action,{margin:"0 4px"}],actionsRight:[n.actionsRight,{textAlign:"right",marginRight:"-4px",fontSize:"0"}]}}),void 0,{scope:"DialogFooter"}),jr=(0,D.y)(),Jr=c.createElement(Ur,null).type,Yr=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),(0,Vr.b)("DialogContent",t,{titleId:"titleProps.id"}),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e,t=this.props,o=t.showCloseButton,n=t.className,r=t.closeButtonAriaLabel,i=t.onDismiss,a=t.subTextId,s=t.subText,u=t.titleProps,d=void 0===u?{}:u,p=t.titleId,m=t.title,h=t.type,g=t.styles,f=t.theme,v=t.draggableHeaderClassName,b=jr(g,{theme:f,className:n,isLargeHeader:h===Cr.largeHeader,isClose:h===Cr.close,draggableHeaderClassName:v}),y=this._groupChildren();return s&&(e=c.createElement("p",{className:b.subText,id:a},s)),c.createElement("div",{className:b.content},c.createElement("div",{className:b.header},c.createElement("div",(0,l.pi)({id:p,role:"heading","aria-level":1},d,{className:(0,pt.i)(b.title,d.className)}),m),c.createElement("div",{className:b.topButton},this.props.topButtonsProps.map((function(e,t){return c.createElement(V.h,(0,l.pi)({key:e.uniqueId||t},e))})),(h===Cr.close||o&&h!==Cr.largeHeader)&&c.createElement(V.h,{className:b.button,iconProps:{iconName:"Cancel"},ariaLabel:r,onClick:i,title:r}))),c.createElement("div",{className:b.inner},c.createElement("div",{className:b.innerContent},e,y.contents),y.footers))},t.prototype._groupChildren=function(){var e={footers:[],contents:[]};return c.Children.map(this.props.children,(function(t){"object"==typeof t&&null!==t&&t.type===Jr?e.footers.push(t):e.contents.push(t)})),e},t.defaultProps={showCloseButton:!1,className:"",topButtonsProps:[],closeButtonAriaLabel:"Close"},(0,l.gn)([Er.Ae],t)}(c.Component),Zr={contentLgHeader:"ms-Dialog-lgHeader",close:"ms-Dialog--close",subText:"ms-Dialog-subText",header:"ms-Dialog-header",headerLg:"ms-Dialog--lgHeader",button:"ms-Dialog-button ms-Dialog-button--close",inner:"ms-Dialog-inner",content:"ms-Dialog-content",title:"ms-Dialog-title"},Xr=(0,I.z)(Yr,(function(e){var t,o,n,r=e.className,i=e.theme,a=e.isLargeHeader,s=e.isClose,l=e.hidden,c=e.isMultiline,d=e.draggableHeaderClassName,p=i.palette,m=i.fonts,h=i.effects,g=i.semanticColors,f=(0,u.Cn)(Zr,i);return{content:[a&&[f.contentLgHeader,{borderTop:"4px solid "+p.themePrimary}],s&&f.close,{flexGrow:1,overflowY:"hidden"},r],subText:[f.subText,m.medium,{margin:"0 0 24px 0",color:g.bodySubtext,lineHeight:"1.5",wordWrap:"break-word",fontWeight:u.lq.regular}],header:[f.header,{position:"relative",width:"100%",boxSizing:"border-box"},s&&f.close,d&&[d,{cursor:"move"}]],button:[f.button,l&&{selectors:{".ms-Icon.ms-Icon--Cancel":{color:g.buttonText,fontSize:u.ld.medium}}}],inner:[f.inner,{padding:"0 24px 24px",selectors:(t={},t["@media (min-width: "+u.QQ+"px) and (max-width: "+u.mV+"px)"]={padding:"0 16px 16px"},t)}],innerContent:[f.content,{position:"relative",width:"100%"}],title:[f.title,m.xLarge,{color:g.bodyText,margin:"0",minHeight:m.xLarge.fontSize,padding:"16px 46px 20px 24px",lineHeight:"normal",selectors:(o={},o["@media (min-width: "+u.QQ+"px) and (max-width: "+u.mV+"px)"]={padding:"16px 46px 16px 16px"},o)},a&&{color:g.menuHeader},c&&{fontSize:m.xxLarge.fontSize}],topButton:[{display:"flex",flexDirection:"row",flexWrap:"nowrap",position:"absolute",top:"0",right:"0",padding:"15px 15px 0 0",selectors:(n={"> *":{flex:"0 0 auto"},".ms-Dialog-button":{color:g.buttonText},".ms-Dialog-button:hover":{color:g.buttonTextHovered,borderRadius:h.roundedCorner2}},n["@media (min-width: "+u.QQ+"px) and (max-width: "+u.mV+"px)"]={padding:"15px 8px 0 0"},n)}]}}),void 0,{scope:"DialogContent"}),Qr=(0,D.y)(),$r={isDarkOverlay:!1,isBlocking:!1,className:"",containerClassName:"",topOffsetFixed:!1},ei={type:Cr.normal,className:"",topButtonsProps:[]},ti=function(e){function t(t){var o=e.call(this,t)||this;return o._getSubTextId=function(){var e=o.props,t=e.ariaDescribedById,n=e.modalProps,r=e.dialogContentProps,i=e.subText,a=n&&n.subtitleAriaId||t;return a||(a=(r&&r.subText||i)&&o._defaultSubTextId),a},o._getTitleTextId=function(){var e=o.props,t=e.ariaLabelledById,n=e.modalProps,r=e.dialogContentProps,i=e.title,a=n&&n.titleAriaId||t;return a||(a=(r&&r.title||i)&&o._defaultTitleTextId),a},o._id=(0,dn.z)("Dialog"),o._defaultTitleTextId=o._id+"-title",o._defaultSubTextId=o._id+"-subText",o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e,t,o,n,r=this.props,i=r.className,a=r.containerClassName,s=r.contentClassName,u=r.elementToFocusOnDismiss,d=r.firstFocusableSelector,p=r.forceFocusInsideTrap,m=r.styles,h=r.hidden,g=r.ignoreExternalFocusing,f=r.isBlocking,v=r.isClickableOutsideFocusTrap,b=r.isDarkOverlay,y=r.isOpen,_=r.onDismiss,C=r.onDismissed,S=r.onLayerDidMount,x=r.responsiveMode,k=r.subText,w=r.theme,I=r.title,D=r.topButtonsProps,T=r.type,E=r.minWidth,P=r.maxWidth,M=r.modalProps,R=(0,l.pi)({},M?M.layerProps:{onLayerDidMount:S});S&&!R.onLayerDidMount&&(R.onLayerDidMount=S),M&&M.dragOptions&&!M.dragOptions.dragHandleSelector?(o="ms-Dialog-draggable-header",n=(0,l.pi)((0,l.pi)({},M.dragOptions),{dragHandleSelector:"."+o})):n=M&&M.dragOptions;var N=(0,l.pi)((0,l.pi)((0,l.pi)((0,l.pi)({},$r),{className:i,containerClassName:a,isBlocking:f,isDarkOverlay:b,onDismissed:C}),M),{layerProps:R,dragOptions:n}),B=(0,l.pi)((0,l.pi)((0,l.pi)({className:s,subText:k,title:I,topButtonsProps:D,type:T},ei),this.props.dialogContentProps),{draggableHeaderClassName:o,titleProps:(0,l.pi)({id:(null===(e=this.props.dialogContentProps)||void 0===e?void 0:e.titleId)||this._defaultTitleTextId},null===(t=this.props.dialogContentProps)||void 0===t?void 0:t.titleProps)}),F=Qr(m,{theme:w,className:N.className,containerClassName:N.containerClassName,hidden:h,dialogDefaultMinWidth:E,dialogDefaultMaxWidth:P});return c.createElement(Wr,(0,l.pi)({elementToFocusOnDismiss:u,firstFocusableSelector:d,forceFocusInsideTrap:p,ignoreExternalFocusing:g,isClickableOutsideFocusTrap:v,onDismissed:N.onDismissed,responsiveMode:x},N,{isDarkOverlay:N.isDarkOverlay,isBlocking:N.isBlocking,isOpen:void 0!==y?y:!h,className:F.root,containerClassName:F.main,onDismiss:_||N.onDismiss,subtitleAriaId:this._getSubTextId(),titleAriaId:this._getTitleTextId()}),c.createElement(Xr,(0,l.pi)({subTextId:this._defaultSubTextId,title:B.title,subText:B.subText,showCloseButton:N.isBlocking,topButtonsProps:B.topButtonsProps,type:B.type,onDismiss:_||B.onDismiss,className:B.className},B),this.props.children))},t.defaultProps={hidden:!0},(0,l.gn)([Er.Ae],t)}(c.Component),oi={root:"ms-Dialog"},ni=(0,I.z)(ti,(function(e){var t,o=e.className,n=e.containerClassName,r=e.dialogDefaultMinWidth,i=void 0===r?"288px":r,a=e.dialogDefaultMaxWidth,s=void 0===a?"340px":a,l=e.hidden,c=e.theme;return{root:[(0,u.Cn)(oi,c).root,c.fonts.medium,o],main:[{width:i,outline:"3px solid transparent",selectors:(t={},t["@media (min-width: "+u.dd+"px)"]={width:"auto",maxWidth:s,minWidth:i},t)},!l&&{display:"flex"},n]}}),void 0,{scope:"Dialog"});ni.displayName="Dialog";var ri,ii=o(8386);!function(e){e[e.normal=0]="normal",e[e.compact=1]="compact"}(ri||(ri={}));var ai=(0,D.y)(),si=function(e){function t(t){var o=e.call(this,t)||this;return o._rootElement=c.createRef(),o._onClick=function(e){o._onAction(e)},o._onKeyDown=function(e){e.which!==rt.m.enter&&e.which!==rt.m.space||o._onAction(e)},o._onAction=function(e){var t=o.props,n=t.onClick,r=t.onClickHref,i=t.onClickTarget;n?n(e):!n&&r&&(i?window.open(r,i,"noreferrer noopener nofollow"):window.location.href=r,e.preventDefault(),e.stopPropagation())},(0,P.l)(o),(0,Vr.b)("DocumentCard",t,{accentColor:void 0}),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e,t=this.props,o=t.onClick,n=t.onClickHref,r=t.children,i=t.type,a=t.accentColor,s=t.styles,u=t.theme,d=t.className,p=(0,E.pq)(this.props,E.n7,["className","onClick","type","role"]),m=!(!o&&!n);this._classNames=ai(s,{theme:u,className:d,actionable:m,compact:i===ri.compact}),i===ri.compact&&a&&(e={borderBottomColor:a});var h=this.props.role||(m?o?"button":"link":void 0),g=m?0:void 0;return c.createElement("div",(0,l.pi)({ref:this._rootElement,tabIndex:g,"data-is-focusable":m,role:h,className:this._classNames.root,onKeyDown:m?this._onKeyDown:void 0,onClick:m?this._onClick:void 0,style:e},p),r)},t.prototype.focus=function(){this._rootElement.current&&this._rootElement.current.focus()},t.defaultProps={type:ri.normal},t}(c.Component),li={root:"ms-DocumentCardPreview",icon:"ms-DocumentCardPreview-icon",iconContainer:"ms-DocumentCardPreview-iconContainer"},ci={root:"ms-DocumentCardActivity",multiplePeople:"ms-DocumentCardActivity--multiplePeople",details:"ms-DocumentCardActivity-details",name:"ms-DocumentCardActivity-name",activity:"ms-DocumentCardActivity-activity",avatars:"ms-DocumentCardActivity-avatars",avatar:"ms-DocumentCardActivity-avatar"},ui={root:"ms-DocumentCardTitle"},di={root:"ms-DocumentCardLocation"},pi={root:"ms-DocumentCard",rootActionable:"ms-DocumentCard--actionable",rootCompact:"ms-DocumentCard--compact"},mi=(0,I.z)(si,(function(e){var t,o,n=e.className,r=e.theme,i=e.actionable,a=e.compact,s=r.palette,l=r.fonts,c=r.effects,d=(0,u.Cn)(pi,r);return{root:[d.root,{WebkitFontSmoothing:"antialiased",backgroundColor:s.white,border:"1px solid "+s.neutralLight,maxWidth:"320px",minWidth:"206px",userSelect:"none",position:"relative",selectors:(t={":focus":{outline:"0px solid"}},t["."+de.G$+" &:focus"]=(0,u.$Y)(s.neutralSecondary,c.roundedCorner2),t["."+di.root+" + ."+ui.root]={paddingTop:"4px"},t)},i&&[d.rootActionable,{selectors:{":hover":{cursor:"pointer",borderColor:s.neutralTertiaryAlt},":hover:after":{content:'" "',position:"absolute",top:0,right:0,bottom:0,left:0,border:"1px solid "+s.neutralTertiaryAlt,pointerEvents:"none"}}}],a&&[d.rootCompact,{display:"flex",maxWidth:"480px",height:"108px",selectors:(o={},o["."+li.root]={borderRight:"1px solid "+s.neutralLight,borderBottom:0,maxHeight:"106px",maxWidth:"144px"},o["."+li.icon]={maxHeight:"32px",maxWidth:"32px"},o["."+ci.root]={paddingBottom:"12px"},o["."+ui.root]={paddingBottom:"12px 16px 8px 16px",fontSize:l.mediumPlus.fontSize,lineHeight:"16px"},o)}],n]}}),void 0,{scope:"DocumentCard"}),hi=(0,D.y)(),gi=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this,t=this.props,o=t.actions,n=t.views,r=t.styles,i=t.theme,a=t.className;return this._classNames=hi(r,{theme:i,className:a}),c.createElement("div",{className:this._classNames.root},o&&o.map((function(t,o){return c.createElement("div",{className:e._classNames.action,key:o},c.createElement(V.h,(0,l.pi)({},t)))})),n>0&&c.createElement("div",{className:this._classNames.views},c.createElement(W.J,{iconName:"View",className:this._classNames.viewsIcon}),n))},t}(c.Component),fi={root:"ms-DocumentCardActions",action:"ms-DocumentCardActions-action",views:"ms-DocumentCardActions-views"},vi=(0,I.z)(gi,(function(e){var t=e.className,o=e.theme,n=o.palette,r=o.fonts,i=(0,u.Cn)(fi,o);return{root:[i.root,{height:"34px",padding:"4px 12px",position:"relative"},t],action:[i.action,{float:"left",marginRight:"4px",color:n.neutralSecondary,cursor:"pointer",selectors:{".ms-Button":{fontSize:r.mediumPlus.fontSize,height:34,width:34},".ms-Button:hover .ms-Button-icon":{color:o.semanticColors.buttonText,cursor:"pointer"}}}],views:[i.views,{textAlign:"right",lineHeight:34}],viewsIcon:{marginRight:"8px",fontSize:r.medium.fontSize,verticalAlign:"top"}}}),void 0,{scope:"DocumentCardActions"}),bi=(0,D.y)(),yi=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.activity,o=e.people,n=e.styles,r=e.theme,i=e.className;return this._classNames=bi(n,{theme:r,className:i,multiplePeople:o.length>1}),o&&0!==o.length?c.createElement("div",{className:this._classNames.root},this._renderAvatars(o),c.createElement("div",{className:this._classNames.details},c.createElement("span",{className:this._classNames.name},this._getNameString(o)),c.createElement("span",{className:this._classNames.activity},t))):null},t.prototype._renderAvatars=function(e){return c.createElement("div",{className:this._classNames.avatars},e.length>1?this._renderAvatar(e[1]):null,this._renderAvatar(e[0]))},t.prototype._renderAvatar=function(e){return c.createElement("div",{className:this._classNames.avatar},c.createElement(_.t,{imageInitials:e.initials,text:e.name,imageUrl:e.profileImageSrc,initialsColor:e.initialsColor,allowPhoneInitials:e.allowPhoneInitials,role:"presentation",size:C.Ir.size32}))},t.prototype._getNameString=function(e){var t=e[0].name;return e.length>=2&&(t+=" +"+(e.length-1)),t},t}(c.Component),_i=(0,I.z)(yi,(function(e){var t=e.theme,o=e.className,n=e.multiplePeople,r=t.palette,i=t.fonts,a=(0,u.Cn)(ci,t);return{root:[a.root,n&&a.multiplePeople,{padding:"8px 16px",position:"relative"},o],avatars:[a.avatars,{marginLeft:"-2px",height:"32px"}],avatar:[a.avatar,{display:"inline-block",verticalAlign:"top",position:"relative",textAlign:"center",width:32,height:32,selectors:{"&:after":{content:'" "',position:"absolute",left:"-1px",top:"-1px",right:"-1px",bottom:"-1px",border:"2px solid "+r.white,borderRadius:"50%"},":nth-of-type(2)":n&&{marginLeft:"-16px"}}}],details:[a.details,{left:n?"72px":"56px",height:32,position:"absolute",top:8,width:"calc(100% - 72px)"}],name:[a.name,{display:"block",fontSize:i.small.fontSize,lineHeight:"15px",height:"15px",overflow:"hidden",textOverflow:"ellipsis",whiteSpace:"nowrap",color:r.neutralPrimary,fontWeight:u.lq.semibold}],activity:[a.activity,{display:"block",fontSize:i.small.fontSize,lineHeight:"15px",height:"15px",overflow:"hidden",textOverflow:"ellipsis",whiteSpace:"nowrap",color:r.neutralSecondary}]}}),void 0,{scope:"DocumentCardActivity"}),Ci=(0,D.y)(),Si=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.children,o=e.styles,n=e.theme,r=e.className;return this._classNames=Ci(o,{theme:n,className:r}),c.createElement("div",{className:this._classNames.root},t)},t}(c.Component),xi={root:"ms-DocumentCardDetails"},ki=(0,I.z)(Si,(function(e){var t=e.className,o=e.theme;return{root:[(0,u.Cn)(xi,o).root,{display:"flex",flexDirection:"column",flex:1,justifyContent:"space-between",overflow:"hidden"},t]}}),void 0,{scope:"DocumentCardDetails"}),wi=(0,D.y)(),Ii=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.location,o=e.locationHref,n=e.ariaLabel,r=e.onClick,i=e.styles,a=e.theme,s=e.className;return this._classNames=wi(i,{theme:a,className:s}),c.createElement("a",{className:this._classNames.root,href:o,onClick:r,"aria-label":n},t)},t}(c.Component),Di=(0,I.z)(Ii,(function(e){var t=e.theme,o=e.className,n=t.palette,r=t.fonts;return{root:[(0,u.Cn)(di,t).root,r.small,{color:n.themePrimary,display:"block",fontWeight:u.lq.semibold,overflow:"hidden",padding:"8px 16px",position:"relative",textDecoration:"none",textOverflow:"ellipsis",whiteSpace:"nowrap",selectors:{":hover":{color:n.themePrimary,cursor:"pointer"}}},o]}}),void 0,{scope:"DocumentCardLocation"}),Ti=o(4861),Ei=(0,D.y)(),Pi=function(e){function t(t){var o=e.call(this,t)||this;return o._renderPreviewList=function(e){var t=o.props,n=t.getOverflowDocumentCountText,r=t.maxDisplayCount,i=void 0===r?3:r,a=e.length-i,s=a?n?n(a):"+"+a:null,u=e.slice(0,i).map((function(e,t){return c.createElement("li",{key:t},c.createElement(Ti.E,{className:o._classNames.fileListIcon,src:e.iconSrc,role:"presentation",alt:"",width:"16px",height:"16px"}),c.createElement(O,(0,l.pi)({className:o._classNames.fileListLink},(e.linkProps,{href:e.linkProps&&e.linkProps.href||e.url})),e.name))}));return c.createElement("div",null,c.createElement("ul",{className:o._classNames.fileList},u),s&&c.createElement("span",{className:o._classNames.fileListOverflowText},s))},(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e,t,o=this.props,n=o.previewImages,r=o.styles,i=o.theme,a=o.className,s=n.length>1;return this._classNames=Ei(r,{theme:i,className:a,isFileList:s}),n.length>1?t=this._renderPreviewList(n):1===n.length&&(t=this._renderPreviewImage(n[0]),n[0].accentColor&&(e={borderBottomColor:n[0].accentColor})),c.createElement("div",{className:this._classNames.root,style:e},t)},t.prototype._renderPreviewImage=function(e){var t=e.width,o=e.height,n=e.imageFit,r=e.previewIconProps,i=e.previewIconContainerClass;if(r)return c.createElement("div",{className:(0,pt.i)(this._classNames.previewIcon,i),style:{width:t,height:o}},c.createElement(W.J,(0,l.pi)({},r)));var a,s=c.createElement(Ti.E,{width:t,height:o,imageFit:n,src:e.previewImageSrc,role:"presentation",alt:""});return e.iconSrc&&(a=c.createElement(Ti.E,{className:this._classNames.icon,src:e.iconSrc,role:"presentation",alt:""})),c.createElement("div",null,s,a)},t}(c.Component),Mi=(0,I.z)(Pi,(function(e){var t,o,n=e.theme,r=e.className,i=e.isFileList,a=n.palette,s=n.fonts,l=(0,u.Cn)(li,n);return{root:[l.root,s.small,{backgroundColor:i?a.white:a.neutralLighterAlt,borderBottom:"1px solid "+a.neutralLight,overflow:"hidden",position:"relative"},r],previewIcon:[l.iconContainer,{display:"flex",alignItems:"center",justifyContent:"center",height:"100%"}],icon:[l.icon,{left:"10px",bottom:"10px",position:"absolute"}],fileList:{padding:"16px 16px 0 16px",listStyleType:"none",margin:0,selectors:{li:{height:"16px",lineHeight:"16px",marginBottom:"8px",overflow:"hidden"}}},fileListIcon:{display:"inline-block",marginRight:"8px"},fileListLink:[(0,u.GL)(n,{highContrastStyle:{border:"1px solid WindowText",outline:"none"}}),{boxSizing:"border-box",color:a.neutralDark,overflow:"hidden",display:"inline-block",textDecoration:"none",textOverflow:"ellipsis",whiteSpace:"nowrap",width:"calc(100% - 24px)",selectors:(t={":hover":{color:a.themePrimary}},t["."+de.G$+" &:focus"]={selectors:(o={},o[u.qJ]={outline:"none"},o)},t)}],fileListOverflowText:{padding:"0px 16px 8px 16px",display:"block"}}}),void 0,{scope:"DocumentCardPreview"}),Ri=(0,D.y)(),Ni=function(e){function t(t){var o=e.call(this,t)||this;return o._onImageLoad=function(){o.setState({imageHasLoaded:!0})},(0,P.l)(o),o.state={imageHasLoaded:!1},o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.width,n=e.height,r=e.imageFit,i=e.imageSrc;return this._classNames=Ri(t,this.props),c.createElement("div",{className:this._classNames.root},i&&c.createElement(Ti.E,{width:o,height:n,imageFit:r,src:i,role:"presentation",alt:"",onLoad:this._onImageLoad}),this.state.imageHasLoaded?this._renderCornerIcon():this._renderCenterIcon())},t.prototype._renderCenterIcon=function(){var e=this.props.iconProps;return c.createElement("div",{className:this._classNames.centeredIconWrapper},c.createElement(W.J,(0,l.pi)({className:this._classNames.centeredIcon},e)))},t.prototype._renderCornerIcon=function(){var e=this.props.iconProps;return c.createElement(W.J,(0,l.pi)({className:this._classNames.cornerIcon},e))},t}(c.Component),Bi="42px",Fi="32px",Li=(0,I.z)(Ni,(function(e){var t=e.theme,o=e.className,n=e.height,r=e.width,i=t.palette;return{root:[{borderBottom:"1px solid "+i.neutralLight,position:"relative",backgroundColor:i.neutralLighterAlt,overflow:"hidden",height:n&&n+"px",width:r&&r+"px"},o],centeredIcon:[{height:Bi,width:Bi,fontSize:Bi}],centeredIconWrapper:[{display:"flex",alignItems:"center",justifyContent:"center",height:"100%",width:"100%",position:"absolute",top:0,left:0}],cornerIcon:[{left:"10px",bottom:"10px",height:Fi,width:Fi,fontSize:Fi,position:"absolute",overflow:"visible"}]}}),void 0,{scope:"DocumentCardImage"}),Ai=(0,D.y)(),zi=function(e){function t(t){var o=e.call(this,t)||this;return o._titleElement=c.createRef(),o._measureTitleElement=c.createRef(),o._truncateTitle=function(){o.state.needMeasurement&&o._async.requestAnimationFrame(o._truncateWhenInAnimation)},o._truncateWhenInAnimation=function(){var e=o.props.title,t=o._measureTitleElement.current;if(t){var n=getComputedStyle(t);if(n.width&&n.lineHeight&&n.height){var r=t.clientWidth,i=t.scrollWidth,a=Math.floor((parseInt(n.height,10)+5)/parseInt(n.lineHeight,10)),s=i/(parseInt(n.width,10)*a);if(s>1){var l=e.length/s-3;return o.setState({truncatedTitleFirstPiece:e.slice(0,l/2),truncatedTitleSecondPiece:e.slice(e.length-l/2),clientWidth:r,needMeasurement:!1})}}}return o.setState({needMeasurement:!1})},o._shrinkTitle=function(){var e=o.state,t=e.truncatedTitleFirstPiece,n=e.truncatedTitleSecondPiece;if(t&&n){var r=o._titleElement.current;if(!r)return;(r.scrollHeight>r.clientHeight+5||r.scrollWidth>r.clientWidth)&&o.setState({truncatedTitleFirstPiece:t.slice(0,t.length-1),truncatedTitleSecondPiece:n.slice(1)})}},(0,P.l)(o),o._async=new bo.e(o),o._events=new at.r(o),o.state={truncatedTitleFirstPiece:"",truncatedTitleSecondPiece:"",previousTitle:t.title,needMeasurement:!!t.shouldTruncate},o}return(0,l.ZT)(t,e),t.prototype.componentDidUpdate=function(){this.props.title!==this.state.previousTitle&&this.setState({truncatedTitleFirstPiece:void 0,truncatedTitleSecondPiece:void 0,clientWidth:void 0,previousTitle:this.props.title,needMeasurement:!!this.props.shouldTruncate}),this._events.off(window,"resize",this._updateTruncation),this.props.shouldTruncate&&(this._truncateTitle(),requestAnimationFrame(this._shrinkTitle),this._events.on(window,"resize",this._updateTruncation))},t.prototype.componentDidMount=function(){this.props.shouldTruncate&&(this._truncateTitle(),this._events.on(window,"resize",this._updateTruncation))},t.prototype.componentWillUnmount=function(){this._events.dispose(),this._async.dispose()},t.prototype.render=function(){var e=this.props,t=e.title,o=e.shouldTruncate,n=e.showAsSecondaryTitle,r=e.styles,i=e.theme,a=e.className,s=this.state,l=s.truncatedTitleFirstPiece,u=s.truncatedTitleSecondPiece,d=s.needMeasurement;return this._classNames=Ai(r,{theme:i,className:a,showAsSecondaryTitle:n}),d?c.createElement("div",{className:this._classNames.root,ref:this._measureTitleElement,title:t,style:{whiteSpace:"nowrap"}},t):o&&l&&u?c.createElement("div",{className:this._classNames.root,ref:this._titleElement,title:t},l,"…",u):c.createElement("div",{className:this._classNames.root,ref:this._titleElement,title:t},t)},t.prototype._updateTruncation=function(){var e=this;this._async.requestAnimationFrame((function(){if(e._titleElement.current){var t=e._titleElement.current.clientWidth;clearTimeout(e._titleTruncationTimer),e.state.clientWidth!==t&&(e._titleTruncationTimer=e._async.setTimeout((function(){return e.setState({truncatedTitleFirstPiece:void 0,truncatedTitleSecondPiece:void 0,needMeasurement:!0})}),250))}}))},t}(c.Component),Hi=(0,I.z)(zi,(function(e){var t=e.theme,o=e.className,n=e.showAsSecondaryTitle,r=t.palette,i=t.fonts;return{root:[(0,u.Cn)(ui,t).root,n?i.medium:i.large,{padding:"8px 16px",display:"block",overflow:"hidden",wordWrap:"break-word",height:n?"45px":"38px",lineHeight:n?"18px":"21px",color:n?r.neutralSecondary:r.neutralPrimary},o]}}),void 0,{scope:"DocumentCardTitle"}),Oi=(0,D.y)(),Wi=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.logoIcon,o=e.styles,n=e.theme,r=e.className;return this._classNames=Oi(o,{theme:n,className:r}),c.createElement("div",{className:this._classNames.root},c.createElement(W.J,{iconName:t}))},t}(c.Component),Vi={root:"ms-DocumentCardLogo"},Ki=(0,I.z)(Wi,(function(e){var t=e.theme,o=e.className,n=t.palette,r=t.fonts;return{root:[(0,u.Cn)(Vi,t).root,{fontSize:r.xxLargePlus.fontSize,color:n.themePrimary,display:"block",padding:"16px 16px 0 16px"},o]}}),void 0,{scope:"DocumentCardLogo"}),qi=(0,D.y)(),Gi=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.statusIcon,o=e.status,n=e.styles,r=e.theme,i=e.className,a={iconName:t,styles:{root:{padding:"8px"}}};return this._classNames=qi(n,{theme:r,className:i}),c.createElement("div",{className:this._classNames.root},t&&c.createElement(W.J,(0,l.pi)({},a)),o)},t}(c.Component),Ui={root:"ms-DocumentCardStatus"},ji=(0,I.z)(Gi,(function(e){var t=e.className,o=e.theme,n=o.palette,r=o.fonts;return{root:[(0,u.Cn)(Ui,o).root,r.medium,{margin:"8px 16px",color:n.neutralPrimary,backgroundColor:n.neutralLighter,height:"32px"},t]}}),void 0,{scope:"DocumentCardStatus"}),Ji=o(4004),Yi=o(8982),Zi=o(2703),Xi=o(4976);(0,Xi.RM)([{rawString:".pickerText_43ffcad1{display:-webkit-box;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;-webkit-box-align:center;-ms-flex-align:center;align-items:center;-webkit-box-sizing:border-box;box-sizing:border-box;border:1px solid "},{theme:"neutralTertiary",defaultValue:"#a19f9d"},{rawString:";min-width:180px;padding:1px;min-height:32px}.pickerText_43ffcad1:hover{border-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:"}.pickerInput_43ffcad1{height:34px;border:none;-webkit-box-flex:1;-ms-flex-positive:1;flex-grow:1;outline:0;padding:0 6px 0;margin:1px}.pickerInput_43ffcad1::-ms-clear{display:none}"}]);var Qi="pickerText_43ffcad1",$i="pickerInput_43ffcad1",ea=n,ta=function(e){function t(t){var o=e.call(this,t)||this;return o.floatingPicker=c.createRef(),o.selectedItemsList=c.createRef(),o.root=c.createRef(),o.input=c.createRef(),o.onSelectionChange=function(){o.forceUpdate()},o.onInputChange=function(e,t){t||(o.setState({queryString:e}),o.floatingPicker.current&&o.floatingPicker.current.onQueryStringChanged(e))},o.onInputFocus=function(e){o.selectedItemsList.current&&o.selectedItemsList.current.unselectAll(),o.props.inputProps&&o.props.inputProps.onFocus&&o.props.inputProps.onFocus(e)},o.onInputClick=function(e){if(o.selectedItemsList.current&&o.selectedItemsList.current.unselectAll(),o.floatingPicker.current&&o.inputElement){var t=""===o.inputElement.value||o.inputElement.value!==o.floatingPicker.current.inputText;o.floatingPicker.current.showPicker(t)}},o.onBackspace=function(e){e.which===rt.m.backspace&&o.selectedItemsList.current&&o.items.length&&(o.input.current&&!o.input.current.isValueSelected&&o.input.current.inputElement===document.activeElement&&0===o.input.current.cursorLocation?(o.floatingPicker.current&&o.floatingPicker.current.hidePicker(),e.preventDefault(),o.selectedItemsList.current.removeItemAt(o.items.length-1),o._onSelectedItemsChanged()):o.selectedItemsList.current.hasSelectedItems()&&(o.floatingPicker.current&&o.floatingPicker.current.hidePicker(),e.preventDefault(),o.selectedItemsList.current.removeSelectedItems(),o._onSelectedItemsChanged()))},o.onCopy=function(e){o.selectedItemsList.current&&o.selectedItemsList.current.onCopy(e)},o.onPaste=function(e){if(o.props.onPaste){var t=e.clipboardData.getData("Text");e.preventDefault(),o.props.onPaste(t)}},o._onSuggestionSelected=function(e){var t=o.props.currentRenderedQueryString,n=o.state.queryString;if(void 0===t||t===n){var r=o.props.onItemSelected?o.props.onItemSelected(e):e;if(null===r)return;var i,a=r,s=r;s&&s.then?s.then((function(e){i=e,o._addProcessedItem(i)})):(i=a,o._addProcessedItem(i))}},o._onSelectedItemsChanged=function(){o.focus()},o._onSuggestionsShownOrHidden=function(){o.forceUpdate()},(0,P.l)(o),o.selection=new nn.Y({onSelectionChanged:function(){return o.onSelectionChange()}}),o.state={queryString:""},o}return(0,l.ZT)(t,e),Object.defineProperty(t.prototype,"items",{get:function(){var e,t,o,n;return null!=(n=null!=(o=null!=(e=this.props.selectedItems)?e:null===(t=this.selectedItemsList.current)||void 0===t?void 0:t.items)?o:this.props.defaultSelectedItems)?n:null},enumerable:!0,configurable:!0}),t.prototype.componentDidMount=function(){this.forceUpdate()},t.prototype.focus=function(){this.input.current&&this.input.current.focus()},t.prototype.clearInput=function(){this.input.current&&this.input.current.clear()},Object.defineProperty(t.prototype,"inputElement",{get:function(){return this.input.current&&this.input.current.inputElement},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"highlightedItems",{get:function(){return this.selectedItemsList.current?this.selectedItemsList.current.highlightedItems():[]},enumerable:!0,configurable:!0}),t.prototype.render=function(){var e=this.props,t=e.className,o=e.inputProps,n=e.disabled,r=e.focusZoneProps,i=this.floatingPicker.current&&-1!==this.floatingPicker.current.currentSelectedSuggestionIndex?"sug-"+this.floatingPicker.current.currentSelectedSuggestionIndex:void 0,a=!!this.floatingPicker.current&&this.floatingPicker.current.isSuggestionsShown;return c.createElement("div",{ref:this.root,className:(0,pt.i)("ms-BasePicker ms-BaseExtendedPicker",t||""),onKeyDown:this.onBackspace,onCopy:this.onCopy},c.createElement(M.k,(0,l.pi)({direction:R.U.bidirectional},r),c.createElement(rn.i,{selection:this.selection,selectionMode:on.oW.multiple},c.createElement("div",{className:(0,pt.i)("ms-BasePicker-text",ea.pickerText),role:"list"},this.props.headerComponent,this.renderSelectedItemsList(),this.canAddItems()&&c.createElement(x.G,(0,l.pi)({},o,{className:(0,pt.i)("ms-BasePicker-input",ea.pickerInput),ref:this.input,onFocus:this.onInputFocus,onClick:this.onInputClick,onInputValueChange:this.onInputChange,"aria-activedescendant":i,"aria-owns":a?"suggestion-list":void 0,"aria-expanded":a,"aria-haspopup":"true",role:"combobox",disabled:n,onPaste:this.onPaste}))))),this.renderFloatingPicker())},Object.defineProperty(t.prototype,"floatingPickerProps",{get:function(){return this.props.floatingPickerProps},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"selectedItemsListProps",{get:function(){return this.props.selectedItemsListProps},enumerable:!0,configurable:!0}),t.prototype.canAddItems=function(){var e=this.props.itemLimit;return void 0===e||this.items.length0,p=d?r:r.slice(0,u),m=(d?i:r.slice(u))||[];return c.createElement("div",{className:l.root},this.onRenderAriaDescription(),c.createElement("div",{className:l.itemContainer},a?this._getAddNewElement():null,c.createElement("ul",{className:l.members,"aria-label":s},this._onRenderVisiblePersonas(p,0===m.length&&1===r.length)),e?this._getOverflowElement(m):null))},t.prototype.onRenderAriaDescription=function(){var e=this.props.ariaDescription,t=this._classNames;return e&&c.createElement("span",{className:t.screenReaderOnly,id:this._ariaDescriptionId},e)},t.prototype._onRenderVisiblePersonas=function(e,t){var o=this,n=this.props,r=n.onRenderPersona,i=void 0===r?this._getPersonaControl:r,a=n.onRenderPersonaCoin,s=void 0===a?this._getPersonaCoinControl:a;return e.map((function(e,n){var r=t?i(e,o._getPersonaControl):s(e,o._getPersonaCoinControl);return c.createElement("li",{key:(t?"persona":"personaCoin")+"-"+n,className:o._classNames.member},e.onClick?o._getElementWithOnClickEvent(r,e,n):o._getElementWithoutOnClickEvent(r,e,n))}))},t.prototype._getElementWithOnClickEvent=function(e,t,o){var n=t.keytipProps;return c.createElement(ca,(0,l.pi)({},(0,E.pq)(t,E.Yq),this._getElementProps(t,o),{keytipProps:n,onClick:this._onPersonaClick.bind(this,t)}),e)},t.prototype._getElementWithoutOnClickEvent=function(e,t,o){return c.createElement("div",(0,l.pi)({},(0,E.pq)(t,E.Yq),this._getElementProps(t,o)),e)},t.prototype._getElementProps=function(e,t){var o=this._classNames;return{key:(e.imageUrl?"i":"")+t,"data-is-focusable":!0,className:o.itemButton,title:e.personaName,onMouseMove:this._onPersonaMouseMove.bind(this,e),onMouseOut:this._onPersonaMouseOut.bind(this,e)}},t.prototype._getOverflowElement=function(e){switch(this.props.overflowButtonType){case oa.descriptive:return this._getDescriptiveOverflowElement(e);case oa.downArrow:return this._getIconElement("ChevronDown");case oa.more:return this._getIconElement("More");default:return null}},t.prototype._getDescriptiveOverflowElement=function(e){var t=this.props.personaSize;if(!e||e.length<1)return null;var o=e.map((function(e){return e.personaName})).join(", "),n=(0,l.pi)({title:o},this.props.overflowButtonProps),r=Math.max(e.length,0),i=this._classNames;return c.createElement(ca,(0,l.pi)({},n,{ariaDescription:n.title,className:i.descriptiveOverflowButton}),c.createElement(_.t,{size:t,onRenderInitials:this._renderInitialsNotPictured(r),initialsColor:C.z5.transparent}))},t.prototype._getIconElement=function(e){var t=this.props,o=t.overflowButtonProps,n=t.personaSize,r=this._classNames;return c.createElement(ca,(0,l.pi)({},o,{className:r.overflowButton}),c.createElement(_.t,{size:n,onRenderInitials:this._renderInitials(e,!0),initialsColor:C.z5.transparent}))},t.prototype._getAddNewElement=function(){var e=this.props,t=e.addButtonProps,o=e.personaSize,n=this._classNames;return c.createElement(ca,(0,l.pi)({},t,{className:n.addButton}),c.createElement(_.t,{size:o,onRenderInitials:this._renderInitials("AddFriend")}))},t.prototype._onPersonaClick=function(e,t){e.onClick(t,e),t.preventDefault(),t.stopPropagation()},t.prototype._onPersonaMouseMove=function(e,t){e.onMouseMove&&e.onMouseMove(t,e)},t.prototype._onPersonaMouseOut=function(e,t){e.onMouseOut&&e.onMouseOut(t,e)},t.prototype._renderInitials=function(e,t){var o=this._classNames;return function(){return c.createElement(W.J,{iconName:e,className:t?o.overflowInitialsIcon:""})}},t.prototype._renderInitialsNotPictured=function(e){var t=this._classNames;return function(){return c.createElement("span",{className:t.overflowInitialsIcon},e<100?"+"+e:"99+")}},t.defaultProps={maxDisplayablePersonas:5,personas:[],overflowPersonas:[],personaSize:C.Ir.size32},t}(c.Component),ma={root:"ms-Facepile",addButton:"ms-Facepile-addButton ms-Facepile-itemButton",descriptiveOverflowButton:"ms-Facepile-descriptiveOverflowButton ms-Facepile-itemButton",itemButton:"ms-Facepile-itemButton ms-Facepile-person",itemContainer:"ms-Facepile-itemContainer",members:"ms-Facepile-members",member:"ms-Facepile-member",overflowButton:"ms-Facepile-overflowButton ms-Facepile-itemButton"},ha=(0,I.z)(pa,(function(e){var t,o=e.className,n=e.theme,r=e.spacingAroundItemButton,i=void 0===r?2:r,a=n.palette,s=n.fonts,l=(0,u.Cn)(ma,n),c={textAlign:"center",padding:0,borderRadius:"50%",verticalAlign:"top",display:"inline",backgroundColor:"transparent",border:"none",selectors:{"&::-moz-focus-inner":{padding:0,border:0}}};return{root:[l.root,n.fonts.medium,{width:"auto"},o],addButton:[l.addButton,(0,u.GL)(n,{inset:-1}),c,{fontSize:s.medium.fontSize,color:a.white,backgroundColor:a.themePrimary,marginRight:2*i+"px",selectors:{"&:hover":{backgroundColor:a.themeDark},"&:focus":{backgroundColor:a.themeDark},"&:active":{backgroundColor:a.themeDarker},"&:disabled":{backgroundColor:a.neutralTertiaryAlt}}}],descriptiveOverflowButton:[l.descriptiveOverflowButton,(0,u.GL)(n,{inset:-1}),c,{fontSize:s.small.fontSize,color:a.neutralSecondary,backgroundColor:a.neutralLighter,marginLeft:2*i+"px"}],itemButton:[l.itemButton,c],itemContainer:[l.itemContainer,{display:"flex"}],members:[l.members,{display:"flex",overflow:"hidden",listStyleType:"none",padding:0,margin:"-"+i+"px"}],member:[l.member,{display:"inline-flex",flex:"0 0 auto",margin:i+"px"}],overflowButton:[l.overflowButton,(0,u.GL)(n,{inset:-1}),c,{fontSize:s.medium.fontSize,color:a.neutralSecondary,backgroundColor:a.neutralLighter,marginLeft:2*i+"px"}],overflowInitialsIcon:[{color:a.neutralPrimary,selectors:(t={},t[u.qJ]={color:"WindowText"},t)}],screenReaderOnly:u.ul}}),void 0,{scope:"Facepile"});(0,Xi.RM)([{rawString:".callout_467cd672 .ms-Suggestions-itemButton{padding:0;border:none}.callout_467cd672 .ms-Suggestions{min-width:300px}"}]);var ga="callout_467cd672",fa=o(7420);(0,Xi.RM)([{rawString:".suggestionsContainer_98495a3a{overflow-y:auto;overflow-x:hidden;max-height:300px}.suggestionsContainer_98495a3a .ms-Suggestion-item:hover{background-color:"},{theme:"neutralLighter",defaultValue:"#f3f2f1"},{rawString:";cursor:pointer}.suggestionsContainer_98495a3a .is-suggested{background-color:"},{theme:"themeLighter",defaultValue:"#deecf9"},{rawString:"}.suggestionsContainer_98495a3a .is-suggested:hover{background-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:";cursor:pointer}"}]);var va="suggestionsContainer_98495a3a",ba=i,ya=function(e){function t(t){var o=e.call(this,t)||this;return o._selectedElement=c.createRef(),o.SuggestionsItemOfProperType=fa.S,o._onClickTypedSuggestionsItem=function(e,t){return function(n){o.props.onSuggestionClick(n,e,t)}},o._onRemoveTypedSuggestionsItem=function(e,t){return function(n){(0,o.props.onSuggestionRemove)(n,e,t),n.stopPropagation()}},(0,P.l)(o),o.currentIndex=-1,o}return(0,l.ZT)(t,e),t.prototype.nextSuggestion=function(){var e=this.props.suggestions;if(e&&e.length>0){if(-1===this.currentIndex)return this.setSelectedSuggestion(0),!0;if(this.currentIndex0){if(-1===this.currentIndex)return this.setSelectedSuggestion(e.length-1),!0;if(this.currentIndex>0)return this.setSelectedSuggestion(this.currentIndex-1),!0;if(this.props.shouldLoopSelection&&0===this.currentIndex)return this.setSelectedSuggestion(e.length-1),!0}return!1},Object.defineProperty(t.prototype,"selectedElement",{get:function(){return this._selectedElement.current||void 0},enumerable:!0,configurable:!0}),t.prototype.getCurrentItem=function(){return this.props.suggestions[this.currentIndex]},t.prototype.getSuggestionAtIndex=function(e){return this.props.suggestions[e]},t.prototype.hasSuggestionSelected=function(){return-1!==this.currentIndex&&this.currentIndex-1&&this.props.suggestions[this.currentIndex]&&(this.props.suggestions[this.currentIndex].selected=!1,this.currentIndex=-1,this.forceUpdate())},t.prototype.setSelectedSuggestion=function(e){var t=this.props.suggestions;e>t.length-1||e<0?(this.currentIndex=0,this.currentSuggestion.selected=!1,this.currentSuggestion=t[0],this.currentSuggestion.selected=!0):(this.currentIndex>-1&&t[this.currentIndex]&&(t[this.currentIndex].selected=!1),t[e].selected=!0,this.currentIndex=e,this.currentSuggestion=t[e]),this.forceUpdate()},t.prototype.componentDidUpdate=function(){this.scrollSelected()},t.prototype.render=function(){var e=this,t=this.props,o=t.onRenderSuggestion,n=t.suggestionsItemClassName,r=t.resultsMaximumNumber,i=t.showRemoveButtons,a=t.suggestionsContainerAriaLabel,s=this.SuggestionsItemOfProperType,l=this.props.suggestions;return r&&(l=l.slice(0,r)),c.createElement("div",{className:(0,pt.i)("ms-Suggestions-container",ba.suggestionsContainer),id:"suggestion-list",role:"list","aria-label":a},l.map((function(t,r){return c.createElement("div",{ref:t.selected||r===e.currentIndex?e._selectedElement:void 0,key:t.item.key?t.item.key:r,id:"sug-"+r,role:"listitem","aria-label":t.ariaLabel},c.createElement(s,{id:"sug-item"+r,suggestionModel:t,RenderSuggestion:o,onClick:e._onClickTypedSuggestionsItem(t.item,r),className:n,showRemoveButton:i,onRemoveItem:e._onRemoveTypedSuggestionsItem(t.item,r),isSelectedOverride:r===e.currentIndex}))})))},t.prototype.scrollSelected=function(){var e;void 0!==(null===(e=this._selectedElement.current)||void 0===e?void 0:e.scrollIntoView)&&this._selectedElement.current.scrollIntoView(!1)},t}(c.Component);(0,Xi.RM)([{rawString:".root_6d187696{min-width:260px}.actionButton_6d187696{background:0 0;background-color:transparent;border:0;cursor:pointer;margin:0;padding:0;position:relative;width:100%;font-size:12px}html[dir=ltr] .actionButton_6d187696{text-align:left}html[dir=rtl] .actionButton_6d187696{text-align:right}.actionButton_6d187696:hover{background-color:"},{theme:"neutralLighter",defaultValue:"#f3f2f1"},{rawString:";cursor:pointer}.actionButton_6d187696:active,.actionButton_6d187696:focus{background-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:"}.actionButton_6d187696 .ms-Button-icon{font-size:16px;width:25px}.actionButton_6d187696 .ms-Button-label{margin:0 4px 0 9px}html[dir=rtl] .actionButton_6d187696 .ms-Button-label{margin:0 9px 0 4px}.buttonSelected_6d187696{background-color:"},{theme:"themeLighter",defaultValue:"#deecf9"},{rawString:"}.buttonSelected_6d187696:hover{background-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:";cursor:pointer}@media screen and (-ms-high-contrast:active){.buttonSelected_6d187696:hover{background-color:Highlight;color:HighlightText}}@media screen and (-ms-high-contrast:active){.buttonSelected_6d187696{background-color:Highlight;color:HighlightText;-ms-high-contrast-adjust:none}}.suggestionsTitle_6d187696{font-size:12px}.suggestionsSpinner_6d187696{margin:5px 0;white-space:nowrap;line-height:20px;font-size:12px}html[dir=ltr] .suggestionsSpinner_6d187696{padding-left:14px}html[dir=rtl] .suggestionsSpinner_6d187696{padding-right:14px}html[dir=ltr] .suggestionsSpinner_6d187696{text-align:left}html[dir=rtl] .suggestionsSpinner_6d187696{text-align:right}.suggestionsSpinner_6d187696 .ms-Spinner-circle{display:inline-block;vertical-align:middle}.suggestionsSpinner_6d187696 .ms-Spinner-label{display:inline-block;margin:0 10px 0 16px;vertical-align:middle}html[dir=rtl] .suggestionsSpinner_6d187696 .ms-Spinner-label{margin:0 16px 0 10px}.itemButton_6d187696{height:100%;width:100%;padding:7px 12px}@media screen and (-ms-high-contrast:active){.itemButton_6d187696{color:WindowText}}.screenReaderOnly_6d187696{position:absolute;width:1px;height:1px;padding:0;margin:-1px;overflow:hidden;clip:rect(0,0,0,0);border:0}"}]);var _a,Ca="root_6d187696",Sa="actionButton_6d187696",xa="buttonSelected_6d187696",ka="suggestionsTitle_6d187696",wa="suggestionsSpinner_6d187696",Ia="itemButton_6d187696",Da="screenReaderOnly_6d187696",Ta=a;!function(e){e[e.header=0]="header",e[e.suggestion=1]="suggestion",e[e.footer=2]="footer"}(_a||(_a={}));var Ea=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e,t=this.props,o=t.renderItem,n=t.onExecute,r=t.isSelected,i=t.id,a=t.className;return n?c.createElement("div",{id:i,onClick:n,className:(0,pt.i)("ms-Suggestions-sectionButton",a,Ta.actionButton,(e={},e["is-selected "+Ta.buttonSelected]=r,e))},o()):c.createElement("div",{id:i,className:(0,pt.i)("ms-Suggestions-section",a,Ta.suggestionsTitle)},o())},t}(c.Component),Pa=function(e){function t(t){var o=e.call(this,t)||this;return o._selectedElement=c.createRef(),o._suggestions=c.createRef(),o.SuggestionsOfProperType=ya,(0,P.l)(o),o.state={selectedHeaderIndex:-1,selectedFooterIndex:-1,suggestions:t.suggestions},o}return(0,l.ZT)(t,e),t.prototype.componentDidMount=function(){this.resetSelectedItem()},t.prototype.componentDidUpdate=function(e){var t=this;this.scrollSelected(),e.suggestions&&e.suggestions!==this.props.suggestions&&this.setState({suggestions:this.props.suggestions},(function(){t.resetSelectedItem()}))},t.prototype.componentWillUnmount=function(){var e;null===(e=this._suggestions.current)||void 0===e||e.deselectAllSuggestions()},t.prototype.render=function(){var e=this.props,t=e.className,o=e.headerItemsProps,n=e.footerItemsProps,r=e.suggestionsAvailableAlertText,i=(0,u.y0)(u.ul),a=this.state.suggestions&&this.state.suggestions.length>0&&r;return c.createElement("div",{className:(0,pt.i)("ms-Suggestions",t||"",Ta.root)},o&&this.renderHeaderItems(),this._renderSuggestions(),n&&this.renderFooterItems(),a?c.createElement("span",{role:"alert","aria-live":"polite",className:i},r):null)},Object.defineProperty(t.prototype,"currentSuggestion",{get:function(){var e;return(null===(e=this._suggestions.current)||void 0===e?void 0:e.getCurrentItem())||void 0},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"currentSuggestionIndex",{get:function(){return this._suggestions.current?this._suggestions.current.currentIndex:-1},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"selectedElement",{get:function(){var e;return this._selectedElement.current?this._selectedElement.current:null===(e=this._suggestions.current)||void 0===e?void 0:e.selectedElement},enumerable:!0,configurable:!0}),t.prototype.hasSuggestionSelected=function(){var e;return(null===(e=this._suggestions.current)||void 0===e?void 0:e.hasSuggestionSelected())||!1},t.prototype.hasSelection=function(){var e=this.state,t=e.selectedHeaderIndex,o=e.selectedFooterIndex;return-1!==t||this.hasSuggestionSelected()||-1!==o},t.prototype.executeSelectedAction=function(){var e,t=this.props,o=t.headerItemsProps,n=t.footerItemsProps,r=this.state,i=r.selectedHeaderIndex,a=r.selectedFooterIndex;if(o&&-1!==i&&it+1)return null===(o=this._suggestions.current)||void 0===o||o.setSelectedSuggestion(t+1),this.setState({selectedHeaderIndex:-1,selectedFooterIndex:-1}),!0}else{var r=e===_a.header,i=r?this.props.headerItemsProps:this.props.footerItemsProps;if(i&&i.length>t+1)for(var a=t+1;a0)return null===(o=this._suggestions.current)||void 0===o||o.setSelectedSuggestion(r-1),this.setState({selectedHeaderIndex:-1,selectedFooterIndex:-1}),!0}else{var r,i=e===_a.header,a=i?this.props.headerItemsProps:this.props.footerItemsProps;if(a&&(r=void 0!==t?t:a.length)>0)for(var s=r-1;s>=0;s--){var l=a[s];if(l.onExecute&&l.shouldShow())return this.setState({selectedHeaderIndex:i?s:-1}),this.setState({selectedFooterIndex:i?-1:s}),null===(n=this._suggestions.current)||void 0===n||n.deselectAllSuggestions(),!0}}return!1},t.prototype._getCurrentIndexForType=function(e){switch(e){case _a.header:return this.state.selectedHeaderIndex;case _a.suggestion:return this._suggestions.current.currentIndex;case _a.footer:return this.state.selectedFooterIndex}},t.prototype._getNextItemSectionType=function(e){switch(e){case _a.header:return _a.suggestion;case _a.suggestion:return _a.footer;case _a.footer:return _a.header}},t.prototype._getPreviousItemSectionType=function(e){switch(e){case _a.header:return _a.footer;case _a.suggestion:return _a.header;case _a.footer:return _a.suggestion}},t}(c.Component),Ma=r,Ra=function(e){function t(t){var o=e.call(this,t)||this;return o.root=c.createRef(),o.suggestionsControl=c.createRef(),o.SuggestionsControlOfProperType=Pa,o.isComponentMounted=!1,o.onQueryStringChanged=function(e){e!==o.state.queryString&&(o.setState({queryString:e}),o.props.onInputChanged&&o.props.onInputChanged(e),o.updateValue(e))},o.hidePicker=function(){var e=o.isSuggestionsShown;o.setState({suggestionsVisible:!1}),o.props.onSuggestionsHidden&&e&&o.props.onSuggestionsHidden()},o.showPicker=function(e){void 0===e&&(e=!1);var t=o.isSuggestionsShown;o.setState({suggestionsVisible:!0});var n=o.props.inputElement?o.props.inputElement.value:"";e&&o.updateValue(n),o.props.onSuggestionsShown&&!t&&o.props.onSuggestionsShown()},o.completeSuggestion=function(){o.suggestionsControl.current&&o.suggestionsControl.current.hasSuggestionSelected()&&o.onChange(o.suggestionsControl.current.currentSuggestion.item)},o.onSuggestionClick=function(e,t,n){o.onChange(t),o._updateSuggestionsVisible(!1)},o.onSuggestionRemove=function(e,t,n){o.props.onRemoveSuggestion&&o.props.onRemoveSuggestion(t),o.suggestionsControl.current&&o.suggestionsControl.current.removeSuggestion(n)},o.onKeyDown=function(e){if(o.state.suggestionsVisible&&(!o.props.inputElement||o.props.inputElement.contains(e.target))){var t=e.which;switch(t){case rt.m.escape:o.hidePicker(),e.preventDefault(),e.stopPropagation();break;case rt.m.tab:case rt.m.enter:!e.shiftKey&&!e.ctrlKey&&o.suggestionsControl.current&&o.suggestionsControl.current.handleKeyDown(t)?(e.preventDefault(),e.stopPropagation()):o._onValidateInput();break;case rt.m.del:o.props.onRemoveSuggestion&&o.suggestionsControl.current&&o.suggestionsControl.current.hasSuggestionSelected&&o.suggestionsControl.current.currentSuggestion&&e.shiftKey&&(o.props.onRemoveSuggestion(o.suggestionsControl.current.currentSuggestion.item),o.suggestionsControl.current.removeSuggestion(),o.forceUpdate(),e.stopPropagation());break;case rt.m.up:case rt.m.down:o.suggestionsControl.current&&o.suggestionsControl.current.handleKeyDown(t)&&(e.preventDefault(),e.stopPropagation(),o._updateActiveDescendant())}}},o._onValidateInput=function(){if(o.state.queryString&&o.props.onValidateInput&&o.props.createGenericItem){var e=o.props.createGenericItem(o.state.queryString,o.props.onValidateInput(o.state.queryString)),t=o.suggestionStore.convertSuggestionsToSuggestionItems([e]);o.onChange(t[0].item)}},o._async=new bo.e(o),(0,P.l)(o),o.suggestionStore=t.suggestionsStore,o.state={queryString:"",didBind:!1},o}return(0,l.ZT)(t,e),Object.defineProperty(t.prototype,"inputText",{get:function(){return this.state.queryString},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"suggestions",{get:function(){return this.suggestionStore.suggestions},enumerable:!0,configurable:!0}),t.prototype.forceResolveSuggestion=function(){this.suggestionsControl.current&&this.suggestionsControl.current.hasSuggestionSelected()?this.completeSuggestion():this._onValidateInput()},Object.defineProperty(t.prototype,"currentSelectedSuggestionIndex",{get:function(){return this.suggestionsControl.current?this.suggestionsControl.current.currentSuggestionIndex:-1},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"isSuggestionsShown",{get:function(){return void 0!==this.state.suggestionsVisible&&this.state.suggestionsVisible},enumerable:!0,configurable:!0}),t.prototype.componentDidMount=function(){this._bindToInputElement(),this.isComponentMounted=!0,this._onResolveSuggestions=this._async.debounce(this._onResolveSuggestions,this.props.resolveDelay)},t.prototype.componentDidUpdate=function(){this._bindToInputElement()},t.prototype.componentWillUnmount=function(){this._unbindFromInputElement(),this.isComponentMounted=!1},t.prototype.updateSuggestions=function(e,t){void 0===t&&(t=!1),this.suggestionStore.updateSuggestions(e),t&&this.forceUpdate()},t.prototype.render=function(){var e=this.props.className;return c.createElement("div",{ref:this.root,className:(0,pt.i)("ms-BasePicker ms-BaseFloatingPicker",e||"")},this.renderSuggestions())},t.prototype.renderSuggestions=function(){var e=this.SuggestionsControlOfProperType;return this.props.suggestionItems&&this.suggestionStore.updateSuggestions(this.props.suggestionItems),this.state.suggestionsVisible?c.createElement(Ae.U,(0,l.pi)({className:Ma.callout,isBeakVisible:!1,gapSpace:5,target:this.props.inputElement,onDismiss:this.hidePicker,directionalHint:K.b.bottomLeftEdge,directionalHintForRTL:K.b.bottomRightEdge,calloutWidth:this.props.calloutWidth?this.props.calloutWidth:0},this.props.pickerCalloutProps),c.createElement(e,(0,l.pi)({onRenderSuggestion:this.props.onRenderSuggestionsItem,onSuggestionClick:this.onSuggestionClick,onSuggestionRemove:this.onSuggestionRemove,suggestions:this.suggestionStore.getSuggestions(),componentRef:this.suggestionsControl,completeSuggestion:this.completeSuggestion,shouldLoopSelection:!1},this.props.pickerSuggestionsProps))):null},t.prototype.onSelectionChange=function(){this.forceUpdate()},t.prototype.updateValue=function(e){""===e?this.updateSuggestionWithZeroState():this._onResolveSuggestions(e)},t.prototype.updateSuggestionWithZeroState=function(){if(this.props.onZeroQuerySuggestion){var e=(0,this.props.onZeroQuerySuggestion)(this.props.selectedItems);this.updateSuggestionsList(e)}else this.hidePicker()},t.prototype.updateSuggestionsList=function(e){var t=this,o=e,n=e;if(Array.isArray(o))this.updateSuggestions(o,!0);else if(n&&n.then){var r=this.currentPromise=n;r.then((function(e){r===t.currentPromise&&t.isComponentMounted&&t.updateSuggestions(e,!0)}))}},t.prototype.onChange=function(e){this.props.onChange&&this.props.onChange(e)},t.prototype._updateActiveDescendant=function(){if(this.props.inputElement&&this.suggestionsControl.current&&this.suggestionsControl.current.selectedElement){var e=this.suggestionsControl.current.selectedElement.getAttribute("id");e&&this.props.inputElement.setAttribute("aria-activedescendant",e)}},t.prototype._onResolveSuggestions=function(e){var t=this.props.onResolveSuggestions(e,this.props.selectedItems);this._updateSuggestionsVisible(!0),null!==t&&this.updateSuggestionsList(t)},t.prototype._updateSuggestionsVisible=function(e){e?this.showPicker():this.hidePicker()},t.prototype._bindToInputElement=function(){this.props.inputElement&&!this.state.didBind&&(this.props.inputElement.addEventListener("keydown",this.onKeyDown),this.setState({didBind:!0}))},t.prototype._unbindFromInputElement=function(){this.props.inputElement&&this.state.didBind&&(this.props.inputElement.removeEventListener("keydown",this.onKeyDown),this.setState({didBind:!1}))},t}(c.Component),Na=o(6104);(0,Xi.RM)([{rawString:".resultContent_9816a275{display:table-row}.resultContent_9816a275 .resultItem_9816a275{display:table-cell;vertical-align:bottom}.peoplePickerPersona_9816a275{width:180px}.peoplePickerPersona_9816a275 .ms-Persona-details{width:100%}.peoplePicker_9816a275 .ms-BasePicker-text{min-height:40px}.peoplePickerPersonaContent_9816a275{display:-webkit-box;display:-ms-flexbox;display:flex;width:100%;-webkit-box-pack:justify;-ms-flex-pack:justify;justify-content:space-between;-webkit-box-align:center;-ms-flex-align:center;align-items:center;padding:7px 12px}"}]);var Ba=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,l.ZT)(t,e),t}(Ra),Fa=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,l.ZT)(t,e),t.defaultProps={onRenderSuggestionsItem:function(e,t){return o=(0,l.pi)({},e),(0,l.pi)({},t),c.createElement("div",{className:(0,pt.i)("ms-PeoplePicker-personaContent","peoplePickerPersonaContent_9816a275")},c.createElement(ua.I,(0,l.pi)({presence:void 0!==o.presence?o.presence:C.H_.none,size:C.Ir.size40,className:(0,pt.i)("ms-PeoplePicker-Persona","peoplePickerPersona_9816a275"),showSecondaryText:!0},o)));var o},createGenericItem:La},t}(Ba);function La(e,t){var o={key:e,primaryText:e,imageInitials:"!",isValid:t};return t||(o.imageInitials=(0,Na.Q)(e,(0,T.zg)())),o}var Aa=function(){function e(e){var t=this;this._isSuggestionModel=function(e){return void 0!==e.item},this._ensureSuggestionModel=function(e){return t._isSuggestionModel(e)?e:{item:e,selected:!1,ariaLabel:void 0!==t.getAriaLabel?t.getAriaLabel(e):e.name||e.text||e.primaryText}},this.suggestions=[],this.getAriaLabel=e&&e.getAriaLabel}return e.prototype.updateSuggestions=function(e){e&&e.length>0?this.suggestions=this.convertSuggestionsToSuggestionItems(e):this.suggestions=[]},e.prototype.getSuggestions=function(){return this.suggestions},e.prototype.getSuggestionAtIndex=function(e){return this.suggestions[e]},e.prototype.removeSuggestion=function(e){this.suggestions.splice(e,1)},e.prototype.convertSuggestionsToSuggestionItems=function(e){return Array.isArray(e)?e.map(this._ensureSuggestionModel):[]},e}(),za=o(6316);(0,za.x)("@fluentui/react-focus","8.0.4");var Ha,Oa,Wa={host:"ms-HoverCard-host"};!function(e){e[e.hover=0]="hover",e[e.hotKey=1]="hotKey"}(Ha||(Ha={})),function(e){e.plain="PlainCard",e.expanding="ExpandingCard"}(Oa||(Oa={}));var Va,Ka={root:"ms-ExpandingCard-root",compactCard:"ms-ExpandingCard-compactCard",expandedCard:"ms-ExpandingCard-expandedCard",expandedCardScroll:"ms-ExpandingCard-expandedCardScrollRegion"};!function(e){e[e.compact=0]="compact",e[e.expanded=1]="expanded"}(Va||(Va={}));var qa=function(e){var t=e.gapSpace,o=void 0===t?0:t,n=e.directionalHint,r=void 0===n?K.b.bottomLeftEdge:n,i=e.directionalHintFixed,a=e.targetElement,s=e.firstFocus,u=e.trapFocus,d=e.onLeave,p=e.className,m=e.finalHeight,h=e.content,g=e.calloutProps,f=(0,l.pi)((0,l.pi)((0,l.pi)({},(0,E.pq)(e,E.n7)),{className:p,target:a,isBeakVisible:!1,directionalHint:r,directionalHintFixed:i,finalHeight:m,minPagePadding:24,onDismiss:d,gapSpace:o}),g);return c.createElement(c.Fragment,null,u?c.createElement(We,(0,l.pi)({},f,{focusTrapProps:{forceFocusInsideTrap:!1,isClickableOutsideFocusTrap:!0,disableFirstFocus:!s}}),h):c.createElement(Ae.U,(0,l.pi)({},f),h))},Ga=(0,D.y)(),Ua=function(e){function t(t){var o=e.call(this,t)||this;return o._expandedElem=c.createRef(),o._onKeyDown=function(e){e.which===rt.m.escape&&o.props.onLeave&&o.props.onLeave(e)},o._onRenderCompactCard=function(){return c.createElement("div",{className:o._classNames.compactCard},o.props.onRenderCompactCard(o.props.renderData))},o._onRenderExpandedCard=function(){return!o.state.firstFrameRendered&&o._async.requestAnimationFrame((function(){o.setState({firstFrameRendered:!0})})),c.createElement("div",{className:o._classNames.expandedCard,ref:o._expandedElem},c.createElement("div",{className:o._classNames.expandedCardScroll},o.props.onRenderExpandedCard&&o.props.onRenderExpandedCard(o.props.renderData)))},o._checkNeedsScroll=function(){var e=o.props.expandedCardHeight;o._async.requestAnimationFrame((function(){o._expandedElem.current&&o._expandedElem.current.scrollHeight>=e&&o.setState({needsScroll:!0})}))},o._async=new bo.e(o),(0,P.l)(o),o.state={firstFrameRendered:!1,needsScroll:!1},o}return(0,l.ZT)(t,e),t.prototype.componentDidMount=function(){this._checkNeedsScroll()},t.prototype.componentWillUnmount=function(){this._async.dispose()},t.prototype.render=function(){var e=this.props,t=e.styles,o=e.compactCardHeight,n=e.expandedCardHeight,r=e.theme,i=e.mode,a=e.className,s=this.state,u=s.needsScroll,d=s.firstFrameRendered,p=o+n;this._classNames=Ga(t,{theme:r,compactCardHeight:o,className:a,expandedCardHeight:n,needsScroll:u,expandedCardFirstFrameRendered:i===Va.expanded&&d});var m=c.createElement("div",{onMouseEnter:this.props.onEnter,onMouseLeave:this.props.onLeave,onKeyDown:this._onKeyDown},this._onRenderCompactCard(),this._onRenderExpandedCard());return c.createElement(qa,(0,l.pi)({},this.props,{content:m,finalHeight:p,className:this._classNames.root}))},t.defaultProps={compactCardHeight:156,expandedCardHeight:384,directionalHintFixed:!0},t}(c.Component),ja=(0,I.z)(Ua,(function(e){var t,o=e.theme,n=e.needsScroll,r=e.expandedCardFirstFrameRendered,i=e.compactCardHeight,a=e.expandedCardHeight,s=e.className,l=o.palette,c=(0,u.Cn)(Ka,o);return{root:[c.root,{width:320,pointerEvents:"none",selectors:(t={},t[u.qJ]={border:"1px solid WindowText"},t)},s],compactCard:[c.compactCard,{pointerEvents:"auto",position:"relative",height:i}],expandedCard:[c.expandedCard,{height:1,overflowY:"hidden",pointerEvents:"auto",transition:"height 0.467s cubic-bezier(0.5, 0, 0, 1)",selectors:{":before":{content:'""',position:"relative",display:"block",top:0,left:24,width:272,height:1,backgroundColor:l.neutralLighter}}},r&&{height:a}],expandedCardScroll:[c.expandedCardScroll,n&&{height:"100%",boxSizing:"border-box",overflowY:"auto"}]}}),void 0,{scope:"ExpandingCard"}),Ja={root:"ms-PlainCard-root"},Ya=(0,D.y)(),Za=function(e){function t(t){var o=e.call(this,t)||this;return o._onKeyDown=function(e){e.which===rt.m.escape&&o.props.onLeave&&o.props.onLeave(e)},(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.theme,n=e.className;this._classNames=Ya(t,{theme:o,className:n});var r=c.createElement("div",{onMouseEnter:this.props.onEnter,onMouseLeave:this.props.onLeave,onKeyDown:this._onKeyDown},this.props.onRenderPlainCard(this.props.renderData));return c.createElement(qa,(0,l.pi)({},this.props,{content:r,className:this._classNames.root}))},t}(c.Component),Xa=(0,I.z)(Za,(function(e){var t,o=e.theme,n=e.className;return{root:[(0,u.Cn)(Ja,o).root,{pointerEvents:"auto",selectors:(t={},t[u.qJ]={border:"1px solid WindowText"},t)},n]}}),void 0,{scope:"PlainCard"}),Qa=(0,D.y)(),$a=function(e){function t(t){var o=e.call(this,t)||this;return o._hoverCard=c.createRef(),o.dismiss=function(e){o._async.clearTimeout(o._openTimerId),o._async.clearTimeout(o._dismissTimerId),e?o._dismissTimerId=o._async.setTimeout((function(){o._setDismissedState()}),o.props.cardDismissDelay):o._setDismissedState()},o._cardOpen=function(e){o._shouldBlockHoverCard()||"keydown"===e.type&&e.which!==o.props.openHotKey||(o._async.clearTimeout(o._dismissTimerId),"mouseenter"===e.type&&(o._currentMouseTarget=e.currentTarget),o._executeCardOpen(e))},o._executeCardOpen=function(e){o._async.clearTimeout(o._openTimerId),o._openTimerId=o._async.setTimeout((function(){o.setState((function(t){return t.isHoverCardVisible?t:{isHoverCardVisible:!0,mode:Va.compact,openMode:"keydown"===e.type?Ha.hotKey:Ha.hover}}))}),o.props.cardOpenDelay)},o._cardDismiss=function(e,t){if(e){if(!(t instanceof MouseEvent))return;if("keydown"===t.type&&t.which!==rt.m.escape)return;o.props.sticky||o._currentMouseTarget!==t.currentTarget&&t.which!==rt.m.escape||o.dismiss(!0)}else{if(o.props.sticky&&!(t instanceof MouseEvent)&&t.nativeEvent instanceof MouseEvent&&"mouseleave"===t.type)return;o.dismiss(!0)}},o._setDismissedState=function(){o.setState({isHoverCardVisible:!1,mode:Va.compact,openMode:Ha.hover})},o._instantOpenAsExpanded=function(e){o._async.clearTimeout(o._dismissTimerId),o.setState((function(e){return e.isHoverCardVisible?e:{isHoverCardVisible:!0,mode:Va.expanded}}))},o._setEventListeners=function(){var e=o.props,t=e.trapFocus,n=e.instantOpenOnClick,r=e.eventListenerTarget,i=r?o._getTargetElement(r):o._getTargetElement(o.props.target),a=o._nativeDismissEvent;i&&(o._events.on(i,"mouseenter",o._cardOpen),o._events.on(i,"mouseleave",a),t?o._events.on(i,"keydown",o._cardOpen):(o._events.on(i,"focus",o._cardOpen),o._events.on(i,"blur",a)),n?o._events.on(i,"click",o._instantOpenAsExpanded):(o._events.on(i,"mousedown",a),o._events.on(i,"keydown",a)))},(0,P.l)(o),o._async=new bo.e(o),o._events=new at.r(o),o._nativeDismissEvent=o._cardDismiss.bind(o,!0),o._childDismissEvent=o._cardDismiss.bind(o,!1),o.state={isHoverCardVisible:!1,mode:Va.compact,openMode:Ha.hover},o}return(0,l.ZT)(t,e),t.prototype.componentDidMount=function(){this._setEventListeners()},t.prototype.componentWillUnmount=function(){this._async.dispose(),this._events.dispose()},t.prototype.componentDidUpdate=function(e,t){var o=this;e.target!==this.props.target&&(this._events.off(),this._setEventListeners()),t.isHoverCardVisible!==this.state.isHoverCardVisible&&(this.state.isHoverCardVisible?(this._async.setTimeout((function(){o.setState({mode:Va.expanded},(function(){o.props.onCardExpand&&o.props.onCardExpand()}))}),this.props.expandedCardOpenDelay),this.props.onCardVisible&&this.props.onCardVisible()):(this.setState({mode:Va.compact}),this.props.onCardHide&&this.props.onCardHide()))},t.prototype.render=function(){var e=this.props,t=e.expandingCardProps,o=e.children,n=e.id,r=e.setAriaDescribedBy,i=void 0===r||r,a=e.styles,s=e.theme,u=e.className,d=e.type,p=e.plainCardProps,m=e.trapFocus,h=e.setInitialFocus,g=this.state,f=g.isHoverCardVisible,v=g.mode,b=g.openMode,y=n||(0,dn.z)("hoverCard");this._classNames=Qa(a,{theme:s,className:u});var _=(0,l.pi)((0,l.pi)({},(0,E.pq)(this.props,E.n7)),{id:y,trapFocus:!!m,firstFocus:h||b===Ha.hotKey,targetElement:this._getTargetElement(this.props.target),onEnter:this._cardOpen,onLeave:this._childDismissEvent}),C=(0,l.pi)((0,l.pi)((0,l.pi)({},t),_),{mode:v}),S=(0,l.pi)((0,l.pi)({},p),_);return c.createElement("div",{className:this._classNames.host,ref:this._hoverCard,"aria-describedby":i&&f?y:void 0,"data-is-focusable":!this.props.target},o,f&&(d===Oa.expanding?c.createElement(ja,(0,l.pi)({},C)):c.createElement(Xa,(0,l.pi)({},S))))},t.prototype._getTargetElement=function(e){switch(typeof e){case"string":return(0,nt.M)().querySelector(e);case"object":return e;default:return this._hoverCard.current||void 0}},t.prototype._shouldBlockHoverCard=function(){return!(!this.props.shouldBlockHoverCard||!this.props.shouldBlockHoverCard())},t.defaultProps={cardOpenDelay:500,cardDismissDelay:100,expandedCardOpenDelay:1500,instantOpenOnClick:!1,setInitialFocus:!1,openHotKey:rt.m.c,type:Oa.expanding},t}(c.Component),es=(0,I.z)($a,(function(e){var t=e.className,o=e.theme;return{host:[(0,u.Cn)(Wa,o).host,t]}}),void 0,{scope:"HoverCard"}),ts=o(3874),os=o(6569),ns=o(7840),rs=o(2481),is=o(9759),as=o(6711),ss=o(5325),ls=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.content,o=e.styles,n=e.theme,r=e.disabled,i=e.visible,a=(0,D.y)()(o,{theme:n,disabled:r,visible:i});return c.createElement("div",{className:a.container},c.createElement("span",{className:a.root},t))},t}(c.Component),cs=function(e){return{container:[],root:[{border:"none",boxShadow:"none"}],beak:[],beakCurtain:[],calloutMain:[{backgroundColor:"transparent"}]}},us=function(e){return function(t){return(0,u.ZC)({container:[],root:[{border:"none",boxShadow:"none"}],beak:[],beakCurtain:[],calloutMain:[{backgroundColor:"transparent"}]},{root:[{marginLeft:e.left||e.x,marginTop:e.top||e.y}]})}},ds=(0,I.z)(ls,(function(e){var t,o=e.theme,n=e.disabled,r=e.visible;return{container:[{backgroundColor:o.palette.neutralDark},n&&{opacity:.5,selectors:(t={},t[u.qJ]={color:"GrayText",opacity:1},t)},!r&&{visibility:"hidden"}],root:[o.fonts.medium,{textAlign:"center",paddingLeft:"3px",paddingRight:"3px",backgroundColor:o.palette.neutralDark,color:o.palette.neutralLight,minWidth:"11px",lineHeight:"17px",height:"17px",display:"inline-block"},n&&{color:o.palette.neutralTertiaryAlt}]}}),void 0,{scope:"KeytipContent"}),ps=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,l.ZT)(t,e),t.prototype.render=function(){var e,t=this.props,o=t.keySequences,n=t.offset,r=t.overflowSetSequence,i=this.props.calloutProps;return e=r?(0,ss.eX)((0,ss.a1)(o,r)):(0,ss.eX)(o),n&&(i=(0,l.pi)((0,l.pi)({},i),{coverTarget:!0,directionalHint:K.b.topLeftEdge})),i&&void 0!==i.directionalHint||(i=(0,l.pi)((0,l.pi)({},i),{directionalHint:K.b.bottomCenter})),c.createElement(Ae.U,(0,l.pi)({},i,{isBeakVisible:!1,doNotLayer:!0,minPagePadding:0,styles:n?us(n):cs,preventDismissOnScroll:!0,target:e}),c.createElement(ds,(0,l.pi)({},this.props)))},t}(c.Component),ms=o(9949),hs=o(8128),gs=o(2304);function fs(e){var t=(0,gs.c)(e),o=t.keytipId,n=t.ariaDescribedBy;return function(e){if(e){var t=bs(e,hs.fV)||e,r=bs(e,hs.ms)||t,i=bs(e,hs.A4)||r;vs(t,hs.fV,o),vs(r,hs.ms,o),vs(i,"aria-describedby",n,!0)}}}function vs(e,t,o,n){if(void 0===n&&(n=!1),e&&o){var r=o;if(n){var i=e.getAttribute(t);i&&-1===i.indexOf(o)&&(r=i+" "+o)}e.setAttribute(t,r)}}function bs(e,t){return e.querySelector("["+t+"]")}var ys=function(e){return{root:[{zIndex:u.bR.KeytipLayer}]}},_s=o(6479),Cs=function(){function e(){this.nodeMap={},this.root={id:hs.nK,children:[],parent:"",keySequences:[]},this.nodeMap[this.root.id]=this.root}return e.prototype.addNode=function(e,t,o){var n=this._getFullSequence(e),r=(0,ss.aB)(n);n.pop();var i=this._getParentID(n),a=this._createNode(r,i,[],e,o);this.nodeMap[t]=a;var s=this.getNode(i);s&&s.children.push(r)},e.prototype.updateNode=function(e,t){var o=this._getFullSequence(e),n=(0,ss.aB)(o);o.pop();var r=this._getParentID(o),i=this.nodeMap[t],a=i.parent,s=this.getNode(a),l=this.getNode(r);if(i){if(s&&a!==r){var c=s.children.indexOf(i.id);c>=0&&s.children.splice(c,1)}if(l&&i.id!==n){var u=l.children.indexOf(i.id);u>=0?l.children[u]=n:l.children.push(n)}i.id=n,i.keySequences=e.keySequences,i.overflowSetSequence=e.overflowSetSequence,i.onExecute=e.onExecute,i.onReturn=e.onReturn,i.hasDynamicChildren=e.hasDynamicChildren,i.hasMenu=e.hasMenu,i.parent=r,i.disabled=e.disabled}},e.prototype.removeNode=function(e,t){var o=this._getFullSequence(e),n=(0,ss.aB)(o);o.pop();var r=this._getParentID(o),i=this.getNode(r);i&&i.children.splice(i.children.indexOf(n),1),this.nodeMap[t]&&delete this.nodeMap[t]},e.prototype.getExactMatchedNode=function(e,t){var o=this,n=this.getNodes(t.children);return(0,Co.sE)(n,(function(t){return o._getNodeSequence(t)===e&&!t.disabled}))},e.prototype.getPartiallyMatchedNodes=function(e,t){var o=this;return this.getNodes(t.children).filter((function(t){return 0===o._getNodeSequence(t).indexOf(e)&&!t.disabled}))},e.prototype.getChildren=function(e){var t=this;if(!e&&!(e=this.currentKeytip))return[];var o=e.children;return Object.keys(this.nodeMap).reduce((function(e,n){return o.indexOf(t.nodeMap[n].id)>=0&&!t.nodeMap[n].persisted&&e.push(t.nodeMap[n].id),e}),[])},e.prototype.getNodes=function(e){var t=this;return Object.keys(this.nodeMap).reduce((function(o,n){return e.indexOf(t.nodeMap[n].id)>=0&&o.push(t.nodeMap[n]),o}),[])},e.prototype.getNode=function(e){var t=(0,Xt.VO)(this.nodeMap);return(0,Co.sE)(t,(function(t){return t.id===e}))},e.prototype.isCurrentKeytipParent=function(e){if(this.currentKeytip){var t=(0,l.pr)(e.keySequences);e.overflowSetSequence&&(t=(0,ss.a1)(t,e.overflowSetSequence)),t.pop();var o=0===t.length?this.root.id:(0,ss.aB)(t),n=!1;return this.currentKeytip.overflowSetSequence&&(n=(0,ss.aB)(this.currentKeytip.keySequences)===o),n||this.currentKeytip.id===o}return!1},e.prototype._getParentID=function(e){return 0===e.length?this.root.id:(0,ss.aB)(e)},e.prototype._getFullSequence=function(e){var t=(0,l.pr)(e.keySequences);return e.overflowSetSequence&&(t=(0,ss.a1)(t,e.overflowSetSequence)),t},e.prototype._getNodeSequence=function(e){var t=(0,l.pr)(e.keySequences);return e.overflowSetSequence&&(t=(0,ss.a1)(t,e.overflowSetSequence)),t[t.length-1]},e.prototype._createNode=function(e,t,o,n,r){var i=this,a=n.keySequences,s=n.hasDynamicChildren,l=n.overflowSetSequence,c=n.hasMenu,u=n.onExecute,d=n.onReturn,p=n.disabled,m={id:e,keySequences:a,overflowSetSequence:l,parent:t,children:o,onExecute:u,onReturn:d,hasDynamicChildren:s,hasMenu:c,disabled:p,persisted:r};return m.children=Object.keys(this.nodeMap).reduce((function(t,o){return i.nodeMap[o].parent===e&&t.push(i.nodeMap[o].id),t}),[]),m},e}();function Ss(e,t){if(e.key!==t.key)return!1;var o=e.modifierKeys,n=t.modifierKeys;if(!o&&n||o&&!n)return!1;if(o&&n){if(o.length!==n.length)return!1;o=o.sort(),n=n.sort();for(var r=0;r0){var s=a.filter((function(e){return!e.persisted})).map((function(e){return e.id}));this.showKeytips(s),this._currentSequence=o}}},t.prototype.showKeytips=function(e){for(var t=0,o=this._keytipManager.getKeytips();t=0?n.visible=!0:n.visible=!1}this._setKeytips()},t.prototype._enterKeytipMode=function(){this._keytipManager.shouldEnterKeytipMode&&(this._keytipManager.delayUpdatingKeytipChange&&(this._buildTree(),this._setKeytips()),this._keytipTree.currentKeytip=this._keytipTree.root,this.showKeytips(this._keytipTree.getChildren()),this._setInKeytipMode(!0),this.props.onEnterKeytipMode&&this.props.onEnterKeytipMode())},t.prototype._buildTree=function(){this._keytipTree=new Cs;for(var e=0,t=Object.keys(this._keytipManager.keytips);e=0&&(this._delayedKeytipQueue.splice(o,1),this._delayedQueueTimeout&&this._async.clearTimeout(this._delayedQueueTimeout),this._delayedQueueTimeout=this._async.setTimeout((function(){t._delayedKeytipQueue.length&&(t.showKeytips(t._delayedKeytipQueue),t._delayedKeytipQueue=[])}),300))},t.prototype._getKtpExecuteTarget=function(e){return(0,nt.M)().querySelector((0,ss._l)(e.id))},t.prototype._getKtpTarget=function(e){return(0,nt.M)().querySelector((0,ss.eX)(e.keySequences))},t.prototype._isCurrentKeytipAnAlias=function(e){var t=this._keytipTree.currentKeytip;return!(!t||!t.overflowSetSequence&&!t.persisted||!(0,Co.cO)(e.keySequences,t.keySequences))},t.defaultProps={keytipStartSequences:[ks],keytipExitSequences:[ws],keytipReturnSequences:[Is],content:""},t}(c.Component),Es=(0,I.z)(Ts,(function(e){return{innerContent:[{position:"absolute",width:0,height:0,margin:0,padding:0,border:0,overflow:"hidden",visibility:"hidden"}]}}),void 0,{scope:"KeytipLayer"});function Ps(e){for(var t={},o=0,n=e.keytips;o0&&this._computeScrollVelocity(e)},e.prototype._computeScrollVelocity=function(e){if(this._scrollRect){var t,o;"clientX"in e?(t=e.clientX,o=e.clientY):(t=e.touches[0].clientX,o=e.touches[0].clientY);var n,r,i,a=this._scrollRect.top,s=this._scrollRect.left,l=a+this._scrollRect.height-Os,c=s+this._scrollRect.width-Os;ol?(r=o,n=a,i=l,this._isVerticalScroll=!0):(r=t,n=s,i=c,this._isVerticalScroll=!1),this._scrollVelocity=ri?Math.min(15,(r-i)/Os*15):0,this._scrollVelocity?this._startScroll():this._stopScroll()}},e.prototype._startScroll=function(){this._timeoutId||this._incrementScroll()},e.prototype._incrementScroll=function(){this._scrollableParent&&(this._isVerticalScroll?this._scrollableParent.scrollTop+=Math.round(this._scrollVelocity):this._scrollableParent.scrollLeft+=Math.round(this._scrollVelocity)),this._timeoutId=setTimeout(this._incrementScroll,16)},e.prototype._stopScroll=function(){this._timeoutId&&(clearTimeout(this._timeoutId),delete this._timeoutId)},e}(),Vs=o(8633),Ks=(0,D.y)(),qs=function(e){function t(t){var o=e.call(this,t)||this;return o._root=c.createRef(),o._onMouseDown=function(e){var t=o.props,n=t.isEnabled,r=t.onShouldStartSelection;o._isMouseEventOnScrollbar(e)||o._isInSelectionToggle(e)||o._isTouch||!n||o._isDragStartInSelection(e)||r&&!r(e)||o._scrollableSurface&&0===e.button&&o._root.current&&(o._selectedIndicies={},o._preservedIndicies=void 0,o._events.on(window,"mousemove",o._onAsyncMouseMove,!0),o._events.on(o._scrollableParent,"scroll",o._onAsyncMouseMove),o._events.on(window,"click",o._onMouseUp,!0),o._autoScroll=new Ws(o._root.current),o._scrollTop=o._scrollableSurface.scrollTop,o._scrollLeft=o._scrollableSurface.scrollLeft,o._rootRect=o._root.current.getBoundingClientRect(),o._onMouseMove(e))},o._onTouchStart=function(e){o._isTouch=!0,o._async.setTimeout((function(){o._isTouch=!1}),0)},o._onPointerDown=function(e){"touch"===e.pointerType&&(o._isTouch=!0,o._async.setTimeout((function(){o._isTouch=!1}),0))},(0,P.l)(o),o._async=new bo.e(o),o._events=new at.r(o),o.state={dragRect:void 0},o}return(0,l.ZT)(t,e),t.prototype.componentDidMount=function(){this._scrollableParent=(0,yo.zj)(this._root.current),this._scrollableSurface=this._scrollableParent===window?document.body:this._scrollableParent;var e=this.props.isDraggingConstrainedToRoot?this._root.current:this._scrollableSurface;this._events.on(e,"mousedown",this._onMouseDown),this._events.on(e,"touchstart",this._onTouchStart,!0),this._events.on(e,"pointerdown",this._onPointerDown,!0)},t.prototype.componentWillUnmount=function(){this._autoScroll&&this._autoScroll.dispose(),delete this._scrollableParent,delete this._scrollableSurface,this._events.dispose(),this._async.dispose()},t.prototype.render=function(){var e=this.props,t=e.rootProps,o=e.children,n=e.theme,r=e.className,i=e.styles,a=this.state.dragRect,s=Ks(i,{theme:n,className:r});return c.createElement("div",(0,l.pi)({},t,{className:s.root,ref:this._root}),o,a&&c.createElement("div",{className:s.dragMask}),a&&c.createElement("div",{className:s.box,style:a},c.createElement("div",{className:s.boxFill})))},t.prototype._isMouseEventOnScrollbar=function(e){var t=e.target,o=t.offsetWidth-t.clientWidth;if(o){var n=t.getBoundingClientRect();if((0,T.zg)(this.props.theme)){if(e.clientXn.left+t.clientWidth)return!0;if(e.clientY>n.top+t.clientHeight)return!0}return!1},t.prototype._getRootRect=function(){return{left:this._rootRect.left+(this._scrollLeft-this._scrollableSurface.scrollLeft),top:this._rootRect.top+(this._scrollTop-this._scrollableSurface.scrollTop),width:this._rootRect.width,height:this._rootRect.height}},t.prototype._onAsyncMouseMove=function(e){var t=this;this._async.requestAnimationFrame((function(){t._onMouseMove(e)})),e.stopPropagation(),e.preventDefault()},t.prototype._onMouseMove=function(e){if(this._autoScroll){void 0!==e.clientX&&(this._lastMouseEvent=e);var t=this._getRootRect(),o={left:e.clientX-t.left,top:e.clientY-t.top};if(this._dragOrigin||(this._dragOrigin=o),void 0!==e.buttons&&0===e.buttons)this._onMouseUp(e);else if(this.state.dragRect||(0,Vs.Iw)(this._dragOrigin,o)>5){if(!this.state.dragRect){var n=this.props.selection;e.shiftKey||n.setAllSelected(!1),this._preservedIndicies=n&&n.getSelectedIndices&&n.getSelectedIndices()}var r=this.props.isDraggingConstrainedToRoot?{left:Math.max(0,Math.min(t.width,this._lastMouseEvent.clientX-t.left)),top:Math.max(0,Math.min(t.height,this._lastMouseEvent.clientY-t.top))}:{left:this._lastMouseEvent.clientX-t.left,top:this._lastMouseEvent.clientY-t.top},i={left:Math.min(this._dragOrigin.left||0,r.left),top:Math.min(this._dragOrigin.top||0,r.top),width:Math.abs(r.left-(this._dragOrigin.left||0)),height:Math.abs(r.top-(this._dragOrigin.top||0))};this._evaluateSelection(i,t),this.setState({dragRect:i})}return!1}},t.prototype._onMouseUp=function(e){this._events.off(window),this._events.off(this._scrollableParent,"scroll"),this._autoScroll&&this._autoScroll.dispose(),this._autoScroll=this._dragOrigin=this._lastMouseEvent=void 0,this._selectedIndicies=this._itemRectCache=void 0,this.state.dragRect&&(this.setState({dragRect:void 0}),e.preventDefault(),e.stopPropagation())},t.prototype._isPointInRectangle=function(e,t){return!!t.top&&e.topt.top&&!!t.left&&e.leftt.left},t.prototype._isDragStartInSelection=function(e){var t=this.props.selection;if(!this._root.current||t&&0===t.getSelectedCount())return!1;for(var o=this._root.current.querySelectorAll("[data-selection-index]"),n=0;n0&&s.height>0&&(this._itemRectCache[a]=s),s.tope.top&&s.lefte.left?this._selectedIndicies[a]=!0:delete this._selectedIndicies[a]}var l=this._allSelectedIndices||{};for(var a in this._allSelectedIndices={},this._selectedIndicies)this._selectedIndicies.hasOwnProperty(a)&&(this._allSelectedIndices[a]=!0);if(this._preservedIndicies)for(var c=0,u=this._preservedIndicies;c0&&(p=e.collapseAriaLabel||e.expandAriaLabel?e.isExpanded?e.collapseAriaLabel:e.expandAriaLabel:i?e.name+" "+i:e.name),c.createElement("div",(0,l.pi)({},n,{key:e.key||t,className:d.compositeLink}),e.links&&e.links.length>0?c.createElement("button",{className:d.chevronButton,onClick:this._onLinkExpandClicked.bind(this,e),"aria-label":p,"aria-expanded":e.isExpanded?"true":"false"},c.createElement(W.J,{className:d.chevronIcon,iconName:"ChevronDown"})):null,this._renderNavLink(e,t,o))},t.prototype._renderLink=function(e,t,o){var n=this.props,r=n.styles,i=n.groups,a=n.theme,s=cl(r,{theme:a,groups:i});return c.createElement("li",{key:e.key||t,role:"listitem",className:s.navItem},this._renderCompositeLink(e,t,o),e.isExpanded?this._renderLinks(e.links,++o):null)},t.prototype._renderLinks=function(e,t){var o=this;if(!e||!e.length)return null;var n=e.map((function(e,n){return o._renderLink(e,n,t)})),r=this.props,i=r.styles,a=r.groups,s=r.theme,l=cl(i,{theme:s,groups:a});return c.createElement("ul",{role:"list",className:l.navItems},n)},t.prototype._onGroupHeaderClicked=function(e,t){e.onHeaderClick&&e.onHeaderClick(t,this._isGroupExpanded(e)),this._toggleCollapsed(e),t&&(t.preventDefault(),t.stopPropagation())},t.prototype._onLinkExpandClicked=function(e,t){var o=this.props.onLinkExpandClick;o&&o(t,e),t.defaultPrevented||(e.isExpanded=!e.isExpanded,this.setState({isLinkExpandStateChanged:!0})),t.preventDefault(),t.stopPropagation()},t.prototype._preventBounce=function(e,t){!e.url&&e.forceAnchor&&t.preventDefault()},t.prototype._onNavAnchorLinkClicked=function(e,t){this._preventBounce(e,t),this.props.onLinkClick&&this.props.onLinkClick(t,e),!e.url&&e.links&&e.links.length>0&&this._onLinkExpandClicked(e,t),this.setState({selectedKey:e.key})},t.prototype._onNavButtonLinkClicked=function(e,t){this._preventBounce(e,t),e.onClick&&e.onClick(t,e),!e.url&&e.links&&e.links.length>0&&this._onLinkExpandClicked(e,t),this.setState({selectedKey:e.key})},t.prototype._isLinkSelected=function(e){if(void 0!==this.props.selectedKey)return e.key===this.props.selectedKey;if(void 0!==this.state.selectedKey)return e.key===this.state.selectedKey;if(void 0===(0,So.J)()||!e.url)return!1;(el=el||document.createElement("a")).href=e.url||"";var t=el.href;return location.href===t||location.protocol+"//"+location.host+location.pathname===t||!!location.hash&&(location.hash===e.url||(el.href=location.hash.substring(1),el.href===t))},t.prototype._isGroupExpanded=function(e){return e.name&&this.state.isGroupCollapsed.hasOwnProperty(e.name)?!this.state.isGroupCollapsed[e.name]:void 0===e.collapseByDefault||!e.collapseByDefault},t.prototype._toggleCollapsed=function(e){var t;if(e.name){var o=(0,l.pi)((0,l.pi)({},this.state.isGroupCollapsed),((t={})[e.name]=this._isGroupExpanded(e),t));this.setState({isGroupCollapsed:o})}},t.defaultProps={groups:null},t}(c.Component),dl=(0,I.z)(ul,(function(e){var t,o=e.className,n=e.theme,r=e.isOnTop,i=e.isExpanded,a=e.isGroup,s=e.isLink,l=e.isSelected,c=e.isDisabled,d=e.isButtonEntry,p=e.navHeight,m=void 0===p?44:p,h=e.position,g=e.leftPadding,f=void 0===g?20:g,v=e.leftPaddingExpanded,b=void 0===v?28:v,y=e.rightPadding,_=void 0===y?20:y,C=n.palette,S=n.semanticColors,x=n.fonts,k=(0,u.Cn)(al,n);return{root:[k.root,o,x.medium,{overflowY:"auto",userSelect:"none",WebkitOverflowScrolling:"touch"},r&&[{position:"absolute"},u.k4.slideRightIn40]],linkText:[k.linkText,{margin:"0 4px",overflow:"hidden",verticalAlign:"middle",textAlign:"left",textOverflow:"ellipsis"}],compositeLink:[k.compositeLink,{display:"block",position:"relative",color:S.bodyText},i&&"is-expanded",l&&"is-selected",c&&"is-disabled",c&&{color:S.disabledText}],link:[k.link,(0,u.GL)(n),{display:"block",position:"relative",height:m,width:"100%",lineHeight:m+"px",textDecoration:"none",cursor:"pointer",textOverflow:"ellipsis",whiteSpace:"nowrap",overflow:"hidden",paddingLeft:f,paddingRight:_,color:S.bodyText,selectors:(t={},t[u.qJ]={border:0,selectors:{":focus":{border:"1px solid WindowText"}}},t)},!c&&{selectors:{".ms-Nav-compositeLink:hover &":{backgroundColor:S.bodyBackgroundHovered}}},l&&{color:S.bodyTextChecked,fontWeight:u.lq.semibold,backgroundColor:S.bodyBackgroundChecked,selectors:{"&:after":{borderLeft:"2px solid "+C.themePrimary,content:'""',position:"absolute",top:0,right:0,bottom:0,left:0,pointerEvents:"none"}}},c&&{color:S.disabledText},d&&{color:C.themePrimary}],chevronButton:[k.chevronButton,(0,u.GL)(n),x.small,{display:"block",textAlign:"left",lineHeight:m+"px",margin:"5px 0",padding:"0px, "+_+"px, 0px, "+b+"px",border:"none",textOverflow:"ellipsis",whiteSpace:"nowrap",overflow:"hidden",cursor:"pointer",color:S.bodyText,backgroundColor:"transparent",selectors:{"&:visited":{color:S.bodyText}}},a&&{fontSize:x.large.fontSize,width:"100%",height:m,borderBottom:"1px solid "+S.bodyDivider},s&&{display:"block",width:b-2,height:m-2,position:"absolute",top:"1px",left:h+"px",zIndex:u.bR.Nav,padding:0,margin:0},l&&{color:C.themePrimary,backgroundColor:C.neutralLighterAlt,selectors:{"&:after":{borderLeft:"2px solid "+C.themePrimary,content:'""',position:"absolute",top:0,right:0,bottom:0,left:0,pointerEvents:"none"}}}],chevronIcon:[k.chevronIcon,{position:"absolute",left:"8px",height:m,lineHeight:m+"px",fontSize:x.small.fontSize,transition:"transform .1s linear"},i&&{transform:"rotate(-180deg)"},s&&{top:0}],navItem:[k.navItem,{padding:0}],navItems:[k.navItems,{listStyleType:"none",padding:0,margin:0}],group:[k.group,i&&"is-expanded"],groupContent:[k.groupContent,{display:"none",marginBottom:"40px"},u.k4.slideDownIn20,i&&{display:"block"}]}}),void 0,{scope:"Nav"}),pl=o(6178),ml=o(9755),hl=o(5357),gl=o(2758),fl=o(7047),vl=o(867),bl=o(8337),yl=o(4192),_l=o(4800),Cl=o(9862),Sl=o(6920),xl=o(8976),kl=o(7115),wl=o(9318),Il=o(4885),Dl=o(2535),Tl=o(9378),El=o(2657),Pl={root:"ms-TagItem",text:"ms-TagItem-text",close:"ms-TagItem-close",isSelected:"is-selected"},Ml=(0,D.y)(),Rl=function(e){var t=e.theme,o=e.styles,n=e.selected,r=e.disabled,i=e.enableTagFocusInDisabledPicker,a=e.children,s=e.className,l=e.index,u=e.onRemoveItem,d=e.removeButtonAriaLabel,p=e.title,m=void 0===p?"string"==typeof e.children?e.children:e.item.name:p,h=Ml(o,{theme:t,className:s,selected:n,disabled:r});return c.createElement("div",{className:h.root,role:"listitem",key:l,"data-selection-index":l,"data-is-focusable":(i||!r)&&!0},c.createElement("span",{className:h.text,"aria-label":m,title:m},a),c.createElement(V.h,{onClick:u,disabled:r,iconProps:{iconName:"Cancel",styles:{root:{fontSize:"12px"}}},className:h.close,ariaLabel:d}))},Nl=(0,I.z)(Rl,(function(e){var t,o,n,r,i=e.className,a=e.theme,s=e.selected,l=e.disabled,c=a.palette,d=a.effects,p=a.fonts,m=a.semanticColors,h=(0,u.Cn)(Pl,a);return{root:[h.root,p.medium,(0,u.GL)(a),{boxSizing:"content-box",flexShrink:"1",margin:2,height:26,lineHeight:26,cursor:"default",userSelect:"none",display:"flex",flexWrap:"nowrap",maxWidth:300,minWidth:0,borderRadius:d.roundedCorner2,color:m.inputText,background:!s||l?c.neutralLighter:c.themePrimary,selectors:(t={":hover":[!l&&!s&&{color:c.neutralDark,background:c.neutralLight,selectors:{".ms-TagItem-close":{color:c.neutralPrimary}}},l&&{background:c.neutralLighter},s&&!l&&{background:c.themePrimary}]},t[u.qJ]={border:"1px solid "+(s?"WindowFrame":"WindowText")},t)},l&&{selectors:(o={},o[u.qJ]={borderColor:"GrayText"},o)},s&&!l&&[h.isSelected,{color:c.white}],i],text:[h.text,{overflow:"hidden",textOverflow:"ellipsis",whiteSpace:"nowrap",minWidth:30,margin:"0 8px"},l&&{selectors:(n={},n[u.qJ]={color:"GrayText"},n)}],close:[h.close,{color:c.neutralSecondary,width:30,height:"100%",flex:"0 0 auto",borderRadius:(0,T.zg)(a)?d.roundedCorner2+" 0 0 "+d.roundedCorner2:"0 "+d.roundedCorner2+" "+d.roundedCorner2+" 0",selectors:{":hover":{background:c.neutralQuaternaryAlt,color:c.neutralPrimary},":active":{color:c.white,backgroundColor:c.themeDark}}},s&&{color:c.white,selectors:{":hover":{color:c.white,background:c.themeDark}}},l&&{selectors:(r={},r["."+El.n.msButtonIcon]={color:c.neutralSecondary},r)}]}}),void 0,{scope:"TagItem"}),Bl={suggestionTextOverflow:"ms-TagItem-TextOverflow"},Fl=(0,D.y)(),Ll=function(e){var t=e.styles,o=e.theme,n=e.children,r=Fl(t,{theme:o});return c.createElement("div",{className:r.suggestionTextOverflow}," ",n," ")},Al=(0,I.z)(Ll,(function(e){var t=e.className,o=e.theme;return{suggestionTextOverflow:[(0,u.Cn)(Bl,o).suggestionTextOverflow,{overflow:"hidden",textOverflow:"ellipsis",maxWidth:"60vw",padding:"6px 12px 7px",whiteSpace:"nowrap"},t]}}),void 0,{scope:"TagItemSuggestion"}),zl=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.defaultProps={onRenderItem:function(e){return c.createElement(Nl,(0,l.pi)({},e),e.item.name)},onRenderSuggestionsItem:function(e){return c.createElement(Al,null,e.name)}},t}(xl.d),Hl=(0,I.z)(zl,Tl.W,void 0,{scope:"TagPicker"}),Ol=o(6548);function Wl(e,t){void 0===t&&(t=null);var o=c.useRef({ref:Object.assign((function(e){o.ref.current!==e&&(o.cleanup&&(o.cleanup(),o.cleanup=void 0),o.ref.current=e,null!==e&&(o.cleanup=o.callback(e)))}),{current:t}),callback:e}).current;return o.callback=e,o.ref}var Vl=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),(0,Vr.b)("PivotItem",t,{linkText:"headerText"}),o}return(0,l.ZT)(t,e),t.prototype.render=function(){return c.createElement("div",(0,l.pi)({},(0,E.pq)(this.props,E.n7)),this.props.children)},t}(c.Component),Kl=(0,D.y)(),ql=function(e,t){var o={links:[],keyToIndexMapping:{},keyToTabIdMapping:{}};return c.Children.forEach(c.Children.toArray(e.children),(function(n,r){if(Gl(n)){var i=n.props,a=i.linkText,s=(0,l._T)(i,["linkText"]),c=n.props.itemKey||r.toString();o.links.push((0,l.pi)((0,l.pi)({headerText:a},s),{itemKey:c})),o.keyToIndexMapping[c]=r,o.keyToTabIdMapping[c]=function(e,t,o,n){return e.getTabId?e.getTabId(o,n):t+"-Tab"+n}(e,t,c,r)}else n&&(0,be.Z)("The children of a Pivot component must be of type PivotItem to be rendered.")})),o},Gl=function(e){var t,o;return(null===(o=null===(t=e)||void 0===t?void 0:t.type)||void 0===o?void 0:o.name)===Vl.name},Ul=c.forwardRef((function(e,t){var o,n=c.useRef(null),r=c.useRef(null),i=(0,Fr.M)("Pivot"),a=(0,Ol.G)(e.selectedKey,e.defaultSelectedKey),s=a[0],u=a[1],d=e.componentRef,p=e.theme,m=e.linkSize,h=e.linkFormat,g=e.overflowBehavior,f=(0,E.pq)(e,E.n7),v=ql(e,i);c.useImperativeHandle(d,(function(){return{focus:function(){var e;null===(e=n.current)||void 0===e||e.focus()}}}));var b=function(e){if(!e)return null;var t=e.itemCount,n=e.itemIcon,r=e.headerText;return c.createElement("span",{className:o.linkContent},void 0!==n&&c.createElement("span",{className:o.icon},c.createElement(W.J,{iconName:n})),void 0!==r&&c.createElement("span",{className:o.text}," ",e.headerText),void 0!==t&&c.createElement("span",{className:o.count}," (",t,")"))},y=function(e,t,n,r){var i,a=t.itemKey,s=t.headerButtonProps,u=t.onRenderItemLink,d=e.keyToTabIdMapping[a],p=n===a;i=u?u(t,b):b(t);var m=t.headerText||"";return m+=t.itemCount?" ("+t.itemCount+")":"",m+=t.itemIcon?" xx":"",c.createElement(we.M,(0,l.pi)({},s,{id:d,key:a,className:(0,pt.i)(r,p&&o.linkIsSelected),onClick:function(e){return _(a,e)},onKeyDown:function(e){return C(a,e)},"aria-label":t.ariaLabel,role:"tab","aria-selected":p,name:t.headerText,keytipProps:t.keytipProps,"data-content":m}),i)},_=function(e,t){t.preventDefault(),S(e,t)},C=function(e,t){t.which===rt.m.enter&&(t.preventDefault(),S(e))},S=function(t,o){var n;if(u(t),v=ql(e,i),e.onLinkClick&&v.keyToIndexMapping[t]>=0){var a=v.keyToIndexMapping[t],s=c.Children.toArray(e.children)[a];Gl(s)&&e.onLinkClick(s,o)}null===(n=r.current)||void 0===n||n.dismissMenu()};o=Kl(e.styles,{theme:p,linkSize:m,linkFormat:h});var x,k=null===(x=s)||void 0!==x&&void 0!==v.keyToIndexMapping[x]?s:v.links.length?v.links[0].itemKey:void 0,w=k?v.keyToIndexMapping[k]:0,I=v.links.map((function(e){return y(v,e,k,o.link)})),D=c.useMemo((function(){return{items:[],alignTargetEdge:!0,directionalHint:K.b.bottomRightEdge}}),[]),P=function(e){var t=e.onOverflowItemsChanged,o=e.rtl,n=e.pinnedIndex,r=c.useRef(),i=c.useRef(),a=Wl((function(e){var t=function(e,t){if("undefined"!=typeof ResizeObserver){var o=new ResizeObserver(t);return Array.isArray(e)?e.forEach((function(e){return o.observe(e)})):o.observe(e),function(){return o.disconnect()}}var n=function(){return t(void 0)},r=(0,So.J)(Array.isArray(e)?e[0]:e);if(!r)return function(){};var i=r.requestAnimationFrame(n);return r.addEventListener("resize",n,!1),function(){r.cancelAnimationFrame(i),r.removeEventListener("resize",n,!1)}}(e,(function(t){i.current=t?t[0].contentRect.width:e.clientWidth,r.current&&r.current()}));return function(){t(),i.current=void 0}})),s=Wl((function(e){return a(e.parentElement),function(){return a(null)}}));return c.useLayoutEffect((function(){var e=a.current,l=s.current;if(e&&l){for(var c=[],u=0;u=0;t--){if(void 0===p[t]){var r=o?e-c[t].offsetLeft:c[t].offsetLeft+c[t].offsetWidth;t+1p[t])return void g(t+1)}g(0)}};var h=c.length,g=function(e){h!==e&&(h=e,t(e,c.map((function(t,o){return{ele:t,isOverflowing:o>=e&&o!==n}}))))},f=void 0;if(void 0!==i.current){var v=(0,So.J)(e);if(v){var b=v.requestAnimationFrame(r.current);f=function(){return v.cancelAnimationFrame(b)}}}return function(){f&&f(),g(c.length),r.current=void 0}}})),{menuButtonRef:s}}({onOverflowItemsChanged:function(e,t){t.forEach((function(e){var t=e.ele,o=e.isOverflowing;return t.dataset.isOverflowing=""+o})),D.items=v.links.slice(e).map((function(t,n){return{key:t.itemKey||""+(e+n),onRender:function(){return y(v,t,k,o.linkInMenu)}}}))},rtl:(0,T.zg)(p),pinnedIndex:w}).menuButtonRef;return c.createElement("div",(0,l.pi)({role:"toolbar"},f,{ref:t}),c.createElement(M.k,{componentRef:n,direction:R.U.horizontal,className:o.root,role:"tablist"},I,"menu"===g&&c.createElement(we.M,{className:(0,pt.i)(o.link,o.overflowMenuButton),elementRef:P,componentRef:r,menuProps:D,menuIconProps:{iconName:"More",style:{color:"inherit"}}})),k&&v.links.map((function(t){return(!0===t.alwaysRender||k===t.itemKey)&&function(t,n){if(e.headersOnly||!t)return null;var r=v.keyToIndexMapping[t],i=v.keyToTabIdMapping[t];return c.createElement("div",{role:"tabpanel",hidden:!n,key:t,"aria-hidden":!n,"aria-labelledby":i,className:o.itemContainer},c.Children.toArray(e.children)[r])}(t.itemKey,k===t.itemKey)})))}));Ul.displayName="Pivot";var jl,Jl,Yl={count:"ms-Pivot-count",icon:"ms-Pivot-icon",linkIsSelected:"is-selected",link:"ms-Pivot-link",linkContent:"ms-Pivot-linkContent",root:"ms-Pivot",rootIsLarge:"ms-Pivot--large",rootIsTabs:"ms-Pivot--tabs",text:"ms-Pivot-text",linkInMenu:"ms-Pivot-linkInMenu",overflowMenuButton:"ms-Pivot-overflowMenuButton"},Zl=function(e,t,o){var n,r,i;void 0===o&&(o=!1);var a=e.linkSize,s=e.linkFormat,c=e.theme,d=c.semanticColors,p=c.fonts,m="large"===a,h="tabs"===s;return[p.medium,{color:d.actionLink,padding:"0 8px",position:"relative",backgroundColor:"transparent",border:0,borderRadius:0,selectors:(n={":hover":{backgroundColor:d.buttonBackgroundHovered,color:d.buttonTextHovered,cursor:"pointer"},":active":{backgroundColor:d.buttonBackgroundPressed,color:d.buttonTextHovered},":focus":{outline:"none"}},n["."+de.G$+" &:focus"]={outline:"1px solid "+d.focusBorder},n["."+de.G$+" &:focus:after"]={content:"attr(data-content)",position:"relative",border:0},n)},!o&&[{display:"inline-block",lineHeight:44,height:44,marginRight:8,textAlign:"center",selectors:{":before":{backgroundColor:"transparent",bottom:0,content:'""',height:2,left:8,position:"absolute",right:8,transition:"left "+u.D1.durationValue2+" "+u.D1.easeFunction2+",\n right "+u.D1.durationValue2+" "+u.D1.easeFunction2},":after":{color:"transparent",content:"attr(data-content)",display:"block",fontWeight:u.lq.bold,height:1,overflow:"hidden",visibility:"hidden"}}},m&&{fontSize:p.large.fontSize},h&&[{marginRight:0,height:44,lineHeight:44,backgroundColor:d.buttonBackground,padding:"0 10px",verticalAlign:"top",selectors:(r={":focus":{outlineOffset:"-1px"}},r["."+de.G$+" &:focus::before"]={height:"auto",background:"transparent",transition:"none"},r["&:hover, &:focus"]={color:d.buttonTextCheckedHovered},r["&:active, &:hover"]={color:d.primaryButtonText,backgroundColor:d.primaryButtonBackground},r["&."+t.linkIsSelected]={backgroundColor:d.primaryButtonBackground,color:d.primaryButtonText,fontWeight:u.lq.regular,selectors:(i={":before":{backgroundColor:"transparent",transition:"none",position:"absolute",top:0,left:0,right:0,bottom:0,content:'""',height:0},":hover":{backgroundColor:d.primaryButtonBackgroundHovered,color:d.primaryButtonText},"&:active":{backgroundColor:d.primaryButtonBackgroundPressed,color:d.primaryButtonText}},i[u.qJ]=(0,l.pi)({fontWeight:u.lq.semibold,color:"HighlightText",background:"Highlight"},(0,u.xM)()),i)},r)}]]]},Xl=(0,I.z)(Ul,(function(e){var t,o,n,r,i=e.className,a=e.linkSize,s=e.linkFormat,c=e.theme,d=c.semanticColors,p=c.fonts,m=(0,u.Cn)(Yl,c),h="large"===a,g="tabs"===s;return{root:[m.root,p.medium,u.Fv,{position:"relative",color:d.link,whiteSpace:"nowrap"},h&&m.rootIsLarge,g&&m.rootIsTabs,i],itemContainer:{selectors:{"&[hidden]":{display:"none"}}},link:(0,l.pr)([m.link],Zl(e,m),[(t={},t["&[data-is-overflowing='true']"]={display:"none"},t)]),overflowMenuButton:[m.overflowMenuButton,(o={visibility:"hidden",position:"absolute",right:0},o["."+m.link+"[data-is-overflowing='true'] ~ &"]={visibility:"visible",position:"relative"},o)],linkInMenu:(0,l.pr)([m.linkInMenu],Zl(e,m,!0),[{textAlign:"left",width:"100%",height:36,lineHeight:36}]),linkIsSelected:[m.link,m.linkIsSelected,{fontWeight:u.lq.semibold,selectors:(n={":before":{backgroundColor:d.inputBackgroundChecked,selectors:(r={},r[u.qJ]={backgroundColor:"Highlight"},r)},":hover::before":{left:0,right:0}},n[u.qJ]={color:"Highlight"},n)}],linkContent:[m.linkContent,{flex:"0 1 100%",selectors:{"& > * ":{marginLeft:4},"& > *:first-child":{marginLeft:0}}}],text:[m.text,{display:"inline-block",verticalAlign:"top"}],count:[m.count,{display:"inline-block",verticalAlign:"top"}],icon:m.icon}}),void 0,{scope:"Pivot"});!function(e){e.links="links",e.tabs="tabs"}(jl||(jl={})),function(e){e.normal="normal",e.large="large"}(Jl||(Jl={}));var Ql=(0,D.y)(),$l=function(e){function t(t){var o=e.call(this,t)||this;o._onRenderProgress=function(e){var t=o.props,n=t.ariaValueText,r=t.barHeight,i=t.className,a=t.description,s=t.label,l=void 0===s?o.props.title:s,u=t.styles,d=t.theme,p="number"==typeof o.props.percentComplete?Math.min(100,Math.max(0,100*o.props.percentComplete)):void 0,m=Ql(u,{theme:d,className:i,barHeight:r,indeterminate:void 0===p}),h={width:void 0!==p?p+"%":void 0,transition:void 0!==p&&p<.01?"none":void 0},g=void 0!==p?0:void 0,f=void 0!==p?100:void 0,v=void 0!==p?Math.floor(p):void 0;return c.createElement("div",{className:m.itemProgress},c.createElement("div",{className:m.progressTrack}),c.createElement("div",{className:m.progressBar,style:h,role:"progressbar","aria-describedby":a?o._descriptionId:void 0,"aria-labelledby":l?o._labelId:void 0,"aria-valuemin":g,"aria-valuemax":f,"aria-valuenow":v,"aria-valuetext":n}))};var n=(0,dn.z)("progress-indicator");return o._labelId=n+"-label",o._descriptionId=n+"-description",o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.barHeight,o=e.className,n=e.label,r=void 0===n?this.props.title:n,i=e.description,a=e.styles,s=e.theme,u=e.progressHidden,d=e.onRenderProgress,p=void 0===d?this._onRenderProgress:d,m="number"==typeof this.props.percentComplete?Math.min(100,Math.max(0,100*this.props.percentComplete)):void 0,h=Ql(a,{theme:s,className:o,barHeight:t,indeterminate:void 0===m});return c.createElement("div",{className:h.root},r?c.createElement("div",{id:this._labelId,className:h.itemName},r):null,u?null:p((0,l.pi)((0,l.pi)({},this.props),{percentComplete:m}),this._onRenderProgress),i?c.createElement("div",{id:this._descriptionId,className:h.itemDescription},i):null)},t.defaultProps={label:"",description:"",width:180},t}(c.Component),ec={root:"ms-ProgressIndicator",itemName:"ms-ProgressIndicator-itemName",itemDescription:"ms-ProgressIndicator-itemDescription",itemProgress:"ms-ProgressIndicator-itemProgress",progressTrack:"ms-ProgressIndicator-progressTrack",progressBar:"ms-ProgressIndicator-progressBar"},tc=(0,d.NF)((function(){return(0,u.F4)({"0%":{left:"-30%"},"100%":{left:"100%"}})})),oc=(0,d.NF)((function(){return(0,u.F4)({"100%":{right:"-30%"},"0%":{right:"100%"}})})),nc=(0,I.z)($l,(function(e){var t,o,n,r=(0,T.zg)(e.theme),i=e.className,a=e.indeterminate,s=e.theme,c=e.barHeight,d=void 0===c?2:c,p=s.palette,m=s.semanticColors,h=s.fonts,g=(0,u.Cn)(ec,s),f=p.neutralLight;return{root:[g.root,h.medium,i],itemName:[g.itemName,u.jq,{color:m.bodyText,paddingTop:4,lineHeight:20}],itemDescription:[g.itemDescription,{color:m.bodySubtext,fontSize:h.small.fontSize,lineHeight:18}],itemProgress:[g.itemProgress,{position:"relative",overflow:"hidden",height:d,padding:"8px 0"}],progressTrack:[g.progressTrack,{position:"absolute",width:"100%",height:d,backgroundColor:f,selectors:(t={},t[u.qJ]={borderBottom:"1px solid WindowText"},t)}],progressBar:[{backgroundColor:p.themePrimary,height:d,position:"absolute",transition:"width .3s ease",width:0,selectors:(o={},o[u.qJ]=(0,l.pi)({backgroundColor:"highlight"},(0,u.xM)()),o)},a?{position:"absolute",minWidth:"33%",background:"linear-gradient(to right, "+f+" 0%, "+p.themePrimary+" 50%, "+f+" 100%)",animation:(r?oc():tc())+" 3s infinite",selectors:(n={},n[u.qJ]={background:"highlight"},n)}:{transition:"width .15s linear"},g.progressBar]}}),void 0,{scope:"ProgressIndicator"}),rc=o(558),ic=o(1405),ac=o(7813),sc={root:"ms-ScrollablePane",contentContainer:"ms-ScrollablePane--contentContainer"},lc={auto:"auto",always:"always"},cc=c.createContext({scrollablePane:void 0}),uc=(0,D.y)(),dc=function(e){function t(t){var o=e.call(this,t)||this;return o._root=c.createRef(),o._stickyAboveRef=c.createRef(),o._stickyBelowRef=c.createRef(),o._contentContainer=c.createRef(),o.subscribe=function(e){o._subscribers.add(e)},o.unsubscribe=function(e){o._subscribers.delete(e)},o.addSticky=function(e){o._stickies.add(e),o.contentContainer&&(e.setDistanceFromTop(o.contentContainer),o.sortSticky(e))},o.removeSticky=function(e){o._stickies.delete(e),o._removeStickyFromContainers(e),o.notifySubscribers()},o.sortSticky=function(e,t){o.stickyAbove&&o.stickyBelow&&(t&&o._removeStickyFromContainers(e),e.canStickyTop&&e.stickyContentTop&&o._addToStickyContainer(e,o.stickyAbove,e.stickyContentTop),e.canStickyBottom&&e.stickyContentBottom&&o._addToStickyContainer(e,o.stickyBelow,e.stickyContentBottom))},o.updateStickyRefHeights=function(){var e=o._stickies,t=0,n=0;e.forEach((function(e){var r=e.state,i=r.isStickyTop,a=r.isStickyBottom;e.nonStickyContent&&(i&&(t+=e.nonStickyContent.offsetHeight),a&&(n+=e.nonStickyContent.offsetHeight),o._checkStickyStatus(e))})),o.setState({stickyTopHeight:t,stickyBottomHeight:n})},o.notifySubscribers=function(){o.contentContainer&&o._subscribers.forEach((function(e){e(o.contentContainer,o.stickyBelow)}))},o.getScrollPosition=function(){return o.contentContainer?o.contentContainer.scrollTop:0},o.syncScrollSticky=function(e){e&&o.contentContainer&&e.syncScroll(o.contentContainer)},o._getScrollablePaneContext=function(){return{scrollablePane:{subscribe:o.subscribe,unsubscribe:o.unsubscribe,addSticky:o.addSticky,removeSticky:o.removeSticky,updateStickyRefHeights:o.updateStickyRefHeights,sortSticky:o.sortSticky,notifySubscribers:o.notifySubscribers,syncScrollSticky:o.syncScrollSticky}}},o._addToStickyContainer=function(e,t,n){if(t.children.length){if(!t.contains(n)){var r=[].slice.call(t.children),i=[];o._stickies.forEach((function(n){(t===o.stickyAbove&&e.canStickyTop||e.canStickyBottom)&&i.push(n)}));for(var a=void 0,s=0,l=i.sort((function(e,t){return(e.state.distanceFromTop||0)-(t.state.distanceFromTop||0)})).filter((function(e){var n=t===o.stickyAbove?e.stickyContentTop:e.stickyContentBottom;return!!n&&r.indexOf(n)>-1}));s=(e.state.distanceFromTop||0)){a=c;break}}var u=null;a&&(u=t===o.stickyAbove?a.stickyContentTop:a.stickyContentBottom),t.insertBefore(n,u)}}else t.appendChild(n)},o._removeStickyFromContainers=function(e){o.stickyAbove&&e.stickyContentTop&&o.stickyAbove.contains(e.stickyContentTop)&&o.stickyAbove.removeChild(e.stickyContentTop),o.stickyBelow&&e.stickyContentBottom&&o.stickyBelow.contains(e.stickyContentBottom)&&o.stickyBelow.removeChild(e.stickyContentBottom)},o._onWindowResize=function(){var e=o._getScrollbarWidth(),t=o._getScrollbarHeight();o.setState({scrollbarWidth:e,scrollbarHeight:t}),o.notifySubscribers()},o._getStickyContainerStyle=function(e,t){return(0,l.pi)((0,l.pi)({height:e},(0,T.zg)(o.props.theme)?{right:"0",left:(o.state.scrollbarWidth||o._getScrollbarWidth()||0)+"px"}:{left:"0",right:(o.state.scrollbarWidth||o._getScrollbarWidth()||0)+"px"}),t?{top:"0"}:{bottom:(o.state.scrollbarHeight||o._getScrollbarHeight()||0)+"px"})},o._onScroll=function(){var e=o.contentContainer;e&&o._stickies.forEach((function(t){t.syncScroll(e)})),o._notifyThrottled()},o._subscribers=new Set,o._stickies=new Set,(0,P.l)(o),o._async=new bo.e(o),o._events=new at.r(o),o.state={stickyTopHeight:0,stickyBottomHeight:0,scrollbarWidth:0,scrollbarHeight:0},o._notifyThrottled=o._async.throttle(o.notifySubscribers,50),o}return(0,l.ZT)(t,e),Object.defineProperty(t.prototype,"root",{get:function(){return this._root.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"stickyAbove",{get:function(){return this._stickyAboveRef.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"stickyBelow",{get:function(){return this._stickyBelowRef.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"contentContainer",{get:function(){return this._contentContainer.current},enumerable:!0,configurable:!0}),t.prototype.componentDidMount=function(){var e=this,t=this.props.initialScrollPosition;this._events.on(this.contentContainer,"scroll",this._onScroll),this._events.on(window,"resize",this._onWindowResize),this.contentContainer&&t&&(this.contentContainer.scrollTop=t),this.setStickiesDistanceFromTop(),this._stickies.forEach((function(t){e.sortSticky(t)})),this.notifySubscribers(),"MutationObserver"in window&&(this._mutationObserver=new MutationObserver((function(t){var o=e._getScrollbarHeight();if(o!==e.state.scrollbarHeight&&e.setState({scrollbarHeight:o}),e.notifySubscribers(),t.some(function(e){return null!==this.stickyAbove&&null!==this.stickyBelow&&(this.stickyAbove.contains(e.target)||this.stickyBelow.contains(e.target))}.bind(e)))e.updateStickyRefHeights();else{var n=[];e._stickies.forEach((function(e){e.root&&e.root.contains(t[0].target)&&n.push(e)})),n.length&&n.forEach((function(e){e.forceUpdate()}))}})),this.root&&this._mutationObserver.observe(this.root,{childList:!0,attributes:!0,subtree:!0,characterData:!0}))},t.prototype.componentWillUnmount=function(){this._events.dispose(),this._async.dispose(),this._mutationObserver&&this._mutationObserver.disconnect()},t.prototype.shouldComponentUpdate=function(e,t){return this.props.children!==e.children||this.props.initialScrollPosition!==e.initialScrollPosition||this.props.className!==e.className||this.state.stickyTopHeight!==t.stickyTopHeight||this.state.stickyBottomHeight!==t.stickyBottomHeight||this.state.scrollbarWidth!==t.scrollbarWidth||this.state.scrollbarHeight!==t.scrollbarHeight},t.prototype.componentDidUpdate=function(e,t){var o=this.props.initialScrollPosition;this.contentContainer&&"number"==typeof o&&e.initialScrollPosition!==o&&(this.contentContainer.scrollTop=o),t.stickyTopHeight===this.state.stickyTopHeight&&t.stickyBottomHeight===this.state.stickyBottomHeight||this.notifySubscribers(),this._async.setTimeout(this._onWindowResize,0)},t.prototype.render=function(){var e=this.props,t=e.className,o=e.theme,n=e.styles,r=this.state,i=r.stickyTopHeight,a=r.stickyBottomHeight,s=uc(n,{theme:o,className:t,scrollbarVisibility:this.props.scrollbarVisibility});return c.createElement("div",(0,l.pi)({},(0,E.pq)(this.props,E.n7),{ref:this._root,className:s.root}),c.createElement("div",{ref:this._stickyAboveRef,className:s.stickyAbove,style:this._getStickyContainerStyle(i,!0)}),c.createElement("div",{ref:this._contentContainer,className:s.contentContainer,"data-is-scrollable":!0},c.createElement(cc.Provider,{value:this._getScrollablePaneContext()},this.props.children)),c.createElement("div",{className:s.stickyBelow,style:this._getStickyContainerStyle(a,!1)},c.createElement("div",{ref:this._stickyBelowRef,className:s.stickyBelowItems})))},t.prototype.setStickiesDistanceFromTop=function(){var e=this;this.contentContainer&&this._stickies.forEach((function(t){t.setDistanceFromTop(e.contentContainer)}))},t.prototype.forceLayoutUpdate=function(){this._onWindowResize()},t.prototype._checkStickyStatus=function(e){this.stickyAbove&&this.stickyBelow&&this.contentContainer&&e.nonStickyContent&&(e.state.isStickyTop||e.state.isStickyBottom?(e.state.isStickyTop&&!this.stickyAbove.contains(e.nonStickyContent)&&e.stickyContentTop&&e.addSticky(e.stickyContentTop),e.state.isStickyBottom&&!this.stickyBelow.contains(e.nonStickyContent)&&e.stickyContentBottom&&e.addSticky(e.stickyContentBottom)):this.contentContainer.contains(e.nonStickyContent)||e.resetSticky())},t.prototype._getScrollbarWidth=function(){var e=this.contentContainer;return e?e.offsetWidth-e.clientWidth:0},t.prototype._getScrollbarHeight=function(){var e=this.contentContainer;return e?e.offsetHeight-e.clientHeight:0},t}(c.Component),pc=(0,I.z)(dc,(function(e){var t,o,n=e.className,r=e.theme,i=(0,u.Cn)(sc,r),a={position:"absolute",pointerEvents:"none"},s={position:"absolute",top:0,right:0,bottom:0,left:0,WebkitOverflowScrolling:"touch"};return{root:[i.root,r.fonts.medium,s,n],contentContainer:[i.contentContainer,{overflowY:"always"===e.scrollbarVisibility?"scroll":"auto"},s],stickyAbove:[{top:0,zIndex:1,selectors:(t={},t[u.qJ]={borderBottom:"1px solid WindowText"},t)},a],stickyBelow:[{bottom:0,selectors:(o={},o[u.qJ]={borderTop:"1px solid WindowText"},o)},a],stickyBelowItems:[{bottom:0},a,{width:"100%"}]}}),void 0,{scope:"ScrollablePane"}),mc=o(6419),hc=o(3863),gc=o(5515),fc=function(e){function t(t){var o=e.call(this,t)||this;o.addItems=function(e){var t=o.props.onItemSelected?o.props.onItemSelected(e):e,n=t,r=t;if(r&&r.then)r.then((function(e){var t=o.state.items.concat(e);o.updateItems(t)}));else{var i=o.state.items.concat(n);o.updateItems(i)}},o.removeItemAt=function(e){var t=o.state.items;if(o._canRemoveItem(t[e])&&e>-1){o.props.onItemsDeleted&&o.props.onItemsDeleted([t[e]]);var n=t.slice(0,e).concat(t.slice(e+1));o.updateItems(n)}},o.removeItem=function(e){var t=o.state.items.indexOf(e);o.removeItemAt(t)},o.replaceItem=function(e,t){var n=o.state.items,r=n.indexOf(e);if(r>-1){var i=n.slice(0,r).concat(t).concat(n.slice(r+1));o.updateItems(i)}},o.removeItems=function(e){var t=o.state.items,n=e.filter((function(e){return o._canRemoveItem(e)})),r=t.filter((function(e){return-1===n.indexOf(e)})),i=n[0],a=t.indexOf(i);o.props.onItemsDeleted&&o.props.onItemsDeleted(n),o.updateItems(r,a)},o.onCopy=function(e){if(o.props.onCopyItems&&o.selection.getSelectedCount()>0){var t=o.selection.getSelection();o.copyItems(t)}},o.renderItems=function(){var e=o.props.removeButtonAriaLabel,t=o.props.onRenderItem;return o.state.items.map((function(n,r){return t({item:n,index:r,key:n.key?n.key:r,selected:o.selection.isIndexSelected(r),onRemoveItem:function(){return o.removeItem(n)},onItemChange:o.onItemChange,removeButtonAriaLabel:e,onCopyItem:function(e){return o.copyItems([e])}})}))},o.onSelectionChanged=function(){o.forceUpdate()},o.onItemChange=function(e,t){var n=o.state.items;if(t>=0){var r=n;r[t]=e,o.updateItems(r)}},(0,P.l)(o);var n=t.selectedItems||t.defaultSelectedItems||[];return o.state={items:n},o._defaultSelection=new nn.Y({onSelectionChanged:o.onSelectionChanged}),o}return(0,l.ZT)(t,e),t.getDerivedStateFromProps=function(e){return e.selectedItems?{items:e.selectedItems}:null},Object.defineProperty(t.prototype,"items",{get:function(){return this.state.items},enumerable:!0,configurable:!0}),t.prototype.removeSelectedItems=function(){this.state.items.length&&this.selection.getSelectedCount()>0&&this.removeItems(this.selection.getSelection())},t.prototype.updateItems=function(e,t){var o=this;this.props.selectedItems?this.onChange(e):this.setState({items:e},(function(){o._onSelectedItemsUpdated(e,t)}))},t.prototype.hasSelectedItems=function(){return this.selection.getSelectedCount()>0},t.prototype.componentDidUpdate=function(e,t){this.state.items&&this.state.items!==t.items&&this.selection.setItems(this.state.items)},t.prototype.unselectAll=function(){this.selection.setAllSelected(!1)},t.prototype.highlightedItems=function(){return this.selection.getSelection()},t.prototype.componentDidMount=function(){this.selection.setItems(this.state.items)},Object.defineProperty(t.prototype,"selection",{get:function(){var e;return null!=(e=this.props.selection)?e:this._defaultSelection},enumerable:!0,configurable:!0}),t.prototype.render=function(){return this.renderItems()},t.prototype.onChange=function(e){this.props.onChange&&this.props.onChange(e)},t.prototype.copyItems=function(e){if(this.props.onCopyItems){var t=this.props.onCopyItems(e),o=document.createElement("input");document.body.appendChild(o);try{if(o.value=t,o.select(),!document.execCommand("copy"))throw new Error}catch(e){}finally{document.body.removeChild(o)}}},t.prototype._onSelectedItemsUpdated=function(e,t){this.onChange(e)},t.prototype._canRemoveItem=function(e){return!this.props.canRemoveItem||this.props.canRemoveItem(e)},t}(c.Component);(0,Xi.RM)([{rawString:".personaContainer_e3941fa3{border-radius:15px;display:-webkit-inline-box;display:-ms-inline-flexbox;display:inline-flex;-webkit-box-align:center;-ms-flex-align:center;align-items:center;background:"},{theme:"themeLighterAlt",defaultValue:"#eff6fc"},{rawString:";margin:4px;cursor:default;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;vertical-align:middle;position:relative}.personaContainer_e3941fa3::-moz-focus-inner{border:0}.personaContainer_e3941fa3{outline:transparent}.personaContainer_e3941fa3{position:relative}.ms-Fabric--isFocusVisible .personaContainer_e3941fa3:focus:after{-webkit-box-sizing:border-box;box-sizing:border-box;content:'';position:absolute;top:-2px;right:-2px;bottom:-2px;left:-2px;pointer-events:none;border:1px solid "},{theme:"focusBorder",defaultValue:"#605e5c"},{rawString:";border-radius:0}.personaContainer_e3941fa3 .ms-Persona-primaryText{color:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:";font-size:14px;font-weight:400}.personaContainer_e3941fa3 .ms-Persona-primaryText.hover_e3941fa3{color:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:"}@media screen and (-ms-high-contrast:active){.personaContainer_e3941fa3 .ms-Persona-primaryText{color:HighlightText}}.personaContainer_e3941fa3 .actionButton_e3941fa3:hover{background:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:"}.personaContainer_e3941fa3 .actionButton_e3941fa3 .ms-Button-icon{color:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:"}@media screen and (-ms-high-contrast:active){.personaContainer_e3941fa3 .actionButton_e3941fa3 .ms-Button-icon{color:HighlightText}}.personaContainer_e3941fa3:hover{background:"},{theme:"themeLighter",defaultValue:"#deecf9"},{rawString:"}.personaContainer_e3941fa3:hover .ms-Persona-primaryText{color:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:";font-size:14px;font-weight:400}@media screen and (-ms-high-contrast:active){.personaContainer_e3941fa3:hover .ms-Persona-primaryText{color:HighlightText}}.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3{background:"},{theme:"themePrimary",defaultValue:"#0078d4"},{rawString:"}.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3 .ms-Persona-primaryText{color:"},{theme:"white",defaultValue:"#ffffff"},{rawString:"}@media screen and (-ms-high-contrast:active){.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3 .ms-Persona-primaryText{color:HighlightText}}.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3 .actionButton_e3941fa3{color:"},{theme:"white",defaultValue:"#ffffff"},{rawString:"}.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3 .actionButton_e3941fa3 .ms-Button-icon{color:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:"}.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3 .actionButton_e3941fa3 .ms-Button-icon:hover{background:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:"}@media screen and (-ms-high-contrast:active){.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3 .actionButton_e3941fa3 .ms-Button-icon{color:HighlightText}}@media screen and (-ms-high-contrast:active){.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3{border-color:Highlight;background:Highlight;-ms-high-contrast-adjust:none}}.personaContainer_e3941fa3.validationError_e3941fa3 .ms-Persona-primaryText{color:"},{theme:"red",defaultValue:"#e81123"},{rawString:"}.personaContainer_e3941fa3.validationError_e3941fa3 .ms-Persona-initials{font-size:20px}@media screen and (-ms-high-contrast:active){.personaContainer_e3941fa3{border:1px solid WindowText}}.personaContainer_e3941fa3 .itemContent_e3941fa3{-webkit-box-flex:0;-ms-flex:0 1 auto;flex:0 1 auto;min-width:0;max-width:100%}.personaContainer_e3941fa3 .removeButton_e3941fa3{border-radius:15px;-webkit-box-flex:0;-ms-flex:0 0 auto;flex:0 0 auto;width:33px;height:33px;-ms-flex-preferred-size:32px;flex-basis:32px}.personaContainer_e3941fa3 .expandButton_e3941fa3{border-radius:15px 0 0 15px;height:33px;width:44px;padding-right:16px;position:inherit;display:-webkit-box;display:-ms-flexbox;display:flex;margin-right:-17px}.personaContainer_e3941fa3 .personaWrapper_e3941fa3{position:relative;display:inherit}.personaContainer_e3941fa3 .personaWrapper_e3941fa3 .ms-Persona-details{padding:0 8px}.personaContainer_e3941fa3 .personaDetails_e3941fa3{-webkit-box-flex:0;-ms-flex:0 1 auto;flex:0 1 auto}.itemContainer_e3941fa3{display:inline-block;vertical-align:top}"}]);var vc="personaContainer_e3941fa3",bc="hover_e3941fa3",yc="actionButton_e3941fa3",_c="personaContainerIsSelected_e3941fa3",Cc="validationError_e3941fa3",Sc="itemContent_e3941fa3",xc="removeButton_e3941fa3",kc="expandButton_e3941fa3",wc="personaWrapper_e3941fa3",Ic="personaDetails_e3941fa3",Dc="itemContainer_e3941fa3",Tc=s,Ec=function(e){function t(t){var o=e.call(this,t)||this;return o.persona=c.createRef(),(0,P.l)(o),o.state={contextualMenuVisible:!1},o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e,t,o=this.props,n=o.item,r=o.onExpandItem,i=o.onRemoveItem,a=o.removeButtonAriaLabel,s=o.index,u=o.selected,d=(0,dn.z)();return c.createElement("div",{ref:this.persona,className:(0,pt.i)("ms-PickerPersona-container",Tc.personaContainer,(e={},e["is-selected "+Tc.personaContainerIsSelected]=u,e),(t={},t["is-invalid "+Tc.validationError]=!n.isValid,t)),"data-is-focusable":!0,"data-is-sub-focuszone":!0,"data-selection-index":s,role:"listitem","aria-labelledby":"selectedItemPersona-"+d},c.createElement("div",{hidden:!n.canExpand||void 0===r},c.createElement(V.h,{onClick:this._onClickIconButton(r),iconProps:{iconName:"Add",style:{fontSize:"14px"}},className:(0,pt.i)("ms-PickerItem-removeButton",Tc.expandButton,Tc.actionButton),ariaLabel:a})),c.createElement("div",{className:(0,pt.i)(Tc.personaWrapper)},c.createElement("div",{className:(0,pt.i)("ms-PickerItem-content",Tc.itemContent),id:"selectedItemPersona-"+d},c.createElement(ua.I,(0,l.pi)({},n,{onRenderCoin:this.props.renderPersonaCoin,onRenderPrimaryText:this.props.renderPrimaryText,size:C.Ir.size32}))),c.createElement(V.h,{onClick:this._onClickIconButton(i),iconProps:{iconName:"Cancel",style:{fontSize:"14px"}},className:(0,pt.i)("ms-PickerItem-removeButton",Tc.removeButton,Tc.actionButton),ariaLabel:a})))},t.prototype._onClickIconButton=function(e){return function(t){t.stopPropagation(),t.preventDefault(),e&&e()}},t}(c.Component),Pc=function(e){function t(t){var o=e.call(this,t)||this;return o.itemElement=c.createRef(),o._onClick=function(e){e.preventDefault(),o.props.beginEditing&&!o.props.item.isValid?o.props.beginEditing(o.props.item):o.setState({contextualMenuVisible:!0})},o._onCloseContextualMenu=function(e){o.setState({contextualMenuVisible:!1})},(0,P.l)(o),o.state={contextualMenuVisible:!1},o}return(0,l.ZT)(t,e),t.prototype.render=function(){return c.createElement("div",{ref:this.itemElement,onContextMenu:this._onClick},this.props.renderedItem,this.state.contextualMenuVisible?c.createElement(Go.r,{items:this.props.menuItems,shouldFocusOnMount:!0,target:this.itemElement.current,onDismiss:this._onCloseContextualMenu,directionalHint:K.b.bottomLeftEdge}):null)},t}(c.Component),Mc={root:"ms-EditingItem",input:"ms-EditingItem-input"},Rc=function(e){var t=(0,u.gh)();if(!t)throw new Error("theme is undefined or null in Editing item getStyles function.");var o=t.semanticColors,n=(0,u.Cn)(Mc,t);return{root:[n.root,{margin:"4px"}],input:[n.input,{border:"0px",outline:"none",width:"100%",backgroundColor:o.inputBackground,color:o.inputText,selectors:{"::-ms-clear":{display:"none"}}}]}},Nc=function(e){function t(t){var o=e.call(this,t)||this;return o._editingFloatingPicker=c.createRef(),o._renderEditingSuggestions=function(){var e=o.props.onRenderFloatingPicker,t=o.props.floatingPickerProps;return e&&t?c.createElement(e,(0,l.pi)({componentRef:o._editingFloatingPicker,onChange:o._onSuggestionSelected,inputElement:o._editingInput,selectedItems:[]},t)):c.createElement(c.Fragment,null)},o._resolveInputRef=function(e){o._editingInput=e,o.forceUpdate((function(){o._editingInput.focus()}))},o._onInputClick=function(){o._editingFloatingPicker.current&&o._editingFloatingPicker.current.showPicker(!0)},o._onInputBlur=function(e){if(o._editingFloatingPicker.current&&null!==e.relatedTarget){var t=e.relatedTarget;-1===t.className.indexOf("ms-Suggestions-itemButton")&&-1===t.className.indexOf("ms-Suggestions-sectionButton")&&o._editingFloatingPicker.current.forceResolveSuggestion()}},o._onInputChange=function(e){var t=e.target.value;""===t?o.props.onRemoveItem&&o.props.onRemoveItem():o._editingFloatingPicker.current&&o._editingFloatingPicker.current.onQueryStringChanged(t)},o._onSuggestionSelected=function(e){o.props.onEditingComplete(o.props.item,e)},(0,P.l)(o),o.state={contextualMenuVisible:!1},o}return(0,l.ZT)(t,e),t.prototype.componentDidMount=function(){var e=(0,this.props.getEditingItemText)(this.props.item);this._editingFloatingPicker.current&&this._editingFloatingPicker.current.onQueryStringChanged(e),this._editingInput.value=e,this._editingInput.focus()},t.prototype.render=function(){var e=(0,dn.z)(),t=(0,E.pq)(this.props,E.Gg),o=(0,D.y)()(Rc);return c.createElement("div",{"aria-labelledby":"editingItemPersona-"+e,className:o.root},c.createElement("input",(0,l.pi)({autoCapitalize:"off",autoComplete:"off"},t,{ref:this._resolveInputRef,onChange:this._onInputChange,onKeyDown:this._onInputKeyDown,onBlur:this._onInputBlur,onClick:this._onInputClick,"data-lpignore":!0,className:o.input,id:e})),this._renderEditingSuggestions())},t.prototype._onInputKeyDown=function(e){e.which!==rt.m.backspace&&e.which!==rt.m.del||e.stopPropagation()},t}(c.Component),Bc=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,l.ZT)(t,e),t}(fc),Fc=function(e){function t(){var t=null!==e&&e.apply(this,arguments)||this;return t.renderItems=function(){return t.state.items.map((function(e,o){return t._renderItem(e,o)}))},t._beginEditing=function(e){e.isEditing=!0,t.forceUpdate()},t._completeEditing=function(e,o){e.isEditing=!1,t.replaceItem(e,o)},t}return(0,l.ZT)(t,e),t.prototype._renderItem=function(e,t){var o=this,n=this.props.removeButtonAriaLabel,r=this.props.onExpandGroup,i={item:e,index:t,key:e.key?e.key:t,selected:this.selection.isIndexSelected(t),onRemoveItem:function(){return o.removeItem(e)},onItemChange:this.onItemChange,removeButtonAriaLabel:n,onCopyItem:function(e){return o.copyItems([e])},onExpandItem:r?function(){return r(e)}:void 0,menuItems:this._createMenuItems(e)},a=i.menuItems.length>0;if(e.isEditing&&a)return c.createElement(Nc,(0,l.pi)({},i,{onRenderFloatingPicker:this.props.onRenderFloatingPicker,floatingPickerProps:this.props.floatingPickerProps,onEditingComplete:this._completeEditing,getEditingItemText:this.props.getEditingItemText}));var s=(0,this.props.onRenderItem)(i);return a?c.createElement(Pc,{key:i.key,renderedItem:s,beginEditing:this._beginEditing,menuItems:this._createMenuItems(i.item),item:i.item}):s},t.prototype._createMenuItems=function(e){var t=this,o=[];return this.props.editMenuItemText&&this.props.getEditingItemText&&o.push({key:"Edit",text:this.props.editMenuItemText,onClick:function(e,o){t._beginEditing(o.data)},data:e}),this.props.removeMenuItemText&&o.push({key:"Remove",text:this.props.removeMenuItemText,onClick:function(e,o){t.removeItem(o.data)},data:e}),this.props.copyMenuItemText&&o.push({key:"Copy",text:this.props.copyMenuItemText,onClick:function(e,o){t.props.onCopyItems&&t.copyItems([o.data])},data:e}),o},t.defaultProps={onRenderItem:function(e){return c.createElement(Ec,(0,l.pi)({},e))}},t}(Bc),Lc=(0,D.y)(),Ac=c.forwardRef((function(e,t){var o=e.styles,n=e.theme,r=e.className,i=e.vertical,a=e.alignContent,s=e.children,l=Lc(o,{theme:n,className:r,alignContent:a,vertical:i});return c.createElement("div",{className:l.root,ref:t},c.createElement("div",{className:l.content,role:"separator","aria-orientation":i?"vertical":"horizontal"},s))})),zc=(0,I.z)(Ac,(function(e){var t,o,n=e.theme,r=e.alignContent,i=e.vertical,a=e.className,s="start"===r,l="center"===r,c="end"===r;return{root:[n.fonts.medium,{position:"relative"},r&&{textAlign:r},!r&&{textAlign:"center"},i&&(l||!r)&&{verticalAlign:"middle"},i&&s&&{verticalAlign:"top"},i&&c&&{verticalAlign:"bottom"},i&&{padding:"0 4px",height:"inherit",display:"table-cell",zIndex:1,selectors:{":after":(t={backgroundColor:n.palette.neutralLighter,width:"1px",content:'""',position:"absolute",top:"0",bottom:"0",left:"50%",right:"0",zIndex:-1},t[u.qJ]={backgroundColor:"WindowText"},t)}},!i&&{padding:"4px 0",selectors:{":before":(o={backgroundColor:n.palette.neutralLighter,height:"1px",content:'""',display:"block",position:"absolute",top:"50%",bottom:"0",left:"0",right:"0"},o[u.qJ]={backgroundColor:"WindowText"},o)}},a],content:[{position:"relative",display:"inline-block",padding:"0 12px",color:n.semanticColors.bodyText,background:n.semanticColors.bodyBackground},i&&{padding:"12px 0"}]}}),void 0,{scope:"Separator"});zc.displayName="Separator";var Hc,Oc,Wc={root:"ms-Shimmer-container",shimmerWrapper:"ms-Shimmer-shimmerWrapper",shimmerGradient:"ms-Shimmer-shimmerGradient",dataWrapper:"ms-Shimmer-dataWrapper"},Vc=(0,d.NF)((function(){return(0,u.F4)({"0%":{transform:"translateX(-100%)"},"100%":{transform:"translateX(100%)"}})})),Kc=(0,d.NF)((function(){return(0,u.F4)({"100%":{transform:"translateX(-100%)"},"0%":{transform:"translateX(100%)"}})}));!function(e){e[e.line=1]="line",e[e.circle=2]="circle",e[e.gap=3]="gap"}(Hc||(Hc={})),function(e){e[e.line=16]="line",e[e.gap=16]="gap",e[e.circle=24]="circle"}(Oc||(Oc={}));var qc=(0,D.y)(),Gc=function(e){var t=e.height,o=e.styles,n=e.width,r=void 0===n?"100%":n,i=e.borderStyle,a=e.theme,s=qc(o,{theme:a,height:t,borderStyle:i});return c.createElement("div",{style:{width:r,minWidth:"number"==typeof r?r+"px":"auto"},className:s.root},c.createElement("svg",{width:"2",height:"2",className:s.topLeftCorner},c.createElement("path",{d:"M0 2 A 2 2, 0, 0, 1, 2 0 L 0 0 Z"})),c.createElement("svg",{width:"2",height:"2",className:s.topRightCorner},c.createElement("path",{d:"M0 0 A 2 2, 0, 0, 1, 2 2 L 2 0 Z"})),c.createElement("svg",{width:"2",height:"2",className:s.bottomRightCorner},c.createElement("path",{d:"M2 0 A 2 2, 0, 0, 1, 0 2 L 2 2 Z"})),c.createElement("svg",{width:"2",height:"2",className:s.bottomLeftCorner},c.createElement("path",{d:"M2 2 A 2 2, 0, 0, 1, 0 0 L 0 2 Z"})))},Uc={root:"ms-ShimmerLine-root",topLeftCorner:"ms-ShimmerLine-topLeftCorner",topRightCorner:"ms-ShimmerLine-topRightCorner",bottomLeftCorner:"ms-ShimmerLine-bottomLeftCorner",bottomRightCorner:"ms-ShimmerLine-bottomRightCorner"},jc=(0,I.z)(Gc,(function(e){var t,o=e.height,n=e.borderStyle,r=e.theme,i=r.semanticColors,a=(0,u.Cn)(Uc,r),s=n||{},l={position:"absolute",fill:i.bodyBackground};return{root:[a.root,r.fonts.medium,{height:o+"px",boxSizing:"content-box",position:"relative",borderTopStyle:"solid",borderBottomStyle:"solid",borderColor:i.bodyBackground,borderWidth:0,selectors:(t={},t[u.qJ]={borderColor:"Window",selectors:{"> *":{fill:"Window"}}},t)},s],topLeftCorner:[a.topLeftCorner,{top:"0",left:"0"},l],topRightCorner:[a.topRightCorner,{top:"0",right:"0"},l],bottomRightCorner:[a.bottomRightCorner,{bottom:"0",right:"0"},l],bottomLeftCorner:[a.bottomLeftCorner,{bottom:"0",left:"0"},l]}}),void 0,{scope:"ShimmerLine"}),Jc=(0,D.y)(),Yc=function(e){var t=e.height,o=e.styles,n=e.width,r=void 0===n?"10px":n,i=e.borderStyle,a=e.theme,s=Jc(o,{theme:a,height:t,borderStyle:i});return c.createElement("div",{style:{width:r,minWidth:"number"==typeof r?r+"px":"auto"},className:s.root})},Zc={root:"ms-ShimmerGap-root"},Xc=(0,I.z)(Yc,(function(e){var t,o=e.height,n=e.borderStyle,r=e.theme,i=r.semanticColors,a=n||{};return{root:[(0,u.Cn)(Zc,r).root,r.fonts.medium,{backgroundColor:i.bodyBackground,height:o+"px",boxSizing:"content-box",borderTopStyle:"solid",borderBottomStyle:"solid",borderColor:i.bodyBackground,selectors:(t={},t[u.qJ]={backgroundColor:"Window",borderColor:"Window"},t)},a]}}),void 0,{scope:"ShimmerGap"}),Qc={root:"ms-ShimmerCircle-root",svg:"ms-ShimmerCircle-svg"},$c=(0,D.y)(),eu=function(e){var t=e.height,o=e.styles,n=e.borderStyle,r=e.theme,i=$c(o,{theme:r,height:t,borderStyle:n});return c.createElement("div",{className:i.root},c.createElement("svg",{viewBox:"0 0 10 10",width:t,height:t,className:i.svg},c.createElement("path",{d:"M0,0 L10,0 L10,10 L0,10 L0,0 Z M0,5 C0,7.76142375 2.23857625,10 5,10 C7.76142375,10 10,7.76142375 10,5 C10,2.23857625 7.76142375,2.22044605e-16 5,0 C2.23857625,-2.22044605e-16 0,2.23857625 0,5 L0,5 Z"})))},tu=(0,I.z)(eu,(function(e){var t,o,n=e.height,r=e.borderStyle,i=e.theme,a=i.semanticColors,s=(0,u.Cn)(Qc,i),l=r||{};return{root:[s.root,i.fonts.medium,{width:n+"px",height:n+"px",minWidth:n+"px",boxSizing:"content-box",borderTopStyle:"solid",borderBottomStyle:"solid",borderColor:a.bodyBackground,selectors:(t={},t[u.qJ]={borderColor:"Window"},t)},l],svg:[s.svg,{display:"block",fill:a.bodyBackground,selectors:(o={},o[u.qJ]={fill:"Window"},o)}]}}),void 0,{scope:"ShimmerCircle"}),ou=(0,D.y)(),nu=function(e){var t=e.styles,o=e.width,n=void 0===o?"auto":o,r=e.shimmerElements,i=e.rowHeight,a=void 0===i?function(e){return e.map((function(e){switch(e.type){case Hc.circle:e.height||(e.height=Oc.circle);break;case Hc.line:e.height||(e.height=Oc.line);break;case Hc.gap:e.height||(e.height=Oc.gap)}return e})).reduce((function(e,t){return t.height&&t.height>e?t.height:e}),0)}(r||[]):i,s=e.flexWrap,u=void 0!==s&&s,d=e.theme,p=e.backgroundColor,m=ou(t,{theme:d,flexWrap:u});return c.createElement("div",{style:{width:n},className:m.root},function(e,t,o){return e?e.map((function(e,n){var r=e.type,i=(0,l._T)(e,["type"]),a=i.verticalAlign,s=i.height,u=ru(a,r,s,t,o);switch(e.type){case Hc.circle:return c.createElement(tu,(0,l.pi)({key:n},i,{styles:u}));case Hc.gap:return c.createElement(Xc,(0,l.pi)({key:n},i,{styles:u}));case Hc.line:return c.createElement(jc,(0,l.pi)({key:n},i,{styles:u}))}})):c.createElement(jc,{height:Oc.line})}(r,p,a))},ru=(0,d.NF)((function(e,t,o,n,r){var i,a=r&&o?r-o:0;if(e&&"center"!==e?e&&"top"===e?i={borderBottomWidth:a+"px",borderTopWidth:"0px"}:e&&"bottom"===e&&(i={borderBottomWidth:"0px",borderTopWidth:a+"px"}):i={borderBottomWidth:(a?Math.floor(a/2):0)+"px",borderTopWidth:(a?Math.ceil(a/2):0)+"px"},n)switch(t){case Hc.circle:return{root:(0,l.pi)((0,l.pi)({},i),{borderColor:n}),svg:{fill:n}};case Hc.gap:return{root:(0,l.pi)((0,l.pi)({},i),{borderColor:n,backgroundColor:n})};case Hc.line:return{root:(0,l.pi)((0,l.pi)({},i),{borderColor:n}),topLeftCorner:{fill:n},topRightCorner:{fill:n},bottomLeftCorner:{fill:n},bottomRightCorner:{fill:n}}}return{root:i}})),iu={root:"ms-ShimmerElementsGroup-root"},au=(0,I.z)(nu,(function(e){var t=e.flexWrap,o=e.theme;return{root:[(0,u.Cn)(iu,o).root,o.fonts.medium,{display:"flex",alignItems:"center",flexWrap:t?"wrap":"nowrap",position:"relative"}]}}),void 0,{scope:"ShimmerElementsGroup"}),su=(0,D.y)(),lu=c.forwardRef((function(e,t){var o=e.styles,n=e.shimmerElements,r=e.children,i=e.width,a=e.className,s=e.customElementsGroup,u=e.theme,d=e.ariaLabel,p=e.shimmerColors,m=e.isDataLoaded,h=void 0!==m&&m,g=(0,E.pq)(e,E.n7),f=su(o,{theme:u,isDataLoaded:h,className:a,transitionAnimationInterval:200,shimmerColor:p&&p.shimmer,shimmerWaveColor:p&&p.shimmerWave}),v=(0,q.B)({lastTimeoutId:0}),b=(0,Ct.L)(),y=b.setTimeout,_=b.clearTimeout,C=c.useState(h),S=C[0],x=C[1],k={width:i||"100%"};return c.useEffect((function(){if(h!==S){if(h)return v.lastTimeoutId=y((function(){x(!0)}),200),function(){return _(v.lastTimeoutId)};x(!1)}}),[h]),c.createElement("div",(0,l.pi)({},g,{className:f.root,ref:t}),!S&&c.createElement("div",{style:k,className:f.shimmerWrapper},c.createElement("div",{className:f.shimmerGradient}),s||c.createElement(au,{shimmerElements:n,backgroundColor:p&&p.background})),r&&c.createElement("div",{className:f.dataWrapper},r),d&&!h&&c.createElement("div",{role:"status","aria-live":"polite"},c.createElement(Us.U,null,c.createElement("div",{className:f.screenReaderText},d))))}));lu.displayName="Shimmer";var cu=(0,I.z)(lu,(function(e){var t,o=e.isDataLoaded,n=e.className,r=e.theme,i=e.transitionAnimationInterval,a=e.shimmerColor,s=e.shimmerWaveColor,c=r.semanticColors,d=(0,u.Cn)(Wc,r),p=(0,T.zg)(r);return{root:[d.root,r.fonts.medium,{position:"relative",height:"auto"},n],shimmerWrapper:[d.shimmerWrapper,{position:"relative",overflow:"hidden",transform:"translateZ(0)",backgroundColor:a||c.disabledBackground,transition:"opacity "+i+"ms",selectors:(t={"> *":{transform:"translateZ(0)"}},t[u.qJ]=(0,l.pi)({background:"WindowText\n linear-gradient(\n to right,\n transparent 0%,\n Window 50%,\n transparent 100%)\n 0 0 / 90% 100%\n no-repeat"},(0,u.xM)()),t)},o&&{opacity:"0",position:"absolute",top:"0",bottom:"0",left:"0",right:"0"}],shimmerGradient:[d.shimmerGradient,{position:"absolute",top:0,left:0,width:"100%",height:"100%",background:(a||c.disabledBackground)+"\n linear-gradient(\n to right,\n "+(a||c.disabledBackground)+" 0%,\n "+(s||c.bodyDivider)+" 50%,\n "+(a||c.disabledBackground)+" 100%)\n 0 0 / 90% 100%\n no-repeat",transform:"translateX(-100%)",animationDuration:"2s",animationTimingFunction:"ease-in-out",animationDirection:"normal",animationIterationCount:"infinite",animationName:p?Kc():Vc()}],dataWrapper:[d.dataWrapper,{position:"absolute",top:"0",bottom:"0",left:"0",right:"0",opacity:"0",background:"none",backgroundColor:"transparent",border:"none",transition:"opacity "+i+"ms"},o&&{opacity:"1",position:"static"}],screenReaderText:u.ul}}),void 0,{scope:"Shimmer"}),uu=(0,D.y)(),du=function(e){function t(t){var o=e.call(this,t)||this;return o._onRenderShimmerPlaceholder=function(e,t){var n=o.props.onRenderCustomPlaceholder,r=n?n(t,e,o._renderDefaultShimmerPlaceholder):o._renderDefaultShimmerPlaceholder(t);return c.createElement(cu,{customElementsGroup:r})},o._renderDefaultShimmerPlaceholder=function(e){var t=e.columns,o=e.compact,n=e.selectionMode,r=e.checkboxVisibility,i=e.cellStyleProps,a=void 0===i?hn:i,s=gn.rowHeight,l=gn.compactRowHeight,u=o?l:s+1,d=[];return n!==on.oW.none&&r!==un.hidden&&d.push(c.createElement(au,{key:"checkboxGap",shimmerElements:[{type:Hc.gap,width:"40px",height:u}]})),t.forEach((function(e,t){var o=[],n=a.cellLeftPadding+a.cellRightPadding+e.calculatedWidth+(e.isPadded?a.cellExtraRightPadding:0);o.push({type:Hc.gap,width:a.cellLeftPadding,height:u}),e.isIconOnly?(o.push({type:Hc.line,width:e.calculatedWidth,height:e.calculatedWidth}),o.push({type:Hc.gap,width:a.cellRightPadding,height:u})):(o.push({type:Hc.line,width:.95*e.calculatedWidth,height:7}),o.push({type:Hc.gap,width:a.cellRightPadding+(e.calculatedWidth-.95*e.calculatedWidth)+(e.isPadded?a.cellExtraRightPadding:0),height:u})),d.push(c.createElement(au,{key:t,width:n+"px",shimmerElements:o}))})),d.push(c.createElement(au,{key:"endGap",width:"100%",shimmerElements:[{type:Hc.gap,width:"100%",height:u}]})),c.createElement("div",{style:{display:"flex"}},d)},o._shimmerItems=t.shimmerLines?new Array(t.shimmerLines):new Array(10),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.detailsListStyles,o=e.enableShimmer,n=e.items,r=e.listProps,i=(e.onRenderCustomPlaceholder,e.removeFadingOverlay),a=(e.shimmerLines,e.styles),s=e.theme,u=e.ariaLabelForGrid,d=e.ariaLabelForShimmer,p=(0,l._T)(e,["detailsListStyles","enableShimmer","items","listProps","onRenderCustomPlaceholder","removeFadingOverlay","shimmerLines","styles","theme","ariaLabelForGrid","ariaLabelForShimmer"]),m=r&&r.className;this._classNames=uu(a,{theme:s});var h=(0,l.pi)((0,l.pi)({},r),{className:o&&!i?(0,pt.i)(this._classNames.root,m):m});return c.createElement(xr,(0,l.pi)({},p,{styles:t,items:o?this._shimmerItems:n,isPlaceholderData:o,ariaLabelForGrid:o&&d||u,onRenderMissingItem:this._onRenderShimmerPlaceholder,listProps:h}))},t}(c.Component),pu=(0,I.z)(du,(function(e){var t=e.theme.palette;return{root:{position:"relative",selectors:{":after":{content:'""',position:"absolute",top:0,right:0,bottom:0,left:0,backgroundImage:"linear-gradient(to bottom, transparent 30%, "+t.whiteTranslucent40+" 65%,"+t.white+" 100%)"}}}}}),void 0,{scope:"ShimmeredDetailsList"}),mu=o(4107),hu=o(9379),gu=o(3134),fu=o(998),vu=o(6315),bu=o(6362),yu=o(9444),_u=l.pi;function Cu(e,t){for(var o=[],n=2;n0)throw new Error("Any module using getSlots must use withSlots. Please see withSlots javadoc for more info.");return wu(t[e],o,n[e],n.slots&&n.slots[e],n._defaultStyles&&n._defaultStyles[e],n.theme)};r.isSlot=!0,o[e]=r}};for(var i in t)r(i);return o}function wu(e,t,o,n,r,i){return void 0!==e.create?e.create(t,o,n,r):xu(e)(t,o,n,r,i)}var Iu=o(7576),Du=o(1767);function Tu(e,t){void 0===t&&(t={});var o=t.factoryOptions,n=(void 0===o?{}:o).defaultProp,r=function(o){var n,r,i,a,s=(n=t.displayName,r=c.useContext(Iu.i),i=t.fields,a=["theme","styles","tokens"],Du.X.getSettings(i||a,n,r.customizations)),d=t.state;d&&(o=(0,l.pi)((0,l.pi)({},o),d(o)));var p=o.theme||s.theme,m=Eu(o,p,t.tokens,s.tokens,o.tokens),h=function(e,t,o){for(var n=[],r=3;r2)return{rowGap:{value:0,unit:"px"},columnGap:{value:0,unit:"px"}};if(2===o.length)return{rowGap:Fu(Bu(o[0],t)),columnGap:Fu(Bu(o[1],t))};var n=Fu(Bu(e,t));return{rowGap:n,columnGap:n}}(S,t),D=I.rowGap,T=I.columnGap,E=""+-.5*T.value+T.unit,P=""+-.5*D.value+D.unit,M={textOverflow:"ellipsis"},R={"> *:not(.ms-StackItem)":{flexShrink:y?0:1}};return f?{root:[C.root,{flexWrap:"wrap",maxWidth:k,maxHeight:x,width:"auto",overflow:"visible",height:"100%"},v&&(n={},n[m?"justifyContent":"alignItems"]=Au[v]||v,n),b&&(r={},r[m?"alignItems":"justifyContent"]=Au[b]||b,r),_,{display:"flex"},m&&{height:p?"100%":"auto"}],inner:[C.inner,{display:"flex",flexWrap:"wrap",marginLeft:E,marginRight:E,marginTop:P,marginBottom:P,overflow:"visible",boxSizing:"border-box",padding:Lu(w,t),width:0===T.value?"100%":"calc(100% + "+T.value+T.unit+")",maxWidth:"100vw",selectors:(0,l.pi)({"> *":(0,l.pi)({margin:""+.5*D.value+D.unit+" "+.5*T.value+T.unit},M)},R)},v&&(i={},i[m?"justifyContent":"alignItems"]=Au[v]||v,i),b&&(a={},a[m?"alignItems":"justifyContent"]=Au[b]||b,a),m&&{flexDirection:h?"row-reverse":"row",height:0===D.value?"100%":"calc(100% + "+D.value+D.unit+")",selectors:{"> *":{maxWidth:0===T.value?"100%":"calc(100% - "+T.value+T.unit+")"}}},!m&&{flexDirection:h?"column-reverse":"column",height:"calc(100% + "+D.value+D.unit+")",selectors:{"> *":{maxHeight:0===D.value?"100%":"calc(100% - "+D.value+D.unit+")"}}}]}:{root:[C.root,{display:"flex",flexDirection:m?h?"row-reverse":"row":h?"column-reverse":"column",flexWrap:"nowrap",width:"auto",height:p?"100%":"auto",maxWidth:k,maxHeight:x,padding:Lu(w,t),boxSizing:"border-box",selectors:(0,l.pi)((s={"> *":M},s[h?"> *:not(:last-child)":"> *:not(:first-child)"]=[m&&{marginLeft:""+T.value+T.unit},!m&&{marginTop:""+D.value+D.unit}],s),R)},g&&{flexGrow:!0===g?1:g},v&&(c={},c[m?"justifyContent":"alignItems"]=Au[v]||v,c),b&&(d={},d[m?"alignItems":"justifyContent"]=Au[b]||b,d),_]}},statics:{Item:Nu}});!function(e){e[e.Both=0]="Both",e[e.Header=1]="Header",e[e.Footer=2]="Footer"}(Pu||(Pu={}));var Ou=function(e){function t(t){var o=e.call(this,t)||this;return o._root=c.createRef(),o._stickyContentTop=c.createRef(),o._stickyContentBottom=c.createRef(),o._nonStickyContent=c.createRef(),o._placeHolder=c.createRef(),o.syncScroll=function(e){var t=o.nonStickyContent;t&&o.props.isScrollSynced&&(t.scrollLeft=e.scrollLeft)},o._getContext=function(){return o.context},o._onScrollEvent=function(e,t){if(o.root&&o.nonStickyContent){var n=o._getNonStickyDistanceFromTop(e),r=!1,i=!1;o.canStickyTop&&(r=n-o._getStickyDistanceFromTop()=o._getStickyDistanceFromTopForFooter(e,t)),document.activeElement&&o.nonStickyContent.contains(document.activeElement)&&(o.state.isStickyTop!==r||o.state.isStickyBottom!==i)?o._activeElement=document.activeElement:o._activeElement=void 0,o.setState({isStickyTop:o.canStickyTop&&r,isStickyBottom:i,distanceFromTop:n})}},o._getStickyDistanceFromTop=function(){var e=0;return o.stickyContentTop&&(e=o.stickyContentTop.offsetTop),e},o._getStickyDistanceFromTopForFooter=function(e,t){var n=0;return o.stickyContentBottom&&(n=e.clientHeight-t.offsetHeight+o.stickyContentBottom.offsetTop),n},o._getNonStickyDistanceFromTop=function(e){var t=0,n=o.root;if(n){for(;n&&n.offsetParent!==e;)t+=n.offsetTop,n=n.offsetParent;n&&n.offsetParent===e&&(t+=n.offsetTop)}return t},(0,P.l)(o),o.state={isStickyTop:!1,isStickyBottom:!1,distanceFromTop:void 0},o._activeElement=void 0,o}return(0,l.ZT)(t,e),Object.defineProperty(t.prototype,"root",{get:function(){return this._root.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"placeholder",{get:function(){return this._placeHolder.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"stickyContentTop",{get:function(){return this._stickyContentTop.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"stickyContentBottom",{get:function(){return this._stickyContentBottom.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"nonStickyContent",{get:function(){return this._nonStickyContent.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"canStickyTop",{get:function(){return this.props.stickyPosition===Pu.Both||this.props.stickyPosition===Pu.Header},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"canStickyBottom",{get:function(){return this.props.stickyPosition===Pu.Both||this.props.stickyPosition===Pu.Footer},enumerable:!0,configurable:!0}),t.prototype.componentDidMount=function(){var e=this._getContext().scrollablePane;e&&(e.subscribe(this._onScrollEvent),e.addSticky(this))},t.prototype.componentWillUnmount=function(){var e=this._getContext().scrollablePane;e&&(e.unsubscribe(this._onScrollEvent),e.removeSticky(this))},t.prototype.componentDidUpdate=function(e,t){var o=this._getContext().scrollablePane;if(o){var n=this.state,r=n.isStickyBottom,i=n.isStickyTop,a=n.distanceFromTop,s=!1;t.distanceFromTop!==a&&(o.sortSticky(this,!0),s=!0),t.isStickyTop===i&&t.isStickyBottom===r||(this._activeElement&&this._activeElement.focus(),o.updateStickyRefHeights(),s=!0),s&&o.syncScrollSticky(this)}},t.prototype.shouldComponentUpdate=function(e,t){if(!this.context.scrollablePane)return!0;var o=this.state,n=o.isStickyTop,r=o.isStickyBottom,i=o.distanceFromTop;return n!==t.isStickyTop||r!==t.isStickyBottom||this.props.stickyPosition!==e.stickyPosition||this.props.children!==e.children||i!==t.distanceFromTop||Wu(this._nonStickyContent,this._stickyContentTop)||Wu(this._nonStickyContent,this._stickyContentBottom)||Wu(this._nonStickyContent,this._placeHolder)},t.prototype.render=function(){var e=this.state,t=e.isStickyTop,o=e.isStickyBottom,n=this.props,r=n.stickyClassName,i=n.children;return this.context.scrollablePane?c.createElement("div",{ref:this._root},this.canStickyTop&&c.createElement("div",{ref:this._stickyContentTop,style:{pointerEvents:t?"auto":"none"}},c.createElement("div",{style:this._getStickyPlaceholderHeight(t)})),this.canStickyBottom&&c.createElement("div",{ref:this._stickyContentBottom,style:{pointerEvents:o?"auto":"none"}},c.createElement("div",{style:this._getStickyPlaceholderHeight(o)})),c.createElement("div",{style:this._getNonStickyPlaceholderHeightAndWidth(),ref:this._placeHolder},(t||o)&&c.createElement("span",{style:u.ul},i),c.createElement("div",{ref:this._nonStickyContent,className:t||o?r:void 0,style:this._getContentStyles(t||o)},i))):c.createElement("div",null,this.props.children)},t.prototype.addSticky=function(e){this.nonStickyContent&&e.appendChild(this.nonStickyContent)},t.prototype.resetSticky=function(){this.nonStickyContent&&this.placeholder&&this.placeholder.appendChild(this.nonStickyContent)},t.prototype.setDistanceFromTop=function(e){var t=this._getNonStickyDistanceFromTop(e);this.setState({distanceFromTop:t})},t.prototype._getContentStyles=function(e){return{backgroundColor:this.props.stickyBackgroundColor||this._getBackground(),overflow:e?"hidden":""}},t.prototype._getStickyPlaceholderHeight=function(e){var t=this.nonStickyContent?this.nonStickyContent.offsetHeight:0;return{visibility:e?"hidden":"visible",height:e?0:t}},t.prototype._getNonStickyPlaceholderHeightAndWidth=function(){var e=this.state,t=e.isStickyTop,o=e.isStickyBottom;if(t||o){var n=0,r=0;return this.nonStickyContent&&this.nonStickyContent.firstElementChild&&(n=this.nonStickyContent.offsetHeight,r=this.nonStickyContent.firstElementChild.scrollWidth+(this.nonStickyContent.firstElementChild.offsetWidth-this.nonStickyContent.firstElementChild.clientWidth)),{height:n,width:r}}return{}},t.prototype._getBackground=function(){if(this.root){for(var e=this.root;"rgba(0, 0, 0, 0)"===window.getComputedStyle(e).getPropertyValue("background-color")||"transparent"===window.getComputedStyle(e).getPropertyValue("background-color");){if("HTML"===e.tagName)return;e.parentElement&&(e=e.parentElement)}return window.getComputedStyle(e).getPropertyValue("background-color")}},t.defaultProps={stickyPosition:Pu.Both,isScrollSynced:!0},t.contextType=cc,t}(c.Component);function Wu(e,t){return e&&t&&e.current&&t.current&&e.current.offsetHeight!==t.current.offsetHeight}var Vu=o(9502),Ku=o(8621),qu=o(3624),Gu=o(1565),Uu=(0,D.y)(),ju=c.forwardRef((function(e,t){var o,n,r,i,a,s=c.useRef(null),u=(0,j.ky)(),d=(0,N.r)(s,t),p=e.illustrationImage,m=e.primaryButtonProps,h=e.secondaryButtonProps,g=e.headline,f=e.hasCondensedHeadline,v=e.hasCloseButton,b=void 0===v?e.hasCloseIcon:v,y=e.onDismiss,_=e.closeButtonAriaLabel,C=e.hasSmallHeadline,S=e.isWide,x=e.styles,k=e.theme,w=e.ariaDescribedBy,I=e.ariaLabelledBy,D=e.footerContent,T=e.focusTrapZoneProps,E=Uu(x,{theme:k,hasCondensedHeadline:f,hasSmallHeadline:C,hasCloseButton:b,hasHeadline:!!g,isWide:S,primaryButtonClassName:m?m.className:void 0,secondaryButtonClassName:h?h.className:void 0}),P=c.useCallback((function(e){y&&e.which===rt.m.escape&&y(e)}),[y]);if((0,U.d)(u,"keydown",P),p&&p.src&&(o=c.createElement("div",{className:E.imageContent},c.createElement(Ti.E,(0,l.pi)({},p)))),g){var M="string"==typeof g?"p":"div";n=c.createElement("div",{className:E.header},c.createElement(M,{role:"heading",className:E.headline,id:I},g))}if(e.children){var R="string"==typeof e.children?"p":"div";r=c.createElement("div",{className:E.body},c.createElement(R,{className:E.subText,id:w},e.children))}return(m||h||D)&&(i=c.createElement(Hu,{className:E.footer,horizontal:!0,horizontalAlign:D?"space-between":"end"},c.createElement(Hu.Item,{align:"center"},c.createElement("span",null,D)),c.createElement(Hu.Item,null,h&&c.createElement(ye.a,(0,l.pi)({},h,{className:E.secondaryButton})),m&&c.createElement(Se.K,(0,l.pi)({},m,{className:E.primaryButton}))))),b&&(a=c.createElement(V.h,{className:E.closeButton,iconProps:{iconName:"Cancel"},title:_,ariaLabel:_,onClick:y})),function(e,t){c.useImperativeHandle(e,(function(){return{focus:function(){var e;return null===(e=t.current)||void 0===e?void 0:e.focus()}}}),[t])}(e.componentRef,s),c.createElement("div",{className:E.content,ref:d,role:"dialog",tabIndex:-1,"aria-labelledby":I,"aria-describedby":w,"data-is-focusable":!0},o,c.createElement(Oe.P,(0,l.pi)({isClickableOutsideFocusTrap:!0},T),c.createElement("div",{className:E.bodyContent},n,r,i,a)))})),Ju={root:"ms-TeachingBubble",body:"ms-TeachingBubble-body",bodyContent:"ms-TeachingBubble-bodycontent",closeButton:"ms-TeachingBubble-closebutton",content:"ms-TeachingBubble-content",footer:"ms-TeachingBubble-footer",header:"ms-TeachingBubble-header",headerIsCondensed:"ms-TeachingBubble-header--condensed",headerIsSmall:"ms-TeachingBubble-header--small",headerIsLarge:"ms-TeachingBubble-header--large",headline:"ms-TeachingBubble-headline",image:"ms-TeachingBubble-image",primaryButton:"ms-TeachingBubble-primaryButton",secondaryButton:"ms-TeachingBubble-secondaryButton",subText:"ms-TeachingBubble-subText",button:"ms-Button",buttonLabel:"ms-Button-label"},Yu=(0,d.NF)((function(){return(0,u.F4)({"0%":{opacity:0,animationTimingFunction:u.D1.easeFunction1,transform:"scale3d(.90,.90,.90)"},"100%":{opacity:1,transform:"scale3d(1,1,1)"}})})),Zu=function(e,t){var o=t||{},n=o.calloutWidth,r=o.calloutMaxWidth;return[{display:"block",maxWidth:364,border:0,outline:"transparent",width:n||"calc(100% + 1px)",animationName:""+Yu(),animationDuration:"300ms",animationTimingFunction:"linear",animationFillMode:"both"},e&&{maxWidth:r||456}]},Xu=function(e,t,o){return t?[e.headerIsCondensed,{marginBottom:14}]:[o&&e.headerIsSmall,!o&&e.headerIsLarge,{selectors:{":not(:last-child)":{marginBottom:14}}}]},Qu=function(e){var t,o,n,r=e.hasCondensedHeadline,i=e.hasSmallHeadline,a=e.hasCloseButton,s=e.hasHeadline,c=e.isWide,d=e.primaryButtonClassName,p=e.secondaryButtonClassName,m=e.theme,h=e.calloutProps,g=void 0===h?{className:void 0,theme:m}:h,f=!r&&!i,v=m.palette,b=m.semanticColors,y=m.fonts,_=(0,u.Cn)(Ju,m);return{root:[_.root,y.medium,g.className],body:[_.body,a&&!s&&{marginRight:24},{selectors:{":not(:last-child)":{marginBottom:20}}}],bodyContent:[_.bodyContent,{padding:"20px 24px 20px 24px"}],closeButton:[_.closeButton,{position:"absolute",right:0,top:0,margin:"15px 15px 0 0",borderRadius:0,color:v.white,fontSize:y.small.fontSize,selectors:{":hover":{background:v.themeDarkAlt,color:v.white},":active":{background:v.themeDark,color:v.white},":focus":{border:"1px solid "+b.variantBorder}}}],content:(0,l.pr)([_.content],Zu(c),[c&&{display:"flex"}]),footer:[_.footer,{display:"flex",flex:"auto",alignItems:"center",color:v.white,selectors:(t={},t["."+_.button+":not(:first-child)"]={marginLeft:10},t)}],header:(0,l.pr)([_.header],Xu(_,r,i),[a&&{marginRight:24},(r||i)&&[y.medium,{fontWeight:u.lq.semibold}]]),headline:[_.headline,{margin:0,color:v.white,fontWeight:u.lq.semibold},f&&[{fontSize:y.xLarge.fontSize}]],imageContent:[_.header,_.image,c&&{display:"flex",alignItems:"center",maxWidth:154}],primaryButton:[_.primaryButton,d,{backgroundColor:v.white,borderColor:v.white,color:v.themePrimary,whiteSpace:"nowrap",selectors:(o={},o["."+_.buttonLabel]=y.medium,o[":hover"]={backgroundColor:v.themeLighter,borderColor:v.themeLighter,color:v.themePrimary},o[":focus"]={backgroundColor:v.themeLighter,borderColor:v.white},o[":active"]={backgroundColor:v.white,borderColor:v.white,color:v.themePrimary},o)}],secondaryButton:[_.secondaryButton,p,{backgroundColor:v.themePrimary,borderColor:v.white,whiteSpace:"nowrap",selectors:(n={},n["."+_.buttonLabel]=[y.medium,{color:v.white}],n["&:hover, &:focus"]={backgroundColor:v.themeDarkAlt,borderColor:v.white},n[":active"]={backgroundColor:v.themePrimary,borderColor:v.white},n)}],subText:[_.subText,{margin:0,fontSize:y.medium.fontSize,color:v.white,fontWeight:u.lq.regular}],subComponentStyles:{callout:{root:(0,l.pr)(Zu(c,g),[y.medium]),beak:[{background:v.themePrimary}],calloutMain:[{background:v.themePrimary}]}}}},$u=(0,I.z)(ju,Qu,void 0,{scope:"TeachingBubbleContent"}),ed={beakWidth:16,gapSpace:0,setInitialFocus:!0,doNotLayer:!1,directionalHint:K.b.rightCenter},td=(0,D.y)(),od=c.forwardRef((function(e,t){var o=c.useRef(null),n=(0,N.r)(o,t),r=e.calloutProps,i=e.targetElement,a=e.onDismiss,s=e.hasCloseButton,u=void 0===s?e.hasCloseIcon:s,d=e.isWide,p=e.styles,m=e.theme,h=e.target,g=c.useMemo((function(){return(0,l.pi)((0,l.pi)((0,l.pi)({},ed),r),{theme:m})}),[r,m]),f=td(p,{theme:m,isWide:d,calloutProps:g,hasCloseButton:u}),v=f.subComponentStyles?f.subComponentStyles.callout:void 0;return function(e,t){c.useImperativeHandle(e,(function(){return{focus:function(){var e;return null===(e=t.current)||void 0===e?void 0:e.focus()}}}),[t])}(e.componentRef,o),c.createElement(Ae.U,(0,l.pi)({target:h||i,onDismiss:a},g,{className:f.root,styles:v,hideOverflow:!0}),c.createElement("div",{ref:n},c.createElement($u,(0,l.pi)({},e))))}));od.displayName="TeachingBubble";var nd=(0,I.z)(od,Qu,void 0,{scope:"TeachingBubble"}),rd=function(e){if(null==e.children)return null;e.block,e.className;var t=e.as,o=void 0===t?"span":t,n=(e.variant,e.nowrap,(0,l._T)(e,["block","className","as","variant","nowrap"]));return Cu(ku(e,{root:o}).root,(0,l.pi)({},(0,E.pq)(n,E.iY)))},id=function(e,t){var o=e.as,n=e.className,r=e.block,i=e.nowrap,a=e.variant,s=t.fonts,l=t.semanticColors,c=s[a||"medium"];return{root:[c,{color:c.color||l.bodyText,display:r?"td"===o?"table-cell":"block":"inline",mozOsxFontSmoothing:c.MozOsxFontSmoothing,webkitFontSmoothing:c.WebkitFontSmoothing},i&&{whiteSpace:"nowrap",overflow:"hidden",textOverflow:"ellipsis"},n]}},ad=Tu(rd,{displayName:"Text",styles:id}),sd=o(8623),ld=o(5229),cd={9:/[0-9]/,a:/[a-zA-Z]/,"*":/[a-zA-Z0-9]/};function ud(e,t){if(void 0===t&&(t=cd),!e)return[];for(var o=[],n=0,r=0;r+n0&&(r=t[0].displayIndex-1);for(var i=0,a=t;ir&&(r=s.displayIndex)):o&&(l=o),n=n.slice(0,s.displayIndex)+l+n.slice(s.displayIndex+1)}return o||(n=n.slice(0,r+1)),n}function pd(e,t){for(var o=0;o=t)return e[o].displayIndex;return e[e.length-1].displayIndex}function md(e,t,o){for(var n=0;n=t){if(e[n].displayIndex>=t+o)break;e[n].value=void 0}return e}function hd(e,t,o){for(var n=0,r=0,i=!1,a=0;a=t)for(i=!0,r=e[a].displayIndex;n=t){e[o].value=void 0;break}return e}(y.maskCharData,s),r=pd(y.maskCharData,s)):(y.maskCharData=function(e,t){for(var o=e.length-1;o>=0;o--)if(e[o].displayIndex=0;o--)if(e[o].displayIndexk.length){p=l-(d=t.length-k.length);var v=t.substr(p,d);r=hd(y.maskCharData,p,v)}else if(t.length<=k.length){d=1;var b=k.length+d-t.length;p=l-d,v=t.substr(p,d),y.maskCharData=md(y.maskCharData,p,b),r=hd(y.maskCharData,p,v)}y.changeSelectionData=null;var _=dd(m,y.maskCharData,g);w(_),S(r),null===(n=u)||void 0===n||n(e,_)}}),[k.length,y,m,g,u]),R=c.useCallback((function(e){var t;if(null===(t=p)||void 0===t||t(e),y.changeSelectionData=null,o.current&&o.current.value){var n=e.keyCode,r=e.ctrlKey,i=e.metaKey;if(r||i)return;if(n===rt.m.backspace||n===rt.m.del){var a=e.target.selectionStart,s=e.target.selectionEnd;if(!(n===rt.m.backspace&&s&&s>0||n===rt.m.del&&null!==a&&a{"use strict";o.d(t,{_:()=>m});var n=o(2002),r=o(7622),i=o(7002),a=o(7300),s=o(8127),l=o(2470),c=o(2998),u=o(4085),d=(0,a.y)(),p=i.forwardRef((function(e,t){var o=(0,u.M)(void 0,e.id),n=e.items,a=e.columnCount,p=e.onRenderItem,m=e.ariaPosInSet,h=void 0===m?e.positionInSet:m,g=e.ariaSetSize,f=void 0===g?e.setSize:g,v=e.styles,b=e.doNotContainWithinFocusZone,y=(0,s.pq)(e,s.iY,b?[]:["onBlur"]),_=d(v,{theme:e.theme}),C=(0,l.QC)(n,a),S=i.createElement("table",(0,r.pi)({"aria-posinset":h,"aria-setsize":f,id:o,role:"grid"},y,{className:_.root}),i.createElement("tbody",null,C.map((function(e,t){return i.createElement("tr",{role:"row",key:t},e.map((function(e,t){return i.createElement("td",{role:"presentation",key:t+"-cell",className:_.tableCell},p(e,t))})))}))));return b?S:i.createElement(c.k,{elementRef:t,isCircularNavigation:e.shouldFocusCircularNavigate,className:_.focusedContainer,onBlur:e.onBlur},S)})),m=(0,n.z)(p,(function(e){return{root:{padding:2,outline:"none"},tableCell:{padding:0}}}));m.displayName="ButtonGrid"},634:(e,t,o)=>{"use strict";o.d(t,{U:()=>s});var n=o(7002),r=o(8088),i=o(990),a=o(4085),s=function(e){var t,o=(0,a.M)("gridCell"),s=e.item,l=e.id,c=void 0===l?o:l,u=e.className,d=e.role,p=e.selected,m=e.disabled,h=void 0!==m&&m,g=e.onRenderItem,f=e.cellDisabledStyle,v=e.cellIsSelectedStyle,b=e.index,y=e.label,_=e.getClassNames,C=e.onClick,S=e.onHover,x=e.onMouseMove,k=e.onMouseLeave,w=e.onMouseEnter,I=e.onFocus,D=n.useCallback((function(){C&&!h&&C(s)}),[h,s,C]),T=n.useCallback((function(e){w&&w(e)||!S||h||S(s)}),[h,s,S,w]),E=n.useCallback((function(e){x&&x(e)||!S||h||S(s)}),[h,s,S,x]),P=n.useCallback((function(e){k&&k(e)||!S||h||S()}),[h,S,k]),M=n.useCallback((function(){I&&!h&&I(s)}),[h,s,I]);return n.createElement(i.M,{id:c,"data-index":b,"data-is-focusable":!0,disabled:h,className:(0,r.i)(u,(t={},t[""+v]=p,t[""+f]=h,t)),onClick:D,onMouseEnter:T,onMouseMove:E,onMouseLeave:P,onFocus:M,role:d,"aria-selected":p,ariaLabel:y,title:y,getClassNames:_},g(s))}},7970:(e,t,o)=>{"use strict";o.d(t,{a:()=>r});var n=o(21);function r(e,t,o,r,i){return r===n.c5||"number"!=typeof r?"#"+i:"rgba("+e+", "+t+", "+o+", "+r/n.c5+")"}},1342:(e,t,o)=>{"use strict";function n(e,t,o){return void 0===o&&(o=0),et?t:e}o.d(t,{u:()=>n})},21:(e,t,o)=>{"use strict";o.d(t,{fr:()=>n,a_:()=>r,uw:()=>i,uc:()=>a,WC:()=>s,c5:()=>l,yE:()=>c,fG:()=>u,HT:()=>d,jU:()=>p,lX:()=>m,Xb:()=>h});var n=100,r=359,i=100,a=255,s=a,l=100,c=3,u=6,d=1,p=3,m=/^[\da-f]{0,6}$/i,h=/^\d{0,3}$/},5298:(e,t,o)=>{"use strict";o.d(t,{L:()=>r});var n=o(21);function r(e){return!e||e.length=n.fG?e.substring(0,n.fG):e.substring(0,n.yE)}},2775:(e,t,o)=>{"use strict";o.d(t,{k:()=>i});var n=o(21),r=o(1342);function i(e){return{r:(0,r.u)(e.r,n.uc),g:(0,r.u)(e.g,n.uc),b:(0,r.u)(e.b,n.uc),a:"number"==typeof e.a?(0,r.u)(e.a,n.c5):e.a}}},8584:(e,t,o)=>{"use strict";o.d(t,{r:()=>i});var n=o(21),r=o(5194);function i(e){if(e)return a(e)||function(e){if("#"===e[0]&&7===e.length&&/^#[\da-fA-F]{6}$/.test(e))return{r:parseInt(e.slice(1,3),16),g:parseInt(e.slice(3,5),16),b:parseInt(e.slice(5,7),16),a:n.c5}}(e)||function(e){if("#"===e[0]&&4===e.length&&/^#[\da-fA-F]{3}$/.test(e))return{r:parseInt(e[1]+e[1],16),g:parseInt(e[2]+e[2],16),b:parseInt(e[3]+e[3],16),a:n.c5}}(e)||function(e){var t=e.match(/^hsl(a?)\(([\d., ]+)\)$/);if(t){var o=!!t[1],i=o?4:3,a=t[2].split(/ *, */).map(Number);if(a.length===i){var s=(0,r.w)(a[0],a[1],a[2]);return s.a=o?100*a[3]:n.c5,s}}}(e)||function(e){if("undefined"!=typeof document){var t=document.createElement("div");t.style.backgroundColor=e,t.style.position="absolute",t.style.top="-9999px",t.style.left="-9999px",t.style.height="1px",t.style.width="1px",document.body.appendChild(t);var o=getComputedStyle(t),n=o&&o.backgroundColor;if(document.body.removeChild(t),"rgba(0, 0, 0, 0)"!==n&&"transparent"!==n)return a(n);switch(e.trim()){case"transparent":case"#0000":case"#00000000":return{r:0,g:0,b:0,a:0}}}}(e)}function a(e){if(e){var t=e.match(/^rgb(a?)\(([\d., ]+)\)$/);if(t){var o=!!t[1],r=o?4:3,i=t[2].split(/ *, */).map(Number);if(i.length===r)return{r:i[0],g:i[1],b:i[2],a:o?100*i[3]:n.c5}}}}},8208:(e,t,o)=>{"use strict";o.d(t,{N:()=>s});var n=o(21),r=o(5772),i=o(5705),a=o(7970);function s(e){var t=e.a,o=void 0===t?n.c5:t,s=e.b,l=e.g,c=e.r,u=(0,r.D)(c,l,s),d=u.h,p=u.s,m=u.v,h=(0,i.C)(c,l,s);return{a:o,b:s,g:l,h:d,hex:h,r:c,s:p,str:(0,a.a)(c,l,s,o,h),v:m,t:n.c5-o}}},7375:(e,t,o)=>{"use strict";o.d(t,{T:()=>a});var n=o(7622),r=o(8584),i=o(8208);function a(e){var t=(0,r.r)(e);if(t)return(0,n.pi)((0,n.pi)({},(0,i.N)(t)),{str:e})}},2417:(e,t,o)=>{"use strict";o.d(t,{p:()=>i});var n=o(21),r=o(3770);function i(e){return"#"+(0,r.d)(e.h,n.fr,n.uw)}},5040:(e,t,o)=>{"use strict";function n(e,t,o){var n=o+(t*=(o<50?o:100-o)/100);return{h:e,s:0===n?0:2*t/n*100,v:n}}o.d(t,{E:()=>n})},5194:(e,t,o)=>{"use strict";o.d(t,{w:()=>i});var n=o(5040),r=o(9865);function i(e,t,o){var i=(0,n.E)(e,t,o);return(0,r.X)(i.h,i.s,i.v)}},3770:(e,t,o)=>{"use strict";o.d(t,{d:()=>i});var n=o(9865),r=o(5705);function i(e,t,o){var i=(0,n.X)(e,t,o),a=i.r,s=i.g,l=i.b;return(0,r.C)(a,s,l)}},9865:(e,t,o)=>{"use strict";o.d(t,{X:()=>r});var n=o(21);function r(e,t,o){var r=[],i=(o/=100)*(t/=100),a=e/60,s=i*(1-Math.abs(a%2-1)),l=o-i;switch(Math.floor(a)){case 0:r=[i,s,0];break;case 1:r=[s,i,0];break;case 2:r=[0,i,s];break;case 3:r=[0,s,i];break;case 4:r=[s,0,i];break;case 5:r=[i,0,s]}return{r:Math.round(n.uc*(r[0]+l)),g:Math.round(n.uc*(r[1]+l)),b:Math.round(n.uc*(r[2]+l))}}},5705:(e,t,o)=>{"use strict";o.d(t,{C:()=>i});var n=o(21),r=o(1342);function i(e,t,o){return[a(e),a(t),a(o)].join("")}function a(e){var t=(e=(0,r.u)(e,n.uc)).toString(16);return 1===t.length?"0"+t:t}},5772:(e,t,o)=>{"use strict";o.d(t,{D:()=>r});var n=o(21);function r(e,t,o){var r=NaN,i=Math.max(e,t,o),a=i-Math.min(e,t,o);return 0===a?r=0:e===i?r=(t-o)/a%6:t===i?r=(o-e)/a+2:o===i&&(r=(e-t)/a+4),(r=Math.round(60*r))<0&&(r+=360),{h:r,s:Math.round(100*(0===i?0:a/i)),v:Math.round(i/n.uc*100)}}},8490:(e,t,o)=>{"use strict";o.d(t,{R:()=>a});var n=o(7622),r=o(7970),i=o(21);function a(e,t){return(0,n.pi)((0,n.pi)({},e),{a:t,t:i.c5-t,str:(0,r.a)(e.r,e.g,e.b,t,e.hex)})}},1990:(e,t,o)=>{"use strict";o.d(t,{i:()=>s});var n=o(7622),r=o(9865),i=o(5705),a=o(7970);function s(e,t){var o=(0,r.X)(t,e.s,e.v),s=o.r,l=o.g,c=o.b,u=(0,i.C)(s,l,c);return(0,n.pi)((0,n.pi)({},e),{h:t,r:s,g:l,b:c,hex:u,str:(0,a.a)(s,l,c,e.a,u)})}},6119:(e,t,o)=>{"use strict";o.d(t,{d:()=>s});var n=o(7622),r=o(9865),i=o(5705),a=o(7970);function s(e,t,o){var s=(0,r.X)(e.h,t,o),l=s.r,c=s.g,u=s.b,d=(0,i.C)(l,c,u);return(0,n.pi)((0,n.pi)({},e),{s:t,v:o,r:l,g:c,b:u,hex:d,str:(0,a.a)(l,c,u,e.a,d)})}},1332:(e,t,o)=>{"use strict";o.d(t,{X:()=>a});var n=o(7622),r=o(7970),i=o(21);function a(e,t){var o=i.c5-t;return(0,n.pi)((0,n.pi)({},e),{t,a:o,str:(0,r.a)(e.r,e.g,e.b,o,e.hex)})}},2240:(e,t,o)=>{"use strict";function n(e){return e.canCheck?!(!e.isChecked&&!e.checked):"boolean"==typeof e.isChecked?e.isChecked:"boolean"==typeof e.checked?e.checked:null}function r(e){return!(!e.subMenuProps&&!e.items)}function i(e){return!(!e.isDisabled&&!e.disabled)}function a(e){return null!==n(e)?"menuitemcheckbox":"menuitem"}o.d(t,{E3:()=>n,Df:()=>r,P_:()=>i,JF:()=>a})},1071:(e,t,o)=>{"use strict";o.d(t,{P:()=>a});var n=o(7622),r=o(7002),i=o(4542),a=function(e){function t(t){var o=e.call(this,t)||this;return o._updateComposedComponentRef=o._updateComposedComponentRef.bind(o),o}return(0,n.ZT)(t,e),t.prototype._updateComposedComponentRef=function(e){this._composedComponentInstance=e,e?this._hoisted=(0,i.W)(this,e):this._hoisted&&(0,i.e)(this,this._hoisted)},t}(r.Component)},9761:(e,t,o)=>{"use strict";o.d(t,{eD:()=>n,kd:()=>h,LF:()=>g,K7:()=>f,Ae:()=>v,tc:()=>b});var n,r=o(7622),i=o(7002),a=o(1071),s=o(9757),l=o(9919),c=o(1529),u=o(8901);!function(e){e[e.small=0]="small",e[e.medium=1]="medium",e[e.large=2]="large",e[e.xLarge=3]="xLarge",e[e.xxLarge=4]="xxLarge",e[e.xxxLarge=5]="xxxLarge",e[e.unknown=999]="unknown"}(n||(n={}));var d,p,m=[479,639,1023,1365,1919,99999999];function h(e){d=e}function g(e){var t=(0,s.J)(e);t&&b(t)}function f(){return d||p||n.large}function v(e){var t,o=((t=function(t){function o(e){var o=t.call(this,e)||this;return o._onResize=function(){var e=b(o.context.window);e!==o.state.responsiveMode&&o.setState({responsiveMode:e})},o._events=new l.r(o),o._updateComposedComponentRef=o._updateComposedComponentRef.bind(o),o.state={responsiveMode:f()},o}return(0,r.ZT)(o,t),o.prototype.componentDidMount=function(){this._events.on(this.context.window,"resize",this._onResize),this._onResize()},o.prototype.componentWillUnmount=function(){this._events.dispose()},o.prototype.render=function(){var t=this.state.responsiveMode;return t===n.unknown?null:i.createElement(e,(0,r.pi)({ref:this._updateComposedComponentRef,responsiveMode:t},this.props))},o}(a.P)).contextType=u.Hn,t);return(0,c.f)(e,o)}function b(e){var t=n.small;if(e){try{for(;e.innerWidth>m[t];)t++}catch(e){t=f()}p=t}else{if(void 0===d)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.");t=d}return t}},4126:(e,t,o)=>{"use strict";o.d(t,{q:()=>l});var n=o(7002),r=o(9757),i=o(757),a=o(9761),s=o(8901),l=function(e){var t=n.useState(a.K7),o=t[0],l=t[1],c=n.useCallback((function(){var t=(0,a.tc)((0,r.J)(e.current));o!==t&&l(t)}),[e,o]),u=(0,s.zY)();return(0,i.d)(u,"resize",c),n.useEffect((function(){c()}),[]),o}},8128:(e,t,o)=>{"use strict";o.d(t,{ww:()=>r,by:()=>i,L7:()=>a,fV:()=>s,ms:()=>l,A4:()=>c,nK:()=>u,Tc:()=>d,Tj:()=>n});var n,r="ktp",i="-",a=r+i,s="data-ktp-target",l="data-ktp-execute-target",c="data-ktp-aria-target",u="ktp-layer-id",d=", ";!function(e){e.KEYTIP_ADDED="keytipAdded",e.KEYTIP_REMOVED="keytipRemoved",e.KEYTIP_UPDATED="keytipUpdated",e.PERSISTED_KEYTIP_ADDED="persistedKeytipAdded",e.PERSISTED_KEYTIP_REMOVED="persistedKeytipRemoved",e.PERSISTED_KEYTIP_EXECUTE="persistedKeytipExecute",e.ENTER_KEYTIP_MODE="enterKeytipMode",e.EXIT_KEYTIP_MODE="exitKeytipMode"}(n||(n={}))},344:(e,t,o)=>{"use strict";o.d(t,{K:()=>s});var n=o(7622),r=o(9919),i=o(2782),a=o(8128),s=function(){function e(){this.keytips={},this.persistedKeytips={},this.sequenceMapping={},this.inKeytipMode=!1,this.shouldEnterKeytipMode=!0,this.delayUpdatingKeytipChange=!1}return e.getInstance=function(){return this._instance},e.prototype.init=function(e){this.delayUpdatingKeytipChange=e},e.prototype.register=function(e,t){void 0===t&&(t=!1);var o=e;t||(o=this.addParentOverflow(e),this.sequenceMapping[o.keySequences.toString()]=o);var n=this._getUniqueKtp(o);if(t?this.persistedKeytips[n.uniqueID]=n:this.keytips[n.uniqueID]=n,this.inKeytipMode||!this.delayUpdatingKeytipChange){var i=t?a.Tj.PERSISTED_KEYTIP_ADDED:a.Tj.KEYTIP_ADDED;r.r.raise(this,i,{keytip:o,uniqueID:n.uniqueID})}return n.uniqueID},e.prototype.update=function(e,t){var o=this.addParentOverflow(e),n=this._getUniqueKtp(o,t),i=this.keytips[t];i&&(n.keytip.visible=i.keytip.visible,this.keytips[t]=n,delete this.sequenceMapping[i.keytip.keySequences.toString()],this.sequenceMapping[n.keytip.keySequences.toString()]=n.keytip,!this.inKeytipMode&&this.delayUpdatingKeytipChange||r.r.raise(this,a.Tj.KEYTIP_UPDATED,{keytip:n.keytip,uniqueID:n.uniqueID}))},e.prototype.unregister=function(e,t,o){void 0===o&&(o=!1),o?delete this.persistedKeytips[t]:delete this.keytips[t],!o&&delete this.sequenceMapping[e.keySequences.toString()];var n=o?a.Tj.PERSISTED_KEYTIP_REMOVED:a.Tj.KEYTIP_REMOVED;!this.inKeytipMode&&this.delayUpdatingKeytipChange||r.r.raise(this,n,{keytip:e,uniqueID:t})},e.prototype.enterKeytipMode=function(){r.r.raise(this,a.Tj.ENTER_KEYTIP_MODE)},e.prototype.exitKeytipMode=function(){r.r.raise(this,a.Tj.EXIT_KEYTIP_MODE)},e.prototype.getKeytips=function(){var e=this;return Object.keys(this.keytips).map((function(t){return e.keytips[t].keytip}))},e.prototype.addParentOverflow=function(e){var t=(0,n.pr)(e.keySequences);if(t.pop(),0!==t.length){var o=this.sequenceMapping[t.toString()];if(o&&o.overflowSetSequence)return(0,n.pi)((0,n.pi)({},e),{overflowSetSequence:o.overflowSetSequence})}return e},e.prototype.menuExecute=function(e,t){r.r.raise(this,a.Tj.PERSISTED_KEYTIP_EXECUTE,{overflowButtonSequences:e,keytipSequences:t})},e.prototype._getUniqueKtp=function(e,t){return void 0===t&&(t=(0,i.z)()),{keytip:(0,n.pi)({},e),uniqueID:t}},e._instance=new e,e}()},5325:(e,t,o)=>{"use strict";o.d(t,{aB:()=>a,a1:()=>s,eX:()=>l,_l:()=>c,w7:()=>u});var n=o(7622),r=o(8128),i=o(2470);function a(e){return e.reduce((function(e,t){return e+r.by+t.split("").join(r.by)}),r.ww)}function s(e,t){var o=t.length,r=(0,n.pr)(t).pop(),a=(0,n.pr)(e);return(0,i.OA)(a,o-1,r)}function l(e){return"["+r.fV+'="'+a(e)+'"]'}function c(e){return"["+r.ms+'="'+e+'"]'}function u(e){var t=" "+r.nK;return e.length?t+" "+a(e):t}},6591:(e,t,o)=>{"use strict";o.d(t,{p$:()=>F,c5:()=>L,Su:()=>A,DC:()=>z,bv:()=>H,qE:()=>O});var n,r=o(7622),i=o(6628),a=o(5951),s=o(4948),l=o(4568),c=o(4884);function u(e,t,o){return{targetEdge:e,alignmentEdge:t,isAuto:o}}var d=((n={})[i.b.topLeftEdge]=u(l.z.top,l.z.left),n[i.b.topCenter]=u(l.z.top),n[i.b.topRightEdge]=u(l.z.top,l.z.right),n[i.b.topAutoEdge]=u(l.z.top,void 0,!0),n[i.b.bottomLeftEdge]=u(l.z.bottom,l.z.left),n[i.b.bottomCenter]=u(l.z.bottom),n[i.b.bottomRightEdge]=u(l.z.bottom,l.z.right),n[i.b.bottomAutoEdge]=u(l.z.bottom,void 0,!0),n[i.b.leftTopEdge]=u(l.z.left,l.z.top),n[i.b.leftCenter]=u(l.z.left),n[i.b.leftBottomEdge]=u(l.z.left,l.z.bottom),n[i.b.rightTopEdge]=u(l.z.right,l.z.top),n[i.b.rightCenter]=u(l.z.right),n[i.b.rightBottomEdge]=u(l.z.right,l.z.bottom),n);function p(e,t){return!(e.topt.bottom||e.leftt.right)}function m(e,t){var o=[];return e.topt.bottom&&o.push(l.z.bottom),e.leftt.right&&o.push(l.z.right),o}function h(e,t){return e[l.z[t]]}function g(e,t,o){return e[l.z[t]]=o,e}function f(e,t){var o=I(t);return(h(e,o.positiveEdge)+h(e,o.negativeEdge))/2}function v(e,t){return e>0?t:-1*t}function b(e,t){return v(e,h(t,e))}function y(e,t,o){return v(o,h(e,o)-h(t,o))}function _(e,t,o){var n=h(e,t)-o;return e=g(e,t,o),g(e,-1*t,h(e,-1*t)-n)}function C(e,t,o,n){return void 0===n&&(n=0),_(e,o,h(t,o)+v(o,n))}function S(e,t,o){return b(o,e)>b(o,t)}function x(e,t,o){for(var n=0,r=e;nMath.abs(y(e,o,-1*t))?-1*t:t}function T(e,t,o){var n=f(t,e),r=f(o,e),i=I(e),a=i.positiveEdge,s=i.negativeEdge;return n<=r?a:s}function E(e,t,o,n,r,i,s){var c=w(e,t,n,r,s);return p(c,o)?{elementRectangle:c,targetEdge:n.targetEdge,alignmentEdge:n.alignmentEdge}:function(e,t,o,n,r,i,s){void 0===r&&(r=0);var c=n.alignmentEdge,u=n.alignTargetEdge,d={elementRectangle:e,targetEdge:n.targetEdge,alignmentEdge:c};i||s||(d=function(e,t,o,n,r){void 0===r&&(r=0);var i=[l.z.left,l.z.right,l.z.bottom,l.z.top];(0,a.zg)()&&(i[0]*=-1,i[1]*=-1);for(var s=e,c=n.targetEdge,u=n.alignmentEdge,d=0;d<4;d++){if(S(s,o,c))return{elementRectangle:s,targetEdge:c,alignmentEdge:u};i.splice(i.indexOf(c),1),i.length>0&&(i.indexOf(-1*c)>-1?c*=-1:(u=c,c=i.slice(-1)[0]),s=w(e,t,{targetEdge:c,alignmentEdge:u},r))}return{elementRectangle:e,targetEdge:n.targetEdge,alignmentEdge:n.alignmentEdge}}(e,t,o,n,r));var h=m(e,o);if(u){if(d.alignmentEdge&&h.indexOf(-1*d.alignmentEdge)>-1){var g=function(e,t,o,n){var r=e.alignmentEdge,i=e.targetEdge,a=-1*r;return{elementRectangle:w(e.elementRectangle,t,{targetEdge:i,alignmentEdge:a},o,n),targetEdge:i,alignmentEdge:a}}(d,t,r,s);if(p(g.elementRectangle,o))return g;d=x(m(g.elementRectangle,o),d,o)}}else d=x(h,d,o);return d}(e,t,o,n,r,i,s)}function P(e){var t=e.getBoundingClientRect();return new c.A(t.left,t.right,t.top,t.bottom)}function M(e){return new c.A(e.left,e.right,e.top,e.bottom)}function R(e,t,o,n){var s=e.gapSpace?e.gapSpace:0,u=function(e,t){var o;if(t){if(t.preventDefault){var n=t;o=new c.A(n.clientX,n.clientX,n.clientY,n.clientY)}else if(t.getBoundingClientRect)o=P(t);else{var r=t,i=r.left||r.x,a=r.top||r.y,s=r.right||i,u=r.bottom||a;o=new c.A(i,s,a,u)}if(!p(o,e))for(var d=0,h=m(o,e);d0?i:n.height}(i.stopPropagation?new c.A(i.clientX,i.clientX,i.clientY,i.clientY):void 0!==m&&void 0!==g?new c.A(m,f,g,v):P(a),t,o,p,r)}function H(e){return-1*e}function O(e,t){return function(e,t){var o=void 0;if(t.getWindowSegments&&(o=t.getWindowSegments()),void 0===o||o.length<=1)return{top:0,left:0,right:t.innerWidth,bottom:t.innerHeight,width:t.innerWidth,height:t.innerHeight};var n=0,r=0;if(null!==e&&e.getBoundingClientRect){var i=e.getBoundingClientRect();n=(i.left+i.right)/2,r=(i.top+i.bottom)/2}else null!==e&&(n=e.left||e.x,r=e.top||e.y);for(var a={top:0,left:0,right:0,bottom:0,width:0,height:0},s=0,l=o;s=n&&r&&c.top<=r&&c.bottom>=r&&(a={top:c.top,left:c.left,right:c.right,bottom:c.bottom,width:c.width,height:c.height})}return a}(e,t)}},4568:(e,t,o)=>{"use strict";var n,r;o.d(t,{z:()=>n,L:()=>r}),function(e){e[e.top=1]="top",e[e.bottom=-1]="bottom",e[e.left=2]="left",e[e.right=-2]="right"}(n||(n={})),function(e){e[e.top=0]="top",e[e.bottom=1]="bottom",e[e.start=2]="start",e[e.end=3]="end"}(r||(r={}))},5515:(e,t,o)=>{"use strict";function n(e,t){for(var o=[],n=0,r=t;nn})},2703:(e,t,o)=>{"use strict";var n;o.d(t,{F:()=>n}),function(e){e[e.Normal=0]="Normal",e[e.Divider=1]="Divider",e[e.Header=2]="Header"}(n||(n={}))},4449:(e,t,o)=>{"use strict";o.d(t,{i:()=>S});var n=o(7622),r=o(7002),i=o(3345),a=o(6840),s=o(8145),l=o(9919),c=o(2167),u=o(688),d=o(9757),p=o(8088),m=o(5480),h=o(4948),g=o(5446),f=o(4553),v=o(5238),b="data-selection-index",y="data-selection-toggle",_="data-selection-invoke",C="data-selection-all-toggle",S=function(e){function t(t){var o=e.call(this,t)||this;o._root=r.createRef(),o.ignoreNextFocus=function(){o._handleNextFocus(!1)},o._onSelectionChange=function(){var e=o.props.selection,t=e.isModal&&e.isModal();o.setState({isModal:t})},o._onMouseDownCapture=function(e){var t=e.target;if(document.activeElement===t||(0,i.t)(document.activeElement,t)){if((0,i.t)(t,o._root.current))for(;t!==o._root.current;){if(o._hasAttribute(t,_)){o.ignoreNextFocus();break}t=(0,a.G)(t)}}else o.ignoreNextFocus()},o._onFocus=function(e){var t=e.target,n=o.props.selection,r=o._isCtrlPressed||o._isMetaPressed,i=o._getSelectionMode();if(o._shouldHandleFocus&&i!==v.oW.none){var a=o._hasAttribute(t,y),s=o._findItemRoot(t);if(!a&&s){var l=o._getItemIndex(s);r?(n.setIndexSelected(l,n.isIndexSelected(l),!0),o.props.enterModalOnTouch&&o._isTouch&&n.setModal&&(n.setModal(!0),o._setIsTouch(!1))):o.props.isSelectedOnFocus&&o._onItemSurfaceClick(e,l)}}o._handleNextFocus(!1)},o._onMouseDown=function(e){o._updateModifiers(e);var t=e.target,n=o._findItemRoot(t);if(!o._isSelectionDisabled(t))for(;t!==o._root.current&&!o._hasAttribute(t,C);){if(n){if(o._hasAttribute(t,y))break;if(o._hasAttribute(t,_))break;if(!(t!==n&&!o._shouldAutoSelect(t)||o._isShiftPressed||o._isCtrlPressed||o._isMetaPressed)){o._onInvokeMouseDown(e,o._getItemIndex(n));break}if(o.props.disableAutoSelectOnInputElements&&("A"===t.tagName||"BUTTON"===t.tagName||"INPUT"===t.tagName))return}t=(0,a.G)(t)}},o._onTouchStartCapture=function(e){o._setIsTouch(!0)},o._onClick=function(e){var t=o.props.enableTouchInvocationTarget,n=void 0!==t&&t;o._updateModifiers(e);for(var r=e.target,i=o._findItemRoot(r),s=o._isSelectionDisabled(r);r!==o._root.current;){if(o._hasAttribute(r,C)){s||o._onToggleAllClick(e);break}if(i){var l=o._getItemIndex(i);if(o._hasAttribute(r,y)){s||(o._isShiftPressed?o._onItemSurfaceClick(e,l):o._onToggleClick(e,l));break}if(o._isTouch&&n&&o._hasAttribute(r,"data-selection-touch-invoke")||o._hasAttribute(r,_)){o._onInvokeClick(e,l);break}if(r===i){s||o._onItemSurfaceClick(e,l);break}if("A"===r.tagName||"BUTTON"===r.tagName||"INPUT"===r.tagName)return}r=(0,a.G)(r)}},o._onContextMenu=function(e){var t=e.target,n=o.props,r=n.onItemContextMenu,i=n.selection;if(r){var a=o._findItemRoot(t);if(a){var s=o._getItemIndex(a);o._onInvokeMouseDown(e,s),r(i.getItems()[s],s,e.nativeEvent)||e.preventDefault()}}},o._onDoubleClick=function(e){var t=e.target,n=o.props.onItemInvoked,r=o._findItemRoot(t);if(r&&n&&!o._isInputElement(t)){for(var i=o._getItemIndex(r);t!==o._root.current&&!o._hasAttribute(t,y)&&!o._hasAttribute(t,_);){if(t===r){o._onInvokeClick(e,i);break}t=(0,a.G)(t)}t=(0,a.G)(t)}},o._onKeyDownCapture=function(e){o._updateModifiers(e),o._handleNextFocus(!0)},o._onKeyDown=function(e){o._updateModifiers(e);var t=e.target,n=o._isSelectionDisabled(t),r=o.props.selection,i=e.which===s.m.a&&(o._isCtrlPressed||o._isMetaPressed),l=e.which===s.m.escape;if(!o._isInputElement(t)){var c=o._getSelectionMode();if(i&&c===v.oW.multiple&&!r.isAllSelected())return n||r.setAllSelected(!0),e.stopPropagation(),void e.preventDefault();if(l&&r.getSelectedCount()>0)return n||r.setAllSelected(!1),e.stopPropagation(),void e.preventDefault();var u=o._findItemRoot(t);if(u)for(var d=o._getItemIndex(u);t!==o._root.current&&!o._hasAttribute(t,y);){if(o._shouldAutoSelect(t)){n||o._onInvokeMouseDown(e,d);break}if(!(e.which!==s.m.enter&&e.which!==s.m.space||"BUTTON"!==t.tagName&&"A"!==t.tagName&&"INPUT"!==t.tagName))return!1;if(t===u){if(e.which===s.m.enter)return o._onInvokeClick(e,d),void e.preventDefault();if(e.which===s.m.space)return n||o._onToggleClick(e,d),void e.preventDefault();break}t=(0,a.G)(t)}}},o._events=new l.r(o),o._async=new c.e(o),(0,u.l)(o);var n=o.props.selection,d=n.isModal&&n.isModal();return o.state={isModal:d},o}return(0,n.ZT)(t,e),t.getDerivedStateFromProps=function(e,t){var o=e.selection.isModal&&e.selection.isModal();return(0,n.pi)((0,n.pi)({},t),{isModal:o})},t.prototype.componentDidMount=function(){var e=(0,d.J)(this._root.current);this._events.on(e,"keydown, keyup",this._updateModifiers,!0),this._events.on(document,"click",this._findScrollParentAndTryClearOnEmptyClick),this._events.on(document.body,"touchstart",this._onTouchStartCapture,!0),this._events.on(document.body,"touchend",this._onTouchStartCapture,!0),this._events.on(this.props.selection,"change",this._onSelectionChange)},t.prototype.render=function(){var e=this.state.isModal;return r.createElement("div",{className:(0,p.i)("ms-SelectionZone",this.props.className,{"ms-SelectionZone--modal":!!e}),ref:this._root,onKeyDown:this._onKeyDown,onMouseDown:this._onMouseDown,onKeyDownCapture:this._onKeyDownCapture,onClick:this._onClick,role:"presentation",onDoubleClick:this._onDoubleClick,onContextMenu:this._onContextMenu,onMouseDownCapture:this._onMouseDownCapture,onFocusCapture:this._onFocus,"data-selection-is-modal":!!e||void 0},this.props.children,r.createElement(m.u,null))},t.prototype.componentDidUpdate=function(e){var t=this.props.selection;t!==e.selection&&(this._events.off(e.selection),this._events.on(t,"change",this._onSelectionChange))},t.prototype.componentWillUnmount=function(){this._events.dispose(),this._async.dispose()},t.prototype._isSelectionDisabled=function(e){if(this._getSelectionMode()===v.oW.none)return!0;for(;e!==this._root.current;){if(this._hasAttribute(e,"data-selection-disabled"))return!0;e=(0,a.G)(e)}return!1},t.prototype._onToggleAllClick=function(e){var t=this.props.selection;this._getSelectionMode()===v.oW.multiple&&(t.toggleAllSelected(),e.stopPropagation(),e.preventDefault())},t.prototype._onToggleClick=function(e,t){var o=this.props.selection,n=this._getSelectionMode();if(o.setChangeEvents(!1),this.props.enterModalOnTouch&&this._isTouch&&!o.isIndexSelected(t)&&o.setModal&&(o.setModal(!0),this._setIsTouch(!1)),n===v.oW.multiple)o.toggleIndexSelected(t);else{if(n!==v.oW.single)return void o.setChangeEvents(!0);var r=o.isIndexSelected(t),i=o.isModal&&o.isModal();o.setAllSelected(!1),o.setIndexSelected(t,!r,!0),i&&o.setModal&&o.setModal(!0)}o.setChangeEvents(!0),e.stopPropagation()},t.prototype._onInvokeClick=function(e,t){var o=this.props,n=o.selection,r=o.onItemInvoked;r&&(r(n.getItems()[t],t,e.nativeEvent),e.preventDefault(),e.stopPropagation())},t.prototype._onItemSurfaceClick=function(e,t){var o=this.props.selection,n=this._isCtrlPressed||this._isMetaPressed,r=this._getSelectionMode();r===v.oW.multiple?this._isShiftPressed&&!this._isTabPressed?o.selectToIndex(t,!n):n?o.toggleIndexSelected(t):this._clearAndSelectIndex(t):r===v.oW.single&&this._clearAndSelectIndex(t)},t.prototype._onInvokeMouseDown=function(e,t){this.props.selection.isIndexSelected(t)||this._clearAndSelectIndex(t)},t.prototype._findScrollParentAndTryClearOnEmptyClick=function(e){var t=(0,h.zj)(this._root.current);this._events.off(document,"click",this._findScrollParentAndTryClearOnEmptyClick),this._events.on(t,"click",this._tryClearOnEmptyClick),(t&&e.target instanceof Node&&t.contains(e.target)||t===e.target)&&this._tryClearOnEmptyClick(e)},t.prototype._tryClearOnEmptyClick=function(e){!this.props.selectionPreservedOnEmptyClick&&this._isNonHandledClick(e.target)&&this.props.selection.setAllSelected(!1)},t.prototype._clearAndSelectIndex=function(e){var t=this.props.selection;if(1!==t.getSelectedCount()||!t.isIndexSelected(e)){var o=t.isModal&&t.isModal();t.setChangeEvents(!1),t.setAllSelected(!1),t.setIndexSelected(e,!0,!0),(o||this.props.enterModalOnTouch&&this._isTouch)&&(t.setModal&&t.setModal(!0),this._isTouch&&this._setIsTouch(!1)),t.setChangeEvents(!0)}},t.prototype._updateModifiers=function(e){this._isShiftPressed=e.shiftKey,this._isCtrlPressed=e.ctrlKey,this._isMetaPressed=e.metaKey;var t=e.keyCode;this._isTabPressed=!!t&&t===s.m.tab},t.prototype._findItemRoot=function(e){for(var t=this.props.selection;e!==this._root.current;){var o=e.getAttribute(b),n=Number(o);if(null!==o&&n>=0&&n{"use strict";o.d(t,{x:()=>i});var n={},r=void 0;try{r=window}catch(e){}function i(e,t){if(void 0!==r){var o=r.__packages__=r.__packages__||{};o[e]&&n[e]||(n[e]=t,(o[e]=o[e]||[]).push(t))}}i("@fluentui/set-version","6.0.0")},9729:(e,t,o)=>{"use strict";o.d(t,{k4:()=>X,Ic:()=>G,D1:()=>q,JJ:()=>he,rN:()=>ve.r,ir:()=>Q.i,UK:()=>ee.U,Ox:()=>xe,yV:()=>$,TS:()=>be.TS,lq:()=>be.lq,qJ:()=>_e,$v:()=>Se,bO:()=>Ce,ld:()=>be.ld,qS:()=>Xe.q,a1:()=>Ze,P$:()=>Re,yp:()=>Me,mV:()=>Pe,yO:()=>Ne,CQ:()=>Be,AV:()=>Ie,dd:()=>we,QQ:()=>ke,bE:()=>Fe,qv:()=>De,B:()=>Te,F1:()=>Ee,Ye:()=>Xe.Y,Jw:()=>le,bR:()=>He,$O:()=>r,E$:()=>xt.m,l7:()=>kt.l,FF:()=>ye.F,jG:()=>ie.j,e2:()=>Ve,jN:()=>ct.j,h4:()=>ze,$X:()=>rt,jx:()=>Ke,GL:()=>We,Cn:()=>$e,xM:()=>Ae,q7:()=>ft,Wx:()=>St,$Y:()=>qe,Sv:()=>at,sK:()=>Le,gh:()=>ue,Nf:()=>tt,ul:()=>Ge,F4:()=>i.F,jz:()=>me,ZC:()=>wt.Z,y0:()=>n.y,jq:()=>nt,Fv:()=>ot,Kq:()=>Q.K,M_:()=>gt,fm:()=>mt,tj:()=>de,sw:()=>pe,yN:()=>vt,Kf:()=>ht});var n=o(9444);function r(e){var t={},o=function(o){var r;e.hasOwnProperty(o)&&Object.defineProperty(t,o,{get:function(){return void 0===r&&(r=(0,n.y)(e[o]).toString()),r},enumerable:!0,configurable:!0})};for(var r in e)o(r);return t}var i=o(2762),a="cubic-bezier(.1,.9,.2,1)",s="cubic-bezier(.1,.25,.75,.9)",l="0.167s",c="0.267s",u="0.367s",d="0.467s",p=(0,i.F)({from:{opacity:0},to:{opacity:1}}),m=(0,i.F)({from:{opacity:1},to:{opacity:0,visibility:"hidden"}}),h=j(-10),g=j(-20),f=j(-40),v=j(-400),b=j(10),y=j(20),_=j(40),C=j(400),S=J(10),x=J(20),k=J(-10),w=J(-20),I=Y(10),D=Y(20),T=Y(40),E=Y(400),P=Y(-10),M=Y(-20),R=Y(-40),N=Y(-400),B=Z(-10),F=Z(-20),L=Z(10),A=Z(20),z=(0,i.F)({from:{transform:"scale3d(.98,.98,1)"},to:{transform:"scale3d(1,1,1)"}}),H=(0,i.F)({from:{transform:"scale3d(1,1,1)"},to:{transform:"scale3d(.98,.98,1)"}}),O=(0,i.F)({from:{transform:"scale3d(1.03,1.03,1)"},to:{transform:"scale3d(1,1,1)"}}),W=(0,i.F)({from:{transform:"scale3d(1,1,1)"},to:{transform:"scale3d(1.03,1.03,1)"}}),V=(0,i.F)({from:{transform:"rotateZ(0deg)"},to:{transform:"rotateZ(90deg)"}}),K=(0,i.F)({from:{transform:"rotateZ(0deg)"},to:{transform:"rotateZ(-90deg)"}}),q={easeFunction1:a,easeFunction2:s,durationValue1:l,durationValue2:c,durationValue3:u,durationValue4:d},G={slideRightIn10:U(p+","+h,u,a),slideRightIn20:U(p+","+g,u,a),slideRightIn40:U(p+","+f,u,a),slideRightIn400:U(p+","+v,u,a),slideLeftIn10:U(p+","+b,u,a),slideLeftIn20:U(p+","+y,u,a),slideLeftIn40:U(p+","+_,u,a),slideLeftIn400:U(p+","+C,u,a),slideUpIn10:U(p+","+S,u,a),slideUpIn20:U(p+","+x,u,a),slideDownIn10:U(p+","+k,u,a),slideDownIn20:U(p+","+w,u,a),slideRightOut10:U(m+","+I,u,a),slideRightOut20:U(m+","+D,u,a),slideRightOut40:U(m+","+T,u,a),slideRightOut400:U(m+","+E,u,a),slideLeftOut10:U(m+","+P,u,a),slideLeftOut20:U(m+","+M,u,a),slideLeftOut40:U(m+","+R,u,a),slideLeftOut400:U(m+","+N,u,a),slideUpOut10:U(m+","+B,u,a),slideUpOut20:U(m+","+F,u,a),slideDownOut10:U(m+","+L,u,a),slideDownOut20:U(m+","+A,u,a),scaleUpIn100:U(p+","+z,u,a),scaleDownIn100:U(p+","+O,u,a),scaleUpOut103:U(m+","+W,l,s),scaleDownOut98:U(m+","+H,l,s),fadeIn100:U(p,l,s),fadeIn200:U(p,c,s),fadeIn400:U(p,u,s),fadeIn500:U(p,d,s),fadeOut100:U(m,l,s),fadeOut200:U(m,c,s),fadeOut400:U(m,u,s),fadeOut500:U(m,d,s),rotate90deg:U(V,"0.1s",s),rotateN90deg:U(K,"0.1s",s)};function U(e,t,o){return{animationName:e,animationDuration:t,animationTimingFunction:o,animationFillMode:"both"}}function j(e){return(0,i.F)({from:{transform:"translate3d("+e+"px,0,0)",pointerEvents:"none"},to:{transform:"translate3d(0,0,0)",pointerEvents:"auto"}})}function J(e){return(0,i.F)({from:{transform:"translate3d(0,"+e+"px,0)",pointerEvents:"none"},to:{transform:"translate3d(0,0,0)",pointerEvents:"auto"}})}function Y(e){return(0,i.F)({from:{transform:"translate3d(0,0,0)"},to:{transform:"translate3d("+e+"px,0,0)"}})}function Z(e){return(0,i.F)({from:{transform:"translate3d(0,0,0)"},to:{transform:"translate3d(0,"+e+"px,0)"}})}var X=r(G),Q=o(1209),$=r(Q.i),ee=o(5314),te=o(7622),oe=o(1767),ne=o(9757),re=o(4976),ie=o(8932),ae=(0,ie.j)({}),se=[],le="theme";function ce(){var e,t,o;if(!oe.X.getSettings([le]).theme){var n=(0,ne.J)();(null===(o=null===(t=n)||void 0===t?void 0:t.FabricConfig)||void 0===o?void 0:o.theme)&&(ae=(0,ie.j)(n.FabricConfig.theme)),oe.X.applySettings(((e={})[le]=ae,e))}}function ue(e){return void 0===e&&(e=!1),!0===e&&(ae=(0,ie.j)({},e)),ae}function de(e){-1===se.indexOf(e)&&se.push(e)}function pe(e){var t=se.indexOf(e);-1!==t&&se.splice(t,1)}function me(e,t){var o;return void 0===t&&(t=!1),ae=(0,ie.j)(e,t),(0,re.jz)((0,te.pi)((0,te.pi)((0,te.pi)((0,te.pi)({},ae.palette),ae.semanticColors),ae.effects),function(e){for(var t={},o=0,n=Object.keys(e.fonts);o10?" (+ "+(bt.length-10)+" more)":"")),yt=void 0,bt=[]}),2e3)))}var Ct={display:"inline-block"};function St(e){var t="",o=ft(e);return o&&(t=(0,n.y)(o.subset.className,Ct,{selectors:{"::before":{content:'"'+o.code+'"'}}})),t}var xt=o(3570),kt=o(965),wt=o(2005);(0,o(6316).x)("@fluentui/style-utilities","8.0.2"),ce()},5314:(e,t,o)=>{"use strict";o.d(t,{U:()=>n});var n={themeDarker:"#004578",themeDark:"#005a9e",themeDarkAlt:"#106ebe",themePrimary:"#0078d4",themeSecondary:"#2b88d8",themeTertiary:"#71afe5",themeLight:"#c7e0f4",themeLighter:"#deecf9",themeLighterAlt:"#eff6fc",black:"#000000",blackTranslucent40:"rgba(0,0,0,.4)",neutralDark:"#201f1e",neutralPrimary:"#323130",neutralPrimaryAlt:"#3b3a39",neutralSecondary:"#605e5c",neutralSecondaryAlt:"#8a8886",neutralTertiary:"#a19f9d",neutralTertiaryAlt:"#c8c6c4",neutralQuaternary:"#d2d0ce",neutralQuaternaryAlt:"#e1dfdd",neutralLight:"#edebe9",neutralLighter:"#f3f2f1",neutralLighterAlt:"#faf9f8",accent:"#0078d4",white:"#ffffff",whiteTranslucent40:"rgba(255,255,255,.4)",yellowDark:"#d29200",yellow:"#ffb900",yellowLight:"#fff100",orange:"#d83b01",orangeLight:"#ea4300",orangeLighter:"#ff8c00",redDark:"#a4262c",red:"#e81123",magentaDark:"#5c005c",magenta:"#b4009e",magentaLight:"#e3008c",purpleDark:"#32145a",purple:"#5c2d91",purpleLight:"#b4a0ff",blueDark:"#002050",blueMid:"#00188f",blue:"#0078d4",blueLight:"#00bcf2",tealDark:"#004b50",teal:"#008272",tealLight:"#00b294",greenDark:"#004b1c",green:"#107c10",greenLight:"#bad80a"}},8932:(e,t,o)=>{"use strict";o.d(t,{j:()=>c});var n=o(5314),r=o(8708),i=o(1209),a=o(8188),s=o(3968),l=o(6267);function c(e,t){void 0===e&&(e={}),void 0===t&&(t=!1);var o=!!e.isInverted,c={palette:n.U,effects:r.r,fonts:i.i,spacing:s.C,isInverted:o,disableGlobalClassNames:!1,semanticColors:(0,l.b)(n.U,r.r,void 0,o,t),rtl:void 0};return(0,a.I)(c,e)}},8708:(e,t,o)=>{"use strict";o.d(t,{r:()=>r});var n=o(4733),r={elevation4:n.N.depth4,elevation8:n.N.depth8,elevation16:n.N.depth16,elevation64:n.N.depth64,roundedCorner2:"2px",roundedCorner4:"4px",roundedCorner6:"6px"}},4733:(e,t,o)=>{"use strict";var n;o.d(t,{N:()=>n}),function(e){e.depth0="0 0 0 0 transparent",e.depth4="0 1.6px 3.6px 0 rgba(0, 0, 0, 0.132), 0 0.3px 0.9px 0 rgba(0, 0, 0, 0.108)",e.depth8="0 3.2px 7.2px 0 rgba(0, 0, 0, 0.132), 0 0.6px 1.8px 0 rgba(0, 0, 0, 0.108)",e.depth16="0 6.4px 14.4px 0 rgba(0, 0, 0, 0.132), 0 1.2px 3.6px 0 rgba(0, 0, 0, 0.108)",e.depth64="0 25.6px 57.6px 0 rgba(0, 0, 0, 0.22), 0 4.8px 14.4px 0 rgba(0, 0, 0, 0.18)"}(n||(n={}))},1209:(e,t,o)=>{"use strict";o.d(t,{i:()=>d,K:()=>h});var n,r,i,a=o(3310),s=o(3182),l=o(7134),c=o(3856),u=o(9757),d=(0,l.F)((0,c.G)());function p(e,t,o,n){e="'"+e+"'";var r=void 0!==n?"local('"+n+"'),":"";(0,a.j)({fontFamily:e,src:r+"url('"+t+".woff2') format('woff2'),url('"+t+".woff') format('woff')",fontWeight:o,fontStyle:"normal",fontDisplay:"swap"})}function m(e,t,o,n,r){void 0===n&&(n="segoeui");var i=e+"/"+o+"/"+n;p(t,i+"-light",s.lq.light,r&&r+" Light"),p(t,i+"-semilight",s.lq.semilight,r&&r+" SemiLight"),p(t,i+"-regular",s.lq.regular,r),p(t,i+"-semibold",s.lq.semibold,r&&r+" SemiBold"),p(t,i+"-bold",s.lq.bold,r&&r+" Bold")}function h(e){if(e){var t=e+"/fonts";m(t,s.Qm.Thai,"leelawadeeui-thai","leelawadeeui"),m(t,s.Qm.Arabic,"segoeui-arabic"),m(t,s.Qm.Cyrillic,"segoeui-cyrillic"),m(t,s.Qm.EastEuropean,"segoeui-easteuropean"),m(t,s.Qm.Greek,"segoeui-greek"),m(t,s.Qm.Hebrew,"segoeui-hebrew"),m(t,s.Qm.Vietnamese,"segoeui-vietnamese"),m(t,s.Qm.WestEuropean,"segoeui-westeuropean","segoeui","Segoe UI"),m(t,s.II.Selawik,"selawik","selawik"),m(t,s.Qm.Armenian,"segoeui-armenian"),m(t,s.Qm.Georgian,"segoeui-georgian"),p("Leelawadee UI Web",t+"/leelawadeeui-thai/leelawadeeui-semilight",s.lq.light),p("Leelawadee UI Web",t+"/leelawadeeui-thai/leelawadeeui-bold",s.lq.semibold)}}h(null!=(i=null===(r=null===(n=(0,u.J)())||void 0===n?void 0:n.FabricConfig)||void 0===r?void 0:r.fontBaseUrl)?i:"https://static2.sharepointonline.com/files/fabric/assets")},3182:(e,t,o)=>{"use strict";var n,r,i,a,s;o.d(t,{Qm:()=>n,II:()=>r,TS:()=>i,lq:()=>a,ld:()=>s}),function(e){e.Arabic="Segoe UI Web (Arabic)",e.Cyrillic="Segoe UI Web (Cyrillic)",e.EastEuropean="Segoe UI Web (East European)",e.Greek="Segoe UI Web (Greek)",e.Hebrew="Segoe UI Web (Hebrew)",e.Thai="Leelawadee UI Web",e.Vietnamese="Segoe UI Web (Vietnamese)",e.WestEuropean="Segoe UI Web (West European)",e.Selawik="Selawik Web",e.Armenian="Segoe UI Web (Armenian)",e.Georgian="Segoe UI Web (Georgian)"}(n||(n={})),function(e){e.Arabic="'"+n.Arabic+"'",e.ChineseSimplified="'Microsoft Yahei UI', Verdana, Simsun",e.ChineseTraditional="'Microsoft Jhenghei UI', Pmingliu",e.Cyrillic="'"+n.Cyrillic+"'",e.EastEuropean="'"+n.EastEuropean+"'",e.Greek="'"+n.Greek+"'",e.Hebrew="'"+n.Hebrew+"'",e.Hindi="'Nirmala UI'",e.Japanese="'Yu Gothic UI', 'Meiryo UI', Meiryo, 'MS Pgothic', Osaka",e.Korean="'Malgun Gothic', Gulim",e.Selawik="'"+n.Selawik+"'",e.Thai="'Leelawadee UI Web', 'Kmer UI'",e.Vietnamese="'"+n.Vietnamese+"'",e.WestEuropean="'"+n.WestEuropean+"'",e.Armenian="'"+n.Armenian+"'",e.Georgian="'"+n.Georgian+"'"}(r||(r={})),function(e){e.size10="10px",e.size12="12px",e.size14="14px",e.size16="16px",e.size18="18px",e.size20="20px",e.size24="24px",e.size28="28px",e.size32="32px",e.size42="42px",e.size68="68px",e.mini="10px",e.xSmall="10px",e.small="12px",e.smallPlus="12px",e.medium="14px",e.mediumPlus="16px",e.icon="16px",e.large="18px",e.xLarge="20px",e.xLargePlus="24px",e.xxLarge="28px",e.xxLargePlus="32px",e.superLarge="42px",e.mega="68px"}(i||(i={})),function(e){e.light=100,e.semilight=300,e.regular=400,e.semibold=600,e.bold=700}(a||(a={})),function(e){e.xSmall="10px",e.small="12px",e.medium="16px",e.large="20px"}(s||(s={}))},7134:(e,t,o)=>{"use strict";o.d(t,{F:()=>s});var n=o(3182),r="'Segoe UI', '"+n.Qm.WestEuropean+"'",i={ar:n.II.Arabic,bg:n.II.Cyrillic,cs:n.II.EastEuropean,el:n.II.Greek,et:n.II.EastEuropean,he:n.II.Hebrew,hi:n.II.Hindi,hr:n.II.EastEuropean,hu:n.II.EastEuropean,ja:n.II.Japanese,kk:n.II.EastEuropean,ko:n.II.Korean,lt:n.II.EastEuropean,lv:n.II.EastEuropean,pl:n.II.EastEuropean,ru:n.II.Cyrillic,sk:n.II.EastEuropean,"sr-latn":n.II.EastEuropean,th:n.II.Thai,tr:n.II.EastEuropean,uk:n.II.Cyrillic,vi:n.II.Vietnamese,"zh-hans":n.II.ChineseSimplified,"zh-hant":n.II.ChineseTraditional,hy:n.II.Armenian,ka:n.II.Georgian};function a(e,t,o){return{fontFamily:o,MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontSize:e,fontWeight:t}}function s(e){var t=function(e){for(var t in i)if(i.hasOwnProperty(t)&&e&&0===t.indexOf(e))return i[t];return r}(e)+", 'Segoe UI', -apple-system, BlinkMacSystemFont, 'Roboto', 'Helvetica Neue', sans-serif";return{tiny:a(n.TS.mini,n.lq.regular,t),xSmall:a(n.TS.xSmall,n.lq.regular,t),small:a(n.TS.small,n.lq.regular,t),smallPlus:a(n.TS.smallPlus,n.lq.regular,t),medium:a(n.TS.medium,n.lq.regular,t),mediumPlus:a(n.TS.mediumPlus,n.lq.regular,t),large:a(n.TS.large,n.lq.regular,t),xLarge:a(n.TS.xLarge,n.lq.semibold,t),xLargePlus:a(n.TS.xLargePlus,n.lq.semibold,t),xxLarge:a(n.TS.xxLarge,n.lq.semibold,t),xxLargePlus:a(n.TS.xxLargePlus,n.lq.semibold,t),superLarge:a(n.TS.superLarge,n.lq.semibold,t),mega:a(n.TS.mega,n.lq.semibold,t)}}},8188:(e,t,o)=>{"use strict";o.d(t,{I:()=>i});var n=o(9478),r=o(6267);function i(e,t){var o,i,a,s;void 0===t&&(t={});var l=(0,n.T)({},e,t,{semanticColors:(0,r.Q)(t.palette,t.effects,t.semanticColors,void 0===t.isInverted?e.isInverted:t.isInverted)});if((null===(o=t.palette)||void 0===o?void 0:o.themePrimary)&&!(null===(i=t.palette)||void 0===i?void 0:i.accent)&&(l.palette.accent=t.palette.themePrimary),t.defaultFontStyle)for(var c=0,u=Object.keys(l.fonts);c{"use strict";o.d(t,{C:()=>n});var n={s2:"4px",s1:"8px",m:"16px",l1:"20px",l2:"32px"}},6267:(e,t,o)=>{"use strict";o.d(t,{b:()=>r,Q:()=>i});var n=o(7622);function r(e,t,o,r,a){return void 0===a&&(a=!1),function(e,t){var o="";return!0===t&&(o=" /* @deprecated */"),e.listTextColor=e.listText+o,e.menuItemBackgroundChecked+=o,e.warningHighlight+=o,e.warningText=e.messageText+o,e.successText+=o,e}(i(e,t,(0,n.pi)({primaryButtonBorder:"transparent",errorText:r?"#F1707B":"#a4262c",messageText:r?"#F3F2F1":"#323130",messageLink:r?"#6CB8F6":"#005A9E",messageLinkHovered:r?"#82C7FF":"#004578",infoIcon:r?"#C8C6C4":"#605e5c",errorIcon:r?"#F1707B":"#A80000",blockingIcon:r?"#442726":"#FDE7E9",warningIcon:r?"#C8C6C4":"#797775",severeWarningIcon:r?"#FCE100":"#D83B01",successIcon:r?"#92C353":"#107C10",infoBackground:r?"#323130":"#f3f2f1",errorBackground:r?"#442726":"#FDE7E9",blockingBackground:r?"#442726":"#FDE7E9",warningBackground:r?"#433519":"#FFF4CE",severeWarningBackground:r?"#4F2A0F":"#FED9CC",successBackground:r?"#393D1B":"#DFF6DD",warningHighlight:r?"#fff100":"#ffb900",successText:r?"#92c353":"#107C10"},o),r),a)}function i(e,t,o,r,i){var a,s,l;void 0===i&&(i=!1);var c={},u=e||{},d=u.white,p=u.black,m=u.themePrimary,h=u.themeDark,g=u.themeDarker,f=u.themeDarkAlt,v=u.themeLighter,b=u.neutralLight,y=u.neutralLighter,_=u.neutralDark,C=u.neutralQuaternary,S=u.neutralQuaternaryAlt,x=u.neutralPrimary,k=u.neutralSecondary,w=u.neutralSecondaryAlt,I=u.neutralTertiary,D=u.neutralTertiaryAlt,T=u.neutralLighterAlt,E=u.accent;return d&&(c.bodyBackground=d,c.bodyFrameBackground=d,c.accentButtonText=d,c.buttonBackground=d,c.primaryButtonText=d,c.primaryButtonTextHovered=d,c.primaryButtonTextPressed=d,c.inputBackground=d,c.inputForegroundChecked=d,c.listBackground=d,c.menuBackground=d,c.cardStandoutBackground=d),p&&(c.bodyTextChecked=p,c.buttonTextCheckedHovered=p),m&&(c.link=m,c.primaryButtonBackground=m,c.inputBackgroundChecked=m,c.inputIcon=m,c.inputFocusBorderAlt=m,c.menuIcon=m,c.menuHeader=m,c.accentButtonBackground=m),h&&(c.primaryButtonBackgroundPressed=h,c.inputBackgroundCheckedHovered=h,c.inputIconHovered=h),g&&(c.linkHovered=g),f&&(c.primaryButtonBackgroundHovered=f),v&&(c.inputPlaceholderBackgroundChecked=v),b&&(c.bodyBackgroundChecked=b,c.bodyFrameDivider=b,c.bodyDivider=b,c.variantBorder=b,c.buttonBackgroundCheckedHovered=b,c.buttonBackgroundPressed=b,c.listItemBackgroundChecked=b,c.listHeaderBackgroundPressed=b,c.menuItemBackgroundPressed=b,c.menuItemBackgroundChecked=b),y&&(c.bodyBackgroundHovered=y,c.buttonBackgroundHovered=y,c.buttonBackgroundDisabled=y,c.buttonBorderDisabled=y,c.primaryButtonBackgroundDisabled=y,c.disabledBackground=y,c.listItemBackgroundHovered=y,c.listHeaderBackgroundHovered=y,c.menuItemBackgroundHovered=y),C&&(c.primaryButtonTextDisabled=C,c.disabledSubtext=C),S&&(c.listItemBackgroundCheckedHovered=S),I&&(c.disabledBodyText=I,c.variantBorderHovered=(null===(a=o)||void 0===a?void 0:a.variantBorderHovered)||I,c.buttonTextDisabled=I,c.inputIconDisabled=I,c.disabledText=I),x&&(c.bodyText=x,c.actionLink=x,c.buttonText=x,c.inputBorderHovered=x,c.inputText=x,c.listText=x,c.menuItemText=x),T&&(c.bodyStandoutBackground=T,c.defaultStateBackground=T),_&&(c.actionLinkHovered=_,c.buttonTextHovered=_,c.buttonTextChecked=_,c.buttonTextPressed=_,c.inputTextHovered=_,c.menuItemTextHovered=_),k&&(c.bodySubtext=k,c.focusBorder=k,c.inputBorder=k,c.smallInputBorder=k,c.inputPlaceholderText=k),w&&(c.buttonBorder=w),D&&(c.disabledBodySubtext=D,c.disabledBorder=D,c.buttonBackgroundChecked=D,c.menuDivider=D),E&&(c.accentButtonBackground=E),(null===(s=t)||void 0===s?void 0:s.elevation4)&&(c.cardShadow=t.elevation4),!r&&(null===(l=t)||void 0===l?void 0:l.elevation8)?c.cardShadowHovered=t.elevation8:c.variantBorderHovered&&(c.cardShadowHovered="0 0 1px "+c.variantBorderHovered),(0,n.pi)((0,n.pi)({},c),o)}},2167:(e,t,o)=>{"use strict";o.d(t,{e:()=>r});var n=o(9757),r=function(){function e(e,t){this._timeoutIds=null,this._immediateIds=null,this._intervalIds=null,this._animationFrameIds=null,this._isDisposed=!1,this._parent=e||null,this._onErrorHandler=t,this._noop=function(){}}return e.prototype.dispose=function(){var e;if(this._isDisposed=!0,this._parent=null,this._timeoutIds){for(e in this._timeoutIds)this._timeoutIds.hasOwnProperty(e)&&this.clearTimeout(parseInt(e,10));this._timeoutIds=null}if(this._immediateIds){for(e in this._immediateIds)this._immediateIds.hasOwnProperty(e)&&this.clearImmediate(parseInt(e,10));this._immediateIds=null}if(this._intervalIds){for(e in this._intervalIds)this._intervalIds.hasOwnProperty(e)&&this.clearInterval(parseInt(e,10));this._intervalIds=null}if(this._animationFrameIds){for(e in this._animationFrameIds)this._animationFrameIds.hasOwnProperty(e)&&this.cancelAnimationFrame(parseInt(e,10));this._animationFrameIds=null}},e.prototype.setTimeout=function(e,t){var o=this,n=0;return this._isDisposed||(this._timeoutIds||(this._timeoutIds={}),n=setTimeout((function(){try{o._timeoutIds&&delete o._timeoutIds[n],e.apply(o._parent)}catch(e){o._logError(e)}}),t),this._timeoutIds[n]=!0),n},e.prototype.clearTimeout=function(e){this._timeoutIds&&this._timeoutIds[e]&&(clearTimeout(e),delete this._timeoutIds[e])},e.prototype.setImmediate=function(e,t){var o=this,r=0,i=(0,n.J)(t);return this._isDisposed||(this._immediateIds||(this._immediateIds={}),r=i.setTimeout((function(){try{o._immediateIds&&delete o._immediateIds[r],e.apply(o._parent)}catch(e){o._logError(e)}}),0),this._immediateIds[r]=!0),r},e.prototype.clearImmediate=function(e,t){var o=(0,n.J)(t);this._immediateIds&&this._immediateIds[e]&&(o.clearTimeout(e),delete this._immediateIds[e])},e.prototype.setInterval=function(e,t){var o=this,n=0;return this._isDisposed||(this._intervalIds||(this._intervalIds={}),n=setInterval((function(){try{e.apply(o._parent)}catch(e){o._logError(e)}}),t),this._intervalIds[n]=!0),n},e.prototype.clearInterval=function(e){this._intervalIds&&this._intervalIds[e]&&(clearInterval(e),delete this._intervalIds[e])},e.prototype.throttle=function(e,t,o){var n=this;if(this._isDisposed)return this._noop;var r,i,a=t||0,s=!0,l=!0,c=0,u=null;o&&"boolean"==typeof o.leading&&(s=o.leading),o&&"boolean"==typeof o.trailing&&(l=o.trailing);var d=function(t){var o=Date.now(),p=o-c,m=s?a-p:a;return p>=a&&(!t||s)?(c=o,u&&(n.clearTimeout(u),u=null),r=e.apply(n._parent,i)):null===u&&l&&(u=n.setTimeout(d,m)),r};return function(){for(var e=[],t=0;t=s&&(o=!0),d=t);var r=t-d,a=s-r,h=t-p,v=!1;return null!==u&&(h>=u&&m?v=!0:a=Math.min(a,u-h)),r>=s||v||o?g(t):null!==m&&e||!c||(m=n.setTimeout(f,a)),i},v=function(){return!!m},b=function(){for(var e=[],t=0;t{"use strict";o.d(t,{H:()=>u,S:()=>p});var n=o(7622),r=o(7002),i=o(2167),a=o(9919),s=o(5415),l=o(209),c=o(3129),u=function(e){function t(o,n){var r=e.call(this,o,n)||this;return function(e,t,o){for(var n=0,r=o.length;n1?e[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 i.e(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 a.r(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(o){return t[e]=o}),this.__resolves[e]},t.prototype._updateComponentRef=function(e,t){void 0===t&&(t={}),e&&t&&e.componentRef!==t.componentRef&&(this._setComponentRef(e.componentRef,null),this._setComponentRef(t.componentRef,this))},t.prototype._warnDeprecations=function(e){(0,c.b)(this.className,this.props,e)},t.prototype._warnMutuallyExclusive=function(e){(0,l.L)(this.className,this.props,e)},t.prototype._warnConditionallyRequiredProps=function(e,t,o){(0,s.w)(this.className,this.props,e,t,o)},t.prototype._setComponentRef=function(e,t){!this._skipComponentRefResolution&&e&&("function"==typeof e&&e(t),"object"==typeof e&&(e.current=t))},t}(r.Component);function d(e,t,o){var n=e[o],r=t[o];(n||r)&&(e[o]=function(){for(var e,t=[],o=0;o{"use strict";o.d(t,{U:()=>i});var n=o(7622),r=o(7002),i=function(e){function t(t){var o=e.call(this,t)||this;return o.state={isRendered:!1},o}return(0,n.ZT)(t,e),t.prototype.componentDidMount=function(){var e=this,t=this.props.delay;this._timeoutId=window.setTimeout((function(){e.setState({isRendered:!0})}),t)},t.prototype.componentWillUnmount=function(){this._timeoutId&&clearTimeout(this._timeoutId)},t.prototype.render=function(){return this.state.isRendered?r.Children.only(this.props.children):null},t.defaultProps={delay:0},t}(r.Component)},9919:(e,t,o)=>{"use strict";o.d(t,{r:()=>r});var n=o(2447),r=function(){function e(t){this._id=e._uniqueId++,this._parent=t,this._eventRecords=[]}return e.raise=function(t,o,r,i){var a;if(e._isElement(t)){if("undefined"!=typeof document&&document.createEvent){var s=document.createEvent("HTMLEvents");s.initEvent(o,i||!1,!0),(0,n.f0)(s,r),a=t.dispatchEvent(s)}else if("undefined"!=typeof document&&document.createEventObject){var l=document.createEventObject(r);t.fireEvent("on"+o,l)}}else for(;t&&!1!==a;){var c=t.__events__,u=c?c[o]:null;if(u)for(var d in u)if(u.hasOwnProperty(d))for(var p=u[d],m=0;!1!==a&&m-1)for(var a=o.split(/[ ,]+/),s=0;s{"use strict";o.d(t,{D:()=>i});var n=o(9757),r=0,i=function(){function e(){}return e.getValue=function(e,t){var o=a();return void 0===o[e]&&(o[e]="function"==typeof t?t():t),o[e]},e.setValue=function(e,t){var o=a(),n=o.__callbacks__,r=o[e];if(t!==r){o[e]=t;var i={oldValue:r,value:t,key:e};for(var s in n)n.hasOwnProperty(s)&&n[s](i)}return t},e.addChangeListener=function(e){var t=e.__id__,o=s();t||(t=e.__id__=String(r++)),o[t]=e},e.removeChangeListener=function(e){delete s()[e.__id__]},e}();function a(){var e,t=(0,n.J)()||{};return t.__globalSettings__||(t.__globalSettings__=((e={}).__callbacks__={},e)),t.__globalSettings__}function s(){return a().__callbacks__}},8145:(e,t,o)=>{"use strict";o.d(t,{m:()=>n});var n={backspace:8,tab:9,enter:13,shift:16,ctrl:17,alt:18,pauseBreak:19,capslock:20,escape:27,space:32,pageUp:33,pageDown:34,end:35,home:36,left:37,up:38,right:39,down:40,insert:45,del:46,zero:48,one:49,two:50,three:51,four:52,five:53,six:54,seven:55,eight:56,nine:57,a:65,b:66,c:67,d:68,e:69,f:70,g:71,h:72,i:73,j:74,k:75,l:76,m:77,n:78,o:79,p:80,q:81,r:82,s:83,t:84,u:85,v:86,w:87,x:88,y:89,z:90,leftWindow:91,rightWindow:92,select:93,zero_numpad:96,one_numpad:97,two_numpad:98,three_numpad:99,four_numpad:100,five_numpad:101,six_numpad:102,seven_numpad:103,eight_numpad:104,nine_numpad:105,multiply:106,add:107,subtract:109,decimalPoint:110,divide:111,f1:112,f2:113,f3:114,f4:115,f5:116,f6:117,f7:118,f8:119,f9:120,f10:121,f11:122,f12:123,numlock:144,scrollLock:145,semicolon:186,equalSign:187,comma:188,dash:189,period:190,forwardSlash:191,graveAccent:192,openBracket:219,backSlash:220,closeBracket:221,singleQuote:222}},4884:(e,t,o)=>{"use strict";o.d(t,{A:()=>n});var n=function(){function e(e,t,o,n){void 0===e&&(e=0),void 0===t&&(t=0),void 0===o&&(o=0),void 0===n&&(n=0),this.top=o,this.bottom=n,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}()},9151:(e,t,o)=>{"use strict";function n(e){for(var t=[],o=1;on})},9577:(e,t,o)=>{"use strict";function n(){for(var e=[],t=0;tn})},2470:(e,t,o)=>{"use strict";function n(e,t,o){void 0===o&&(o=0);for(var n=-1,r=o;e&&rn,sE:()=>r,Ri:()=>i,QC:()=>a,$E:()=>s,wm:()=>l,OA:()=>c,xH:()=>u,cO:()=>d})},7300:(e,t,o)=>{"use strict";o.d(t,{y:()=>u});var n=o(729),r=o(2005),i=o(5951),a=o(9757),s=0,l=n.Y.getInstance();l&&l.onReset&&l.onReset((function(){return s++}));var c="__retval__";function u(e){void 0===e&&(e={});var t=new Map,o=0,n=0,l=s;return function(u,d){var m,h;if(void 0===d&&(d={}),e.useStaticStyles&&"function"==typeof u&&u.__noStyleOverride__)return u(d);n++;var g=t,f=d.theme,v=f&&void 0!==f.rtl?f.rtl:(0,i.zg)(),b=e.disableCaching;return l!==s&&(l=s,t=new Map,o=0),e.disableCaching||(g=p(t,u),g=p(g,d)),!b&&g[c]||(g[c]=void 0===u?{}:(0,r.I)(["function"==typeof u?u(d):u],{rtl:!!v,specificityMultiplier:e.useStaticStyles?5:void 0}),b||o++),o>(e.cacheSize||50)&&((null===(h=null===(m=(0,a.J)())||void 0===m?void 0:m.FabricConfig)||void 0===h?void 0:h.enableClassNameCacheFullWarning)&&(console.warn("Styles are being recalculated too frequently. Cache miss rate is "+o+"/"+n+"."),console.trace()),t.clear(),o=0,e.disableCaching=!0),g[c]}}function d(e,t){return t=function(e){switch(e){case void 0:return"__undefined__";case null:return"__null__";default:return e}}(t),e.has(t)||e.set(t,new Map),e.get(t)}function p(e,t){if("function"==typeof t)if(t.__cachedInputs__)for(var o=0,n=t.__cachedInputs__;o{"use strict";function n(e,t){return void 0!==e[t]&&null!==e[t]}o.d(t,{s:()=>n})},4932:(e,t,o)=>{"use strict";o.d(t,{S:()=>i});var n=o(2470),r=function(e){return function(t){for(var o=0,n=e.refs;o{"use strict";function n(){for(var e=[],t=0;tn})},1767:(e,t,o)=>{"use strict";o.d(t,{X:()=>l});var n=o(7622),r=o(5822),i={settings:{},scopedSettings:{},inCustomizerContext:!1},a=r.D.getValue("customizations",{settings:{},scopedSettings:{},inCustomizerContext:!1}),s=[],l=function(){function e(){}return e.reset=function(){a.settings={},a.scopedSettings={}},e.applySettings=function(t){a.settings=(0,n.pi)((0,n.pi)({},a.settings),t),e._raiseChange()},e.applyScopedSettings=function(t,o){a.scopedSettings[t]=(0,n.pi)((0,n.pi)({},a.scopedSettings[t]),o),e._raiseChange()},e.getSettings=function(e,t,o){void 0===o&&(o=i);for(var n={},r=t&&o.scopedSettings[t]||{},s=t&&a.scopedSettings[t]||{},l=0,c=e;l{"use strict";o.d(t,{N:()=>l});var n=o(7622),r=o(7002),i=o(1767),a=o(7576),s=o(8889),l=function(e){function t(){var t=null!==e&&e.apply(this,arguments)||this;return t._onCustomizationChange=function(){return t.forceUpdate()},t}return(0,n.ZT)(t,e),t.prototype.componentDidMount=function(){i.X.observe(this._onCustomizationChange)},t.prototype.componentWillUnmount=function(){i.X.unobserve(this._onCustomizationChange)},t.prototype.render=function(){var e=this,t=this.props.contextTransform;return r.createElement(a.i.Consumer,null,(function(o){var n=(0,s.u)(e.props,o);return t&&(n=t(n)),r.createElement(a.i.Provider,{value:n},e.props.children)}))},t}(r.Component)},7576:(e,t,o)=>{"use strict";o.d(t,{i:()=>n});var n=o(7002).createContext({customizations:{inCustomizerContext:!1,settings:{},scopedSettings:{}}})},6053:(e,t,o)=>{"use strict";o.d(t,{a:()=>c});var n=o(7622),r=o(7002),i=o(1767),a=o(1529),s=o(7576),l=o(3570);function c(e,t,o){return function(c){var u,d=((u=function(a){function u(e){var t=a.call(this,e)||this;return t._styleCache={},t._onSettingChanged=t._onSettingChanged.bind(t),t}return(0,n.ZT)(u,a),u.prototype.componentDidMount=function(){i.X.observe(this._onSettingChanged)},u.prototype.componentWillUnmount=function(){i.X.unobserve(this._onSettingChanged)},u.prototype.render=function(){var a=this;return r.createElement(s.i.Consumer,null,(function(s){var u=i.X.getSettings(t,e,s.customizations),d=a.props;if(u.styles&&"function"==typeof u.styles&&(u.styles=u.styles((0,n.pi)((0,n.pi)({},u),d))),o&&u.styles){if(a._styleCache.default!==u.styles||a._styleCache.component!==d.styles){var p=(0,l.m)(u.styles,d.styles);a._styleCache.default=u.styles,a._styleCache.component=d.styles,a._styleCache.merged=p}return r.createElement(c,(0,n.pi)({},u,d,{styles:a._styleCache.merged}))}return r.createElement(c,(0,n.pi)({},u,d))}))},u.prototype._onSettingChanged=function(){this.forceUpdate()},u}(r.Component)).displayName="Customized"+e,u);return(0,a.f)(c,d)}}},8889:(e,t,o)=>{"use strict";o.d(t,{u:()=>r});var n=o(3579);function r(e,t){var o=(t||{}).customizations,r=void 0===o?{settings:{},scopedSettings:{}}:o;return{customizations:{settings:(0,n.O)(r.settings,e.settings),scopedSettings:(0,n.J)(r.scopedSettings,e.scopedSettings),inCustomizerContext:!0}}}},3579:(e,t,o)=>{"use strict";o.d(t,{O:()=>r,J:()=>i});var n=o(7622);function r(e,t){return void 0===e&&(e={}),(a(t)?t:function(e){return function(t){return e?(0,n.pi)((0,n.pi)({},t),e):t}}(t))(e)}function i(e,t){return void 0===e&&(e={}),(a(t)?t:(void 0===(o=t)&&(o={}),function(e){var t=(0,n.pi)({},e);for(var r in o)o.hasOwnProperty(r)&&(t[r]=(0,n.pi)((0,n.pi)({},e[r]),o[r]));return t}))(e);var o}function a(e){return"function"==typeof e}},9296:(e,t,o)=>{"use strict";o.d(t,{D:()=>a});var n=o(7002),r=o(1767),i=o(7576);function a(e,t){var o,a=(o=n.useState(0)[1],function(){return o((function(e){return++e}))}),s=n.useContext(i.i).customizations,l=s.inCustomizerContext;return n.useEffect((function(){return l||r.X.observe(a),function(){l||r.X.unobserve(a)}}),[l]),r.X.getSettings(e,t,s)}},5446:(e,t,o)=>{"use strict";o.d(t,{M:()=>r});var n=o(6169);function r(e){if(!n.N&&"undefined"!=typeof document){var t=e;return t&&t.ownerDocument?t.ownerDocument:document}}},9757:(e,t,o)=>{"use strict";o.d(t,{J:()=>i});var n=o(6169),r=void 0;try{r=window}catch(e){}function i(e){if(!n.N&&void 0!==r){var t=e;return t&&t.ownerDocument&&t.ownerDocument.defaultView?t.ownerDocument.defaultView:r}}},9251:(e,t,o)=>{"use strict";function n(e,t,o,n){return e.addEventListener(t,o,n),function(){return e.removeEventListener(t,o,n)}}o.d(t,{on:()=>n})},3978:(e,t,o)=>{"use strict";function n(e){var t=function(e){var t;return"function"==typeof Event?t=new Event(e):(t=document.createEvent("Event")).initEvent(e,!0,!0),t}("MouseEvents");t.initEvent("click",!0,!0),e.dispatchEvent(t)}o.d(t,{x:()=>n})},6169:(e,t,o)=>{"use strict";o.d(t,{N:()=>n,T:()=>r});var n=!1;function r(e){n=e}},3774:(e,t,o)=>{"use strict";o.d(t,{c:()=>r});var n=o(9151);function r(e,t){for(var o in t)t.hasOwnProperty(o)&&(e[o]=(0,n.Z)(e,e[o],t[o]))}},4553:(e,t,o)=>{"use strict";o.d(t,{ft:()=>l,TE:()=>c,RK:()=>u,xY:()=>d,uo:()=>p,TD:()=>m,dc:()=>h,Jv:()=>g,MW:()=>f,jz:()=>v,gc:()=>b,WU:()=>y,mM:()=>_,um:()=>S,bF:()=>x,xu:()=>k});var n=o(5081),r=o(3345),i=o(6840),a=o(9757),s=o(5446);function l(e,t,o){return h(e,t,!0,!1,!1,o)}function c(e,t,o){return m(e,t,!0,!1,!0,o)}function u(e,t,o,n){return void 0===n&&(n=!0),h(e,t,n,!1,!1,o,!1,!0)}function d(e,t,o,n){return void 0===n&&(n=!0),m(e,t,n,!1,!0,o,!1,!0)}function p(e){var t=h(e,e,!0,!1,!1,!0);return!!t&&(S(t),!0)}function m(e,t,o,n,r,i,a,s){if(!t||!a&&t===e)return null;var l=g(t);if(r&&l&&(i||!v(t)&&!b(t))){var c=m(e,t.lastElementChild,!0,!0,!0,i,a,s);if(c){if(s&&f(c,!0)||!s)return c;var u=m(e,c.previousElementSibling,!0,!0,!0,i,a,s);if(u)return u;for(var d=c.parentElement;d&&d!==t;){var p=m(e,d.previousElementSibling,!0,!0,!0,i,a,s);if(p)return p;d=d.parentElement}}}return o&&l&&f(t,s)?t:m(e,t.previousElementSibling,!0,!0,!0,i,a,s)||(n?null:m(e,t.parentElement,!0,!1,!1,i,a,s))}function h(e,t,o,n,r,i,a,s){if(!t||t===e&&r&&!a)return null;var l=g(t);if(o&&l&&f(t,s))return t;if(!r&&l&&(i||!v(t)&&!b(t))){var c=h(e,t.firstElementChild,!0,!0,!1,i,a,s);if(c)return c}return t===e?null:h(e,t.nextElementSibling,!0,!0,!1,i,a,s)||(n?null:h(e,t.parentElement,!1,!1,!0,i,a,s))}function g(e){if(!e||!e.getAttribute)return!1;var t=e.getAttribute("data-is-visible");return null!=t?"true"===t:0!==e.offsetHeight||null!==e.offsetParent||!0===e.isVisible}function f(e,t){if(!e||e.disabled)return!1;var o=0,n=null;e&&e.getAttribute&&(n=e.getAttribute("tabIndex"))&&(o=parseInt(n,10));var r=e.getAttribute?e.getAttribute("data-is-focusable"):null,i=null!==n&&o>=0,a=!!e&&"false"!==r&&("A"===e.tagName||"BUTTON"===e.tagName||"INPUT"===e.tagName||"TEXTAREA"===e.tagName||"SELECT"===e.tagName||"true"===r||i);return t?-1!==o&&a:a}function v(e){return!!(e&&e.getAttribute&&e.getAttribute("data-focuszone-id"))}function b(e){return!(!e||!e.getAttribute||"true"!==e.getAttribute("data-is-sub-focuszone"))}function y(e){var t=(0,s.M)(e),o=t&&t.activeElement;return!(!o||!(0,r.t)(e,o))}function _(e,t){return"true"!==(0,n.j)(e,t)}var C=void 0;function S(e){if(e){if(C)return void(C=e);C=e;var t=(0,a.J)(e);t&&t.requestAnimationFrame((function(){C&&C.focus(),C=void 0}))}}function x(e,t){for(var o=e,n=0,r=t;n{"use strict";o.d(t,{z:()=>s,_:()=>l});var n=o(9757),r=o(729),i=(0,n.J)()||{};void 0===i.__currentId__&&(i.__currentId__=0);var a=!1;function s(e){if(!a){var t=r.Y.getInstance();t&&t.onReset&&t.onReset(l),a=!0}return(void 0===e?"id__":e)+i.__currentId__++}function l(e){void 0===e&&(e=0),i.__currentId__=e}},63:(e,t,o)=>{"use strict";o.d(t,{j:()=>r});var n=o(7622);function r(e,t){for(var o=(0,n.pi)({},t),r=0,i=Object.keys(e);r{"use strict";o.d(t,{W:()=>r,e:()=>i});var n=["setState","render","componentWillMount","UNSAFE_componentWillMount","componentDidMount","componentWillReceiveProps","UNSAFE_componentWillReceiveProps","shouldComponentUpdate","componentWillUpdate","getSnapshotBeforeUpdate","UNSAFE_componentWillUpdate","componentDidUpdate","componentWillUnmount"];function r(e,t,o){void 0===o&&(o=n);var r=[],i=function(n){"function"!=typeof t[n]||void 0!==e[n]||o&&-1!==o.indexOf(n)||(r.push(n),e[n]=function(){for(var e=[],o=0;o{"use strict";function n(e,t){for(var o in e)e.hasOwnProperty(o)&&(t[o]=e[o]);return t}o.d(t,{f:()=>n})},5036:(e,t,o)=>{"use strict";o.d(t,{f:()=>r});var n=o(9757),r=function(){var e,t,o=(0,n.J)();return!!(null===(t=null===(e=o)||void 0===e?void 0:e.navigator)||void 0===t?void 0:t.userAgent)&&o.navigator.userAgent.indexOf("rv:11.0")>-1}},688:(e,t,o)=>{"use strict";o.d(t,{l:()=>r});var n=o(3774);function r(e){(0,n.c)(e,{componentDidMount:i,componentDidUpdate:a,componentWillUnmount:s})}function i(){l(this.props.componentRef,this)}function a(e){e.componentRef!==this.props.componentRef&&(l(e.componentRef,null),l(this.props.componentRef,this))}function s(){l(this.props.componentRef,null)}function l(e,t){e&&("object"==typeof e?e.current=t:"function"==typeof e&&e(t))}},6104:(e,t,o)=>{"use strict";o.d(t,{Q:()=>l});var n=/[\(\[\{][^\)\]\}]*[\)\]\}]/g,r=/[\0-\u001F\!-/:-@\[-`\{-\u00BF\u0250-\u036F\uD800-\uFFFF]/g,i=/^\d+[\d\s]*(:?ext|x|)\s*\d+$/i,a=/\s+/g,s=/[\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]/;function l(e,t,o){return e?(e=function(e){return(e=(e=(e=e.replace(n,"")).replace(r,"")).replace(a," ")).trim()}(e),s.test(e)||!o&&i.test(e)?"":function(e,t){var o="",n=e.split(" ");return 2===n.length?(o+=n[0].charAt(0).toUpperCase(),o+=n[1].charAt(0).toUpperCase()):3===n.length?(o+=n[0].charAt(0).toUpperCase(),o+=n[2].charAt(0).toUpperCase()):0!==n.length&&(o+=n[0].charAt(0).toUpperCase()),t&&o.length>1?o.charAt(1)+o.charAt(0):o}(e,t)):""}},7414:(e,t,o)=>{"use strict";o.d(t,{L:()=>a,e:()=>s});var n,r=o(8145),i=((n={})[r.m.up]=1,n[r.m.down]=1,n[r.m.left]=1,n[r.m.right]=1,n[r.m.home]=1,n[r.m.end]=1,n[r.m.tab]=1,n[r.m.pageUp]=1,n[r.m.pageDown]=1,n);function a(e){return!!i[e]}function s(e){i[e]=1}},3856:(e,t,o)=>{"use strict";o.d(t,{G:()=>l,m:()=>c});var n,r=o(5446),i=o(9757),a=o(6982),s="language";function l(e){if(void 0===e&&(e="sessionStorage"),void 0===n){var t=(0,r.M)(),o="localStorage"===e?function(e){var t=null;try{var o=(0,i.J)();t=o?o.localStorage.getItem("language"):null}catch(e){}return t}():"sessionStorage"===e?a.r(s):void 0;o&&(n=o),void 0===n&&t&&(n=t.documentElement.getAttribute("lang")),void 0===n&&(n="en")}return n}function c(e,t){var o=(0,r.M)();o&&o.documentElement.setAttribute("lang",e);var l=!0===t?"none":t||"sessionStorage";"localStorage"===l?function(e,t){try{var o=(0,i.J)();o&&o.localStorage.setItem("language",t)}catch(e){}}(0,e):"sessionStorage"===l&&a.L(s,e),n=e}},8633:(e,t,o)=>{"use strict";function n(e,t){var o=e.left||e.x||0,n=e.top||e.y||0,r=t.left||t.x||0,i=t.top||t.y||0;return Math.sqrt(Math.pow(o-r,2)+Math.pow(n-i,2))}function r(e){var t,o=e.contentSize,n=e.boundsSize,r=e.mode,i=void 0===r?"contain":r,a=e.maxScale,s=void 0===a?1:a,l=o.width/o.height,c=n.width/n.height;t=("contain"===i?l>c:ln,nK:()=>r,oe:()=>i,F0:()=>a})},5094:(e,t,o)=>{"use strict";o.d(t,{rQ:()=>c,du:()=>u,HP:()=>d,NF:()=>p,Ct:()=>m});var n=o(729),r=!1,i=0,a={empty:!0},s={},l="undefined"==typeof WeakMap?null:WeakMap;function c(e){l=e}function u(){i++}function d(e,t,o){var n=p(o.value&&o.value.bind(null));return{configurable:!0,get:function(){return n}}}function p(e,t,o){if(void 0===t&&(t=100),void 0===o&&(o=!1),!l)return e;if(!r){var a=n.Y.getInstance();a&&a.onReset&&n.Y.getInstance().onReset(u),r=!0}var s,c=0,d=i;return function(){for(var n=[],r=0;r0&&c>t)&&(s=g(),c=0,d=i),a=s;for(var l=0;l{"use strict";function n(e){for(var t=[],o=1;o-1;e[n]=a?i:r(e[n]||{},i,o)}}return o.pop(),e}o.d(t,{T:()=>n})},8936:(e,t,o)=>{"use strict";o.d(t,{g:()=>n});var n=function(){return!!(window&&window.navigator&&window.navigator.userAgent)&&/iPad|iPhone|iPod/i.test(window.navigator.userAgent)}},6093:(e,t,o)=>{"use strict";o.d(t,{O:()=>r});var n=o(5446);function r(e){for(var t,o=[],r=(0,n.M)(e)||document;e!==r.body;){for(var i=0,a=e.parentElement.children;i{"use strict";function n(e,t){for(var o in e)if(e.hasOwnProperty(o)&&(!t.hasOwnProperty(o)||t[o]!==e[o]))return!1;for(var o in t)if(t.hasOwnProperty(o)&&!e.hasOwnProperty(o))return!1;return!0}function r(e){for(var t=[],o=1;on,f0:()=>r,lW:()=>i,vT:()=>a,VO:()=>s,CE:()=>l})},6479:(e,t,o)=>{"use strict";o.d(t,{V:()=>i});var n,r=o(9757);function i(e){if(void 0===n||e){var t=(0,r.J)(),o=t&&t.navigator.userAgent;n=!!o&&-1!==o.indexOf("Macintosh")}return!!n}},6670:(e,t,o)=>{"use strict";function n(e){return e.clientWidthn,cs:()=>r,zS:()=>i})},8127:(e,t,o)=>{"use strict";o.d(t,{WO:()=>r,Nf:()=>i,iY:()=>a,mp:()=>s,vF:()=>l,NI:()=>c,t$:()=>u,PT:()=>d,h2:()=>p,Yq:()=>m,Gg:()=>h,FI:()=>g,bL:()=>f,Qy:()=>v,$B:()=>b,PC:()=>y,fI:()=>_,IX:()=>C,YG:()=>S,qi:()=>x,NX:()=>k,SZ:()=>w,it:()=>I,X7:()=>D,n7:()=>T,pq:()=>E});var n=function(){for(var e=[],t=0;t=0||0===l.indexOf("data-")||0===l.indexOf("aria-"))||o&&-1!==(null===(n=o)||void 0===n?void 0:n.indexOf(l))||(i[l]=e[l])}return i}},8826:(e,t,o)=>{"use strict";o.d(t,{k:()=>i});var n=o(5094),r=(0,n.Ct)((function(e){return(0,n.Ct)((function(t){var o=(0,n.Ct)((function(e){return function(o){return t(o,e)}}));return function(n,r){return e(n,r?o(r):t)}}))}));function i(e,t){return r(e)(t)}},5951:(e,t,o)=>{"use strict";o.d(t,{zg:()=>c,ok:()=>u,dP:()=>d});var n,r=o(8145),i=o(5446),a=o(6982),s=o(6825),l="isRTL";function c(e){if(void 0===e&&(e={}),void 0!==e.rtl)return e.rtl;if(void 0===n){var t=(0,a.r)(l);null!==t&&u(n="1"===t);var o=(0,i.M)();void 0===n&&o&&(n="rtl"===(o.body&&o.body.getAttribute("dir")||o.documentElement.getAttribute("dir")),(0,s.ok)(n))}return!!n}function u(e,t){void 0===t&&(t=!1);var o=(0,i.M)();o&&o.documentElement.setAttribute("dir",e?"rtl":"ltr"),t&&(0,a.L)(l,e?"1":"0"),n=e,(0,s.ok)(n)}function d(e,t){return void 0===t&&(t={}),c(t)&&(e===r.m.left?e=r.m.right:e===r.m.right&&(e=r.m.left)),e}},2990:(e,t,o)=>{"use strict";o.d(t,{J:()=>r});var n=o(3774),r=function(e){var t;return function(o){t||(t=new Set,(0,n.c)(e,{componentWillUnmount:function(){t.forEach((function(e){return cancelAnimationFrame(e)}))}}));var r=requestAnimationFrame((function(){t.delete(r),o()}));t.add(r)}}},4948:(e,t,o)=>{"use strict";o.d(t,{c6:()=>c,C7:()=>u,eC:()=>d,Qp:()=>m,tG:()=>h,np:()=>g,zj:()=>f});var n,r=o(5446),i=o(9444),a=o(9757),s=0,l=(0,i.y)({overflow:"hidden !important"}),c="data-is-scrollable",u=function(e,t){if(e){var o=0,n=null;t.on(e,"touchstart",(function(e){1===e.targetTouches.length&&(o=e.targetTouches[0].clientY)}),{passive:!1}),t.on(e,"touchmove",(function(e){if(1===e.targetTouches.length&&(e.stopPropagation(),n)){var t=e.targetTouches[0].clientY-o,r=f(e.target);r&&(n=r),0===n.scrollTop&&t>0&&e.preventDefault(),n.scrollHeight-Math.ceil(n.scrollTop)<=n.clientHeight&&t<0&&e.preventDefault()}}),{passive:!1}),n=e}},d=function(e,t){e&&t.on(e,"touchmove",(function(e){e.stopPropagation()}),{passive:!1})},p=function(e){e.preventDefault()};function m(){var e=(0,r.M)();e&&e.body&&!s&&(e.body.classList.add(l),e.body.addEventListener("touchmove",p,{passive:!1,capture:!1})),s++}function h(){if(s>0){var e=(0,r.M)();e&&e.body&&1===s&&(e.body.classList.remove(l),e.body.removeEventListener("touchmove",p)),s--}}function g(){if(void 0===n){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),n=e.offsetWidth-e.clientWidth,document.body.removeChild(e)}return n}function f(e){for(var t=e,o=(0,r.M)(e);t&&t!==o.body;){if("true"===t.getAttribute(c))return t;t=t.parentElement}for(t=e;t&&t!==o.body;){if("false"!==t.getAttribute(c)){var n=getComputedStyle(t),i=n?n.getPropertyValue("overflow-y"):"";if(i&&("scroll"===i||"auto"===i))return t}t=t.parentElement}return t&&t!==o.body||(t=(0,a.J)(e)),t}},3297:(e,t,o)=>{"use strict";o.d(t,{Y:()=>i});var n=o(5238),r=o(9919),i=function(){function e(){for(var e=[],t=0;t0&&this._isAllSelected&&0===this._exemptedCount||!this._isAllSelected&&this._exemptedCount===e&&e>0},e.prototype.isKeySelected=function(e){var t=this._keyToIndexMap[e];return this.isIndexSelected(t)},e.prototype.isIndexSelected=function(e){return!!(this.count>0&&this._isAllSelected&&!this._exemptedIndices[e]&&!this._unselectableIndices[e]||!this._isAllSelected&&this._exemptedIndices[e])},e.prototype.setAllSelected=function(e){if(!e||this.mode===n.oW.multiple){var t=this._items?this._items.length-this._unselectableCount:0;this.setChangeEvents(!1),t>0&&(this._exemptedCount>0||e!==this._isAllSelected)&&(this._exemptedIndices={},(e!==this._isAllSelected||this._exemptedCount>0)&&(this._exemptedCount=0,this._isAllSelected=e,this._change()),this._updateCount()),this.setChangeEvents(!0)}},e.prototype.setKeySelected=function(e,t,o){var n=this._keyToIndexMap[e];n>=0&&this.setIndexSelected(n,t,o)},e.prototype.setIndexSelected=function(e,t,o){if(this.mode!==n.oW.none&&!((e=Math.min(Math.max(0,e),this._items.length-1))<0||e>=this._items.length)){this.setChangeEvents(!1);var r=this._exemptedIndices[e];!this._unselectableIndices[e]&&(t&&this.mode===n.oW.single&&this._setAllSelected(!1,!0),r&&(t&&this._isAllSelected||!t&&!this._isAllSelected)&&(delete this._exemptedIndices[e],this._exemptedCount--),!r&&(t&&!this._isAllSelected||!t&&this._isAllSelected)&&(this._exemptedIndices[e]=!0,this._exemptedCount++),o&&(this._anchoredIndex=e)),this._updateCount(),this.setChangeEvents(!0)}},e.prototype.selectToKey=function(e,t){this.selectToIndex(this._keyToIndexMap[e],t)},e.prototype.selectToIndex=function(e,t){if(this.mode!==n.oW.none)if(this.mode!==n.oW.single){var o=this._anchoredIndex||0,r=Math.min(e,o),i=Math.max(e,o);for(this.setChangeEvents(!1),t&&this._setAllSelected(!1,!0);r<=i;r++)this.setIndexSelected(r,!0,!1);this.setChangeEvents(!0)}else this.setIndexSelected(e,!0,!0)},e.prototype.toggleAllSelected=function(){this.setAllSelected(!this.isAllSelected())},e.prototype.toggleKeySelected=function(e){this.setKeySelected(e,!this.isKeySelected(e),!0)},e.prototype.toggleIndexSelected=function(e){this.setIndexSelected(e,!this.isIndexSelected(e),!0)},e.prototype.toggleRangeSelected=function(e,t){if(this.mode!==n.oW.none){var o=this.isRangeSelected(e,t),r=e+t;if(!(this.mode===n.oW.single&&t>1)){this.setChangeEvents(!1);for(var i=e;i0&&(this._exemptedCount>0||e!==this._isAllSelected)&&(this._exemptedIndices={},(e!==this._isAllSelected||this._exemptedCount>0)&&(this._exemptedCount=0,this._isAllSelected=e,this._change()),this._updateCount(t)),this.setChangeEvents(!0)}},e.prototype._change=function(){0===this._changeEventSuppressionCount?(this._selectedItems=null,this._selectedIndices=void 0,r.r.raise(this,n.F5),this._onSelectionChanged&&this._onSelectionChanged()):this._hasChanged=!0},e}();function a(e,t){var o=(e||{}).key;return void 0===o?""+t:o}},5238:(e,t,o)=>{"use strict";o.d(t,{F5:()=>i,oW:()=>n,a$:()=>r});var n,r,i="change";!function(e){e[e.none=0]="none",e[e.single=1]="single",e[e.multiple=2]="multiple"}(n||(n={})),function(e){e[e.horizontal=0]="horizontal",e[e.vertical=1]="vertical"}(r||(r={}))},6982:(e,t,o)=>{"use strict";o.d(t,{r:()=>r,L:()=>i});var n=o(9757);function r(e){var t=null;try{var o=(0,n.J)();t=o?o.sessionStorage.getItem(e):null}catch(e){}return t}function i(e,t){var o;try{null===(o=(0,n.J)())||void 0===o||o.sessionStorage.setItem(e,t)}catch(e){}}},6145:(e,t,o)=>{"use strict";o.d(t,{G$:()=>r,MU:()=>a});var n=o(9757),r="ms-Fabric--isFocusVisible",i="ms-Fabric--isFocusHidden";function a(e,t){var o=t?(0,n.J)(t):(0,n.J)();if(o){var a=o.document.body.classList;a.add(e?r:i),a.remove(e?i:r)}}},6953:(e,t,o)=>{"use strict";o.d(t,{W:()=>i});var n=/[\{\}]/g,r=/\{\d+\}/g;function i(e){for(var t=[],o=1;o{"use strict";o.d(t,{z:()=>l});var n=o(7622),r=o(7002),i=o(965),a=o(9296),s=["theme","styles"];function l(e,t,o,l,c){var u=(l=l||{scope:"",fields:void 0}).scope,d=l.fields,p=void 0===d?s:d,m=r.forwardRef((function(s,l){var c=r.useRef(),d=(0,a.D)(p,u),m=d.styles,h=(d.dir,(0,n._T)(d,["styles","dir"])),g=o?o(s):void 0,f=c.current&&c.current.__cachedInputs__||[];if(!c.current||m!==f[1]||s.styles!==f[2]){var v=function(e){return(0,i.l)(e,t,m,s.styles)};v.__cachedInputs__=[t,m,s.styles],v.__noStyleOverride__=!m&&!s.styles,c.current=v}return r.createElement(e,(0,n.pi)({ref:l},h,g,s,{styles:c.current}))}));m.displayName="Styled"+(e.displayName||e.name);var h=c?r.memo(m):m;return m.displayName&&(h.displayName=m.displayName),h}},5480:(e,t,o)=>{"use strict";o.d(t,{P:()=>c,u:()=>u});var n=o(7002),r=o(9757),i=o(7414),a=o(6145),s=new WeakMap;function l(e,t){var o,n=s.get(e);return o=n?n+t:1,s.set(e,o),o}function c(e){n.useEffect((function(){var t,o,n=(0,r.J)(null===(t=e)||void 0===t?void 0:t.current);if(n&&!0!==(null===(o=n.FabricConfig)||void 0===o?void 0:o.disableFocusRects)){var i=l(n,1);return i<=1&&(n.addEventListener("mousedown",d,!0),n.addEventListener("pointerdown",p,!0),n.addEventListener("keydown",m,!0)),function(){var e;n&&!0!==(null===(e=n.FabricConfig)||void 0===e?void 0:e.disableFocusRects)&&0===(i=l(n,-1))&&(n.removeEventListener("mousedown",d,!0),n.removeEventListener("pointerdown",p,!0),n.removeEventListener("keydown",m,!0))}}}),[e])}var u=function(e){return c(e.rootRef),null};function d(e){(0,a.MU)(!1,e.target)}function p(e){"mouse"!==e.pointerType&&(0,a.MU)(!1,e.target)}function m(e){(0,i.L)(e.which)&&(0,a.MU)(!0,e.target)}},687:(e,t,o)=>{"use strict";function n(e){console&&console.warn&&console.warn(e)}function r(e){}o.d(t,{Z:()=>n,U:()=>r})},5415:(e,t,o)=>{"use strict";function n(e,t,o,n,r){}o.d(t,{w:()=>n}),o(687)},5301:(e,t,o)=>{"use strict";function n(){}function r(e){}o.d(t,{G:()=>n,Q:()=>r})},3129:(e,t,o)=>{"use strict";function n(e,t,o){}o.d(t,{b:()=>n})},209:(e,t,o)=>{"use strict";function n(e,t,o){}o.d(t,{L:()=>n})},4976:(e,t,o)=>{"use strict";o.d(t,{RM:()=>d,jz:()=>m});var n,r=function(){return(r=Object.assign||function(e){for(var t,o=1,n=arguments.length;oo&&t.push({rawString:e.substring(o,r)}),t.push({theme:n[1],defaultValue:n[2]}),o=l.lastIndex}t.push({rawString:e.substring(o)})}return t}(e),n=s.runState,r=n.mode,i=n.buffer,a=n.flushTimer;t||1===r?(i.push(o),a||(s.runState.flushTimer=setTimeout((function(){s.runState.flushTimer=0,u((function(){var e=s.runState.buffer.slice();s.runState.buffer=[];var t=[].concat.apply([],e);t.length>0&&p(t)}))}),0))):p(o)}))}function p(e,t){s.loadStyles?s.loadStyles(g(e).styleString,e):function(e){if("undefined"!=typeof document){var t=document.getElementsByTagName("head")[0],o=document.createElement("style"),n=g(e),r=n.styleString,i=n.themable;o.setAttribute("data-load-themed-styles","true"),a&&o.setAttribute("nonce",a),o.appendChild(document.createTextNode(r)),s.perf.count++,t.appendChild(o);var l=document.createEvent("HTMLEvents");l.initEvent("styleinsert",!0,!1),l.args={newStyle:o},document.dispatchEvent(l);var c={styleElement:o,themableStyle:e};i?s.registeredThemableStyles.push(c):s.registeredStyles.push(c)}}(e)}function m(e){s.theme=e,function(){if(s.theme){for(var e=[],t=0,o=s.registeredThemableStyles;t0&&(void 0===(r=1)&&(r=3),3!==r&&2!==r||(h(s.registeredStyles),s.registeredStyles=[]),3!==r&&1!==r||(h(s.registeredThemableStyles),s.registeredThemableStyles=[]),p([].concat.apply([],e)))}var r}()}function h(e){e.forEach((function(e){var t=e&&e.styleElement;t&&t.parentElement&&t.parentElement.removeChild(t)}))}function g(e){var t=s.theme,o=!1;return{styleString:(e||[]).map((function(e){var n=e.theme;if(n){o=!0;var r=t?t[n]:void 0,i=e.defaultValue||"inherit";return t&&!r&&console&&!(n in t)&&"undefined"!=typeof DEBUG&&DEBUG&&console.warn('Theming value not provided for "'+n+'". Falling back to "'+i+'".'),r||i}return e.rawString})).join(""),themable:o}}},7622:(e,t,o)=>{"use strict";o.d(t,{ZT:()=>r,pi:()=>i,_T:()=>a,gn:()=>s,pr:()=>l});var n=function(e,t){return(n=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var o in t)t.hasOwnProperty(o)&&(e[o]=t[o])})(e,t)};function r(e,t){function o(){this.constructor=e}n(e,t),e.prototype=null===t?Object.create(t):(o.prototype=t.prototype,new o)}var i=function(){return(i=Object.assign||function(e){for(var t,o=1,n=arguments.length;o=0;s--)(r=e[s])&&(a=(i<3?r(a):i>3?r(t,o,a):r(t,o))||a);return i>3&&a&&Object.defineProperty(t,o,a),a}function l(){for(var e=0,t=0,o=arguments.length;t{"use strict";o.r(t),o.d(t,{ActionButton:()=>R,Calendar:()=>H,Checkbox:()=>O,ChoiceGroup:()=>W,ColorPicker:()=>V,ComboBox:()=>K,CommandBarButton:()=>N,CommandButton:()=>B,CompoundButton:()=>F,DatePicker:()=>q,DefaultButton:()=>L,Dropdown:()=>G,IconButton:()=>A,NormalPeoplePicker:()=>U,PrimaryButton:()=>z,Rating:()=>j,SearchBox:()=>J,Slider:()=>Y,SpinButton:()=>Z,SwatchColorPicker:()=>X,TextField:()=>Q,Toggle:()=>$});var n=o(2898),r=o(1420),i=o(990),a=o(8959),s=o(9632),l=o(5758),c=o(8924),u=o(4977),d=o(2777),p=o(9240),m=o(6847),h=o(610),g=o(127),f=o(4004),v=o(9318),b=o(558),y=o(6419),_=o(4107),C=o(3134),S=o(9502),x=o(8623),k=o(1431);const w=jsmodule["@/shiny.react"];var I=o(7002);function D(e){return function(e){if(Array.isArray(e))return E(e)}(e)||function(e){if("undefined"!=typeof Symbol&&Symbol.iterator in Object(e))return Array.from(e)}(e)||T(e)||function(){throw new TypeError("Invalid attempt to spread non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}()}function T(e,t){if(e){if("string"==typeof e)return E(e,t);var o=Object.prototype.toString.call(e).slice(8,-1);return"Object"===o&&e.constructor&&(o=e.constructor.name),"Map"===o||"Set"===o?Array.from(e):"Arguments"===o||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(o)?E(e,t):void 0}}function E(e,t){(null==t||t>e.length)&&(t=e.length);for(var o=0,n=new Array(t);o2&&void 0!==arguments[2]?arguments[2]:", ",n=new Set(t);return e.filter((function(e){return n.has(e.key)})).map((function(e){return null==e?void 0:e.text})).join(o)}var R=(0,w.ButtonAdapter)(n.K),N=(0,w.ButtonAdapter)(r.Q),B=(0,w.ButtonAdapter)(i.M),F=(0,w.ButtonAdapter)(a.W),L=(0,w.ButtonAdapter)(s.a),A=(0,w.ButtonAdapter)(l.h),z=(0,w.ButtonAdapter)(c.K),H=(0,w.InputAdapter)(u.f,(function(e,t){return{value:e?new Date(e):new Date,onSelectDate:t}})),O=(0,w.InputAdapter)(d.X,(function(e,t){return{checked:e,onChange:function(e,o){return t(o)}}})),W=(0,w.InputAdapter)(p.F,(function(e,t){return{selectedKey:e,onChange:function(e,o){return t(o.key)}}})),V=(0,w.InputAdapter)(m.z,(function(e,t){return{color:e,onChange:function(e,o){return t(o.str)}}}),{policy:w.debounce,delay:250}),K=(0,w.InputAdapter)(h.C,(function(e,t,o){var n,r,i=(n=(0,I.useState)(o.options),r=2,function(e){if(Array.isArray(e))return e}(n)||function(e,t){if("undefined"!=typeof Symbol&&Symbol.iterator in Object(e)){var o=[],n=!0,r=!1,i=void 0;try{for(var a,s=e[Symbol.iterator]();!(n=(a=s.next()).done)&&(o.push(a.value),!t||o.length!==t);n=!0);}catch(e){r=!0,i=e}finally{try{n||null==s.return||s.return()}finally{if(r)throw i}}return o}}(n,r)||T(n,r)||function(){throw new TypeError("Invalid attempt to destructure non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}()),a=i[0],s=i[1];return{selectedKey:e,text:"string"==typeof e?e:M(a,e,o.multiSelectDelimiter||", "),options:a,onChange:function(n,r,i,l){var c=(null==r?void 0:r.key)||l,u=r||{key:c,text:l};null!=o&&o.allowFreeform&&!r&&l&&s((function(e){return[].concat(D(e),[u])})),o.multiSelect&&(c=P(u,e,a)),t(c)}}}),{policy:w.debounce,delay:250}),q=(0,w.InputAdapter)(g.M,(function(e,t){return{value:e?new Date(e):void 0,onSelectDate:t}})),G=(0,w.InputAdapter)(f.L,(function(e,t,o){return{selectedKeys:e,selectedKey:e,onChange:function(n,r){o.multiSelect?t(P(r,e,o.options)):t(r.key)}}})),U=(0,w.InputAdapter)(v.cA,(function(e,t,o){return{onResolveSuggestions:function(e,t){return o.options.filter((function(o){return!t.includes(o)&&o.text.toLowerCase().startsWith(e.toLowerCase())}))},onEmptyInputFocus:function(e){return o.options.filter((function(t){return!e.includes(t)}))},getTextFromItem:function(e){return e.text},onChange:function(e){return t(e.map((function(e){return e.key})))}}})),j=(0,w.InputAdapter)(b.i,(function(e,t){return{rating:e,onChange:function(e,o){return t(o)}}})),J=(0,w.InputAdapter)(y.R,(function(e,t){return{value:e,onChange:function(e,o){return t(o)}}}),{policy:w.debounce,delay:250}),Y=(0,w.InputAdapter)(_.i,(function(e,t){return{value:e,onChange:t}}),{policy:w.debounce,delay:250}),Z=(0,w.InputAdapter)(C.k,(function(e,t){return{value:e,onChange:function(e,o){return o&&t(Number(o))}}}),{policy:w.debounce,delay:250}),X=(0,w.InputAdapter)(S.U,(function(e,t){return{selectedId:e,onChange:function(e,o){return t(o)}}})),Q=(0,w.InputAdapter)(x.n,(function(e,t){return{value:e,onChange:function(e,o){return t(o)}}}),{policy:w.debounce,delay:250}),$=(0,w.InputAdapter)(k.Z,(function(e,t){return{checked:e,onChange:function(e,o){return t(o)}}}))},4686:(e,t,o)=>{function n(e,t){var o=Object.keys(e);if(Object.getOwnPropertySymbols){var n=Object.getOwnPropertySymbols(e);t&&(n=n.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),o.push.apply(o,n)}return o}function r(e){for(var t=1;t{"use strict";e.exports=jsmodule.react}},t={};function o(n){if(t[n])return t[n].exports;var r=t[n]={exports:{}};return e[n](r,r.exports,o),r.exports}o.n=e=>{var t=e&&e.__esModule?()=>e.default:()=>e;return o.d(t,{a:t}),t},o.d=(e,t)=>{for(var n in t)o.o(t,n)&&!o.o(e,n)&&Object.defineProperty(e,n,{enumerable:!0,get:t[n]})},o.g=function(){if("object"==typeof globalThis)return globalThis;try{return this||new Function("return this")()}catch(e){if("object"==typeof window)return window}}(),o.o=(e,t)=>Object.prototype.hasOwnProperty.call(e,t),o.r=e=>{"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(e,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(e,"__esModule",{value:!0})},(()=>{"use strict";o(4686),(0,o(2481).l)()})()})(); \ No newline at end of file +(()=>{var e={6786:(e,t,o)=>{"use strict";o.d(t,{mR:()=>r,tf:()=>i});var n=o(7622),r={formatDay:function(e){return e.getDate().toString()},formatMonth:function(e,t){return t.months[e.getMonth()]},formatYear:function(e){return e.getFullYear().toString()},formatMonthDayYear:function(e,t){return t.months[e.getMonth()]+" "+e.getDate()+", "+e.getFullYear()},formatMonthYear:function(e,t){return t.months[e.getMonth()]+" "+e.getFullYear()}},i=(0,n.pi)((0,n.pi)({},{months:["January","February","March","April","May","June","July","August","September","October","November","December"],shortMonths:["Jan","Feb","Mar","Apr","May","Jun","Jul","Aug","Sep","Oct","Nov","Dec"],days:["Sunday","Monday","Tuesday","Wednesday","Thursday","Friday","Saturday"],shortDays:["S","M","T","W","T","F","S"]}),{goToToday:"Go to today",weekNumberFormatString:"Week number {0}",prevMonthAriaLabel:"Previous month",nextMonthAriaLabel:"Next month",prevYearAriaLabel:"Previous year",nextYearAriaLabel:"Next year",prevYearRangeAriaLabel:"Previous year range",nextYearRangeAriaLabel:"Next year range",closeButtonAriaLabel:"Close",selectedDateFormatString:"Selected date {0}",todayDateFormatString:"Today's date {0}",monthPickerHeaderAriaLabel:"{0}, change year",yearPickerHeaderAriaLabel:"{0}, change month",dayMarkedAriaLabel:"marked"})},6974:(e,t,o)=>{"use strict";o.d(t,{E4:()=>i,jh:()=>a,zI:()=>s,Bc:()=>l,pU:()=>c,D7:()=>u,W8:()=>d,Q9:()=>p,q0:()=>m,aN:()=>h,NJ:()=>g,e0:()=>f,le:()=>v,iU:()=>b,uW:()=>y,wu:()=>_,Hx:()=>C,c8:()=>x});var n=o(1093),r=o(7433);function i(e,t){var o=new Date(e.getTime());return o.setDate(o.getDate()+t),o}function a(e,t){return i(e,t*r.r.DaysInOneWeek)}function s(e,t){var o=new Date(e.getTime()),n=o.getMonth()+t;return o.setMonth(n),o.getMonth()!==(n%r.r.MonthInOneYear+r.r.MonthInOneYear)%r.r.MonthInOneYear&&(o=i(o,-o.getDate())),o}function l(e,t){var o=new Date(e.getTime());return o.setFullYear(e.getFullYear()+t),o.getMonth()!==(e.getMonth()%r.r.MonthInOneYear+r.r.MonthInOneYear)%r.r.MonthInOneYear&&(o=i(o,-o.getDate())),o}function c(e){return new Date(e.getFullYear(),e.getMonth(),1,0,0,0,0)}function u(e){return new Date(e.getFullYear(),e.getMonth()+1,0,0,0,0,0)}function d(e){return new Date(e.getFullYear(),0,1,0,0,0,0)}function p(e){return new Date(e.getFullYear()+1,0,0,0,0,0,0)}function m(e,t){return s(e,t-e.getMonth())}function h(e,t){return!e&&!t||!(!e||!t)&&e.getFullYear()===t.getFullYear()&&e.getMonth()===t.getMonth()&&e.getDate()===t.getDate()}function g(e,t){return x(e)-x(t)}function f(e,t,o,a,l){void 0===l&&(l=1);var c,u=[],d=null;switch(a||(a=[n.eO.Monday,n.eO.Tuesday,n.eO.Wednesday,n.eO.Thursday,n.eO.Friday]),l=Math.max(l,1),t){case n.NU.Day:d=i(c=S(e),l);break;case n.NU.Week:case n.NU.WorkWeek:d=i(c=_(S(e),o),r.r.DaysInOneWeek);break;case n.NU.Month:d=s(c=new Date(e.getFullYear(),e.getMonth(),1),1);break;default:throw new Error("Unexpected object: "+t)}var p=c;do{(t!==n.NU.WorkWeek||-1!==a.indexOf(p.getDay()))&&u.push(p),p=i(p,1)}while(!h(p,d));return u}function v(e,t){for(var o=0,n=t;o0&&(o-=r.r.DaysInOneWeek),i(e,o)}function C(e,t){var o=(t-1>=0?t-1:r.r.DaysInOneWeek-1)-e.getDay();return o<0&&(o+=r.r.DaysInOneWeek),i(e,o)}function S(e){return new Date(e.getFullYear(),e.getMonth(),e.getDate())}function x(e){return e.getDate()+(e.getMonth()<<5)+(e.getFullYear()<<9)}function k(e,t,o){var i=w(e)-1,a=e.getDay()-i%r.r.DaysInOneWeek,s=w(new Date(e.getFullYear()-1,n.m2.December,31))-1,l=(t-a+2*r.r.DaysInOneWeek)%r.r.DaysInOneWeek;0!==l&&l>=o&&(l-=r.r.DaysInOneWeek);var c=i-l;return c<0&&(0!=(l=(t-(a-=s%r.r.DaysInOneWeek)+2*r.r.DaysInOneWeek)%r.r.DaysInOneWeek)&&l+1>=o&&(l-=r.r.DaysInOneWeek),c=s-l),Math.floor(c/r.r.DaysInOneWeek+1)}function w(e){for(var t=e.getMonth(),o=e.getFullYear(),n=0,r=0;r{"use strict";var n,r,i,a;o.d(t,{eO:()=>n,m2:()=>r,On:()=>i,NU:()=>a,NA:()=>s}),function(e){e[e.Sunday=0]="Sunday",e[e.Monday=1]="Monday",e[e.Tuesday=2]="Tuesday",e[e.Wednesday=3]="Wednesday",e[e.Thursday=4]="Thursday",e[e.Friday=5]="Friday",e[e.Saturday=6]="Saturday"}(n||(n={})),function(e){e[e.January=0]="January",e[e.February=1]="February",e[e.March=2]="March",e[e.April=3]="April",e[e.May=4]="May",e[e.June=5]="June",e[e.July=6]="July",e[e.August=7]="August",e[e.September=8]="September",e[e.October=9]="October",e[e.November=10]="November",e[e.December=11]="December"}(r||(r={})),function(e){e[e.FirstDay=0]="FirstDay",e[e.FirstFullWeek=1]="FirstFullWeek",e[e.FirstFourDayWeek=2]="FirstFourDayWeek"}(i||(i={})),function(e){e[e.Day=0]="Day",e[e.Week=1]="Week",e[e.Month=2]="Month",e[e.WorkWeek=3]="WorkWeek"}(a||(a={}));var s=7},7433:(e,t,o)=>{"use strict";o.d(t,{r:()=>n});var n={MillisecondsInOneDay:864e5,MillisecondsIn1Sec:1e3,MillisecondsIn1Min:6e4,MillisecondsIn30Mins:18e5,MillisecondsIn1Hour:36e5,MinutesInOneDay:1440,MinutesInOneHour:60,DaysInOneWeek:7,MonthInOneYear:12}},3345:(e,t,o)=>{"use strict";o.d(t,{t:()=>r});var n=o(6840);function r(e,t,o){void 0===o&&(o=!0);var r=!1;if(e&&t)if(o)if(e===t)r=!0;else for(r=!1;t;){var i=(0,n.G)(t);if(i===e){r=!0;break}t=i}else e.contains&&(r=e.contains(t));return r}},5081:(e,t,o)=>{"use strict";o.d(t,{j:()=>r});var n=o(8023);function r(e,t){var o=(0,n.X)(e,(function(e){return e.hasAttribute(t)}));return o&&o.getAttribute(t)}},8023:(e,t,o)=>{"use strict";o.d(t,{X:()=>r});var n=o(6840);function r(e,t){return e&&e!==document.body?t(e)?e:r((0,n.G)(e),t):null}},6840:(e,t,o)=>{"use strict";o.d(t,{G:()=>r});var n=o(9157);function r(e,t){return void 0===t&&(t=!0),e&&(t&&(0,n.r)(e)||e.parentNode&&e.parentNode)}},9157:(e,t,o)=>{"use strict";o.d(t,{r:()=>r});var n=o(7876);function r(e){var t;return e&&(0,n.r)(e)&&(t=e._virtual.parent),t}},7876:(e,t,o)=>{"use strict";function n(e){return e&&!!e._virtual}o.d(t,{r:()=>n})},7466:(e,t,o)=>{"use strict";o.d(t,{w:()=>i});var n=o(8023),r=o(8308);function i(e,t){var o=(0,n.X)(e,(function(e){return t===e||e.hasAttribute(r.Y)}));return null!==o&&o.hasAttribute(r.Y)}},8308:(e,t,o)=>{"use strict";o.d(t,{Y:()=>n,U:()=>r});var n="data-portal-element";function r(e){e.setAttribute(n,"true")}},7829:(e,t,o)=>{"use strict";function n(e,t){var o=e,n=t;o._virtual||(o._virtual={children:[]});var r=o._virtual.parent;if(r&&r!==t){var i=r._virtual.children.indexOf(o);i>-1&&r._virtual.children.splice(i,1)}o._virtual.parent=n||void 0,n&&(n._virtual||(n._virtual={children:[]}),n._virtual.children.push(o))}o.d(t,{N:()=>n})},2481:(e,t,o)=>{"use strict";o.d(t,{l:()=>x});var n=o(9729);function r(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons"',src:"url('"+e+"fabric-icons-a13498cf.woff') format('woff')"},icons:{GlobalNavButton:"",ChevronDown:"",ChevronUp:"",Edit:"",Add:"",Cancel:"",More:"",Settings:"",Mail:"",Filter:"",Search:"",Share:"",BlockedSite:"",FavoriteStar:"",FavoriteStarFill:"",CheckMark:"",Delete:"",ChevronLeft:"",ChevronRight:"",Calendar:"",Megaphone:"",Undo:"",Flag:"",Page:"",Pinned:"",View:"",Clear:"",Download:"",Upload:"",Folder:"",Sort:"",AlignRight:"",AlignLeft:"",Tag:"",AddFriend:"",Info:"",SortLines:"",List:"",CircleRing:"",Heart:"",HeartFill:"",Tiles:"",Embed:"",Glimmer:"",Ascending:"",Descending:"",SortUp:"",SortDown:"",SyncToPC:"",LargeGrid:"",SkypeCheck:"",SkypeClock:"",SkypeMinus:"",ClearFilter:"",Flow:"",StatusCircleCheckmark:"",MoreVertical:""}};(0,n.fm)(o,t)}function i(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-0"',src:"url('"+e+"fabric-icons-0-467ee27f.woff') format('woff')"},icons:{PageLink:"",CommentSolid:"",ChangeEntitlements:"",Installation:"",WebAppBuilderModule:"",WebAppBuilderFragment:"",WebAppBuilderSlot:"",BullseyeTargetEdit:"",WebAppBuilderFragmentCreate:"",PageData:"",PageHeaderEdit:"",ProductList:"",UnpublishContent:"",DependencyAdd:"",DependencyRemove:"",EntitlementPolicy:"",EntitlementRedemption:"",SchoolDataSyncLogo:"",PinSolid12:"",PinSolidOff12:"",AddLink:"",SharepointAppIcon16:"",DataflowsLink:"",TimePicker:"",UserWarning:"",ComplianceAudit:"",InternetSharing:"",Brightness:"",MapPin:"",Airplane:"",Tablet:"",QuickNote:"",Video:"",People:"",Phone:"",Pin:"",Shop:"",Stop:"",Link:"",AllApps:"",Zoom:"",ZoomOut:"",Microphone:"",Camera:"",Attach:"",Send:"",FavoriteList:"",PageSolid:"",Forward:"",Back:"",Refresh:"",Lock:"",ReportHacked:"",EMI:"",MiniLink:"",Blocked:"",ReadingMode:"",Favicon:"",Remove:"",Checkbox:"",CheckboxComposite:"",CheckboxFill:"",CheckboxIndeterminate:"",CheckboxCompositeReversed:"",BackToWindow:"",FullScreen:"",Print:"",Up:"",Down:"",OEM:"",Save:"",ReturnKey:"",Cloud:"",Flashlight:"",CommandPrompt:"",Sad:"",RealEstate:"",SIPMove:"",EraseTool:"",GripperTool:"",Dialpad:"",PageLeft:"",PageRight:"",MultiSelect:"",KeyboardClassic:"",Play:"",Pause:"",InkingTool:"",Emoji2:"",GripperBarHorizontal:"",System:"",Personalize:"",SearchAndApps:"",Globe:"",EaseOfAccess:"",ContactInfo:"",Unpin:"",Contact:"",Memo:"",IncomingCall:""}};(0,n.fm)(o,t)}function a(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-1"',src:"url('"+e+"fabric-icons-1-4d521695.woff') format('woff')"},icons:{Paste:"",WindowsLogo:"",Error:"",GripperBarVertical:"",Unlock:"",Slideshow:"",Trim:"",AutoEnhanceOn:"",AutoEnhanceOff:"",Color:"",SaveAs:"",Light:"",Filters:"",AspectRatio:"",Contrast:"",Redo:"",Crop:"",PhotoCollection:"",Album:"",Rotate:"",PanoIndicator:"",Translate:"",RedEye:"",ViewOriginal:"",ThumbnailView:"",Package:"",Telemarketer:"",Warning:"",Financial:"",Education:"",ShoppingCart:"",Train:"",Move:"",TouchPointer:"",Merge:"",TurnRight:"",Ferry:"",Highlight:"",PowerButton:"",Tab:"",Admin:"",TVMonitor:"",Speakers:"",Game:"",HorizontalTabKey:"",UnstackSelected:"",StackIndicator:"",Nav2DMapView:"",StreetsideSplitMinimize:"",Car:"",Bus:"",EatDrink:"",SeeDo:"",LocationCircle:"",Home:"",SwitcherStartEnd:"",ParkingLocation:"",IncidentTriangle:"",Touch:"",MapDirections:"",CaretHollow:"",CaretSolid:"",History:"",Location:"",MapLayers:"",SearchNearby:"",Work:"",Recent:"",Hotel:"",Bank:"",LocationDot:"",Dictionary:"",ChromeBack:"",FolderOpen:"",PinnedFill:"",RevToggleKey:"",USB:"",Previous:"",Next:"",Sync:"",Help:"",Emoji:"",MailForward:"",ClosePane:"",OpenPane:"",PreviewLink:"",ZoomIn:"",Bookmarks:"",Document:"",ProtectedDocument:"",OpenInNewWindow:"",MailFill:"",ViewAll:"",Switch:"",Rename:"",Go:"",Remote:"",SelectAll:"",Orientation:"",Import:""}};(0,n.fm)(o,t)}function s(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-2"',src:"url('"+e+"fabric-icons-2-63c99abf.woff') format('woff')"},icons:{Picture:"",ChromeClose:"",ShowResults:"",Message:"",CalendarDay:"",CalendarWeek:"",MailReplyAll:"",Read:"",Cut:"",PaymentCard:"",Copy:"",Important:"",MailReply:"",GotoToday:"",Font:"",FontColor:"",FolderFill:"",Permissions:"",DisableUpdates:"",Unfavorite:"",Italic:"",Underline:"",Bold:"",MoveToFolder:"",Dislike:"",Like:"",AlignCenter:"",OpenFile:"",ClearSelection:"",FontDecrease:"",FontIncrease:"",FontSize:"",CellPhone:"",RepeatOne:"",RepeatAll:"",Calculator:"",Library:"",PostUpdate:"",NewFolder:"",CalendarReply:"",UnsyncFolder:"",SyncFolder:"",BlockContact:"",Accept:"",BulletedList:"",Preview:"",News:"",Chat:"",Group:"",World:"",Comment:"",DockLeft:"",DockRight:"",Repair:"",Accounts:"",Street:"",RadioBullet:"",Stopwatch:"",Clock:"",WorldClock:"",AlarmClock:"",Photo:"",ActionCenter:"",Hospital:"",Timer:"",FullCircleMask:"",LocationFill:"",ChromeMinimize:"",ChromeRestore:"",Annotation:"",Fingerprint:"",Handwriting:"",ChromeFullScreen:"",Completed:"",Label:"",FlickDown:"",FlickUp:"",FlickLeft:"",FlickRight:"",MiniExpand:"",MiniContract:"",Streaming:"",MusicInCollection:"",OneDriveLogo:"",CompassNW:"",Code:"",LightningBolt:"",CalculatorMultiply:"",CalculatorAddition:"",CalculatorSubtract:"",CalculatorPercentage:"",CalculatorEqualTo:"",PrintfaxPrinterFile:"",StorageOptical:"",Communications:"",Headset:"",Health:"",Webcam2:"",FrontCamera:"",ChevronUpSmall:""}};(0,n.fm)(o,t)}function l(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-3"',src:"url('"+e+"fabric-icons-3-089e217a.woff') format('woff')"},icons:{ChevronDownSmall:"",ChevronLeftSmall:"",ChevronRightSmall:"",ChevronUpMed:"",ChevronDownMed:"",ChevronLeftMed:"",ChevronRightMed:"",Devices2:"",PC1:"",PresenceChickletVideo:"",Reply:"",HalfAlpha:"",ConstructionCone:"",DoubleChevronLeftMed:"",Volume0:"",Volume1:"",Volume2:"",Volume3:"",Chart:"",Robot:"",Manufacturing:"",LockSolid:"",FitPage:"",FitWidth:"",BidiLtr:"",BidiRtl:"",RightDoubleQuote:"",Sunny:"",CloudWeather:"",Cloudy:"",PartlyCloudyDay:"",PartlyCloudyNight:"",ClearNight:"",RainShowersDay:"",Rain:"",Thunderstorms:"",RainSnow:"",Snow:"",BlowingSnow:"",Frigid:"",Fog:"",Squalls:"",Duststorm:"",Unknown:"",Precipitation:"",Ribbon:"",AreaChart:"",Assign:"",FlowChart:"",CheckList:"",Diagnostic:"",Generate:"",LineChart:"",Equalizer:"",BarChartHorizontal:"",BarChartVertical:"",Freezing:"",FunnelChart:"",Processing:"",Quantity:"",ReportDocument:"",StackColumnChart:"",SnowShowerDay:"",HailDay:"",WorkFlow:"",HourGlass:"",StoreLogoMed20:"",TimeSheet:"",TriangleSolid:"",UpgradeAnalysis:"",VideoSolid:"",RainShowersNight:"",SnowShowerNight:"",Teamwork:"",HailNight:"",PeopleAdd:"",Glasses:"",DateTime2:"",Shield:"",Header1:"",PageAdd:"",NumberedList:"",PowerBILogo:"",Info2:"",MusicInCollectionFill:"",Asterisk:"",ErrorBadge:"",CircleFill:"",Record2:"",AllAppsMirrored:"",BookmarksMirrored:"",BulletedListMirrored:"",CaretHollowMirrored:"",CaretSolidMirrored:"",ChromeBackMirrored:"",ClearSelectionMirrored:"",ClosePaneMirrored:"",DockLeftMirrored:"",DoubleChevronLeftMedMirrored:"",GoMirrored:""}};(0,n.fm)(o,t)}function c(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-4"',src:"url('"+e+"fabric-icons-4-a656cc0a.woff') format('woff')"},icons:{HelpMirrored:"",ImportMirrored:"",ImportAllMirrored:"",ListMirrored:"",MailForwardMirrored:"",MailReplyMirrored:"",MailReplyAllMirrored:"",MiniContractMirrored:"",MiniExpandMirrored:"",OpenPaneMirrored:"",ParkingLocationMirrored:"",SendMirrored:"",ShowResultsMirrored:"",ThumbnailViewMirrored:"",Media:"",Devices3:"",Focus:"",VideoLightOff:"",Lightbulb:"",StatusTriangle:"",VolumeDisabled:"",Puzzle:"",EmojiNeutral:"",EmojiDisappointed:"",HomeSolid:"",Ringer:"",PDF:"",HeartBroken:"",StoreLogo16:"",MultiSelectMirrored:"",Broom:"",AddToShoppingList:"",Cocktails:"",Wines:"",Articles:"",Cycling:"",DietPlanNotebook:"",Pill:"",ExerciseTracker:"",HandsFree:"",Medical:"",Running:"",Weights:"",Trackers:"",AddNotes:"",AllCurrency:"",BarChart4:"",CirclePlus:"",Coffee:"",Cotton:"",Market:"",Money:"",PieDouble:"",PieSingle:"",RemoveFilter:"",Savings:"",Sell:"",StockDown:"",StockUp:"",Lamp:"",Source:"",MSNVideos:"",Cricket:"",Golf:"",Baseball:"",Soccer:"",MoreSports:"",AutoRacing:"",CollegeHoops:"",CollegeFootball:"",ProFootball:"",ProHockey:"",Rugby:"",SubstitutionsIn:"",Tennis:"",Arrivals:"",Design:"",Website:"",Drop:"",HistoricalWeather:"",SkiResorts:"",Snowflake:"",BusSolid:"",FerrySolid:"",AirplaneSolid:"",TrainSolid:"",Ticket:"",WifiWarning4:"",Devices4:"",AzureLogo:"",BingLogo:"",MSNLogo:"",OutlookLogoInverse:"",OfficeLogo:"",SkypeLogo:"",Door:"",EditMirrored:"",GiftCard:"",DoubleBookmark:"",StatusErrorFull:""}};(0,n.fm)(o,t)}function u(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-5"',src:"url('"+e+"fabric-icons-5-f95ba260.woff') format('woff')"},icons:{Certificate:"",FastForward:"",Rewind:"",Photo2:"",OpenSource:"",Movers:"",CloudDownload:"",Family:"",WindDirection:"",Bug:"",SiteScan:"",BrowserScreenShot:"",F12DevTools:"",CSS:"",JS:"",DeliveryTruck:"",ReminderPerson:"",ReminderGroup:"",ReminderTime:"",TabletMode:"",Umbrella:"",NetworkTower:"",CityNext:"",CityNext2:"",Section:"",OneNoteLogoInverse:"",ToggleFilled:"",ToggleBorder:"",SliderThumb:"",ToggleThumb:"",Documentation:"",Badge:"",Giftbox:"",VisualStudioLogo:"",HomeGroup:"",ExcelLogoInverse:"",WordLogoInverse:"",PowerPointLogoInverse:"",Cafe:"",SpeedHigh:"",Commitments:"",ThisPC:"",MusicNote:"",MicOff:"",PlaybackRate1x:"",EdgeLogo:"",CompletedSolid:"",AlbumRemove:"",MessageFill:"",TabletSelected:"",MobileSelected:"",LaptopSelected:"",TVMonitorSelected:"",DeveloperTools:"",Shapes:"",InsertTextBox:"",LowerBrightness:"",WebComponents:"",OfflineStorage:"",DOM:"",CloudUpload:"",ScrollUpDown:"",DateTime:"",Event:"",Cake:"",Org:"",PartyLeader:"",DRM:"",CloudAdd:"",AppIconDefault:"",Photo2Add:"",Photo2Remove:"",Calories:"",POI:"",AddTo:"",RadioBtnOff:"",RadioBtnOn:"",ExploreContent:"",Product:"",ProgressLoopInner:"",ProgressLoopOuter:"",Blocked2:"",FangBody:"",Toolbox:"",PageHeader:"",ChatInviteFriend:"",Brush:"",Shirt:"",Crown:"",Diamond:"",ScaleUp:"",QRCode:"",Feedback:"",SharepointLogoInverse:"",YammerLogo:"",Hide:"",Uneditable:"",ReturnToSession:"",OpenFolderHorizontal:"",CalendarMirrored:""}};(0,n.fm)(o,t)}function d(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-6"',src:"url('"+e+"fabric-icons-6-ef6fd590.woff') format('woff')"},icons:{SwayLogoInverse:"",OutOfOffice:"",Trophy:"",ReopenPages:"",EmojiTabSymbols:"",AADLogo:"",AccessLogo:"",AdminALogoInverse32:"",AdminCLogoInverse32:"",AdminDLogoInverse32:"",AdminELogoInverse32:"",AdminLLogoInverse32:"",AdminMLogoInverse32:"",AdminOLogoInverse32:"",AdminPLogoInverse32:"",AdminSLogoInverse32:"",AdminYLogoInverse32:"",DelveLogoInverse:"",ExchangeLogoInverse:"",LyncLogo:"",OfficeVideoLogoInverse:"",SocialListeningLogo:"",VisioLogoInverse:"",Balloons:"",Cat:"",MailAlert:"",MailCheck:"",MailLowImportance:"",MailPause:"",MailRepeat:"",SecurityGroup:"",Table:"",VoicemailForward:"",VoicemailReply:"",Waffle:"",RemoveEvent:"",EventInfo:"",ForwardEvent:"",WipePhone:"",AddOnlineMeeting:"",JoinOnlineMeeting:"",RemoveLink:"",PeopleBlock:"",PeopleRepeat:"",PeopleAlert:"",PeoplePause:"",TransferCall:"",AddPhone:"",UnknownCall:"",NoteReply:"",NoteForward:"",NotePinned:"",RemoveOccurrence:"",Timeline:"",EditNote:"",CircleHalfFull:"",Room:"",Unsubscribe:"",Subscribe:"",HardDrive:"",RecurringTask:"",TaskManager:"",TaskManagerMirrored:"",Combine:"",Split:"",DoubleChevronUp:"",DoubleChevronLeft:"",DoubleChevronRight:"",TextBox:"",TextField:"",NumberField:"",Dropdown:"",PenWorkspace:"",BookingsLogo:"",ClassNotebookLogoInverse:"",DelveAnalyticsLogo:"",DocsLogoInverse:"",Dynamics365Logo:"",DynamicSMBLogo:"",OfficeAssistantLogo:"",OfficeStoreLogo:"",OneNoteEduLogoInverse:"",PlannerLogo:"",PowerApps:"",Suitcase:"",ProjectLogoInverse:"",CaretLeft8:"",CaretRight8:"",CaretUp8:"",CaretDown8:"",CaretLeftSolid8:"",CaretRightSolid8:"",CaretUpSolid8:"",CaretDownSolid8:"",ClearFormatting:"",Superscript:"",Subscript:"",Strikethrough:"",Export:"",ExportMirrored:""}};(0,n.fm)(o,t)}function p(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-7"',src:"url('"+e+"fabric-icons-7-2b97bb99.woff') format('woff')"},icons:{SingleBookmark:"",SingleBookmarkSolid:"",DoubleChevronDown:"",FollowUser:"",ReplyAll:"",WorkforceManagement:"",RecruitmentManagement:"",Questionnaire:"",ManagerSelfService:"",ProductionFloorManagement:"",ProductRelease:"",ProductVariant:"",ReplyMirrored:"",ReplyAllMirrored:"",Medal:"",AddGroup:"",QuestionnaireMirrored:"",CloudImportExport:"",TemporaryUser:"",CaretSolid16:"",GroupedDescending:"",GroupedAscending:"",AwayStatus:"",MyMoviesTV:"",GenericScan:"",AustralianRules:"",WifiEthernet:"",TrackersMirrored:"",DateTimeMirrored:"",StopSolid:"",DoubleChevronUp12:"",DoubleChevronDown12:"",DoubleChevronLeft12:"",DoubleChevronRight12:"",CalendarAgenda:"",ConnectVirtualMachine:"",AddEvent:"",AssetLibrary:"",DataConnectionLibrary:"",DocLibrary:"",FormLibrary:"",FormLibraryMirrored:"",ReportLibrary:"",ReportLibraryMirrored:"",ContactCard:"",CustomList:"",CustomListMirrored:"",IssueTracking:"",IssueTrackingMirrored:"",PictureLibrary:"",OfficeAddinsLogo:"",OfflineOneDriveParachute:"",OfflineOneDriveParachuteDisabled:"",TriangleSolidUp12:"",TriangleSolidDown12:"",TriangleSolidLeft12:"",TriangleSolidRight12:"",TriangleUp12:"",TriangleDown12:"",TriangleLeft12:"",TriangleRight12:"",ArrowUpRight8:"",ArrowDownRight8:"",DocumentSet:"",GoToDashboard:"",DelveAnalytics:"",ArrowUpRightMirrored8:"",ArrowDownRightMirrored8:"",CompanyDirectory:"",OpenEnrollment:"",CompanyDirectoryMirrored:"",OneDriveAdd:"",ProfileSearch:"",Header2:"",Header3:"",Header4:"",RingerSolid:"",Eyedropper:"",MarketDown:"",CalendarWorkWeek:"",SidePanel:"",GlobeFavorite:"",CaretTopLeftSolid8:"",CaretTopRightSolid8:"",ViewAll2:"",DocumentReply:"",PlayerSettings:"",ReceiptForward:"",ReceiptReply:"",ReceiptCheck:"",Fax:"",RecurringEvent:"",ReplyAlt:"",ReplyAllAlt:"",EditStyle:"",EditMail:"",Lifesaver:"",LifesaverLock:"",InboxCheck:"",FolderSearch:""}};(0,n.fm)(o,t)}function m(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-8"',src:"url('"+e+"fabric-icons-8-6fdf1528.woff') format('woff')"},icons:{CollapseMenu:"",ExpandMenu:"",Boards:"",SunAdd:"",SunQuestionMark:"",LandscapeOrientation:"",DocumentSearch:"",PublicCalendar:"",PublicContactCard:"",PublicEmail:"",PublicFolder:"",WordDocument:"",PowerPointDocument:"",ExcelDocument:"",GroupedList:"",ClassroomLogo:"",Sections:"",EditPhoto:"",Starburst:"",ShareiOS:"",AirTickets:"",PencilReply:"",Tiles2:"",SkypeCircleCheck:"",SkypeCircleClock:"",SkypeCircleMinus:"",SkypeMessage:"",ClosedCaption:"",ATPLogo:"",OfficeFormsLogoInverse:"",RecycleBin:"",EmptyRecycleBin:"",Hide2:"",Breadcrumb:"",BirthdayCake:"",TimeEntry:"",CRMProcesses:"",PageEdit:"",PageArrowRight:"",PageRemove:"",Database:"",DataManagementSettings:"",CRMServices:"",EditContact:"",ConnectContacts:"",AppIconDefaultAdd:"",AppIconDefaultList:"",ActivateOrders:"",DeactivateOrders:"",ProductCatalog:"",ScatterChart:"",AccountActivity:"",DocumentManagement:"",CRMReport:"",KnowledgeArticle:"",Relationship:"",HomeVerify:"",ZipFolder:"",SurveyQuestions:"",TextDocument:"",TextDocumentShared:"",PageCheckedOut:"",PageShared:"",SaveAndClose:"",Script:"",Archive:"",ActivityFeed:"",Compare:"",EventDate:"",ArrowUpRight:"",CaretRight:"",SetAction:"",ChatBot:"",CaretSolidLeft:"",CaretSolidDown:"",CaretSolidRight:"",CaretSolidUp:"",PowerAppsLogo:"",PowerApps2Logo:"",SearchIssue:"",SearchIssueMirrored:"",FabricAssetLibrary:"",FabricDataConnectionLibrary:"",FabricDocLibrary:"",FabricFormLibrary:"",FabricFormLibraryMirrored:"",FabricReportLibrary:"",FabricReportLibraryMirrored:"",FabricPublicFolder:"",FabricFolderSearch:"",FabricMovetoFolder:"",FabricUnsyncFolder:"",FabricSyncFolder:"",FabricOpenFolderHorizontal:"",FabricFolder:"",FabricFolderFill:"",FabricNewFolder:"",FabricPictureLibrary:"",PhotoVideoMedia:"",AddFavorite:""}};(0,n.fm)(o,t)}function h(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-9"',src:"url('"+e+"fabric-icons-9-c6162b42.woff') format('woff')"},icons:{AddFavoriteFill:"",BufferTimeBefore:"",BufferTimeAfter:"",BufferTimeBoth:"",PublishContent:"",ClipboardList:"",ClipboardListMirrored:"",CannedChat:"",SkypeForBusinessLogo:"",TabCenter:"",PageCheckedin:"",PageList:"",ReadOutLoud:"",CaretBottomLeftSolid8:"",CaretBottomRightSolid8:"",FolderHorizontal:"",MicrosoftStaffhubLogo:"",GiftboxOpen:"",StatusCircleOuter:"",StatusCircleInner:"",StatusCircleRing:"",StatusTriangleOuter:"",StatusTriangleInner:"",StatusTriangleExclamation:"",StatusCircleExclamation:"",StatusCircleErrorX:"",StatusCircleInfo:"",StatusCircleBlock:"",StatusCircleBlock2:"",StatusCircleQuestionMark:"",StatusCircleSync:"",Toll:"",ExploreContentSingle:"",CollapseContent:"",CollapseContentSingle:"",InfoSolid:"",GroupList:"",ProgressRingDots:"",CaloriesAdd:"",BranchFork:"",MuteChat:"",AddHome:"",AddWork:"",MobileReport:"",ScaleVolume:"",HardDriveGroup:"",FastMode:"",ToggleLeft:"",ToggleRight:"",TriangleShape:"",RectangleShape:"",CubeShape:"",Trophy2:"",BucketColor:"",BucketColorFill:"",Taskboard:"",SingleColumn:"",DoubleColumn:"",TripleColumn:"",ColumnLeftTwoThirds:"",ColumnRightTwoThirds:"",AccessLogoFill:"",AnalyticsLogo:"",AnalyticsQuery:"",NewAnalyticsQuery:"",AnalyticsReport:"",WordLogo:"",WordLogoFill:"",ExcelLogo:"",ExcelLogoFill:"",OneNoteLogo:"",OneNoteLogoFill:"",OutlookLogo:"",OutlookLogoFill:"",PowerPointLogo:"",PowerPointLogoFill:"",PublisherLogo:"",PublisherLogoFill:"",ScheduleEventAction:"",FlameSolid:"",ServerProcesses:"",Server:"",SaveAll:"",LinkedInLogo:"",Decimals:"",SidePanelMirrored:"",ProtectRestrict:"",Blog:"",UnknownMirrored:"",PublicContactCardMirrored:"",GridViewSmall:"",GridViewMedium:"",GridViewLarge:"",Step:"",StepInsert:"",StepShared:"",StepSharedAdd:"",StepSharedInsert:"",ViewDashboard:"",ViewList:""}};(0,n.fm)(o,t)}function g(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-10"',src:"url('"+e+"fabric-icons-10-c4ded8e4.woff') format('woff')"},icons:{ViewListGroup:"",ViewListTree:"",TriggerAuto:"",TriggerUser:"",PivotChart:"",StackedBarChart:"",StackedLineChart:"",BuildQueue:"",BuildQueueNew:"",UserFollowed:"",ContactLink:"",Stack:"",Bullseye:"",VennDiagram:"",FiveTileGrid:"",FocalPoint:"",Insert:"",RingerRemove:"",TeamsLogoInverse:"",TeamsLogo:"",TeamsLogoFill:"",SkypeForBusinessLogoFill:"",SharepointLogo:"",SharepointLogoFill:"",DelveLogo:"",DelveLogoFill:"",OfficeVideoLogo:"",OfficeVideoLogoFill:"",ExchangeLogo:"",ExchangeLogoFill:"",Signin:"",DocumentApproval:"",CloneToDesktop:"",InstallToDrive:"",Blur:"",Build:"",ProcessMetaTask:"",BranchFork2:"",BranchLocked:"",BranchCommit:"",BranchCompare:"",BranchMerge:"",BranchPullRequest:"",BranchSearch:"",BranchShelveset:"",RawSource:"",MergeDuplicate:"",RowsGroup:"",RowsChild:"",Deploy:"",Redeploy:"",ServerEnviroment:"",VisioDiagram:"",HighlightMappedShapes:"",TextCallout:"",IconSetsFlag:"",VisioLogo:"",VisioLogoFill:"",VisioDocument:"",TimelineProgress:"",TimelineDelivery:"",Backlog:"",TeamFavorite:"",TaskGroup:"",TaskGroupMirrored:"",ScopeTemplate:"",AssessmentGroupTemplate:"",NewTeamProject:"",CommentAdd:"",CommentNext:"",CommentPrevious:"",ShopServer:"",LocaleLanguage:"",QueryList:"",UserSync:"",UserPause:"",StreamingOff:"",ArrowTallUpLeft:"",ArrowTallUpRight:"",ArrowTallDownLeft:"",ArrowTallDownRight:"",FieldEmpty:"",FieldFilled:"",FieldChanged:"",FieldNotChanged:"",RingerOff:"",PlayResume:"",BulletedList2:"",BulletedList2Mirrored:"",ImageCrosshair:"",GitGraph:"",Repo:"",RepoSolid:"",FolderQuery:"",FolderList:"",FolderListMirrored:"",LocationOutline:"",POISolid:"",CalculatorNotEqualTo:"",BoxSubtractSolid:""}};(0,n.fm)(o,t)}function f(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-11"',src:"url('"+e+"fabric-icons-11-2a8393d6.woff') format('woff')"},icons:{BoxAdditionSolid:"",BoxMultiplySolid:"",BoxPlaySolid:"",BoxCheckmarkSolid:"",CirclePauseSolid:"",CirclePause:"",MSNVideosSolid:"",CircleStopSolid:"",CircleStop:"",NavigateBack:"",NavigateBackMirrored:"",NavigateForward:"",NavigateForwardMirrored:"",UnknownSolid:"",UnknownMirroredSolid:"",CircleAddition:"",CircleAdditionSolid:"",FilePDB:"",FileTemplate:"",FileSQL:"",FileJAVA:"",FileASPX:"",FileCSS:"",FileSass:"",FileLess:"",FileHTML:"",JavaScriptLanguage:"",CSharpLanguage:"",CSharp:"",VisualBasicLanguage:"",VB:"",CPlusPlusLanguage:"",CPlusPlus:"",FSharpLanguage:"",FSharp:"",TypeScriptLanguage:"",PythonLanguage:"",PY:"",CoffeeScript:"",MarkDownLanguage:"",FullWidth:"",FullWidthEdit:"",Plug:"",PlugSolid:"",PlugConnected:"",PlugDisconnected:"",UnlockSolid:"",Variable:"",Parameter:"",CommentUrgent:"",Storyboard:"",DiffInline:"",DiffSideBySide:"",ImageDiff:"",ImagePixel:"",FileBug:"",FileCode:"",FileComment:"",BusinessHoursSign:"",FileImage:"",FileSymlink:"",AutoFillTemplate:"",WorkItem:"",WorkItemBug:"",LogRemove:"",ColumnOptions:"",Packages:"",BuildIssue:"",AssessmentGroup:"",VariableGroup:"",FullHistory:"",Wheelchair:"",SingleColumnEdit:"",DoubleColumnEdit:"",TripleColumnEdit:"",ColumnLeftTwoThirdsEdit:"",ColumnRightTwoThirdsEdit:"",StreamLogo:"",PassiveAuthentication:"",AlertSolid:"",MegaphoneSolid:"",TaskSolid:"",ConfigurationSolid:"",BugSolid:"",CrownSolid:"",Trophy2Solid:"",QuickNoteSolid:"",ConstructionConeSolid:"",PageListSolid:"",PageListMirroredSolid:"",StarburstSolid:"",ReadingModeSolid:"",SadSolid:"",HealthSolid:"",ShieldSolid:"",GiftBoxSolid:"",ShoppingCartSolid:"",MailSolid:"",ChatSolid:"",RibbonSolid:""}};(0,n.fm)(o,t)}function v(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-12"',src:"url('"+e+"fabric-icons-12-7e945a1e.woff') format('woff')"},icons:{FinancialSolid:"",FinancialMirroredSolid:"",HeadsetSolid:"",PermissionsSolid:"",ParkingSolid:"",ParkingMirroredSolid:"",DiamondSolid:"",AsteriskSolid:"",OfflineStorageSolid:"",BankSolid:"",DecisionSolid:"",Parachute:"",ParachuteSolid:"",FiltersSolid:"",ColorSolid:"",ReviewSolid:"",ReviewRequestSolid:"",ReviewRequestMirroredSolid:"",ReviewResponseSolid:"",FeedbackRequestSolid:"",FeedbackRequestMirroredSolid:"",FeedbackResponseSolid:"",WorkItemBar:"",WorkItemBarSolid:"",Separator:"",NavigateExternalInline:"",PlanView:"",TimelineMatrixView:"",EngineeringGroup:"",ProjectCollection:"",CaretBottomRightCenter8:"",CaretBottomLeftCenter8:"",CaretTopRightCenter8:"",CaretTopLeftCenter8:"",DonutChart:"",ChevronUnfold10:"",ChevronFold10:"",DoubleChevronDown8:"",DoubleChevronUp8:"",DoubleChevronLeft8:"",DoubleChevronRight8:"",ChevronDownEnd6:"",ChevronUpEnd6:"",ChevronLeftEnd6:"",ChevronRightEnd6:"",ContextMenu:"",AzureAPIManagement:"",AzureServiceEndpoint:"",VSTSLogo:"",VSTSAltLogo1:"",VSTSAltLogo2:"",FileTypeSolution:"",WordLogoInverse16:"",WordLogo16:"",WordLogoFill16:"",PowerPointLogoInverse16:"",PowerPointLogo16:"",PowerPointLogoFill16:"",ExcelLogoInverse16:"",ExcelLogo16:"",ExcelLogoFill16:"",OneNoteLogoInverse16:"",OneNoteLogo16:"",OneNoteLogoFill16:"",OutlookLogoInverse16:"",OutlookLogo16:"",OutlookLogoFill16:"",PublisherLogoInverse16:"",PublisherLogo16:"",PublisherLogoFill16:"",VisioLogoInverse16:"",VisioLogo16:"",VisioLogoFill16:"",TestBeaker:"",TestBeakerSolid:"",TestExploreSolid:"",TestAutoSolid:"",TestUserSolid:"",TestImpactSolid:"",TestPlan:"",TestStep:"",TestParameter:"",TestSuite:"",TestCase:"",Sprint:"",SignOut:"",TriggerApproval:"",Rocket:"",AzureKeyVault:"",Onboarding:"",Transition:"",LikeSolid:"",DislikeSolid:"",CRMCustomerInsightsApp:"",EditCreate:"",PlayReverseResume:"",PlayReverse:"",SearchData:"",UnSetColor:"",DeclineCall:""}};(0,n.fm)(o,t)}function b(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-13"',src:"url('"+e+"fabric-icons-13-c3989a02.woff') format('woff')"},icons:{RectangularClipping:"",TeamsLogo16:"",TeamsLogoFill16:"",Spacer:"",SkypeLogo16:"",SkypeForBusinessLogo16:"",SkypeForBusinessLogoFill16:"",FilterSolid:"",MailUndelivered:"",MailTentative:"",MailTentativeMirrored:"",MailReminder:"",ReceiptUndelivered:"",ReceiptTentative:"",ReceiptTentativeMirrored:"",Inbox:"",IRMReply:"",IRMReplyMirrored:"",IRMForward:"",IRMForwardMirrored:"",VoicemailIRM:"",EventAccepted:"",EventTentative:"",EventTentativeMirrored:"",EventDeclined:"",IDBadge:"",BackgroundColor:"",OfficeFormsLogoInverse16:"",OfficeFormsLogo:"",OfficeFormsLogoFill:"",OfficeFormsLogo16:"",OfficeFormsLogoFill16:"",OfficeFormsLogoInverse24:"",OfficeFormsLogo24:"",OfficeFormsLogoFill24:"",PageLock:"",NotExecuted:"",NotImpactedSolid:"",FieldReadOnly:"",FieldRequired:"",BacklogBoard:"",ExternalBuild:"",ExternalTFVC:"",ExternalXAML:"",IssueSolid:"",DefectSolid:"",LadybugSolid:"",NugetLogo:"",TFVCLogo:"",ProjectLogo32:"",ProjectLogoFill32:"",ProjectLogo16:"",ProjectLogoFill16:"",SwayLogo32:"",SwayLogoFill32:"",SwayLogo16:"",SwayLogoFill16:"",ClassNotebookLogo32:"",ClassNotebookLogoFill32:"",ClassNotebookLogo16:"",ClassNotebookLogoFill16:"",ClassNotebookLogoInverse32:"",ClassNotebookLogoInverse16:"",StaffNotebookLogo32:"",StaffNotebookLogoFill32:"",StaffNotebookLogo16:"",StaffNotebookLogoFill16:"",StaffNotebookLogoInverted32:"",StaffNotebookLogoInverted16:"",KaizalaLogo:"",TaskLogo:"",ProtectionCenterLogo32:"",GallatinLogo:"",Globe2:"",Guitar:"",Breakfast:"",Brunch:"",BeerMug:"",Vacation:"",Teeth:"",Taxi:"",Chopsticks:"",SyncOccurence:"",UnsyncOccurence:"",GIF:"",PrimaryCalendar:"",SearchCalendar:"",VideoOff:"",MicrosoftFlowLogo:"",BusinessCenterLogo:"",ToDoLogoBottom:"",ToDoLogoTop:"",EditSolid12:"",EditSolidMirrored12:"",UneditableSolid12:"",UneditableSolidMirrored12:"",UneditableMirrored:"",AdminALogo32:"",AdminALogoFill32:"",ToDoLogoInverse:""}};(0,n.fm)(o,t)}function y(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-14"',src:"url('"+e+"fabric-icons-14-5cf58db8.woff') format('woff')"},icons:{Snooze:"",WaffleOffice365:"",ImageSearch:"",NewsSearch:"",VideoSearch:"",R:"",FontColorA:"",FontColorSwatch:"",LightWeight:"",NormalWeight:"",SemiboldWeight:"",GroupObject:"",UngroupObject:"",AlignHorizontalLeft:"",AlignHorizontalCenter:"",AlignHorizontalRight:"",AlignVerticalTop:"",AlignVerticalCenter:"",AlignVerticalBottom:"",HorizontalDistributeCenter:"",VerticalDistributeCenter:"",Ellipse:"",Line:"",Octagon:"",Hexagon:"",Pentagon:"",RightTriangle:"",HalfCircle:"",QuarterCircle:"",ThreeQuarterCircle:"","6PointStar":"","12PointStar":"",ArrangeBringToFront:"",ArrangeSendToBack:"",ArrangeSendBackward:"",ArrangeBringForward:"",BorderDash:"",BorderDot:"",LineStyle:"",LineThickness:"",WindowEdit:"",HintText:"",MediaAdd:"",AnchorLock:"",AutoHeight:"",ChartSeries:"",ChartXAngle:"",ChartYAngle:"",Combobox:"",LineSpacing:"",Padding:"",PaddingTop:"",PaddingBottom:"",PaddingLeft:"",PaddingRight:"",NavigationFlipper:"",AlignJustify:"",TextOverflow:"",VisualsFolder:"",VisualsStore:"",PictureCenter:"",PictureFill:"",PicturePosition:"",PictureStretch:"",PictureTile:"",Slider:"",SliderHandleSize:"",DefaultRatio:"",NumberSequence:"",GUID:"",ReportAdd:"",DashboardAdd:"",MapPinSolid:"",WebPublish:"",PieSingleSolid:"",BlockedSolid:"",DrillDown:"",DrillDownSolid:"",DrillExpand:"",DrillShow:"",SpecialEvent:"",OneDriveFolder16:"",FunctionalManagerDashboard:"",BIDashboard:"",CodeEdit:"",RenewalCurrent:"",RenewalFuture:"",SplitObject:"",BulkUpload:"",DownloadDocument:"",GreetingCard:"",Flower:"",WaitlistConfirm:"",WaitlistConfirmMirrored:"",LaptopSecure:"",DragObject:"",EntryView:"",EntryDecline:"",ContactCardSettings:"",ContactCardSettingsMirrored:""}};(0,n.fm)(o,t)}function _(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-15"',src:"url('"+e+"fabric-icons-15-3807251b.woff') format('woff')"},icons:{CalendarSettings:"",CalendarSettingsMirrored:"",HardDriveLock:"",HardDriveUnlock:"",AccountManagement:"",ReportWarning:"",TransitionPop:"",TransitionPush:"",TransitionEffect:"",LookupEntities:"",ExploreData:"",AddBookmark:"",SearchBookmark:"",DrillThrough:"",MasterDatabase:"",CertifiedDatabase:"",MaximumValue:"",MinimumValue:"",VisualStudioIDELogo32:"",PasteAsText:"",PasteAsCode:"",BrowserTab:"",BrowserTabScreenshot:"",DesktopScreenshot:"",FileYML:"",ClipboardSolid:"",FabricUserFolder:"",FabricNetworkFolder:"",BullseyeTarget:"",AnalyticsView:"",Video360Generic:"",Untag:"",Leave:"",Trending12:"",Blocked12:"",Warning12:"",CheckedOutByOther12:"",CheckedOutByYou12:"",CircleShapeSolid:"",SquareShapeSolid:"",TriangleShapeSolid:"",DropShapeSolid:"",RectangleShapeSolid:"",ZoomToFit:"",InsertColumnsLeft:"",InsertColumnsRight:"",InsertRowsAbove:"",InsertRowsBelow:"",DeleteColumns:"",DeleteRows:"",DeleteRowsMirrored:"",DeleteTable:"",AccountBrowser:"",VersionControlPush:"",StackedColumnChart2:"",TripleColumnWide:"",QuadColumn:"",WhiteBoardApp16:"",WhiteBoardApp32:"",PinnedSolid:"",InsertSignatureLine:"",ArrangeByFrom:"",Phishing:"",CreateMailRule:"",PublishCourse:"",DictionaryRemove:"",UserRemove:"",UserEvent:"",Encryption:"",PasswordField:"",OpenInNewTab:"",Hide3:"",VerifiedBrandSolid:"",MarkAsProtected:"",AuthenticatorApp:"",WebTemplate:"",DefenderTVM:"",MedalSolid:"",D365TalentLearn:"",D365TalentInsight:"",D365TalentHRCore:"",BacklogList:"",ButtonControl:"",TableGroup:"",MountainClimbing:"",TagUnknown:"",TagUnknownMirror:"",TagUnknown12:"",TagUnknown12Mirror:"",Link12:"",Presentation:"",Presentation12:"",Lock12:"",BuildDefinition:"",ReleaseDefinition:"",SaveTemplate:"",UserGauge:"",BlockedSiteSolid12:"",TagSolid:"",OfficeChat:""}};(0,n.fm)(o,t)}function C(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-16"',src:"url('"+e+"fabric-icons-16-9cf93f3b.woff') format('woff')"},icons:{OfficeChatSolid:"",MailSchedule:"",WarningSolid:"",Blocked2Solid:"",SkypeCircleArrow:"",SkypeArrow:"",SyncStatus:"",SyncStatusSolid:"",ProjectDocument:"",ToDoLogoOutline:"",VisioOnlineLogoFill32:"",VisioOnlineLogo32:"",VisioOnlineLogoCloud32:"",VisioDiagramSync:"",Event12:"",EventDateMissed12:"",UserOptional:"",ResponsesMenu:"",DoubleDownArrow:"",DistributeDown:"",BookmarkReport:"",FilterSettings:"",GripperDotsVertical:"",MailAttached:"",AddIn:"",LinkedDatabase:"",TableLink:"",PromotedDatabase:"",BarChartVerticalFilter:"",BarChartVerticalFilterSolid:"",MicOff2:"",MicrosoftTranslatorLogo:"",ShowTimeAs:"",FileRequest:"",WorkItemAlert:"",PowerBILogo16:"",PowerBILogoBackplate16:"",BulletedListText:"",BulletedListBullet:"",BulletedListTextMirrored:"",BulletedListBulletMirrored:"",NumberedListText:"",NumberedListNumber:"",NumberedListTextMirrored:"",NumberedListNumberMirrored:"",RemoveLinkChain:"",RemoveLinkX:"",FabricTextHighlight:"",ClearFormattingA:"",ClearFormattingEraser:"",Photo2Fill:"",IncreaseIndentText:"",IncreaseIndentArrow:"",DecreaseIndentText:"",DecreaseIndentArrow:"",IncreaseIndentTextMirrored:"",IncreaseIndentArrowMirrored:"",DecreaseIndentTextMirrored:"",DecreaseIndentArrowMirrored:"",CheckListText:"",CheckListCheck:"",CheckListTextMirrored:"",CheckListCheckMirrored:"",NumberSymbol:"",Coupon:"",VerifiedBrand:"",ReleaseGate:"",ReleaseGateCheck:"",ReleaseGateError:"",M365InvoicingLogo:"",RemoveFromShoppingList:"",ShieldAlert:"",FabricTextHighlightComposite:"",Dataflows:"",GenericScanFilled:"",DiagnosticDataBarTooltip:"",SaveToMobile:"",Orientation2:"",ScreenCast:"",ShowGrid:"",SnapToGrid:"",ContactList:"",NewMail:"",EyeShadow:"",FabricFolderConfirm:"",InformationBarriers:"",CommentActive:"",ColumnVerticalSectionEdit:"",WavingHand:"",ShakeDevice:"",SmartGlassRemote:"",Rotate90Clockwise:"",Rotate90CounterClockwise:"",CampaignTemplate:"",ChartTemplate:"",PageListFilter:"",SecondaryNav:"",ColumnVerticalSection:"",SkypeCircleSlash:"",SkypeSlash:""}};(0,n.fm)(o,t)}function S(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-17"',src:"url('"+e+"fabric-icons-17-0c4ed701.woff') format('woff')"},icons:{CustomizeToolbar:"",DuplicateRow:"",RemoveFromTrash:"",MailOptions:"",Childof:"",Footer:"",Header:"",BarChartVerticalFill:"",StackedColumnChart2Fill:"",PlainText:"",AccessibiltyChecker:"",DatabaseSync:"",ReservationOrders:"",TabOneColumn:"",TabTwoColumn:"",TabThreeColumn:"",BulletedTreeList:"",MicrosoftTranslatorLogoGreen:"",MicrosoftTranslatorLogoBlue:"",InternalInvestigation:"",AddReaction:"",ContactHeart:"",VisuallyImpaired:"",EventToDoLogo:"",Variable2:"",ModelingView:"",DisconnectVirtualMachine:"",ReportLock:"",Uneditable2:"",Uneditable2Mirrored:"",BarChartVerticalEdit:"",GlobalNavButtonActive:"",PollResults:"",Rerun:"",QandA:"",QandAMirror:"",BookAnswers:"",AlertSettings:"",TrimStart:"",TrimEnd:"",TableComputed:"",DecreaseIndentLegacy:"",IncreaseIndentLegacy:"",SizeLegacy:""}};(0,n.fm)(o,t)}function x(e,t){void 0===e&&(e="https://spoprod-a.akamaihd.net/files/fabric/assets/icons/"),[r,i,a,s,l,c,u,d,p,m,h,g,f,v,b,y,_,C,S].forEach((function(o){return o(e,t)})),(0,n.M_)("trash","delete"),(0,n.M_)("onedrive","onedrivelogo"),(0,n.M_)("alertsolid12","eventdatemissed12"),(0,n.M_)("sixpointstar","6pointstar"),(0,n.M_)("twelvepointstar","12pointstar"),(0,n.M_)("toggleon","toggleleft"),(0,n.M_)("toggleoff","toggleright")}(0,o(6316).x)("@fluentui/font-icons-mdl2","8.0.2")},6825:(e,t,o)=>{"use strict";function n(e){i!==e&&(i=e)}function r(){return void 0===i&&(i="undefined"!=typeof document&&!!document.documentElement&&"rtl"===document.documentElement.getAttribute("dir")),i}var i;function a(){return{rtl:r()}}o.d(t,{ok:()=>n,Eo:()=>a}),i=r()},729:(e,t,o)=>{"use strict";o.d(t,{q:()=>i,Y:()=>l});var n,r=o(7622),i={none:0,insertNode:1,appendChild:2},a="undefined"!=typeof navigator&&/rv:11.0/.test(navigator.userAgent),s={};try{s=window}catch(e){}var l=function(){function e(e){this._rules=[],this._preservedRules=[],this._rulesToInsert=[],this._counter=0,this._keyToClassName={},this._onResetCallbacks=[],this._classNameToArgs={},this._config=(0,r.pi)({injectionMode:i.insertNode,defaultPrefix:"css",namespace:void 0,cspSettings:void 0},e),this._keyToClassName=this._config.classNameCache||{}}return e.getInstance=function(){var t;if(!(n=s.__stylesheet__)||n._lastStyleElement&&n._lastStyleElement.ownerDocument!==document){var o=(null===(t=s)||void 0===t?void 0:t.FabricConfig)||{};n=s.__stylesheet__=new e(o.mergeStyles)}return n},e.prototype.setConfig=function(e){this._config=(0,r.pi)((0,r.pi)({},this._config),e)},e.prototype.onReset=function(e){this._onResetCallbacks.push(e)},e.prototype.getClassName=function(e){var t=this._config.namespace;return(t?t+"-":"")+(e||this._config.defaultPrefix)+"-"+this._counter++},e.prototype.cacheClassName=function(e,t,o,n){this._keyToClassName[t]=e,this._classNameToArgs[e]={args:o,rules:n}},e.prototype.classNameFromKey=function(e){return this._keyToClassName[e]},e.prototype.getClassNameCache=function(){return this._keyToClassName},e.prototype.argsFromClassName=function(e){var t=this._classNameToArgs[e];return t&&t.args},e.prototype.insertedRulesFromClassName=function(e){var t=this._classNameToArgs[e];return t&&t.rules},e.prototype.insertRule=function(e,t){var o=this._config.injectionMode!==i.none?this._getStyleElement():void 0;if(t&&this._preservedRules.push(e),o)switch(this._config.injectionMode){case i.insertNode:var n=o.sheet;try{n.insertRule(e,n.cssRules.length)}catch(e){}break;case i.appendChild:o.appendChild(document.createTextNode(e))}else this._rules.push(e);this._config.onInsertRule&&this._config.onInsertRule(e)},e.prototype.getRules=function(e){return(e?this._preservedRules.join(""):"")+this._rules.join("")+this._rulesToInsert.join("")},e.prototype.reset=function(){this._rules=[],this._rulesToInsert=[],this._counter=0,this._classNameToArgs={},this._keyToClassName={},this._onResetCallbacks.forEach((function(e){return e()}))},e.prototype.resetKeys=function(){this._keyToClassName={}},e.prototype._getStyleElement=function(){var e=this;return this._styleElement||"undefined"==typeof document||(this._styleElement=this._createStyleElement(),a||window.requestAnimationFrame((function(){e._styleElement=void 0}))),this._styleElement},e.prototype._createStyleElement=function(){var e=document.head,t=document.createElement("style");t.setAttribute("data-merge-styles","true");var o=this._config.cspSettings;if(o&&o.nonce&&t.setAttribute("nonce",o.nonce),this._lastStyleElement)e.insertBefore(t,this._lastStyleElement.nextElementSibling);else{var n=this._findPlaceholderStyleTag();n?e.insertBefore(t,n.nextElementSibling):e.insertBefore(t,e.childNodes[0])}return this._lastStyleElement=t,t},e.prototype._findPlaceholderStyleTag=function(){var e=document.head;return e?e.querySelector("style[data-merge-styles]"):null},e}()},3570:(e,t,o)=>{"use strict";o.d(t,{m:()=>r});var n=o(7622);function r(){for(var e=[],t=0;t0){o.subComponentStyles={};var h=o.subComponentStyles,g=function(e){if(i.hasOwnProperty(e)){var t=i[e];h[e]=function(e){return r.apply(void 0,t.map((function(t){return"function"==typeof t?t(e):t})))}}};for(var d in i)g(d)}return o}},965:(e,t,o)=>{"use strict";o.d(t,{l:()=>r});var n=o(3570);function r(e){for(var t=[],o=1;o{"use strict";o.d(t,{U:()=>r});var n=o(729);function r(){for(var e=[],t=0;t=0)a(s.split(" "));else{var l=i.argsFromClassName(s);l?a(l):-1===o.indexOf(s)&&o.push(s)}else Array.isArray(s)?a(s):"object"==typeof s&&r.push(s)}}return a(e),{classes:o,objects:r}}},3310:(e,t,o)=>{"use strict";o.d(t,{j:()=>a});var n=o(6825),r=o(729),i=o(8186);function a(e){r.Y.getInstance().insertRule("@font-face{"+(0,i.dH)((0,n.Eo)(),e)+"}",!0)}},2762:(e,t,o)=>{"use strict";o.d(t,{F:()=>a});var n=o(6825),r=o(729),i=o(8186);function a(e){var t=r.Y.getInstance(),o=t.getClassName(),a=[];for(var s in e)e.hasOwnProperty(s)&&a.push(s,"{",(0,i.dH)((0,n.Eo)(),e[s]),"}");var l=a.join("");return t.insertRule("@keyframes "+o+"{"+l+"}",!0),t.cacheClassName(o,l,[],["keyframes",l]),o}},2005:(e,t,o)=>{"use strict";o.d(t,{Z:()=>s,I:()=>l});var n=o(3570),r=o(1836),i=o(6825),a=o(8186);function s(){for(var e=[],t=0;t{"use strict";o.d(t,{y:()=>a,R:()=>s});var n=o(1836),r=o(6825),i=o(8186);function a(){for(var e=[],t=0;t{"use strict";o.d(t,{Jh:()=>D,dH:()=>w,AE:()=>T,aj:()=>I});var n,r=o(7622),i=o(729),a={},s={"user-select":1};function l(e,t){var o=function(){if(!n){var e="undefined"!=typeof document?document:void 0,t="undefined"!=typeof navigator?navigator:void 0,o=t?t.userAgent.toLowerCase():void 0;n=e?{isWebkit:!(!e||!("WebkitAppearance"in e.documentElement.style)),isMoz:!!(o&&o.indexOf("firefox")>-1),isOpera:!!(o&&o.indexOf("opera")>-1),isMs:!(!t||!/rv:11.0/i.test(t.userAgent)&&!/Edge\/\d./i.test(navigator.userAgent))}:{isWebkit:!0,isMoz:!0,isOpera:!0,isMs:!0}}return n}(),r=e[t];if(s[r]){var i=e[t+1];s[r]&&(o.isWebkit&&e.push("-webkit-"+r,i),o.isMoz&&e.push("-moz-"+r,i),o.isMs&&e.push("-ms-"+r,i),o.isOpera&&e.push("-o-"+r,i))}}var c,u=["column-count","font-weight","flex","flex-grow","flex-shrink","fill-opacity","opacity","order","z-index","zoom"];function d(e,t){var o=e[t],n=e[t+1];if("number"==typeof n){var r=u.indexOf(o)>-1,i=o.indexOf("--")>-1,a=r||i?"":"px";e[t+1]=""+n+a}}var p="left",m="right",h=((c={}).left=m,c.right=p,c),g={"w-resize":"e-resize","sw-resize":"se-resize","nw-resize":"ne-resize"};function f(e,t,o){if(e.rtl){var n=t[o];if(!n)return;var r=t[o+1];if("string"==typeof r&&r.indexOf("@noflip")>=0)t[o+1]=r.replace(/\s*(?:\/\*\s*)?\@noflip\b(?:\s*\*\/)?\s*?/g,"");else if(n.indexOf(p)>=0)t[o]=n.replace(p,m);else if(n.indexOf(m)>=0)t[o]=n.replace(m,p);else if(String(r).indexOf(p)>=0)t[o+1]=r.replace(p,m);else if(String(r).indexOf(m)>=0)t[o+1]=r.replace(m,p);else if(h[n])t[o]=h[n];else if(g[r])t[o+1]=g[r];else switch(n){case"margin":case"padding":t[o+1]=function(e){if("string"==typeof e){var t=e.split(" ");if(4===t.length)return t[0]+" "+t[3]+" "+t[2]+" "+t[1]}return e}(r);break;case"box-shadow":t[o+1]=function(e,t){var o=e.split(" "),n=parseInt(o[0],10);return o[0]=o[0].replace(String(n),String(-1*n)),o.join(" ")}(r)}}}function v(e){var t=e&&e["&"];return t?t.displayName:void 0}var b=/\:global\((.+?)\)/g;function y(e,t){return e.indexOf(":global(")>=0?e.replace(b,"$1"):0===e.indexOf(":")?t+e:e.indexOf("&")<0?t+" "+e:e}function _(e,t,o,n){void 0===t&&(t={__order:[]}),0===o.indexOf("@")?C([n],t,o=o+"{"+e):o.indexOf(",")>-1?function(e){if(!b.test(e))return e;for(var t=[],o=/\:global\((.+?)\)/g,n=null;n=o.exec(e);)n[1].indexOf(",")>-1&&t.push([n.index,n.index+n[0].length,n[1].split(",").map((function(e){return":global("+e.trim()+")"})).join(", ")]);return t.reverse().reduce((function(e,t){var o=t[0],n=t[1],r=t[2];return e.slice(0,o)+r+e.slice(n)}),e)}(o).split(",").map((function(e){return e.trim()})).forEach((function(o){return C([n],t,y(o,e))})):C([n],t,y(o,e))}function C(e,t,o){void 0===t&&(t={__order:[]}),void 0===o&&(o="&");var n=i.Y.getInstance(),r=t[o];r||(r={},t[o]=r,t.__order.push(o));for(var a=0,s=e;ao&&t.push(e.substring(o,r)),o=r+1)}return o{"use strict";o.d(t,{k:()=>F});var n,r=o(7622),i=o(7002),a=o(7023),s=o(4932),l=o(4553),c=o(6840),u=o(8145),d=o(5951),p=o(688),m=o(2782),h=o(9757),g=o(8127),f=o(8088),v=o(3345),b=o(3978),y=o(4948),_=o(7466),C=o(5446),S=o(9444),x=o(9729),k="data-is-focusable",w="data-focuszone-id",I="tabindex",D="data-no-vertical-wrap",T="data-no-horizontal-wrap",E=999999999,P=-999999999,M={},R=new Set,N=["text","number","password","email","tel","url","search"],B=!1,F=function(e){function t(t){var o=e.call(this,t)||this;return o._root=i.createRef(),o._mergedRef=(0,s.S)(),o._onFocus=function(e){if(!o._portalContainsElement(e.target)){var t,n=o.props,r=n.onActiveElementChanged,i=n.doNotAllowFocusEventToPropagate,a=n.stopFocusPropagation,s=n.onFocusNotification,u=n.onFocus,d=n.shouldFocusInnerElementWhenReceivedFocus,p=n.defaultTabbableElement,m=o._isImmediateDescendantOfZone(e.target);if(m)t=e.target;else for(var h=e.target;h&&h!==o._root.current;){if((0,l.MW)(h)&&o._isImmediateDescendantOfZone(h)){t=h;break}h=(0,c.G)(h,B)}if(d&&e.target===o._root.current){var g=p&&"function"==typeof p&&p(o._root.current);g&&(0,l.MW)(g)?(t=g,g.focus()):(o.focus(!0),o._activeElement&&(t=null))}var f=!o._activeElement;t&&t!==o._activeElement&&((m||f)&&o._setFocusAlignment(t,!0,!0),o._activeElement=t,f&&o._updateTabIndexes()),r&&r(o._activeElement,e),(a||i)&&e.stopPropagation(),u?u(e):s&&s()}},o._onBlur=function(){o._setParkedFocus(!1)},o._onMouseDown=function(e){if(!o._portalContainsElement(e.target)&&!o.props.disabled){for(var t=e.target,n=[];t&&t!==o._root.current;)n.push(t),t=(0,c.G)(t,B);for(;n.length&&((t=n.pop())&&(0,l.MW)(t)&&o._setActiveElement(t,!0),!(0,l.jz)(t)););}},o._onKeyDown=function(e,t){if(!o._portalContainsElement(e.target)){var n=o.props,r=n.direction,i=n.disabled,s=n.isInnerZoneKeystroke,c=n.pagingSupportDisabled,p=n.shouldEnterInnerZone;if(!(i||(o.props.onKeyDown&&o.props.onKeyDown(e),e.isDefaultPrevented()||o._getDocument().activeElement===o._root.current&&o._isInnerZone))){if((p&&p(e)||s&&s(e))&&o._isImmediateDescendantOfZone(e.target)){var m=o._getFirstInnerZone();if(m){if(!m.focus(!0))return}else{if(!(0,l.gc)(e.target))return;if(!o.focusElement((0,l.dc)(e.target,e.target.firstChild,!0)))return}}else{if(e.altKey)return;switch(e.which){case u.m.space:if(o._tryInvokeClickForFocusable(e.target))break;return;case u.m.left:if(r!==a.U.vertical&&(o._preventDefaultWhenHandled(e),o._moveFocusLeft(t)))break;return;case u.m.right:if(r!==a.U.vertical&&(o._preventDefaultWhenHandled(e),o._moveFocusRight(t)))break;return;case u.m.up:if(r!==a.U.horizontal&&(o._preventDefaultWhenHandled(e),o._moveFocusUp()))break;return;case u.m.down:if(r!==a.U.horizontal&&(o._preventDefaultWhenHandled(e),o._moveFocusDown()))break;return;case u.m.pageDown:if(!c&&o._moveFocusPaging(!0))break;return;case u.m.pageUp:if(!c&&o._moveFocusPaging(!1))break;return;case u.m.tab:if(o.props.allowTabKey||o.props.handleTabKey===a.J.all||o.props.handleTabKey===a.J.inputOnly&&o._isElementInput(e.target)){var h=!1;if(o._processingTabKey=!0,h=r!==a.U.vertical&&o._shouldWrapFocus(o._activeElement,T)?((0,d.zg)(t)?!e.shiftKey:e.shiftKey)?o._moveFocusLeft(t):o._moveFocusRight(t):e.shiftKey?o._moveFocusUp():o._moveFocusDown(),o._processingTabKey=!1,h)break;o.props.shouldResetActiveElementWhenTabFromZone&&(o._activeElement=null)}return;case u.m.home:if(o._isContentEditableElement(e.target)||o._isElementInput(e.target)&&!o._shouldInputLoseFocus(e.target,!1))return!1;var g=o._root.current&&o._root.current.firstChild;if(o._root.current&&g&&o.focusElement((0,l.dc)(o._root.current,g,!0)))break;return;case u.m.end:if(o._isContentEditableElement(e.target)||o._isElementInput(e.target)&&!o._shouldInputLoseFocus(e.target,!0))return!1;var f=o._root.current&&o._root.current.lastChild;if(o._root.current&&o.focusElement((0,l.TD)(o._root.current,f,!0,!0,!0)))break;return;case u.m.enter:if(o._tryInvokeClickForFocusable(e.target))break;return;default:return}}e.preventDefault(),e.stopPropagation()}}},o._getHorizontalDistanceFromCenter=function(e,t,n){var r=o._focusAlignment.left||o._focusAlignment.x||0,i=Math.floor(n.top),a=Math.floor(t.bottom),s=Math.floor(n.bottom),l=Math.floor(t.top);return e&&i>a||!e&&s=n.left&&r<=n.left+n.width?0:Math.abs(n.left+n.width/2-r):o._shouldWrapFocus(o._activeElement,D)?E:P},(0,p.l)(o),o._id=(0,m.z)("FocusZone"),o._focusAlignment={left:0,top:0},o._processingTabKey=!1,o}return(0,r.ZT)(t,e),t.getOuterZones=function(){return R.size},t._onKeyDownCapture=function(e){e.which===u.m.tab&&R.forEach((function(e){return e._updateTabIndexes()}))},t.prototype.componentDidMount=function(){var e=this._root.current;if(M[this._id]=this,e){this._windowElement=(0,h.J)(e);for(var o=(0,c.G)(e,B);o&&o!==this._getDocument().body&&1===o.nodeType;){if((0,l.jz)(o)){this._isInnerZone=!0;break}o=(0,c.G)(o,B)}this._isInnerZone||(R.add(this),this._windowElement&&1===R.size&&this._windowElement.addEventListener("keydown",t._onKeyDownCapture,!0)),this._root.current&&this._root.current.addEventListener("blur",this._onBlur,!0),this._updateTabIndexes(),this.props.defaultTabbableElement&&"string"==typeof this.props.defaultTabbableElement?this._activeElement=this._getDocument().querySelector(this.props.defaultTabbableElement):this.props.defaultActiveElement&&(this._activeElement=this._getDocument().querySelector(this.props.defaultActiveElement)),this.props.shouldFocusOnMount&&this.focus()}},t.prototype.componentDidUpdate=function(){var e=this._root.current,t=this._getDocument();if(t&&this._lastIndexPath&&(t.activeElement===t.body||null===t.activeElement||!this.props.preventFocusRestoration&&t.activeElement===e)){var o=(0,l.bF)(e,this._lastIndexPath);o?(this._setActiveElement(o,!0),o.focus(),this._setParkedFocus(!1)):this._setParkedFocus(!0)}},t.prototype.componentWillUnmount=function(){delete M[this._id],this._isInnerZone||(R.delete(this),this._windowElement&&0===R.size&&this._windowElement.removeEventListener("keydown",t._onKeyDownCapture,!0)),this._root.current&&this._root.current.removeEventListener("blur",this._onBlur,!0),this._activeElement=null,this._defaultFocusElement=null},t.prototype.render=function(){var e=this,t=this.props,o=t.as,a=t.elementType,s=t.rootProps,l=t.ariaDescribedBy,c=t.ariaLabelledBy,u=t.className,d=(0,g.pq)(this.props,g.iY),p=o||a||"div";this._evaluateFocusBeforeRender();var m=(0,x.gh)();return i.createElement(p,(0,r.pi)({"aria-labelledby":c,"aria-describedby":l},d,s,{className:(0,f.i)((n||(n=(0,S.y)({selectors:{":focus":{outline:"none"}}},"ms-FocusZone")),n),u),ref:this._mergedRef(this.props.elementRef,this._root),"data-focuszone-id":this._id,onKeyDown:function(t){return e._onKeyDown(t,m)},onFocus:this._onFocus,onMouseDownCapture:this._onMouseDown}),this.props.children)},t.prototype.focus=function(e){if(void 0===e&&(e=!1),this._root.current){if(!e&&"true"===this._root.current.getAttribute(k)&&this._isInnerZone){var t=this._getOwnerZone(this._root.current);if(t!==this._root.current){var o=M[t.getAttribute(w)];return!!o&&o.focusElement(this._root.current)}return!1}if(!e&&this._activeElement&&(0,v.t)(this._root.current,this._activeElement)&&(0,l.MW)(this._activeElement))return this._activeElement.focus(),!0;var n=this._root.current.firstChild;return this.focusElement((0,l.dc)(this._root.current,n,!0))}return!1},t.prototype.focusLast=function(){if(this._root.current){var e=this._root.current&&this._root.current.lastChild;return this.focusElement((0,l.TD)(this._root.current,e,!0,!0,!0))}return!1},t.prototype.focusElement=function(e,t){var o=this.props,n=o.onBeforeFocus,r=o.shouldReceiveFocus;return!(r&&!r(e)||n&&!n(e)||!e||(this._setActiveElement(e,t),this._activeElement&&this._activeElement.focus(),0))},t.prototype.setFocusAlignment=function(e){this._focusAlignment=e},t.prototype._evaluateFocusBeforeRender=function(){var e=this._root.current,t=this._getDocument();if(t){var o=t.activeElement;if(o!==e){var n=(0,v.t)(e,o,!1);this._lastIndexPath=n?(0,l.xu)(e,o):void 0}}},t.prototype._setParkedFocus=function(e){var t=this._root.current;t&&this._isParked!==e&&(this._isParked=e,e?(this.props.allowFocusRoot||(this._parkedTabIndex=t.getAttribute("tabindex"),t.setAttribute("tabindex","-1")),t.focus()):this.props.allowFocusRoot||(this._parkedTabIndex?(t.setAttribute("tabindex",this._parkedTabIndex),this._parkedTabIndex=void 0):t.removeAttribute("tabindex")))},t.prototype._setActiveElement=function(e,t){var o=this._activeElement;this._activeElement=e,o&&((0,l.jz)(o)&&this._updateTabIndexes(o),o.tabIndex=-1),this._activeElement&&(this._focusAlignment&&!t||this._setFocusAlignment(e,!0,!0),this._activeElement.tabIndex=0)},t.prototype._preventDefaultWhenHandled=function(e){this.props.preventDefaultWhenHandled&&e.preventDefault()},t.prototype._tryInvokeClickForFocusable=function(e){if(e===this._root.current||!this.props.shouldRaiseClicks)return!1;do{if("BUTTON"===e.tagName||"A"===e.tagName||"INPUT"===e.tagName||"TEXTAREA"===e.tagName)return!1;if(this._isImmediateDescendantOfZone(e)&&"true"===e.getAttribute(k)&&"true"!==e.getAttribute("data-disable-click-on-enter"))return(0,b.x)(e),!0;e=(0,c.G)(e,B)}while(e!==this._root.current);return!1},t.prototype._getFirstInnerZone=function(e){if(!(e=e||this._activeElement||this._root.current))return null;if((0,l.jz)(e))return M[e.getAttribute(w)];for(var t=e.firstElementChild;t;){if((0,l.jz)(t))return M[t.getAttribute(w)];var o=this._getFirstInnerZone(t);if(o)return o;t=t.nextElementSibling}return null},t.prototype._moveFocus=function(e,t,o,n){void 0===n&&(n=!0);var r=this._activeElement,i=-1,s=void 0,c=!1,u=this.props.direction===a.U.bidirectional;if(!r||!this._root.current)return!1;if(this._isElementInput(r)&&!this._shouldInputLoseFocus(r,e))return!1;var d=u?r.getBoundingClientRect():null;do{if(r=e?(0,l.dc)(this._root.current,r):(0,l.TD)(this._root.current,r),!u){s=r;break}if(r){var p=t(d,r.getBoundingClientRect());if(-1===p&&-1===i){s=r;break}if(p>-1&&(-1===i||p=0&&p<0)break}}while(r);if(s&&s!==this._activeElement)c=!0,this.focusElement(s);else if(this.props.isCircularNavigation&&n)return e?this.focusElement((0,l.dc)(this._root.current,this._root.current.firstElementChild,!0)):this.focusElement((0,l.TD)(this._root.current,this._root.current.lastElementChild,!0,!0,!0));return c},t.prototype._moveFocusDown=function(){var e=this,t=-1,o=this._focusAlignment.left||this._focusAlignment.x||0;return!!this._moveFocus(!0,(function(n,r){var i=-1,a=Math.floor(r.top),s=Math.floor(n.bottom);return a=s||a===t)&&(t=a,i=o>=r.left&&o<=r.left+r.width?0:Math.abs(r.left+r.width/2-o)),i)}))&&(this._setFocusAlignment(this._activeElement,!1,!0),!0)},t.prototype._moveFocusUp=function(){var e=this,t=-1,o=this._focusAlignment.left||this._focusAlignment.x||0;return!!this._moveFocus(!1,(function(n,r){var i=-1,a=Math.floor(r.bottom),s=Math.floor(r.top),l=Math.floor(n.top);return a>l?e._shouldWrapFocus(e._activeElement,D)?E:P:((-1===t&&a<=l||s===t)&&(t=s,i=o>=r.left&&o<=r.left+r.width?0:Math.abs(r.left+r.width/2-o)),i)}))&&(this._setFocusAlignment(this._activeElement,!1,!0),!0)},t.prototype._moveFocusLeft=function(e){var t=this,o=this._shouldWrapFocus(this._activeElement,T);return!!this._moveFocus((0,d.zg)(e),(function(n,r){var i=-1;return((0,d.zg)(e)?parseFloat(r.top.toFixed(3))parseFloat(n.top.toFixed(3)))&&r.right<=n.right&&t.props.direction!==a.U.vertical?i=n.right-r.right:o||(i=P),i}),void 0,o)&&(this._setFocusAlignment(this._activeElement,!0,!1),!0)},t.prototype._moveFocusRight=function(e){var t=this,o=this._shouldWrapFocus(this._activeElement,T);return!!this._moveFocus(!(0,d.zg)(e),(function(n,r){var i=-1;return((0,d.zg)(e)?parseFloat(r.bottom.toFixed(3))>parseFloat(n.top.toFixed(3)):parseFloat(r.top.toFixed(3))=n.left&&t.props.direction!==a.U.vertical?i=r.left-n.left:o||(i=P),i}),void 0,o)&&(this._setFocusAlignment(this._activeElement,!0,!1),!0)},t.prototype._moveFocusPaging=function(e,t){void 0===t&&(t=!0);var o=this._activeElement;if(!o||!this._root.current)return!1;if(this._isElementInput(o)&&!this._shouldInputLoseFocus(o,e))return!1;var n=(0,y.zj)(o);if(!n)return!1;var r=-1,i=void 0,a=-1,s=-1,c=n.clientHeight,u=o.getBoundingClientRect();do{if(o=e?(0,l.dc)(this._root.current,o):(0,l.TD)(this._root.current,o)){var d=o.getBoundingClientRect(),p=Math.floor(d.top),m=Math.floor(u.bottom),h=Math.floor(d.bottom),g=Math.floor(u.top),f=this._getHorizontalDistanceFromCenter(e,u,d);if(e&&p>m+c||!e&&h-1&&(e&&p>a?(a=p,r=f,i=o):!e&&h-1){var o=e.selectionStart,n=o!==e.selectionEnd,r=e.value,i=e.readOnly;if(n||o>0&&!t&&!i||o!==r.length&&t&&!i||this.props.handleTabKey&&(!this.props.shouldInputLoseFocusOnArrowKey||!this.props.shouldInputLoseFocusOnArrowKey(e)))return!1}return!0},t.prototype._shouldWrapFocus=function(e,t){return!this.props.checkForNoWrap||(0,l.mM)(e,t)},t.prototype._portalContainsElement=function(e){return e&&!!this._root.current&&(0,_.w)(e,this._root.current)},t.prototype._getDocument=function(){return(0,C.M)(this._root.current)},t.defaultProps={isCircularNavigation:!1,direction:a.U.bidirectional,shouldRaiseClicks:!0},t}(i.Component)},7023:(e,t,o)=>{"use strict";o.d(t,{J:()=>r,U:()=>n});var n,r={none:0,all:1,inputOnly:2};!function(e){e[e.vertical=0]="vertical",e[e.horizontal=1]="horizontal",e[e.bidirectional=2]="bidirectional",e[e.domOrder=3]="domOrder"}(n||(n={}))},3528:(e,t,o)=>{"use strict";o.d(t,{r:()=>a});var n=o(2167),r=o(7002),i=o(7913);function a(){var e=(0,i.B)((function(){return new n.e}));return r.useEffect((function(){return function(){return e.dispose()}}),[e]),e}},2861:(e,t,o)=>{"use strict";o.d(t,{k:()=>i});var n=o(7002),r=o(7913);function i(e){var t=n.useState(e),o=t[0],i=t[1];return[o,{setTrue:(0,r.B)((function(){return function(){i(!0)}})),setFalse:(0,r.B)((function(){return function(){i(!1)}})),toggle:(0,r.B)((function(){return function(){i((function(e){return!e}))}}))}]}},7913:(e,t,o)=>{"use strict";o.d(t,{B:()=>r});var n=o(7002);function r(e){var t=n.useRef();return void 0===t.current&&(t.current={value:"function"==typeof e?e():e}),t.current.value}},6548:(e,t,o)=>{"use strict";o.d(t,{G:()=>i});var n=o(7002),r=o(7913);function i(e,t,o){var i=n.useState(t),a=i[0],s=i[1],l=(0,r.B)(void 0!==e),c=l?e:a,u=n.useRef(c),d=n.useRef(o);n.useEffect((function(){u.current=c,d.current=o}));var p=(0,r.B)((function(){return function(e,t){var o="function"==typeof e?e(u.current):e;d.current&&d.current(t,o),l||s(o)}}));return[c,p]}},4085:(e,t,o)=>{"use strict";o.d(t,{M:()=>i});var n=o(7002),r=o(2782);function i(e,t){var o=n.useRef(t);return o.current||(o.current=(0,r.z)(e)),o.current}},9241:(e,t,o)=>{"use strict";o.d(t,{r:()=>i});var n=o(7622),r=o(7002);function i(){for(var e=[],t=0;t{"use strict";o.d(t,{d:()=>i});var n=o(9251),r=o(7002);function i(e,t,o,i){var a=r.useRef(o);a.current=o,r.useEffect((function(){var o=e&&"current"in e?e.current:e;if(o)return(0,n.on)(o,t,(function(e){return a.current(e)}),i)}),[e,t,i])}},6876:(e,t,o)=>{"use strict";o.d(t,{D:()=>r});var n=o(7002);function r(e){var t=(0,n.useRef)();return(0,n.useEffect)((function(){t.current=e})),t.current}},5646:(e,t,o)=>{"use strict";o.d(t,{L:()=>i});var n=o(7002),r=o(7913),i=function(){var e=(0,r.B)({});return n.useEffect((function(){return function(){for(var t=0,o=Object.keys(e);t{"use strict";o.d(t,{e:()=>a});var n=o(5446),r=o(7002),i=o(8901);function a(e,t){var o,a=r.useRef(),s=r.useRef(null),l=(0,i.zY)();if(!e||e!==a.current||"string"==typeof e){var c=null===(o=t)||void 0===o?void 0:o.current;if(e)if("string"==typeof e){var u=(0,n.M)(c);s.current=u?u.querySelector(e):null}else s.current="stopPropagation"in e||"getBoundingClientRect"in e?e:"current"in e?e.current:e;a.current=e}return[s,l]}},8901:(e,t,o)=>{"use strict";o.d(t,{Hn:()=>r,zY:()=>i,ky:()=>a,WU:()=>s});var n=o(7002),r=n.createContext({window:"object"==typeof window?window:void 0}),i=function(){return n.useContext(r).window},a=function(){var e;return null===(e=n.useContext(r).window)||void 0===e?void 0:e.document},s=function(e){return n.createElement(r.Provider,{value:e},e.children)}},6628:(e,t,o)=>{"use strict";o.d(t,{b:()=>n});var n={topLeftEdge:0,topCenter:1,topRightEdge:2,topAutoEdge:3,bottomLeftEdge:4,bottomCenter:5,bottomRightEdge:6,bottomAutoEdge:7,leftTopEdge:8,leftCenter:9,leftBottomEdge:10,rightTopEdge:11,rightCenter:12,rightBottomEdge:13}},9942:(e,t,o)=>{"use strict";o.d(t,{d:()=>c});var n=o(7622),r=o(7002),i=o(7300),a=o(8127),s=o(6055),l=(0,i.y)(),c=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.message,o=e.styles,i=e.as,c=void 0===i?"div":i,u=e.className,d=l(o,{className:u});return r.createElement(c,(0,n.pi)({role:"status",className:d.root},(0,a.pq)(this.props,a.n7,["className"])),r.createElement(s.U,null,r.createElement("div",{className:d.screenReaderText},t)))},t.defaultProps={"aria-live":"polite"},t}(r.Component)},3945:(e,t,o)=>{"use strict";o.d(t,{O:()=>a});var n=o(2002),r=o(9942),i=o(9729),a=(0,n.z)(r.d,(function(e){return{root:e.className,screenReaderText:i.ul}}))},5767:(e,t,o)=>{"use strict";o.d(t,{G:()=>d});var n=o(7622),r=o(7002),i=o(5036),a=o(8145),s=o(688),l=o(2167),c=o(8127),u="backward",d=function(e){function t(t){var o=e.call(this,t)||this;return o._inputElement=r.createRef(),o._autoFillEnabled=!0,o._isComposing=!1,o._onCompositionStart=function(e){o._isComposing=!0,o._autoFillEnabled=!1},o._onCompositionUpdate=function(){(0,i.f)()&&o._updateValue(o._getCurrentInputValue(),!0)},o._onCompositionEnd=function(e){var t=o._getCurrentInputValue();o._tryEnableAutofill(t,o.value,!1,!0),o._isComposing=!1,o._async.setTimeout((function(){o._updateValue(o._getCurrentInputValue(),!1)}),0)},o._onClick=function(){o.value&&""!==o.value&&o._autoFillEnabled&&(o._autoFillEnabled=!1)},o._onKeyDown=function(e){if(o.props.onKeyDown&&o.props.onKeyDown(e),!e.nativeEvent.isComposing)switch(e.which){case a.m.backspace:o._autoFillEnabled=!1;break;case a.m.left:case a.m.right:o._autoFillEnabled&&(o.setState({inputValue:o.props.suggestedDisplayValue||""}),o._autoFillEnabled=!1);break;default:o._autoFillEnabled||-1!==o.props.enableAutofillOnKeyPress.indexOf(e.which)&&(o._autoFillEnabled=!0)}},o._onInputChanged=function(e){var t=o._getCurrentInputValue(e);if(o._isComposing||o._tryEnableAutofill(t,o.value,e.nativeEvent.isComposing),!(0,i.f)()||!o._isComposing){var n=e.nativeEvent.isComposing,r=void 0===n?o._isComposing:n;o._updateValue(t,r)}},o._onChanged=function(){},o._updateValue=function(e,t){var n;if(e||e!==o.value){var r=o.props,i=r.onInputChange,a=r.onInputValueChange;i&&(e=(null===(n=i)||void 0===n?void 0:n(e,t))||""),o.setState({inputValue:e},(function(){var o;return null===(o=a)||void 0===o?void 0:o(e,t)}))}},(0,s.l)(o),o._async=new l.e(o),o.state={inputValue:t.defaultVisibleValue||""},o}return(0,n.ZT)(t,e),t.getDerivedStateFromProps=function(e,t){if(e.updateValueInWillReceiveProps){var o=e.updateValueInWillReceiveProps();if(null!==o&&o!==t.inputValue)return{inputValue:o}}return null},Object.defineProperty(t.prototype,"cursorLocation",{get:function(){if(this._inputElement.current){var e=this._inputElement.current;return"forward"!==e.selectionDirection?e.selectionEnd:e.selectionStart}return-1},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"isValueSelected",{get:function(){return Boolean(this.inputElement&&this.inputElement.selectionStart!==this.inputElement.selectionEnd)},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"value",{get:function(){return this._getControlledValue()||this.state.inputValue||""},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"selectionStart",{get:function(){return this._inputElement.current?this._inputElement.current.selectionStart:-1},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"selectionEnd",{get:function(){return this._inputElement.current?this._inputElement.current.selectionEnd:-1},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"inputElement",{get:function(){return this._inputElement.current},enumerable:!0,configurable:!0}),t.prototype.componentDidUpdate=function(){var e=this.props,t=e.suggestedDisplayValue,o=e.shouldSelectFullInputValueInComponentDidUpdate,n=0;if(!e.preventValueSelection&&this._autoFillEnabled&&this.value&&t&&p(t,this.value)){var r=!1;if(o&&(r=o()),r&&this._inputElement.current)this._inputElement.current.setSelectionRange(0,t.length,u);else{for(;n0&&this._inputElement.current&&this._inputElement.current.setSelectionRange(n,t.length,u)}}},t.prototype.componentWillUnmount=function(){this._async.dispose()},t.prototype.render=function(){var e=(0,c.pq)(this.props,c.Gg),t=(0,n.pi)((0,n.pi)({},this.props.style),{fontFamily:"inherit"});return r.createElement("input",(0,n.pi)({autoCapitalize:"off",autoComplete:"off","aria-autocomplete":"both"},e,{style:t,ref:this._inputElement,value:this._getDisplayValue(),onCompositionStart:this._onCompositionStart,onCompositionUpdate:this._onCompositionUpdate,onCompositionEnd:this._onCompositionEnd,onChange:this._onChanged,onInput:this._onInputChanged,onKeyDown:this._onKeyDown,onClick:this.props.onClick?this.props.onClick:this._onClick,"data-lpignore":!0}))},t.prototype.focus=function(){this._inputElement.current&&this._inputElement.current.focus()},t.prototype.clear=function(){this._autoFillEnabled=!0,this._updateValue("",!1),this._inputElement.current&&this._inputElement.current.setSelectionRange(0,0)},t.prototype._getCurrentInputValue=function(e){return e&&e.target&&e.target.value?e.target.value:this.inputElement&&this.inputElement.value?this.inputElement.value:""},t.prototype._tryEnableAutofill=function(e,t,o,n){!o&&e&&this._inputElement.current&&this._inputElement.current.selectionStart===e.length&&!this._autoFillEnabled&&(e.length>t.length||n)&&(this._autoFillEnabled=!0)},t.prototype._getDisplayValue=function(){return this._autoFillEnabled?(e=this.value,t=this.props.suggestedDisplayValue,o=e,t&&e&&p(t,o)&&(o=t),o):this.value;var e,t,o},t.prototype._getControlledValue=function(){var e=this.props.value;return void 0===e||"string"==typeof e?e:(console.warn("props.value of Autofill should be a string, but it is "+e+" with type of "+typeof e),e.toString())},t.defaultProps={enableAutofillOnKeyPress:[a.m.down,a.m.up]},t}(r.Component);function p(e,t){return!(!e||!t)&&0===e.toLocaleLowerCase().indexOf(t.toLocaleLowerCase())}},2898:(e,t,o)=>{"use strict";o.d(t,{K:()=>c});var n=o(7622),r=o(7002),i=o(4968),a=o(9013),s=o(6053),l=o(3608),c=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.theme;return r.createElement(i.Y,(0,n.pi)({},this.props,{variantClassName:"ms-Button--action ms-Button--command",styles:(0,l.W)(o,t),onRenderDescription:a.S}))},(0,n.gn)([(0,s.a)("ActionButton",["theme","styles"],!0)],t)}(r.Component)},3608:(e,t,o)=>{"use strict";o.d(t,{W:()=>a});var n=o(9729),r=o(5094),i=o(1860),a=(0,r.NF)((function(e,t){var o,r,a,s=(0,i.W)(e),l={root:{padding:"0 4px",height:"40px",color:e.palette.neutralPrimary,backgroundColor:"transparent",border:"1px solid transparent",selectors:(o={},o[n.qJ]={borderColor:"Window"},o)},rootHovered:{color:e.palette.themePrimary,selectors:(r={},r[n.qJ]={color:"Highlight"},r)},iconHovered:{color:e.palette.themePrimary},rootPressed:{color:e.palette.black},rootExpanded:{color:e.palette.themePrimary},iconPressed:{color:e.palette.themeDarker},rootDisabled:{color:e.palette.neutralTertiary,backgroundColor:"transparent",borderColor:"transparent",selectors:(a={},a[n.qJ]={color:"GrayText"},a)},rootChecked:{color:e.palette.black},iconChecked:{color:e.palette.themeDarker},flexContainer:{justifyContent:"flex-start"},icon:{color:e.palette.themeDarkAlt},iconDisabled:{color:"inherit"},menuIcon:{color:e.palette.neutralSecondary},textContainer:{flexGrow:0}};return(0,n.E$)(s,l,t)}))},2657:(e,t,o)=>{"use strict";o.d(t,{n:()=>i,f:()=>a});var n=o(5094),r=o(9729),i={msButton:"ms-Button",msButtonHasMenu:"ms-Button--hasMenu",msButtonIcon:"ms-Button-icon",msButtonMenuIcon:"ms-Button-menuIcon",msButtonLabel:"ms-Button-label",msButtonDescription:"ms-Button-description",msButtonScreenReaderText:"ms-Button-screenReaderText",msButtonFlexContainer:"ms-Button-flexContainer",msButtonTextContainer:"ms-Button-textContainer"},a=(0,n.NF)((function(e,t,o,n,a,s,l,c,u,d,p){var m,h,g=(0,r.Cn)(i,e||{}),f=d&&!p;return(0,r.ZC)({root:[g.msButton,t.root,n,u&&["is-checked",t.rootChecked],f&&["is-expanded",t.rootExpanded,{selectors:(m={},m[":hover ."+g.msButtonIcon]=t.iconExpandedHovered,m[":hover ."+g.msButtonMenuIcon]=t.menuIconExpandedHovered||t.rootExpandedHovered,m[":hover"]=t.rootExpandedHovered,m)}],c&&[i.msButtonHasMenu,t.rootHasMenu],l&&["is-disabled",t.rootDisabled],!l&&!f&&!u&&{selectors:(h={":hover":t.rootHovered},h[":hover ."+g.msButtonLabel]=t.labelHovered,h[":hover ."+g.msButtonIcon]=t.iconHovered,h[":hover ."+g.msButtonDescription]=t.descriptionHovered,h[":hover ."+g.msButtonMenuIcon]=t.menuIconHovered,h[":focus"]=t.rootFocused,h[":active"]=t.rootPressed,h[":active ."+g.msButtonIcon]=t.iconPressed,h[":active ."+g.msButtonDescription]=t.descriptionPressed,h[":active ."+g.msButtonMenuIcon]=t.menuIconPressed,h)},l&&u&&[t.rootCheckedDisabled],!l&&u&&{selectors:{":hover":t.rootCheckedHovered,":active":t.rootCheckedPressed}},o],flexContainer:[g.msButtonFlexContainer,t.flexContainer],textContainer:[g.msButtonTextContainer,t.textContainer],icon:[g.msButtonIcon,a,t.icon,f&&t.iconExpanded,u&&t.iconChecked,l&&t.iconDisabled],label:[g.msButtonLabel,t.label,u&&t.labelChecked,l&&t.labelDisabled],menuIcon:[g.msButtonMenuIcon,s,t.menuIcon,u&&t.menuIconChecked,l&&!p&&t.menuIconDisabled,!l&&!f&&!u&&{selectors:{":hover":t.menuIconHovered,":active":t.menuIconPressed}},f&&["is-expanded",t.menuIconExpanded]],description:[g.msButtonDescription,t.description,u&&t.descriptionChecked,l&&t.descriptionDisabled],screenReaderText:[g.msButtonScreenReaderText,t.screenReaderText]})}))},4968:(e,t,o)=>{"use strict";o.d(t,{Y:()=>P});var n=o(7622),r=o(7002),i=o(5094),a=o(8088),s=o(7466),l=o(8145),c=o(688),u=o(2167),d=o(9919),p=o(5415),m=o(3129),h=o(2782),g=o(8127),f=o(2447),v=o(9013),b=o(5480),y=o(9577),_=o(4932),C=o(9947),S=o(4734),x=o(7840),k=o(6628),w=o(9134),I=o(2657),D=o(5032),T=o(9949),E="BaseButton",P=function(e){function t(t){var o=e.call(this,t)||this;return o._buttonElement=r.createRef(),o._splitButtonContainer=r.createRef(),o._mergedRef=(0,_.S)(),o._renderedVisibleMenu=!1,o._getMemoizedMenuButtonKeytipProps=(0,i.NF)((function(e){return(0,n.pi)((0,n.pi)({},e),{hasMenu:!0})})),o._onRenderIcon=function(e,t){var i=o.props.iconProps;if(i&&(void 0!==i.iconName||i.imageProps)){var s=i.className,l=i.imageProps,c=(0,n._T)(i,["className","imageProps"]);if(i.styles)return r.createElement(C.J,(0,n.pi)({className:(0,a.i)(o._classNames.icon,s),imageProps:l},c));if(i.iconName)return r.createElement(S.xu,(0,n.pi)({className:(0,a.i)(o._classNames.icon,s)},c));if(l)return r.createElement(x.X,(0,n.pi)({className:(0,a.i)(o._classNames.icon,s),imageProps:l},c))}return null},o._onRenderTextContents=function(){var e=o.props,t=e.text,n=e.children,i=e.secondaryText,a=void 0===i?o.props.description:i,s=e.onRenderText,l=void 0===s?o._onRenderText:s,c=e.onRenderDescription,u=void 0===c?o._onRenderDescription:c;return t||"string"==typeof n||a?r.createElement("span",{className:o._classNames.textContainer},l(o.props,o._onRenderText),u(o.props,o._onRenderDescription)):[l(o.props,o._onRenderText),u(o.props,o._onRenderDescription)]},o._onRenderText=function(){var e=o.props.text,t=o.props.children;return void 0===e&&"string"==typeof t&&(e=t),o._hasText()?r.createElement("span",{key:o._labelId,className:o._classNames.label,id:o._labelId},e):null},o._onRenderChildren=function(){var e=o.props.children;return"string"==typeof e?null:e},o._onRenderDescription=function(e){var t=e.secondaryText,n=void 0===t?o.props.description:t;return n?r.createElement("span",{key:o._descriptionId,className:o._classNames.description,id:o._descriptionId},n):null},o._onRenderAriaDescription=function(){var e=o.props.ariaDescription;return e?r.createElement("span",{className:o._classNames.screenReaderText,id:o._ariaDescriptionId},e):null},o._onRenderMenuIcon=function(e){var t=o.props.menuIconProps;return r.createElement(S.xu,(0,n.pi)({iconName:"ChevronDown"},t,{className:o._classNames.menuIcon}))},o._onRenderMenu=function(e){var t=o.props.persistMenu,i=o.state.menuHidden,s=o.props.menuAs||w.r;return e.ariaLabel||e.labelElementId||!o._hasText()||(e=(0,n.pi)((0,n.pi)({},e),{labelElementId:o._labelId})),r.createElement(s,(0,n.pi)({id:o._labelId+"-menu",directionalHint:k.b.bottomLeftEdge},e,{shouldFocusOnContainer:o._menuShouldFocusOnContainer,shouldFocusOnMount:o._menuShouldFocusOnMount,hidden:t?i:void 0,className:(0,a.i)("ms-BaseButton-menuhost",e.className),target:o._isSplitButton?o._splitButtonContainer.current:o._buttonElement.current,onDismiss:o._onDismissMenu}))},o._onDismissMenu=function(e){var t=o.props.menuProps;t&&t.onDismiss&&t.onDismiss(e),e&&e.defaultPrevented||o._dismissMenu()},o._dismissMenu=function(){o._menuShouldFocusOnMount=void 0,o._menuShouldFocusOnContainer=void 0,o.setState({menuHidden:!0})},o._openMenu=function(e,t){void 0===t&&(t=!0),o.props.menuProps&&(o._menuShouldFocusOnContainer=e,o._menuShouldFocusOnMount=t,o._renderedVisibleMenu=!0,o.setState({menuHidden:!1}))},o._onToggleMenu=function(e){var t=!0;o.props.menuProps&&!1===o.props.menuProps.shouldFocusOnMount&&(t=!1),o.state.menuHidden?o._openMenu(e,t):o._dismissMenu()},o._onSplitContainerFocusCapture=function(e){var t=o._splitButtonContainer.current;!t||e.target&&(0,s.w)(e.target,t)||t.focus()},o._onSplitButtonPrimaryClick=function(e){o.state.menuHidden||o._dismissMenu(),!o._processingTouch&&o.props.onClick?o.props.onClick(e):o._processingTouch&&o._onMenuClick(e)},o._onKeyDown=function(e){!o.props.disabled||e.which!==l.m.enter&&e.which!==l.m.space?o.props.disabled||(o.props.menuProps?o._onMenuKeyDown(e):void 0!==o.props.onKeyDown&&o.props.onKeyDown(e)):(e.preventDefault(),e.stopPropagation())},o._onKeyUp=function(e){o.props.disabled||void 0===o.props.onKeyUp||o.props.onKeyUp(e)},o._onKeyPress=function(e){o.props.disabled||void 0===o.props.onKeyPress||o.props.onKeyPress(e)},o._onMouseUp=function(e){o.props.disabled||void 0===o.props.onMouseUp||o.props.onMouseUp(e)},o._onMouseDown=function(e){o.props.disabled||void 0===o.props.onMouseDown||o.props.onMouseDown(e)},o._onClick=function(e){o.props.disabled||(o.props.menuProps?o._onMenuClick(e):void 0!==o.props.onClick&&o.props.onClick(e))},o._onSplitButtonContainerKeyDown=function(e){e.which===l.m.enter||e.which===l.m.space?o._buttonElement.current&&(o._buttonElement.current.click(),e.preventDefault(),e.stopPropagation()):o._onMenuKeyDown(e)},o._onMenuKeyDown=function(e){if(!o.props.disabled){o.props.onKeyDown&&o.props.onKeyDown(e);var t=e.which===l.m.up,n=e.which===l.m.down;if(!e.defaultPrevented&&o._isValidMenuOpenKey(e)){var r=o.props.onMenuClick;r&&r(e,o.props),o._onToggleMenu(!1),e.preventDefault(),e.stopPropagation()}e.altKey||e.metaKey||!t&&!n||!o.state.menuHidden&&o.props.menuProps&&((void 0!==o._menuShouldFocusOnMount?o._menuShouldFocusOnMount:o.props.menuProps.shouldFocusOnMount)||(e.preventDefault(),e.stopPropagation(),o._menuShouldFocusOnMount=!0,o.forceUpdate()))}},o._onTouchStart=function(){o._isSplitButton&&o._splitButtonContainer.current&&!("onpointerdown"in o._splitButtonContainer.current)&&o._handleTouchAndPointerEvent()},o._onMenuClick=function(e){var t=o.props.onMenuClick;if(t&&t(e,o.props),!e.defaultPrevented){var n=0!==e.nativeEvent.detail||"mouse"===e.nativeEvent.pointerType;o._onToggleMenu(n),e.preventDefault(),e.stopPropagation()}},(0,c.l)(o),o._async=new u.e(o),o._events=new d.r(o),(0,p.w)(E,t,["menuProps","onClick"],"split",o.props.split),(0,m.b)(E,t,{rootProps:void 0,description:"secondaryText",toggled:"checked"}),o._labelId=(0,h.z)(),o._descriptionId=(0,h.z)(),o._ariaDescriptionId=(0,h.z)(),o.state={menuHidden:!0},o}return(0,n.ZT)(t,e),Object.defineProperty(t.prototype,"_isSplitButton",{get:function(){return!!this.props.menuProps&&!!this.props.onClick&&!0===this.props.split},enumerable:!0,configurable:!0}),t.prototype.render=function(){var e,t=this.props,o=t.ariaDescription,n=t.ariaLabel,r=t.ariaHidden,i=t.className,a=t.disabled,s=t.allowDisabledFocus,l=t.primaryDisabled,c=t.secondaryText,u=void 0===c?this.props.description:c,d=t.href,p=t.iconProps,m=t.menuIconProps,h=t.styles,b=t.checked,y=t.variantClassName,_=t.theme,C=t.toggle,S=t.getClassNames,x=t.role,k=this.state.menuHidden,w=a||l;this._classNames=S?S(_,i,y,p&&p.className,m&&m.className,w,b,!k,!!this.props.menuProps,this.props.split,!!s):(0,I.f)(_,h,i,y,p&&p.className,m&&m.className,w,!!this.props.menuProps,b,!k,this.props.split);var D=this,T=D._ariaDescriptionId,E=D._labelId,P=D._descriptionId,M=!w&&!!d,R=M?"a":"button",N=(0,g.pq)((0,f.f0)(M?{}:{type:"button"},this.props.rootProps,this.props),M?g.h2:g.Yq,["disabled"]),B=n||N["aria-label"],F=void 0;o?F=T:u&&this.props.onRenderDescription!==v.S?F=P:N["aria-describedby"]&&(F=N["aria-describedby"]);var L=void 0;B||(N["aria-labelledby"]?L=N["aria-labelledby"]:F&&(L=this._hasText()?E:void 0));var A=!(!1===this.props["data-is-focusable"]||a&&!s||this._isSplitButton),z="menuitemcheckbox"===x||"checkbox"===x,H=z||!0===C?!!b:void 0,O=(0,f.f0)(N,((e={className:this._classNames.root,ref:this._mergedRef(this.props.elementRef,this._buttonElement),disabled:w&&!s,onKeyDown:this._onKeyDown,onKeyPress:this._onKeyPress,onKeyUp:this._onKeyUp,onMouseDown:this._onMouseDown,onMouseUp:this._onMouseUp,onClick:this._onClick,"aria-label":B,"aria-labelledby":L,"aria-describedby":F,"aria-disabled":w,"data-is-focusable":A})[z?"aria-checked":"aria-pressed"]=H,e));return r&&(O["aria-hidden"]=!0),this._isSplitButton?this._onRenderSplitButtonContent(R,O):(this.props.menuProps&&(0,f.f0)(O,{"aria-expanded":!k,"aria-controls":k?null:this._labelId+"-menu","aria-haspopup":!0}),this._onRenderContent(R,O))},t.prototype.componentDidMount=function(){this._isSplitButton&&this._splitButtonContainer.current&&("onpointerdown"in this._splitButtonContainer.current&&this._events.on(this._splitButtonContainer.current,"pointerdown",this._onPointerDown,!0),"onpointerup"in this._splitButtonContainer.current&&this.props.onPointerUp&&this._events.on(this._splitButtonContainer.current,"pointerup",this.props.onPointerUp,!0))},t.prototype.componentDidUpdate=function(e,t){this.props.onAfterMenuDismiss&&!t.menuHidden&&this.state.menuHidden&&this.props.onAfterMenuDismiss()},t.prototype.componentWillUnmount=function(){this._async.dispose(),this._events.dispose()},t.prototype.focus=function(){this._isSplitButton&&this._splitButtonContainer.current?this._splitButtonContainer.current.focus():this._buttonElement.current&&this._buttonElement.current.focus()},t.prototype.dismissMenu=function(){this._dismissMenu()},t.prototype.openMenu=function(e,t){this._openMenu(e,t)},t.prototype._onRenderContent=function(e,t){var o=this,i=this.props,a=e,s=i.menuIconProps,l=i.menuProps,c=i.onRenderIcon,u=void 0===c?this._onRenderIcon:c,d=i.onRenderAriaDescription,p=void 0===d?this._onRenderAriaDescription:d,m=i.onRenderChildren,h=void 0===m?this._onRenderChildren:m,g=i.onRenderMenu,f=void 0===g?this._onRenderMenu:g,v=i.onRenderMenuIcon,y=void 0===v?this._onRenderMenuIcon:v,_=i.disabled,C=i.keytipProps;C&&l&&(C=this._getMemoizedMenuButtonKeytipProps(C));var S=function(e){return r.createElement(a,(0,n.pi)({},t,e),r.createElement("span",{className:o._classNames.flexContainer,"data-automationid":"splitbuttonprimary"},u(i,o._onRenderIcon),o._onRenderTextContents(),p(i,o._onRenderAriaDescription),h(i,o._onRenderChildren),!o._isSplitButton&&(l||s||o.props.onRenderMenuIcon)&&y(o.props,o._onRenderMenuIcon),l&&!l.doNotLayer&&o._shouldRenderMenu()&&f(l,o._onRenderMenu)))},x=C?r.createElement(T.a,{keytipProps:this._isSplitButton?void 0:C,ariaDescribedBy:t["aria-describedby"],disabled:_},(function(e){return S(e)})):S();return l&&l.doNotLayer?r.createElement(r.Fragment,null,x,this._shouldRenderMenu()&&f(l,this._onRenderMenu)):r.createElement(r.Fragment,null,x,r.createElement(b.u,null))},t.prototype._shouldRenderMenu=function(){var e=this.state.menuHidden,t=this.props,o=t.persistMenu,n=t.renderPersistedMenuHiddenOnMount;return!e||!(!o||!this._renderedVisibleMenu&&!n)},t.prototype._hasText=function(){return null!==this.props.text&&(void 0!==this.props.text||"string"==typeof this.props.children)},t.prototype._onRenderSplitButtonContent=function(e,t){var o=this,i=this.props,a=i.styles,s=void 0===a?{}:a,l=i.disabled,c=i.allowDisabledFocus,u=i.checked,d=i.getSplitButtonClassNames,p=i.primaryDisabled,m=i.menuProps,h=i.toggle,v=i.role,b=i.primaryActionButtonProps,_=this.props.keytipProps,C=this.state.menuHidden,S=d?d(!!l,!C,!!u,!!c):s&&(0,D.W)(s,!!l,!C,!!u,!!p);(0,f.f0)(t,{onClick:void 0,onPointerDown:void 0,onPointerUp:void 0,tabIndex:-1,"data-is-focusable":!1}),_&&m&&(_=this._getMemoizedMenuButtonKeytipProps(_));var x=(0,g.pq)(t,[],["disabled"]);b&&(0,f.f0)(t,b);var k=function(i){return r.createElement("div",(0,n.pi)({},x,{"data-ktp-target":i?i["data-ktp-target"]:void 0,role:v||"button","aria-disabled":l,"aria-haspopup":!0,"aria-expanded":!C,"aria-pressed":h?!!u:void 0,"aria-describedby":(0,y.I)(t["aria-describedby"],i?i["aria-describedby"]:void 0),className:S&&S.splitButtonContainer,onKeyDown:o._onSplitButtonContainerKeyDown,onTouchStart:o._onTouchStart,ref:o._splitButtonContainer,"data-is-focusable":!0,onClick:l||p?void 0:o._onSplitButtonPrimaryClick,tabIndex:!l||c?0:void 0,"aria-roledescription":t["aria-roledescription"],onFocusCapture:o._onSplitContainerFocusCapture}),r.createElement("span",{style:{display:"flex"}},o._onRenderContent(e,t),o._onRenderSplitButtonMenuButton(S,i),o._onRenderSplitButtonDivider(S)))};return _?r.createElement(T.a,{keytipProps:_,disabled:l},(function(e){return k(e)})):k()},t.prototype._onRenderSplitButtonDivider=function(e){return e&&e.divider?r.createElement("span",{className:e.divider,"aria-hidden":!0,onClick:function(e){e.stopPropagation()}}):null},t.prototype._onRenderSplitButtonMenuButton=function(e,o){var i=this.props,a=i.allowDisabledFocus,s=i.checked,l=i.disabled,c=i.splitButtonMenuProps,u=i.splitButtonAriaLabel,d=this.state.menuHidden,p=this.props.menuIconProps;void 0===p&&(p={iconName:"ChevronDown"});var m=(0,n.pi)((0,n.pi)({},c),{styles:e,checked:s,disabled:l,allowDisabledFocus:a,onClick:this._onMenuClick,menuProps:void 0,iconProps:(0,n.pi)((0,n.pi)({},p),{className:this._classNames.menuIcon}),ariaLabel:u,"aria-haspopup":!0,"aria-expanded":!d,"data-is-focusable":!1});return r.createElement(t,(0,n.pi)({},m,{"data-ktp-execute-target":o?o["data-ktp-execute-target"]:o,onMouseDown:this._onMouseDown,tabIndex:-1}))},t.prototype._onPointerDown=function(e){var t=this.props.onPointerDown;t&&t(e),"touch"===e.pointerType&&(this._handleTouchAndPointerEvent(),e.preventDefault(),e.stopImmediatePropagation())},t.prototype._handleTouchAndPointerEvent=function(){var e=this;void 0!==this._lastTouchTimeoutId&&(this._async.clearTimeout(this._lastTouchTimeoutId),this._lastTouchTimeoutId=void 0),this._processingTouch=!0,this._lastTouchTimeoutId=this._async.setTimeout((function(){e._processingTouch=!1,e._lastTouchTimeoutId=void 0,e.focus()}),500)},t.prototype._isValidMenuOpenKey=function(e){return this.props.menuTriggerKeyCode?e.which===this.props.menuTriggerKeyCode:!!this.props.menuProps&&e.which===l.m.down&&(e.altKey||e.metaKey)},t.defaultProps={baseClassName:"ms-Button",styles:{},split:!1},t}(r.Component)},1860:(e,t,o)=>{"use strict";o.d(t,{W:()=>s});var n=o(5094),r=o(9729),i={outline:0},a=function(e){return{fontSize:e,margin:"0 4px",height:"16px",lineHeight:"16px",textAlign:"center",flexShrink:0}},s=(0,n.NF)((function(e){var t,o,n=e.semanticColors,s=e.effects,l=e.fonts,c=n.buttonBorder,u=n.disabledBackground,d=n.disabledText,p={left:-2,top:-2,bottom:-2,right:-2,outlineColor:"ButtonText"};return{root:[(0,r.GL)(e,{inset:1,highContrastStyle:p,borderColor:"transparent"}),e.fonts.medium,{boxSizing:"border-box",border:"1px solid "+c,userSelect:"none",display:"inline-block",textDecoration:"none",textAlign:"center",cursor:"pointer",padding:"0 16px",borderRadius:s.roundedCorner2,selectors:{":active > *":{position:"relative",left:0,top:0}}}],rootDisabled:[(0,r.GL)(e,{inset:1,highContrastStyle:p,borderColor:"transparent"}),{backgroundColor:u,borderColor:u,color:d,cursor:"default",pointerEvents:"none",selectors:{":hover":i,":focus":i}}],iconDisabled:{color:d,selectors:(t={},t[r.qJ]={color:"GrayText"},t)},menuIconDisabled:{color:d,selectors:(o={},o[r.qJ]={color:"GrayText"},o)},flexContainer:{display:"flex",height:"100%",flexWrap:"nowrap",justifyContent:"center",alignItems:"center"},description:{display:"block"},textContainer:{flexGrow:1,display:"block"},icon:a(l.mediumPlus.fontSize),menuIcon:a(l.small.fontSize),label:{margin:"0 4px",lineHeight:"100%",display:"block"},screenReaderText:r.ul}}))},7664:(e,t,o)=>{"use strict";o.d(t,{D:()=>a,f:()=>s});var n=o(7622),r=o(9729),i=o(6145);function a(e){var t,o,i,a,s,l=e.semanticColors,c=e.palette,u=l.buttonBackground,d=l.buttonBackgroundPressed,p=l.buttonBackgroundHovered,m=l.buttonBackgroundDisabled,h=l.buttonText,g=l.buttonTextHovered,f=l.buttonTextDisabled,v=l.buttonTextChecked,b=l.buttonTextCheckedHovered;return{root:{backgroundColor:u,color:h},rootHovered:{backgroundColor:p,color:g,selectors:(t={},t[r.qJ]={borderColor:"Highlight",color:"Highlight"},t)},rootPressed:{backgroundColor:d,color:v},rootExpanded:{backgroundColor:d,color:v},rootChecked:{backgroundColor:d,color:v},rootCheckedHovered:{backgroundColor:d,color:b},rootDisabled:{color:f,backgroundColor:m,selectors:(o={},o[r.qJ]={color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},o)},splitButtonContainer:{selectors:(i={},i[r.qJ]={border:"none"},i)},splitButtonMenuButton:{color:c.white,backgroundColor:"transparent",selectors:{":hover":{backgroundColor:c.neutralLight,selectors:(a={},a[r.qJ]={color:"Highlight"},a)}}},splitButtonMenuButtonDisabled:{backgroundColor:l.buttonBackgroundDisabled,selectors:{":hover":{backgroundColor:l.buttonBackgroundDisabled}}},splitButtonDivider:(0,n.pi)((0,n.pi)({},{position:"absolute",width:1,right:31,top:8,bottom:8}),{backgroundColor:c.neutralTertiaryAlt,selectors:(s={},s[r.qJ]={backgroundColor:"WindowText"},s)}),splitButtonDividerDisabled:{backgroundColor:e.palette.neutralTertiaryAlt},splitButtonMenuButtonChecked:{backgroundColor:c.neutralQuaternaryAlt,selectors:{":hover":{backgroundColor:c.neutralQuaternaryAlt}}},splitButtonMenuButtonExpanded:{backgroundColor:c.neutralQuaternaryAlt,selectors:{":hover":{backgroundColor:c.neutralQuaternaryAlt}}},splitButtonMenuIcon:{color:l.buttonText},splitButtonMenuIconDisabled:{color:l.buttonTextDisabled}}}function s(e){var t,o,a,s,l,c,u,d,p,m=e.palette,h=e.semanticColors;return{root:{backgroundColor:h.primaryButtonBackground,border:"1px solid "+h.primaryButtonBackground,color:h.primaryButtonText,selectors:(t={},t[r.qJ]=(0,n.pi)({color:"Window",backgroundColor:"WindowText",borderColor:"WindowText"},(0,r.xM)()),t["."+i.G$+" &:focus"]={selectors:{":after":{border:"none",outlineColor:m.white}}},t)},rootHovered:{backgroundColor:h.primaryButtonBackgroundHovered,border:"1px solid "+h.primaryButtonBackgroundHovered,color:h.primaryButtonTextHovered,selectors:(o={},o[r.qJ]={color:"Window",backgroundColor:"Highlight",borderColor:"Highlight"},o)},rootPressed:{backgroundColor:h.primaryButtonBackgroundPressed,border:"1px solid "+h.primaryButtonBackgroundPressed,color:h.primaryButtonTextPressed,selectors:(a={},a[r.qJ]=(0,n.pi)({color:"Window",backgroundColor:"WindowText",borderColor:"WindowText"},(0,r.xM)()),a)},rootExpanded:{backgroundColor:h.primaryButtonBackgroundPressed,color:h.primaryButtonTextPressed},rootChecked:{backgroundColor:h.primaryButtonBackgroundPressed,color:h.primaryButtonTextPressed},rootCheckedHovered:{backgroundColor:h.primaryButtonBackgroundPressed,color:h.primaryButtonTextPressed},rootDisabled:{color:h.primaryButtonTextDisabled,backgroundColor:h.primaryButtonBackgroundDisabled,selectors:(s={},s[r.qJ]={color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},s)},splitButtonContainer:{selectors:(l={},l[r.qJ]={border:"none"},l)},splitButtonDivider:(0,n.pi)((0,n.pi)({},{position:"absolute",width:1,right:31,top:8,bottom:8}),{backgroundColor:m.white,selectors:(c={},c[r.qJ]={backgroundColor:"Window"},c)}),splitButtonMenuButton:{backgroundColor:h.primaryButtonBackground,color:h.primaryButtonText,selectors:(u={},u[r.qJ]={backgroundColor:"WindowText"},u[":hover"]={backgroundColor:h.primaryButtonBackgroundHovered,selectors:(d={},d[r.qJ]={color:"Highlight"},d)},u)},splitButtonMenuButtonDisabled:{backgroundColor:h.primaryButtonBackgroundDisabled,selectors:{":hover":{backgroundColor:h.primaryButtonBackgroundDisabled}}},splitButtonMenuButtonChecked:{backgroundColor:h.primaryButtonBackgroundPressed,selectors:{":hover":{backgroundColor:h.primaryButtonBackgroundPressed}}},splitButtonMenuButtonExpanded:{backgroundColor:h.primaryButtonBackgroundPressed,selectors:{":hover":{backgroundColor:h.primaryButtonBackgroundPressed}}},splitButtonMenuIcon:{color:h.primaryButtonText},splitButtonMenuIconDisabled:{color:m.neutralTertiary,selectors:(p={},p[r.qJ]={color:"GrayText"},p)}}}},1420:(e,t,o)=>{"use strict";o.d(t,{Q:()=>h});var n=o(7622),r=o(7002),i=o(4968),a=o(9013),s=o(6053),l=o(9729),c=o(5094),u=o(1860),d=o(8198),p=o(2657),m=(0,c.NF)((function(e,t,o,r){var i,a,s,c,m,h,g,f,v,b,y,_,C,S,x=(0,u.W)(e),k=(0,d.W)(e),w=e.palette,I=e.semanticColors,D={root:[(0,l.GL)(e,{inset:2,highContrastStyle:{left:4,top:4,bottom:4,right:4,border:"none"},borderColor:"transparent"}),e.fonts.medium,{minWidth:"40px",backgroundColor:w.white,color:w.neutralPrimary,padding:"0 4px",border:"none",borderRadius:0,selectors:(i={},i[l.qJ]={border:"none"},i)}],rootHovered:{backgroundColor:w.neutralLighter,color:w.neutralDark,selectors:(a={},a[l.qJ]={color:"Highlight"},a["."+p.n.msButtonIcon]={color:w.themeDarkAlt},a["."+p.n.msButtonMenuIcon]={color:w.neutralPrimary},a)},rootPressed:{backgroundColor:w.neutralLight,color:w.neutralDark,selectors:(s={},s["."+p.n.msButtonIcon]={color:w.themeDark},s["."+p.n.msButtonMenuIcon]={color:w.neutralPrimary},s)},rootChecked:{backgroundColor:w.neutralLight,color:w.neutralDark,selectors:(c={},c["."+p.n.msButtonIcon]={color:w.themeDark},c["."+p.n.msButtonMenuIcon]={color:w.neutralPrimary},c)},rootCheckedHovered:{backgroundColor:w.neutralQuaternaryAlt,selectors:(m={},m["."+p.n.msButtonIcon]={color:w.themeDark},m["."+p.n.msButtonMenuIcon]={color:w.neutralPrimary},m)},rootExpanded:{backgroundColor:w.neutralLight,color:w.neutralDark,selectors:(h={},h["."+p.n.msButtonIcon]={color:w.themeDark},h["."+p.n.msButtonMenuIcon]={color:w.neutralPrimary},h)},rootExpandedHovered:{backgroundColor:w.neutralQuaternaryAlt},rootDisabled:{backgroundColor:w.white,selectors:(g={},g["."+p.n.msButtonIcon]={color:I.disabledBodySubtext,selectors:(f={},f[l.qJ]=(0,n.pi)({color:"GrayText"},(0,l.xM)()),f)},g[l.qJ]=(0,n.pi)({color:"GrayText",backgroundColor:"Window"},(0,l.xM)()),g)},splitButtonContainer:{height:"100%",selectors:(v={},v[l.qJ]={border:"none"},v)},splitButtonDividerDisabled:{selectors:(b={},b[l.qJ]={backgroundColor:"Window"},b)},splitButtonDivider:{backgroundColor:w.neutralTertiaryAlt},splitButtonMenuButton:{backgroundColor:w.white,border:"none",borderTopRightRadius:"0",borderBottomRightRadius:"0",color:w.neutralSecondary,selectors:{":hover":{backgroundColor:w.neutralLighter,color:w.neutralDark,selectors:(y={},y[l.qJ]={color:"Highlight"},y["."+p.n.msButtonIcon]={color:w.neutralPrimary},y)},":active":{backgroundColor:w.neutralLight,selectors:(_={},_["."+p.n.msButtonIcon]={color:w.neutralPrimary},_)}}},splitButtonMenuButtonDisabled:{backgroundColor:w.white,selectors:(C={},C[l.qJ]=(0,n.pi)({color:"GrayText",border:"none",backgroundColor:"Window"},(0,l.xM)()),C)},splitButtonMenuButtonChecked:{backgroundColor:w.neutralLight,color:w.neutralDark,selectors:{":hover":{backgroundColor:w.neutralQuaternaryAlt}}},splitButtonMenuButtonExpanded:{backgroundColor:w.neutralLight,color:w.black,selectors:{":hover":{backgroundColor:w.neutralQuaternaryAlt}}},splitButtonMenuIcon:{color:w.neutralPrimary},splitButtonMenuIconDisabled:{color:w.neutralTertiary},label:{fontWeight:"normal"},icon:{color:w.themePrimary},menuIcon:(S={color:w.neutralSecondary},S[l.qJ]={color:"GrayText"},S)};return(0,l.E$)(x,k,D,t)})),h=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.theme;return r.createElement(i.Y,(0,n.pi)({},this.props,{variantClassName:"ms-Button--commandBar",styles:m(o,t),onRenderDescription:a.S}))},(0,n.gn)([(0,s.a)("CommandBarButton",["theme","styles"],!0)],t)}(r.Component)},990:(e,t,o)=>{"use strict";o.d(t,{M:()=>n});var n=o(2898).K},8959:(e,t,o)=>{"use strict";o.d(t,{W:()=>m});var n=o(7622),r=o(7002),i=o(4968),a=o(6053),s=o(9729),l=o(5094),c=o(1860),u=o(8198),d=o(7664),p=(0,l.NF)((function(e,t,o){var r,i,a,l,p,m=e.fonts,h=e.palette,g=(0,c.W)(e),f=(0,u.W)(e),v={root:{maxWidth:"280px",minHeight:"72px",height:"auto",padding:"16px 12px"},flexContainer:{flexDirection:"row",alignItems:"flex-start",minWidth:"100%",margin:""},textContainer:{textAlign:"left"},icon:{fontSize:"2em",lineHeight:"1em",height:"1em",margin:"0px 8px 0px 0px",flexBasis:"1em",flexShrink:"0"},label:{margin:"0 0 5px",lineHeight:"100%",fontWeight:s.lq.semibold},description:[m.small,{lineHeight:"100%"}]},b={description:{color:h.neutralSecondary},descriptionHovered:{color:h.neutralDark},descriptionPressed:{color:"inherit"},descriptionChecked:{color:"inherit"},descriptionDisabled:{color:"inherit"}},y={description:{color:h.white,selectors:(r={},r[s.qJ]=(0,n.pi)({backgroundColor:"WindowText",color:"Window"},(0,s.xM)()),r)},descriptionHovered:{color:h.white,selectors:(i={},i[s.qJ]={backgroundColor:"Highlight",color:"Window"},i)},descriptionPressed:{color:"inherit",selectors:(a={},a[s.qJ]=(0,n.pi)({color:"Window",backgroundColor:"WindowText"},(0,s.xM)()),a)},descriptionChecked:{color:"inherit",selectors:(l={},l[s.qJ]=(0,n.pi)({color:"Window",backgroundColor:"WindowText"},(0,s.xM)()),l)},descriptionDisabled:{color:"inherit",selectors:(p={},p[s.qJ]={color:"inherit"},p)}};return(0,s.E$)(g,v,o?(0,d.f)(e):(0,d.D)(e),o?y:b,f,t)})),m=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.primary,o=void 0!==t&&t,a=e.styles,s=e.theme;return r.createElement(i.Y,(0,n.pi)({},this.props,{variantClassName:o?"ms-Button--compoundPrimary":"ms-Button--compound",styles:p(s,a,o)}))},(0,n.gn)([(0,a.a)("CompoundButton",["theme","styles"],!0)],t)}(r.Component)},9632:(e,t,o)=>{"use strict";o.d(t,{a:()=>h});var n=o(7622),r=o(7002),i=o(4968),a=o(9013),s=o(6053),l=o(9729),c=o(5094),u=o(1860),d=o(8198),p=o(7664),m=(0,c.NF)((function(e,t,o){var n=(0,u.W)(e),r=(0,d.W)(e),i={root:{minWidth:"80px",height:"32px"},label:{fontWeight:l.lq.semibold}};return(0,l.E$)(n,i,o?(0,p.f)(e):(0,p.D)(e),r,t)})),h=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.primary,o=void 0!==t&&t,s=e.styles,l=e.theme;return r.createElement(i.Y,(0,n.pi)({},this.props,{variantClassName:o?"ms-Button--primary":"ms-Button--default",styles:m(l,s,o),onRenderDescription:a.S}))},(0,n.gn)([(0,s.a)("DefaultButton",["theme","styles"],!0)],t)}(r.Component)},5758:(e,t,o)=>{"use strict";o.d(t,{h:()=>m});var n=o(7622),r=o(7002),i=o(4968),a=o(9013),s=o(6053),l=o(9729),c=o(5094),u=o(1860),d=o(8198),p=(0,c.NF)((function(e,t){var o,n=(0,u.W)(e),r=(0,d.W)(e),i=e.palette,a={root:{padding:"0 4px",width:"32px",height:"32px",backgroundColor:"transparent",border:"none",color:e.semanticColors.link},rootHovered:{color:i.themeDarkAlt,backgroundColor:i.neutralLighter,selectors:(o={},o[l.qJ]={borderColor:"Highlight",color:"Highlight"},o)},rootHasMenu:{width:"auto"},rootPressed:{color:i.themeDark,backgroundColor:i.neutralLight},rootExpanded:{color:i.themeDark,backgroundColor:i.neutralLight},rootChecked:{color:i.themeDark,backgroundColor:i.neutralLight},rootCheckedHovered:{color:i.themeDark,backgroundColor:i.neutralQuaternaryAlt},rootDisabled:{color:i.neutralTertiaryAlt}};return(0,l.E$)(n,a,r,t)})),m=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.theme;return r.createElement(i.Y,(0,n.pi)({},this.props,{variantClassName:"ms-Button--icon",styles:p(o,t),onRenderText:a.S,onRenderDescription:a.S}))},(0,n.gn)([(0,s.a)("IconButton",["theme","styles"],!0)],t)}(r.Component)},8924:(e,t,o)=>{"use strict";o.d(t,{K:()=>l});var n=o(7622),r=o(7002),i=o(9013),a=o(6053),s=o(9632),l=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){return r.createElement(s.a,(0,n.pi)({},this.props,{primary:!0,onRenderDescription:i.S}))},(0,n.gn)([(0,a.a)("PrimaryButton",["theme","styles"],!0)],t)}(r.Component)},5032:(e,t,o)=>{"use strict";o.d(t,{W:()=>i});var n=o(5094),r=o(9729),i=(0,n.NF)((function(e,t,o,n,i){return{root:(0,r.y0)(e.splitButtonMenuButton,o&&[e.splitButtonMenuButtonExpanded],t&&[e.splitButtonMenuButtonDisabled],n&&!t&&[e.splitButtonMenuButtonChecked]),splitButtonContainer:(0,r.y0)(e.splitButtonContainer,!t&&n&&[e.splitButtonContainerChecked,{selectors:{":hover":e.splitButtonContainerCheckedHovered}}],!t&&!n&&[{selectors:{":hover":e.splitButtonContainerHovered,":focus":e.splitButtonContainerFocused}}],t&&e.splitButtonContainerDisabled),icon:(0,r.y0)(e.splitButtonMenuIcon,t&&e.splitButtonMenuIconDisabled,!t&&i&&e.splitButtonMenuIcon),flexContainer:(0,r.y0)(e.splitButtonFlexContainer),divider:(0,r.y0)(e.splitButtonDivider,(i||t)&&e.splitButtonDividerDisabled)}}))},8198:(e,t,o)=>{"use strict";o.d(t,{W:()=>i});var n=o(7622),r=o(9729),i=(0,o(5094).NF)((function(e,t){var o,i,a,s,l,c,u,d,p,m,h,g,f,v=e.effects,b=e.palette,y=e.semanticColors,_={position:"absolute",width:1,right:31,top:8,bottom:8},C={splitButtonContainer:[(0,r.GL)(e,{highContrastStyle:{left:-2,top:-2,bottom:-2,right:-2,border:"none"},inset:2}),{display:"inline-flex",selectors:{".ms-Button--default":{borderTopRightRadius:"0",borderBottomRightRadius:"0",borderRight:"none"},".ms-Button--primary":{borderTopRightRadius:"0",borderBottomRightRadius:"0",border:"none",selectors:(o={},o[r.qJ]=(0,n.pi)({color:"WindowText",backgroundColor:"Window",border:"1px solid WindowText",borderRightWidth:"0"},(0,r.xM)()),o)},".ms-Button--primary + .ms-Button":{border:"none",selectors:(i={},i[r.qJ]={border:"1px solid WindowText",borderLeftWidth:"0"},i)}}}],splitButtonContainerHovered:{selectors:{".ms-Button--primary":{selectors:(a={},a[r.qJ]={color:"Window",backgroundColor:"Highlight"},a)},".ms-Button.is-disabled":{color:y.buttonTextDisabled,selectors:(s={},s[r.qJ]={color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},s)}}},splitButtonContainerChecked:{selectors:{".ms-Button--primary":{selectors:(l={},l[r.qJ]=(0,n.pi)({color:"Window",backgroundColor:"WindowText"},(0,r.xM)()),l)}}},splitButtonContainerCheckedHovered:{selectors:{".ms-Button--primary":{selectors:(c={},c[r.qJ]=(0,n.pi)({color:"Window",backgroundColor:"WindowText"},(0,r.xM)()),c)}}},splitButtonContainerFocused:{outline:"none!important"},splitButtonMenuButton:(u={padding:6,height:"auto",boxSizing:"border-box",borderRadius:0,borderTopRightRadius:v.roundedCorner2,borderBottomRightRadius:v.roundedCorner2,border:"1px solid "+b.neutralSecondaryAlt,borderLeft:"none",outline:"transparent",userSelect:"none",display:"inline-block",textDecoration:"none",textAlign:"center",cursor:"pointer",verticalAlign:"top",width:32,marginLeft:-1,marginTop:0,marginRight:0,marginBottom:0},u[r.qJ]={".ms-Button-menuIcon":{color:"WindowText"}},u),splitButtonDivider:(0,n.pi)((0,n.pi)({},_),{selectors:(d={},d[r.qJ]={backgroundColor:"WindowText"},d)}),splitButtonDividerDisabled:(0,n.pi)((0,n.pi)({},_),{selectors:(p={},p[r.qJ]={backgroundColor:"GrayText"},p)}),splitButtonMenuButtonDisabled:{pointerEvents:"none",border:"none",selectors:(m={":hover":{cursor:"default"},".ms-Button--primary":{selectors:(h={},h[r.qJ]={color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},h)},".ms-Button-menuIcon":{selectors:(g={},g[r.qJ]={color:"GrayText"},g)}},m[r.qJ]={color:"GrayText",border:"1px solid GrayText",backgroundColor:"Window"},m)},splitButtonFlexContainer:{display:"flex",height:"100%",flexWrap:"nowrap",justifyContent:"center",alignItems:"center"},splitButtonContainerDisabled:{outline:"none",border:"none",selectors:(f={},f[r.qJ]=(0,n.pi)({color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},(0,r.xM)()),f)}};return(0,r.E$)(C,t)}))},4977:(e,t,o)=>{"use strict";o.d(t,{f:()=>te});var n=o(2002),r=o(7622),i=o(7002),a=o(1093),s=o(6786),l=o(6974),c=o(7300),u=o(6953),d=o(8088),p=o(8145),m=o(9947),h=o(4316),g=o(4085),f=(0,c.y)(),v=function(e){var t=i.useRef(null);i.useImperativeHandle(e.componentRef,(function(){return{focus:function(){var e,o,n;null===(n=null===(e=t.current)||void 0===e?void 0:(o=e).focus)||void 0===n||n.call(o)}}}),[]);var o=e.strings,n=e.navigatedDate,a=e.dateTimeFormatter,s=e.styles,l=e.theme,c=e.className,d=e.onHeaderSelect,p=e.showSixWeeksByDefault,m=e.minDate,v=e.maxDate,_=e.restrictedDates,C=e.onNavigateDate,S=e.showWeekNumbers,x=e.dateRangeType,k=e.animationDirection,w=(0,g.M)(),I=(0,g.M)(),D=f(s,{theme:l,className:c,headerIsClickable:!!d,showWeekNumbers:S,animationDirection:k}),T=a.formatMonthYear(n,o),E=d?"button":"div",P=o.yearPickerHeaderAriaLabel?(0,u.W)(o.yearPickerHeaderAriaLabel,T):T;return i.createElement("div",{className:D.root,id:w},i.createElement("div",{className:D.header},i.createElement(E,{"aria-live":"polite","aria-atomic":"true","aria-label":d?P:void 0,key:T,className:D.monthAndYear,onClick:d,"data-is-focusable":!!d,tabIndex:d?0:-1,onKeyDown:y(d),type:"button"},i.createElement("span",{id:I},T)),i.createElement(b,(0,r.pi)({},e,{classNames:D,dayPickerId:w}))),i.createElement(h.Q,(0,r.pi)({},e,{styles:s,componentRef:t,strings:o,navigatedDate:n,weeksToShow:p?6:void 0,dateTimeFormatter:a,minDate:m,maxDate:v,restrictedDates:_,onNavigateDate:C,labelledBy:I,dateRangeType:x})))};v.displayName="CalendarDayBase";var b=function(e){var t,o,n=e.minDate,r=e.maxDate,a=e.navigatedDate,s=e.allFocusable,c=e.strings,u=e.navigationIcons,p=e.showCloseButton,h=e.classNames,g=e.dayPickerId,f=e.onNavigateDate,v=e.onDismiss,b=function(){f((0,l.zI)(a,1),!1)},_=function(){f((0,l.zI)(a,-1),!1)},C=u.leftNavigation,S=u.rightNavigation,x=u.closeIcon,k=!n||(0,l.NJ)(n,(0,l.pU)(a))<0,w=!r||(0,l.NJ)((0,l.D7)(a),r)<0;return i.createElement("div",{className:h.monthComponents},i.createElement("button",{className:(0,d.i)(h.headerIconButton,(t={},t[h.disabledStyle]=!k,t)),disabled:!s&&!k,"aria-disabled":!k,onClick:k?_:void 0,onKeyDown:k?y(_):void 0,"aria-controls":g,title:c.prevMonthAriaLabel?c.prevMonthAriaLabel+" "+c.months[(0,l.zI)(a,-1).getMonth()]:void 0,type:"button"},i.createElement(m.J,{iconName:C})),i.createElement("button",{className:(0,d.i)(h.headerIconButton,(o={},o[h.disabledStyle]=!w,o)),disabled:!s&&!w,"aria-disabled":!w,onClick:w?b:void 0,onKeyDown:w?y(b):void 0,"aria-controls":g,title:c.nextMonthAriaLabel?c.nextMonthAriaLabel+" "+c.months[(0,l.zI)(a,1).getMonth()]:void 0,type:"button"},i.createElement(m.J,{iconName:S})),p&&i.createElement("button",{className:(0,d.i)(h.headerIconButton),onClick:v,onKeyDown:y(v),title:c.closeButtonAriaLabel,type:"button"},i.createElement(m.J,{iconName:x})))};b.displayName="CalendarDayNavigationButtons";var y=function(e){return function(t){var o;switch(t.which){case p.m.enter:null===(o=e)||void 0===o||o()}}},_=o(9729),C=(0,n.z)(v,(function(e){var t=e.className,o=e.theme,n=e.headerIsClickable,i=e.showWeekNumbers,a=o.palette,s={selectors:{"&, &:disabled, & button":{color:a.neutralTertiaryAlt,pointerEvents:"none"}}};return{root:[_.Fv,{width:196,padding:12,boxSizing:"content-box"},i&&{width:226},t],header:{position:"relative",display:"inline-flex",height:28,lineHeight:44,width:"100%"},monthAndYear:[(0,_.GL)(o,{inset:1}),(0,r.pi)((0,r.pi)({},_.Ic.fadeIn200),{alignItems:"center",fontSize:_.TS.medium,fontFamily:"inherit",color:a.neutralPrimary,display:"inline-block",flexGrow:1,fontWeight:_.lq.semibold,padding:"0 4px 0 10px",border:"none",backgroundColor:"transparent",borderRadius:2,lineHeight:28,overflow:"hidden",whiteSpace:"nowrap",textAlign:"left",textOverflow:"ellipsis"}),n&&{selectors:{"&:hover":{cursor:"pointer",background:a.neutralLight,color:a.black}}}],monthComponents:{display:"inline-flex",alignSelf:"flex-end"},headerIconButton:[(0,_.GL)(o,{inset:-1}),{width:28,height:28,display:"block",textAlign:"center",lineHeight:28,fontSize:_.TS.small,fontFamily:"inherit",color:a.neutralPrimary,borderRadius:2,position:"relative",backgroundColor:"transparent",border:"none",padding:0,overflow:"visible",selectors:{"&:hover":{color:a.neutralDark,backgroundColor:a.neutralLight,cursor:"pointer",outline:"1px solid transparent"}}}],disabledStyle:s}}),void 0,{scope:"CalendarDay"}),S=o(2998),x=o(716),k=function(e){var t,o,n,i,a,s,l=e.className,c=e.theme,u=e.hasHeaderClickCallback,d=e.highlightCurrent,p=e.highlightSelected,m=e.animateBackwards,h=e.animationDirection,g=c.palette,f={};void 0!==m&&(f=h===x.s.Horizontal?m?_.Ic.slideRightIn20:_.Ic.slideLeftIn20:m?_.Ic.slideDownIn20:_.Ic.slideUpIn20);var v=void 0!==m?_.Ic.fadeIn200:{};return{root:[_.Fv,{width:196,padding:12,boxSizing:"content-box",overflow:"hidden"},l],headerContainer:{display:"flex"},currentItemButton:[(0,_.GL)(c,{inset:-1}),(0,r.pi)((0,r.pi)({},v),{fontSize:_.TS.medium,fontWeight:_.lq.semibold,fontFamily:"inherit",textAlign:"left",backgroundColor:"transparent",flexGrow:1,padding:"0 4px 0 10px",border:"none",overflow:"visible"}),u&&{selectors:{"&:hover, &:active":{cursor:u?"pointer":"default",color:g.neutralDark,outline:"1px solid transparent",backgroundColor:g.neutralLight}}}],navigationButtonsContainer:{display:"flex",alignItems:"center"},navigationButton:[(0,_.GL)(c,{inset:-1}),{fontFamily:"inherit",width:28,minWidth:28,height:28,minHeight:28,display:"block",textAlign:"center",lineHeight:28,fontSize:_.TS.small,color:g.neutralPrimary,borderRadius:2,position:"relative",backgroundColor:"transparent",border:"none",padding:0,overflow:"visible",selectors:{"&:hover":{color:g.neutralDark,cursor:"pointer",outline:"1px solid transparent",backgroundColor:g.neutralLight}}}],gridContainer:{marginTop:4},buttonRow:(0,r.pi)((0,r.pi)({},f),{marginBottom:16,selectors:{"&:nth-child(n + 3)":{marginBottom:0}}}),itemButton:[(0,_.GL)(c,{inset:-1}),{width:40,height:40,minWidth:40,minHeight:40,lineHeight:40,fontSize:_.TS.small,fontFamily:"inherit",padding:0,margin:"0 12px 0 0",color:g.neutralPrimary,backgroundColor:"transparent",border:"none",borderRadius:2,overflow:"visible",selectors:{"&:nth-child(4n + 4)":{marginRight:0},"&:nth-child(n + 9)":{marginBottom:0},"& div":{fontWeight:_.lq.regular},"&:hover":{color:g.neutralDark,backgroundColor:g.neutralLight,cursor:"pointer",outline:"1px solid transparent",selectors:(t={},t[_.qJ]=(0,r.pi)({background:"Window",color:"WindowText",outline:"1px solid Highlight"},(0,_.xM)()),t)},"&:active":{backgroundColor:g.themeLight,selectors:(o={},o[_.qJ]=(0,r.pi)({background:"Window",color:"Highlight"},(0,_.xM)()),o)}}}],current:d?{color:g.white,backgroundColor:g.themePrimary,selectors:(n={"& div":{fontWeight:_.lq.semibold},"&:hover":{backgroundColor:g.themePrimary,selectors:(i={},i[_.qJ]=(0,r.pi)({backgroundColor:"WindowText",color:"Window"},(0,_.xM)()),i)}},n[_.qJ]=(0,r.pi)({backgroundColor:"WindowText",color:"Window"},(0,_.xM)()),n)}:{},selected:p?{color:g.neutralPrimary,backgroundColor:g.themeLight,fontWeight:_.lq.semibold,selectors:(a={"& div":{fontWeight:_.lq.semibold},"&:hover, &:active":{backgroundColor:g.themeLight,selectors:(s={},s[_.qJ]=(0,r.pi)({color:"Window",background:"Highlight"},(0,_.xM)()),s)}},a[_.qJ]=(0,r.pi)({background:"Highlight",color:"Window"},(0,_.xM)()),a)}:{},disabled:{selectors:{"&, &:disabled, & button":{color:g.neutralTertiaryAlt,pointerEvents:"none"}}}}},w=function(e){return k(e)},I=o(63),D=o(5951),T=o(6876),E=o(6883),P=(0,c.y)(),M={prevRangeAriaLabel:void 0,nextRangeAriaLabel:void 0},R=function(e){var t,o,n,r=e.styles,a=e.theme,s=e.className,l=e.highlightCurrentYear,c=e.highlightSelectedYear,u=e.year,m=e.selected,h=e.disabled,g=e.componentRef,f=e.onSelectYear,v=e.onRenderYear,b=i.useRef(null);i.useImperativeHandle(g,(function(){return{focus:function(){var e,t,o;null===(o=null===(e=b.current)||void 0===e?void 0:(t=e).focus)||void 0===o||o.call(t)}}}),[]);var y=P(r,{theme:a,className:s,highlightCurrent:l,highlightSelected:c});return i.createElement("button",{className:(0,d.i)(y.itemButton,(t={},t[y.selected]=m,t[y.disabled]=h,t)),type:"button",role:"gridcell",onClick:h?void 0:function(){var e;null===(e=f)||void 0===e||e(u)},onKeyDown:h?void 0:function(e){var t;e.which===p.m.enter&&(null===(t=f)||void 0===t||t(u))},disabled:h,"aria-selected":m,ref:b,"aria-readonly":!0},null!=(n=null===(o=v)||void 0===o?void 0:o(u))?n:u)};R.displayName="CalendarYearGridCell";var N,B=function(e){var t=e.styles,o=e.theme,n=e.className,a=e.fromYear,s=e.toYear,l=e.animationDirection,c=e.animateBackwards,u=e.minYear,d=e.maxYear,p=e.onSelectYear,m=e.selectedYear,h=e.componentRef,g=i.useRef(null),f=i.useRef(null);i.useImperativeHandle(h,(function(){return{focus:function(){var e,t,o;null===(o=null===(e=g.current||f.current)||void 0===e?void 0:(t=e).focus)||void 0===o||o.call(t)}}}),[]);for(var v,b,y,_,C=P(t,{theme:o,className:n,animateBackwards:c,animationDirection:l}),x=function(t){var o,n,r;return null!=(r=null===(n=(o=e).onRenderYear)||void 0===n?void 0:n.call(o,t))?r:t},k=x(a)+" - "+x(s),w=a,I=[],D=0;D<(s-a+1)/4;D++){I.push([]);for(var T=0;T<4;T++)I[D].push((void 0,void 0,void 0,b=(v=w)===m,y=void 0!==u&&vd,_=v===(new Date).getFullYear(),i.createElement(R,(0,r.pi)({},e,{key:v,year:v,selected:b,current:_,disabled:y,onSelectYear:p,componentRef:b?g:_?f:void 0,theme:o})))),w++}return i.createElement(S.k,null,i.createElement("div",{className:C.gridContainer,role:"grid","aria-label":k},I.map((function(e,t){return i.createElement("div",{key:"yearPickerRow_"+t+"_"+a,role:"row",className:C.buttonRow},e)}))))};B.displayName="CalendarYearGrid",function(e){e[e.Previous=0]="Previous",e[e.Next=1]="Next"}(N||(N={}));var F=function(e){var t,o=e.styles,n=e.theme,r=e.className,a=e.navigationIcons,s=void 0===a?E.XU:a,l=e.strings,c=void 0===l?M:l,u=e.direction,h=e.onSelectPrev,g=e.onSelectNext,f=e.fromYear,v=e.toYear,b=e.maxYear,y=e.minYear,_=P(o,{theme:n,className:r}),C=0===u?c.prevRangeAriaLabel:c.nextRangeAriaLabel,S=0===u?-12:12,x=C?"string"==typeof C?C:C({fromYear:f+S,toYear:v+S}):void 0,k=0===u?void 0!==y&&fb,w=function(){var e,t;0===u?null===(e=h)||void 0===e||e():null===(t=g)||void 0===t||t()},I=(0,D.zg)()?1===u:0===u;return i.createElement("button",{className:(0,d.i)(_.navigationButton,(t={},t[_.disabled]=k,t)),onClick:k?void 0:w,onKeyDown:k?void 0:function(e){e.which===p.m.enter&&w()},type:"button",title:x,disabled:k},i.createElement(m.J,{iconName:I?s.leftNavigation:s.rightNavigation}))};F.displayName="CalendarYearNavArrow";var L=function(e){var t=e.styles,o=e.theme,n=e.className,a=P(t,{theme:o,className:n});return i.createElement("div",{className:a.navigationButtonsContainer},i.createElement(F,(0,r.pi)({},e,{direction:0})),i.createElement(F,(0,r.pi)({},e,{direction:1})))};L.displayName="CalendarYearNav";var A=function(e){var t=e.styles,o=e.theme,n=e.className,r=e.fromYear,a=e.toYear,s=e.strings,l=void 0===s?M:s,c=e.animateBackwards,d=e.animationDirection,m=function(){var t,o;null===(o=(t=e).onHeaderSelect)||void 0===o||o.call(t,!0)},h=function(t){var o,n,r;return null!=(r=null===(n=(o=e).onRenderYear)||void 0===n?void 0:n.call(o,t))?r:t},g=P(t,{theme:o,className:n,hasHeaderClickCallback:!!e.onHeaderSelect,animateBackwards:c,animationDirection:d});if(e.onHeaderSelect){var f=l.rangeAriaLabel,v=l.headerAriaLabelFormatString,b=f?"string"==typeof f?f:f(e):void 0,y=v?(0,u.W)(v,b):b;return i.createElement("button",{className:g.currentItemButton,onClick:m,onKeyDown:function(e){e.which!==p.m.enter&&e.which!==p.m.space||m()},"aria-label":y,role:"button",type:"button","aria-atomic":!0,"aria-live":"polite"},h(r)," - ",h(a))}return i.createElement("div",{className:g.current},h(r)," - ",h(a))};A.displayName="CalendarYearTitle";var z,H=function(e){var t,o,n=e.styles,a=e.theme,s=e.className,l=e.animateBackwards,c=e.animationDirection,u=e.onRenderTitle,d=P(n,{theme:a,className:s,hasHeaderClickCallback:!!e.onHeaderSelect,animateBackwards:l,animationDirection:c});return i.createElement("div",{className:d.headerContainer},null!=(o=null===(t=u)||void 0===t?void 0:t(e))?o:i.createElement(A,(0,r.pi)({},e)),i.createElement(L,(0,r.pi)({},e)))};H.displayName="CalendarYearHeader",function(e){e[e.Previous=0]="Previous",e[e.Next=1]="Next"}(z||(z={}));var O=function(e){var t=function(e){var t=e.selectedYear,o=e.navigatedYear,n=t||o||(new Date).getFullYear(),r=10*Math.floor(n/10),i=(0,T.D)(r);return i&&i!==r?i>r:void 0}(e),o=function(e){var t=e.selectedYear,o=e.navigatedYear,n=i.useReducer((function(e,t){return e+(1===t?12:-12)}),void 0,(function(){var e=t||o||(new Date).getFullYear();return 10*Math.floor(e/10)})),r=n[0],a=n[1];return[r,r+12-1,function(){return a(1)},function(){return a(0)}]}(e),n=o[0],a=o[1],s=o[2],l=o[3],c=i.useRef(null);i.useImperativeHandle(e.componentRef,(function(){return{focus:function(){var e,t,o;null===(o=null===(e=c.current)||void 0===e?void 0:(t=e).focus)||void 0===o||o.call(t)}}}));var u=e.styles,d=e.theme,p=e.className,m=P(u,{theme:d,className:p});return i.createElement("div",{className:m.root},i.createElement(H,(0,r.pi)({},e,{fromYear:n,toYear:a,onSelectPrev:l,onSelectNext:s,animateBackwards:t})),i.createElement(B,(0,r.pi)({},e,{fromYear:n,toYear:a,animateBackwards:t,componentRef:c})))};O.displayName="CalendarYearBase";var W=(0,n.z)(O,(function(e){return k(e)}),void 0,{scope:"CalendarYear"}),V=(0,c.y)(),K={styles:w,strings:void 0,navigationIcons:E.XU,dateTimeFormatter:s.mR,yearPickerHidden:!1},q=function(e){var t,o,n=(0,I.j)(K,e),r=function(e){var t=e.componentRef,o=i.useRef(null),n=i.useRef(null),r=i.useRef(!1),a=i.useCallback((function(){n.current?n.current.focus():o.current&&o.current.focus()}),[]);return i.useImperativeHandle(t,(function(){return{focus:a}}),[a]),i.useEffect((function(){r.current&&(a(),r.current=!1)})),[o,n,function(){r.current=!0}]}(n),a=r[0],s=r[1],c=r[2],p=i.useState(!1),h=p[0],g=p[1],f=function(e){var t=e.navigatedDate.getFullYear(),o=(0,T.D)(t);return void 0===o||o===t?void 0:o>t}(n),v=n.navigatedDate,b=n.selectedDate,y=n.strings,_=n.today,C=void 0===_?new Date:_,x=n.navigationIcons,k=n.dateTimeFormatter,w=n.minDate,E=n.maxDate,P=n.theme,M=n.styles,R=n.className,N=n.allFocusable,B=n.highlightCurrentMonth,F=n.highlightSelectedMonth,L=n.animationDirection,A=n.yearPickerHidden,z=n.onNavigateDate,H=function(e){return function(){return j(e)}},O=function(){z((0,l.Bc)(v,1),!1)},q=function(){z((0,l.Bc)(v,-1),!1)},j=function(e){var t,o;null===(o=(t=n).onHeaderSelect)||void 0===o||o.call(t),z((0,l.q0)(v,e),!0)},J=function(){var e,t;A?null===(t=(e=n).onHeaderSelect)||void 0===t||t.call(e):(c(),g(!0))},Y=x.leftNavigation,Z=x.rightNavigation,X=k,Q=!w||(0,l.NJ)(w,(0,l.W8)(v))<0,$=!E||(0,l.NJ)((0,l.Q9)(v),E)<0,ee=V(M,{theme:P,className:R,hasHeaderClickCallback:!!n.onHeaderSelect||!A,highlightCurrent:B,highlightSelected:F,animateBackwards:f,animationDirection:L});if(h){var te=function(e){var t=e.strings,o=e.navigatedDate,n=e.dateTimeFormatter,r=function(e){if(n){var t=new Date(o.getTime());return t.setFullYear(e),n.formatYear(t)}return String(e)},i=function(e){return r(e.fromYear)+" - "+r(e.toYear)};return[r,{rangeAriaLabel:i,prevRangeAriaLabel:function(e){return t.prevYearRangeAriaLabel?t.prevYearRangeAriaLabel+" "+i(e):""},nextRangeAriaLabel:function(e){return t.nextYearRangeAriaLabel?t.nextYearRangeAriaLabel+" "+i(e):""},headerAriaLabelFormatString:t.yearPickerHeaderAriaLabel}]}(n),oe=te[0],ne=te[1];return i.createElement(W,{key:"calendarYear",minYear:w?w.getFullYear():void 0,maxYear:E?E.getFullYear():void 0,onSelectYear:function(e){if(c(),v.getFullYear()!==e){var t=new Date(v.getTime());t.setFullYear(e),E&&t>E?t=(0,l.q0)(t,E.getMonth()):w&&t{"use strict";var n;o.d(t,{s:()=>n}),function(e){e[e.Horizontal=0]="Horizontal",e[e.Vertical=1]="Vertical"}(n||(n={}))},6883:(e,t,o)=>{"use strict";o.d(t,{V3:()=>n,GC:()=>r,XU:()=>i});var n=o(6786).tf,r=n,i={leftNavigation:"Up",rightNavigation:"Down",closeIcon:"CalculatorMultiply"}},4316:(e,t,o)=>{"use strict";o.d(t,{Q:()=>M});var n=o(7622),r=o(7002),i=o(7300),a=o(5951),s=o(2998),l=o(6974),c=o(1093),u=function(e,t,o){var r=(0,n.pr)(e);return t&&(r=r.filter((function(e){return(0,l.NJ)(e,t)>=0}))),o&&(r=r.filter((function(e){return(0,l.NJ)(e,o)<=0}))),r},d=function(e,t){var o=t.minDate;return!!o&&(0,l.NJ)(o,e)>=1},p=function(e,t){var o=t.maxDate;return!!o&&(0,l.NJ)(e,o)>=1},m=function(e,t){var o=t.restrictedDates,n=t.minDate,r=t.maxDate;return!!(o||n||r)&&(o&&o.some((function(t){return(0,l.aN)(t,e)}))||d(e,t)||p(e,t))},h=o(6876),g=o(4085),f=o(2470),v=o(8088),b=function(e){var t=e.showWeekNumbers,o=e.strings,n=e.firstDayOfWeek,i=e.allFocusable,a=e.weeksToShow,s=e.weeks,l=e.classNames,u=o.shortDays.slice(),d=(0,f.cx)(s[1],(function(e){return 1===e.originalDate.getDate()}));if(1===a&&d>=0){var p=(d+n)%c.NA;u[p]=o.shortMonths[s[1][d].originalDate.getMonth()]}return r.createElement("tr",null,t&&r.createElement("th",{className:l.dayCell}),u.map((function(e,t){var a=(t+n)%c.NA,s=t===d?o.days[a]+" "+u[a]:o.days[a];return r.createElement("th",{className:(0,v.i)(l.dayCell,l.weekDayLabelCell),scope:"col",key:u[a]+" "+t,title:s,"aria-label":s,"data-is-focusable":!!i||void 0},u[a])})))},y=o(6953),_=o(8145),C=function(e){var t=e.targetDate,o=e.initialDate,r=e.direction,i=(0,n._T)(e,["targetDate","initialDate","direction"]),a=t;if(!m(t,i))return t;for(;0!==(0,l.NJ)(o,a)&&m(a,i)&&!p(a,i)&&!d(a,i);)a=(0,l.E4)(a,r);return 0===(0,l.NJ)(o,a)||m(a,i)?void 0:a},S=function(e){var t,o,n=e.navigatedDate,i=e.dateTimeFormatter,s=e.allFocusable,u=e.strings,d=e.activeDescendantId,p=e.navigatedDayRef,m=e.calculateRoundedStyles,h=e.weeks,g=e.classNames,f=e.day,b=e.dayIndex,y=e.weekIndex,S=e.weekCorners,x=e.ariaHidden,k=e.customDayCellRef,w=e.dateRangeType,I=e.daysToSelectInDayView,D=e.onSelectDate,T=e.restrictedDates,E=e.minDate,P=e.maxDate,M=e.onNavigateDate,R=e.getDayInfosInRangeOfDay,N=e.getRefsFromDayInfos,B=null!=(o=null===(t=S)||void 0===t?void 0:t[y+"_"+b])?o:"",F=(0,l.aN)(n,f.originalDate),L=i.formatMonthDayYear(f.originalDate,u);return f.isMarked&&(L=L+", "+u.dayMarkedAriaLabel),r.createElement("td",{className:(0,v.i)(g.dayCell,S&&B,f.isSelected&&g.daySelected,f.isSelected&&"ms-CalendarDay-daySelected",!f.isInBounds&&g.dayOutsideBounds,!f.isInMonth&&g.dayOutsideNavigatedMonth),ref:function(e){var t;null===(t=k)||void 0===t||t(e,f.originalDate,g),f.setRef(e)},"aria-hidden":x,onClick:f.isInBounds&&!x?f.onSelected:void 0,onMouseOver:x?void 0:function(e){var t=R(f),o=N(t);o.forEach((function(e,n){var r;if(e&&(e.classList.add("ms-CalendarDay-hoverStyle"),!t[n].isSelected&&w===c.NU.Day&&I&&I>1)){e.classList.remove(g.bottomLeftCornerDate,g.bottomRightCornerDate,g.topLeftCornerDate,g.topRightCornerDate);var i=m(g,!1,!1,n>0,n1)){var i=m(g,!1,!1,n>0,n0)};return[function(e,n){var r={},i=n.slice(1,n.length-1);return i.forEach((function(n,a){n.forEach((function(n,s){var l=i[a-1]&&i[a-1][s]&&o(i[a-1][s].originalDate,n.originalDate,i[a-1][s].isSelected,n.isSelected),c=i[a+1]&&i[a+1][s]&&o(i[a+1][s].originalDate,n.originalDate,i[a+1][s].isSelected,n.isSelected),u=i[a][s-1]&&o(i[a][s-1].originalDate,n.originalDate,i[a][s-1].isSelected,n.isSelected),d=i[a][s+1]&&o(i[a][s+1].originalDate,n.originalDate,i[a][s+1].isSelected,n.isSelected),p=t(e,l,c,u,d);r[a+"_"+s]=p}))})),r},t]}(e),_=y[0],C=y[1];r.useImperativeHandle(e.componentRef,(function(){return{focus:function(){var e,o,n;null===(n=null===(e=t.current)||void 0===e?void 0:(o=e).focus)||void 0===n||n.call(o)}}}),[]);var S=e.styles,I=e.theme,D=e.className,T=e.dateRangeType,E=e.showWeekNumbers,P=e.labelledBy,M=e.lightenDaysOutsideNavigatedMonth,R=e.animationDirection,N=k(S,{theme:I,className:D,dateRangeType:T,showWeekNumbers:E,lightenDaysOutsideNavigatedMonth:void 0===M||M,animationDirection:R,animateBackwards:v}),B=_(N,f),F={weeks:f,navigatedDayRef:t,calculateRoundedStyles:C,activeDescendantId:o,classNames:N,weekCorners:B,getDayInfosInRangeOfDay:function(t){var o=function(e,t){if(t&&e===c.NU.WorkWeek){for(var o=t.slice().sort(),n=!0,r=1;r{"use strict";o.d(t,{U:()=>s});var n=o(7622),r=o(7002),i=o(4941),a=o(7513),s=r.forwardRef((function(e,t){var o=e.layerProps,s=e.doNotLayer,l=(0,n._T)(e,["layerProps","doNotLayer"]),c=r.createElement(i.N,(0,n.pi)({},l,{ref:t}));return s?c:r.createElement(a.m,(0,n.pi)({},o),c)}));s.displayName="Callout"},5666:(e,t,o)=>{"use strict";o.d(t,{H:()=>T});var n,r=o(7622),i=o(7002),a=o(6628),s=o(4553),l=o(3345),c=o(9251),u=o(63),d=o(8127),p=o(8088),m=o(2447),h=o(4568),g=o(6591),f=o(752),v=o(7300),b=o(9729),y=o(3528),_=o(7913),C=o(9241),S=o(2674),x=((n={})[h.z.top]=b.k4.slideUpIn10,n[h.z.bottom]=b.k4.slideDownIn10,n[h.z.left]=b.k4.slideLeftIn10,n[h.z.right]=b.k4.slideRightIn10,n),k=(0,v.y)({disableCaching:!0}),w={opacity:0,filter:"opacity(0)",pointerEvents:"none"},I=["role","aria-roledescription"],D={preventDismissOnLostFocus:!1,preventDismissOnScroll:!1,preventDismissOnResize:!1,isBeakVisible:!0,beakWidth:16,gapSpace:0,minPagePadding:8,directionalHint:a.b.bottomAutoEdge};var T=i.memo(i.forwardRef((function(e,t){var o=(0,u.j)(D,e),n=o.styles,a=o.style,m=o.ariaLabel,h=o.ariaDescribedBy,v=o.ariaLabelledBy,b=o.className,T=o.isBeakVisible,M=o.children,R=o.beakWidth,N=o.calloutWidth,B=o.calloutMaxWidth,F=o.calloutMinWidth,L=o.finalHeight,A=o.hideOverflow,z=void 0===A?!!L:A,H=o.backgroundColor,O=o.calloutMaxHeight,W=o.onScroll,V=o.shouldRestoreFocus,K=void 0===V||V,q=o.target,G=o.hidden,U=o.onLayerMounted,j=i.useRef(null),J=i.useRef(null),Y=(0,C.r)(j,t),Z=(0,S.e)(o.target,J),X=Z[0],Q=Z[1],$=function(e,t,o){var n=e.bounds,r=e.minPagePadding,a=void 0===r?D.minPagePadding:r,s=e.target,l=i.useRef();return i.useCallback((function(){if(!l.current){var e="function"==typeof n?o?n(s,o):void 0:n;!e&&o&&(e={top:(e=(0,g.qE)(t.current,o)).top+a,left:e.left+a,right:e.right-a,bottom:e.bottom-a,width:e.width-2*a,height:e.height-2*a}),l.current=e}return l.current}),[n,a,s,t,o])}(o,X,Q),ee=function(e,t,o){var n=e.beakWidth,r=e.coverTarget,a=e.directionalHint,s=e.directionalHintFixed,l=e.gapSpace,c=e.isBeakVisible,u=e.hidden,d=i.useState(),p=d[0],m=d[1],h=(0,y.r)(),f=t.current;return i.useEffect((function(){var e;if(p||u)u&&m(void 0);else if(s&&f){var i=(null!=l?l:0)+(c&&n?n:0);h.requestAnimationFrame((function(){t.current&&m((0,g.DC)(t.current,a,i,o(),r))}))}else m(null===(e=o())||void 0===e?void 0:e.height)}),[t,f,l,n,o,u,h,r,a,s,c,p]),p}(o,X,$),te=function(e,t){var o=e.finalHeight,n=e.hidden,r=i.useState(0),a=r[0],s=r[1],l=(0,y.r)(),c=i.useRef(),u=i.useCallback((function(){t.current&&o&&(c.current=l.requestAnimationFrame((function(){var e,n=null===(e=t.current)||void 0===e?void 0:e.lastChild;if(n){var r=n.scrollHeight-n.offsetHeight;s((function(e){return e+r})),n.offsetHeight0&&(u.current=0,null===(i=f)||void 0===i||i(l))}}),o.current);return function(){return d.cancelAnimationFrame(i)}}}),[p,v,d,o,t,n,h,a,f,l,e,m]),l}(o,j,J,X,$),ne=function(e,t,o,n,r){var a=e.hidden,s=e.onDismiss,u=e.preventDismissOnScroll,d=e.preventDismissOnResize,p=e.preventDismissOnLostFocus,m=e.shouldDismissOnWindowFocus,h=e.preventDismissOnEvent,g=i.useRef(!1),f=(0,y.r)(),v=(0,_.B)([function(){g.current=!0},function(){g.current=!1}]),b=!!t;return i.useEffect((function(){var e=function(e){b&&!u&&v(e)},t=function(e){var t;d||null===(t=s)||void 0===t||t(e)},i=function(e){p||v(e)},v=function(e){var t,i=e.target,a=o.current&&!(0,l.t)(o.current,i);a&&g.current?g.current=!1:(!n.current&&a||e.target!==r&&a&&(!n.current||"stopPropagation"in n.current||i!==n.current&&!(0,l.t)(n.current,i)))&&(null===(t=s)||void 0===t||t(e))},y=function(e){var t,o;m&&((!h||h(e))&&(h||p)||(null===(t=r)||void 0===t?void 0:t.document.hasFocus())||null!==e.relatedTarget||null===(o=s)||void 0===o||o(e))},_=new Promise((function(o){f.setTimeout((function(){if(!a&&r){var n=[(0,c.on)(r,"scroll",e,!0),(0,c.on)(r,"resize",t,!0),(0,c.on)(r.document.documentElement,"focus",i,!0),(0,c.on)(r.document.documentElement,"click",i,!0),(0,c.on)(r,"blur",y,!0)];o((function(){n.forEach((function(e){return e()}))}))}}),0)}));return function(){_.then((function(e){return e()}))}}),[a,f,o,n,r,s,m,p,d,u,b,h]),v}(o,oe,j,X,Q),re=ne[0],ie=ne[1];if(function(e,t,o){var n=e.hidden,r=e.setInitialFocus,a=(0,y.r)(),l=!!t;i.useEffect((function(){if(!n&&r&&l&&o.current){var e=a.requestAnimationFrame((function(){return(0,s.uo)(o.current)}),o.current);return function(){return a.cancelAnimationFrame(e)}}}),[n,l,a,o,r])}(o,oe,J),i.useEffect((function(){var e;G||null===(e=U)||void 0===e||e()}),[G]),!Q)return null;var ae=ee?ee+te:void 0,se=O&&ae&&O{"use strict";o.d(t,{N:()=>l});var n=o(2002),r=o(5666),i=o(9729);function a(e){return{height:e,width:e}}var s={container:"ms-Callout-container",root:"ms-Callout",beak:"ms-Callout-beak",beakCurtain:"ms-Callout-beakCurtain",calloutMain:"ms-Callout-main"},l=(0,n.z)(r.H,(function(e){var t,o=e.theme,n=e.className,r=e.overflowYHidden,l=e.calloutWidth,c=e.beakWidth,u=e.backgroundColor,d=e.calloutMaxWidth,p=e.calloutMinWidth,m=(0,i.Cn)(s,o),h=o.semanticColors,g=o.effects;return{container:[m.container,{position:"relative"}],root:[m.root,o.fonts.medium,{position:"absolute",boxSizing:"border-box",borderRadius:g.roundedCorner2,boxShadow:g.elevation16,selectors:(t={},t[i.qJ]={borderWidth:1,borderStyle:"solid",borderColor:"WindowText"},t)},(0,i.e2)(),n,!!l&&{width:l},!!d&&{maxWidth:d},!!p&&{minWidth:p}],beak:[m.beak,{position:"absolute",backgroundColor:h.menuBackground,boxShadow:"inherit",border:"inherit",boxSizing:"border-box",transform:"rotate(45deg)"},a(c),u&&{backgroundColor:u}],beakCurtain:[m.beakCurtain,{position:"absolute",top:0,right:0,bottom:0,left:0,backgroundColor:h.menuBackground,borderRadius:g.roundedCorner2}],calloutMain:[m.calloutMain,{backgroundColor:h.menuBackground,overflowX:"hidden",overflowY:"auto",position:"relative",borderRadius:g.roundedCorner2},r&&{overflowY:"hidden"},u&&{backgroundColor:u}]}}),void 0,{scope:"CalloutContent"})},5790:(e,t,o)=>{"use strict";o.d(t,{A:()=>p});var n=o(7622),r=o(7002),i=o(4085),a=o(9241),s=o(6548),l=o(7300),c=o(5480),u=o(9947),d=(0,l.y)(),p=r.forwardRef((function(e,t){var o=e.disabled,l=e.required,p=e.inputProps,m=e.name,h=e.ariaLabel,g=e.ariaLabelledBy,f=e.ariaDescribedBy,v=e.ariaPositionInSet,b=e.ariaSetSize,y=e.title,_=e.label,C=e.checkmarkIconProps,S=e.styles,x=e.theme,k=e.className,w=e.boxSide,I=void 0===w?"start":w,D=(0,i.M)("checkbox-",e.id),T=r.useRef(null),E=(0,a.r)(T,t),P=r.useRef(null),M=(0,s.G)(e.checked,e.defaultChecked,e.onChange),R=M[0],N=M[1],B=(0,s.G)(e.indeterminate,e.defaultIndeterminate),F=B[0],L=B[1];(0,c.P)(T),function(e,t,o,n){r.useImperativeHandle(e.componentRef,(function(){return{get checked(){return!!t},get indeterminate(){return!!o},focus:function(){n.current&&n.current.focus()}}}),[n,t,o])}(e,R,F,P);var A=d(S,{theme:x,className:k,disabled:o,indeterminate:F,checked:R,reversed:"start"!==I,isUsingCustomLabelRender:!!e.onRenderLabel}),z=r.useCallback((function(e){return e&&e.label?r.createElement("span",{"aria-hidden":"true",className:A.text,title:e.title},e.label):null}),[A.text]),H=e.onRenderLabel||z,O=F?"mixed":R?"true":"false",W=(0,n.pi)((0,n.pi)({className:A.input,type:"checkbox"},p),{checked:!!R,disabled:o,required:l,name:m,id:D,title:y,onChange:function(e){F?(N(!!R,e),L(!1)):N(!R,e)},"aria-disabled":o,"aria-label":h||_,"aria-labelledby":g,"aria-describedby":f,"aria-posinset":v,"aria-setsize":b,"aria-checked":O});return r.createElement("div",{className:A.root,title:y,ref:E},r.createElement("input",(0,n.pi)({},W,{ref:P,"data-ktp-execute-target":!0})),r.createElement("label",{className:A.label,htmlFor:D},r.createElement("div",{className:A.checkbox,"data-ktp-target":!0},r.createElement(u.J,(0,n.pi)({iconName:"CheckMark"},C,{className:A.checkmark}))),H(e,z)))}));p.displayName="CheckboxBase"},2777:(e,t,o)=>{"use strict";o.d(t,{X:()=>p});var n=o(2002),r=o(5790),i=o(7622),a=o(9729),s=o(6145),l={root:"ms-Checkbox",label:"ms-Checkbox-label",checkbox:"ms-Checkbox-checkbox",checkmark:"ms-Checkbox-checkmark",text:"ms-Checkbox-text"},c="20px",u="200ms",d="cubic-bezier(.4, 0, .23, 1)",p=(0,n.z)(r.A,(function(e){var t,o,n,r,p,m,h,g,f,v,b,y,_,C,S,x,k,w,I=e.className,D=e.theme,T=e.reversed,E=e.checked,P=e.disabled,M=e.isUsingCustomLabelRender,R=e.indeterminate,N=D.semanticColors,B=D.effects,F=D.palette,L=D.fonts,A=(0,a.Cn)(l,D),z=N.inputForegroundChecked,H=F.neutralSecondary,O=F.neutralPrimary,W=N.inputBackgroundChecked,V=N.inputBackgroundChecked,K=N.disabledBodySubtext,q=N.inputBorderHovered,G=N.inputBackgroundCheckedHovered,U=N.inputBackgroundChecked,j=N.inputBackgroundCheckedHovered,J=N.inputBackgroundCheckedHovered,Y=N.inputTextHovered,Z=N.disabledBodySubtext,X=N.bodyText,Q=N.disabledText,$=[(t={content:'""',borderRadius:B.roundedCorner2,position:"absolute",width:10,height:10,top:4,left:4,boxSizing:"border-box",borderWidth:5,borderStyle:"solid",borderColor:P?K:W,transitionProperty:"border-width, border, border-color",transitionDuration:u,transitionTimingFunction:d},t[a.qJ]={borderColor:"WindowText"},t)];return{root:[A.root,{position:"relative",display:"flex"},T&&"reversed",E&&"is-checked",!P&&"is-enabled",P&&"is-disabled",!P&&[!E&&(o={},o[":hover ."+A.checkbox]=(n={borderColor:q},n[a.qJ]={borderColor:"Highlight"},n),o[":focus ."+A.checkbox]={borderColor:q},o[":hover ."+A.checkmark]=(r={color:H,opacity:"1"},r[a.qJ]={color:"Highlight"},r),o),E&&!R&&(p={},p[":hover ."+A.checkbox]={background:j,borderColor:J},p[":focus ."+A.checkbox]={background:j,borderColor:J},p[a.qJ]=(m={},m[":hover ."+A.checkbox]={background:"Highlight",borderColor:"Highlight"},m[":focus ."+A.checkbox]={background:"Highlight"},m[":focus:hover ."+A.checkbox]={background:"Highlight"},m[":focus:hover ."+A.checkmark]={color:"Window"},m[":hover ."+A.checkmark]={color:"Window"},m),p),R&&(h={},h[":hover ."+A.checkbox+", :hover ."+A.checkbox+":after"]=(g={borderColor:G},g[a.qJ]={borderColor:"WindowText"},g),h[":focus ."+A.checkbox]={borderColor:G},h[":hover ."+A.checkmark]={opacity:"0"},h),(f={},f[":hover ."+A.text+", :focus ."+A.text]=(v={color:Y},v[a.qJ]={color:P?"GrayText":"WindowText"},v),f)],I],input:(b={position:"absolute",background:"none",opacity:0},b["."+s.G$+" &:focus + label::before"]=(y={outline:"1px solid "+D.palette.neutralSecondary,outlineOffset:"2px"},y[a.qJ]={outline:"1px solid WindowText"},y),b),label:[A.label,D.fonts.medium,{display:"flex",alignItems:M?"center":"flex-start",cursor:P?"default":"pointer",position:"relative",userSelect:"none"},T&&{flexDirection:"row-reverse",justifyContent:"flex-end"},{"&::before":{position:"absolute",left:0,right:0,top:0,bottom:0,content:'""',pointerEvents:"none"}}],checkbox:[A.checkbox,(_={position:"relative",display:"flex",flexShrink:0,alignItems:"center",justifyContent:"center",height:c,width:c,border:"1px solid "+O,borderRadius:B.roundedCorner2,boxSizing:"border-box",transitionProperty:"background, border, border-color",transitionDuration:u,transitionTimingFunction:d,overflow:"hidden",":after":R?$:null},_[a.qJ]=(0,i.pi)({borderColor:"WindowText"},(0,a.xM)()),_),R&&{borderColor:W},T?{marginLeft:4}:{marginRight:4},!P&&!R&&E&&(C={background:U,borderColor:V},C[a.qJ]={background:"Highlight",borderColor:"Highlight"},C),P&&(S={borderColor:K},S[a.qJ]={borderColor:"GrayText"},S),E&&P&&(x={background:Z,borderColor:K},x[a.qJ]={background:"Window"},x)],checkmark:[A.checkmark,(k={opacity:E?"1":"0",color:z},k[a.qJ]=(0,i.pi)({color:P?"GrayText":"Window"},(0,a.xM)()),k)],text:[A.text,(w={color:P?Q:X,fontSize:L.medium.fontSize,lineHeight:"20px"},w[a.qJ]=(0,i.pi)({color:P?"GrayText":"WindowText"},(0,a.xM)()),w),T?{marginRight:4}:{marginLeft:4}]}}),void 0,{scope:"Checkbox"})},5554:(e,t,o)=>{"use strict";o.d(t,{q:()=>f});var n=o(7622),r=o(7002),i=o(2052),a=o(7300),s=o(2470),l=o(6145),c=o(8127),u=o(1351),d=o(4085),p=o(6548),m=(0,a.y)(),h=function(e,t){return t+"-"+e.key},g=function(e,t){return void 0===t?void 0:(0,s.sE)(e,(function(e){return e.key===t}))},f=r.forwardRef((function(e,t){var o=e.className,a=e.theme,s=e.styles,f=e.options,v=void 0===f?[]:f,b=e.label,y=e.required,_=e.disabled,C=e.name,S=e.defaultSelectedKey,x=e.componentRef,k=e.onChange,w=(0,d.M)("ChoiceGroup"),I=(0,d.M)("ChoiceGroupLabel"),D=(0,c.pq)(e,c.n7,["onChange","className","required"]),T=m(s,{theme:a,className:o,optionsContainIconOrImage:v.some((function(e){return!(!e.iconProps&&!e.imageSrc)}))}),E=e.ariaLabelledBy||(b?I:e["aria-labelledby"]),P=(0,p.G)(e.selectedKey,S),M=P[0],R=P[1],N=r.useState(),B=N[0],F=N[1];!function(e,t,o,n){r.useImperativeHandle(n,(function(){return{get checkedOption(){return g(e,t)},focus:function(){var n=g(e,t)||e.filter((function(e){return!e.disabled}))[0],r=n&&document.getElementById(h(n,o));r&&(r.focus(),(0,l.MU)(!0,r))}}}),[e,t,o])}(v,M,w,x);var L=r.useCallback((function(e,t){var o,n;t&&(F(t.itemKey),null===(n=(o=t).onFocus)||void 0===n||n.call(o,e))}),[]),A=r.useCallback((function(e,t){var o,n,r;F(void 0),null===(r=null===(o=t)||void 0===o?void 0:(n=o).onBlur)||void 0===r||r.call(n,e)}),[]),z=r.useCallback((function(e,t){var o,n,r;t&&(R(t.itemKey),null===(n=(o=t).onChange)||void 0===n||n.call(o,e),null===(r=k)||void 0===r||r(e,g(v,t.itemKey)))}),[k,v,R]);return r.createElement("div",(0,n.pi)({className:T.root},D,{ref:t}),r.createElement("div",(0,n.pi)({role:"radiogroup"},E&&{"aria-labelledby":E}),b&&r.createElement(i._,{className:T.label,required:y,id:I,disabled:_},b),r.createElement("div",{className:T.flexContainer},v.map((function(e){return r.createElement(u.c,(0,n.pi)({key:e.key,itemKey:e.key},e,{onBlur:A,onFocus:L,onChange:z,focused:e.key===B,checked:e.key===M,disabled:e.disabled||_,id:h(e,w),labelId:e.labelId||I+"-"+e.key,name:C||w,required:y}))})))))}));f.displayName="ChoiceGroup"},9240:(e,t,o)=>{"use strict";o.d(t,{F:()=>s});var n=o(2002),r=o(5554),i=o(9729),a={root:"ms-ChoiceFieldGroup",flexContainer:"ms-ChoiceFieldGroup-flexContainer"},s=(0,n.z)(r.q,(function(e){var t=e.className,o=e.optionsContainIconOrImage,n=e.theme,r=(0,i.Cn)(a,n);return{root:[t,r.root,n.fonts.medium,{display:"block"}],flexContainer:[r.flexContainer,o&&{display:"flex",flexDirection:"row",flexWrap:"wrap"}]}}),void 0,{scope:"ChoiceGroup"})},1351:(e,t,o)=>{"use strict";o.d(t,{c:()=>x});var n=o(2002),r=o(7622),i=o(7002),a=o(4861),s=o(9947),l=o(7300),c=o(63),u=o(8127),d=o(8826),p=o(8088),m=(0,l.y)(),h={imageSize:{width:32,height:32}},g=function(e){var t=(0,c.j)((0,r.pi)((0,r.pi)({},h),{key:e.itemKey}),e),o=t.ariaLabel,n=t.focused,l=t.required,g=t.theme,f=t.iconProps,v=t.imageSrc,b=t.imageSize,y=t.disabled,_=t.checked,C=t.id,S=t.styles,x=t.name,k=(0,r._T)(t,["ariaLabel","focused","required","theme","iconProps","imageSrc","imageSize","disabled","checked","id","styles","name"]),w=m(S,{theme:g,hasIcon:!!f,hasImage:!!v,checked:_,disabled:y,imageIsLarge:!!v&&(b.width>71||b.height>71),imageSize:b,focused:n}),I=(0,u.pq)(k,u.Gg),D=I.className,T=(0,r._T)(I,["className"]),E=function(){return i.createElement("span",{id:t.labelId,className:"ms-ChoiceFieldLabel"},t.text)},P=function(){var e=t.imageAlt,o=void 0===e?"":e,n=t.selectedImageSrc,l=(t.onRenderLabel?(0,d.k)(t.onRenderLabel,E):E)(t);return i.createElement("label",{htmlFor:C,className:w.field},v&&i.createElement("div",{className:w.innerField},i.createElement("div",{className:w.imageWrapper},i.createElement(a.E,(0,r.pi)({src:v,alt:o},b))),i.createElement("div",{className:w.selectedImageWrapper},i.createElement(a.E,(0,r.pi)({src:n,alt:o},b)))),f&&i.createElement("div",{className:w.innerField},i.createElement("div",{className:w.iconWrapper},i.createElement(s.J,(0,r.pi)({},f)))),v||f?i.createElement("div",{className:w.labelWrapper},l):l)},M=t.onRenderField,R=void 0===M?P:M;return i.createElement("div",{className:w.root},i.createElement("div",{className:w.choiceFieldWrapper},i.createElement("input",(0,r.pi)({"aria-label":o,id:C,className:(0,p.i)(w.input,D),type:"radio",name:x,disabled:y,checked:_,required:l},T,{onChange:function(e){var o,n;null===(n=(o=t).onChange)||void 0===n||n.call(o,e,t)},onFocus:function(e){var o,n;null===(n=(o=t).onFocus)||void 0===n||n.call(o,e,t)},onBlur:function(e){var o,n;null===(n=(o=t).onBlur)||void 0===n||n.call(o,e)}})),R(t,P)))};g.displayName="ChoiceGroupOption";var f=o(9729),v=o(6145),b={root:"ms-ChoiceField",choiceFieldWrapper:"ms-ChoiceField-wrapper",input:"ms-ChoiceField-input",field:"ms-ChoiceField-field",innerField:"ms-ChoiceField-innerField",imageWrapper:"ms-ChoiceField-imageWrapper",iconWrapper:"ms-ChoiceField-iconWrapper",labelWrapper:"ms-ChoiceField-labelWrapper",checked:"is-checked"},y="200ms",_="cubic-bezier(.4, 0, .23, 1)";function C(e,t){var o,n;return["is-inFocus",{selectors:(o={},o["."+v.G$+" &"]={position:"relative",outline:"transparent",selectors:{"::-moz-focus-inner":{border:0},":after":{content:'""',top:-2,right:-2,bottom:-2,left:-2,pointerEvents:"none",border:"1px solid "+e,position:"absolute",selectors:(n={},n[f.qJ]={borderColor:"WindowText",borderWidth:t?1:2},n)}}},o)}]}function S(e,t,o){return[t,{paddingBottom:2,transitionProperty:"opacity",transitionDuration:y,transitionTimingFunction:"ease",selectors:{".ms-Image":{display:"inline-block",borderStyle:"none"}}},(o?!e:e)&&["is-hidden",{position:"absolute",left:0,top:0,width:"100%",height:"100%",overflow:"hidden",opacity:0}]]}var x=(0,n.z)(g,(function(e){var t,o,n,i,a,s=e.theme,l=e.hasIcon,c=e.hasImage,u=e.checked,d=e.disabled,p=e.imageIsLarge,m=e.focused,h=e.imageSize,g=s.palette,v=s.semanticColors,x=s.fonts,k=(0,f.Cn)(b,s),w=g.neutralPrimary,I=v.inputBorderHovered,D=v.inputBackgroundChecked,T=g.themeDark,E=v.disabledBodySubtext,P=v.bodyBackground,M=g.neutralSecondary,R=v.inputBackgroundChecked,N=g.themeDark,B=v.disabledBodySubtext,F=g.neutralDark,L=v.focusBorder,A=v.inputBorderHovered,z=v.inputBackgroundChecked,H=g.themeDark,O=g.neutralLighter,W={selectors:{".ms-ChoiceFieldLabel":{color:F},":before":{borderColor:u?T:I},":after":[!l&&!c&&!u&&{content:'""',transitionProperty:"background-color",left:5,top:5,width:10,height:10,backgroundColor:M},u&&{borderColor:N}]}},V={borderColor:u?H:A,selectors:{":before":{opacity:1,borderColor:u?T:I}}},K=[{content:'""',display:"inline-block",backgroundColor:P,borderWidth:1,borderStyle:"solid",borderColor:w,width:20,height:20,fontWeight:"normal",position:"absolute",top:0,left:0,boxSizing:"border-box",transitionProperty:"border-color",transitionDuration:y,transitionTimingFunction:_,borderRadius:"50%"},d&&{borderColor:E,selectors:(t={},t[f.qJ]=(0,r.pi)({borderColor:"GrayText",background:"Window"},(0,f.xM)()),t)},u&&{borderColor:d?E:D,selectors:(o={},o[f.qJ]={borderColor:"Highlight",background:"Window",forcedColorAdjust:"none"},o)},(l||c)&&{top:3,right:3,left:"auto",opacity:u?1:0}],q=[{content:'""',width:0,height:0,borderRadius:"50%",position:"absolute",left:10,right:0,transitionProperty:"border-width",transitionDuration:y,transitionTimingFunction:_,boxSizing:"border-box"},u&&{borderWidth:5,borderStyle:"solid",borderColor:d?B:R,left:5,top:5,width:10,height:10,selectors:(n={},n[f.qJ]={borderColor:"Highlight",forcedColorAdjust:"none"},n)},u&&(l||c)&&{top:8,right:8,left:"auto"}];return{root:[k.root,s.fonts.medium,{display:"flex",alignItems:"center",boxSizing:"border-box",color:v.bodyText,minHeight:26,border:"none",position:"relative",marginTop:8,selectors:{".ms-ChoiceFieldLabel":{display:"inline-block"}}},!l&&!c&&{selectors:{".ms-ChoiceFieldLabel":{paddingLeft:"26px"}}},c&&"ms-ChoiceField--image",l&&"ms-ChoiceField--icon",(l||c)&&{display:"inline-flex",fontSize:0,margin:"0 4px 4px 0",paddingLeft:0,backgroundColor:O,height:"100%"}],choiceFieldWrapper:[k.choiceFieldWrapper,m&&C(L,l||c)],input:[k.input,{position:"absolute",opacity:0,top:0,right:0,width:"100%",height:"100%",margin:0},d&&"is-disabled"],field:[k.field,u&&k.checked,{display:"inline-block",cursor:"pointer",marginTop:0,position:"relative",verticalAlign:"top",userSelect:"none",minHeight:20,selectors:{":hover":!d&&W,":focus":!d&&W,":before":K,":after":q}},l&&"ms-ChoiceField--icon",c&&"ms-ChoiceField-field--image",(l||c)&&{boxSizing:"content-box",cursor:"pointer",paddingTop:22,margin:0,textAlign:"center",transitionProperty:"all",transitionDuration:y,transitionTimingFunction:"ease",border:"1px solid transparent",justifyContent:"center",alignItems:"center",display:"flex",flexDirection:"column"},u&&{borderColor:z},(l||c)&&!d&&{selectors:{":hover":V,":focus":V}},d&&{cursor:"default",selectors:{".ms-ChoiceFieldLabel":{color:v.disabledBodyText,selectors:(i={},i[f.qJ]=(0,r.pi)({color:"GrayText"},(0,f.xM)()),i)}}},u&&d&&{borderColor:O}],innerField:[k.innerField,c&&{height:h.height,width:h.width},(l||c)&&{position:"relative",display:"inline-block",paddingLeft:30,paddingRight:30},(l||c)&&p&&{paddingLeft:24,paddingRight:24},(l||c)&&d&&{opacity:.25,selectors:(a={},a[f.qJ]={color:"GrayText",opacity:1},a)}],imageWrapper:S(!1,k.imageWrapper,u),selectedImageWrapper:S(!0,k.imageWrapper,u),iconWrapper:[k.iconWrapper,{fontSize:32,lineHeight:32,height:32}],labelWrapper:[k.labelWrapper,x.medium,(l||c)&&{display:"block",position:"relative",margin:"4px 8px 2px 8px",height:32,lineHeight:15,maxWidth:2*h.width,overflow:"hidden",whiteSpace:"pre-wrap"}]}}),void 0,{scope:"ChoiceGroupOption"})},1958:(e,t,o)=>{"use strict";o.d(t,{T:()=>z});var n=o(7622),r=o(7002),i=o(7300),a=o(688),s=o(3129),l=o(687),c=o(8623),u=o(2002),d=o(2782),p=o(8145),m=o(9251),h=o(21),g=o(2417),f=o(6119),v=o(1342),b=(0,i.y)(),y=function(e){function t(t){var o=e.call(this,t)||this;return o._disposables=[],o._root=r.createRef(),o._isAdjustingSaturation=!0,o._descriptionId=(0,d.z)("ColorRectangle-description"),o._onKeyDown=function(e){var t=o.state.color,n=t.s,r=t.v,i=e.shiftKey?10:1;switch(e.which){case p.m.up:o._isAdjustingSaturation=!1,r+=i;break;case p.m.down:o._isAdjustingSaturation=!1,r-=i;break;case p.m.left:o._isAdjustingSaturation=!0,n-=i;break;case p.m.right:o._isAdjustingSaturation=!0,n+=i;break;default:return}o._updateColor(e,(0,f.d)(t,(0,v.u)(n,h.fr),(0,v.u)(r,h.uw)))},o._onMouseDown=function(e){o._disposables.push((0,m.on)(window,"mousemove",o._onMouseMove,!0),(0,m.on)(window,"mouseup",o._disposeListeners,!0)),o._onMouseMove(e)},o._onMouseMove=function(e){if(o._root.current){var t=function(e,t,o){var n=o.getBoundingClientRect(),r=(e.clientX-n.left)/n.width,i=(e.clientY-n.top)/n.height;return(0,f.d)(t,(0,v.u)(Math.round(r*h.fr),h.fr),(0,v.u)(Math.round(h.uw-i*h.uw),h.uw))}(e,o.state.color,o._root.current);t&&o._updateColor(e,t)}},o._disposeListeners=function(){o._disposables.forEach((function(e){return e()})),o._disposables=[]},(0,a.l)(o),o.state={color:t.color},o}return(0,n.ZT)(t,e),Object.defineProperty(t.prototype,"color",{get:function(){return this.state.color},enumerable:!0,configurable:!0}),t.prototype.componentDidUpdate=function(e,t){e!==this.props&&this.props.color&&this.setState({color:this.props.color})},t.prototype.componentWillUnmount=function(){this._disposeListeners()},t.prototype.render=function(){var e=this.props,t=e.minSize,o=e.theme,n=e.className,i=e.styles,a=e.ariaValueFormat,s=e.ariaLabel,l=e.ariaDescription,c=this.state.color,u=b(i,{theme:o,className:n,minSize:t}),d=a.replace("{0}",String(c.s)).replace("{1}",String(c.v));return r.createElement("div",{ref:this._root,tabIndex:0,className:u.root,style:{backgroundColor:(0,g.p)(c)},onMouseDown:this._onMouseDown,onKeyDown:this._onKeyDown,role:"slider","aria-valuetext":d,"aria-valuenow":this._isAdjustingSaturation?c.s:c.v,"aria-valuemin":0,"aria-valuemax":h.uw,"aria-label":s,"aria-describedby":this._descriptionId,"data-is-focusable":!0},r.createElement("div",{className:u.description,id:this._descriptionId},l),r.createElement("div",{className:u.light}),r.createElement("div",{className:u.dark}),r.createElement("div",{className:u.thumb,style:{left:c.s+"%",top:h.uw-c.v+"%",backgroundColor:c.str}}))},t.prototype._updateColor=function(e,t){var o=this.props.onChange,n=this.state.color;t.s===n.s&&t.v===n.v||(o&&o(e,t),e.defaultPrevented||(this.setState({color:t}),e.preventDefault()))},t.defaultProps={minSize:220,ariaLabel:"Saturation and brightness",ariaValueFormat:"Saturation {0} brightness {1}",ariaDescription:"Use left and right arrow keys to set saturation. Use up and down arrow keys to set brightness."},t}(r.Component),_=o(9729),C=o(6145),S=(0,u.z)(y,(function(e){var t,o=e.className,r=e.theme,i=e.minSize,a=r.palette,s=r.effects;return{root:["ms-ColorPicker-colorRect",{position:"relative",marginBottom:8,border:"1px solid "+a.neutralLighter,borderRadius:s.roundedCorner2,minWidth:i,minHeight:i,outline:"none",selectors:(t={},t[_.qJ]=(0,n.pi)({},(0,_.xM)()),t["."+C.G$+" &:focus"]={outline:"1px solid "+a.neutralSecondary},t)},o],light:["ms-ColorPicker-light",{position:"absolute",left:0,right:0,top:0,bottom:0,background:"linear-gradient(to right, white 0%, transparent 100%) /*@noflip*/"}],dark:["ms-ColorPicker-dark",{position:"absolute",left:0,right:0,top:0,bottom:0,background:"linear-gradient(to bottom, transparent 0, #000 100%)"}],thumb:["ms-ColorPicker-thumb",{position:"absolute",width:20,height:20,background:"white",border:"1px solid "+a.neutralSecondaryAlt,borderRadius:"50%",boxShadow:s.elevation8,transform:"translate(-50%, -50%)",selectors:{":before":{position:"absolute",left:0,right:0,top:0,bottom:0,border:"2px solid "+a.white,borderRadius:"50%",boxSizing:"border-box",content:'""'}}}],description:_.ul}}),void 0,{scope:"ColorRectangle"}),x=o(9757),k=(0,i.y)(),w=function(e){function t(t){var o=e.call(this,t)||this;return o._disposables=[],o._root=r.createRef(),o._onKeyDown=function(e){var t=o.value,n=o._maxValue,r=e.shiftKey?10:1;switch(e.which){case p.m.left:t-=r;break;case p.m.right:t+=r;break;case p.m.home:t=0;break;case p.m.end:t=n;break;default:return}o._updateValue(e,(0,v.u)(t,n))},o._onMouseDown=function(e){var t=(0,x.J)(o);t&&o._disposables.push((0,m.on)(t,"mousemove",o._onMouseMove,!0),(0,m.on)(t,"mouseup",o._disposeListeners,!0)),o._onMouseMove(e)},o._onMouseMove=function(e){if(o._root.current){var t=o._maxValue,n=o._root.current.getBoundingClientRect(),r=(e.clientX-n.left)/n.width,i=(0,v.u)(Math.round(r*t),t);o._updateValue(e,i)}},o._disposeListeners=function(){o._disposables.forEach((function(e){return e()})),o._disposables=[]},(0,a.l)(o),(0,s.b)("ColorSlider",t,{thumbColor:"styles.sliderThumb",overlayStyle:"overlayColor",isAlpha:"type",maxValue:"type",minValue:"type"}),"hue"===o._type||t.overlayColor||t.overlayStyle||(0,l.Z)("ColorSlider: 'overlayColor' is required when 'type' is \"alpha\" or \"transparency\""),o.state={currentValue:t.value||0},o}return(0,n.ZT)(t,e),Object.defineProperty(t.prototype,"value",{get:function(){return this.state.currentValue},enumerable:!0,configurable:!0}),t.prototype.componentDidUpdate=function(e,t){e!==this.props&&void 0!==this.props.value&&this.setState({currentValue:this.props.value})},t.prototype.componentWillUnmount=function(){this._disposeListeners()},t.prototype.render=function(){var e=this._type,t=this._maxValue,o=this.props,n=o.overlayStyle,i=o.overlayColor,a=o.theme,s=o.className,l=o.styles,c=o.ariaLabel,u=void 0===c?e:c,d=this.value,p=k(l,{theme:a,className:s,type:e}),m=100*d/t;return r.createElement("div",{ref:this._root,className:p.root,tabIndex:0,onKeyDown:this._onKeyDown,onMouseDown:this._onMouseDown,role:"slider","aria-valuenow":d,"aria-valuetext":String(d),"aria-valuemin":0,"aria-valuemax":t,"aria-label":u,"data-is-focusable":!0},!(!i&&!n)&&r.createElement("div",{className:p.sliderOverlay,style:i?{background:"transparency"===e?"linear-gradient(to right, #"+i+", transparent)":"linear-gradient(to right, transparent, #"+i+")"}:n}),r.createElement("div",{className:p.sliderThumb,style:{left:m+"%"}}))},Object.defineProperty(t.prototype,"_type",{get:function(){var e=this.props,t=e.isAlpha,o=e.type;return void 0===o?t?"alpha":"hue":o},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"_maxValue",{get:function(){return"hue"===this._type?h.a_:h.c5},enumerable:!0,configurable:!0}),t.prototype._updateValue=function(e,t){if(t!==this.value){var o=this.props.onChange;o&&o(e,t),e.defaultPrevented||(this.setState({currentValue:t}),e.preventDefault())}},t.defaultProps={value:0},t}(r.Component),I={background:"linear-gradient("+["to left","red 0","#f09 10%","#cd00ff 20%","#3200ff 30%","#06f 40%","#00fffd 50%","#0f6 60%","#35ff00 70%","#cdff00 80%","#f90 90%","red 100%"].join(",")+")"},D={backgroundImage:"url(data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAAoAAAAKCAYAAACNMs+9AAAAJUlEQVQYV2N89erVfwY0ICYmxoguxjgUFKI7GsTH5m4M3w1ChQC1/Ca8i2n1WgAAAABJRU5ErkJggg==)"},T=(0,u.z)(w,(function(e){var t,o=e.theme,n=e.className,r=e.type,i=void 0===r?"hue":r,a=e.isAlpha,s=void 0===a?"hue"!==i:a,l=o.palette,c=o.effects;return{root:["ms-ColorPicker-slider",{position:"relative",height:20,marginBottom:8,border:"1px solid "+l.neutralLight,borderRadius:c.roundedCorner2,boxSizing:"border-box",outline:"none",selectors:(t={},t["."+C.G$+" &:focus"]={outline:"1px solid "+l.neutralSecondary},t)},s?D:I,n],sliderOverlay:["ms-ColorPicker-sliderOverlay",{content:"",position:"absolute",left:0,right:0,top:0,bottom:0}],sliderThumb:["ms-ColorPicker-thumb","is-slider",{position:"absolute",width:20,height:20,background:"white",border:"1px solid "+l.neutralSecondaryAlt,borderRadius:"50%",boxShadow:c.elevation8,transform:"translate(-50%, -50%)",top:"50%"}]}}),void 0,{scope:"ColorSlider"}),E=o(7375),P=o(8208),M=o(8490),R=o(1332),N=o(1990),B=o(2775),F=o(5298),L=(0,i.y)(),A=["hex","r","g","b","a","t"],z=function(e){function t(o){var r=e.call(this,o)||this;r._onSVChanged=function(e,t){r._updateColor(e,t)},r._onHChanged=function(e,t){r._updateColor(e,(0,N.i)(r.state.color,t))},r._onATChanged=function(e,t){var o="transparency"===r.props.alphaType?R.X:M.R;r._updateColor(e,o(r.state.color,Math.round(t)))},r._onBlur=function(e){var t,o=r.state,i=o.color,a=o.editingColor;if(a){var s=a.value,l=a.component,c="hex"===l,u="a"===l,d="t"===l,p=c?h.yE:h.HT;if(s.length>=p&&(c||!isNaN(Number(s)))){var m=void 0;m=c?(0,E.T)("#"+(0,F.L)(s)):u||d?(u?M.R:R.X)(i,(0,v.u)(Number(s),h.c5)):(0,P.N)((0,B.k)((0,n.pi)((0,n.pi)({},i),((t={})[l]=Number(s),t)))),r._updateColor(e,m)}else r.setState({editingColor:void 0})}},(0,a.l)(r);var i=o.strings;(0,s.b)("ColorPicker",o,{hexLabel:"strings.hex",redLabel:"strings.red",greenLabel:"strings.green",blueLabel:"strings.blue",alphaLabel:"strings.alpha",alphaSliderHidden:"alphaType"}),i.hue&&(0,l.Z)("ColorPicker property 'strings.hue' was used but has been deprecated. Use 'strings.hueAriaLabel' instead."),r.state={color:H(o)||(0,E.T)("#ffffff")},r._textChangeHandlers={};for(var c=0,u=A;c{"use strict";o.d(t,{z:()=>i});var n=o(2002),r=o(1958),i=(0,n.z)(r.T,(function(e){var t=e.className,o=e.theme,n=e.alphaType;return{root:["ms-ColorPicker",o.fonts.medium,{position:"relative",maxWidth:300},t],panel:["ms-ColorPicker-panel",{padding:"16px"}],table:["ms-ColorPicker-table",{tableLayout:"fixed",width:"100%",selectors:{"tbody td:last-of-type .ms-ColorPicker-input":{paddingRight:0}}}],tableHeader:[o.fonts.small,{selectors:{td:{paddingBottom:4}}}],tableHexCell:{width:"25%"},tableAlphaCell:"transparency"===n&&{width:"22%"},colorSquare:["ms-ColorPicker-colorSquare",{width:48,height:48,margin:"0 0 0 8px",border:"1px solid #c8c6c4"}],flexContainer:{display:"flex"},flexSlider:{flexGrow:"1"},flexPreviewBox:{flexGrow:"0"},input:["ms-ColorPicker-input",{width:"100%",border:"none",boxSizing:"border-box",height:30,selectors:{"&.ms-TextField":{paddingRight:4},"& .ms-TextField-field":{minWidth:"auto",padding:5,textOverflow:"clip"}}}]}}),void 0,{scope:"ColorPicker"})},610:(e,t,o)=>{"use strict";o.d(t,{C:()=>Y});var n,r,i,a,s=o(7622),l=o(7002),c=o(5767),u=o(2447),d=o(63),p=o(4553),m=o(9577),h=o(8023),g=o(8088),f=o(8145),v=o(6479),b=o(8936),y=o(688),_=o(2167),C=o(9919),S=o(209),x=o(2782),k=o(8127),w=o(6053),I=o(2470),D=o(5953),T=o(6628),E=o(2777),P=o(9729),M=o(5094),R=(0,M.NF)((function(e){var t,o=e.semanticColors;return{backgroundColor:o.disabledBackground,color:o.disabledText,cursor:"default",selectors:(t={":after":{borderColor:o.disabledBackground}},t[P.qJ]={color:"GrayText",selectors:{":after":{borderColor:"GrayText"}}},t)}})),N={selectors:(n={},n[P.qJ]=(0,s.pi)({backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},(0,P.xM)()),n)},B={selectors:(r={},r[P.qJ]=(0,s.pi)({color:"WindowText",backgroundColor:"Window"},(0,P.xM)()),r)},F=(0,M.NF)((function(e,t,o,n,r){var i,a=e.palette,s=e.semanticColors,l={textHoveredColor:s.menuItemTextHovered,textSelectedColor:a.neutralDark,textDisabledColor:s.disabledText,backgroundHoveredColor:s.menuItemBackgroundHovered,backgroundPressedColor:s.menuItemBackgroundPressed},c={root:[e.fonts.medium,{backgroundColor:n?l.backgroundHoveredColor:"transparent",boxSizing:"border-box",cursor:"pointer",display:r?"none":"block",width:"100%",height:"auto",minHeight:36,lineHeight:"20px",padding:"0 8px",position:"relative",borderWidth:"1px",borderStyle:"solid",borderColor:"transparent",borderRadius:0,wordWrap:"break-word",overflowWrap:"break-word",textAlign:"left",selectors:(i={},i[P.qJ]={border:"none",borderColor:"Background"},i["&.ms-Checkbox"]={display:"flex",alignItems:"center"},i["&.ms-Button--command:hover:active"]={backgroundColor:l.backgroundPressedColor},i[".ms-Checkbox-label"]={width:"100%"},i)}],rootHovered:{backgroundColor:l.backgroundHoveredColor,color:l.textHoveredColor},rootFocused:{backgroundColor:l.backgroundHoveredColor},rootChecked:[{backgroundColor:"transparent",color:l.textSelectedColor,selectors:{":hover":[{backgroundColor:l.backgroundHoveredColor},N]}},(0,P.GL)(e,{inset:-1,isFocusedOnly:!1}),N],rootDisabled:{color:l.textDisabledColor,cursor:"default"},optionText:{overflow:"hidden",whiteSpace:"nowrap",textOverflow:"ellipsis",minWidth:"0px",maxWidth:"100%",wordWrap:"break-word",overflowWrap:"break-word",display:"inline-block"},optionTextWrapper:{maxWidth:"100%",display:"flex",alignItems:"center"}};return(0,P.E$)(c,t,o)})),L=(0,M.NF)((function(e,t){var o,n,r=e.semanticColors,i=e.fonts,a={buttonTextColor:r.bodySubtext,buttonTextHoveredCheckedColor:r.buttonTextChecked,buttonBackgroundHoveredColor:r.listItemBackgroundHovered,buttonBackgroundCheckedColor:r.listItemBackgroundChecked,buttonBackgroundCheckedHoveredColor:r.listItemBackgroundCheckedHovered},l={selectors:(o={},o[P.qJ]=(0,s.pi)({backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},(0,P.xM)()),o)},c={root:{color:a.buttonTextColor,fontSize:i.small.fontSize,position:"absolute",top:0,height:"100%",lineHeight:30,width:32,textAlign:"center",cursor:"default",selectors:(n={},n[P.qJ]=(0,s.pi)({backgroundColor:"ButtonFace",borderColor:"ButtonText",color:"ButtonText"},(0,P.xM)()),n)},icon:{fontSize:i.small.fontSize},rootHovered:[{backgroundColor:a.buttonBackgroundHoveredColor,color:a.buttonTextHoveredCheckedColor,cursor:"pointer"},l],rootPressed:[{backgroundColor:a.buttonBackgroundCheckedColor,color:a.buttonTextHoveredCheckedColor},l],rootChecked:[{backgroundColor:a.buttonBackgroundCheckedColor,color:a.buttonTextHoveredCheckedColor},l],rootCheckedHovered:[{backgroundColor:a.buttonBackgroundCheckedHoveredColor,color:a.buttonTextHoveredCheckedColor},l],rootDisabled:[R(e),{position:"absolute"}]};return(0,P.E$)(c,t)})),A=(0,M.NF)((function(e,t,o){var n,r,i,a,l,c,u=e.semanticColors,d=e.fonts,p=e.effects,m={textColor:u.inputText,borderColor:u.inputBorder,borderHoveredColor:u.inputBorderHovered,borderPressedColor:u.inputFocusBorderAlt,borderFocusedColor:u.inputFocusBorderAlt,backgroundColor:u.inputBackground,erroredColor:u.errorText},h={headerTextColor:u.menuHeader,dividerBorderColor:u.bodyDivider},g={selectors:(n={},n[P.qJ]={color:"GrayText"},n)},f=[{color:u.inputPlaceholderText},g],v=[{color:u.inputTextHovered},g],b=[{color:u.disabledText},g],y=(0,s.pi)((0,s.pi)({color:"HighlightText",backgroundColor:"Window"},(0,P.xM)()),{selectors:{":after":{borderColor:"Highlight"}}}),_=(0,P.$Y)(m.borderPressedColor,p.roundedCorner2,"border",0),C={container:{},label:{},labelDisabled:{},root:[e.fonts.medium,{boxShadow:"none",marginLeft:"0",paddingRight:32,paddingLeft:9,color:m.textColor,position:"relative",outline:"0",userSelect:"none",backgroundColor:m.backgroundColor,cursor:"text",display:"block",height:32,whiteSpace:"nowrap",textOverflow:"ellipsis",boxSizing:"border-box",selectors:{".ms-Label":{display:"inline-block",marginBottom:"8px"},"&.is-open":{selectors:(r={},r[P.qJ]=y,r)},":after":{pointerEvents:"none",content:"''",position:"absolute",left:0,top:0,bottom:0,right:0,borderWidth:"1px",borderStyle:"solid",borderColor:m.borderColor,borderRadius:p.roundedCorner2}}}],rootHovered:{selectors:(i={":after":{borderColor:m.borderHoveredColor},".ms-ComboBox-Input":[{color:u.inputTextHovered},(0,P.Sv)(v),B]},i[P.qJ]=(0,s.pi)((0,s.pi)({color:"HighlightText",backgroundColor:"Window"},(0,P.xM)()),{selectors:{":after":{borderColor:"Highlight"}}}),i)},rootPressed:[{position:"relative",selectors:(a={},a[P.qJ]=y,a)}],rootFocused:[{selectors:(l={".ms-ComboBox-Input":[{color:u.inputTextHovered},B]},l[P.qJ]=y,l)},_],rootDisabled:R(e),rootError:{selectors:{":after":{borderColor:m.erroredColor},":hover:after":{borderColor:u.inputBorderHovered}}},rootDisallowFreeForm:{},input:[(0,P.Sv)(f),{backgroundColor:m.backgroundColor,color:m.textColor,boxSizing:"border-box",width:"100%",height:"100%",borderStyle:"none",outline:"none",font:"inherit",textOverflow:"ellipsis",padding:"0",selectors:{"::-ms-clear":{display:"none"}}},B],inputDisabled:[R(e),(0,P.Sv)(b)],errorMessage:[e.fonts.small,{color:m.erroredColor,marginTop:"5px"}],callout:{boxShadow:p.elevation8},optionsContainerWrapper:{width:o},optionsContainer:{display:"block"},screenReaderText:P.ul,header:[d.medium,{fontWeight:P.lq.semibold,color:h.headerTextColor,backgroundColor:"none",borderStyle:"none",height:36,lineHeight:36,cursor:"default",padding:"0 8px",userSelect:"none",textAlign:"left",selectors:(c={},c[P.qJ]=(0,s.pi)({color:"GrayText"},(0,P.xM)()),c)}],divider:{height:1,backgroundColor:h.dividerBorderColor}};return(0,P.E$)(C,t)})),z=(0,M.NF)((function(e,t,o,n,r,i,a,s){return{container:(0,P.y0)("ms-ComboBox-container",t,e.container),label:(0,P.y0)(e.label,n&&e.labelDisabled),root:(0,P.y0)("ms-ComboBox",s?e.rootError:o&&"is-open",r&&"is-required",e.root,!a&&e.rootDisallowFreeForm,s&&!i?e.rootError:!n&&i&&e.rootFocused,!n&&{selectors:{":hover":s?e.rootError:!o&&!i&&e.rootHovered,":active":s?e.rootError:e.rootPressed,":focus":s?e.rootError:e.rootFocused}},n&&["is-disabled",e.rootDisabled]),input:(0,P.y0)("ms-ComboBox-Input",e.input,n&&e.inputDisabled),errorMessage:(0,P.y0)(e.errorMessage),callout:(0,P.y0)("ms-ComboBox-callout",e.callout),optionsContainerWrapper:(0,P.y0)("ms-ComboBox-optionsContainerWrapper",e.optionsContainerWrapper),optionsContainer:(0,P.y0)("ms-ComboBox-optionsContainer",e.optionsContainer),header:(0,P.y0)("ms-ComboBox-header",e.header),divider:(0,P.y0)("ms-ComboBox-divider",e.divider),screenReaderText:(0,P.y0)(e.screenReaderText)}})),H=(0,M.NF)((function(e){return{optionText:(0,P.y0)("ms-ComboBox-optionText",e.optionText),root:(0,P.y0)("ms-ComboBox-option",e.root,{selectors:{":hover":e.rootHovered,":focus":e.rootFocused,":active":e.rootPressed}}),optionTextWrapper:(0,P.y0)(e.optionTextWrapper)}})),O=o(2052),W=o(2703),V=o(5515),K=o(5758),q=o(990),G=o(9241);!function(e){e[e.backward=-1]="backward",e[e.none=0]="none",e[e.forward=1]="forward"}(i||(i={})),function(e){e[e.clearAll=-2]="clearAll",e[e.default=-1]="default"}(a||(a={}));var U=l.memo((function(e){return(0,e.render)()}),(function(e,t){e.render;var o=(0,s._T)(e,["render"]),n=(t.render,(0,s._T)(t,["render"]));return(0,u.Vv)(o,n)})),j="ComboBox",J={options:[],allowFreeform:!1,autoComplete:"on",buttonIconProps:{iconName:"ChevronDown"}};var Y=l.forwardRef((function(e,t){var o=(0,d.j)(J,e),n=(o.ref,(0,s._T)(o,["ref"])),r=l.useRef(null),i=(0,G.r)(r,t),a=function(e){var t=e.options,o=e.defaultSelectedKey,n=e.selectedKey,r=l.useState((function(){return X(t,function(e,t){var o=Q(e);return o.length?o:Q(t)}(o,n))})),i=r[0],a=r[1],s=l.useState(t),c=s[0],u=s[1],d=l.useState(),p=d[0],m=d[1];return l.useEffect((function(){if(void 0!==n){var e=Q(n),o=X(t,e);a(o)}u(t)}),[t,n]),l.useEffect((function(){null===n&&m(void 0)}),[n]),[i,a,c,u,p,m]}(n),c=a[0],u=a[1],p=a[2],m=a[3],h=a[4],g=a[5];return l.createElement(Z,(0,s.pi)({},n,{hoisted:{mergedRootRef:i,rootRef:r,selectedIndices:c,setSelectedIndices:u,currentOptions:p,setCurrentOptions:m,suggestedDisplayValue:h,setSuggestedDisplayValue:g}}))}));Y.displayName=j;var Z=function(e){function t(t){var o=e.call(this,t)||this;return o._autofill=l.createRef(),o._comboBoxWrapper=l.createRef(),o._comboBoxMenu=l.createRef(),o._selectedElement=l.createRef(),o.focus=function(e,t){o._autofill.current&&(t?(0,p.um)(o._autofill.current):o._autofill.current.focus(),e&&o.setState({isOpen:!0})),o._hasFocus()||o.setState({focusState:"focused"})},o.dismissMenu=function(){o.state.isOpen&&o.setState({isOpen:!1})},o._onUpdateValueInAutofillWillReceiveProps=function(){var e=o._autofill.current;if(!e)return null;if(null===e.value||void 0===e.value)return null;var t=$(o._currentVisibleValue);return e.value!==t?t:e.value},o._renderComboBoxWrapper=function(e,t){var n=o.props,r=n.label,i=n.disabled,a=n.ariaLabel,u=n.ariaDescribedBy,d=n.required,p=n.errorMessage,h=n.buttonIconProps,g=n.isButtonAriaHidden,f=void 0===g||g,v=n.title,b=n.placeholder,y=n.tabIndex,_=n.autofill,C=n.iconButtonProps,S=n.hoisted.suggestedDisplayValue,x=o.state.isOpen,k=o._hasFocus()&&o.props.multiSelect&&e?e:b;return l.createElement("div",{"data-ktp-target":!0,ref:o._comboBoxWrapper,id:o._id+"wrapper",className:o._classNames.root},l.createElement(c.G,(0,s.pi)({"data-ktp-execute-target":!0,"data-is-interactable":!i,componentRef:o._autofill,id:o._id+"-input",className:o._classNames.input,type:"text",onFocus:o._onFocus,onBlur:o._onBlur,onKeyDown:o._onInputKeyDown,onKeyUp:o._onInputKeyUp,onClick:o._onAutofillClick,onTouchStart:o._onTouchStart,onInputValueChange:o._onInputChange,"aria-expanded":x,"aria-autocomplete":o._getAriaAutoCompleteValue(),role:"combobox",readOnly:i,"aria-labelledby":r&&o._id+"-label","aria-label":a&&!r?a:void 0,"aria-describedby":void 0!==p?(0,m.I)(u,t):u,"aria-activedescendant":o._getAriaActiveDescendantValue(),"aria-required":d,"aria-disabled":i,"aria-owns":x?o._id+"-list":void 0,spellCheck:!1,defaultVisibleValue:o._currentVisibleValue,suggestedDisplayValue:S,updateValueInWillReceiveProps:o._onUpdateValueInAutofillWillReceiveProps,shouldSelectFullInputValueInComponentDidUpdate:o._onShouldSelectFullInputValueInAutofillComponentDidUpdate,title:v,preventValueSelection:!o._hasFocus(),placeholder:k,tabIndex:y},_)),l.createElement(K.h,(0,s.pi)({className:"ms-ComboBox-CaretDown-button",styles:o._getCaretButtonStyles(),role:"presentation","aria-hidden":f,"data-is-focusable":!1,tabIndex:-1,onClick:o._onComboBoxClick,onBlur:o._onBlur,iconProps:h,disabled:i,checked:x},C)))},o._onShouldSelectFullInputValueInAutofillComponentDidUpdate=function(){return o._currentVisibleValue===o.props.hoisted.suggestedDisplayValue},o._getVisibleValue=function(){var e=o.props,t=e.text,n=e.allowFreeform,r=e.autoComplete,i=e.hoisted,a=i.suggestedDisplayValue,s=i.selectedIndices,l=i.currentOptions,c=o.state,u=c.currentPendingValueValidIndex,d=c.currentPendingValue,p=c.isOpen,m=ee(l,u);if((!p||!m)&&t&&null==d)return t;if(o.props.multiSelect){if(o._hasFocus()){var h=-1;return"on"===r&&m&&(h=u),o._getPendingString(d,l,h)}return o._getMultiselectDisplayString(s,l,a)}return h=o._getFirstSelectedIndex(),n?("on"===r&&m&&(h=u),o._getPendingString(d,l,h)):m&&"on"===r?(h=u,$(d)):!o.state.isOpen&&d?ee(l,h)?d:$(a):ee(l,h)?l[h].text:$(a)},o._onInputChange=function(e){o.props.disabled?o._handleInputWhenDisabled(null):o.props.allowFreeform?o._processInputChangeWithFreeform(e):o._processInputChangeWithoutFreeform(e)},o._onFocus=function(){var e,t;null===(t=null===(e=o._autofill.current)||void 0===e?void 0:e.inputElement)||void 0===t||t.select(),o._hasFocus()||o.setState({focusState:"focusing"})},o._onResolveOptions=function(){if(o.props.onResolveOptions){var e=o.props.onResolveOptions((0,s.pr)(o.props.hoisted.currentOptions));if(Array.isArray(e))o.props.hoisted.setCurrentOptions(e);else if(e&&e.then){var t=o._currentPromise=e;t.then((function(e){t===o._currentPromise&&o.props.hoisted.setCurrentOptions(e)}))}}},o._onBlur=function(e){var t,n,r=e.relatedTarget;if(null===e.relatedTarget&&(r=document.activeElement),r){var i=null===(t=o.props.hoisted.rootRef.current)||void 0===t?void 0:t.contains(r),a=null===(n=o._comboBoxMenu.current)||void 0===n?void 0:n.contains(r),s=o._comboBoxMenu.current&&(0,h.X)(o._comboBoxMenu.current,(function(e){return e===r}));if(i||a||s)return s&&o._hasFocus()&&(!o.props.multiSelect||o.props.allowFreeform)&&o._submitPendingValue(e),e.preventDefault(),void e.stopPropagation()}o._hasFocus()&&(o.setState({focusState:"none"}),o.props.multiSelect&&!o.props.allowFreeform||o._submitPendingValue(e))},o._onRenderContainer=function(e){var t,n,r=e.onRenderList,i=e.calloutProps,a=e.dropdownWidth,c=e.dropdownMaxWidth,u=e.onRenderUpperContent,d=void 0===u?o._onRenderUpperContent:u,p=e.onRenderLowerContent,m=void 0===p?o._onRenderLowerContent:p,h=e.useComboBoxAsMenuWidth,f=e.persistMenu,v=e.shouldRestoreFocus,b=void 0===v||v,y=o.state.isOpen,_=h&&o._comboBoxWrapper.current?o._comboBoxWrapper.current.clientWidth+2:void 0;return l.createElement(D.U,(0,s.pi)({isBeakVisible:!1,gapSpace:0,doNotLayer:!1,directionalHint:T.b.bottomLeftEdge,directionalHintFixed:!1},i,{onLayerMounted:o._onLayerMounted,className:(0,g.i)(o._classNames.callout,null===(t=i)||void 0===t?void 0:t.className),target:o._comboBoxWrapper.current,onDismiss:o._onDismiss,onMouseDown:o._onCalloutMouseDown,onScroll:o._onScroll,setInitialFocus:!1,calloutWidth:h&&o._comboBoxWrapper.current?_&&_:a,calloutMaxWidth:c||_,hidden:f?!y:void 0,shouldRestoreFocus:b}),d(o.props,o._onRenderUpperContent),l.createElement("div",{className:o._classNames.optionsContainerWrapper,ref:o._comboBoxMenu},null===(n=r)||void 0===n?void 0:n((0,s.pi)({},e),o._onRenderList)),m(o.props,o._onRenderLowerContent))},o._onLayerMounted=function(){o._onCalloutLayerMounted(),o.props.calloutProps&&o.props.calloutProps.onLayerMounted&&o.props.calloutProps.onLayerMounted()},o._onRenderLabel=function(e){var t=e.props,n=t.label,r=t.disabled,i=t.required;return n?l.createElement(O._,{id:o._id+"-label",disabled:r,required:i,className:o._classNames.label},n,e.multiselectAccessibleText&&l.createElement("span",{className:o._classNames.screenReaderText},e.multiselectAccessibleText)):null},o._onRenderList=function(e){var t=e.onRenderItem,n=e.options,r=o._id;return l.createElement("div",{id:r+"-list",className:o._classNames.optionsContainer,"aria-labelledby":r+"-label",role:"listbox"},n.map((function(e){var n;return null===(n=t)||void 0===n?void 0:n(e,o._onRenderItem)})))},o._onRenderItem=function(e){switch(e.itemType){case W.F.Divider:return o._renderSeparator(e);case W.F.Header:return o._renderHeader(e);default:return o._renderOption(e)}},o._onRenderLowerContent=function(){return null},o._onRenderUpperContent=function(){return null},o._renderOption=function(e){var t=o.props.onRenderOption,n=void 0===t?o._onRenderOptionContent:t,r=o._id,i=o._isOptionSelected(e.index),a=o._isOptionChecked(e.index),c=o._getCurrentOptionStyles(e),u=H(o._getCurrentOptionStyles(e)),d=oe(e),p=function(){return n(e,o._onRenderOptionContent)};return l.createElement(U,{key:e.key,index:e.index,disabled:e.disabled,isSelected:i,isChecked:a,text:e.text,render:function(){return o.props.multiSelect?l.createElement(E.X,{id:r+"-list"+e.index,ariaLabel:oe(e),key:e.key,styles:c,className:"ms-ComboBox-option",onChange:o._onItemClick(e),label:e.text,checked:a,title:d,disabled:e.disabled,onRenderLabel:p,inputProps:(0,s.pi)({"aria-selected":a?"true":"false",role:"option"},{"data-index":e.index,"data-is-focusable":!0})}):l.createElement(q.M,{id:r+"-list"+e.index,key:e.key,"data-index":e.index,styles:c,checked:i,className:"ms-ComboBox-option",onClick:o._onItemClick(e),onMouseEnter:o._onOptionMouseEnter.bind(o,e.index),onMouseMove:o._onOptionMouseMove.bind(o,e.index),onMouseLeave:o._onOptionMouseLeave,role:"option","aria-selected":a?"true":"false",ariaLabel:oe(e),disabled:e.disabled,title:d},l.createElement("span",{className:u.optionTextWrapper,ref:i?o._selectedElement:void 0},n(e,o._onRenderOptionContent)))},data:e.data})},o._onCalloutMouseDown=function(e){e.preventDefault()},o._onScroll=function(){o._isScrollIdle||void 0===o._scrollIdleTimeoutId?o._isScrollIdle=!1:(o._async.clearTimeout(o._scrollIdleTimeoutId),o._scrollIdleTimeoutId=void 0),o._scrollIdleTimeoutId=o._async.setTimeout((function(){o._isScrollIdle=!0}),250)},o._onRenderOptionContent=function(e){var t=H(o._getCurrentOptionStyles(e));return l.createElement("span",{className:t.optionText},e.text)},o._onDismiss=function(){var e=o.props.onMenuDismiss;e&&e(),o.props.persistMenu&&o._onCalloutLayerMounted(),o._setOpenStateAndFocusOnClose(!1,!1),o._resetSelectedIndex()},o._onAfterClearPendingInfo=function(){o._processingClearPendingInfo=!1},o._onInputKeyDown=function(e){var t=o.props,n=t.disabled,r=t.allowFreeform,s=t.autoComplete,l=t.hoisted.currentOptions,c=o.state,u=c.isOpen,d=c.currentPendingValueValidIndexOnHover;if(o._lastKeyDownWasAltOrMeta=ne(e),n)o._handleInputWhenDisabled(e);else{var p=o._getPendingSelectedIndex(!1);switch(e.which){case f.m.enter:o._autofill.current&&o._autofill.current.inputElement&&o._autofill.current.inputElement.select(),o._submitPendingValue(e),o.props.multiSelect&&u?o.setState({currentPendingValueValidIndex:p}):(u||(!r||void 0===o.state.currentPendingValue||null===o.state.currentPendingValue||o.state.currentPendingValue.length<=0)&&o.state.currentPendingValueValidIndex<0)&&o.setState({isOpen:!u});break;case f.m.tab:return o.props.multiSelect||o._submitPendingValue(e),void(u&&o._setOpenStateAndFocusOnClose(!u,!1));case f.m.escape:if(o._resetSelectedIndex(),!u)return;o.setState({isOpen:!1});break;case f.m.up:if(d===a.clearAll&&(p=o.props.hoisted.currentOptions.length),e.altKey||e.metaKey){if(u){o._setOpenStateAndFocusOnClose(!u,!0);break}return}o._setPendingInfoFromIndexAndDirection(p,i.backward);break;case f.m.down:e.altKey||e.metaKey?o._setOpenStateAndFocusOnClose(!0,!0):(d===a.clearAll&&(p=-1),o._setPendingInfoFromIndexAndDirection(p,i.forward));break;case f.m.home:case f.m.end:if(r)return;p=-1;var m=i.forward;e.which===f.m.end&&(p=l.length,m=i.backward),o._setPendingInfoFromIndexAndDirection(p,m);break;case f.m.space:if(!r&&"off"===s)break;default:if(e.which>=112&&e.which<=123)return;if(e.keyCode===f.m.alt||"Meta"===e.key)return;if(!r&&"on"===s){o._onInputChange(e.key);break}return}e.stopPropagation(),e.preventDefault()}},o._onInputKeyUp=function(e){var t=o.props,n=t.disabled,r=t.allowFreeform,i=t.autoComplete,a=o.state.isOpen,s=o._lastKeyDownWasAltOrMeta&&ne(e);o._lastKeyDownWasAltOrMeta=!1;var l=s&&!((0,v.V)()||(0,b.g)());if(n)o._handleInputWhenDisabled(e);else switch(e.which){case f.m.space:return void(r||"off"!==i||o._setOpenStateAndFocusOnClose(!a,!!a));default:return void(l&&a?o._setOpenStateAndFocusOnClose(!a,!0):("focusing"===o.state.focusState&&o.props.openOnKeyboardFocus&&o.setState({isOpen:!0}),"focused"!==o.state.focusState&&o.setState({focusState:"focused"})))}},o._onOptionMouseLeave=function(){o._shouldIgnoreMouseEvent()||o.props.persistMenu&&!o.state.isOpen||o.setState({currentPendingValueValidIndexOnHover:a.clearAll})},o._onComboBoxClick=function(){var e=o.props.disabled,t=o.state.isOpen;e||(o._setOpenStateAndFocusOnClose(!t,!1),o.setState({focusState:"focused"}))},o._onAutofillClick=function(){var e=o.props,t=e.disabled;e.allowFreeform&&!t?o.focus(o.state.isOpen||o._processingTouch):o._onComboBoxClick()},o._onTouchStart=function(){o._comboBoxWrapper.current&&!("onpointerdown"in o._comboBoxWrapper)&&o._handleTouchAndPointerEvent()},o._onPointerDown=function(e){"touch"===e.pointerType&&(o._handleTouchAndPointerEvent(),e.preventDefault(),e.stopImmediatePropagation())},(0,y.l)(o),o._async=new _.e(o),o._events=new C.r(o),(0,S.L)(j,t,{defaultSelectedKey:"selectedKey",text:"defaultSelectedKey",selectedKey:"value",dropdownWidth:"useComboBoxAsMenuWidth"}),o._id=t.id||(0,x.z)("ComboBox"),o._isScrollIdle=!0,o._processingTouch=!1,o._gotMouseMove=!1,o._processingClearPendingInfo=!1,o.state={isOpen:!1,focusState:"none",currentPendingValueValidIndex:-1,currentPendingValue:void 0,currentPendingValueValidIndexOnHover:a.default},o}return(0,s.ZT)(t,e),Object.defineProperty(t.prototype,"selectedOptions",{get:function(){var e=this.props.hoisted,t=e.currentOptions,o=e.selectedIndices;return(0,V.t)(t,o)},enumerable:!0,configurable:!0}),t.prototype.componentDidMount=function(){this._comboBoxWrapper.current&&!this.props.disabled&&(this._events.on(this._comboBoxWrapper.current,"focus",this._onResolveOptions,!0),"onpointerdown"in this._comboBoxWrapper.current&&this._events.on(this._comboBoxWrapper.current,"pointerdown",this._onPointerDown,!0))},t.prototype.componentDidUpdate=function(e,t){var o=this,n=this.props,r=n.allowFreeform,i=n.text,a=n.onMenuOpen,s=n.onMenuDismissed,l=n.hoisted.selectedIndices,c=this.state,u=c.isOpen,d=c.currentPendingValueValidIndex;!u||t.isOpen&&t.currentPendingValueValidIndex===d||this._async.setTimeout((function(){return o._scrollIntoView()}),0),this._hasFocus()&&(u||t.isOpen&&!u&&this._focusInputAfterClose&&this._autofill.current&&document.activeElement!==this._autofill.current.inputElement)&&this.focus(void 0,!0),this._focusInputAfterClose&&(t.isOpen&&!u||this._hasFocus()&&(!u&&!this.props.multiSelect&&e.hoisted.selectedIndices&&l&&e.hoisted.selectedIndices[0]!==l[0]||!r||i!==e.text))&&this._onFocus(),this._notifyPendingValueChanged(t),u&&!t.isOpen&&a&&a(),!u&&t.isOpen&&s&&s()},t.prototype.componentWillUnmount=function(){this._async.dispose(),this._events.dispose()},t.prototype.render=function(){var e=this._id+"-error",t=this.props,o=t.className,n=t.disabled,r=t.required,i=t.errorMessage,a=t.onRenderContainer,c=void 0===a?this._onRenderContainer:a,u=t.onRenderLabel,d=void 0===u?this._onRenderLabel:u,p=t.onRenderList,m=void 0===p?this._onRenderList:p,h=t.onRenderItem,g=void 0===h?this._onRenderItem:h,f=t.onRenderOption,v=void 0===f?this._onRenderOptionContent:f,b=t.allowFreeform,y=t.styles,_=t.theme,C=t.persistMenu,S=t.multiSelect,x=t.hoisted,w=x.suggestedDisplayValue,I=x.selectedIndices,D=x.currentOptions,T=this.state.isOpen;this._currentVisibleValue=this._getVisibleValue();var E=S?this._getMultiselectDisplayString(I,D,w):void 0,P=(0,k.pq)(this.props,k.n7,["onChange","value"]),M=!!(i&&i.length>0);this._classNames=this.props.getClassNames?this.props.getClassNames(_,!!T,!!n,!!r,!!this._hasFocus(),!!b,!!M,o):z(A(_,y),o,!!T,!!n,!!r,!!this._hasFocus(),!!b,!!M);var R=this._renderComboBoxWrapper(E,e);return l.createElement("div",(0,s.pi)({},P,{ref:this.props.hoisted.mergedRootRef,className:this._classNames.container}),d({props:this.props,multiselectAccessibleText:E},this._onRenderLabel),R,(C||T)&&c((0,s.pi)((0,s.pi)({},this.props),{onRenderList:m,onRenderItem:g,onRenderOption:v,options:D.map((function(e,t){return(0,s.pi)((0,s.pi)({},e),{index:t})})),onDismiss:this._onDismiss}),this._onRenderContainer),l.createElement("div",(0,s.pi)({role:"region","aria-live":"polite","aria-atomic":"true",id:e},M?{className:this._classNames.errorMessage}:{"aria-hidden":!0}),void 0!==i?i:""))},t.prototype._getPendingString=function(e,t,o){return null!=e?e:ee(t,o)?t[o].text:""},t.prototype._getMultiselectDisplayString=function(e,t,o){for(var n=[],r=0;e&&r0){var a=oe(r[0]);i=a.toLocaleLowerCase()!==e?a:"",o=r[0].index}}else 1===(r=t.map((function(e,t){return(0,s.pi)((0,s.pi)({},e),{index:t})})).filter((function(t){return te(t)&&oe(t).toLocaleLowerCase()===e}))).length&&(o=r[0].index);this._setPendingInfo(n,o,i)},t.prototype._processInputChangeWithoutFreeform=function(e){var t=this,o=this.props.hoisted.currentOptions,n=this.state,r=n.currentPendingValue,i=n.currentPendingValueValidIndex;if("on"===this.props.autoComplete&&""!==e){this._autoCompleteTimeout&&(this._async.clearTimeout(this._autoCompleteTimeout),this._autoCompleteTimeout=void 0,e=$(r)+e);var a=e;e=e.toLocaleLowerCase();var l=o.map((function(e,t){return(0,s.pi)((0,s.pi)({},e),{index:t})})).filter((function(t){return te(t)&&0===t.text.toLocaleLowerCase().indexOf(e)}));return l.length>0&&this._setPendingInfo(a,l[0].index,oe(l[0])),void(this._autoCompleteTimeout=this._async.setTimeout((function(){t._autoCompleteTimeout=void 0}),1e3))}var c=i>=0?i:this._getFirstSelectedIndex();this._setPendingInfoFromIndex(c)},t.prototype._getFirstSelectedIndex=function(){var e,t=this.props.hoisted.selectedIndices;return(null===(e=t)||void 0===e?void 0:e.length)?t[0]:-1},t.prototype._getNextSelectableIndex=function(e,t){var o=this.props.hoisted.currentOptions,n=e+t;if(!ee(o,n=Math.max(0,Math.min(o.length-1,n))))return-1;var r=o[n];if(!te(r)||!0===r.hidden){if(t===i.none||!(n>0&&t=0&&ni.none))return e;n=this._getNextSelectableIndex(n,t)}return n},t.prototype._setSelectedIndex=function(e,t,o){void 0===o&&(o=i.none);var n=this.props,r=n.onChange,a=n.onPendingValueChanged,l=n.hoisted,c=l.selectedIndices,u=l.currentOptions,d=c?c.slice():[];if(ee(u,e=this._getNextSelectableIndex(e,o))){if(this.props.multiSelect||d.length<1||1===d.length&&d[0]!==e){var p=(0,s.pi)({},u[e]);if(!p||p.disabled)return;if(this.props.multiSelect?(p.selected=void 0!==p.selected?!p.selected:d.indexOf(e)<0,p.selected&&d.indexOf(e)<0?d.push(e):!p.selected&&d.indexOf(e)>=0&&(d=d.filter((function(t){return t!==e})))):d[0]=e,t.persist(),this.props.selectedKey||null===this.props.selectedKey)this._hasPendingValue&&a&&(a(),this._hasPendingValue=!1),r&&r(t,p,e,void 0);else{var m=u.slice();m[e]=p,this.props.hoisted.setSelectedIndices(d),this.props.hoisted.setCurrentOptions(m),this._hasPendingValue&&a&&(a(),this._hasPendingValue=!1),r&&r(t,p,e,void 0)}}this.props.multiSelect&&this.state.isOpen||this._clearPendingInfo()}},t.prototype._submitPendingValue=function(e){var t,o,n,r=this.props,i=r.onChange,a=r.allowFreeform,s=r.autoComplete,l=r.multiSelect,c=r.hoisted,u=c.currentOptions,d=this.state,p=d.currentPendingValue,m=d.currentPendingValueValidIndex,h=d.currentPendingValueValidIndexOnHover,g=this.props.hoisted.selectedIndices;if(!this._processingClearPendingInfo){if(a){if(null==p)return void(h>=0&&(this._setSelectedIndex(h,e),this._clearPendingInfo()));if(ee(u,m)){var f=oe(u[m]).toLocaleLowerCase(),v=this._autofill.current;if(p.toLocaleLowerCase()===f||s&&0===f.indexOf(p.toLocaleLowerCase())&&(null===(t=v)||void 0===t?void 0:t.isValueSelected)&&p.length+(v.selectionEnd-v.selectionStart)===f.length||(null===(n=null===(o=v)||void 0===o?void 0:o.inputElement)||void 0===n?void 0:n.value.toLocaleLowerCase())===f){if(this._setSelectedIndex(m,e),l&&this.state.isOpen)return;return void this._clearPendingInfo()}}if(i)i&&i(e,void 0,void 0,p);else{var b={key:p||(0,x.z)(),text:$(p)};l&&(b.selected=!0);var y=u.concat([b]);g&&(l||(g=[]),g.push(y.length-1)),c.setCurrentOptions(y),c.setSelectedIndices(g)}}else m>=0?this._setSelectedIndex(m,e):h>=0&&this._setSelectedIndex(h,e);this._clearPendingInfo()}},t.prototype._onCalloutLayerMounted=function(){this._gotMouseMove=!1},t.prototype._renderSeparator=function(e){var t=e.index,o=e.key;return t&&t>0?l.createElement("div",{role:"separator",key:o,className:this._classNames.divider}):null},t.prototype._renderHeader=function(e){var t=this.props.onRenderOption,o=void 0===t?this._onRenderOptionContent:t;return l.createElement("div",{key:e.key,className:this._classNames.header},o(e,this._onRenderOptionContent))},t.prototype._isOptionSelected=function(e){return this.state.currentPendingValueValidIndexOnHover!==a.clearAll&&this._getPendingSelectedIndex(!0)===e},t.prototype._isOptionChecked=function(e){return!(!this.props.multiSelect||void 0===e||!this.props.hoisted.selectedIndices)&&this.props.hoisted.selectedIndices.indexOf(e)>=0},t.prototype._getPendingSelectedIndex=function(e){var t=this.state,o=t.currentPendingValueValidIndexOnHover,n=t.currentPendingValueValidIndex,r=t.currentPendingValue;return o>=0?o:n>=0||e&&null!=r?n:this.props.multiSelect?0:this._getFirstSelectedIndex()},t.prototype._scrollIntoView=function(){var e=this.props,t=e.onScrollToItem,o=e.scrollSelectedToTop,n=this.state,r=n.currentPendingValueValidIndex,i=n.currentPendingValue;if(t)t(r>=0||""!==i?r:this._getFirstSelectedIndex());else if(this._selectedElement.current&&this._selectedElement.current.offsetParent)if(o)this._selectedElement.current.offsetParent.scrollIntoView(!0);else{var a=!0;if(this._comboBoxMenu.current&&this._comboBoxMenu.current.offsetParent){var s=this._comboBoxMenu.current.offsetParent.getBoundingClientRect(),l=this._selectedElement.current.offsetParent.getBoundingClientRect();if(s.top<=l.top&&s.top+s.height>=l.top+l.height)return;s.top+s.height<=l.top+l.height&&(a=!1)}this._selectedElement.current.offsetParent.scrollIntoView(a)}},t.prototype._onItemClick=function(e){var t=this,o=this.props.onItemClick,n=e.index;return function(r){t.props.multiSelect||(t._autofill.current&&t._autofill.current.focus(),t.setState({isOpen:!1})),o&&o(r,e,n),t._setSelectedIndex(n,r)}},t.prototype._resetSelectedIndex=function(){var e=this.props.hoisted.currentOptions;this._clearPendingInfo();var t=this._getFirstSelectedIndex();t>0&&t=0&&e=o.length-1?e=-1:t===i.backward&&e<=0&&(e=o.length);var n=this._getNextSelectableIndex(e,t);e===n?t===i.forward?e=this._getNextSelectableIndex(-1,t):t===i.backward&&(e=this._getNextSelectableIndex(o.length,t)):e=n,ee(o,e)&&this._setPendingInfoFromIndex(e)},t.prototype._notifyPendingValueChanged=function(e){var t=this.props.onPendingValueChanged;if(t){var o=this.props.hoisted.currentOptions,n=this.state,r=n.currentPendingValue,i=n.currentPendingValueValidIndex,a=n.currentPendingValueValidIndexOnHover,s=void 0,l=void 0;a!==e.currentPendingValueValidIndexOnHover&&ee(o,a)?s=a:i!==e.currentPendingValueValidIndex&&ee(o,i)?s=i:r!==e.currentPendingValue&&(l=r),(void 0!==s||void 0!==l||this._hasPendingValue)&&(t(void 0!==s?o[s]:void 0,s,l),this._hasPendingValue=void 0!==s||void 0!==l)}},t.prototype._setOpenStateAndFocusOnClose=function(e,t){this._focusInputAfterClose=t,this.setState({isOpen:e})},t.prototype._onOptionMouseEnter=function(e){this._shouldIgnoreMouseEvent()||this.setState({currentPendingValueValidIndexOnHover:e})},t.prototype._onOptionMouseMove=function(e){this._gotMouseMove=!0,this._isScrollIdle&&this.state.currentPendingValueValidIndexOnHover!==e&&this.setState({currentPendingValueValidIndexOnHover:e})},t.prototype._shouldIgnoreMouseEvent=function(){return!this._isScrollIdle||!this._gotMouseMove},t.prototype._handleInputWhenDisabled=function(e){this.props.disabled&&(this.state.isOpen&&this.setState({isOpen:!1}),null!==e&&e.which!==f.m.tab&&e.which!==f.m.escape&&(e.which<112||e.which>123)&&(e.stopPropagation(),e.preventDefault()))},t.prototype._handleTouchAndPointerEvent=function(){var e=this;void 0!==this._lastTouchTimeoutId&&(this._async.clearTimeout(this._lastTouchTimeoutId),this._lastTouchTimeoutId=void 0),this._processingTouch=!0,this._lastTouchTimeoutId=this._async.setTimeout((function(){e._processingTouch=!1,e._lastTouchTimeoutId=void 0}),500)},t.prototype._getCaretButtonStyles=function(){var e=this.props.caretDownButtonStyles;return L(this.props.theme,e)},t.prototype._getCurrentOptionStyles=function(e){var t=this.props.comboBoxOptionStyles,o=e.styles;return F(this.props.theme,t,o,this._isPendingOption(e),e.hidden)},t.prototype._getAriaActiveDescendantValue=function(){var e,t=this.props.hoisted.selectedIndices,o=this.state,n=o.isOpen,r=o.currentPendingValueValidIndex,i=n&&(null===(e=t)||void 0===e?void 0:e.length)?this._id+"-list"+t[0]:void 0;return n&&this._hasFocus()&&-1!==r&&(i=this._id+"-list"+r),i},t.prototype._getAriaAutoCompleteValue=function(){return this.props.disabled||"on"!==this.props.autoComplete?"none":this.props.allowFreeform?"inline":"both"},t.prototype._isPendingOption=function(e){return e&&e.index===this.state.currentPendingValueValidIndex},t.prototype._hasFocus=function(){return"none"!==this.state.focusState},(0,s.gn)([(0,w.a)("ComboBox",["theme","styles"],!0)],t)}(l.Component);function X(e,t){if(!e||!t)return[];var o={};e.forEach((function(e,t){e.selected&&(o[t]=!0)}));for(var n=function(t){var n=(0,I.cx)(e,(function(e){return e.key===t}));n>-1&&(o[n]=!0)},r=0,i=t;r=0&&t{"use strict";o.d(t,{MK:()=>Y,Hl:()=>j,Nb:()=>U});var n=o(7622),r=o(7002),i=r.createContext({}),a=o(5183),s=o(6628),l=o(7023),c=o(2998),u=o(7300),d=o(5094),p=o(63),m=o(8145),h=o(6479),g=o(8936),f=o(5951),v=o(4553),b=o(2167),y=o(9919),_=o(688),C=o(3129),S=o(2782),x=o(2447),k=o(8088),w=o(8127),I=o(2240),D=o(5953),T=o(6662),E=o(9577),P=function(e){function t(t){var o=e.call(this,t)||this;return o._onItemMouseEnter=function(e){var t=o.props,n=t.item,r=t.onItemMouseEnter;r&&r(n,e,e.currentTarget)},o._onItemClick=function(e){var t=o.props,n=t.item,r=t.onItemClickBase;r&&r(n,e,e.currentTarget)},o._onItemMouseLeave=function(e){var t=o.props,n=t.item,r=t.onItemMouseLeave;r&&r(n,e)},o._onItemKeyDown=function(e){var t=o.props,n=t.item,r=t.onItemKeyDown;r&&r(n,e)},o._onItemMouseMove=function(e){var t=o.props,n=t.item,r=t.onItemMouseMove;r&&r(n,e,e.currentTarget)},o._getSubmenuTarget=function(){},(0,_.l)(o),o}return(0,n.ZT)(t,e),t.prototype.shouldComponentUpdate=function(e){return!(0,x.Vv)(e,this.props)},t}(r.Component),M=o(9949),R=function(e){function t(){var t=null!==e&&e.apply(this,arguments)||this;return t._anchor=r.createRef(),t._getMemoizedMenuButtonKeytipProps=(0,d.NF)((function(e){return(0,n.pi)((0,n.pi)({},e),{hasMenu:!0})})),t._getSubmenuTarget=function(){return t._anchor.current?t._anchor.current:void 0},t._onItemClick=function(e){var o=t.props,n=o.item,r=o.onItemClick;r&&r(n,e)},t._renderAriaDescription=function(e,o){return e?r.createElement("span",{id:t._ariaDescriptionId,className:o},e):null},t}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this,t=this.props,o=t.item,i=t.classNames,a=t.index,s=t.focusableElementIndex,l=t.totalItemCount,c=t.hasCheckmarks,u=t.hasIcons,d=t.contextualMenuItemAs,p=void 0===d?T.W:d,m=t.expandedMenuItemKey,h=t.onItemClick,g=t.openSubMenu,f=t.dismissSubMenu,v=t.dismissMenu,b=o.rel;o.target&&"_blank"===o.target.toLowerCase()&&(b=b||"nofollow noopener noreferrer");var y=(0,I.Df)(o),_=(0,w.pq)(o,w.h2),C=(0,I.P_)(o),x=o.itemProps,k=o.ariaDescription,D=o.keytipProps;D&&y&&(D=this._getMemoizedMenuButtonKeytipProps(D)),k&&(this._ariaDescriptionId=(0,S.z)());var P=(0,E.I)(o.ariaDescribedBy,k?this._ariaDescriptionId:void 0,_["aria-describedby"]),R={"aria-describedby":P};return r.createElement("div",null,r.createElement(M.a,{keytipProps:o.keytipProps,ariaDescribedBy:P,disabled:C},(function(t){return r.createElement("a",(0,n.pi)({},R,_,t,{ref:e._anchor,href:o.href,target:o.target,rel:b,className:i.root,role:"menuitem","aria-haspopup":y||void 0,"aria-expanded":y?o.key===m:void 0,"aria-posinset":s+1,"aria-setsize":l,"aria-disabled":(0,I.P_)(o),style:o.style,onClick:e._onItemClick,onMouseEnter:e._onItemMouseEnter,onMouseLeave:e._onItemMouseLeave,onMouseMove:e._onItemMouseMove,onKeyDown:y?e._onItemKeyDown:void 0}),r.createElement(p,(0,n.pi)({componentRef:o.componentRef,item:o,classNames:i,index:a,onCheckmarkClick:c&&h?h:void 0,hasIcons:u,openSubMenu:g,dismissSubMenu:f,dismissMenu:v,getSubmenuTarget:e._getSubmenuTarget},x)),e._renderAriaDescription(k,i.screenReaderText))})))},t}(P),N=function(e){function t(){var t=null!==e&&e.apply(this,arguments)||this;return t._btn=r.createRef(),t._getMemoizedMenuButtonKeytipProps=(0,d.NF)((function(e){return(0,n.pi)((0,n.pi)({},e),{hasMenu:!0})})),t._renderAriaDescription=function(e,o){return e?r.createElement("span",{id:t._ariaDescriptionId,className:o},e):null},t._getSubmenuTarget=function(){return t._btn.current?t._btn.current:void 0},t}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this,t=this.props,o=t.item,i=t.classNames,a=t.index,s=t.focusableElementIndex,l=t.totalItemCount,c=t.hasCheckmarks,u=t.hasIcons,d=t.contextualMenuItemAs,p=void 0===d?T.W:d,m=t.expandedMenuItemKey,h=t.onItemMouseDown,g=t.onItemClick,f=t.openSubMenu,v=t.dismissSubMenu,b=t.dismissMenu,y=(0,I.E3)(o),_=null!==y,C=(0,I.JF)(o),x=(0,I.Df)(o),k=o.itemProps,D=o.ariaLabel,P=o.ariaDescription,R=(0,w.pq)(o,w.Yq);delete R.disabled;var N=o.role||C;P&&(this._ariaDescriptionId=(0,S.z)());var B=(0,E.I)(o.ariaDescribedBy,P?this._ariaDescriptionId:void 0,R["aria-describedby"]),F={className:i.root,onClick:this._onItemClick,onKeyDown:x?this._onItemKeyDown:void 0,onMouseEnter:this._onItemMouseEnter,onMouseLeave:this._onItemMouseLeave,onMouseDown:function(e){return h?h(o,e):void 0},onMouseMove:this._onItemMouseMove,href:o.href,title:o.title,"aria-label":D,"aria-describedby":B,"aria-haspopup":x||void 0,"aria-expanded":x?o.key===m:void 0,"aria-posinset":s+1,"aria-setsize":l,"aria-disabled":(0,I.P_)(o),"aria-checked":"menuitemcheckbox"!==N&&"menuitemradio"!==N||!_?void 0:!!y,"aria-selected":"menuitem"===N&&_?!!y:void 0,role:N,style:o.style},L=o.keytipProps;return L&&x&&(L=this._getMemoizedMenuButtonKeytipProps(L)),r.createElement(M.a,{keytipProps:L,ariaDescribedBy:B,disabled:(0,I.P_)(o)},(function(t){return r.createElement("button",(0,n.pi)({ref:e._btn},R,F,t),r.createElement(p,(0,n.pi)({componentRef:o.componentRef,item:o,classNames:i,index:a,onCheckmarkClick:c&&g?g:void 0,hasIcons:u,openSubMenu:f,dismissSubMenu:v,dismissMenu:b,getSubmenuTarget:e._getSubmenuTarget},k)),e._renderAriaDescription(P,i.screenReaderText))}))},t}(P),B=o(98),F=o(8386),L=function(e){function t(t){var o=e.call(this,t)||this;return o._getMemoizedMenuButtonKeytipProps=(0,d.NF)((function(e){return(0,n.pi)((0,n.pi)({},e),{hasMenu:!0})})),o._onItemKeyDown=function(e){var t=o.props,n=t.item,r=t.onItemKeyDown;e.which===m.m.enter?(o._executeItemClick(e),e.preventDefault(),e.stopPropagation()):r&&r(n,e)},o._getSubmenuTarget=function(){return o._splitButton},o._renderAriaDescription=function(e,t){return e?r.createElement("span",{id:o._ariaDescriptionId,className:t},e):null},o._onItemMouseEnterPrimary=function(e){var t=o.props,r=t.item,i=t.onItemMouseEnter;i&&i((0,n.pi)((0,n.pi)({},r),{subMenuProps:void 0,items:void 0}),e,o._splitButton)},o._onItemMouseEnterIcon=function(e){var t=o.props,n=t.item,r=t.onItemMouseEnter;r&&r(n,e,o._splitButton)},o._onItemMouseMovePrimary=function(e){var t=o.props,r=t.item,i=t.onItemMouseMove;i&&i((0,n.pi)((0,n.pi)({},r),{subMenuProps:void 0,items:void 0}),e,o._splitButton)},o._onItemMouseMoveIcon=function(e){var t=o.props,n=t.item,r=t.onItemMouseMove;r&&r(n,e,o._splitButton)},o._onIconItemClick=function(e){var t=o.props,n=t.item,r=t.onItemClickBase;r&&r(n,e,o._splitButton?o._splitButton:e.currentTarget)},o._executeItemClick=function(e){var t=o.props,n=t.item,r=t.executeItemClick,i=t.onItemClick;if(!n.disabled&&!n.isDisabled)return o._processingTouch&&i?i(n,e):void(r&&r(n,e))},o._onTouchStart=function(e){o._splitButton&&!("onpointerdown"in o._splitButton)&&o._handleTouchAndPointerEvent(e)},o._onPointerDown=function(e){"touch"===e.pointerType&&(o._handleTouchAndPointerEvent(e),e.preventDefault(),e.stopImmediatePropagation())},o._async=new b.e(o),o._events=new y.r(o),o}return(0,n.ZT)(t,e),t.prototype.componentDidMount=function(){this._splitButton&&"onpointerdown"in this._splitButton&&this._events.on(this._splitButton,"pointerdown",this._onPointerDown,!0)},t.prototype.componentWillUnmount=function(){this._async.dispose(),this._events.dispose()},t.prototype.render=function(){var e=this,t=this.props,o=t.item,i=t.classNames,a=t.index,s=t.focusableElementIndex,l=t.totalItemCount,c=t.hasCheckmarks,u=t.hasIcons,d=t.onItemMouseLeave,p=t.expandedMenuItemKey,m=(0,I.Df)(o),h=o.keytipProps;h&&(h=this._getMemoizedMenuButtonKeytipProps(h));var g=o.ariaDescription;return g&&(this._ariaDescriptionId=(0,S.z)()),r.createElement(M.a,{keytipProps:h,disabled:(0,I.P_)(o)},(function(t){return r.createElement("div",{"data-ktp-target":t["data-ktp-target"],ref:function(t){return e._splitButton=t},role:(0,I.JF)(o),"aria-label":o.ariaLabel,className:i.splitContainer,"aria-disabled":(0,I.P_)(o),"aria-expanded":m?o.key===p:void 0,"aria-haspopup":!0,"aria-describedby":(0,E.I)(o.ariaDescribedBy,g?e._ariaDescriptionId:void 0,t["aria-describedby"]),"aria-checked":o.isChecked||o.checked,"aria-posinset":s+1,"aria-setsize":l,onMouseEnter:e._onItemMouseEnterPrimary,onMouseLeave:d?d.bind(e,(0,n.pi)((0,n.pi)({},o),{subMenuProps:null,items:null})):void 0,onMouseMove:e._onItemMouseMovePrimary,onKeyDown:e._onItemKeyDown,onClick:e._executeItemClick,onTouchStart:e._onTouchStart,tabIndex:0,"data-is-focusable":!0,"aria-roledescription":o["aria-roledescription"]},e._renderSplitPrimaryButton(o,i,a,c,u),e._renderSplitDivider(o),e._renderSplitIconButton(o,i,a,t),e._renderAriaDescription(g,i.screenReaderText))}))},t.prototype._renderSplitPrimaryButton=function(e,t,o,i,a){var s=this.props,l=s.contextualMenuItemAs,c=void 0===l?T.W:l,u=s.onItemClick,d={key:e.key,disabled:(0,I.P_)(e)||e.primaryDisabled,name:e.name,text:e.text||e.name,secondaryText:e.secondaryText,className:t.splitPrimary,canCheck:e.canCheck,isChecked:e.isChecked,checked:e.checked,iconProps:e.iconProps,onRenderIcon:e.onRenderIcon,data:e.data,"data-is-focusable":!1},p=e.itemProps;return r.createElement("button",(0,n.pi)({},(0,w.pq)(d,w.Yq)),r.createElement(c,(0,n.pi)({"data-is-focusable":!1,item:d,classNames:t,index:o,onCheckmarkClick:i&&u?u:void 0,hasIcons:a},p)))},t.prototype._renderSplitDivider=function(e){var t=e.getSplitButtonVerticalDividerClassNames||B.Z;return r.createElement(F.p,{getClassNames:t})},t.prototype._renderSplitIconButton=function(e,t,o,i){var a=this.props,s=a.contextualMenuItemAs,l=void 0===s?T.W:s,c=a.onItemMouseLeave,u=a.onItemMouseDown,d=a.openSubMenu,p=a.dismissSubMenu,m=a.dismissMenu,h={onClick:this._onIconItemClick,disabled:(0,I.P_)(e),className:t.splitMenu,subMenuProps:e.subMenuProps,submenuIconProps:e.submenuIconProps,split:!0,key:e.key},g=(0,n.pi)((0,n.pi)({},(0,w.pq)(h,w.Yq)),{onMouseEnter:this._onItemMouseEnterIcon,onMouseLeave:c?c.bind(this,e):void 0,onMouseDown:function(t){return u?u(e,t):void 0},onMouseMove:this._onItemMouseMoveIcon,"data-is-focusable":!1,"data-ktp-execute-target":i["data-ktp-execute-target"],"aria-hidden":!0}),f=e.itemProps;return r.createElement("button",(0,n.pi)({},g),r.createElement(l,(0,n.pi)({componentRef:e.componentRef,item:h,classNames:t,index:o,hasIcons:!1,openSubMenu:d,dismissSubMenu:p,dismissMenu:m,getSubmenuTarget:this._getSubmenuTarget},f)))},t.prototype._handleTouchAndPointerEvent=function(e){var t=this,o=this.props.onTap;o&&o(e),this._lastTouchTimeoutId&&(this._async.clearTimeout(this._lastTouchTimeoutId),this._lastTouchTimeoutId=void 0),this._processingTouch=!0,this._lastTouchTimeoutId=this._async.setTimeout((function(){t._processingTouch=!1,t._lastTouchTimeoutId=void 0}),500)},t}(P),A=o(9729),z=o(6876),H=o(9241),O=o(2674),W=o(4126),V=o(9761),K=(0,u.y)(),q=(0,u.y)(),G={items:[],shouldFocusOnMount:!0,gapSpace:0,directionalHint:s.b.bottomAutoEdge,beakWidth:16};function U(e){return e.subMenuProps?e.subMenuProps.items:e.items}function j(e){return e.some((function(e){return!!e.canCheck||!(!e.sectionProps||!e.sectionProps.items.some((function(e){return!0===e.canCheck})))}))}var J=(0,d.NF)((function(){for(var e=[],t=0;t0){for(var $=0,ee=0,te=s;ee0?r.createElement("li",{role:"presentation",key:c.key||e.key||"section-"+o},r.createElement("div",(0,n.pi)({},d),r.createElement("ul",{className:this._classNames.list,role:"presentation"},c.topDivider&&this._renderSeparator(o,t,!0,!0),u&&this._renderListItem(u,e.key||o,t,e.title),c.items.map((function(e,t){return l._renderMenuItem(e,t,t,c.items.length,i,s)})),c.bottomDivider&&this._renderSeparator(o,t,!1,!0)))):void 0}},t.prototype._renderListItem=function(e,t,o,n){return r.createElement("li",{role:"presentation",title:n,key:t,className:o.item},e)},t.prototype._renderSeparator=function(e,t,o,n){return n||e>0?r.createElement("li",{role:"separator",key:"separator-"+e+(void 0===o?"":o?"-top":"-bottom"),className:t.divider,"aria-hidden":"true"}):null},t.prototype._renderNormalItem=function(e,t,o,r,i,a,s){return e.onRender?e.onRender((0,n.pi)({"aria-posinset":r+1,"aria-setsize":i},e),this.dismiss):e.href?this._renderAnchorMenuItem(e,t,o,r,i,a,s):e.split&&(0,I.Df)(e)?this._renderSplitButton(e,t,o,r,i,a,s):this._renderButtonItem(e,t,o,r,i,a,s)},t.prototype._renderHeaderMenuItem=function(e,t,o,i,a){var s=this.props.contextualMenuItemAs,l=void 0===s?T.W:s,c=e.itemProps,u=e.id,d=c&&(0,w.pq)(c,w.n7);return r.createElement("div",(0,n.pi)({id:u,className:this._classNames.header},d,{style:e.style}),r.createElement(l,(0,n.pi)({item:e,classNames:t,index:o,onCheckmarkClick:i?this._onItemClick:void 0,hasIcons:a},c)))},t.prototype._renderAnchorMenuItem=function(e,t,o,n,i,a,s){var l=this.props,c=l.contextualMenuItemAs,u=l.hoisted,d=u.expandedMenuItemKey,p=u.openSubMenu;return r.createElement(R,{item:e,classNames:t,index:o,focusableElementIndex:n,totalItemCount:i,hasCheckmarks:a,hasIcons:s,contextualMenuItemAs:c,onItemMouseEnter:this._onItemMouseEnterBase,onItemMouseLeave:this._onMouseItemLeave,onItemMouseMove:this._onItemMouseMoveBase,onItemMouseDown:this._onItemMouseDown,executeItemClick:this._executeItemClick,onItemClick:this._onAnchorClick,onItemKeyDown:this._onItemKeyDown,expandedMenuItemKey:d,openSubMenu:p,dismissSubMenu:this._onSubMenuDismiss,dismissMenu:this.dismiss})},t.prototype._renderButtonItem=function(e,t,o,n,i,a,s){var l=this.props,c=l.contextualMenuItemAs,u=l.hoisted,d=u.expandedMenuItemKey,p=u.openSubMenu;return r.createElement(N,{item:e,classNames:t,index:o,focusableElementIndex:n,totalItemCount:i,hasCheckmarks:a,hasIcons:s,contextualMenuItemAs:c,onItemMouseEnter:this._onItemMouseEnterBase,onItemMouseLeave:this._onMouseItemLeave,onItemMouseMove:this._onItemMouseMoveBase,onItemMouseDown:this._onItemMouseDown,executeItemClick:this._executeItemClick,onItemClick:this._onItemClick,onItemClickBase:this._onItemClickBase,onItemKeyDown:this._onItemKeyDown,expandedMenuItemKey:d,openSubMenu:p,dismissSubMenu:this._onSubMenuDismiss,dismissMenu:this.dismiss})},t.prototype._renderSplitButton=function(e,t,o,n,i,a,s){var l=this.props,c=l.contextualMenuItemAs,u=l.hoisted,d=u.expandedMenuItemKey,p=u.openSubMenu;return r.createElement(L,{item:e,classNames:t,index:o,focusableElementIndex:n,totalItemCount:i,hasCheckmarks:a,hasIcons:s,contextualMenuItemAs:c,onItemMouseEnter:this._onItemMouseEnterBase,onItemMouseLeave:this._onMouseItemLeave,onItemMouseMove:this._onItemMouseMoveBase,onItemMouseDown:this._onItemMouseDown,executeItemClick:this._executeItemClick,onItemClick:this._onItemClick,onItemClickBase:this._onItemClickBase,onItemKeyDown:this._onItemKeyDown,openSubMenu:p,dismissSubMenu:this._onSubMenuDismiss,dismissMenu:this.dismiss,expandedMenuItemKey:d,onTap:this._onPointerAndTouchEvent})},t.prototype._isAltOrMeta=function(e){return e.which===m.m.alt||"Meta"===e.key},t.prototype._shouldIgnoreMouseEvent=function(){return!this._isScrollIdle||!this.props.hoisted.gotMouseMove.current},t.prototype._updateFocusOnMouseEvent=function(e,t,o){var n=this,r=o||t.currentTarget,i=this.props,a=i.subMenuHoverDelay,s=void 0===a?250:a,l=i.hoisted,c=l.expandedMenuItemKey,u=l.openSubMenu;e.key!==c&&(void 0!==this._enterTimerId&&(this._async.clearTimeout(this._enterTimerId),this._enterTimerId=void 0),void 0===c&&r.focus(),(0,I.Df)(e)?(t.stopPropagation(),this._enterTimerId=this._async.setTimeout((function(){r.focus(),u(e,r,!0),n._enterTimerId=void 0}),s)):this._enterTimerId=this._async.setTimeout((function(){n._onSubMenuDismiss(t),r.focus(),n._enterTimerId=void 0}),s))},t.prototype._getSubmenuProps=function(){var e=this.props.hoisted,t=e.submenuTarget,o=e.expandedMenuItemKey,n=e.expandedByMouseClick,r=this._findItemByKey(o),i=null;return r&&(i={items:U(r),target:t,onDismiss:this._onSubMenuDismiss,isSubMenu:!0,id:this.state.subMenuId,shouldFocusOnMount:!0,shouldFocusOnContainer:n,directionalHint:(0,f.zg)(this.props.theme)?s.b.leftTopEdge:s.b.rightTopEdge,className:this.props.className,gapSpace:0,isBeakVisible:!1},r.subMenuProps&&(0,x.f0)(i,r.subMenuProps)),i},t.prototype._findItemByKey=function(e){var t=this.props.items;return this._findItemByKeyFromItems(e,t)},t.prototype._findItemByKeyFromItems=function(e,t){for(var o=0,n=t;o{"use strict";o.d(t,{RI:()=>p,Z:()=>c});var n=o(5094),r=o(9729),i=(0,n.NF)((function(e){return(0,r.ZC)({wrapper:{display:"inline-flex",height:"100%",alignItems:"center"},divider:{width:1,height:"100%",backgroundColor:e.palette.neutralTertiaryAlt}})})),a=o(668),s=o(6145),l=(0,r.sK)(0,r.yp),c=(0,n.NF)((function(e){var t;return(0,r.ZC)(i(e),{wrapper:{position:"absolute",right:28,selectors:(t={},t[l]={right:32},t)},divider:{height:16,width:1}})})),u={item:"ms-ContextualMenu-item",divider:"ms-ContextualMenu-divider",root:"ms-ContextualMenu-link",isChecked:"is-checked",isExpanded:"is-expanded",isDisabled:"is-disabled",linkContent:"ms-ContextualMenu-linkContent",linkContentMenu:"ms-ContextualMenu-linkContent",icon:"ms-ContextualMenu-icon",iconColor:"ms-ContextualMenu-iconColor",checkmarkIcon:"ms-ContextualMenu-checkmarkIcon",subMenuIcon:"ms-ContextualMenu-submenuIcon",label:"ms-ContextualMenu-itemText",secondaryText:"ms-ContextualMenu-secondaryText",splitMenu:"ms-ContextualMenu-splitMenu",screenReaderText:"ms-ContextualMenu-screenReaderText"},d=(0,n.NF)((function(e,t,o,n,i,l,c,d,p,m,h,g){var f,v,b,y,_=(0,a.w)(e),C=(0,r.Cn)(u,e);return(0,r.ZC)({item:[C.item,_.item,c],divider:[C.divider,_.divider,d],root:[C.root,_.root,n&&[C.isChecked,_.rootChecked],i&&_.anchorLink,o&&[C.isExpanded,_.rootExpanded],t&&[C.isDisabled,_.rootDisabled],!t&&!o&&[{selectors:(f={":hover":_.rootHovered,":active":_.rootPressed},f["."+s.G$+" &:focus, ."+s.G$+" &:focus:hover"]=_.rootFocused,f["."+s.G$+" &:hover"]={background:"inherit;"},f)}],g],splitPrimary:[_.root,{width:"calc(100% - 28px)"},n&&["is-checked",_.rootChecked],(t||h)&&["is-disabled",_.rootDisabled],!(t||h)&&!n&&[{selectors:(v={":hover":_.rootHovered},v[":hover ~ ."+C.splitMenu]=_.rootHovered,v[":active"]=_.rootPressed,v["."+s.G$+" &:focus, ."+s.G$+" &:focus:hover"]=_.rootFocused,v["."+s.G$+" &:hover"]={background:"inherit;"},v)}]],splitMenu:[C.splitMenu,_.root,{flexBasis:"0",padding:"0 8px",minWidth:"28px"},o&&["is-expanded",_.rootExpanded],t&&["is-disabled",_.rootDisabled],!t&&!o&&[{selectors:(b={":hover":_.rootHovered,":active":_.rootPressed},b["."+s.G$+" &:focus, ."+s.G$+" &:focus:hover"]=_.rootFocused,b["."+s.G$+" &:hover"]={background:"inherit;"},b)}]],anchorLink:_.anchorLink,linkContent:[C.linkContent,_.linkContent],linkContentMenu:[C.linkContentMenu,_.linkContent,{justifyContent:"center"}],icon:[C.icon,l&&_.iconColor,_.icon,p,t&&[C.isDisabled,_.iconDisabled]],iconColor:_.iconColor,checkmarkIcon:[C.checkmarkIcon,l&&_.checkmarkIcon,_.icon,p],subMenuIcon:[C.subMenuIcon,_.subMenuIcon,m,o&&{color:e.palette.neutralPrimary},t&&[_.iconDisabled]],label:[C.label,_.label],secondaryText:[C.secondaryText,_.secondaryText],splitContainer:[_.splitButtonFlexContainer,!t&&!n&&[{selectors:(y={},y["."+s.G$+" &:focus, ."+s.G$+" &:focus:hover"]=_.rootFocused,y)}]],screenReaderText:[C.screenReaderText,_.screenReaderText,r.ul,{visibility:"hidden"}]})})),p=function(e){var t=e.theme,o=e.disabled,n=e.expanded,r=e.checked,i=e.isAnchorLink,a=e.knownIcon,s=e.itemClassName,l=e.dividerClassName,c=e.iconClassName,u=e.subMenuClassName,p=e.primaryDisabled,m=e.className;return d(t,o,n,r,i,a,s,l,c,u,p,m)}},668:(e,t,o)=>{"use strict";o.d(t,{f:()=>a,w:()=>c});var n=o(7622),r=o(9729),i=o(5094),a=36,s=(0,r.sK)(0,r.yp),l=(0,i.NF)((function(){var e;return{selectors:(e={},e[r.qJ]=(0,n.pi)({backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},(0,r.xM)()),e)}})),c=(0,i.NF)((function(e){var t,o,i,c,u,d,p,m=e.semanticColors,h=e.fonts,g=e.palette,f=m.menuItemBackgroundHovered,v=m.menuItemTextHovered,b=m.menuItemBackgroundPressed,y=m.bodyDivider,_={item:[h.medium,{color:m.bodyText,position:"relative",boxSizing:"border-box"}],divider:{display:"block",height:"1px",backgroundColor:y,position:"relative"},root:[(0,r.GL)(e),h.medium,{color:m.bodyText,backgroundColor:"transparent",border:"none",width:"100%",height:a,lineHeight:a,display:"block",cursor:"pointer",padding:"0px 8px 0 4px",textAlign:"left"}],rootDisabled:{color:m.disabledBodyText,cursor:"default",pointerEvents:"none",selectors:(t={},t[r.qJ]=(0,n.pi)({color:"GrayText",opacity:1},(0,r.xM)()),t)},rootHovered:(0,n.pi)({backgroundColor:f,color:v,selectors:{".ms-ContextualMenu-icon":{color:g.themeDarkAlt},".ms-ContextualMenu-submenuIcon":{color:g.neutralPrimary}}},l()),rootFocused:(0,n.pi)({backgroundColor:g.white},l()),rootChecked:(0,n.pi)({selectors:{".ms-ContextualMenu-checkmarkIcon":{color:g.neutralPrimary}}},l()),rootPressed:(0,n.pi)({backgroundColor:b,selectors:{".ms-ContextualMenu-icon":{color:g.themeDark},".ms-ContextualMenu-submenuIcon":{color:g.neutralPrimary}}},l()),rootExpanded:(0,n.pi)({backgroundColor:b,color:m.bodyTextChecked},l()),linkContent:{whiteSpace:"nowrap",height:"inherit",display:"flex",alignItems:"center",maxWidth:"100%"},anchorLink:{padding:"0px 8px 0 4px",textRendering:"auto",color:"inherit",letterSpacing:"normal",wordSpacing:"normal",textTransform:"none",textIndent:"0px",textShadow:"none",textDecoration:"none",boxSizing:"border-box"},label:{margin:"0 4px",verticalAlign:"middle",display:"inline-block",flexGrow:"1",textOverflow:"ellipsis",overflow:"hidden",whiteSpace:"nowrap"},secondaryText:{color:e.palette.neutralSecondary,paddingLeft:"20px",textAlign:"right"},icon:{display:"inline-block",minHeight:"1px",maxHeight:a,fontSize:r.ld.medium,width:r.ld.medium,margin:"0 4px",verticalAlign:"middle",flexShrink:"0",selectors:(o={},o[s]={fontSize:r.ld.large,width:r.ld.large},o)},iconColor:{color:m.menuIcon,selectors:(i={},i[r.qJ]={color:"inherit"},i["$root:hover &"]={selectors:(c={},c[r.qJ]={color:"HighlightText"},c)},i["$root:focus &"]={selectors:(u={},u[r.qJ]={color:"HighlightText"},u)},i)},iconDisabled:{color:m.disabledBodyText},checkmarkIcon:{color:m.bodySubtext,selectors:(d={},d[r.qJ]={color:"HighlightText"},d)},subMenuIcon:{height:a,lineHeight:a,color:g.neutralSecondary,textAlign:"center",display:"inline-block",verticalAlign:"middle",flexShrink:"0",fontSize:r.ld.small,selectors:(p={":hover":{color:g.neutralPrimary},":active":{color:g.neutralPrimary}},p[s]={fontSize:r.ld.medium},p[r.qJ]={color:"HighlightText"},p)},splitButtonFlexContainer:[(0,r.GL)(e),{display:"flex",height:a,flexWrap:"nowrap",justifyContent:"center",alignItems:"flex-start"}]};return(0,r.E$)(_)}))},9134:(e,t,o)=>{"use strict";o.d(t,{r:()=>p});var n=o(7622),r=o(7002),i=o(2002),a=o(7817),s=o(9729),l=o(668),c={root:"ms-ContextualMenu",container:"ms-ContextualMenu-container",list:"ms-ContextualMenu-list",header:"ms-ContextualMenu-header",title:"ms-ContextualMenu-title",isopen:"is-open"};function u(e){return r.createElement(d,(0,n.pi)({},e))}var d=(0,i.z)(a.MK,(function(e){var t=e.className,o=e.theme,n=(0,s.Cn)(c,o),r=o.fonts,i=o.semanticColors,a=o.effects;return{root:[o.fonts.medium,n.root,n.isopen,{backgroundColor:i.menuBackground,minWidth:"180px"},t],container:[n.container,{selectors:{":focus":{outline:0}}}],list:[n.list,n.isopen,{listStyleType:"none",margin:"0",padding:"0"}],header:[n.header,r.small,{fontWeight:s.lq.semibold,color:i.menuHeader,background:"none",backgroundColor:"transparent",border:"none",height:l.f,lineHeight:l.f,cursor:"default",padding:"0px 6px",userSelect:"none",textAlign:"left"}],title:[n.title,{fontSize:r.mediumPlus.fontSize,paddingRight:"14px",paddingLeft:"14px",paddingBottom:"5px",paddingTop:"5px",backgroundColor:i.menuItemBackgroundPressed}],subComponentStyles:{callout:{root:{boxShadow:a.elevation8}},menuItem:{}}}}),(function(){return{onRenderSubMenu:u}}),{scope:"ContextualMenu"}),p=d;p.displayName="ContextualMenu"},5183:(e,t,o)=>{"use strict";var n;o.d(t,{n:()=>n}),function(e){e[e.Normal=0]="Normal",e[e.Divider=1]="Divider",e[e.Header=2]="Header",e[e.Section=3]="Section"}(n||(n={}))},1839:(e,t,o)=>{"use strict";o.d(t,{b:()=>h});var n=o(7622),r=o(7002),i=o(2240),a=o(5951),s=o(688),l=o(9947),c=function(e){var t=e.item,o=e.hasIcons,i=e.classNames,a=t.iconProps;return o?t.onRenderIcon?t.onRenderIcon(e):r.createElement(l.J,(0,n.pi)({},a,{className:i.icon})):null},u=function(e){var t=e.onCheckmarkClick,o=e.item,n=e.classNames,a=(0,i.E3)(o);return t?r.createElement(l.J,{iconName:!1!==o.canCheck&&a?"CheckMark":"",className:n.checkmarkIcon,onClick:function(e){return t(o,e)}}):null},d=function(e){var t=e.item,o=e.classNames;return t.text||t.name?r.createElement("span",{className:o.label},t.text||t.name):null},p=function(e){var t=e.item,o=e.classNames;return t.secondaryText?r.createElement("span",{className:o.secondaryText},t.secondaryText):null},m=function(e){var t=e.item,o=e.classNames,s=e.theme;return(0,i.Df)(t)?r.createElement(l.J,(0,n.pi)({iconName:(0,a.zg)(s)?"ChevronLeft":"ChevronRight"},t.submenuIconProps,{className:o.subMenuIcon})):null},h=function(e){function t(t){var o=e.call(this,t)||this;return o.openSubMenu=function(){var e=o.props,t=e.item,n=e.openSubMenu,r=e.getSubmenuTarget;if(r){var a=r();(0,i.Df)(t)&&n&&a&&n(t,a)}},o.dismissSubMenu=function(){var e=o.props,t=e.item,n=e.dismissSubMenu;(0,i.Df)(t)&&n&&n()},o.dismissMenu=function(e){var t=o.props.dismissMenu;t&&t(void 0,e)},(0,s.l)(o),o}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.item,o=e.classNames,n=t.onRenderContent||this._renderLayout;return r.createElement("div",{className:t.split?o.linkContentMenu:o.linkContent},n(this.props,{renderCheckMarkIcon:u,renderItemIcon:c,renderItemName:d,renderSecondaryText:p,renderSubMenuIcon:m}))},t.prototype._renderLayout=function(e,t){return r.createElement(r.Fragment,null,t.renderCheckMarkIcon(e),t.renderItemIcon(e),t.renderItemName(e),t.renderSecondaryText(e),t.renderSubMenuIcon(e))},t}(r.Component)},6662:(e,t,o)=>{"use strict";o.d(t,{W:()=>a});var n=o(2002),r=o(1839),i=o(98),a=(0,n.z)(r.b,i.RI,void 0,{scope:"ContextualMenuItem"})},6381:(e,t,o)=>{"use strict";o.d(t,{R:()=>x});var n=o(7622),r=o(7002),i=o(7300),a=o(63),s=o(8145),l=o(8127),c=o(8088),u=o(4977),d=o(1093),p=o(6974),m=o(5953),h=o(6628),g=o(8623),f=o(6007),v=o(3528),b=o(6548),y=o(4085),_=o(1194),C=(0,i.y)(),S={allowTextInput:!1,formatDate:function(e){return e?e.toDateString():""},parseDateFromString:function(e){var t=Date.parse(e);return t?new Date(t):null},firstDayOfWeek:d.eO.Sunday,initialPickerDate:new Date,isRequired:!1,isMonthPickerVisible:!0,showMonthPickerAsOverlay:!1,strings:_.f,highlightCurrentMonth:!1,highlightSelectedMonth:!1,borderless:!1,pickerAriaLabel:"Calendar",showWeekNumbers:!1,firstWeekOfYear:d.On.FirstDay,showGoToToday:!0,showCloseButton:!1,underlined:!1,allFocusable:!1},x=r.forwardRef((function(e,t){var o=(0,a.j)(S,e),i=o.firstDayOfWeek,d=o.strings,_=o.label,x=o.theme,w=o.className,I=o.styles,D=o.initialPickerDate,T=o.isRequired,E=o.disabled,P=o.ariaLabel,M=o.pickerAriaLabel,R=o.placeholder,N=o.allowTextInput,B=o.borderless,F=o.minDate,L=o.maxDate,A=o.showCloseButton,z=o.calendarProps,H=o.calloutProps,O=o.textField,W=o.underlined,V=o.allFocusable,K=o.calendarAs,q=void 0===K?u.f:K,G=o.tabIndex,U=o.disableAutoFocus,j=(0,y.M)("DatePicker",o.id),J=(0,y.M)("DatePicker-Callout"),Y=r.useRef(null),Z=r.useRef(null),X=function(){var e=r.useRef(null),t=r.useRef(!1);return[e,function(){var t,o,n;null===(n=null===(t=e.current)||void 0===t?void 0:(o=t).focus)||void 0===n||n.call(o)},t,function(){t.current=!0}]}(),Q=X[0],$=X[1],ee=X[2],te=X[3],oe=function(e,t){var o=e.allowTextInput,n=e.onAfterMenuDismiss,i=r.useState(!1),a=i[0],s=i[1],l=r.useRef(!1),c=(0,v.r)();return r.useEffect((function(){var e;l.current&&!a&&(o&&c.requestAnimationFrame(t),null===(e=n)||void 0===e||e()),l.current=!0}),[a]),[a,s]}(o,$),ne=oe[0],re=oe[1],ie=function(e){var t=e.formatDate,o=e.value,n=e.onSelectDate,i=(0,b.G)(o,void 0,(function(e,t){var o;return null===(o=n)||void 0===o?void 0:o(t)})),a=i[0],s=i[1],l=r.useState((function(){return o&&t?t(o):""})),c=l[0],u=l[1];return r.useEffect((function(){u(o&&t?t(o):"")}),[t,o]),[a,c,function(e){s(e),u(e&&t?t(e):"")},u]}(o),ae=ie[0],se=ie[1],le=ie[2],ce=ie[3],ue=function(e,t,o,n,i){var a=e.isRequired,s=e.allowTextInput,l=e.strings,c=e.parseDateFromString,u=e.onSelectDate,d=e.formatDate,m=e.minDate,h=e.maxDate,g=r.useState(),f=g[0],v=g[1];return r.useEffect((function(){a&&!t?v(l.isRequiredErrorMessage||" "):t&&k(t,m,h)?v(l.isOutOfBoundsErrorMessage||" "):v(void 0)}),[m&&(0,p.c8)(m),h&&(0,p.c8)(h),t&&(0,p.c8)(t),a]),[i?void 0:f,function(e){var r;if(void 0===e&&(e=null),s)if(n||e){if(t&&!f&&d&&d(null!=e?e:t)===n)return;!(e=e||c(n))||isNaN(e.getTime())?(o(t),v(l.invalidInputErrorMessage||" ")):k(e,m,h)?v(l.isOutOfBoundsErrorMessage||" "):(o(e),v(void 0))}else v(a?l.isRequiredErrorMessage||" ":void 0),null===(r=u)||void 0===r||r(e);else v(a&&!n?l.isRequiredErrorMessage||" ":void 0)},v]}(o,ae,le,se,ne),de=ue[0],pe=ue[1],me=ue[2],he=r.useCallback((function(){ne||(te(),re(!0))}),[ne,te,re]);r.useImperativeHandle(o.componentRef,(function(){return{focus:$,reset:function(){re(!1),le(void 0),me(void 0)},showDatePickerPopup:he}}),[$,me,re,le,he]);var ge=function(e){ne&&(re(!1),pe(e),!N&&e&&le(e))},fe=function(e){te(),ge(e)},ve=C(I,{theme:x,className:w,disabled:E,label:!!_,isDatePickerShown:ne}),be=(0,l.pq)(o,l.n7,["value"]),ye=O&&O.iconProps;return r.createElement("div",(0,n.pi)({},be,{className:ve.root,ref:t}),r.createElement("div",{ref:Z,"aria-haspopup":"true","aria-owns":ne?J:void 0,className:ve.wrapper},r.createElement(g.n,(0,n.pi)({role:"combobox",label:_,"aria-expanded":ne,ariaLabel:P,"aria-controls":ne?J:void 0,required:T,disabled:E,errorMessage:de,placeholder:R,borderless:B,value:se,componentRef:Q,underlined:W,tabIndex:G,readOnly:!N},O,{id:j+"-label",className:(0,c.i)(ve.textField,O&&O.className),iconProps:(0,n.pi)((0,n.pi)({iconName:"Calendar"},ye),{className:(0,c.i)(ve.icon,ye&&ye.className),onClick:function(e){e.stopPropagation(),ne||o.disabled?o.allowTextInput&&ge():he()}}),onKeyDown:function(e){switch(e.which){case s.m.enter:e.preventDefault(),e.stopPropagation(),ne?o.allowTextInput&&ge():(pe(),he());break;case s.m.escape:!function(e){e.stopPropagation(),fe()}(e);break;case s.m.down:e.altKey&&!ne&&he()}},onFocus:function(){U||N||(ee.current||he(),ee.current=!1)},onBlur:function(e){pe()},onClick:function(e){o.disableAutoFocus||ne||o.disabled?o.allowTextInput&&ge():he()},onChange:function(e,t){var n,r,i,a=o.textField;N&&(ne&&ge(),ce(t)),null===(i=null===(n=a)||void 0===n?void 0:(r=n).onChange)||void 0===i||i.call(r,e,t)}}))),ne&&r.createElement(m.U,(0,n.pi)({id:J,role:"dialog",ariaLabel:M,isBeakVisible:!1,gapSpace:0,doNotLayer:!1,target:Z.current,directionalHint:h.b.bottomLeftEdge},H,{className:(0,c.i)(ve.callout,H&&H.className),onDismiss:function(e){fe()},onPositioned:function(){var e=!0;o.calloutProps&&void 0!==o.calloutProps.setInitialFocus&&(e=o.calloutProps.setInitialFocus),Y.current&&e&&Y.current.focus()}}),r.createElement(f.P,{isClickableOutsideFocusTrap:!0,disableFirstFocus:o.disableAutoFocus},r.createElement(q,(0,n.pi)({},z,{onSelectDate:function(e){o.calendarProps&&o.calendarProps.onSelectDate&&o.calendarProps.onSelectDate(e),fe(e)},onDismiss:fe,isMonthPickerVisible:o.isMonthPickerVisible,showMonthPickerAsOverlay:o.showMonthPickerAsOverlay,today:o.today,value:ae||D,firstDayOfWeek:i,strings:d,highlightCurrentMonth:o.highlightCurrentMonth,highlightSelectedMonth:o.highlightSelectedMonth,showWeekNumbers:o.showWeekNumbers,firstWeekOfYear:o.firstWeekOfYear,showGoToToday:o.showGoToToday,dateTimeFormatter:o.dateTimeFormatter,minDate:F,maxDate:L,componentRef:Y,showCloseButton:A,allFocusable:V})))))}));function k(e,t,o){return!!t&&(0,p.NJ)(t,e)>0||!!o&&(0,p.NJ)(o,e)<0}x.displayName="DatePickerBase"},127:(e,t,o)=>{"use strict";o.d(t,{M:()=>s});var n=o(2002),r=o(6381),i=o(9729),a={root:"ms-DatePicker",callout:"ms-DatePicker-callout",withLabel:"ms-DatePicker-event--with-label",withoutLabel:"ms-DatePicker-event--without-label",disabled:"msDatePickerDisabled "},s=(0,n.z)(r.R,(function(e){var t=e.className,o=e.theme,n=e.disabled,r=e.label,s=e.isDatePickerShown,l=o.palette,c=o.semanticColors,u=(0,i.Cn)(a,o),d={color:l.neutralSecondary,fontSize:i.TS.icon,lineHeight:"18px",pointerEvents:"none",position:"absolute",right:"4px",padding:"5px"};return{root:[u.root,o.fonts.large,s&&"is-open",i.Fv,t],textField:[{position:"relative",selectors:{"& input[readonly]":{cursor:"pointer"},input:{selectors:{"::-ms-clear":{display:"none"}}}}},n&&{selectors:{"& input[readonly]":{cursor:"default"}}}],callout:[u.callout],icon:[d,r?u.withLabel:u.withoutLabel,{paddingTop:"7px"},!n&&[u.disabled,{pointerEvents:"initial",cursor:"pointer"}],n&&{color:c.disabledText,cursor:"default"}]}}),void 0,{scope:"DatePicker"})},1194:(e,t,o)=>{"use strict";o.d(t,{f:()=>i});var n=o(7622),r=o(6883),i=(0,n.pi)((0,n.pi)({},r.V3),{prevMonthAriaLabel:"Go to previous month",nextMonthAriaLabel:"Go to next month",prevYearAriaLabel:"Go to previous year",nextYearAriaLabel:"Go to next year",closeButtonAriaLabel:"Close date picker",isRequiredErrorMessage:"Field is required",invalidInputErrorMessage:"Invalid date format"})},8386:(e,t,o)=>{"use strict";o.d(t,{p:()=>a});var n=o(7002),r=(0,o(7300).y)(),i=n.forwardRef((function(e,t){var o=e.styles,i=e.theme,a=e.getClassNames,s=e.className,l=r(o,{theme:i,getClassNames:a,className:s});return n.createElement("span",{className:l.wrapper,ref:t},n.createElement("span",{className:l.divider}))}));i.displayName="VerticalDividerBase";var a=(0,o(2002).z)(i,(function(e){var t=e.theme,o=e.getClassNames,n=e.className;if(!t)throw new Error("Theme is undefined or null.");if(o){var r=o(t);return{wrapper:[r.wrapper],divider:[r.divider]}}return{wrapper:[{display:"inline-flex",height:"100%",alignItems:"center"},n],divider:[{width:1,height:"100%",backgroundColor:t.palette.neutralTertiaryAlt}]}}),void 0,{scope:"VerticalDivider"})},8982:(e,t,o)=>{"use strict";o.d(t,{P:()=>L});var n=o(7622),r=o(7002),i=o(7300),a=o(2470),s=o(2990),l=o(5446),c=o(8145),u=o(4553),d=o(688),p=o(2782),m=o(8127),h=o(9577),g=o(6479),f=o(8936),v=o(5953),b=o(6628),y=o(990),_=o(2703),C=function(){function e(){this._size=0}return e.prototype.updateOptions=function(e){for(var t=[],o=0,r=0;rthis._displayOnlyOptionsCache[t];)t++;if(this._displayOnlyOptionsCache[t]===e)throw new Error("Unexpected: Option at index "+e+" is not a selectable element.");return e-t+1}},e}(),S=o(2998),x=o(7023),k=o(9947),w=o(2052),I=o(9755),D=o(4126),T=o(9761),E=o(5515),P=o(2777),M=o(63),R=o(6876),N=o(9241),B=(0,i.y)(),F={options:[]},L=r.forwardRef((function(e,t){var o=(0,M.j)(F,e),i=r.useRef(null),s=(0,N.r)(t,i),l=(0,D.q)(i),c=function(e){var t,o=e.defaultSelectedKeys,n=e.selectedKeys,i=e.defaultSelectedKey,s=e.selectedKey,l=e.options,c=e.multiSelect,u=(0,R.D)(l),d=r.useState([]),p=d[0],m=d[1],h=l!==u;t=c?h&&void 0!==o?o:n:h&&void 0!==i?i:s;var g=(0,R.D)(t);return r.useEffect((function(){var e=function(e){return(0,a.cx)(l,(function(t){return null!=e?t.key===e:!!t.selected||!!t.isSelected}))};void 0===t&&u||t===g&&!h||m(function(){if(void 0===t)return c?l.map((function(e,t){return e.selected?t:-1})).filter((function(e){return-1!==e})):-1!==(i=e(null))?[i]:[];if(!Array.isArray(t))return-1!==(i=e(t))?[i]:[];for(var o=[],n=0,r=t;n0&&l();var r=o._id+e.key;a.items.push(i((0,n.pi)((0,n.pi)({id:r},e),{index:t}),o._onRenderItem)),a.id=r;break;case _.F.Divider:t>0&&a.items.push(i((0,n.pi)((0,n.pi)({},e),{index:t}),o._onRenderItem)),a.items.length>0&&l();break;default:a.items.push(i((0,n.pi)((0,n.pi)({},e),{index:t}),o._onRenderItem))}}(e,t)})),a.items.length>0&&l(),r.createElement(r.Fragment,null,s)},o._onRenderItem=function(e){switch(e.itemType){case _.F.Divider:return o._renderSeparator(e);case _.F.Header:return o._renderHeader(e);default:return o._renderOption(e)}},o._renderOption=function(e){var t=o.props,i=t.onRenderOption,a=void 0===i?o._onRenderOption:i,s=t.hoisted.selectedIndices,l=void 0===s?[]:s,c=!(void 0===e.index||!l)&&l.indexOf(e.index)>-1,u=e.hidden?o._classNames.dropdownItemHidden:c&&!0===e.disabled?o._classNames.dropdownItemSelectedAndDisabled:c?o._classNames.dropdownItemSelected:!0===e.disabled?o._classNames.dropdownItemDisabled:o._classNames.dropdownItem,d=e.title,p=void 0===d?e.text:d,m=o._classNames.subComponentStyles?o._classNames.subComponentStyles.multiSelectItem:void 0;return o.props.multiSelect?r.createElement(P.X,{id:o._listId+e.index,key:e.key,disabled:e.disabled,onChange:o._onItemClick(e),inputProps:(0,n.pi)({"aria-selected":c,onMouseEnter:o._onItemMouseEnter.bind(o,e),onMouseLeave:o._onMouseItemLeave.bind(o,e),onMouseMove:o._onItemMouseMove.bind(o,e),role:"option"},{"data-index":e.index,"data-is-focusable":!e.disabled}),label:e.text,title:p,onRenderLabel:o._onRenderItemLabel.bind(o,e),className:u,checked:c,styles:m,ariaPositionInSet:o._sizePosCache.positionInSet(e.index),ariaSetSize:o._sizePosCache.optionSetSize}):r.createElement(y.M,{id:o._listId+e.index,key:e.key,"data-index":e.index,"data-is-focusable":!e.disabled,disabled:e.disabled,className:u,onClick:o._onItemClick(e),onMouseEnter:o._onItemMouseEnter.bind(o,e),onMouseLeave:o._onMouseItemLeave.bind(o,e),onMouseMove:o._onItemMouseMove.bind(o,e),role:"option","aria-selected":c?"true":"false",ariaLabel:e.ariaLabel,title:p,"aria-posinset":o._sizePosCache.positionInSet(e.index),"aria-setsize":o._sizePosCache.optionSetSize},a(e,o._onRenderOption))},o._onRenderOption=function(e){return r.createElement("span",{className:o._classNames.dropdownOptionText},e.text)},o._onRenderItemLabel=function(e){var t=o.props.onRenderOption;return(void 0===t?o._onRenderOption:t)(e,o._onRenderOption)},o._onPositioned=function(e){o._focusZone.current&&o._requestAnimationFrame((function(){var e=o.props.hoisted.selectedIndices;if(o._focusZone.current)if(e&&e[0]&&!o.props.options[e[0]].disabled){var t=(0,l.M)().getElementById(o._id+"-list"+e[0]);t&&o._focusZone.current.focusElement(t)}else o._focusZone.current.focus()})),o.state.calloutRenderEdge&&o.state.calloutRenderEdge===e.targetEdge||o.setState({calloutRenderEdge:e.targetEdge})},o._onItemClick=function(e){return function(t){e.disabled||(o.setSelectedIndex(t,e.index),o.props.multiSelect||o.setState({isOpen:!1}))}},o._onScroll=function(){o._isScrollIdle||void 0===o._scrollIdleTimeoutId?o._isScrollIdle=!1:(clearTimeout(o._scrollIdleTimeoutId),o._scrollIdleTimeoutId=void 0),o._scrollIdleTimeoutId=window.setTimeout((function(){o._isScrollIdle=!0}),o._scrollIdleDelay)},o._onMouseItemLeave=function(e,t){if(!o._shouldIgnoreMouseEvent()&&o._host.current)if(o._host.current.setActive)try{o._host.current.setActive()}catch(e){}else o._host.current.focus()},o._onDismiss=function(){o.setState({isOpen:!1})},o._onDropdownBlur=function(e){o._isDisabled()||(o.setState({hasFocus:!1}),o.state.isOpen||o.props.onBlur&&o.props.onBlur(e))},o._onDropdownKeyDown=function(e){if(!o._isDisabled()&&(o._lastKeyDownWasAltOrMeta=o._isAltOrMeta(e),!o.props.onKeyDown||(o.props.onKeyDown(e),!e.defaultPrevented))){var t,n=o.props.hoisted.selectedIndices.length?o.props.hoisted.selectedIndices[0]:-1,r=e.altKey||e.metaKey,i=o.state.isOpen;switch(e.which){case c.m.enter:o.setState({isOpen:!i});break;case c.m.escape:if(!i)return;o.setState({isOpen:!1});break;case c.m.up:if(r){if(i){o.setState({isOpen:!1});break}return}o.props.multiSelect?o.setState({isOpen:!0}):o._isDisabled()||(t=o._moveIndex(e,-1,n-1,n));break;case c.m.down:r&&(e.stopPropagation(),e.preventDefault()),r&&!i||o.props.multiSelect?o.setState({isOpen:!0}):o._isDisabled()||(t=o._moveIndex(e,1,n+1,n));break;case c.m.home:o.props.multiSelect||(t=o._moveIndex(e,1,0,n));break;case c.m.end:o.props.multiSelect||(t=o._moveIndex(e,-1,o.props.options.length-1,n));break;case c.m.space:break;default:return}t!==n&&(e.stopPropagation(),e.preventDefault())}},o._onDropdownKeyUp=function(e){if(!o._isDisabled()){var t=o._shouldHandleKeyUp(e),n=o.state.isOpen;if(!o.props.onKeyUp||(o.props.onKeyUp(e),!e.defaultPrevented)){switch(e.which){case c.m.space:o.setState({isOpen:!n});break;default:return void(t&&n&&o.setState({isOpen:!1}))}e.stopPropagation(),e.preventDefault()}}},o._onZoneKeyDown=function(e){var t;o._lastKeyDownWasAltOrMeta=o._isAltOrMeta(e);var n=e.altKey||e.metaKey;switch(e.which){case c.m.up:n?o.setState({isOpen:!1}):o._host.current&&(t=(0,u.TE)(o._host.current,o._host.current.lastChild,!0));break;case c.m.home:case c.m.end:case c.m.pageUp:case c.m.pageDown:break;case c.m.down:!n&&o._host.current&&(t=(0,u.ft)(o._host.current,o._host.current.firstChild,!0));break;case c.m.escape:o.setState({isOpen:!1});break;case c.m.tab:return void o.setState({isOpen:!1});default:return}t&&t.focus(),e.stopPropagation(),e.preventDefault()},o._onZoneKeyUp=function(e){o._shouldHandleKeyUp(e)&&o.state.isOpen&&(o.setState({isOpen:!1}),e.preventDefault())},o._onDropdownClick=function(e){if(!o.props.onClick||(o.props.onClick(e),!e.defaultPrevented)){var t=o.state.isOpen;o._isDisabled()||o._shouldOpenOnFocus()||o.setState({isOpen:!t}),o._isFocusedByClick=!1}},o._onDropdownMouseDown=function(){o._isFocusedByClick=!0},o._onFocus=function(e){var t=o.state.isOpen,n=o.props,r=n.multiSelect,i=n.hoisted.selectedIndices;if(!o._isDisabled()){o._isFocusedByClick||t||0!==i.length||r||o._moveIndex(e,1,0,-1),o.props.onFocus&&o.props.onFocus(e);var a={hasFocus:!0};o._shouldOpenOnFocus()&&(a.isOpen=!0),o.setState(a)}},o._isDisabled=function(){var e=o.props.disabled,t=o.props.isDisabled;return void 0===e&&(e=t),e},o._onRenderLabel=function(e){var t=e.label,n=e.required,i=e.disabled,a=o._classNames.subComponentStyles?o._classNames.subComponentStyles.label:void 0;return t?r.createElement(w._,{className:o._classNames.label,id:o._labelId,required:n,styles:a,disabled:i},t):null},(0,d.l)(o),t.multiSelect,t.selectedKey,t.selectedKeys,t.defaultSelectedKey,t.defaultSelectedKeys;var i=t.options;return o._id=t.id||(0,p.z)("Dropdown"),o._labelId=o._id+"-label",o._listId=o._id+"-list",o._optionId=o._id+"-option",o._isScrollIdle=!0,o._sizePosCache.updateOptions(i),o.state={isOpen:!1,hasFocus:!1,calloutRenderEdge:void 0},o}return(0,n.ZT)(t,e),Object.defineProperty(t.prototype,"selectedOptions",{get:function(){var e=this.props,t=e.options,o=e.hoisted.selectedIndices;return(0,E.t)(t,o)},enumerable:!0,configurable:!0}),t.prototype.componentWillUnmount=function(){clearTimeout(this._scrollIdleTimeoutId)},t.prototype.componentDidUpdate=function(e,t){!0===t.isOpen&&!1===this.state.isOpen&&(this._gotMouseMove=!1,this.props.onDismiss&&this.props.onDismiss())},t.prototype.render=function(){var e=this._id,t=this.props,o=t.className,i=t.label,a=t.options,s=t.ariaLabel,l=t.required,c=t.errorMessage,u=t.styles,d=t.theme,p=t.panelProps,g=t.calloutProps,f=t.multiSelect,v=t.onRenderTitle,b=void 0===v?this._getTitle:v,y=t.onRenderContainer,_=void 0===y?this._onRenderContainer:y,C=t.onRenderCaretDown,S=void 0===C?this._onRenderCaretDown:C,x=t.onRenderLabel,k=void 0===x?this._onRenderLabel:x,w=t.hoisted.selectedIndices,I=this.state,D=I.isOpen,T=I.calloutRenderEdge,P=t.onRenderPlaceholder||t.onRenderPlaceHolder||this._getPlaceholder;a!==this._sizePosCache.cachedOptions&&this._sizePosCache.updateOptions(a);var M=(0,E.t)(a,w),R=(0,m.pq)(t,m.n7),N=this._isDisabled(),F=e+"-errorMessage",L=N?void 0:D&&1===w.length&&w[0]>=0?this._listId+w[0]:void 0,A=f?{role:"button"}:{role:"listbox",childRole:"option",ariaRequired:l,ariaSetSize:this._sizePosCache.optionSetSize,ariaPosInSet:this._sizePosCache.positionInSet(w[0]),ariaSelected:void 0!==w[0]||void 0};this._classNames=B(u,{theme:d,className:o,hasError:!!(c&&c.length>0),hasLabel:!!i,isOpen:D,required:l,disabled:N,isRenderingPlaceholder:!M.length,panelClassName:p?p.className:void 0,calloutClassName:g?g.className:void 0,calloutRenderEdge:T});var z=!!c&&c.length>0;return r.createElement("div",{className:this._classNames.root,ref:this.props.hoisted.rootRef},k(this.props,this._onRenderLabel),r.createElement("div",(0,n.pi)({"data-is-focusable":!N,"data-ktp-target":!0,ref:this._dropDown,id:e,tabIndex:N?-1:0,role:A.role,"aria-haspopup":"listbox","aria-expanded":D?"true":"false","aria-label":s,"aria-labelledby":i&&!s?(0,h.I)(this._labelId,this._optionId):void 0,"aria-describedby":z?this._id+"-errorMessage":void 0,"aria-activedescendant":L,"aria-required":A.ariaRequired,"aria-disabled":N,"aria-owns":D?this._listId:void 0},R,{className:this._classNames.dropdown,onBlur:this._onDropdownBlur,onKeyDown:this._onDropdownKeyDown,onKeyUp:this._onDropdownKeyUp,onClick:this._onDropdownClick,onMouseDown:this._onDropdownMouseDown,onFocus:this._onFocus}),r.createElement("span",{id:this._optionId,className:this._classNames.title,"aria-live":"polite","aria-atomic":!0,"aria-invalid":z,role:A.childRole,"aria-setsize":A.ariaSetSize,"aria-posinset":A.ariaPosInSet,"aria-selected":A.ariaSelected},M.length?b(M,this._onRenderTitle):P(t,this._onRenderPlaceholder)),r.createElement("span",{className:this._classNames.caretDownWrapper},S(t,this._onRenderCaretDown))),D&&_((0,n.pi)((0,n.pi)({},t),{onDismiss:this._onDismiss}),this._onRenderContainer),z&&r.createElement("div",{role:"alert",id:F,className:this._classNames.errorMessage},c))},t.prototype.focus=function(e){this._dropDown.current&&(this._dropDown.current.focus(),e&&this.setState({isOpen:!0}))},t.prototype.setSelectedIndex=function(e,t){var o=this.props,n=o.options,r=o.selectedKey,i=o.selectedKeys,a=o.multiSelect,s=o.notifyOnReselect,l=o.hoisted.selectedIndices,c=void 0===l?[]:l,u=!!c&&c.indexOf(t)>-1,d=[];if(t=Math.max(0,Math.min(n.length-1,t)),void 0===r&&void 0===i){if(a||s||t!==c[0]){if(a)if(d=c?this._copyArray(c):[],u){var p=d.indexOf(t);p>-1&&d.splice(p,1)}else d.push(t);else d=[t];e.persist(),this.props.hoisted.setSelectedIndices(d),this._onChange(e,n,t,u,a)}}else this._onChange(e,n,t,u,a)},t.prototype._copyArray=function(e){for(var t=[],o=0,n=e;o=r.length?o=0:o<0&&(o=r.length-1);for(var i=0;r[o].itemType===_.F.Header||r[o].itemType===_.F.Divider||r[o].disabled;){if(i>=r.length)return n;o+t<0?o=r.length:o+t>=r.length&&(o=-1),o+=t,i++}return this.setSelectedIndex(e,o),o},t.prototype._renderFocusableList=function(e){var t=e.onRenderList,o=void 0===t?this._onRenderList:t,n=e.label,i=e.ariaLabel,a=e.multiSelect;return r.createElement("div",{className:this._classNames.dropdownItemsWrapper,onKeyDown:this._onZoneKeyDown,onKeyUp:this._onZoneKeyUp,ref:this._host,tabIndex:0},r.createElement(S.k,{ref:this._focusZone,direction:x.U.vertical,id:this._listId,className:this._classNames.dropdownItems,role:"listbox","aria-label":i,"aria-labelledby":n&&!i?this._labelId:void 0,"aria-multiselectable":a},o(e,this._onRenderList)))},t.prototype._renderSeparator=function(e){var t=e.index,o=e.key;return t>0?r.createElement("div",{role:"separator",key:o,className:this._classNames.dropdownDivider}):null},t.prototype._renderHeader=function(e){var t=this.props.onRenderOption,o=void 0===t?this._onRenderOption:t,n=e.key,i=e.id;return r.createElement("div",{id:i,key:n,className:this._classNames.dropdownItemHeader},o(e,this._onRenderOption))},t.prototype._onItemMouseEnter=function(e,t){this._shouldIgnoreMouseEvent()||t.currentTarget.focus()},t.prototype._onItemMouseMove=function(e,t){var o=t.currentTarget;this._gotMouseMove=!0,this._isScrollIdle&&document.activeElement!==o&&o.focus()},t.prototype._shouldIgnoreMouseEvent=function(){return!this._isScrollIdle||!this._gotMouseMove},t.prototype._isAltOrMeta=function(e){return e.which===c.m.alt||"Meta"===e.key},t.prototype._shouldHandleKeyUp=function(e){var t=this._lastKeyDownWasAltOrMeta&&this._isAltOrMeta(e);return this._lastKeyDownWasAltOrMeta=!1,!!t&&!((0,g.V)()||(0,f.g)())},t.prototype._shouldOpenOnFocus=function(){var e=this.state.hasFocus,t=this.props.openOnKeyboardFocus;return!this._isFocusedByClick&&!0===t&&!e},t.defaultProps={options:[]},t}(r.Component)},4004:(e,t,o)=>{"use strict";o.d(t,{L:()=>v});var n,r,i,a=o(2002),s=o(8982),l=o(7622),c=o(6145),u=o(4568),d=o(9729),p={root:"ms-Dropdown-container",label:"ms-Dropdown-label",dropdown:"ms-Dropdown",title:"ms-Dropdown-title",caretDownWrapper:"ms-Dropdown-caretDownWrapper",caretDown:"ms-Dropdown-caretDown",callout:"ms-Dropdown-callout",panel:"ms-Dropdown-panel",dropdownItems:"ms-Dropdown-items",dropdownItem:"ms-Dropdown-item",dropdownDivider:"ms-Dropdown-divider",dropdownOptionText:"ms-Dropdown-optionText",dropdownItemHeader:"ms-Dropdown-header",titleIsPlaceHolder:"ms-Dropdown-titleIsPlaceHolder",titleHasError:"ms-Dropdown-title--hasError"},m=((n={})[d.qJ+", "+d.bO.replace("@media ","")]=(0,l.pi)({},(0,d.xM)()),n),h={selectors:(0,l.pi)((r={},r[d.qJ]={backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},r),m)},g={selectors:(i={},i[d.qJ]={borderColor:"Highlight"},i)},f=(0,d.sK)(0,d.dd),v=(0,a.z)(s.P,(function(e){var t,o,n,r,i,a,s,m,v,b,y,_,C=e.theme,S=e.hasError,x=e.hasLabel,k=e.className,w=e.isOpen,I=e.disabled,D=e.required,T=e.isRenderingPlaceholder,E=e.panelClassName,P=e.calloutClassName,M=e.calloutRenderEdge;if(!C)throw new Error("theme is undefined or null in base Dropdown getStyles function.");var R=(0,d.Cn)(p,C),N=C.palette,B=C.semanticColors,F=C.effects,L=C.fonts,A={color:B.menuItemTextHovered},z={color:B.menuItemText},H={borderColor:B.errorText},O=[R.dropdownItem,{backgroundColor:"transparent",boxSizing:"border-box",cursor:"pointer",display:"flex",alignItems:"center",padding:"0 8px",width:"100%",minHeight:36,lineHeight:20,height:0,position:"relative",border:"1px solid transparent",borderRadius:0,wordWrap:"break-word",overflowWrap:"break-word",textAlign:"left",".ms-Button-flexContainer":{width:"100%"}}],W=B.menuItemBackgroundPressed,V=function(e){var t;return void 0===e&&(e=!1),{selectors:(t={"&:hover:focus":[{color:B.menuItemTextHovered,backgroundColor:e?W:B.menuItemBackgroundHovered},h],"&:focus":[{backgroundColor:e?W:"transparent"},h],"&:active":[{color:B.menuItemTextHovered,backgroundColor:e?B.menuItemBackgroundHovered:B.menuBackground},h]},t["."+c.G$+" &:focus:after"]={left:0,top:0,bottom:0,right:0},t[d.qJ]={border:"none"},t)}},K=(0,l.pr)(O,[{backgroundColor:W,color:B.menuItemTextHovered},V(!0),h]),q=(0,l.pr)(O,[{color:B.disabledText,cursor:"default",selectors:(t={},t[d.qJ]={color:"GrayText",border:"none"},t)}]),G=M===u.z.bottom?F.roundedCorner2+" "+F.roundedCorner2+" 0 0":"0 0 "+F.roundedCorner2+" "+F.roundedCorner2,U=M===u.z.bottom?"0 0 "+F.roundedCorner2+" "+F.roundedCorner2:F.roundedCorner2+" "+F.roundedCorner2+" 0 0";return{root:[R.root,k],label:R.label,dropdown:[R.dropdown,d.Fv,L.medium,{color:B.menuItemText,borderColor:B.focusBorder,position:"relative",outline:0,userSelect:"none",selectors:(o={},o["&:hover ."+R.title]=[!I&&A,{borderColor:w?N.neutralSecondary:N.neutralPrimary},g],o["&:focus ."+R.title]=[!I&&A,{selectors:(n={},n[d.qJ]={color:"Highlight"},n)}],o["&:focus:after"]=[{pointerEvents:"none",content:"''",position:"absolute",boxSizing:"border-box",top:"0px",left:"0px",width:"100%",height:"100%",border:I?"none":"2px solid "+N.themePrimary,borderRadius:"2px",selectors:(r={},r[d.qJ]={color:"Highlight"},r)}],o["&:active ."+R.title]=[!I&&A,{borderColor:N.themePrimary},g],o["&:hover ."+R.caretDown]=!I&&z,o["&:focus ."+R.caretDown]=[!I&&z,{selectors:(i={},i[d.qJ]={color:"Highlight"},i)}],o["&:active ."+R.caretDown]=!I&&z,o["&:hover ."+R.titleIsPlaceHolder]=!I&&z,o["&:focus ."+R.titleIsPlaceHolder]=!I&&z,o["&:active ."+R.titleIsPlaceHolder]=!I&&z,o["&:hover ."+R.titleHasError]=H,o["&:active ."+R.titleHasError]=H,o)},w&&"is-open",I&&"is-disabled",D&&"is-required",D&&!x&&{selectors:(a={":before":{content:"'*'",color:B.errorText,position:"absolute",top:-5,right:-10}},a[d.qJ]={selectors:{":after":{right:-14}}},a)}],title:[R.title,d.Fv,{backgroundColor:B.inputBackground,borderWidth:1,borderStyle:"solid",borderColor:B.inputBorder,borderRadius:w?G:F.roundedCorner2,cursor:"pointer",display:"block",height:32,lineHeight:30,padding:"0 28px 0 8px",position:"relative",overflow:"hidden",whiteSpace:"nowrap",textOverflow:"ellipsis"},T&&[R.titleIsPlaceHolder,{color:B.inputPlaceholderText}],S&&[R.titleHasError,H],I&&{backgroundColor:B.disabledBackground,border:"none",color:B.disabledText,cursor:"default",selectors:(s={},s[d.qJ]=(0,l.pi)({border:"1px solid GrayText",color:"GrayText",backgroundColor:"Window"},(0,d.xM)()),s)}],caretDownWrapper:[R.caretDownWrapper,{position:"absolute",top:1,right:8,height:32,lineHeight:30},!I&&{cursor:"pointer"}],caretDown:[R.caretDown,{color:N.neutralSecondary,fontSize:L.small.fontSize,pointerEvents:"none"},I&&{color:B.disabledText,selectors:(m={},m[d.qJ]=(0,l.pi)({color:"GrayText"},(0,d.xM)()),m)}],errorMessage:(0,l.pi)((0,l.pi)({color:B.errorText},C.fonts.small),{paddingTop:5}),callout:[R.callout,{boxShadow:F.elevation8,borderRadius:U,selectors:(v={},v[".ms-Callout-main"]={borderRadius:U},v)},P],dropdownItemsWrapper:{selectors:{"&:focus":{outline:0}}},dropdownItems:[R.dropdownItems,{display:"block"}],dropdownItem:(0,l.pr)(O,[V()]),dropdownItemSelected:K,dropdownItemDisabled:q,dropdownItemSelectedAndDisabled:[K,q,{backgroundColor:"transparent"}],dropdownItemHidden:(0,l.pr)(O,[{display:"none"}]),dropdownDivider:[R.dropdownDivider,{height:1,backgroundColor:B.bodyDivider}],dropdownOptionText:[R.dropdownOptionText,{overflow:"hidden",whiteSpace:"nowrap",textOverflow:"ellipsis",minWidth:0,maxWidth:"100%",wordWrap:"break-word",overflowWrap:"break-word",margin:"1px"}],dropdownItemHeader:[R.dropdownItemHeader,(0,l.pi)((0,l.pi)({},L.medium),{fontWeight:d.lq.semibold,color:B.menuHeader,background:"none",backgroundColor:"transparent",border:"none",height:36,lineHeight:36,cursor:"default",padding:"0 8px",userSelect:"none",textAlign:"left",selectors:(b={},b[d.qJ]=(0,l.pi)({color:"GrayText"},(0,d.xM)()),b)})],subComponentStyles:{label:{root:{display:"inline-block"}},multiSelectItem:{root:{padding:0},label:{alignSelf:"stretch",padding:"0 8px",width:"100%"},input:{selectors:(y={},y["."+c.G$+" &:focus + label::before"]={outlineOffset:"0px"},y)}},panel:{root:[E],main:{selectors:(_={},_[f]={width:272},_)},contentInner:{padding:"0 0 20px"}}}}}),void 0,{scope:"Dropdown"});v.displayName="Dropdown"},4008:(e,t,o)=>{"use strict";o.d(t,{d:()=>f});var n=o(7622),r=o(7002),i=o(7300),a=o(5094),s=o(5951),l=o(5480),c=o(8127),u=o(3394),d=o(5446),p=o(9729),m=o(9241),h=(0,i.y)(),g=(0,a.NF)((function(e,t){return(0,p.jG)((0,n.pi)((0,n.pi)({},e),{rtl:t}))})),f=r.forwardRef((function(e,t){var o=e.className,i=e.theme,a=e.applyTheme,p=e.applyThemeToBody,f=e.styles,v=h(f,{theme:i,applyTheme:a,className:o}),b=r.useRef(null);return function(e,t,o){var n=t.bodyThemed;r.useEffect((function(){if(e){var t=(0,d.M)(o.current);if(t)return t.body.classList.add(n),function(){t.body.classList.remove(n)}}}),[n,e,o])}(p,v,b),(0,l.P)(b),r.createElement(r.Fragment,null,function(e,t,o,i){var a=t.root,l=e.as,d=void 0===l?"div":l,p=e.dir,h=e.theme,f=(0,c.pq)(e,c.n7,["dir"]),v=function(e){var t=e.theme,o=e.dir,n=(0,s.zg)(t)?"rtl":"ltr",r=(0,s.zg)()?"rtl":"ltr",i=o||n;return{rootDir:i!==n||i!==r?i:o,needsTheme:i!==n}}(e),b=v.rootDir,y=v.needsTheme,_=r.createElement(d,(0,n.pi)({dir:b},f,{className:a,ref:(0,m.r)(o,i)}));return y&&(_=r.createElement(u.N,{settings:{theme:g(h,"rtl"===p)}},_)),_}(e,v,b,t))}));f.displayName="FabricBase"},3595:(e,t,o)=>{"use strict";o.d(t,{P:()=>l});var n=o(2002),r=o(4008),i=o(9729),a={fontFamily:"inherit"},s={root:"ms-Fabric",bodyThemed:"ms-Fabric-bodyThemed"},l=(0,n.z)(r.d,(function(e){var t=e.theme,o=e.className,n=e.applyTheme;return{root:[(0,i.Cn)(s,t).root,t.fonts.medium,{color:t.palette.neutralPrimary,selectors:{"& button":a,"& input":a,"& textarea":a}},n&&{color:t.semanticColors.bodyText,backgroundColor:t.semanticColors.bodyBackground},o],bodyThemed:[{backgroundColor:t.semanticColors.bodyBackground}]}}),void 0,{scope:"Fabric"})},6007:(e,t,o)=>{"use strict";o.d(t,{P:()=>h});var n=o(7622),r=o(7002),i=o(8127),a=o(3345),s=o(4553),l=o(9251),c=o(6093),u=o(9241),d=o(4085),p=o(7913),m=o(8901),h=r.forwardRef((function(e,t){var o=r.useRef(null),f=r.useRef(null),v=r.useRef(null),b=(0,u.r)(o,t),y=(0,d.M)(void 0,e.id),_=(0,m.ky)(),C=(0,i.pq)(e,i.n7),S=(0,p.B)((function(){return{previouslyFocusedElementOutsideTrapZone:void 0,previouslyFocusedElementInTrapZone:void 0,disposeFocusHandler:void 0,disposeClickHandler:void 0,hasFocus:!1,unmodalize:void 0}})),x=e.ariaLabelledBy,k=e.className,w=e.children,I=e.componentRef,D=e.disabled,T=e.disableFirstFocus,E=void 0!==T&&T,P=e.disabled,M=void 0!==P&&P,R=e.elementToFocusOnDismiss,N=e.forceFocusInsideTrap,B=void 0===N||N,F=e.focusPreviouslyFocusedInnerElement,L=e.firstFocusableSelector,A=e.ignoreExternalFocusing,z=e.isClickableOutsideFocusTrap,H=void 0!==z&&z,O=e.onFocus,W=e.onBlur,V=e.onFocusCapture,K=e.onBlurCapture,q=e.enableAriaHiddenSiblings,G={"aria-hidden":!0,style:{pointerEvents:"none",position:"fixed"},tabIndex:D?-1:0,"data-is-visible":!0},U=r.useCallback((function(){if(F&&S.previouslyFocusedElementInTrapZone&&(0,a.t)(o.current,S.previouslyFocusedElementInTrapZone))(0,s.um)(S.previouslyFocusedElementInTrapZone);else{var e="string"==typeof L?L:L&&L(),t=null;o.current&&(e&&(t=o.current.querySelector("."+e)),t||(t=(0,s.dc)(o.current,o.current.firstChild,!1,!1,!1,!0))),t&&(0,s.um)(t)}}),[L,F,S]),j=r.useCallback((function(e){if(!D){var t=e===S.hasFocus?v.current:f.current;if(o.current){var n=e===S.hasFocus?(0,s.xY)(o.current,t,!0,!1):(0,s.RK)(o.current,t,!0,!1);n&&(n===f.current||n===v.current?U():n.focus())}}}),[D,U,S]),J=r.useCallback((function(e){var t;null===(t=K)||void 0===t||t(e);var n=e.relatedTarget;null===e.relatedTarget&&(n=_.activeElement),(0,a.t)(o.current,n)||(S.hasFocus=!1)}),[_,S,K]),Y=r.useCallback((function(e){var t;null===(t=V)||void 0===t||t(e),e.target===f.current?j(!0):e.target===v.current&&j(!1),S.hasFocus=!0,e.target!==e.currentTarget&&e.target!==f.current&&e.target!==v.current&&(S.previouslyFocusedElementInTrapZone=e.target)}),[V,S,j]),Z=r.useCallback((function(){if(h.focusStack=h.focusStack.filter((function(e){return y!==e})),_){var e=_.activeElement;A||!S.previouslyFocusedElementOutsideTrapZone||"function"!=typeof S.previouslyFocusedElementOutsideTrapZone.focus||!(0,a.t)(o.current,e)&&e!==_.body||S.previouslyFocusedElementOutsideTrapZone!==f.current&&S.previouslyFocusedElementOutsideTrapZone!==v.current&&(0,s.um)(S.previouslyFocusedElementOutsideTrapZone)}}),[_,y,A,S]),X=r.useCallback((function(e){if(!D&&h.focusStack.length&&y===h.focusStack[h.focusStack.length-1]){var t=e.target;(0,a.t)(o.current,t)||(U(),S.hasFocus=!0,e.preventDefault(),e.stopPropagation())}}),[D,y,U,S]),Q=r.useCallback((function(e){if(!D&&h.focusStack.length&&y===h.focusStack[h.focusStack.length-1]){var t=e.target;t&&!(0,a.t)(o.current,t)&&(U(),S.hasFocus=!0,e.preventDefault(),e.stopPropagation())}}),[D,y,U,S]),$=r.useCallback((function(){B&&!S.disposeFocusHandler?S.disposeFocusHandler=(0,l.on)(window,"focus",X,!0):!B&&S.disposeFocusHandler&&(S.disposeFocusHandler(),S.disposeFocusHandler=void 0),H||S.disposeClickHandler?H&&S.disposeClickHandler&&(S.disposeClickHandler(),S.disposeClickHandler=void 0):S.disposeClickHandler=(0,l.on)(window,"click",Q,!0)}),[Q,X,B,H,S]);return r.useEffect((function(){var e=o.current;return $(),function(){var t;D&&!B&&(0,a.t)(e,null===(t=_)||void 0===t?void 0:t.activeElement)||Z()}}),[$]),r.useEffect((function(){var e=void 0===B||B,t=void 0!==D&&D;if(!t||e){if(M)return;h.focusStack.push(y),S.previouslyFocusedElementOutsideTrapZone=R||_.activeElement,E||(0,a.t)(o.current,S.previouslyFocusedElementOutsideTrapZone)||U(),!S.unmodalize&&o.current&&q&&(S.unmodalize=(0,c.O)(o.current))}else e&&!t||(Z(),S.unmodalize&&S.unmodalize());R&&S.previouslyFocusedElementOutsideTrapZone!==R&&(S.previouslyFocusedElementOutsideTrapZone=R)}),[R,B,D]),g((function(){S.disposeClickHandler&&(S.disposeClickHandler(),S.disposeClickHandler=void 0),S.disposeFocusHandler&&(S.disposeFocusHandler(),S.disposeFocusHandler=void 0),S.unmodalize&&S.unmodalize(),delete S.previouslyFocusedElementInTrapZone,delete S.previouslyFocusedElementOutsideTrapZone})),function(e,t,o){r.useImperativeHandle(e,(function(){return{get previouslyFocusedElement(){return t},focus:o}}),[t,o])}(I,S.previouslyFocusedElementInTrapZone,U),r.createElement("div",(0,n.pi)({},C,{className:k,ref:b,"aria-labelledby":x,onFocusCapture:Y,onFocus:O,onBlur:W,onBlurCapture:J}),r.createElement("div",(0,n.pi)({},G,{ref:f})),w,r.createElement("div",(0,n.pi)({},G,{ref:v})))})),g=function(e){var t=r.useRef(e);t.current=e,r.useEffect((function(){return function(){t.current&&t.current()}}),[e])};h.displayName="FocusTrapZone",h.focusStack=[]},4734:(e,t,o)=>{"use strict";o.d(t,{z1:()=>u,xu:()=>d,Pw:()=>p});var n=o(7622),r=o(7002),i=o(3074),a=o(5094),s=o(8127),l=o(8088),c=o(9729),u=(0,a.NF)((function(e){var t=(0,c.q7)(e)||{subset:{},code:void 0},o=t.code,n=t.subset;return o?{children:o,iconClassName:n.className,fontFamily:n.fontFace&&n.fontFace.fontFamily}:null}),void 0,!0),d=function(e){var t=e.iconName,o=e.className,a=e.style,c=void 0===a?{}:a,d=u(t)||{},p=d.iconClassName,m=d.children,h=d.fontFamily,g=(0,s.pq)(e,s.iY),f=e["aria-label"]||e["aria-labelledby"]||e.title?{role:"img"}:{"aria-hidden":!0};return r.createElement("i",(0,n.pi)({"data-icon-name":t},f,g,{className:(0,l.i)(i.Sk,i.AK.root,p,!t&&i.AK.placeholder,o),style:(0,n.pi)({fontFamily:h},c)}),m)},p=(0,a.NF)((function(e,t,o){return d({iconName:e,className:t,"aria-label":o})}))},3874:(e,t,o)=>{"use strict";o.d(t,{A:()=>p});var n=o(7622),r=o(7002),i=o(6569),a=o(4861),s=o(6711),l=o(7300),c=o(8127),u=o(4734),d=(0,l.y)({cacheSize:100}),p=function(e){function t(t){var o=e.call(this,t)||this;return o._onImageLoadingStateChange=function(e){o.props.imageProps&&o.props.imageProps.onLoadingStateChange&&o.props.imageProps.onLoadingStateChange(e),e===s.U9.error&&o.setState({imageLoadError:!0})},o.state={imageLoadError:!1},o}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.children,o=e.className,s=e.styles,l=e.iconName,p=e.imageErrorAs,m=e.theme,h="string"==typeof l&&0===l.length,g=!!this.props.imageProps||this.props.iconType===i.T.image||this.props.iconType===i.T.Image,f=(0,u.z1)(l)||{},v=f.iconClassName,b=f.children,y=d(s,{theme:m,className:o,iconClassName:v,isImage:g,isPlaceholder:h}),_=g?"span":"i",C=(0,c.pq)(this.props,c.iY,["aria-label"]),S=this.state.imageLoadError,x=(0,n.pi)((0,n.pi)({},this.props.imageProps),{onLoadingStateChange:this._onImageLoadingStateChange}),k=S&&p||a.E,w=this.props["aria-label"]||this.props.ariaLabel,I=x.alt||w,D=I||this.props["aria-labelledby"]||x["aria-label"]||x["aria-labelledby"]?{role:g?void 0:"img","aria-label":g?void 0:I}:{"aria-hidden":!0};return r.createElement(_,(0,n.pi)({"data-icon-name":l},D,C,{className:y.root}),g?r.createElement(k,(0,n.pi)({},x)):t||b)},t}(r.Component)},9947:(e,t,o)=>{"use strict";o.d(t,{J:()=>a});var n=o(2002),r=o(3874),i=o(3074),a=(0,n.z)(r.A,i.Wi,void 0,{scope:"Icon"},!0);a.displayName="Icon"},3074:(e,t,o)=>{"use strict";o.d(t,{AK:()=>n,Sk:()=>r,Wi:()=>i});var n=(0,o(9729).ZC)({root:{display:"inline-block"},placeholder:["ms-Icon-placeHolder",{width:"1em"}],image:["ms-Icon-imageContainer",{overflow:"hidden"}]}),r="ms-Icon",i=function(e){var t=e.className,o=e.iconClassName,r=e.isPlaceholder,i=e.isImage,a=e.styles;return{root:[r&&n.placeholder,n.root,i&&n.image,o,t,a&&a.root,a&&a.imageContainer]}}},6569:(e,t,o)=>{"use strict";var n;o.d(t,{T:()=>n}),function(e){e[e.default=0]="default",e[e.image=1]="image",e[e.Default=1e5]="Default",e[e.Image=100001]="Image"}(n||(n={}))},7840:(e,t,o)=>{"use strict";o.d(t,{X:()=>c});var n=o(7622),r=o(7002),i=o(4861),a=o(8127),s=o(8088),l=o(3074),c=function(e){var t=e.className,o=e.imageProps,c=(0,a.pq)(e,a.iY,["aria-label","aria-labelledby","title","aria-describedby"]),u=o.alt||e["aria-label"],d=u||e["aria-labelledby"]||e.title||o["aria-label"]||o["aria-labelledby"]||o.title,p={"aria-labelledby":e["aria-labelledby"],"aria-describedby":e["aria-describedby"],title:e.title},m=d?{}:{"aria-hidden":!0};return r.createElement("div",(0,n.pi)({},m,c,{className:(0,s.i)(l.Sk,l.AK.root,l.AK.image,t)}),r.createElement(i.E,(0,n.pi)({},p,o,{alt:d?u:""})))}},9759:(e,t,o)=>{"use strict";o.d(t,{v:()=>d});var n=o(7622),r=o(7002),i=o(7300),a=o(8127),s=o(6711),l=o(9241),c=(0,i.y)(),u=/\.svg$/i,d=r.forwardRef((function(e,t){var o=r.useRef(),i=r.useRef(),d=function(e,t){var o=e.onLoadingStateChange,n=e.onLoad,i=e.onError,a=e.src,l=r.useState(s.U9.notLoaded),c=l[0],d=l[1];r.useLayoutEffect((function(){d(s.U9.notLoaded)}),[a]),r.useEffect((function(){c===s.U9.notLoaded&&t.current&&(a&&t.current.naturalWidth>0&&t.current.naturalHeight>0||t.current.complete&&u.test(a))&&d(s.U9.loaded)})),r.useEffect((function(){var e;null===(e=o)||void 0===e||e(c)}),[c]);var p=r.useCallback((function(e){var t;null===(t=n)||void 0===t||t(e),a&&d(s.U9.loaded)}),[a,n]),m=r.useCallback((function(e){var t;null===(t=i)||void 0===t||t(e),d(s.U9.error)}),[i]);return[c,p,m]}(e,i),p=d[0],m=d[1],h=d[2],g=(0,a.pq)(e,a.it,["width","height"]),f=e.src,v=e.alt,b=e.width,y=e.height,_=e.shouldFadeIn,C=void 0===_||_,S=e.shouldStartVisible,x=e.className,k=e.imageFit,w=e.role,I=e.maximizeFrame,D=e.styles,T=e.theme,E=e.loading,P=function(e,t,o,n){var i=r.useRef(t),a=r.useRef();return(void 0===a||i.current===s.U9.notLoaded&&t===s.U9.loaded)&&(a.current=function(e,t,o,n){var r=e.imageFit,i=e.width,a=e.height;if(void 0!==e.coverStyle)return e.coverStyle;if(t===s.U9.loaded&&(r===s.kQ.cover||r===s.kQ.contain||r===s.kQ.centerContain||r===s.kQ.centerCover)&&o.current&&n.current){var l;if(l="number"==typeof i&&"number"==typeof a&&r!==s.kQ.centerContain&&r!==s.kQ.centerCover?i/a:n.current.clientWidth/n.current.clientHeight,o.current.naturalWidth/o.current.naturalHeight>l)return s.yZ.landscape}return s.yZ.portrait}(e,t,o,n)),i.current=t,a.current}(e,p,i,o),M=c(D,{theme:T,className:x,width:b,height:y,maximizeFrame:I,shouldFadeIn:C,shouldStartVisible:S,isLoaded:p===s.U9.loaded||p===s.U9.notLoaded&&e.shouldStartVisible,isLandscape:P===s.yZ.landscape,isCenter:k===s.kQ.center,isCenterContain:k===s.kQ.centerContain,isCenterCover:k===s.kQ.centerCover,isContain:k===s.kQ.contain,isCover:k===s.kQ.cover,isNone:k===s.kQ.none,isError:p===s.U9.error,isNotImageFit:void 0===k});return r.createElement("div",{className:M.root,style:{width:b,height:y},ref:o},r.createElement("img",(0,n.pi)({},g,{onLoad:m,onError:h,key:"fabricImage"+e.src||"",className:M.image,ref:(0,l.r)(i,t),src:f,alt:v,role:w,loading:E})))}));d.displayName="ImageBase"},4861:(e,t,o)=>{"use strict";o.d(t,{E:()=>l});var n=o(2002),r=o(9759),i=o(9729),a=o(9757),s={root:"ms-Image",rootMaximizeFrame:"ms-Image--maximizeFrame",image:"ms-Image-image",imageCenter:"ms-Image-image--center",imageContain:"ms-Image-image--contain",imageCover:"ms-Image-image--cover",imageCenterContain:"ms-Image-image--centerContain",imageCenterCover:"ms-Image-image--centerCover",imageNone:"ms-Image-image--none",imageLandscape:"ms-Image-image--landscape",imagePortrait:"ms-Image-image--portrait"},l=(0,n.z)(r.v,(function(e){var t=e.className,o=e.width,n=e.height,r=e.maximizeFrame,l=e.isLoaded,c=e.shouldFadeIn,u=e.shouldStartVisible,d=e.isLandscape,p=e.isCenter,m=e.isContain,h=e.isCover,g=e.isCenterContain,f=e.isCenterCover,v=e.isNone,b=e.isError,y=e.isNotImageFit,_=e.theme,C=(0,i.Cn)(s,_),S={position:"absolute",left:"50% /* @noflip */",top:"50%",transform:"translate(-50%,-50%)"},x=(0,a.J)(),k=void 0!==x&&void 0===x.navigator.msMaxTouchPoints,w=m&&d||h&&!d?{width:"100%",height:"auto"}:{width:"auto",height:"100%"};return{root:[C.root,_.fonts.medium,{overflow:"hidden"},r&&[C.rootMaximizeFrame,{height:"100%",width:"100%"}],l&&c&&!u&&i.k4.fadeIn400,(p||m||h||g||f)&&{position:"relative"},t],image:[C.image,{display:"block",opacity:0},l&&["is-loaded",{opacity:1}],p&&[C.imageCenter,S],m&&[C.imageContain,k&&{width:"100%",height:"100%",objectFit:"contain"},!k&&w,!k&&S],h&&[C.imageCover,k&&{width:"100%",height:"100%",objectFit:"cover"},!k&&w,!k&&S],g&&[C.imageCenterContain,d&&{maxWidth:"100%"},!d&&{maxHeight:"100%"},S],f&&[C.imageCenterCover,d&&{maxHeight:"100%"},!d&&{maxWidth:"100%"},S],v&&[C.imageNone,{width:"auto",height:"auto"}],y&&[!!o&&!n&&{height:"auto",width:"100%"},!o&&!!n&&{height:"100%",width:"auto"},!!o&&!!n&&{height:"100%",width:"100%"}],d&&C.imageLandscape,!d&&C.imagePortrait,!l&&"is-notLoaded",c&&"is-fadeIn",b&&"is-error"]}}),void 0,{scope:"Image"},!0);l.displayName="Image"},6711:(e,t,o)=>{"use strict";var n,r,i;o.d(t,{kQ:()=>n,yZ:()=>r,U9:()=>i}),function(e){e[e.center=0]="center",e[e.contain=1]="contain",e[e.cover=2]="cover",e[e.none=3]="none",e[e.centerCover=4]="centerCover",e[e.centerContain=5]="centerContain"}(n||(n={})),function(e){e[e.landscape=0]="landscape",e[e.portrait=1]="portrait"}(r||(r={})),function(e){e[e.notLoaded=0]="notLoaded",e[e.loaded=1]="loaded",e[e.error=2]="error",e[e.errorLoaded=3]="errorLoaded"}(i||(i={}))},9949:(e,t,o)=>{"use strict";o.d(t,{a:()=>a});var n=o(7622),r=o(8128),i=o(2304),a=function(e){var t,o=e.children,a=(0,n._T)(e,["children"]),s=(0,i.c)(a),l=s.keytipId,c=s.ariaDescribedBy;return o(((t={})[r.fV]=l,t[r.ms]=l,t["aria-describedby"]=c,t))}},2304:(e,t,o)=>{"use strict";o.d(t,{c:()=>u});var n=o(7622),r=o(7002),i=o(7913),a=o(6876),s=o(9577),l=o(344),c=o(5325);function u(e){var t=r.useRef(),o=e.keytipProps?(0,n.pi)({disabled:e.disabled},e.keytipProps):void 0,u=(0,i.B)(l.K.getInstance()),d=(0,a.D)(e);r.useLayoutEffect((function(){var n,r;t.current&&o&&((null===(n=d)||void 0===n?void 0:n.keytipProps)!==e.keytipProps||(null===(r=d)||void 0===r?void 0:r.disabled)!==e.disabled)&&u.update(o,t.current)})),r.useLayoutEffect((function(){return o&&(t.current=u.register(o)),function(){o&&u.unregister(o,t.current)}}),[]);var p={ariaDescribedBy:void 0,keytipId:void 0};return o&&(p=function(e,t,o){var r=e.addParentOverflow(t),i=(0,s.I)(o,(0,c.w7)(r.keySequences)),a=(0,n.pr)(r.keySequences);return r.overflowSetSequence&&(a=(0,c.a1)(a,r.overflowSetSequence)),{ariaDescribedBy:i,keytipId:(0,c.aB)(a)}}(u,o,e.ariaDescribedBy)),p}},5424:(e,t,o)=>{"use strict";o.d(t,{E:()=>s});var n=o(7622),r=o(7002),i=o(8127),a=(0,o(7300).y)({cacheSize:100}),s=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.as,o=void 0===t?"label":t,s=e.children,l=e.className,c=e.disabled,u=e.styles,d=e.required,p=e.theme,m=a(u,{className:l,disabled:c,required:d,theme:p});return r.createElement(o,(0,n.pi)({},(0,i.pq)(this.props,i.n7),{className:m.root}),s)},t}(r.Component)},2052:(e,t,o)=>{"use strict";o.d(t,{_:()=>s});var n=o(2002),r=o(5424),i=o(7622),a=o(9729),s=(0,n.z)(r.E,(function(e){var t,o=e.theme,n=e.className,r=e.disabled,s=e.required,l=o.semanticColors,c=a.lq.semibold,u=l.bodyText,d=l.disabledBodyText,p=l.errorText;return{root:["ms-Label",o.fonts.medium,{fontWeight:c,color:u,boxSizing:"border-box",boxShadow:"none",margin:0,display:"block",padding:"5px 0",wordWrap:"break-word",overflowWrap:"break-word"},r&&{color:d,selectors:(t={},t[a.qJ]=(0,i.pi)({color:"GrayText"},(0,a.xM)()),t)},s&&{selectors:{"::after":{content:"' *'",color:p,paddingRight:12}}},n]}}),void 0,{scope:"Label"})},4555:(e,t,o)=>{"use strict";o.d(t,{s:()=>g});var n=o(7622),r=o(7002);const i=jsmodule["react-dom"];var a,s=o(3595),l=o(7300),c=o(8308),u=o(7829),d=o(6443),p=o(9241),m=o(8901),h=(0,l.y)(),g=r.forwardRef((function(e,t){var o=r.useState(),l=o[0],g=o[1],v=r.useRef(l);v.current=l;var b=r.useRef(null),y=(0,p.r)(b,t),_=(0,m.ky)(),C=e.eventBubblingEnabled,S=e.styles,x=e.theme,k=e.className,w=e.children,I=e.hostId,D=e.onLayerDidMount,T=void 0===D?function(){}:D,E=e.onLayerMounted,P=void 0===E?function(){}:E,M=e.onLayerWillUnmount,R=e.insertFirst,N=h(S,{theme:x,className:k,isNotHost:!I}),B=function(){var e;null===(e=M)||void 0===e||e();var t=v.current;if(t&&t.parentNode){var o=t.parentNode;o&&o.removeChild(t)}},F=function(){var e,t,o=function(){if(_){if(I)return _.getElementById(I);var e=(0,d.OJ)();return e?_.querySelector(e):_.body}}();if(_&&o){B();var n=_.createElement("div");n.className=N.root,(0,c.U)(n),(0,u.N)(n,b.current),R?o.insertBefore(n,o.firstChild):o.appendChild(n),g(n),null===(e=P)||void 0===e||e(),null===(t=T)||void 0===t||t()}};return r.useLayoutEffect((function(){return F(),I&&(0,d.Pc)(I,F),function(){B(),I&&(0,d.tq)(I,F)}}),[I]),r.createElement("span",{className:"ms-layer",ref:y},l&&i.createPortal(r.createElement(s.P,(0,n.pi)({},!C&&(a||(a={},["onClick","onContextMenu","onDoubleClick","onDrag","onDragEnd","onDragEnter","onDragExit","onDragLeave","onDragOver","onDragStart","onDrop","onMouseDown","onMouseEnter","onMouseLeave","onMouseMove","onMouseOver","onMouseOut","onMouseUp","onTouchMove","onTouchStart","onTouchCancel","onTouchEnd","onKeyDown","onKeyPress","onKeyUp","onFocus","onBlur","onChange","onInput","onInvalid","onSubmit"].forEach((function(e){return a[e]=f}))),a),{className:N.content}),w),l))}));g.displayName="LayerBase";var f=function(e){e.eventPhase===Event.BUBBLING_PHASE&&"mouseenter"!==e.type&&"mouseleave"!==e.type&&"touchstart"!==e.type&&"touchend"!==e.type&&e.stopPropagation()}},7513:(e,t,o)=>{"use strict";o.d(t,{m:()=>s});var n=o(2002),r=o(4555),i=o(9729),a={root:"ms-Layer",rootNoHost:"ms-Layer--fixed",content:"ms-Layer-content"},s=(0,n.z)(r.s,(function(e){var t=e.className,o=e.isNotHost,n=e.theme,r=(0,i.Cn)(a,n);return{root:[r.root,n.fonts.medium,o&&[r.rootNoHost,{position:"fixed",zIndex:i.bR.Layer,top:0,left:0,bottom:0,right:0,visibility:"hidden"}],t],content:[r.content,{visibility:"visible"}]}}),void 0,{scope:"Layer",fields:["hostId","theme","styles"]})},6443:(e,t,o)=>{"use strict";o.d(t,{Pc:()=>r,tq:()=>i,EQ:()=>a,OJ:()=>s});var n={};function r(e,t){n[e]||(n[e]=[]),n[e].push(t)}function i(e,t){if(n[e]){var o=n[e].indexOf(t);o>=0&&(n[e].splice(o,1),0===n[e].length&&delete n[e])}}function a(e){n[e]&&n[e].forEach((function(e){return e()}))}function s(){}},6178:(e,t,o)=>{"use strict";o.d(t,{R:()=>u});var n=o(7622),r=o(7002),i=o(7300),a=o(688),s=o(4948),l=o(8127),c=(0,i.y)(),u=function(e){function t(t){var o=e.call(this,t)||this;(0,a.l)(o);var n=o.props.allowTouchBodyScroll,r=void 0!==n&&n;return o._allowTouchBodyScroll=r,o}return(0,n.ZT)(t,e),t.prototype.componentDidMount=function(){!this._allowTouchBodyScroll&&(0,s.Qp)()},t.prototype.componentWillUnmount=function(){!this._allowTouchBodyScroll&&(0,s.tG)()},t.prototype.render=function(){var e=this.props,t=e.isDarkThemed,o=e.className,i=e.theme,a=e.styles,s=(0,l.pq)(this.props,l.n7),u=c(a,{theme:i,className:o,isDark:t});return r.createElement("div",(0,n.pi)({},s,{className:u.root}))},t}(r.Component)},4946:(e,t,o)=>{"use strict";o.d(t,{a:()=>s});var n=o(2002),r=o(6178),i=o(9729),a={root:"ms-Overlay",rootDark:"ms-Overlay--dark"},s=(0,n.z)(r.R,(function(e){var t,o=e.className,n=e.theme,r=e.isNone,s=e.isDark,l=n.palette,c=(0,i.Cn)(a,n);return{root:[c.root,n.fonts.medium,{backgroundColor:l.whiteTranslucent40,top:0,right:0,bottom:0,left:0,position:"absolute",selectors:(t={},t[i.qJ]={border:"1px solid WindowText",opacity:0},t)},r&&{visibility:"hidden"},s&&[c.rootDark,{backgroundColor:l.blackTranslucent40}],o]}}),void 0,{scope:"Overlay"})},5357:(e,t,o)=>{"use strict";o.d(t,{P:()=>k});var n,r=o(7622),i=o(7002),a=o(5758),s=o(7513),l=o(4946),c=o(752),u=o(7300),d=o(4948),p=o(8088),m=o(2167),h=o(9919),g=o(688),f=o(3129),v=o(2782),b=o(5951),y=o(8127),_=o(3345),C=o(6007),S=o(2758),x=(0,u.y)();!function(e){e[e.closed=0]="closed",e[e.animatingOpen=1]="animatingOpen",e[e.open=2]="open",e[e.animatingClosed=3]="animatingClosed"}(n||(n={}));var k=function(e){function t(t){var o=e.call(this,t)||this;o._panel=i.createRef(),o._animationCallback=null,o._hasCustomNavigation=!(!o.props.onRenderNavigation&&!o.props.onRenderNavigationContent),o.dismiss=function(e){o.props.onDismiss&&o.props.onDismiss(e),(!e||e&&!e.defaultPrevented)&&o.close()},o._allowScrollOnPanel=function(e){e?o._allowTouchBodyScroll?(0,d.eC)(e,o._events):(0,d.C7)(e,o._events):o._events.off(o._scrollableContent),o._scrollableContent=e},o._onRenderNavigation=function(e){if(!o.props.onRenderNavigationContent&&!o.props.onRenderNavigation&&!o.props.hasCloseButton)return null;var t=o.props.onRenderNavigationContent,n=void 0===t?o._onRenderNavigationContent:t;return i.createElement("div",{className:o._classNames.navigation},n(e,o._onRenderNavigationContent))},o._onRenderNavigationContent=function(e){var t,n=e.closeButtonAriaLabel,r=e.hasCloseButton,s=e.onRenderHeader,l=void 0===s?o._onRenderHeader:s;if(r){var c=null===(t=o._classNames.subComponentStyles)||void 0===t?void 0:t.closeButton();return i.createElement(i.Fragment,null,!o._hasCustomNavigation&&l(o.props,o._onRenderHeader,o._headerTextId),i.createElement(a.h,{styles:c,className:o._classNames.closeButton,onClick:o._onPanelClick,ariaLabel:n,title:n,"data-is-visible":!0,iconProps:{iconName:"Cancel"}}))}return null},o._onRenderHeader=function(e,t,n){var a=e.headerText,s=e.headerTextProps,l=void 0===s?{}:s;return a?i.createElement("div",{className:o._classNames.header},i.createElement("div",(0,r.pi)({id:n,role:"heading","aria-level":1},l,{className:(0,p.i)(o._classNames.headerText,l.className)}),a)):null},o._onRenderBody=function(e){return i.createElement("div",{className:o._classNames.content},e.children)},o._onRenderFooter=function(e){var t=o.props.onRenderFooterContent,n=void 0===t?null:t;return n?i.createElement("div",{className:o._classNames.footer},i.createElement("div",{className:o._classNames.footerInner},n())):null},o._animateTo=function(e){e===n.open&&o.props.onOpen&&o.props.onOpen(),o._animationCallback=o._async.setTimeout((function(){o.setState({visibility:e}),o._onTransitionComplete()}),200)},o._clearExistingAnimationTimer=function(){null!==o._animationCallback&&o._async.clearTimeout(o._animationCallback)},o._onPanelClick=function(e){o.dismiss(e)},o._onTransitionComplete=function(){o._updateFooterPosition(),o.state.visibility===n.open&&o.props.onOpened&&o.props.onOpened(),o.state.visibility===n.closed&&o.props.onDismissed&&o.props.onDismissed()};var s=o.props.allowTouchBodyScroll,l=void 0!==s&&s;return o._allowTouchBodyScroll=l,o._async=new m.e(o),o._events=new h.r(o),(0,g.l)(o),(0,f.b)("Panel",t,{ignoreExternalFocusing:"focusTrapZoneProps",forceFocusInsideTrap:"focusTrapZoneProps",firstFocusableSelector:"focusTrapZoneProps"}),o.state={isFooterSticky:!1,visibility:n.closed,id:(0,v.z)("Panel")},o}return(0,r.ZT)(t,e),t.getDerivedStateFromProps=function(e,t){return void 0===e.isOpen?null:!e.isOpen||t.visibility!==n.closed&&t.visibility!==n.animatingClosed?e.isOpen||t.visibility!==n.open&&t.visibility!==n.animatingOpen?null:{visibility:n.animatingClosed}:{visibility:n.animatingOpen}},t.prototype.componentDidMount=function(){this._events.on(window,"resize",this._updateFooterPosition),this._shouldListenForOuterClick(this.props)&&this._events.on(document.body,"mousedown",this._dismissOnOuterClick,!0),this.props.isOpen&&this.setState({visibility:n.animatingOpen})},t.prototype.componentDidUpdate=function(e,t){var o=this._shouldListenForOuterClick(this.props),r=this._shouldListenForOuterClick(e);this.state.visibility!==t.visibility&&(this._clearExistingAnimationTimer(),this.state.visibility===n.animatingOpen?this._animateTo(n.open):this.state.visibility===n.animatingClosed&&this._animateTo(n.closed)),o&&!r?this._events.on(document.body,"mousedown",this._dismissOnOuterClick,!0):!o&&r&&this._events.off(document.body,"mousedown",this._dismissOnOuterClick,!0)},t.prototype.componentWillUnmount=function(){this._async.dispose(),this._events.dispose()},t.prototype.render=function(){var e=this.props,t=e.className,o=void 0===t?"":t,a=e.elementToFocusOnDismiss,u=e.firstFocusableSelector,d=e.focusTrapZoneProps,p=e.forceFocusInsideTrap,m=e.hasCloseButton,h=e.headerText,g=e.headerClassName,f=void 0===g?"":g,v=e.ignoreExternalFocusing,_=e.isBlocking,k=e.isFooterAtBottom,w=e.isLightDismiss,I=e.isHiddenOnDismiss,D=e.layerProps,T=e.overlayProps,E=e.popupProps,P=e.type,M=e.styles,R=e.theme,N=e.customWidth,B=e.onLightDismissClick,F=void 0===B?this._onPanelClick:B,L=e.onRenderNavigation,A=void 0===L?this._onRenderNavigation:L,z=e.onRenderHeader,H=void 0===z?this._onRenderHeader:z,O=e.onRenderBody,W=void 0===O?this._onRenderBody:O,V=e.onRenderFooter,K=void 0===V?this._onRenderFooter:V,q=this.state,G=q.isFooterSticky,U=q.visibility,j=q.id,J=P===S.w.smallFixedNear||P===S.w.customNear,Y=(0,b.zg)(R)?J:!J,Z=P===S.w.custom||P===S.w.customNear?{width:N}:{},X=(0,y.pq)(this.props,y.n7),Q=this.isActive,$=U===n.animatingClosed||U===n.animatingOpen;if(this._headerTextId=h&&j+"-headerText",!Q&&!$&&!I)return null;this._classNames=x(M,{theme:R,className:o,focusTrapZoneClassName:d?d.className:void 0,hasCloseButton:m,headerClassName:f,isAnimating:$,isFooterSticky:G,isFooterAtBottom:k,isOnRightSide:Y,isOpen:Q,isHiddenOnDismiss:I,type:P,hasCustomNavigation:this._hasCustomNavigation});var ee,te=this._classNames,oe=this._allowTouchBodyScroll;return _&&Q&&(ee=i.createElement(l.a,(0,r.pi)({className:te.overlay,isDarkThemed:!1,onClick:w?F:void 0,allowTouchBodyScroll:oe},T))),i.createElement(s.m,(0,r.pi)({},D),i.createElement(c.G,(0,r.pi)({role:"dialog","aria-modal":"true",ariaLabelledBy:this._headerTextId?this._headerTextId:void 0,onDismiss:this.dismiss,className:te.hiddenPanel},E),i.createElement("div",(0,r.pi)({"aria-hidden":!Q&&$},X,{ref:this._panel,className:te.root}),ee,i.createElement(C.P,(0,r.pi)({ignoreExternalFocusing:v,forceFocusInsideTrap:!(!_||I&&!Q)&&p,firstFocusableSelector:u,isClickableOutsideFocusTrap:!0},d,{className:te.main,style:Z,elementToFocusOnDismiss:a}),i.createElement("div",{className:te.commands,"data-is-visible":!0},A(this.props,this._onRenderNavigation)),i.createElement("div",{className:te.contentInner},(this._hasCustomNavigation||!m)&&H(this.props,this._onRenderHeader,this._headerTextId),i.createElement("div",{ref:this._allowScrollOnPanel,className:te.scrollableContent,"data-is-scrollable":!0},W(this.props,this._onRenderBody)),K(this.props,this._onRenderFooter))))))},t.prototype.open=function(){void 0===this.props.isOpen&&(this.isActive||this.setState({visibility:n.animatingOpen}))},t.prototype.close=function(){void 0===this.props.isOpen&&this.isActive&&this.setState({visibility:n.animatingClosed})},Object.defineProperty(t.prototype,"isActive",{get:function(){return this.state.visibility===n.open||this.state.visibility===n.animatingOpen},enumerable:!0,configurable:!0}),t.prototype._shouldListenForOuterClick=function(e){return!!e.isBlocking&&!!e.isOpen},t.prototype._updateFooterPosition=function(){var e=this._scrollableContent;if(e){var t=e.clientHeight,o=e.scrollHeight;this.setState({isFooterSticky:t{"use strict";o.d(t,{s:()=>S});var n,r,i,a,s,l=o(2002),c=o(5357),u=o(7622),d=o(2758),p=o(9729),m={root:"ms-Panel",main:"ms-Panel-main",commands:"ms-Panel-commands",contentInner:"ms-Panel-contentInner",scrollableContent:"ms-Panel-scrollableContent",navigation:"ms-Panel-navigation",closeButton:"ms-Panel-closeButton ms-PanelAction-close",header:"ms-Panel-header",headerText:"ms-Panel-headerText",content:"ms-Panel-content",footer:"ms-Panel-footer",footerInner:"ms-Panel-footerInner",isOpen:"is-open",hasCloseButton:"ms-Panel--hasCloseButton",smallFluid:"ms-Panel--smFluid",smallFixedNear:"ms-Panel--smLeft",smallFixedFar:"ms-Panel--sm",medium:"ms-Panel--md",large:"ms-Panel--lg",largeFixed:"ms-Panel--fixed",extraLarge:"ms-Panel--xl",custom:"ms-Panel--custom",customNear:"ms-Panel--customLeft"},h="auto",g=((n={})["@media (min-width: "+p.dd+"px)"]={width:340},n),f=((r={})["@media (min-width: "+p.AV+"px)"]={width:592},r["@media (min-width: "+p.qv+"px)"]={width:644},r),v=((i={})["@media (min-width: "+p.bE+"px)"]={left:48,width:"auto"},i["@media (min-width: "+p.B+"px)"]={left:428},i),b=((a={})["@media (min-width: "+p.B+"px)"]={left:h,width:940},a),y=((s={})["@media (min-width: "+p.B+"px)"]={left:176},s),_=function(e){var t;switch(e){case d.w.smallFixedFar:t=(0,u.pi)({},g);break;case d.w.medium:t=(0,u.pi)((0,u.pi)({},g),f);break;case d.w.large:t=(0,u.pi)((0,u.pi)((0,u.pi)({},g),f),v);break;case d.w.largeFixed:t=(0,u.pi)((0,u.pi)((0,u.pi)((0,u.pi)({},g),f),v),b);break;case d.w.extraLarge:t=(0,u.pi)((0,u.pi)((0,u.pi)((0,u.pi)({},g),f),v),y)}return t},C={paddingLeft:"24px",paddingRight:"24px"},S=(0,l.z)(c.P,(function(e){var t,o=e.className,n=e.focusTrapZoneClassName,r=e.hasCloseButton,i=e.headerClassName,a=e.isAnimating,s=e.isFooterSticky,l=e.isFooterAtBottom,c=e.isOnRightSide,g=e.isOpen,f=e.isHiddenOnDismiss,v=e.hasCustomNavigation,b=e.theme,y=e.type,S=void 0===y?d.w.smallFixedFar:y,x=b.effects,k=b.fonts,w=b.semanticColors,I=(0,p.Cn)(m,b),D=S===d.w.custom||S===d.w.customNear;return{root:[I.root,b.fonts.medium,g&&I.isOpen,r&&I.hasCloseButton,{pointerEvents:"none",position:"absolute",top:0,left:0,right:0,bottom:0},D&&c&&I.custom,D&&!c&&I.customNear,o],overlay:[{pointerEvents:"auto",cursor:"pointer"},g&&a&&p.k4.fadeIn100,!g&&a&&p.k4.fadeOut100],hiddenPanel:[!g&&!a&&f&&{visibility:"hidden"}],main:[I.main,{backgroundColor:w.bodyBackground,boxShadow:x.elevation64,pointerEvents:"auto",position:"absolute",display:"flex",flexDirection:"column",overflowX:"hidden",overflowY:"auto",WebkitOverflowScrolling:"touch",bottom:0,top:0,left:h,right:0,width:"100%",selectors:(0,u.pi)((t={},t[p.qJ]={borderLeft:"3px solid "+w.variantBorder,borderRight:"3px solid "+w.variantBorder},t),_(S))},S===d.w.smallFluid&&{left:0},S===d.w.smallFixedNear&&{left:0,right:h,width:272},S===d.w.customNear&&{right:"auto",left:0},D&&{maxWidth:"100vw"},g&&a&&!c&&p.k4.slideRightIn40,g&&a&&c&&p.k4.slideLeftIn40,!g&&a&&!c&&p.k4.slideLeftOut40,!g&&a&&c&&p.k4.slideRightOut40,n],commands:[I.commands,{marginTop:18},v&&{marginTop:"inherit"}],navigation:[I.navigation,{display:"flex",justifyContent:"flex-end"},v&&{height:"44px"}],contentInner:[I.contentInner,{display:"flex",flexDirection:"column",flexGrow:1,overflowY:"hidden"}],header:[I.header,C,{alignSelf:"flex-start"},r&&!v&&{flexGrow:1},v&&{flexShrink:0}],headerText:[I.headerText,k.xLarge,{color:w.bodyText,lineHeight:"27px",overflowWrap:"break-word",wordWrap:"break-word",wordBreak:"break-word",hyphens:"auto"},i],scrollableContent:[I.scrollableContent,{overflowY:"auto"},l&&{flexGrow:1}],content:[I.content,C,{paddingBottom:20}],footer:[I.footer,{flexShrink:0,borderTop:"1px solid transparent",transition:"opacity "+p.D1.durationValue3+" "+p.D1.easeFunction2},s&&{background:w.bodyBackground,borderTopColor:w.variantBorder}],footerInner:[I.footerInner,C,{paddingBottom:16,paddingTop:16}],subComponentStyles:{closeButton:{root:[I.closeButton,{marginRight:14,color:b.palette.neutralSecondary,fontSize:p.ld.large},v&&{marginRight:0,height:"auto",width:"44px"}],rootHovered:{color:b.palette.neutralPrimary}}}}}),void 0,{scope:"Panel"})},2758:(e,t,o)=>{"use strict";var n;o.d(t,{w:()=>n}),function(e){e[e.smallFluid=0]="smallFluid",e[e.smallFixedFar=1]="smallFixedFar",e[e.smallFixedNear=2]="smallFixedNear",e[e.medium=3]="medium",e[e.large=4]="large",e[e.largeFixed=5]="largeFixed",e[e.extraLarge=6]="extraLarge",e[e.custom=7]="custom",e[e.customNear=8]="customNear"}(n||(n={}))},7047:(e,t,o)=>{"use strict";o.d(t,{R:()=>f});var n=o(7622),r=o(7002),i=o(7300),a=o(63),s=o(8127),l=o(5816),c=o(3967),u=o(6543),d=o(7481),p=o(9241),m=o(6628),h=(0,i.y)(),g={size:d.Ir.size48,presence:d.H_.none,imageAlt:""},f=r.forwardRef((function(e,t){var o=(0,a.j)(g,e),i=r.useRef(null),f=(0,p.r)(t,i),v=function(){return o.text||o.primaryText||""},b=function(e,t,n){return r.createElement("div",{dir:"auto",className:e},t&&t(o,n))},y=function(e){return e?function(){return r.createElement(l.G,{content:e,overflowMode:c.y.Parent,directionalHint:m.b.topLeftEdge},e)}:void 0},_=y(v()),C=y(o.secondaryText),S=y(o.tertiaryText),x=y(o.optionalText),k=o.hidePersonaDetails,w=o.onRenderOptionalText,I=void 0===w?x:w,D=o.onRenderPrimaryText,T=void 0===D?_:D,E=o.onRenderSecondaryText,P=void 0===E?C:E,M=o.onRenderTertiaryText,R=void 0===M?S:M,N=o.onRenderPersonaCoin,B=void 0===N?function(e){return r.createElement(u.t,(0,n.pi)({},e))}:N,F=o.size,L=o.allowPhoneInitials,A=o.className,z=o.coinProps,H=o.showUnknownPersonaCoin,O=o.coinSize,W=o.styles,V=o.imageAlt,K=o.imageInitials,q=o.imageShouldFadeIn,G=o.imageShouldStartVisible,U=o.imageUrl,j=o.initialsColor,J=o.initialsTextColor,Y=o.isOutOfOffice,Z=o.onPhotoLoadingStateChange,X=o.onRenderCoin,Q=o.onRenderInitials,$=o.presence,ee=o.presenceTitle,te=o.presenceColors,oe=o.showInitialsUntilImageLoads,ne=o.showSecondaryText,re=o.theme,ie=(0,n.pi)({allowPhoneInitials:L,showUnknownPersonaCoin:H,coinSize:O,imageAlt:V,imageInitials:K,imageShouldFadeIn:q,imageShouldStartVisible:G,imageUrl:U,initialsColor:j,initialsTextColor:J,onPhotoLoadingStateChange:Z,onRenderCoin:X,onRenderInitials:Q,presence:$,presenceTitle:ee,showInitialsUntilImageLoads:oe,size:F,text:v(),isOutOfOffice:Y,presenceColors:te},z),ae=h(W,{theme:re,className:A,showSecondaryText:ne,presence:$,size:F}),se=(0,s.pq)(o,s.n7),le=r.createElement("div",{className:ae.details},b(ae.primaryText,T,_),b(ae.secondaryText,P,C),b(ae.tertiaryText,R,S),b(ae.optionalText,I,x),o.children);return r.createElement("div",(0,n.pi)({},se,{ref:f,className:ae.root,style:O?{height:O,minWidth:O}:void 0}),B(ie,B),(!k||F===d.Ir.size8||F===d.Ir.size10||F===d.Ir.tiny)&&le)}));f.displayName="PersonaBase"},7665:(e,t,o)=>{"use strict";o.d(t,{I:()=>l});var n=o(2002),r=o(7047),i=o(9729),a=o(8337),s={root:"ms-Persona",size8:"ms-Persona--size8",size10:"ms-Persona--size10",size16:"ms-Persona--size16",size24:"ms-Persona--size24",size28:"ms-Persona--size28",size32:"ms-Persona--size32",size40:"ms-Persona--size40",size48:"ms-Persona--size48",size56:"ms-Persona--size56",size72:"ms-Persona--size72",size100:"ms-Persona--size100",size120:"ms-Persona--size120",available:"ms-Persona--online",away:"ms-Persona--away",blocked:"ms-Persona--blocked",busy:"ms-Persona--busy",doNotDisturb:"ms-Persona--donotdisturb",offline:"ms-Persona--offline",details:"ms-Persona-details",primaryText:"ms-Persona-primaryText",secondaryText:"ms-Persona-secondaryText",tertiaryText:"ms-Persona-tertiaryText",optionalText:"ms-Persona-optionalText",textContent:"ms-Persona-textContent"},l=(0,n.z)(r.R,(function(e){var t=e.className,o=e.showSecondaryText,n=e.theme,r=n.semanticColors,l=n.fonts,c=(0,i.Cn)(s,n),u=(0,a.yR)(e.size),d=(0,a.zx)(e.presence),p="16px",m={color:r.bodySubtext,fontWeight:i.lq.regular,fontSize:l.small.fontSize};return{root:[c.root,n.fonts.medium,i.Fv,{color:r.bodyText,position:"relative",height:a.or.size48,minWidth:a.or.size48,display:"flex",alignItems:"center",selectors:{".contextualHost":{display:"none"}}},u.isSize8&&[c.size8,{height:a.or.size8,minWidth:a.or.size8}],u.isSize10&&[c.size10,{height:a.or.size10,minWidth:a.or.size10}],u.isSize16&&[c.size16,{height:a.or.size16,minWidth:a.or.size16}],u.isSize24&&[c.size24,{height:a.or.size24,minWidth:a.or.size24}],u.isSize24&&o&&{height:"36px"},u.isSize28&&[c.size28,{height:a.or.size28,minWidth:a.or.size28}],u.isSize28&&o&&{height:"32px"},u.isSize32&&[c.size32,{height:a.or.size32,minWidth:a.or.size32}],u.isSize40&&[c.size40,{height:a.or.size40,minWidth:a.or.size40}],u.isSize48&&c.size48,u.isSize56&&[c.size56,{height:a.or.size56,minWidth:a.or.size56}],u.isSize72&&[c.size72,{height:a.or.size72,minWidth:a.or.size72}],u.isSize100&&[c.size100,{height:a.or.size100,minWidth:a.or.size100}],u.isSize120&&[c.size120,{height:a.or.size120,minWidth:a.or.size120}],d.isAvailable&&c.available,d.isAway&&c.away,d.isBlocked&&c.blocked,d.isBusy&&c.busy,d.isDoNotDisturb&&c.doNotDisturb,d.isOffline&&c.offline,t],details:[c.details,{padding:"0 24px 0 16px",minWidth:0,width:"100%",textAlign:"left",display:"flex",flexDirection:"column",justifyContent:"space-around"},(u.isSize8||u.isSize10)&&{paddingLeft:17},(u.isSize24||u.isSize28||u.isSize32)&&{padding:"0 8px"},(u.isSize40||u.isSize48)&&{padding:"0 12px"}],primaryText:[c.primaryText,i.jq,{color:r.bodyText,fontWeight:i.lq.regular,fontSize:l.medium.fontSize,selectors:{":hover":{color:r.inputTextHovered}}},o&&{height:p,lineHeight:p,overflowX:"hidden"},(u.isSize8||u.isSize10)&&{fontSize:l.small.fontSize,lineHeight:a.or.size8},u.isSize16&&{lineHeight:a.or.size28},(u.isSize24||u.isSize28||u.isSize32||u.isSize40||u.isSize48)&&o&&{height:18},(u.isSize56||u.isSize72||u.isSize100||u.isSize120)&&{fontSize:l.xLarge.fontSize},(u.isSize56||u.isSize72||u.isSize100||u.isSize120)&&o&&{height:22}],secondaryText:[c.secondaryText,i.jq,m,(u.isSize8||u.isSize10||u.isSize16||u.isSize24||u.isSize28||u.isSize32)&&{display:"none"},o&&{display:"block",height:p,lineHeight:p,overflowX:"hidden"},u.isSize24&&o&&{height:18},(u.isSize56||u.isSize72||u.isSize100||u.isSize120)&&{fontSize:l.medium.fontSize},(u.isSize56||u.isSize72||u.isSize100||u.isSize120)&&o&&{height:18}],tertiaryText:[c.tertiaryText,i.jq,m,{display:"none",fontSize:l.medium.fontSize},(u.isSize72||u.isSize100||u.isSize120)&&{display:"block"}],optionalText:[c.optionalText,i.jq,m,{display:"none",fontSize:l.medium.fontSize},(u.isSize100||u.isSize120)&&{display:"block"}],textContent:[c.textContent,i.jq]}}),void 0,{scope:"Persona"})},7481:(e,t,o)=>{"use strict";var n,r,i;o.d(t,{Ir:()=>n,H_:()=>r,z5:()=>i}),function(e){e[e.tiny=0]="tiny",e[e.extraExtraSmall=1]="extraExtraSmall",e[e.extraSmall=2]="extraSmall",e[e.small=3]="small",e[e.regular=4]="regular",e[e.large=5]="large",e[e.extraLarge=6]="extraLarge",e[e.size8=17]="size8",e[e.size10=9]="size10",e[e.size16=8]="size16",e[e.size24=10]="size24",e[e.size28=7]="size28",e[e.size32=11]="size32",e[e.size40=12]="size40",e[e.size48=13]="size48",e[e.size56=16]="size56",e[e.size72=14]="size72",e[e.size100=15]="size100",e[e.size120=18]="size120"}(n||(n={})),function(e){e[e.none=0]="none",e[e.offline=1]="offline",e[e.online=2]="online",e[e.away=3]="away",e[e.dnd=4]="dnd",e[e.blocked=5]="blocked",e[e.busy=6]="busy"}(r||(r={})),function(e){e[e.lightBlue=0]="lightBlue",e[e.blue=1]="blue",e[e.darkBlue=2]="darkBlue",e[e.teal=3]="teal",e[e.lightGreen=4]="lightGreen",e[e.green=5]="green",e[e.darkGreen=6]="darkGreen",e[e.lightPink=7]="lightPink",e[e.pink=8]="pink",e[e.magenta=9]="magenta",e[e.purple=10]="purple",e[e.black=11]="black",e[e.orange=12]="orange",e[e.red=13]="red",e[e.darkRed=14]="darkRed",e[e.transparent=15]="transparent",e[e.violet=16]="violet",e[e.lightRed=17]="lightRed",e[e.gold=18]="gold",e[e.burgundy=19]="burgundy",e[e.warmGray=20]="warmGray",e[e.coolGray=21]="coolGray",e[e.gray=22]="gray",e[e.cyan=23]="cyan",e[e.rust=24]="rust"}(i||(i={}))},867:(e,t,o)=>{"use strict";o.d(t,{z:()=>R});var n=o(7622),r=o(7002),i=o(7300),a=o(5094),s=o(63),l=o(8127),c=o(5951),u=o(6104),d=o(9729),p=o(2002),m=o(9947),h=o(7481),g=o(8337),f=o(9241),v=(0,i.y)({cacheSize:100}),b=r.forwardRef((function(e,t){var o=e.coinSize,n=e.isOutOfOffice,i=e.styles,a=e.presence,s=e.theme,l=e.presenceTitle,c=e.presenceColors,u=r.useRef(null),d=(0,f.r)(t,u),p=(0,g.yR)(e.size),b=!(p.isSize8||p.isSize10||p.isSize16||p.isSize24||p.isSize28||p.isSize32)&&(!o||o>32),_=o?o/3<40?o/3+"px":"40px":"",C=o?{fontSize:o?o/6<20?o/6+"px":"20px":"",lineHeight:_}:void 0,S=o?{width:_,height:_}:void 0,x=v(i,{theme:s,presence:a,size:e.size,isOutOfOffice:n,presenceColors:c});return a===h.H_.none?null:r.createElement("div",{role:"presentation",className:x.presence,style:S,title:l,ref:d},b&&r.createElement(m.J,{className:x.presenceIcon,iconName:y(e.presence,e.isOutOfOffice),style:C}))}));function y(e,t){if(e){var o="SkypeArrow";switch(h.H_[e]){case"online":return"SkypeCheck";case"away":return t?o:"SkypeClock";case"dnd":return"SkypeMinus";case"offline":return t?o:""}return""}}b.displayName="PersonaPresenceBase";var _={presence:"ms-Persona-presence",presenceIcon:"ms-Persona-presenceIcon"};function C(e){return{color:e,borderColor:e}}function S(e,t){return{selectors:{":before":{border:e+" solid "+t}}}}function x(e){return{height:e,width:e}}function k(e){return{backgroundColor:e}}var w=(0,p.z)(b,(function(e){var t,o,r,i,a,s,l=e.theme,c=e.presenceColors,u=l.semanticColors,p=l.fonts,m=(0,d.Cn)(_,l),h=(0,g.yR)(e.size),f=(0,g.zx)(e.presence),v=c&&c.available||"#6BB700",b=c&&c.away||"#FFAA44",y=c&&c.busy||"#C43148",w=c&&c.dnd||"#C50F1F",I=c&&c.offline||"#8A8886",D=c&&c.oof||"#B4009E",T=c&&c.background||u.bodyBackground,E=f.isOffline||e.isOutOfOffice&&(f.isAvailable||f.isBusy||f.isAway||f.isDoNotDisturb),P=h.isSize72||h.isSize100?"2px":"1px";return{presence:[m.presence,(0,n.pi)((0,n.pi)({position:"absolute",height:g.bw.size12,width:g.bw.size12,borderRadius:"50%",top:"auto",right:"-2px",bottom:"-2px",border:"2px solid "+T,textAlign:"center",boxSizing:"content-box",backgroundClip:"content-box"},(0,d.xM)()),{selectors:(t={},t[d.qJ]={borderColor:"Window",backgroundColor:"WindowText"},t)}),(h.isSize8||h.isSize10)&&{right:"auto",top:"7px",left:0,border:0,selectors:(o={},o[d.qJ]={top:"9px",border:"1px solid WindowText"},o)},(h.isSize8||h.isSize10||h.isSize24||h.isSize28||h.isSize32)&&x(g.bw.size8),(h.isSize40||h.isSize48)&&x(g.bw.size12),h.isSize16&&{height:g.bw.size6,width:g.bw.size6,borderWidth:"1.5px"},h.isSize56&&x(g.bw.size16),h.isSize72&&x(g.bw.size20),h.isSize100&&x(g.bw.size28),h.isSize120&&x(g.bw.size32),f.isAvailable&&{backgroundColor:v,selectors:(r={},r[d.qJ]=k("Highlight"),r)},f.isAway&&k(b),f.isBlocked&&[{selectors:(i={":after":h.isSize40||h.isSize48||h.isSize72||h.isSize100?{content:'""',width:"100%",height:P,backgroundColor:y,transform:"translateY(-50%) rotate(-45deg)",position:"absolute",top:"50%",left:0}:void 0},i[d.qJ]={selectors:{":after":{width:"calc(100% - 4px)",left:"2px",backgroundColor:"Window"}}},i)}],f.isBusy&&k(y),f.isDoNotDisturb&&k(w),f.isOffline&&k(I),(E||f.isBlocked)&&[{backgroundColor:T,selectors:(a={":before":{content:'""',width:"100%",height:"100%",position:"absolute",top:0,left:0,border:P+" solid "+y,borderRadius:"50%",boxSizing:"border-box"}},a[d.qJ]={backgroundColor:"WindowText",selectors:{":before":{width:"calc(100% - 2px)",height:"calc(100% - 2px)",top:"1px",left:"1px",borderColor:"Window"}}},a)}],E&&f.isAvailable&&S(P,v),E&&f.isBusy&&S(P,y),E&&f.isAway&&S(P,D),E&&f.isDoNotDisturb&&S(P,w),E&&f.isOffline&&S(P,I),E&&f.isOffline&&e.isOutOfOffice&&S(P,D)],presenceIcon:[m.presenceIcon,{color:T,fontSize:"6px",lineHeight:g.bw.size12,verticalAlign:"top",selectors:(s={},s[d.qJ]={color:"Window"},s)},h.isSize56&&{fontSize:"8px",lineHeight:g.bw.size16},h.isSize72&&{fontSize:p.small.fontSize,lineHeight:g.bw.size20},h.isSize100&&{fontSize:p.medium.fontSize,lineHeight:g.bw.size28},h.isSize120&&{fontSize:p.medium.fontSize,lineHeight:g.bw.size32},f.isAway&&{position:"relative",left:E?void 0:"1px"},E&&f.isAvailable&&C(v),E&&f.isBusy&&C(y),E&&f.isAway&&C(D),E&&f.isDoNotDisturb&&C(w),E&&f.isOffline&&C(I),E&&f.isOffline&&e.isOutOfOffice&&C(D)]}}),void 0,{scope:"PersonaPresence"}),I=o(6711),D=o(4861),T=o(4192),E=(0,i.y)({cacheSize:100}),P=(0,a.NF)((function(e,t,o,n,r,i){return(0,d.y0)(e,!i&&{backgroundColor:(0,T.g)({text:n,initialsColor:t,primaryText:r}),color:o})})),M={size:h.Ir.size48,presence:h.H_.none,imageAlt:""},R=r.forwardRef((function(e,t){var o=(0,s.j)(M,e),i=function(e){var t=e.onPhotoLoadingStateChange,o=e.imageUrl,n=r.useState(I.U9.notLoaded),i=n[0],a=n[1];return r.useEffect((function(){a(I.U9.notLoaded)}),[o]),[i,function(e){var o;a(e),null===(o=t)||void 0===o||o(e)}]}(o),a=i[0],c=i[1],u=N(c),d=o.className,p=o.coinProps,g=o.showUnknownPersonaCoin,f=o.coinSize,v=o.styles,b=o.imageUrl,y=o.initialsColor,_=o.initialsTextColor,C=o.isOutOfOffice,S=o.onRenderCoin,x=void 0===S?u:S,k=o.onRenderPersonaCoin,D=void 0===k?x:k,T=o.onRenderInitials,R=void 0===T?B:T,F=o.presence,L=o.presenceTitle,A=o.presenceColors,z=o.primaryText,H=o.showInitialsUntilImageLoads,O=o.text,W=o.theme,V=o.size,K=(0,l.pq)(o,l.n7),q=(0,l.pq)(p||{},l.n7),G=f?{width:f,height:f}:void 0,U=g,j={coinSize:f,isOutOfOffice:C,presence:F,presenceTitle:L,presenceColors:A,size:V,theme:W},J=E(v,{theme:W,className:p&&p.className?p.className:d,size:V,coinSize:f,showUnknownPersonaCoin:g}),Y=Boolean(a!==I.U9.loaded&&(H&&b||!b||a===I.U9.error||U));return r.createElement("div",(0,n.pi)({role:"presentation"},K,{className:J.coin,ref:t}),V!==h.Ir.size8&&V!==h.Ir.size10&&V!==h.Ir.tiny?r.createElement("div",(0,n.pi)({role:"presentation"},q,{className:J.imageArea,style:G}),Y&&r.createElement("div",{className:P(J.initials,y,_,O,z,g),style:G,"aria-hidden":"true"},R(o,B)),!U&&D(o,u),r.createElement(w,(0,n.pi)({},j))):o.presence?r.createElement(w,(0,n.pi)({},j)):r.createElement(m.J,{iconName:"Contact",className:J.size10WithoutPresenceIcon}),o.children)}));R.displayName="PersonaCoinBase";var N=function(e){return function(t){var o=t.coinSize,n=t.styles,i=t.imageUrl,a=t.imageAlt,s=t.imageShouldFadeIn,l=t.imageShouldStartVisible,c=t.theme,u=t.showUnknownPersonaCoin,d=t.size,p=void 0===d?M.size:d;if(!i)return null;var m=E(n,{theme:c,size:p,showUnknownPersonaCoin:u}),h=o||g.Y4[p];return r.createElement(D.E,{className:m.image,imageFit:I.kQ.cover,src:i,width:h,height:h,alt:a,shouldFadeIn:s,shouldStartVisible:l,onLoadingStateChange:e})}},B=function(e){var t=e.imageInitials,o=e.allowPhoneInitials,n=e.showUnknownPersonaCoin,i=e.text,a=e.primaryText,s=e.theme;if(n)return r.createElement(m.J,{iconName:"Help"});var l=(0,c.zg)(s);return""!==(t=t||(0,u.Q)(i||a||"",l,o))?r.createElement("span",null,t):r.createElement(m.J,{iconName:"Contact"})}},6543:(e,t,o)=>{"use strict";o.d(t,{t:()=>c});var n=o(2002),r=o(867),i=o(7622),a=o(9729),s=o(8337),l={coin:"ms-Persona-coin",imageArea:"ms-Persona-imageArea",image:"ms-Persona-image",initials:"ms-Persona-initials",size8:"ms-Persona--size8",size10:"ms-Persona--size10",size16:"ms-Persona--size16",size24:"ms-Persona--size24",size28:"ms-Persona--size28",size32:"ms-Persona--size32",size40:"ms-Persona--size40",size48:"ms-Persona--size48",size56:"ms-Persona--size56",size72:"ms-Persona--size72",size100:"ms-Persona--size100",size120:"ms-Persona--size120"},c=(0,n.z)(r.z,(function(e){var t,o=e.className,n=e.theme,r=e.coinSize,c=n.palette,u=n.fonts,d=(0,s.yR)(e.size),p=(0,a.Cn)(l,n),m=r||e.size&&s.Y4[e.size]||48;return{coin:[p.coin,u.medium,d.isSize8&&p.size8,d.isSize10&&p.size10,d.isSize16&&p.size16,d.isSize24&&p.size24,d.isSize28&&p.size28,d.isSize32&&p.size32,d.isSize40&&p.size40,d.isSize48&&p.size48,d.isSize56&&p.size56,d.isSize72&&p.size72,d.isSize100&&p.size100,d.isSize120&&p.size120,o],size10WithoutPresenceIcon:{fontSize:u.xSmall.fontSize,position:"absolute",top:"5px",right:"auto",left:0},imageArea:[p.imageArea,{position:"relative",textAlign:"center",flex:"0 0 auto",height:m,width:m},m<=10&&{overflow:"visible",background:"transparent",height:0,width:0}],image:[p.image,{marginRight:"10px",position:"absolute",top:0,left:0,width:"100%",height:"100%",border:0,borderRadius:"50%",perspective:"1px"},m<=10&&{overflow:"visible",background:"transparent",height:0,width:0},m>10&&{height:m,width:m}],initials:[p.initials,{borderRadius:"50%",color:e.showUnknownPersonaCoin?"rgb(168, 0, 0)":c.white,fontSize:u.large.fontSize,fontWeight:a.lq.semibold,lineHeight:48===m?46:m,height:m,selectors:(t={},t[a.qJ]=(0,i.pi)((0,i.pi)({border:"1px solid WindowText"},(0,a.xM)()),{color:"WindowText",boxSizing:"border-box",backgroundColor:"Window !important"}),t.i={fontWeight:a.lq.semibold},t)},e.showUnknownPersonaCoin&&{backgroundColor:"rgb(234, 234, 234)"},m<32&&{fontSize:u.xSmall.fontSize},m>=32&&m<40&&{fontSize:u.medium.fontSize},m>=40&&m<56&&{fontSize:u.mediumPlus.fontSize},m>=56&&m<72&&{fontSize:u.xLarge.fontSize},m>=72&&m<100&&{fontSize:u.xxLarge.fontSize},m>=100&&{fontSize:u.superLarge.fontSize}]}}),void 0,{scope:"PersonaCoin"})},8337:(e,t,o)=>{"use strict";o.d(t,{or:()=>r,bw:()=>i,yR:()=>s,Y4:()=>l,zx:()=>c});var n,r,i,a=o(7481);!function(e){e.size8="20px",e.size10="20px",e.size16="16px",e.size24="24px",e.size28="28px",e.size32="32px",e.size40="40px",e.size48="48px",e.size56="56px",e.size72="72px",e.size100="100px",e.size120="120px"}(r||(r={})),function(e){e.size6="6px",e.size8="8px",e.size12="12px",e.size16="16px",e.size20="20px",e.size28="28px",e.size32="32px",e.border="2px"}(i||(i={}));var s=function(e){return{isSize8:e===a.Ir.size8,isSize10:e===a.Ir.size10||e===a.Ir.tiny,isSize16:e===a.Ir.size16,isSize24:e===a.Ir.size24||e===a.Ir.extraExtraSmall,isSize28:e===a.Ir.size28||e===a.Ir.extraSmall,isSize32:e===a.Ir.size32,isSize40:e===a.Ir.size40||e===a.Ir.small,isSize48:e===a.Ir.size48||e===a.Ir.regular,isSize56:e===a.Ir.size56,isSize72:e===a.Ir.size72||e===a.Ir.large,isSize100:e===a.Ir.size100||e===a.Ir.extraLarge,isSize120:e===a.Ir.size120}},l=((n={})[a.Ir.tiny]=10,n[a.Ir.extraExtraSmall]=24,n[a.Ir.extraSmall]=28,n[a.Ir.small]=40,n[a.Ir.regular]=48,n[a.Ir.large]=72,n[a.Ir.extraLarge]=100,n[a.Ir.size8]=8,n[a.Ir.size10]=10,n[a.Ir.size16]=16,n[a.Ir.size24]=24,n[a.Ir.size28]=28,n[a.Ir.size32]=32,n[a.Ir.size40]=40,n[a.Ir.size48]=48,n[a.Ir.size56]=56,n[a.Ir.size72]=72,n[a.Ir.size100]=100,n[a.Ir.size120]=120,n),c=function(e){return{isAvailable:e===a.H_.online,isAway:e===a.H_.away,isBlocked:e===a.H_.blocked,isBusy:e===a.H_.busy,isDoNotDisturb:e===a.H_.dnd,isOffline:e===a.H_.offline}}},4192:(e,t,o)=>{"use strict";o.d(t,{g:()=>a});var n=o(7481),r=[n.z5.lightBlue,n.z5.blue,n.z5.darkBlue,n.z5.teal,n.z5.green,n.z5.darkGreen,n.z5.lightPink,n.z5.pink,n.z5.magenta,n.z5.purple,n.z5.orange,n.z5.lightRed,n.z5.darkRed,n.z5.violet,n.z5.gold,n.z5.burgundy,n.z5.warmGray,n.z5.cyan,n.z5.rust,n.z5.coolGray],i=r.length;function a(e){var t=e.primaryText,o=e.text,a=e.initialsColor;return"string"==typeof a?a:function(e){switch(e){case n.z5.lightBlue:return"#4F6BED";case n.z5.blue:return"#0078D4";case n.z5.darkBlue:return"#004E8C";case n.z5.teal:return"#038387";case n.z5.lightGreen:case n.z5.green:return"#498205";case n.z5.darkGreen:return"#0B6A0B";case n.z5.lightPink:return"#C239B3";case n.z5.pink:return"#E3008C";case n.z5.magenta:return"#881798";case n.z5.purple:return"#5C2E91";case n.z5.orange:return"#CA5010";case n.z5.red:return"#EE1111";case n.z5.lightRed:return"#D13438";case n.z5.darkRed:return"#A4262C";case n.z5.transparent:return"transparent";case n.z5.violet:return"#8764B8";case n.z5.gold:return"#986F0B";case n.z5.burgundy:return"#750B1C";case n.z5.warmGray:return"#7A7574";case n.z5.cyan:return"#005B70";case n.z5.rust:return"#8E562E";case n.z5.coolGray:return"#69797E";case n.z5.black:return"#1D1D1D";case n.z5.gray:return"#393939"}}(a=void 0!==a?a:function(e){var t=n.z5.blue;if(!e)return t;for(var o=0,a=e.length-1;a>=0;a--){var s=e.charCodeAt(a),l=a%8;o^=(s<>8-l)}return r[o%i]}(o||t))}},752:(e,t,o)=>{"use strict";o.d(t,{G:()=>g});var n=o(7622),r=o(7002),i=o(9757),a=o(5446),s=o(4553),l=o(8145),c=o(8127),u=o(3528),d=o(757),p=o(9241),m=o(8901);function h(e){var t=e.originalElement,o=e.containsFocus;t&&o&&t!==(0,i.J)()&&setTimeout((function(){var e,o;null===(o=(e=t).focus)||void 0===o||o.call(e)}),0)}var g=r.forwardRef((function(e,t){e=(0,n.pi)({shouldRestoreFocus:!0},e);var o=r.useRef(),i=(0,p.r)(o,t);!function(e,t){var o=e.onRestoreFocus,n=void 0===o?h:o,i=r.useRef(),l=r.useRef(!1);r.useEffect((function(){return i.current=(0,a.M)().activeElement,(0,s.WU)(t.current)&&(l.current=!0),function(){var e,t;null===(e=n)||void 0===e||e({originalElement:i.current,containsFocus:l.current,documentContainsFocus:(null===(t=(0,a.M)())||void 0===t?void 0:t.hasFocus())||!1}),i.current=void 0}}),[]),(0,d.d)(t,"focus",r.useCallback((function(){l.current=!0}),[]),!0),(0,d.d)(t,"blur",r.useCallback((function(e){t.current&&e.relatedTarget&&!t.current.contains(e.relatedTarget)&&(l.current=!1)}),[]),!0)}(e,o);var g=e.role,f=e.className,v=e.ariaLabel,b=e.ariaLabelledBy,y=e.ariaDescribedBy,_=e.style,C=e.children,S=e.onDismiss,x=function(e,t){var o=(0,u.r)(),n=r.useState(!1),i=n[0],a=n[1];return r.useEffect((function(){return o.requestAnimationFrame((function(){var o;if(!e.style||!e.style.overflowY){var n=!1;if(t&&t.current&&(null===(o=t.current)||void 0===o?void 0:o.firstElementChild)){var r=t.current.clientHeight,s=t.current.firstElementChild.clientHeight;r>0&&s>r&&(n=s-r>1)}i!==n&&a(n)}})),function(){return o.dispose()}})),i}(e,o),k=r.useCallback((function(e){switch(e.which){case l.m.escape:S&&(S(e),e.preventDefault(),e.stopPropagation())}}),[S]),w=(0,m.zY)();return(0,d.d)(w,"keydown",k),r.createElement("div",(0,n.pi)({ref:i},(0,c.pq)(e,c.n7),{className:f,role:g,"aria-label":v,"aria-labelledby":b,"aria-describedby":y,onKeyDown:k,style:(0,n.pi)({overflowY:x?"scroll":void 0,outline:"none"},_)}),C)}))},1405:(e,t,o)=>{"use strict";o.d(t,{x:()=>b});var n=o(7622),r=o(7002),i=o(7300),a=o(8127),s=o(8088),l=o(6953),c=o(9947),u=o(2998),d=o(7023),p=o(7813),m=o(4085),h=o(6548),g=(0,i.y)(),f=function(e){return r.createElement("div",{className:e.classNames.ratingStar},r.createElement(c.J,{className:e.classNames.ratingStarBack,iconName:e.icon}),!e.disabled&&r.createElement(c.J,{className:e.classNames.ratingStarFront,iconName:e.icon,style:{width:e.fillPercentage+"%"}}))},v=function(e,t){return e+"-star-"+(t-1)},b=r.forwardRef((function(e,t){var o,i=(0,m.M)("Rating"),c=(0,m.M)("RatingLabel"),b=e.ariaLabel,y=e.ariaLabelFormat,_=e.disabled,C=e.getAriaLabel,S=e.styles,x=e.min,k=void 0===x?e.allowZeroStars?0:1:x,w=e.max,I=void 0===w?5:w,D=e.readOnly,T=e.size,E=e.theme,P=e.icon,M=void 0===P?"FavoriteStarFill":P,R=e.unselectedIcon,N=void 0===R?"FavoriteStar":R,B=e.onRenderStar,F=Math.max(k,0),L=(0,h.G)(e.rating,e.defaultRating,e.onChange),A=L[0],z=L[1],H=function(e,t,o){return Math.min(Math.max(null!=e?e:t,t),o)}(A,F,I);!function(e,t){r.useImperativeHandle(e,(function(){return{rating:t}}),[t])}(e.componentRef,H);for(var O=(0,a.pq)(e,a.n7),W=g(S,{disabled:_,readOnly:D,theme:E}),V=null===(o=C)||void 0===o?void 0:o(H,I),K=b||V,q=[],G=function(e){var t,o,a=function(e,t){var o=Math.ceil(t),n=100;return e===t?n=100:e===o?n=t%1*100:e>o&&(n=0),n}(e,H),u=function(t){void 0!==A&&Math.ceil(A)===e||z(e,t)};q.push(r.createElement("button",(0,n.pi)({className:(0,s.i)(W.ratingButton,T===p.O.Large?W.ratingStarIsLarge:W.ratingStarIsSmall),id:v(i,e),key:e},e===Math.ceil(H)&&{"data-is-current":!0},{onFocus:u,onClick:u,disabled:!(!_&&!D),role:"radio","aria-hidden":D?"true":void 0,type:"button","aria-checked":e===Math.ceil(H)}),r.createElement("span",{id:c+"-"+e,className:W.labelText},(0,l.W)(y||"",e,I)),(t={fillPercentage:a,disabled:_,classNames:W,icon:a>0?M:N,starNum:e},(o=B)?o(t):r.createElement(f,(0,n.pi)({},t)))))},U=1;U<=I;U++)G(U);var j=T===p.O.Large?W.rootIsLarge:W.rootIsSmall;return r.createElement("div",(0,n.pi)({ref:t,className:(0,s.i)("ms-Rating-star",W.root,j),"aria-label":D?void 0:K,id:i,role:D?void 0:"radiogroup"},O),r.createElement(u.k,(0,n.pi)({direction:d.U.bidirectional,className:(0,s.i)(W.ratingFocusZone,j),defaultActiveElement:"#"+v(i,Math.ceil(H))},D&&{allowFocusRoot:!0,disabled:!0,role:"textbox","aria-label":V,"aria-readonly":!0,"data-is-focusable":!0,tabIndex:0}),q))}));b.displayName="RatingBase"},558:(e,t,o)=>{"use strict";o.d(t,{i:()=>l});var n=o(2002),r=o(9729),i={root:"ms-RatingStar-root",rootIsSmall:"ms-RatingStar-root--small",rootIsLarge:"ms-RatingStar-root--large",ratingStar:"ms-RatingStar-container",ratingStarBack:"ms-RatingStar-back",ratingStarFront:"ms-RatingStar-front",ratingButton:"ms-Rating-button",ratingStarIsSmall:"ms-Rating--small",ratingStartIsLarge:"ms-Rating--large",labelText:"ms-Rating-labelText",ratingFocusZone:"ms-Rating-focuszone"};function a(e,t){var o;return{color:e,selectors:(o={},o[r.qJ]={color:t},o)}}var s=o(1405),l=(0,n.z)(s.x,(function(e){var t=e.disabled,o=e.readOnly,n=e.theme,s=n.semanticColors,l=n.palette,c=(0,r.Cn)(i,n),u=l.neutralSecondary,d=l.themePrimary,p=l.themeDark,m=l.neutralPrimary,h=s.disabledBodySubtext;return{root:[c.root,n.fonts.medium,!t&&!o&&{selectors:{"&:hover":{selectors:{".ms-RatingStar-back":a(m,"Highlight")}}}}],rootIsSmall:[c.rootIsSmall,{height:"32px"}],rootIsLarge:[c.rootIsLarge,{height:"36px"}],ratingStar:[c.ratingStar,{display:"inline-block",position:"relative",height:"inherit"}],ratingStarBack:[c.ratingStarBack,{color:u,width:"100%"},t&&a(h,"GrayText")],ratingStarFront:[c.ratingStarFront,{position:"absolute",height:"100 %",left:"0",top:"0",textAlign:"center",verticalAlign:"middle",overflow:"hidden"},a(m,"Highlight")],ratingButton:[(0,r.GL)(n),c.ratingButton,{backgroundColor:"transparent",padding:"8px 2px",boxSizing:"content-box",margin:"0px",border:"none",cursor:"pointer",selectors:{"&:disabled":{cursor:"default"},"&[disabled]":{cursor:"default"}}},!t&&!o&&{selectors:{"&:hover ~ .ms-Rating-button":{selectors:{".ms-RatingStar-back":a(u,"WindowText"),".ms-RatingStar-front":a(u,"WindowText")}},"&:hover":{selectors:{".ms-RatingStar-back":{color:d},".ms-RatingStar-front":{color:p}}}}},t&&{cursor:"default"}],ratingStarIsSmall:[c.ratingStarIsSmall,{fontSize:"16px",lineHeight:"16px",height:"16px"}],ratingStarIsLarge:[c.ratingStartIsLarge,{fontSize:"20px",lineHeight:"20px",height:"20px"}],labelText:[c.labelText,r.ul],ratingFocusZone:[(0,r.GL)(n),c.ratingFocusZone,{display:"inline-block"}]}}),void 0,{scope:"Rating"})},7813:(e,t,o)=>{"use strict";var n;o.d(t,{O:()=>n}),function(e){e[e.Small=0]="Small",e[e.Large=1]="Large"}(n||(n={}))},3863:(e,t,o)=>{"use strict";o.d(t,{i:()=>b});var n=o(7622),r=o(7002),i=o(7300),a=o(8127),s=o(8145),l=o(6548),c=o(9241),u=o(4085),d=o(5758),p=o(9947),m="SearchBox",h={root:{height:"auto"},icon:{fontSize:"12px"}},g={iconName:"Clear"},f={ariaLabel:"Clear text"},v=(0,i.y)(),b=r.forwardRef((function(e,t){var o=e.defaultValue,i=void 0===o?"":o,b=r.useState(!1),y=b[0],_=b[1],C=(0,l.G)(e.value,i,e.onChange),S=C[0],x=C[1],k=String(S),w=r.useRef(null),I=r.useRef(null),D=(0,c.r)(w,t),T=(0,u.M)(m,e.id),E=e.ariaLabel,P=e.className,M=e.disabled,R=e.underlined,N=e.styles,B=e.labelText,F=e.placeholder,L=void 0===F?B:F,A=e.theme,z=e.clearButtonProps,H=void 0===z?f:z,O=e.disableAnimation,W=void 0!==O&&O,V=e.onClear,K=e.onBlur,q=e.onEscape,G=e.onSearch,U=e.onKeyDown,j=e.iconProps,J=e.role,Y=H.onClick,Z=v(N,{theme:A,className:P,underlined:R,hasFocus:y,disabled:M,hasInput:k.length>0,disableAnimation:W}),X=(0,a.pq)(e,a.Gg,["className","placeholder","onFocus","onBlur","value","role"]),Q=r.useCallback((function(e){var t,o;null===(t=V)||void 0===t||t(e),e.defaultPrevented||(x(""),null===(o=I.current)||void 0===o||o.focus(),e.stopPropagation(),e.preventDefault())}),[V,x]),$=r.useCallback((function(e){var t;null===(t=Y)||void 0===t||t(e),e.defaultPrevented||Q(e)}),[Y,Q]),ee=r.useCallback((function(e){var t;_(!1),null===(t=K)||void 0===t||t(e)}),[K]),te=function(e){x(e.target.value)};return function(e,t,o){r.useImperativeHandle(e,(function(){return{focus:function(){var e;return null===(e=t.current)||void 0===e?void 0:e.focus()},hasFocus:function(){return o}}}),[t,o])}(e.componentRef,I,y),r.createElement("div",{role:J,ref:D,className:Z.root,onFocusCapture:function(t){var o,n;_(!0),null===(n=(o=e).onFocus)||void 0===n||n.call(o,t)}},r.createElement("div",{className:Z.iconContainer,onClick:function(){I.current&&(I.current.focus(),I.current.selectionStart=I.current.selectionEnd=0)},"aria-hidden":!0},r.createElement(p.J,(0,n.pi)({iconName:"Search"},j,{className:Z.icon}))),r.createElement("input",(0,n.pi)({},X,{id:T,className:Z.field,placeholder:L,onChange:te,onInput:te,onBlur:ee,onKeyDown:function(e){var t,o;switch(e.which){case s.m.escape:null===(t=q)||void 0===t||t(e),k&&!e.defaultPrevented&&Q(e);break;case s.m.enter:G&&(G(k),e.preventDefault(),e.stopPropagation());break;default:null===(o=U)||void 0===o||o(e),e.defaultPrevented&&e.stopPropagation()}},value:k,disabled:M,role:"searchbox","aria-label":E,ref:I})),k.length>0&&r.createElement("div",{className:Z.clearButton},r.createElement(d.h,(0,n.pi)({onBlur:ee,styles:h,iconProps:g},H,{onClick:$}))))}));b.displayName=m},6419:(e,t,o)=>{"use strict";o.d(t,{R:()=>l});var n=o(2002),r=o(3863),i=o(9729),a=o(5951),s={root:"ms-SearchBox",iconContainer:"ms-SearchBox-iconContainer",icon:"ms-SearchBox-icon",clearButton:"ms-SearchBox-clearButton",field:"ms-SearchBox-field"},l=(0,n.z)(r.i,(function(e){var t,o,n,r,l=e.theme,c=e.underlined,u=e.disabled,d=e.hasFocus,p=e.className,m=e.hasInput,h=e.disableAnimation,g=l.palette,f=l.fonts,v=l.semanticColors,b=l.effects,y=(0,i.Cn)(s,l),_={color:v.inputPlaceholderText,opacity:1},C=g.neutralSecondary,S=g.neutralPrimary,x=g.neutralLighter,k=g.neutralLighter,w=g.neutralLighter;return{root:[y.root,f.medium,i.Fv,{color:v.inputText,backgroundColor:v.inputBackground,display:"flex",flexDirection:"row",flexWrap:"nowrap",alignItems:"stretch",padding:"1px 0 1px 4px",borderRadius:b.roundedCorner2,border:"1px solid "+v.inputBorder,height:32,selectors:(t={},t[i.qJ]={borderColor:"WindowText"},t[":hover"]={borderColor:v.inputBorderHovered,selectors:(o={},o[i.qJ]={borderColor:"Highlight"},o)},t[":hover ."+y.iconContainer]={color:v.inputIconHovered},t)},!d&&m&&{selectors:(n={},n[":hover ."+y.iconContainer]={width:4},n[":hover ."+y.icon]={opacity:0},n)},d&&["is-active",{position:"relative"},(0,i.$Y)(v.inputFocusBorderAlt,c?0:b.roundedCorner2,c?"borderBottom":"border")],u&&["is-disabled",{borderColor:x,backgroundColor:w,pointerEvents:"none",cursor:"default",selectors:(r={},r[i.qJ]={borderColor:"GrayText"},r)}],c&&["is-underlined",{borderWidth:"0 0 1px 0",borderRadius:0,padding:"1px 0 1px 8px"}],c&&u&&{backgroundColor:"transparent"},m&&"can-clear",p],iconContainer:[y.iconContainer,{display:"flex",flexDirection:"column",justifyContent:"center",flexShrink:0,fontSize:16,width:32,textAlign:"center",color:v.inputIcon,cursor:"text"},d&&{width:4},u&&{color:v.inputIconDisabled},!h&&{transition:"width "+i.D1.durationValue1}],icon:[y.icon,{opacity:1},d&&{opacity:0},!h&&{transition:"opacity "+i.D1.durationValue1+" 0s"}],clearButton:[y.clearButton,{display:"flex",flexDirection:"row",alignItems:"stretch",cursor:"pointer",flexBasis:"32px",flexShrink:0,padding:0,margin:"-1px 0px",selectors:{"&:hover .ms-Button":{backgroundColor:k},"&:hover .ms-Button-icon":{color:S},".ms-Button":{borderRadius:(0,a.zg)(l)?"1px 0 0 1px":"0 1px 1px 0"},".ms-Button-icon":{color:C}}}],field:[y.field,i.Fv,(0,i.Sv)(_),{backgroundColor:"transparent",border:"none",outline:"none",fontWeight:"inherit",fontFamily:"inherit",fontSize:"inherit",color:v.inputText,flex:"1 1 0px",minWidth:"0px",overflow:"hidden",textOverflow:"ellipsis",paddingBottom:.5,selectors:{"::-ms-clear":{display:"none"}}},u&&{color:v.disabledText}]}}),void 0,{scope:"SearchBox"})},9379:(e,t,o)=>{"use strict";o.d(t,{V:()=>y});var n=o(7622),r=o(7002),i=o(5480),a=o(2052),s=o(6548),l=o(4085),c=o(2861),u=o(7300),d=o(5951),p=o(8145),m=o(9251),h=o(8127),g=o(8088),f=(0,u.y)(),v=function(e){return function(t){var o;return(o={})[e]=t+"%",o}},b=function(e,t,o){return o===t?0:(e-t)/(o-t)*100},y=r.forwardRef((function(e,t){var o=function(e,t){var o=e.step,i=void 0===o?1:o,a=e.className,u=e.disabled,y=void 0!==u&&u,_=e.label,C=e.max,S=void 0===C?10:C,x=e.min,k=void 0===x?0:x,w=e.showValue,I=void 0===w||w,D=e.buttonProps,T=void 0===D?{}:D,E=e.vertical,P=void 0!==E&&E,M=e.valueFormat,R=e.styles,N=e.theme,B=e.originFromZero,F=e["aria-label"],L=e.ranged,A=r.useRef([]),z=r.useRef(null),H=(0,s.G)(e.value,e.defaultValue,(function(t,o){var n,r;return null===(r=(n=e).onChange)||void 0===r?void 0:r.call(n,o,L?[j,o]:void 0)})),O=H[0],W=H[1],V=(0,s.G)(e.lowerValue,e.defaultLowerValue,(function(t,o){var n,r;return null===(r=(n=e).onChange)||void 0===r?void 0:r.call(n,U,[o,U])})),K=V[0],q=V[1],G=r.useRef(!1),U=Math.max(k,Math.min(S,O||0)),j=Math.max(k,Math.min(U,K||0)),J=(0,l.M)("Slider"),Y=(0,c.k)(!0),Z=Y[0],X=Y[1].toggle,Q=f(R,{className:a,disabled:y,vertical:P,showTransitions:Z,showValue:I,ranged:L,theme:N}),$=r.useState(0),ee=$[0],te=$[1],oe=(S-k)/i,ne=function(){clearTimeout(ee)},re=function(t){ne(),te(setTimeout((function(){e.onChanged&&e.onChanged(t,U)}),1e3))},ie=function(t){var o=e.ariaValueText;if(void 0!==t)return o?o(t):t.toString()},ae=function(t,o){e.snapToStep;var n=0;if(isFinite(i))for(;Math.round(i*Math.pow(10,n))/Math.pow(10,n)!==i;)n++;var r=parseFloat(t.toFixed(n));L?G.current&&(B?r<=0:r<=U)?q(r):!G.current&&(B?r>=0:r>=j)&&W(r):W(r)},se=function(e,t){var o;switch(e.type){case"mousedown":case"mousemove":o=t?e.clientY:e.clientX;break;case"touchstart":case"touchmove":o=t?e.touches[0].clientY:e.touches[0].clientX}return o},le=function(t){if(z.current){var o,n=z.current.getBoundingClientRect(),r=(e.vertical?n.height:n.width)/oe;if(e.vertical){var i=se(t,e.vertical);o=(n.bottom-i)/r}else{var a=se(t,e.vertical);o=((0,d.zg)(e.theme)?n.right-a:a-n.left)/r}return o}},ce=function(e,t){var o,n=le(e);o=n>Math.floor(oe)?S:n<0?k:k+i*Math.round(n),ae(o),t||(e.preventDefault(),e.stopPropagation())},ue=function(e){if(L){var t=le(e),o=k+i*t;G.current=o<=j||o-j<=U-o}"mousedown"===e.type?A.current.push((0,m.on)(window,"mousemove",ce,!0),(0,m.on)(window,"mouseup",de,!0)):"touchstart"===e.type&&A.current.push((0,m.on)(window,"touchmove",ce,!0),(0,m.on)(window,"touchend",de,!0)),X(),ce(e,!0)},de=function(t){e.onChanged&&e.onChanged(t,U),X(),pe()},pe=function(){A.current.forEach((function(e){return e()})),A.current=[]},me=y?{}:{onMouseDown:ue},he=y?{}:{onTouchStart:ue},ge=y?{}:{onKeyDown:function(t){var o=G.current?j:U,n=0;switch(t.which){case(0,d.dP)(p.m.left,e.theme):case p.m.down:n=-i,ne(),re(t);break;case(0,d.dP)(p.m.right,e.theme):case p.m.up:n=i,ne(),re(t);break;case p.m.home:o=k;break;case p.m.end:o=S;break;default:return}var r=Math.min(S,Math.max(k,o+n));ae(r),t.preventDefault(),t.stopPropagation()}},fe=y?{}:{onFocus:function(e){G.current=e.target===ve.current}},ve=r.useRef(null),be=r.useRef(null);!function(e,t,o,n){r.useImperativeHandle(e.componentRef,(function(){return{get value(){return o},get range(){return e.ranged?n:void 0},focus:function(){t.current&&t.current.focus()}}}),[t,o,e.ranged,n])}(e,L&&!P?ve:be,U,[j,U]);var ye=function(e,t){return void 0===e&&(e=!1),void 0===t&&(t=!1),v(e?"bottom":t?"right":"left")}(P,(0,d.zg)(e.theme)),_e=function(e){return void 0===e&&(e=!1),v(e?"height":"width")}(P),Ce=B?0:k,Se=b(U,k,S),xe=b(j,k,S),ke=b(Ce,k,S),we=L?Se-xe:Math.abs(ke-Se),Ie=Math.min(100-Se,100-ke),De=L?xe:Math.min(Se,ke),Te={className:Q.root,ref:t},Ee=T?(0,h.pq)(T,h.n7):void 0,Pe={className:Q.titleLabel,children:_,disabled:y,htmlFor:F?void 0:J},Me=I?{className:Q.valueLabel,children:M?M(U):U,disabled:y}:void 0,Re=L&&I?{className:Q.valueLabel,children:M?M(j):j,disabled:y}:void 0,Ne=B?{className:Q.zeroTick,style:ye(ke)}:void 0,Be={className:(0,g.i)(Q.lineContainer,Q.activeSection),style:_e(we)},Fe={className:(0,g.i)(Q.lineContainer,Q.inactiveSection),style:_e(Ie)},Le={className:(0,g.i)(Q.lineContainer,Q.inactiveSection),style:_e(De)},Ae=(0,n.pi)((0,n.pi)((0,n.pi)((0,n.pi)({},me),he),ge),Ee),ze=(0,n.pi)({"aria-disabled":y,role:"slider",tabIndex:y?void 0:0},{"data-is-focusable":!y}),He=(0,n.pi)((0,n.pi)({id:J,className:(0,g.i)(Q.slideBox,T.className)},Ae),!L&&(0,n.pi)((0,n.pi)({},ze),{"aria-valuemin":k,"aria-valuemax":S,"aria-valuenow":U,"aria-valuetext":ie(U),"aria-label":F||_})),Oe=(0,n.pi)({ref:be,className:Q.thumb,style:ye(Se)},L&&(0,n.pi)((0,n.pi)((0,n.pi)((0,n.pi)({},ze),Ae),fe),{id:"max-"+J,"aria-valuemin":j,"aria-valuemax":S,"aria-valuenow":U,"aria-valuetext":ie(U),"aria-label":"max "+(F||_)})),We=L?(0,n.pi)((0,n.pi)((0,n.pi)((0,n.pi)({ref:ve,className:Q.thumb,style:ye(xe)},ze),Ae),fe),{id:"min-"+J,"aria-valuemin":k,"aria-valuemax":U,"aria-valuenow":j,"aria-valuetext":ie(j),"aria-label":"min "+(F||_)}):void 0;return{root:Te,label:Pe,sliderBox:He,container:{className:Q.container},valueLabel:Me,lowerValueLabel:Re,thumb:Oe,lowerValueThumb:We,zeroTick:Ne,activeTrack:Be,topInactiveTrack:Fe,bottomInactiveTrack:Le,sliderLine:{ref:z,className:Q.line}}}(e,t);return r.createElement("div",(0,n.pi)({},o.root),o&&r.createElement(a._,(0,n.pi)({},o.label)),r.createElement("div",(0,n.pi)({},o.container),e.ranged&&(e.vertical?o.valueLabel&&r.createElement(a._,(0,n.pi)({},o.valueLabel)):o.lowerValueLabel&&r.createElement(a._,(0,n.pi)({},o.lowerValueLabel))),r.createElement("div",(0,n.pi)({},o.sliderBox),r.createElement("div",(0,n.pi)({},o.sliderLine),e.ranged&&r.createElement("span",(0,n.pi)({},o.lowerValueThumb)),r.createElement("span",(0,n.pi)({},o.thumb)),o.zeroTick&&r.createElement("span",(0,n.pi)({},o.zeroTick)),r.createElement("span",(0,n.pi)({},o.bottomInactiveTrack)),r.createElement("span",(0,n.pi)({},o.activeTrack)),r.createElement("span",(0,n.pi)({},o.topInactiveTrack)))),e.ranged&&e.vertical?o.lowerValueLabel&&r.createElement(a._,(0,n.pi)({},o.lowerValueLabel)):o.valueLabel&&r.createElement(a._,(0,n.pi)({},o.valueLabel))),r.createElement(i.u,null))}));y.displayName="SliderBase"},4107:(e,t,o)=>{"use strict";o.d(t,{i:()=>c});var n=o(2002),r=o(9379),i=o(7622),a=o(9729),s=o(5951),l={root:"ms-Slider",enabled:"ms-Slider-enabled",disabled:"ms-Slider-disabled",row:"ms-Slider-row",column:"ms-Slider-column",container:"ms-Slider-container",slideBox:"ms-Slider-slideBox",line:"ms-Slider-line",thumb:"ms-Slider-thumb",activeSection:"ms-Slider-active",inactiveSection:"ms-Slider-inactive",valueLabel:"ms-Slider-value",showValue:"ms-Slider-showValue",showTransitions:"ms-Slider-showTransitions",zeroTick:"ms-Slider-zeroTick"},c=(0,n.z)(r.V,(function(e){var t,o,n,r,c,u,d,p,m,h,g,f,v,b=e.className,y=e.titleLabelClassName,_=e.theme,C=e.vertical,S=e.disabled,x=e.showTransitions,k=e.showValue,w=e.ranged,I=_.semanticColors,D=(0,a.Cn)(l,_),T=I.inputBackgroundCheckedHovered,E=I.inputBackgroundChecked,P=I.inputPlaceholderBackgroundChecked,M=I.smallInputBorder,R=I.disabledBorder,N=I.disabledText,B=I.disabledBackground,F=I.inputBackground,L=I.smallInputBorder,A=I.disabledBorder,z=!S&&{backgroundColor:T,selectors:(t={},t[a.qJ]={backgroundColor:"Highlight"},t)},H=!S&&{backgroundColor:P,selectors:(o={},o[a.qJ]={borderColor:"Highlight"},o)},O=!S&&{backgroundColor:E,selectors:(n={},n[a.qJ]={backgroundColor:"Highlight"},n)},W=!S&&{border:"2px solid "+T,selectors:(r={},r[a.qJ]={borderColor:"Highlight"},r)},V=!e.disabled&&{backgroundColor:I.inputPlaceholderBackgroundChecked,selectors:(c={},c[a.qJ]={backgroundColor:"Highlight"},c)};return{root:(0,i.pr)([D.root,_.fonts.medium,{userSelect:"none"},C&&{marginRight:8}],[S?void 0:D.enabled],[S?D.disabled:void 0],[C?void 0:D.row],[C?D.column:void 0],[b]),titleLabel:[{padding:0},y],container:[D.container,{display:"flex",flexWrap:"nowrap",alignItems:"center"},C&&{flexDirection:"column",height:"100%",textAlign:"center",margin:"8px 0"}],slideBox:(0,i.pr)([D.slideBox,!w&&(0,a.GL)(_),{background:"transparent",border:"none",flexGrow:1,lineHeight:28,display:"flex",alignItems:"center",selectors:(u={},u[":active ."+D.activeSection]=z,u[":hover ."+D.activeSection]=O,u[":active ."+D.inactiveSection]=H,u[":hover ."+D.inactiveSection]=H,u[":active ."+D.thumb]=W,u[":hover ."+D.thumb]=W,u[":active ."+D.zeroTick]=V,u[":hover ."+D.zeroTick]=V,u[a.qJ]={forcedColorAdjust:"none"},u)},C?{height:"100%",width:28,padding:"8px 0"}:{height:28,width:"auto",padding:"0 8px"}],[k?D.showValue:void 0],[x?D.showTransitions:void 0]),thumb:[D.thumb,w&&(0,a.GL)(_,{inset:-4}),{borderWidth:2,borderStyle:"solid",borderColor:L,borderRadius:10,boxSizing:"border-box",background:F,display:"block",width:16,height:16,position:"absolute"},C?{left:-6,margin:"0 auto",transform:"translateY(8px)"}:{top:-6,transform:(0,s.zg)(_)?"translateX(50%)":"translateX(-50%)"},x&&{transition:"left "+a.D1.durationValue3+" "+a.D1.easeFunction1},S&&{borderColor:A,selectors:(d={},d[a.qJ]={borderColor:"GrayText"},d)}],line:[D.line,{display:"flex",position:"relative"},C?{height:"100%",width:4,margin:"0 auto",flexDirection:"column-reverse"}:{width:"100%"}],lineContainer:[{borderRadius:4,boxSizing:"border-box"},C?{width:4,height:"100%"}:{height:4,width:"100%"}],activeSection:[D.activeSection,{background:M,selectors:(p={},p[a.qJ]={backgroundColor:"WindowText"},p)},x&&{transition:"width "+a.D1.durationValue3+" "+a.D1.easeFunction1},S&&{background:N,selectors:(m={},m[a.qJ]={backgroundColor:"GrayText",borderColor:"GrayText"},m)}],inactiveSection:[D.inactiveSection,{background:R,selectors:(h={},h[a.qJ]={border:"1px solid WindowText"},h)},x&&{transition:"width "+a.D1.durationValue3+" "+a.D1.easeFunction1},S&&{background:B,selectors:(g={},g[a.qJ]={borderColor:"GrayText"},g)}],zeroTick:[D.zeroTick,{position:"absolute",background:I.disabledBorder,selectors:(f={},f[a.qJ]={backgroundColor:"WindowText"},f)},e.disabled&&{background:I.disabledBackground,selectors:(v={},v[a.qJ]={backgroundColor:"GrayText"},v)},e.vertical?{width:"16px",height:"1px",transform:(0,s.zg)(_)?"translateX(6px)":"translateX(-6px)"}:{width:"1px",height:"16px",transform:"translateY(-6px)"}],valueLabel:[D.valueLabel,{flexShrink:1,width:30,lineHeight:"1"},C?{margin:"0 auto",whiteSpace:"nowrap",width:40}:{margin:"0 8px",whiteSpace:"nowrap",width:40}]}}),void 0,{scope:"Slider"})},3134:(e,t,o)=>{"use strict";o.d(t,{k:()=>P});var n=o(2002),r=o(7622),i=o(7002),a=o(5758),s=o(2052),l=o(9947),c=o(7300),u=o(63),d=o(8633),p=o(8127),m=o(8145),h=o(9729),g=o(5094),f=o(4568),v=(0,g.NF)((function(e){var t,o=e.semanticColors,n=o.disabledText,r=o.disabledBackground;return{backgroundColor:r,pointerEvents:"none",cursor:"default",color:n,selectors:(t={":after":{borderColor:r}},t[h.qJ]={color:"GrayText"},t)}})),b=(0,g.NF)((function(e,t,o){var n,r,i,a=e.palette,s=e.semanticColors,l=e.effects,c=a.neutralSecondary,u=s.buttonText,d=s.buttonText,p=s.buttonBackgroundHovered,m=s.buttonBackgroundPressed,g={root:{outline:"none",display:"block",height:"50%",width:23,padding:0,backgroundColor:"transparent",textAlign:"center",cursor:"default",color:c,selectors:{"&.ms-DownButton":{borderRadius:"0 0 "+l.roundedCorner2+" 0"},"&.ms-UpButton":{borderRadius:"0 "+l.roundedCorner2+" 0 0"}}},rootHovered:{backgroundColor:p,color:u},rootChecked:{backgroundColor:m,color:d,selectors:(n={},n[h.qJ]={backgroundColor:"Highlight",color:"HighlightText"},n)},rootPressed:{backgroundColor:m,color:d,selectors:(r={},r[h.qJ]={backgroundColor:"Highlight",color:"HighlightText"},r)},rootDisabled:{opacity:.5,selectors:(i={},i[h.qJ]={color:"GrayText",opacity:1},i)},icon:{fontSize:8,marginTop:0,marginRight:0,marginBottom:0,marginLeft:0}};return(0,h.E$)(g,{},o)})),y=o(998),_=o(4085),C=o(3528),S=o(6548),x=o(6876),k=(0,c.y)(),w={disabled:!1,label:"",step:1,labelPosition:f.L.start,incrementButtonIcon:{iconName:"ChevronUpSmall"},decrementButtonIcon:{iconName:"ChevronDownSmall"}},I=function(){},D=function(e,t){var o=t.min,n=t.max;return"number"==typeof n&&(e=Math.min(e,n)),"number"==typeof o&&(e=Math.max(e,o)),e},T=i.forwardRef((function(e,t){var o=(0,u.j)(w,e),n=o.disabled,c=o.label,h=o.min,g=o.max,v=o.step,T=o.defaultValue,P=o.value,M=o.precision,R=o.labelPosition,N=o.iconProps,B=o.incrementButtonIcon,F=o.incrementButtonAriaLabel,L=o.decrementButtonIcon,A=o.decrementButtonAriaLabel,z=o.ariaLabel,H=o.ariaDescribedBy,O=o.upArrowButtonStyles,W=o.downArrowButtonStyles,V=o.theme,K=o.ariaPositionInSet,q=o.ariaSetSize,G=o.ariaValueNow,U=o.ariaValueText,j=o.className,J=o.inputProps,Y=o.onDecrement,Z=o.onIncrement,X=o.iconButtonProps,Q=o.onValidate,$=o.onChange,ee=o.styles,te=i.useRef(null),oe=(0,_.M)("input"),ne=(0,_.M)("Label"),re=i.useState(!1),ie=re[0],ae=re[1],se=i.useState(y.T.notSpinning),le=se[0],ce=se[1],ue=(0,C.r)(),de=i.useMemo((function(){return null!=M?M:Math.max((0,d.oe)(v),0)}),[M,v]),pe=(0,S.G)(P,null!=T?T:String(h||0),$),me=pe[0],he=pe[1],ge=i.useState(),fe=ge[0],ve=ge[1],be=i.useRef({stepTimeoutHandle:-1,latestValue:void 0,latestIntermediateValue:void 0}).current;be.latestValue=me,be.latestIntermediateValue=fe;var ye=(0,x.D)(P);i.useEffect((function(){P!==ye&&void 0!==fe&&ve(void 0)}),[P,ye,fe]);var _e=k(ee,{theme:V,disabled:n,isFocused:ie,keyboardSpinDirection:le,labelPosition:R,className:j}),Ce=(0,p.pq)(o,p.n7,["onBlur","onFocus","className"]),Se=i.useCallback((function(e){var t=be.latestIntermediateValue;if(void 0!==t&&t!==be.latestValue){var o=void 0;Q?o=Q(t,e):t&&t.trim().length&&!isNaN(Number(t))&&(o=String(D(Number(t),{min:h,max:g}))),void 0!==o&&o!==be.latestValue&&he(o)}ve(void 0)}),[be,g,h,Q,he]),xe=i.useCallback((function(){be.stepTimeoutHandle>=0&&(ue.clearTimeout(be.stepTimeoutHandle),be.stepTimeoutHandle=-1),(be.spinningByMouse||le!==y.T.notSpinning)&&(be.spinningByMouse=!1,ce(y.T.notSpinning))}),[be,le,ue]),ke=i.useCallback((function(e,t){if(t.persist(),void 0!==be.latestIntermediateValue)return"keydown"===t.type&&Se(t),void ue.requestAnimationFrame((function(){ke(e,t)}));var o=e(be.latestValue||"",t);void 0!==o&&o!==be.latestValue&&he(o);var n=be.spinningByMouse;be.spinningByMouse="mousedown"===t.type,be.spinningByMouse&&(be.stepTimeoutHandle=ue.setTimeout((function(){ke(e,t)}),n?75:400))}),[be,ue,Se,he]),we=i.useCallback((function(e){if(Z)return Z(e);var t=D(Number(e)+Number(v),{max:g});return t=(0,d.F0)(t,de),String(t)}),[de,g,Z,v]),Ie=i.useCallback((function(e){if(Y)return Y(e);var t=D(Number(e)-Number(v),{min:h});return t=(0,d.F0)(t,de),String(t)}),[de,h,Y,v]),De=i.useCallback((function(e){(n||e.which===m.m.up||e.which===m.m.down)&&xe()}),[n,xe]),Te=i.useCallback((function(e){ke(we,e)}),[we,ke]),Ee=i.useCallback((function(e){ke(Ie,e)}),[Ie,ke]);!function(e,t,o){i.useImperativeHandle(e.componentRef,(function(){return{get value(){return o},focus:function(){t.current&&t.current.focus()}}}),[t,o])}(o,te,me),E(o);var Pe=!!me&&!isNaN(Number(me)),Me=(N||c)&&i.createElement("div",{className:_e.labelWrapper},N&&i.createElement(l.J,(0,r.pi)({},N,{className:_e.icon,"aria-hidden":"true"})),c&&i.createElement(s._,{id:ne,htmlFor:oe,className:_e.label,disabled:n},c));return i.createElement("div",{className:_e.root,ref:t},R!==f.L.bottom&&Me,i.createElement("div",(0,r.pi)({},Ce,{className:_e.spinButtonWrapper,"aria-label":z&&z,"aria-posinset":K,"aria-setsize":q,"data-ktp-target":!0}),i.createElement("input",(0,r.pi)({value:null!=fe?fe:me,id:oe,onChange:I,onInput:function(e){ve(e.target.value)},className:_e.input,type:"text",autoComplete:"off",role:"spinbutton","aria-labelledby":c&&ne,"aria-valuenow":null!=G?G:Pe?Number(me):void 0,"aria-valuetext":null!=U?U:Pe?void 0:me,"aria-valuemin":h,"aria-valuemax":g,"aria-describedby":H,onBlur:function(e){var t,n;Se(e),ae(!1),null===(n=(t=o).onBlur)||void 0===n||n.call(t,e)},ref:te,onFocus:function(e){var t,n;te.current&&((be.spinningByMouse||le!==y.T.notSpinning)&&xe(),te.current.select(),ae(!0),null===(n=(t=o).onFocus)||void 0===n||n.call(t,e))},onKeyDown:function(e){if(e.which!==m.m.up&&e.which!==m.m.down&&e.which!==m.m.enter||(e.preventDefault(),e.stopPropagation()),n)xe();else{var t=y.T.notSpinning;switch(e.which){case m.m.up:t=y.T.up,ke(we,e);break;case m.m.down:t=y.T.down,ke(Ie,e);break;case m.m.enter:Se(e);break;case m.m.escape:ve(void 0)}le!==t&&ce(t)}},onKeyUp:De,disabled:n,"aria-disabled":n,"data-lpignore":!0,"data-ktp-execute-target":!0},J)),i.createElement("span",{className:_e.arrowButtonsContainer},i.createElement(a.h,(0,r.pi)({styles:b(V,!0,O),className:"ms-UpButton",checked:le===y.T.up,disabled:n,iconProps:B,onMouseDown:Te,onMouseLeave:xe,onMouseUp:xe,tabIndex:-1,ariaLabel:F,"data-is-focusable":!1},X)),i.createElement(a.h,(0,r.pi)({styles:b(V,!1,W),className:"ms-DownButton",checked:le===y.T.down,disabled:n,iconProps:L,onMouseDown:Ee,onMouseLeave:xe,onMouseUp:xe,tabIndex:-1,ariaLabel:A,"data-is-focusable":!1},X)))),R===f.L.bottom&&Me)}));T.displayName="SpinButton";var E=function(e){},P=(0,n.z)(T,(function(e){var t,o,n=e.theme,r=e.className,i=e.labelPosition,a=e.disabled,s=e.isFocused,l=n.palette,c=n.semanticColors,u=n.effects,d=n.fonts,p=c.inputBorder,m=c.inputBackground,g=c.inputBorderHovered,b=c.inputFocusBorderAlt,y=c.inputText,_=l.white,C=c.inputBackgroundChecked,S=c.disabledText;return{root:[d.medium,{outline:"none",width:"100%",minWidth:86},r],labelWrapper:[{display:"inline-flex",alignItems:"center"},i===f.L.start&&{height:32,float:"left",marginRight:10},i===f.L.end&&{height:32,float:"right",marginLeft:10},i===f.L.top&&{marginBottom:-1}],icon:[{padding:"0 5px",fontSize:h.ld.large},a&&{color:S}],label:{pointerEvents:"none",lineHeight:h.ld.large},spinButtonWrapper:[{display:"flex",position:"relative",boxSizing:"border-box",height:32,minWidth:86,selectors:{":after":{pointerEvents:"none",content:"''",position:"absolute",left:0,top:0,bottom:0,right:0,borderWidth:"1px",borderStyle:"solid",borderColor:p,borderRadius:u.roundedCorner2}}},(i===f.L.top||i===f.L.bottom)&&{width:"100%"},!a&&[{selectors:{":hover":{selectors:(t={":after":{borderColor:g}},t[h.qJ]={selectors:{":after":{borderColor:"Highlight"}}},t)}}},s&&{selectors:{"&&":(0,h.$Y)(b,u.roundedCorner2)}}],a&&v(n)],input:["ms-spinButton-input",{boxSizing:"border-box",boxShadow:"none",borderStyle:"none",flex:1,margin:0,fontSize:d.medium.fontSize,fontFamily:"inherit",color:y,backgroundColor:m,height:"100%",padding:"0 8px 0 9px",outline:0,display:"block",minWidth:61,whiteSpace:"nowrap",textOverflow:"ellipsis",overflow:"hidden",cursor:"text",userSelect:"text",borderRadius:u.roundedCorner2+" 0 0 "+u.roundedCorner2},!a&&{selectors:{"::selection":{backgroundColor:C,color:_,selectors:(o={},o[h.qJ]={backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},o)}}},a&&v(n)],arrowButtonsContainer:[{display:"block",height:"100%",cursor:"default"},a&&v(n)]}}),void 0,{scope:"SpinButton"})},998:(e,t,o)=>{"use strict";var n;o.d(t,{T:()=>n}),function(e){e[e.down=-1]="down",e[e.notSpinning=0]="notSpinning",e[e.up=1]="up"}(n||(n={}))},6315:(e,t,o)=>{"use strict";o.d(t,{G:()=>u});var n=o(7622),r=o(7002),i=o(6362),a=o(7300),s=o(8127),l=o(6055),c=(0,a.y)(),u=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.type,o=e.size,a=e.ariaLabel,u=e.ariaLive,d=e.styles,p=e.label,m=e.theme,h=e.className,g=e.labelPosition,f=a,v=(0,s.pq)(this.props,s.n7,["size"]),b=o;void 0===b&&void 0!==t&&(b=t===i.d.large?i.E.large:i.E.medium);var y=c(d,{theme:m,size:b,className:h,labelPosition:g});return r.createElement("div",(0,n.pi)({},v,{className:y.root}),r.createElement("div",{className:y.circle}),p&&r.createElement("div",{className:y.label},p),f&&r.createElement("div",{role:"status","aria-live":u},r.createElement(l.U,null,r.createElement("div",{className:y.screenReaderText},f))))},t.defaultProps={size:i.E.medium,ariaLive:"polite",labelPosition:"bottom"},t}(r.Component)},76:(e,t,o)=>{"use strict";o.d(t,{$:()=>d});var n=o(2002),r=o(6315),i=o(7622),a=o(6362),s=o(9729),l=o(5094),c={root:"ms-Spinner",circle:"ms-Spinner-circle",label:"ms-Spinner-label"},u=(0,l.NF)((function(){return(0,s.F4)({"0%":{transform:"rotate(0deg)"},"100%":{transform:"rotate(360deg)"}})})),d=(0,n.z)(r.G,(function(e){var t,o=e.theme,n=e.size,r=e.className,l=e.labelPosition,d=o.palette,p=(0,s.Cn)(c,o);return{root:[p.root,{display:"flex",flexDirection:"column",alignItems:"center",justifyContent:"center"},"top"===l&&{flexDirection:"column-reverse"},"right"===l&&{flexDirection:"row"},"left"===l&&{flexDirection:"row-reverse"},r],circle:[p.circle,{boxSizing:"border-box",borderRadius:"50%",border:"1.5px solid "+d.themeLight,borderTopColor:d.themePrimary,animationName:u(),animationDuration:"1.3s",animationIterationCount:"infinite",animationTimingFunction:"cubic-bezier(.53,.21,.29,.67)",selectors:(t={},t[s.qJ]=(0,i.pi)({borderTopColor:"Highlight"},(0,s.xM)()),t)},n===a.E.xSmall&&["ms-Spinner--xSmall",{width:12,height:12}],n===a.E.small&&["ms-Spinner--small",{width:16,height:16}],n===a.E.medium&&["ms-Spinner--medium",{width:20,height:20}],n===a.E.large&&["ms-Spinner--large",{width:28,height:28}]],label:[p.label,o.fonts.small,{color:d.themePrimary,margin:"8px 0 0",textAlign:"center"},"top"===l&&{margin:"0 0 8px"},"right"===l&&{margin:"0 0 0 8px"},"left"===l&&{margin:"0 8px 0 0"}],screenReaderText:s.ul}}),void 0,{scope:"Spinner"})},6362:(e,t,o)=>{"use strict";var n,r;o.d(t,{E:()=>n,d:()=>r}),function(e){e[e.xSmall=0]="xSmall",e[e.small=1]="small",e[e.medium=2]="medium",e[e.large=3]="large"}(n||(n={})),function(e){e[e.normal=0]="normal",e[e.large=1]="large"}(r||(r={}))},1565:(e,t,o)=>{"use strict";o.d(t,{t:()=>m});var n=o(7002),r=o(9729),i=o(7300),a=o(5094),s=o(7375),l=o(634),c=o(3608),u=(0,i.y)(),d=function(e){var t;return"ffffff"===(null===(t=(0,s.T)(e))||void 0===t?void 0:t.hex)},p=(0,a.NF)((function(e,t,o,n,i,a,s,l,u){var d=(0,c.W)(e);return(0,r.ZC)({root:["ms-Button",d.root,o,t,s&&["is-checked",d.rootChecked],a&&["is-disabled",d.rootDisabled],!a&&!s&&{selectors:{":hover":d.rootHovered,":focus":d.rootFocused,":active":d.rootPressed}},a&&s&&[d.rootCheckedDisabled],!a&&s&&{selectors:{":hover":d.rootCheckedHovered,":active":d.rootCheckedPressed}}],flexContainer:["ms-Button-flexContainer",d.flexContainer]})})),m=function(e){var t=e.item,o=e.idPrefix,r=void 0===o?e.id:o,i=e.selected,a=void 0!==i&&i,c=e.disabled,m=void 0!==c&&c,h=e.styles,g=e.circle,f=void 0===g||g,v=e.color,b=e.onClick,y=e.onHover,_=e.onFocus,C=e.onMouseEnter,S=e.onMouseMove,x=e.onMouseLeave,k=e.onWheel,w=e.onKeyDown,I=e.height,D=e.width,T=e.borderWidth,E=u(h,{theme:e.theme,disabled:m,selected:a,circle:f,isWhite:d(v),height:I,width:D,borderWidth:T});return n.createElement(l.U,{item:t,id:r+"-"+t.id+"-"+t.index,key:t.id,disabled:m,role:"gridcell",onRenderItem:function(e){var t,o=E.svg;return n.createElement("svg",{className:o,viewBox:"0 0 20 20",fill:null===(t=(0,s.T)(e.color))||void 0===t?void 0:t.str},f?n.createElement("circle",{cx:"50%",cy:"50%",r:"50%"}):n.createElement("rect",{width:"100%",height:"100%"}))},selected:a,onClick:b,onHover:y,onFocus:_,label:t.label,className:E.colorCell,getClassNames:p,index:t.index,onMouseEnter:C,onMouseMove:S,onMouseLeave:x,onWheel:k,onKeyDown:w})}},3624:(e,t,o)=>{"use strict";o.d(t,{h:()=>l});var n=o(2002),r=o(1565),i=o(6145),a=o(9729),s={left:-2,top:-2,bottom:-2,right:-2,border:"none",outlineColor:"ButtonText"},l=(0,n.z)(r.t,(function(e){var t,o,n,r,l,c=e.theme,u=e.disabled,d=e.selected,p=e.circle,m=e.isWhite,h=e.height,g=void 0===h?20:h,f=e.width,v=void 0===f?20:f,b=e.borderWidth,y=c.semanticColors,_=c.palette,C=_.neutralLighter,S=_.neutralLight,x=_.neutralSecondary,k=_.neutralTertiary,w=b||(v<24?2:4);return{colorCell:[(0,a.GL)(c,{inset:-1,position:"relative",highContrastStyle:s}),{backgroundColor:y.bodyBackground,padding:0,position:"relative",boxSizing:"border-box",display:"inline-block",cursor:"pointer",userSelect:"none",borderRadius:0,border:"none",height:g,width:v},!p&&{selectors:(t={},t["."+i.G$+" &:focus::after"]={outlineOffset:w-1+"px"},t)},p&&{borderRadius:"50%",selectors:(o={},o["."+i.G$+" &:focus::after"]={outline:"none",borderColor:y.focusBorder,borderRadius:"50%",left:-w,right:-w,top:-w,bottom:-w,selectors:(n={},n[a.qJ]={outline:"1px solid ButtonText"},n)},o)},d&&{padding:2,border:w+"px solid "+S,selectors:(r={},r["&:hover::before"]={content:'""',height:g,width:v,position:"absolute",top:-w,left:-w,borderRadius:p?"50%":"default",boxShadow:"inset 0 0 0 1px "+x},r)},!d&&{selectors:(l={},l["&:hover, &:active, &:focus"]={backgroundColor:y.bodyBackground,padding:2,border:w+"px solid "+C},l["&:focus"]={borderColor:y.bodyBackground,padding:0,selectors:{":hover":{borderColor:c.palette.neutralLight,padding:2}}},l)},u&&{color:y.disabledBodyText,pointerEvents:"none",opacity:.3},m&&!d&&{backgroundColor:k,padding:1}],svg:[{width:"100%",height:"100%"},p&&{borderRadius:"50%"}]}}),void 0,{scope:"ColorPickerGridCell"},!0)},8621:(e,t,o)=>{"use strict";o.d(t,{_:()=>h});var n=o(7622),r=o(7002),i=o(7300),a=o(8145),s=o(2836),l=o(3624),c=o(4085),u=o(7913),d=o(5646),p=o(6548),m=(0,i.y)(),h=r.forwardRef((function(e,t){var o=(0,c.M)("swatchColorPicker"),i=e.id||o,h=(0,u.B)({isNavigationIdle:!0,cellFocused:!1,navigationIdleTimeoutId:void 0,navigationIdleDelay:250}),g=(0,d.L)(),f=g.setTimeout,v=g.clearTimeout,b=e.colorCells,y=e.cellShape,_=void 0===y?"circle":y,C=e.columnCount,S=e.shouldFocusCircularNavigate,x=void 0===S||S,k=e.className,w=e.disabled,I=void 0!==w&&w,D=e.doNotContainWithinFocusZone,T=e.styles,E=e.cellMargin,P=void 0===E?10:E,M=e.defaultSelectedId,R=e.focusOnHover,N=e.mouseLeaveParentSelector,B=e.onChange,F=e.onColorChanged,L=e.onCellHovered,A=e.onCellFocused,z=e.getColorGridCellStyles,H=e.cellHeight,O=e.cellWidth,W=e.cellBorderWidth,V=r.useMemo((function(){return b.map((function(e,t){return(0,n.pi)((0,n.pi)({},e),{index:t})}))}),[b]),K=r.useCallback((function(e,t){var o,n,r,i=null===(o=b.filter((function(e){return e.id===t}))[0])||void 0===o?void 0:o.color;null===(n=B)||void 0===n||n(e,t,i),null===(r=F)||void 0===r||r(t,i)}),[B,F,b]),q=(0,p.G)(e.selectedId,M,K),G=q[0],U=q[1],j=m(T,{theme:e.theme,className:k,cellMargin:P}),J={root:j.root,tableCell:j.tableCell,focusedContainer:j.focusedContainer},Y=r.useCallback((function(){A&&(h.cellFocused=!1,A())}),[h,A]),Z=r.useCallback((function(e){return R?(h.isNavigationIdle&&!I&&e.currentTarget.focus(),!0):!h.isNavigationIdle||!!I}),[R,h,I]),X=r.useCallback((function(e){if(!R)return!h.isNavigationIdle||!!I;var t=e.currentTarget;return!h.isNavigationIdle||document&&t===document.activeElement||t.focus(),!0}),[R,h,I]),Q=r.useCallback((function(e){var t=N;if(R&&t&&h.isNavigationIdle&&!I)for(var o=document.querySelectorAll(t),n=0;n{"use strict";o.d(t,{U:()=>s});var n=o(2002),r=o(8621),i=o(9729),a={focusedContainer:"ms-swatchColorPickerBodyContainer"},s=(0,n.z)(r._,(function(e){var t=e.className,o=e.theme;return{root:{margin:"8px 0",borderCollapse:"collapse"},tableCell:{padding:e.cellMargin/2},focusedContainer:[(0,i.Cn)(a,o).focusedContainer,{clear:"both",display:"block",minWidth:"180px"},t]}}),void 0,{scope:"SwatchColorPicker"})},5229:(e,t,o)=>{"use strict";o.d(t,{P:()=>C});var n,r=o(7622),i=o(7002),a=o(2052),s=o(9947),l=o(7300),c=o(688),u=o(2167),d=o(2782),p=o(6055),m=o(5301),h=o(687),g=o(3128),f=o(8127),v=o(9757),b=o(5036),y=(0,l.y)(),_="TextField",C=function(e){function t(t){var o=e.call(this,t)||this;o._textElement=i.createRef(),o._onFocus=function(e){o.props.onFocus&&o.props.onFocus(e),o.setState({isFocused:!0},(function(){o.props.validateOnFocusIn&&o._validate(o.value)}))},o._onBlur=function(e){o.props.onBlur&&o.props.onBlur(e),o.setState({isFocused:!1},(function(){o.props.validateOnFocusOut&&o._validate(o.value)}))},o._onRenderLabel=function(e){var t=e.label,n=e.required,r=o._classNames.subComponentStyles?o._classNames.subComponentStyles.label:void 0;return t?i.createElement(a._,{required:n,htmlFor:o._id,styles:r,disabled:e.disabled,id:o._labelId},e.label):null},o._onRenderDescription=function(e){return e.description?i.createElement("span",{className:o._classNames.description},e.description):null},o._onRevealButtonClick=function(e){o.setState((function(e){return{isRevealingPassword:!e.isRevealingPassword}}))},o._onInputChange=function(e){var t,n,r=e.target.value,i=S(o.props,o.state)||"";void 0!==r&&r!==o._lastChangeValue&&r!==i?(o._lastChangeValue=r,null===(n=(t=o.props).onChange)||void 0===n||n.call(t,e,r),o._isControlled||o.setState({uncontrolledValue:r})):o._lastChangeValue=void 0},(0,c.l)(o),o._async=new u.e(o),o._fallbackId=(0,d.z)(_),o._descriptionId=(0,d.z)("TextFieldDescription"),o._labelId=(0,d.z)("TextFieldLabel"),o._warnControlledUsage();var n=t.defaultValue,r=void 0===n?"":n;return"number"==typeof r&&(r=String(r)),o.state={uncontrolledValue:o._isControlled?void 0:r,isFocused:!1,errorMessage:""},o._delayedValidate=o._async.debounce(o._validate,o.props.deferredValidationTime),o._lastValidation=0,o}return(0,r.ZT)(t,e),Object.defineProperty(t.prototype,"value",{get:function(){return S(this.props,this.state)},enumerable:!0,configurable:!0}),t.prototype.componentDidMount=function(){this._adjustInputHeight(),this.props.validateOnLoad&&this._validate(this.value)},t.prototype.componentWillUnmount=function(){this._async.dispose()},t.prototype.getSnapshotBeforeUpdate=function(e,t){return{selection:[this.selectionStart,this.selectionEnd]}},t.prototype.componentDidUpdate=function(e,t,o){var n=this.props,r=(o||{}).selection,i=void 0===r?[null,null]:r,a=i[0],s=i[1];!!e.multiline!=!!n.multiline&&t.isFocused&&(this.focus(),null!==a&&null!==s&&a>=0&&s>=0&&this.setSelectionRange(a,s)),e.value!==n.value&&(this._lastChangeValue=void 0);var l=S(e,t),c=this.value;l!==c&&(this._warnControlledUsage(e),this.state.errorMessage&&!n.errorMessage&&this.setState({errorMessage:""}),this._adjustInputHeight(),x(n)&&this._delayedValidate(c))},t.prototype.render=function(){var e=this.props,t=e.borderless,o=e.className,a=e.disabled,l=e.iconProps,c=e.inputClassName,u=e.label,d=e.multiline,m=e.required,h=e.underlined,g=e.prefix,f=e.resizable,_=e.suffix,C=e.theme,S=e.styles,x=e.autoAdjustHeight,k=e.canRevealPassword,w=e.type,I=e.onRenderPrefix,D=void 0===I?this._onRenderPrefix:I,T=e.onRenderSuffix,E=void 0===T?this._onRenderSuffix:T,P=e.onRenderLabel,M=void 0===P?this._onRenderLabel:P,R=e.onRenderDescription,N=void 0===R?this._onRenderDescription:R,B=this.state,F=B.isFocused,L=B.isRevealingPassword,A=this._errorMessage,z=!!k&&"password"===w&&function(){var e;if("boolean"!=typeof n){var t=(0,v.J)();if(null===(e=t)||void 0===e?void 0:e.navigator){var o=/Edg/.test(t.navigator.userAgent||"");n=!((0,b.f)()||o)}else n=!0}return n}(),H=this._classNames=y(S,{theme:C,className:o,disabled:a,focused:F,required:m,multiline:d,hasLabel:!!u,hasErrorMessage:!!A,borderless:t,resizable:f,hasIcon:!!l,underlined:h,inputClassName:c,autoAdjustHeight:x,hasRevealButton:z});return i.createElement("div",{ref:this.props.elementRef,className:H.root},i.createElement("div",{className:H.wrapper},M(this.props,this._onRenderLabel),i.createElement("div",{className:H.fieldGroup},(void 0!==g||this.props.onRenderPrefix)&&i.createElement("div",{className:H.prefix},D(this.props,this._onRenderPrefix)),d?this._renderTextArea():this._renderInput(),l&&i.createElement(s.J,(0,r.pi)({className:H.icon},l)),z&&i.createElement("button",{className:H.revealButton,onClick:this._onRevealButtonClick,type:"button"},i.createElement("span",{className:H.revealSpan},i.createElement(s.J,{className:H.revealIcon,iconName:L?"Hide":"RedEye"}))),(void 0!==_||this.props.onRenderSuffix)&&i.createElement("div",{className:H.suffix},E(this.props,this._onRenderSuffix)))),this._isDescriptionAvailable&&i.createElement("span",{id:this._descriptionId},N(this.props,this._onRenderDescription),A&&i.createElement("div",{role:"alert"},i.createElement(p.U,null,this._renderErrorMessage()))))},t.prototype.focus=function(){this._textElement.current&&this._textElement.current.focus()},t.prototype.blur=function(){this._textElement.current&&this._textElement.current.blur()},t.prototype.select=function(){this._textElement.current&&this._textElement.current.select()},t.prototype.setSelectionStart=function(e){this._textElement.current&&(this._textElement.current.selectionStart=e)},t.prototype.setSelectionEnd=function(e){this._textElement.current&&(this._textElement.current.selectionEnd=e)},Object.defineProperty(t.prototype,"selectionStart",{get:function(){return this._textElement.current?this._textElement.current.selectionStart:-1},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"selectionEnd",{get:function(){return this._textElement.current?this._textElement.current.selectionEnd:-1},enumerable:!0,configurable:!0}),t.prototype.setSelectionRange=function(e,t){this._textElement.current&&this._textElement.current.setSelectionRange(e,t)},t.prototype._warnControlledUsage=function(e){(0,m.Q)({componentId:this._id,componentName:_,props:this.props,oldProps:e,valueProp:"value",defaultValueProp:"defaultValue",onChangeProp:"onChange",readOnlyProp:"readOnly"}),null!==this.props.value||this._hasWarnedNullValue||(this._hasWarnedNullValue=!0,(0,h.Z)("Warning: 'value' prop on 'TextField' should not be null. Consider using an empty string to clear the component or undefined to indicate an uncontrolled component."))},Object.defineProperty(t.prototype,"_id",{get:function(){return this.props.id||this._fallbackId},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"_isControlled",{get:function(){return(0,g.s)(this.props,"value")},enumerable:!0,configurable:!0}),t.prototype._onRenderPrefix=function(e){var t=e.prefix;return i.createElement("span",{style:{paddingBottom:"1px"}},t)},t.prototype._onRenderSuffix=function(e){var t=e.suffix;return i.createElement("span",{style:{paddingBottom:"1px"}},t)},Object.defineProperty(t.prototype,"_errorMessage",{get:function(){var e=this.props.errorMessage;return(void 0===e?this.state.errorMessage:e)||""},enumerable:!0,configurable:!0}),t.prototype._renderErrorMessage=function(){var e=this._errorMessage;return e?"string"==typeof e?i.createElement("p",{className:this._classNames.errorMessage},i.createElement("span",{"data-automation-id":"error-message"},e)):i.createElement("div",{className:this._classNames.errorMessage,"data-automation-id":"error-message"},e):null},Object.defineProperty(t.prototype,"_isDescriptionAvailable",{get:function(){var e=this.props;return!!(e.onRenderDescription||e.description||this._errorMessage)},enumerable:!0,configurable:!0}),t.prototype._renderTextArea=function(){var e=(0,f.pq)(this.props,f.FI,["defaultValue"]),t=this.props["aria-labelledby"]||(this.props.label?this._labelId:void 0);return i.createElement("textarea",(0,r.pi)({id:this._id},e,{ref:this._textElement,value:this.value||"",onInput:this._onInputChange,onChange:this._onInputChange,className:this._classNames.field,"aria-labelledby":t,"aria-describedby":this._isDescriptionAvailable?this._descriptionId:this.props["aria-describedby"],"aria-invalid":!!this._errorMessage,"aria-label":this.props.ariaLabel,readOnly:this.props.readOnly,onFocus:this._onFocus,onBlur:this._onBlur}))},t.prototype._renderInput=function(){var e,t=(0,f.pq)(this.props,f.Gg,["defaultValue","type"]),o=this.props["aria-labelledby"]||(this.props.label?this._labelId:void 0),n=this.state.isRevealingPassword?"text":null!=(e=this.props.type)?e:"text";return i.createElement("input",(0,r.pi)({type:n,id:this._id,"aria-labelledby":o},t,{ref:this._textElement,value:this.value||"",onInput:this._onInputChange,onChange:this._onInputChange,className:this._classNames.field,"aria-label":this.props.ariaLabel,"aria-describedby":this._isDescriptionAvailable?this._descriptionId:this.props["aria-describedby"],"aria-invalid":!!this._errorMessage,readOnly:this.props.readOnly,onFocus:this._onFocus,onBlur:this._onBlur}))},t.prototype._validate=function(e){var t=this;if(this._latestValidateValue!==e||!x(this.props)){this._latestValidateValue=e;var o=this.props.onGetErrorMessage,n=o&&o(e||"");if(void 0!==n)if("string"!=typeof n&&"then"in n){var r=++this._lastValidation;n.then((function(o){r===t._lastValidation&&t.setState({errorMessage:o}),t._notifyAfterValidate(e,o)}))}else this.setState({errorMessage:n}),this._notifyAfterValidate(e,n);else this._notifyAfterValidate(e,"")}},t.prototype._notifyAfterValidate=function(e,t){e===this.value&&this.props.onNotifyValidationResult&&this.props.onNotifyValidationResult(t,e)},t.prototype._adjustInputHeight=function(){if(this._textElement.current&&this.props.autoAdjustHeight&&this.props.multiline){var e=this._textElement.current;e.style.height="",e.style.height=e.scrollHeight+"px"}},t.defaultProps={resizable:!0,deferredValidationTime:200,validateOnLoad:!0},t}(i.Component);function S(e,t){var o=e.value,n=void 0===o?t.uncontrolledValue:o;return"number"==typeof n?String(n):n}function x(e){return!(e.validateOnFocusIn||e.validateOnFocusOut)}},8623:(e,t,o)=>{"use strict";o.d(t,{n:()=>c});var n=o(2002),r=o(5229),i=o(7622),a=o(9729),s={root:"ms-TextField",description:"ms-TextField-description",errorMessage:"ms-TextField-errorMessage",field:"ms-TextField-field",fieldGroup:"ms-TextField-fieldGroup",prefix:"ms-TextField-prefix",suffix:"ms-TextField-suffix",wrapper:"ms-TextField-wrapper",revealButton:"ms-TextField-reveal",multiline:"ms-TextField--multiline",borderless:"ms-TextField--borderless",underlined:"ms-TextField--underlined",unresizable:"ms-TextField--unresizable",required:"is-required",disabled:"is-disabled",active:"is-active"};function l(e){var t=e.underlined,o=e.disabled,n=e.focused,r=e.theme,i=r.palette,s=r.fonts;return function(){var e;return{root:[t&&o&&{color:i.neutralTertiary},t&&{fontSize:s.medium.fontSize,marginRight:8,paddingLeft:12,paddingRight:0,lineHeight:"22px",height:32},t&&n&&{selectors:(e={},e[a.qJ]={height:31},e)}]}}}var c=(0,n.z)(r.P,(function(e){var t,o,n,r,c,u,d,p,m,h,g,f,v=e.theme,b=e.className,y=e.disabled,_=e.focused,C=e.required,S=e.multiline,x=e.hasLabel,k=e.borderless,w=e.underlined,I=e.hasIcon,D=e.resizable,T=e.hasErrorMessage,E=e.inputClassName,P=e.autoAdjustHeight,M=e.hasRevealButton,R=v.semanticColors,N=v.effects,B=v.fonts,F=(0,a.Cn)(s,v),L={background:R.disabledBackground,color:y?R.disabledText:R.inputPlaceholderText,display:"flex",alignItems:"center",padding:"0 10px",lineHeight:1,whiteSpace:"nowrap",flexShrink:0,selectors:(t={},t[a.qJ]={background:"Window",color:y?"GrayText":"WindowText"},t)},A=[B.medium,{color:R.inputPlaceholderText,opacity:1,selectors:(o={},o[a.qJ]={color:"GrayText"},o)}],z={color:R.disabledText,selectors:(n={},n[a.qJ]={color:"GrayText"},n)};return{root:[F.root,B.medium,C&&F.required,y&&F.disabled,_&&F.active,S&&F.multiline,k&&F.borderless,w&&F.underlined,a.Fv,{position:"relative"},b],wrapper:[F.wrapper,w&&[{display:"flex",borderBottom:"1px solid "+(T?R.errorText:R.inputBorder),width:"100%"},y&&{borderBottomColor:R.disabledBackground,selectors:(r={},r[a.qJ]=(0,i.pi)({borderColor:"GrayText"},(0,a.xM)()),r)},!y&&{selectors:{":hover":{borderBottomColor:T?R.errorText:R.inputBorderHovered,selectors:(c={},c[a.qJ]=(0,i.pi)({borderBottomColor:"Highlight"},(0,a.xM)()),c)}}},_&&[{position:"relative"},(0,a.$Y)(T?R.errorText:R.inputFocusBorderAlt,0,"borderBottom")]]],fieldGroup:[F.fieldGroup,a.Fv,{border:"1px solid "+R.inputBorder,borderRadius:N.roundedCorner2,background:R.inputBackground,cursor:"text",height:32,display:"flex",flexDirection:"row",alignItems:"stretch",position:"relative"},S&&{minHeight:"60px",height:"auto",display:"flex"},!_&&!y&&{selectors:{":hover":{borderColor:R.inputBorderHovered,selectors:(u={},u[a.qJ]=(0,i.pi)({borderColor:"Highlight"},(0,a.xM)()),u)}}},_&&!w&&(0,a.$Y)(T?R.errorText:R.inputFocusBorderAlt,N.roundedCorner2),y&&{borderColor:R.disabledBackground,selectors:(d={},d[a.qJ]=(0,i.pi)({borderColor:"GrayText"},(0,a.xM)()),d),cursor:"default"},k&&{border:"none"},k&&_&&{border:"none",selectors:{":after":{border:"none"}}},w&&{flex:"1 1 0px",border:"none",textAlign:"left"},w&&y&&{backgroundColor:"transparent"},T&&!w&&{borderColor:R.errorText,selectors:{"&:hover":{borderColor:R.errorText}}},!x&&C&&{selectors:(p={":before":{content:"'*'",color:R.errorText,position:"absolute",top:-5,right:-10}},p[a.qJ]={selectors:{":before":{color:"WindowText",right:-14}}},p)}],field:[B.medium,F.field,a.Fv,{borderRadius:0,border:"none",background:"none",backgroundColor:"transparent",color:R.inputText,padding:"0 8px",width:"100%",minWidth:0,textOverflow:"ellipsis",outline:0,selectors:(m={"&:active, &:focus, &:hover":{outline:0},"::-ms-clear":{display:"none"}},m[a.qJ]={background:"Window",color:y?"GrayText":"WindowText"},m)},(0,a.Sv)(A),S&&!D&&[F.unresizable,{resize:"none"}],S&&{minHeight:"inherit",lineHeight:17,flexGrow:1,paddingTop:6,paddingBottom:6,overflow:"auto",width:"100%"},S&&P&&{overflow:"hidden"},I&&!M&&{paddingRight:24},S&&I&&{paddingRight:40},y&&[{backgroundColor:R.disabledBackground,color:R.disabledText,borderColor:R.disabledBackground},(0,a.Sv)(z)],w&&{textAlign:"left"},_&&!k&&{selectors:(h={},h[a.qJ]={paddingLeft:11,paddingRight:11},h)},_&&S&&!k&&{selectors:(g={},g[a.qJ]={paddingTop:4},g)},E],icon:[S&&{paddingRight:24,alignItems:"flex-end"},{pointerEvents:"none",position:"absolute",bottom:6,right:8,top:"auto",fontSize:a.ld.medium,lineHeight:18},y&&{color:R.disabledText}],description:[F.description,{color:R.bodySubtext,fontSize:B.xSmall.fontSize}],errorMessage:[F.errorMessage,a.k4.slideDownIn20,B.small,{color:R.errorText,margin:0,paddingTop:5,display:"flex",alignItems:"center"}],prefix:[F.prefix,L],suffix:[F.suffix,L],revealButton:[F.revealButton,"ms-Button","ms-Button--icon",{height:30,width:32,border:"none",padding:"0px 4px",backgroundColor:"transparent",color:R.link,selectors:{":hover":{outline:0,color:R.primaryButtonBackgroundHovered,backgroundColor:R.buttonBackgroundHovered,selectors:(f={},f[a.qJ]={borderColor:"Highlight",color:"Highlight"},f)},":focus":{outline:0}}},I&&{marginRight:28}],revealSpan:{display:"flex",height:"100%",alignItems:"center"},revealIcon:{margin:"0px 4px",pointerEvents:"none",bottom:6,right:8,top:"auto",fontSize:a.ld.medium,lineHeight:18},subComponentStyles:{label:l(e)}}}),void 0,{scope:"TextField"})},5637:(e,t,o)=>{"use strict";o.d(t,{s:()=>p});var n=o(7622),r=o(7002),i=o(6548),a=o(4085),s=o(7300),l=o(8127),c=o(5480),u=o(2052),d=(0,s.y)(),p=r.forwardRef((function(e,t){var o=e.as,s=void 0===o?"div":o,p=e.ariaLabel,h=e.checked,g=e.className,f=e.defaultChecked,v=void 0!==f&&f,b=e.disabled,y=e.inlineLabel,_=e.label,C=e.offAriaLabel,S=e.offText,x=e.onAriaLabel,k=e.onChange,w=e.onChanged,I=e.onClick,D=e.onText,T=e.role,E=e.styles,P=e.theme,M=(0,i.G)(h,v,r.useCallback((function(e,t){var o,n;null===(o=k)||void 0===o||o(e,t),null===(n=w)||void 0===n||n(t)}),[k,w])),R=M[0],N=M[1],B=d(E,{theme:P,className:g,disabled:b,checked:R,inlineLabel:y,onOffMissing:!D&&!S}),F=R?x:C,L=(0,a.M)("Toggle",e.id),A=L+"-label",z=L+"-stateText",H=R?D:S,O=(0,l.pq)(e,l.Gg,["defaultChecked"]),W=void 0;p||F||(_&&(W=A),H&&(W=W?W+" "+z:z));var V=r.useRef(null);(0,c.P)(V),m(e,R,V);var K={root:{className:B.root,hidden:O.hidden},label:{children:_,className:B.label,htmlFor:L,id:A},container:{className:B.container},pill:(0,n.pi)((0,n.pi)({},O),{"aria-disabled":b,"aria-checked":R,"aria-label":p||F,"aria-labelledby":W,className:B.pill,"data-is-focusable":!0,"data-ktp-target":!0,disabled:b,id:L,onClick:function(e){b||(N(!R),I&&I(e))},ref:V,role:T||"switch",type:"button"}),thumb:{className:B.thumb},stateText:{children:H,className:B.text,htmlFor:L,id:z}};return r.createElement(s,(0,n.pi)({ref:t},K.root),_&&r.createElement(u._,(0,n.pi)({},K.label)),r.createElement("div",(0,n.pi)({},K.container),r.createElement("button",(0,n.pi)({},K.pill),r.createElement("span",(0,n.pi)({},K.thumb))),(R&&D||S)&&r.createElement(u._,(0,n.pi)({},K.stateText))))}));p.displayName="ToggleBase";var m=function(e,t,o){r.useImperativeHandle(e.componentRef,(function(){return{get checked(){return!!t},focus:function(){o.current&&o.current.focus()}}}),[t,o])}},1431:(e,t,o)=>{"use strict";o.d(t,{Z:()=>s});var n=o(2002),r=o(5637),i=o(7622),a=o(9729),s=(0,n.z)(r.s,(function(e){var t,o,n,r,s,l,c,u=e.theme,d=e.className,p=e.disabled,m=e.checked,h=e.inlineLabel,g=e.onOffMissing,f=u.semanticColors,v=u.palette,b=f.bodyBackground,y=f.inputBackgroundChecked,_=f.inputBackgroundCheckedHovered,C=v.neutralDark,S=f.disabledBodySubtext,x=f.smallInputBorder,k=f.inputForegroundChecked,w=f.disabledBodySubtext,I=f.disabledBackground,D=f.smallInputBorder,T=f.inputBorderHovered,E=f.disabledBodySubtext,P=f.disabledText;return{root:["ms-Toggle",m&&"is-checked",!p&&"is-enabled",p&&"is-disabled",u.fonts.medium,{marginBottom:"8px"},h&&{display:"flex",alignItems:"center"},d],label:["ms-Toggle-label",{display:"inline-block"},p&&{color:P,selectors:(t={},t[a.qJ]={color:"GrayText"},t)},h&&!g&&{marginRight:16},g&&h&&{order:1,marginLeft:16},h&&{wordBreak:"break-all"}],container:["ms-Toggle-innerContainer",{display:"flex",position:"relative"}],pill:["ms-Toggle-background",(0,a.GL)(u,{inset:-3}),{fontSize:"20px",boxSizing:"border-box",width:40,height:20,borderRadius:10,transition:"all 0.1s ease",border:"1px solid "+D,background:b,cursor:"pointer",display:"flex",alignItems:"center",padding:"0 3px"},!p&&[!m&&{selectors:{":hover":[{borderColor:T}],":hover .ms-Toggle-thumb":[{backgroundColor:C,selectors:(o={},o[a.qJ]={borderColor:"Highlight"},o)}]}},m&&[{background:y,borderColor:"transparent",justifyContent:"flex-end"},{selectors:(n={":hover":[{backgroundColor:_,borderColor:"transparent",selectors:(r={},r[a.qJ]={backgroundColor:"Highlight"},r)}]},n[a.qJ]=(0,i.pi)({backgroundColor:"Highlight"},(0,a.xM)()),n)}]],p&&[{cursor:"default"},!m&&[{borderColor:E}],m&&[{backgroundColor:S,borderColor:"transparent",justifyContent:"flex-end"}]],!p&&{selectors:{"&:hover":{selectors:(s={},s[a.qJ]={borderColor:"Highlight"},s)}}}],thumb:["ms-Toggle-thumb",{display:"block",width:12,height:12,borderRadius:"50%",transition:"all 0.1s ease",backgroundColor:x,borderColor:"transparent",borderWidth:6,borderStyle:"solid",boxSizing:"border-box"},!p&&m&&[{backgroundColor:k,selectors:(l={},l[a.qJ]={backgroundColor:"Window",borderColor:"Window"},l)}],p&&[!m&&[{backgroundColor:w}],m&&[{backgroundColor:I}]]],text:["ms-Toggle-stateText",{selectors:{"&&":{padding:"0",margin:"0 8px",userSelect:"none",fontWeight:a.lq.regular}}},p&&{selectors:{"&&":{color:P,selectors:(c={},c[a.qJ]={color:"GrayText"},c)}}}]}}),void 0,{scope:"Toggle"})},3860:(e,t,o)=>{"use strict";o.d(t,{P:()=>u});var n=o(7622),r=o(7002),i=o(7300),a=o(8127),s=o(5953),l=o(6628),c=(0,i.y)(),u=function(e){function t(){var t=null!==e&&e.apply(this,arguments)||this;return t._onRenderContent=function(e){return r.createElement("p",{className:t._classNames.subText},e.content)},t}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.className,o=e.calloutProps,i=e.directionalHint,l=e.directionalHintForRTL,u=e.styles,d=e.id,p=e.maxWidth,m=e.onRenderContent,h=void 0===m?this._onRenderContent:m,g=e.targetElement,f=e.theme;return this._classNames=c(u,{theme:f,className:t||o&&o.className,beakWidth:o&&o.beakWidth,gapSpace:o&&o.gapSpace,maxWidth:p}),r.createElement(s.U,(0,n.pi)({target:g,directionalHint:i,directionalHintForRTL:l},o,(0,a.pq)(this.props,a.n7,["id"]),{className:this._classNames.root}),r.createElement("div",{className:this._classNames.content,id:d,role:"tooltip",onMouseEnter:this.props.onMouseEnter,onMouseLeave:this.props.onMouseLeave},h(this.props,this._onRenderContent)))},t.defaultProps={directionalHint:l.b.topCenter,maxWidth:"364px",calloutProps:{isBeakVisible:!0,beakWidth:16,gapSpace:0,setInitialFocus:!0,doNotLayer:!1}},t}(r.Component)},1594:(e,t,o)=>{"use strict";o.d(t,{u:()=>a});var n=o(2002),r=o(3860),i=o(9729),a=(0,n.z)(r.P,(function(e){var t=e.className,o=e.beakWidth,n=void 0===o?16:o,r=e.gapSpace,a=void 0===r?0:r,s=e.maxWidth,l=e.theme,c=l.semanticColors,u=l.fonts,d=l.effects,p=-(Math.sqrt(n*n/2)+a)+1/window.devicePixelRatio;return{root:["ms-Tooltip",l.fonts.medium,i.k4.fadeIn200,{background:c.menuBackground,boxShadow:d.elevation8,padding:"8px",maxWidth:s,selectors:{":after":{content:"''",position:"absolute",bottom:p,left:p,right:p,top:p,zIndex:0}}},t],content:["ms-Tooltip-content",u.small,{position:"relative",zIndex:1,color:c.menuItemText,wordWrap:"break-word",overflowWrap:"break-word",overflow:"hidden"}],subText:["ms-Tooltip-subtext",{fontSize:"inherit",fontWeight:"inherit",color:"inherit",margin:0}]}}),void 0,{scope:"Tooltip"})},1180:(e,t,o)=>{"use strict";var n;o.d(t,{j:()=>n}),function(e){e[e.zero=0]="zero",e[e.medium=1]="medium",e[e.long=2]="long"}(n||(n={}))},154:(e,t,o)=>{"use strict";o.d(t,{Z:()=>y});var n=o(7622),r=o(7002),i=o(9729),a=o(7300),s=o(2782),l=o(6670),c=o(7466),u=o(8145),d=o(688),p=o(2167),m=o(2447),h=o(8127),g=o(3967),f=o(1594),v=o(1180),b=(0,a.y)(),y=function(e){function t(o){var n=e.call(this,o)||this;return n._tooltipHost=r.createRef(),n._defaultTooltipId=(0,s.z)("tooltip"),n.show=function(){n._toggleTooltip(!0)},n.dismiss=function(){n._hideTooltip()},n._getTargetElement=function(){if(n._tooltipHost.current){var e=n.props.overflowMode;if(void 0!==e)switch(e){case g.y.Parent:return n._tooltipHost.current.parentElement;case g.y.Self:return n._tooltipHost.current}return n._tooltipHost.current}},n._onTooltipMouseEnter=function(e){var o=n.props,r=o.overflowMode,i=o.delay;if(t._currentVisibleTooltip&&t._currentVisibleTooltip!==n&&t._currentVisibleTooltip.dismiss(),t._currentVisibleTooltip=n,void 0!==r){var a=n._getTargetElement();if(a&&!(0,l.zS)(a))return}if(!e.target||!(0,c.w)(e.target,n._getTargetElement()))if(n._clearDismissTimer(),n._clearOpenTimer(),i!==v.j.zero){n.setState({isAriaPlaceholderRendered:!0});var s=n._getDelayTime(i);n._openTimerId=n._async.setTimeout((function(){n._toggleTooltip(!0)}),s)}else n._toggleTooltip(!0)},n._onTooltipMouseLeave=function(e){var o=n.props.closeDelay;n._clearDismissTimer(),n._clearOpenTimer(),o?n._dismissTimerId=n._async.setTimeout((function(){n._toggleTooltip(!1)}),o):n._toggleTooltip(!1),t._currentVisibleTooltip===n&&(t._currentVisibleTooltip=void 0)},n._onTooltipKeyDown=function(e){(e.which===u.m.escape||e.ctrlKey)&&n.state.isTooltipVisible&&(n._hideTooltip(),e.stopPropagation())},n._clearDismissTimer=function(){n._async.clearTimeout(n._dismissTimerId)},n._clearOpenTimer=function(){n._async.clearTimeout(n._openTimerId)},n._hideTooltip=function(){n._clearOpenTimer(),n._clearDismissTimer(),n._toggleTooltip(!1)},n._toggleTooltip=function(e){n.state.isTooltipVisible!==e&&n.setState({isAriaPlaceholderRendered:!1,isTooltipVisible:e},(function(){return n.props.onTooltipToggle&&n.props.onTooltipToggle(e)}))},n._getDelayTime=function(e){switch(e){case v.j.medium:return 300;case v.j.long:return 500;default:return 0}},(0,d.l)(n),n.state={isAriaPlaceholderRendered:!1,isTooltipVisible:!1},n._async=new p.e(n),n}return(0,n.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.calloutProps,o=e.children,a=e.content,s=e.directionalHint,l=e.directionalHintForRTL,c=e.hostClassName,u=e.id,d=e.setAriaDescribedBy,p=void 0===d||d,g=e.tooltipProps,v=e.styles,y=e.theme;this._classNames=b(v,{theme:y,className:c});var _=this.state,C=_.isAriaPlaceholderRendered,S=_.isTooltipVisible,x=u||this._defaultTooltipId,k=!!(a||g&&g.onRenderContent&&g.onRenderContent()),w=S&&k,I=p&&S&&k?x:void 0;return r.createElement("div",(0,n.pi)({className:this._classNames.root,ref:this._tooltipHost},{onFocusCapture:this._onTooltipMouseEnter},{onBlurCapture:this._hideTooltip},{onMouseEnter:this._onTooltipMouseEnter,onMouseLeave:this._onTooltipMouseLeave,onKeyDown:this._onTooltipKeyDown,"aria-describedby":I}),o,w&&r.createElement(f.u,(0,n.pi)({id:x,content:a,targetElement:this._getTargetElement(),directionalHint:s,directionalHintForRTL:l,calloutProps:(0,m.f0)({},t,{onDismiss:this._hideTooltip,onMouseEnter:this._onTooltipMouseEnter,onMouseLeave:this._onTooltipMouseLeave}),onMouseEnter:this._onTooltipMouseEnter,onMouseLeave:this._onTooltipMouseLeave},(0,h.pq)(this.props,h.n7),g)),C&&r.createElement("div",{id:x,style:i.ul},a))},t.prototype.componentWillUnmount=function(){t._currentVisibleTooltip&&t._currentVisibleTooltip===this&&(t._currentVisibleTooltip=void 0),this._async.dispose()},t.defaultProps={delay:v.j.medium},t}(r.Component)},5816:(e,t,o)=>{"use strict";o.d(t,{G:()=>s});var n=o(2002),r=o(154),i=o(9729),a={root:"ms-TooltipHost",ariaPlaceholder:"ms-TooltipHost-aria-placeholder"},s=(0,n.z)(r.Z,(function(e){var t=e.className,o=e.theme;return{root:[(0,i.Cn)(a,o).root,{display:"inline"},t]}}),void 0,{scope:"TooltipHost"})},3967:(e,t,o)=>{"use strict";var n;o.d(t,{y:()=>n}),function(e){e[e.Parent=0]="Parent",e[e.Self=1]="Self"}(n||(n={}))},8976:(e,t,o)=>{"use strict";o.d(t,{d:()=>L,Y:()=>A});var n={};o.r(n),o.d(n,{inputDisabled:()=>P,inputFocused:()=>E,pickerInput:()=>M,pickerItems:()=>R,pickerText:()=>T,screenReaderOnly:()=>N});var r=o(7622),i=o(7002),a=o(7300),s=o(2002),l=o(8145),c=o(3345),u=o(688),d=o(2167),p=o(2782),m=o(8088),h=o(2998),g=o(7023),f=o(5953),v=o(3297),b=o(4449),y=o(5238),_=o(6628),C=o(4800),S=o(9729),x={root:"ms-Suggestions",suggestionsContainer:"ms-Suggestions-container",title:"ms-Suggestions-title",forceResolveButton:"ms-forceResolve-button",searchForMoreButton:"ms-SearchMore-button",spinner:"ms-Suggestions-spinner",noSuggestions:"ms-Suggestions-none",suggestionsAvailable:"ms-Suggestions-suggestionsAvailable",isSelected:"is-selected"};function k(e){var t,o=e.className,n=e.suggestionsClassName,i=e.theme,a=e.forceResolveButtonSelected,s=e.searchForMoreButtonSelected,l=i.palette,c=i.semanticColors,u=i.fonts,d=(0,S.Cn)(x,i),p={backgroundColor:"transparent",border:0,cursor:"pointer",margin:0,paddingLeft:8,position:"relative",borderTop:"1px solid "+l.neutralLight,height:40,textAlign:"left",width:"100%",fontSize:u.small.fontSize,selectors:{":hover":{backgroundColor:c.menuItemBackgroundPressed,cursor:"pointer"},":focus, :active":{backgroundColor:l.themeLight},".ms-Button-icon":{fontSize:u.mediumPlus.fontSize,width:25},".ms-Button-label":{margin:"0 4px 0 9px"}}},m={backgroundColor:l.themeLight,selectors:(t={},t[S.qJ]=(0,r.pi)({backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},(0,S.xM)()),t)};return{root:[d.root,{minWidth:260},o],suggestionsContainer:[d.suggestionsContainer,{overflowY:"auto",overflowX:"hidden",maxHeight:300,transform:"translate3d(0,0,0)"},n],title:[d.title,{padding:"0 12px",fontSize:u.small.fontSize,color:l.themePrimary,lineHeight:40,borderBottom:"1px solid "+c.menuItemBackgroundPressed}],forceResolveButton:[d.forceResolveButton,p,a&&[d.isSelected,m]],searchForMoreButton:[d.searchForMoreButton,p,s&&[d.isSelected,m]],noSuggestions:[d.noSuggestions,{textAlign:"center",color:l.neutralSecondary,fontSize:u.small.fontSize,lineHeight:30}],suggestionsAvailable:[d.suggestionsAvailable,S.ul],subComponentStyles:{spinner:{root:[d.spinner,{margin:"5px 0",paddingLeft:14,textAlign:"left",whiteSpace:"nowrap",lineHeight:20,fontSize:u.small.fontSize}],circle:{display:"inline-block",verticalAlign:"middle"},label:{display:"inline-block",verticalAlign:"middle",margin:"0 10px 0 16px"}}}}}var w=o(6920),I=o(7115),D=o(5767);(0,o(4976).RM)([{rawString:".pickerText_9da47ae5{display:-webkit-box;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;-webkit-box-align:center;-ms-flex-align:center;align-items:center;-webkit-box-sizing:border-box;box-sizing:border-box;border:1px solid "},{theme:"neutralTertiary",defaultValue:"#a19f9d"},{rawString:";min-width:180px;min-height:30px}.pickerText_9da47ae5:hover{border-color:"},{theme:"inputBorderHovered",defaultValue:"#323130"},{rawString:"}.pickerText_9da47ae5.inputFocused_9da47ae5{position:relative;border-color:"},{theme:"inputFocusBorderAlt",defaultValue:"#0078d4"},{rawString:"}.pickerText_9da47ae5.inputFocused_9da47ae5:after{pointer-events:none;content:'';position:absolute;left:-1px;top:-1px;bottom:-1px;right:-1px;border:2px solid "},{theme:"inputFocusBorderAlt",defaultValue:"#0078d4"},{rawString:"}@media screen and (-ms-high-contrast:active){.pickerText_9da47ae5.inputDisabled_9da47ae5{position:relative;border-color:GrayText}.pickerText_9da47ae5.inputDisabled_9da47ae5:after{pointer-events:none;content:'';position:absolute;left:0;top:0;bottom:0;right:0;background-color:Window}}.pickerInput_9da47ae5{height:34px;border:none;-webkit-box-flex:1;-ms-flex-positive:1;flex-grow:1;outline:0;padding:0 6px 0;-ms-flex-item-align:end;align-self:flex-end}.pickerItems_9da47ae5{display:-webkit-box;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;max-width:100%}.screenReaderOnly_9da47ae5{position:absolute;width:1px;height:1px;padding:0;margin:-1px;overflow:hidden;clip:rect(0,0,0,0);border:0}"}]);var T="pickerText_9da47ae5",E="inputFocused_9da47ae5",P="inputDisabled_9da47ae5",M="pickerInput_9da47ae5",R="pickerItems_9da47ae5",N="screenReaderOnly_9da47ae5",B=n,F=(0,a.y)(),L=function(e){function t(t){var o,n=e.call(this,t)||this;n.root=i.createRef(),n.input=i.createRef(),n.focusZone=i.createRef(),n.suggestionElement=i.createRef(),n.SuggestionOfProperType=C.D,n._styledSuggestions=(o=n.SuggestionOfProperType,(0,s.z)(o,k,void 0,{scope:"Suggestions"})),n.dismissSuggestions=function(e){var t=function(){var t=!0;n.props.onDismiss&&(t=n.props.onDismiss(e,n.suggestionStore.currentSuggestion?n.suggestionStore.currentSuggestion.item:void 0)),(!e||e&&!e.defaultPrevented)&&!1!==t&&n.canAddItems()&&n.suggestionStore.hasSelectedSuggestion()&&n.state.suggestedDisplayValue&&n.addItemByIndex(0)};n.currentPromise?n.currentPromise.then((function(){return t()})):t(),n.setState({suggestionsVisible:!1})},n.refocusSuggestions=function(e){n.resetFocus(),n.suggestionStore.suggestions&&n.suggestionStore.suggestions.length>0&&(e===l.m.up?n.suggestionStore.setSelectedSuggestion(n.suggestionStore.suggestions.length-1):e===l.m.down&&n.suggestionStore.setSelectedSuggestion(0))},n.onInputChange=function(e){n.updateValue(e),n.setState({moreSuggestionsAvailable:!0,isMostRecentlyUsedVisible:!1})},n.onSuggestionClick=function(e,t,o){n.addItemByIndex(o)},n.onSuggestionRemove=function(e,t,o){n.props.onRemoveSuggestion&&n.props.onRemoveSuggestion(t),n.suggestionStore.removeSuggestion(o)},n.onInputFocus=function(e){n.selection.setAllSelected(!1),n.state.isFocused||(n.setState({isFocused:!0}),n._userTriggeredSuggestions(),n.props.inputProps&&n.props.inputProps.onFocus&&n.props.inputProps.onFocus(e))},n.onInputBlur=function(e){n.props.inputProps&&n.props.inputProps.onBlur&&n.props.inputProps.onBlur(e)},n.onBlur=function(e){if(n.state.isFocused){var t=e.relatedTarget;null===e.relatedTarget&&(t=document.activeElement),t&&!(0,c.t)(n.root.current,t)&&(n.setState({isFocused:!1}),n.props.onBlur&&n.props.onBlur(e))}},n.onClick=function(e){void 0!==n.props.inputProps&&void 0!==n.props.inputProps.onClick&&n.props.inputProps.onClick(e),0===e.button&&n._userTriggeredSuggestions()},n.onKeyDown=function(e){var t=e.which;switch(t){case l.m.escape:n.state.suggestionsVisible&&(n.setState({suggestionsVisible:!1}),e.preventDefault(),e.stopPropagation());break;case l.m.tab:case l.m.enter:n.suggestionElement.current&&n.suggestionElement.current.hasSuggestedActionSelected()?n.suggestionElement.current.executeSelectedAction():!e.shiftKey&&n.suggestionStore.hasSelectedSuggestion()&&n.state.suggestionsVisible?(n.completeSuggestion(),e.preventDefault(),e.stopPropagation()):n._completeGenericSuggestion();break;case l.m.backspace:n.props.disabled||n.onBackspace(e),e.stopPropagation();break;case l.m.del:n.props.disabled||(n.input.current&&e.target===n.input.current.inputElement&&n.state.suggestionsVisible&&-1!==n.suggestionStore.currentIndex?(n.props.onRemoveSuggestion&&n.props.onRemoveSuggestion(n.suggestionStore.currentSuggestion.item),n.suggestionStore.removeSuggestion(n.suggestionStore.currentIndex),n.forceUpdate()):n.onBackspace(e)),e.stopPropagation();break;case l.m.up:n.input.current&&e.target===n.input.current.inputElement&&n.state.suggestionsVisible&&(n.suggestionElement.current&&n.suggestionElement.current.tryHandleKeyDown(t,n.suggestionStore.currentIndex)?(e.preventDefault(),e.stopPropagation(),n.forceUpdate()):n.suggestionElement.current&&n.suggestionElement.current.hasSuggestedAction()&&0===n.suggestionStore.currentIndex?(e.preventDefault(),e.stopPropagation(),n.suggestionElement.current.focusAboveSuggestions(),n.suggestionStore.deselectAllSuggestions(),n.forceUpdate()):n.suggestionStore.previousSuggestion()&&(e.preventDefault(),e.stopPropagation(),n.onSuggestionSelect()));break;case l.m.down:n.input.current&&e.target===n.input.current.inputElement&&n.state.suggestionsVisible&&(n.suggestionElement.current&&n.suggestionElement.current.tryHandleKeyDown(t,n.suggestionStore.currentIndex)?(e.preventDefault(),e.stopPropagation(),n.forceUpdate()):n.suggestionElement.current&&n.suggestionElement.current.hasSuggestedAction()&&n.suggestionStore.currentIndex+1===n.suggestionStore.suggestions.length?(e.preventDefault(),e.stopPropagation(),n.suggestionElement.current.focusBelowSuggestions(),n.suggestionStore.deselectAllSuggestions(),n.forceUpdate()):n.suggestionStore.nextSuggestion()&&(e.preventDefault(),e.stopPropagation(),n.onSuggestionSelect()))}},n.onItemChange=function(e,t){var o=n.state.items;if(t>=0){var r=o;r[t]=e,n._updateSelectedItems(r)}},n.onGetMoreResults=function(){n.setState({isSearching:!0},(function(){if(n.props.onGetMoreResults&&n.input.current){var e=n.props.onGetMoreResults(n.input.current.value,n.state.items),t=e,o=e;Array.isArray(t)?(n.updateSuggestions(t),n.setState({isSearching:!1})):o.then&&o.then((function(e){n.updateSuggestions(e),n.setState({isSearching:!1})}))}else n.setState({isSearching:!1});n.input.current&&n.input.current.focus(),n.setState({moreSuggestionsAvailable:!1,isResultsFooterVisible:!0})}))},n.completeSelection=function(e){n.addItem(e),n.updateValue(""),n.input.current&&n.input.current.clear(),n.setState({suggestionsVisible:!1})},n.addItemByIndex=function(e){n.completeSelection(n.suggestionStore.getSuggestionAtIndex(e).item)},n.addItem=function(e){var t=n.props.onItemSelected?n.props.onItemSelected(e):e;if(null!==t){var o=t,r=t;if(r&&r.then)r.then((function(e){var t=n.state.items.concat([e]);n._updateSelectedItems(t)}));else{var i=n.state.items.concat([o]);n._updateSelectedItems(i)}n.setState({suggestedDisplayValue:""})}},n.removeItem=function(e,t){var o=n.state.items,r=o.indexOf(e);if(r>=0){var i=o.slice(0,r).concat(o.slice(r+1));n._updateSelectedItems(i)}},n.removeItems=function(e){var t=n.state.items.filter((function(t){return-1===e.indexOf(t)}));n._updateSelectedItems(t)},n._shouldFocusZoneEnterInnerZone=function(e){if(n.state.suggestionsVisible)switch(e.which){case l.m.up:case l.m.down:return!0}return e.which===l.m.enter},n._onResolveSuggestions=function(e){var t=n.props.onResolveSuggestions(e,n.state.items);null!==t&&n.updateSuggestionsList(t,e)},n._completeGenericSuggestion=function(){if(n.props.onValidateInput&&n.input.current&&n.props.onValidateInput(n.input.current.value)!==I.Y.invalid&&n.props.createGenericItem){var e=n.props.createGenericItem(n.input.current.value,n.props.onValidateInput(n.input.current.value));n.suggestionStore.createGenericSuggestion(e),n.completeSuggestion()}},n._userTriggeredSuggestions=function(){if(!n.state.suggestionsVisible){var e=n.input.current?n.input.current.value:"";e?0===n.suggestionStore.suggestions.length?n._onResolveSuggestions(e):n.setState({isMostRecentlyUsedVisible:!1,suggestionsVisible:!0}):n.onEmptyInputFocus()}},(0,u.l)(n),n._async=new d.e(n);var r=t.selectedItems||t.defaultSelectedItems||[];return n._id=(0,p.z)(),n._ariaMap={selectedItems:"selected-items-"+n._id,selectedSuggestionAlert:"selected-suggestion-alert-"+n._id,suggestionList:"suggestion-list-"+n._id,combobox:"combobox-"+n._id},n.suggestionStore=new w.Z,n.selection=new v.Y({onSelectionChanged:function(){return n.onSelectionChange()}}),n.selection.setItems(r),n.state={items:r,suggestedDisplayValue:"",isMostRecentlyUsedVisible:!1,moreSuggestionsAvailable:!1,isFocused:!1,isSearching:!1,selectedIndices:[]},n}return(0,r.ZT)(t,e),t.getDerivedStateFromProps=function(e){return e.selectedItems?{items:e.selectedItems}:null},Object.defineProperty(t.prototype,"items",{get:function(){return this.state.items},enumerable:!0,configurable:!0}),t.prototype.componentDidMount=function(){this.selection.setItems(this.state.items),this._onResolveSuggestions=this._async.debounce(this._onResolveSuggestions,this.props.resolveDelay)},t.prototype.componentDidUpdate=function(e,t){if(this.state.items&&this.state.items!==t.items){var o=this.selection.getSelectedIndices()[0];this.selection.setItems(this.state.items),this.state.isFocused&&this.state.items.length0?"listbox":"dialog"},this.getSuggestionsAlert(_.screenReaderText),i.createElement(b.i,{selection:this.selection,selectionMode:y.oW.multiple},i.createElement("div",{className:_.text,role:"presentation"},n.length>0&&i.createElement("span",{id:this._ariaMap.selectedItems,className:_.itemsWrapper,role:"list"},this.renderItems()),this.canAddItems()&&i.createElement(D.G,(0,r.pi)({spellCheck:!1},l,{className:_.input,componentRef:this.input,onClick:this.onClick,onFocus:this.onInputFocus,onBlur:this.onInputBlur,onInputValueChange:this.onInputChange,suggestedDisplayValue:t,"aria-describedby":n.length>0?this._ariaMap.selectedItems:void 0,"aria-controls":f+" "+p||void 0,"aria-activedescendant":this.getActiveDescendant(),"aria-labelledby":this.props["aria-label"]?this._ariaMap.combobox:void 0,role:"textbox",disabled:c,onInputChange:this.props.onInputChange}))))),this.renderSuggestions())},t.prototype.canAddItems=function(){var e=this.state.items,t=this.props.itemLimit;return void 0===t||e.length=0){var o=this.root.current&&this.root.current.querySelectorAll("[data-selection-index]")[Math.min(e,t.length-1)];o&&this.focusZone.current&&this.focusZone.current.focusElement(o)}else this.canAddItems()?this.input.current&&this.input.current.focus():this.resetFocus(t.length-1)},t.prototype.onSuggestionSelect=function(){if(this.suggestionStore.currentSuggestion){var e=this.input.current?this.input.current.value:"",t=this._getTextFromItem(this.suggestionStore.currentSuggestion.item,e);this.setState({suggestedDisplayValue:t})}},t.prototype.onSelectionChange=function(){this.setState({selectedIndices:this.selection.getSelectedIndices()})},t.prototype.updateSuggestions=function(e){this.suggestionStore.updateSuggestions(e,0),this.forceUpdate()},t.prototype.onEmptyInputFocus=function(){var e=this.props.onEmptyResolveSuggestions?this.props.onEmptyResolveSuggestions:this.props.onEmptyInputFocus;if(e){var t=e(this.state.items);this.updateSuggestionsList(t),this.setState({isMostRecentlyUsedVisible:!0,suggestionsVisible:!0,moreSuggestionsAvailable:!1})}},t.prototype.updateValue=function(e){this._onResolveSuggestions(e)},t.prototype.updateSuggestionsList=function(e,t){var o=this,n=e,r=e;if(Array.isArray(n))this._updateAndResolveValue(t,n);else if(r&&r.then){this.setState({suggestionsLoading:!0}),this.suggestionStore.updateSuggestions([]),void 0!==t?this.setState({suggestionsVisible:this._getShowSuggestions()}):this.setState({suggestionsVisible:this.input.current&&this.input.current.inputElement===document.activeElement});var i=this.currentPromise=r;i.then((function(e){i===o.currentPromise&&o._updateAndResolveValue(t,e)}))}},t.prototype.resolveNewValue=function(e,t){var o=this;this.updateSuggestions(t);var n=void 0;this.suggestionStore.currentSuggestion&&(n=this._getTextFromItem(this.suggestionStore.currentSuggestion.item,e)),this.setState({suggestedDisplayValue:n,suggestionsVisible:this._getShowSuggestions()},(function(){return o.setState({suggestionsLoading:!1})}))},t.prototype.onChange=function(e){this.props.onChange&&this.props.onChange(e)},t.prototype.onBackspace=function(e){(this.state.items.length&&!this.input.current||this.input.current&&!this.input.current.isValueSelected&&0===this.input.current.cursorLocation)&&(this.selection.getSelectedCount()>0?this.removeItems(this.selection.getSelection()):this.removeItem(this.state.items[this.state.items.length-1]))},t.prototype.getActiveDescendant=function(){if(!this.state.suggestionsLoading){var e=this.suggestionStore.currentIndex;return e<0&&this.suggestionElement.current&&this.suggestionElement.current.hasSuggestedAction()?"sug-selectedAction":e>-1&&!this.state.suggestionsLoading?"sug-"+e:void 0}},t.prototype.getSuggestionsAlert=function(e){void 0===e&&(e=B.screenReaderOnly);var t=this.suggestionStore.currentIndex;if(this.props.enableSelectedSuggestionAlert){var o=t>-1?this.suggestionStore.getSuggestionAtIndex(this.suggestionStore.currentIndex):void 0,n=o?o.ariaLabel:void 0;return i.createElement("div",{className:e,role:"alert",id:this._ariaMap.selectedSuggestionAlert,"aria-live":"assertive"},n," ")}},t.prototype._updateAndResolveValue=function(e,t){void 0!==e?this.resolveNewValue(e,t):(this.suggestionStore.updateSuggestions(t,-1),this.state.suggestionsLoading&&this.setState({suggestionsLoading:!1}))},t.prototype._updateSelectedItems=function(e){var t=this;this.props.selectedItems?this.onChange(e):this.setState({items:e},(function(){t._onSelectedItemsUpdated(e)}))},t.prototype._onSelectedItemsUpdated=function(e){this.onChange(e)},t.prototype._getShowSuggestions=function(){return void 0!==this.input.current&&null!==this.input.current&&this.input.current.inputElement===document.activeElement&&""!==this.input.current.value},t.prototype._getTextFromItem=function(e,t){return this.props.getTextFromItem?this.props.getTextFromItem(e,t):""},t}(i.Component),A=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,r.ZT)(t,e),t.prototype.render=function(){var e=this.state,t=e.suggestedDisplayValue,o=e.isFocused,n=this.props,a=n.className,s=n.inputProps,l=n.disabled,c=n.theme,u=n.styles,d=this.props.enableSelectedSuggestionAlert?this._ariaMap.selectedSuggestionAlert:"",p=this.state.suggestionsVisible?this._ariaMap.suggestionList:"",f=u?F(u,{theme:c,className:a,isFocused:o,inputClassName:s&&s.className}):{root:(0,m.i)("ms-BasePicker",a||""),text:(0,m.i)("ms-BasePicker-text",B.pickerText,this.state.isFocused&&B.inputFocused,l&&B.inputDisabled),itemsWrapper:B.pickerItems,input:(0,m.i)("ms-BasePicker-input",B.pickerInput,s&&s.className),screenReaderText:B.screenReaderOnly};return i.createElement("div",{ref:this.root,onBlur:this.onBlur},i.createElement("div",{className:f.root,onKeyDown:this.onKeyDown},this.getSuggestionsAlert(f.screenReaderText),i.createElement("div",{className:f.text,"aria-owns":p||void 0,"aria-expanded":!!this.state.suggestionsVisible,"aria-haspopup":p&&this.suggestionStore.suggestions.length>0?"listbox":"dialog",role:"combobox"},i.createElement(D.G,(0,r.pi)({},s,{className:f.input,componentRef:this.input,onFocus:this.onInputFocus,onBlur:this.onInputBlur,onClick:this.onClick,onInputValueChange:this.onInputChange,suggestedDisplayValue:t,"aria-activedescendant":this.getActiveDescendant(),role:"textbox",disabled:l,"aria-controls":p+" "+d||void 0,onInputChange:this.props.onInputChange})))),this.renderSuggestions(),i.createElement(b.i,{selection:this.selection,selectionMode:y.oW.single},i.createElement(h.k,{componentRef:this.focusZone,className:"ms-BasePicker-selectedItems",isCircularNavigation:!0,direction:g.U.bidirectional,shouldEnterInnerZone:this._shouldFocusZoneEnterInnerZone,id:this._ariaMap.selectedItems,role:"list"},this.renderItems())))},t.prototype.onBackspace=function(e){},t}(L)},9378:(e,t,o)=>{"use strict";o.d(t,{W:()=>i});var n=o(9729),r={root:"ms-BasePicker",text:"ms-BasePicker-text",itemsWrapper:"ms-BasePicker-itemsWrapper",input:"ms-BasePicker-input"};function i(e){var t,o=e.className,i=e.theme,a=e.isFocused,s=e.inputClassName,l=e.disabled;if(!i)throw new Error("theme is undefined or null in base BasePicker getStyles function.");var c=i.semanticColors,u=i.effects,d=i.fonts,p=c.inputBorder,m=c.inputBorderHovered,h=c.inputFocusBorderAlt,g=(0,n.Cn)(r,i),f="rgba(218, 218, 218, 0.29)";return{root:[g.root,o],text:[g.text,{display:"flex",position:"relative",flexWrap:"wrap",alignItems:"center",boxSizing:"border-box",minWidth:180,minHeight:30,border:"1px solid "+p,borderRadius:u.roundedCorner2},!a&&!l&&{selectors:{":hover":{borderColor:m}}},a&&!l&&(0,n.$Y)(h,u.roundedCorner2),l&&{borderColor:f,selectors:(t={":after":{content:'""',position:"absolute",top:0,right:0,bottom:0,left:0,background:f}},t[n.qJ]={borderColor:"GrayText",selectors:{":after":{background:"none"}}},t)}],itemsWrapper:[g.itemsWrapper,{display:"flex",flexWrap:"wrap",maxWidth:"100%"}],input:[g.input,d.medium,{height:30,border:"none",flexGrow:1,outline:"none",padding:"0 6px 0",alignSelf:"flex-end",borderRadius:u.roundedCorner2,backgroundColor:"transparent",color:c.inputText,selectors:{"::-ms-clear":{display:"none"}}},s],screenReaderText:n.ul}}},7115:(e,t,o)=>{"use strict";var n;o.d(t,{Y:()=>n}),function(e){e[e.valid=0]="valid",e[e.warning=1]="warning",e[e.invalid=2]="invalid"}(n||(n={}))},9318:(e,t,o)=>{"use strict";o.d(t,{UM:()=>m,Aj:()=>h,fK:()=>g,eT:()=>f,XF:()=>v,IV:()=>b,cA:()=>y,V1:()=>_,CV:()=>C});var n=o(7622),r=o(7002),i=o(6104),a=o(5951),s=o(2002),l=o(8976),c=o(7115),u=o(4885),d=o(2535),p=o(9378),m=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t}(l.d),h=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t}(l.Y),g=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.defaultProps={onRenderItem:function(e){return r.createElement(u.A,(0,n.pi)({},e))},onRenderSuggestionsItem:function(e,t){return r.createElement(d.E,{personaProps:e,suggestionsProps:t})},createGenericItem:b},t}(m),f=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.defaultProps={onRenderItem:function(e){return r.createElement(u.A,(0,n.pi)({},e))},onRenderSuggestionsItem:function(e,t){return r.createElement(d.E,{personaProps:e,suggestionsProps:t,compact:!0})},createGenericItem:b},t}(m),v=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,n.ZT)(t,e),t.defaultProps={onRenderItem:function(e){return r.createElement(u.A,(0,n.pi)({},e))},onRenderSuggestionsItem:function(e,t){return r.createElement(d.E,{personaProps:e,suggestionsProps:t})},createGenericItem:b},t}(h);function b(e,t){var o={key:e,primaryText:e,imageInitials:"!",ValidationState:t};return t!==c.Y.warning&&(o.imageInitials=(0,i.Q)(e,(0,a.zg)())),o}var y=(0,s.z)(g,p.W,void 0,{scope:"NormalPeoplePicker"}),_=(0,s.z)(f,p.W,void 0,{scope:"CompactPeoplePicker"}),C=(0,s.z)(v,p.W,void 0,{scope:"ListPeoplePickerBase"})},4885:(e,t,o)=>{"use strict";o.d(t,{A:()=>v,u:()=>f});var n=o(7622),r=o(7002),i=o(7300),a=o(2782),s=o(2002),l=o(7665),c=o(7481),u=o(5758),d=o(7115),p=o(9729),m=o(2657),h={root:"ms-PickerPersona-container",itemContent:"ms-PickerItem-content",removeButton:"ms-PickerItem-removeButton",isSelected:"is-selected",isInvalid:"is-invalid"},g=(0,i.y)(),f=function(e){var t=e.item,o=e.onRemoveItem,i=e.index,s=e.selected,p=e.removeButtonAriaLabel,m=e.styles,h=e.theme,f=e.className,v=e.disabled,b=(0,a.z)(),y=g(m,{theme:h,className:f,selected:s,disabled:v,invalid:t.ValidationState===d.Y.warning}),_=y.subComponentStyles?y.subComponentStyles.persona:void 0,C=y.subComponentStyles?y.subComponentStyles.personaCoin:void 0;return r.createElement("div",{className:y.root,"data-is-focusable":!v,"data-is-sub-focuszone":!0,"data-selection-index":i,role:"listitem","aria-labelledby":"selectedItemPersona-"+b},r.createElement("div",{className:y.itemContent,id:"selectedItemPersona-"+b},r.createElement(l.I,(0,n.pi)({size:c.Ir.size24,styles:_,coinProps:{styles:C}},t))),r.createElement(u.h,{onClick:o,disabled:v,iconProps:{iconName:"Cancel",styles:{root:{fontSize:"12px"}}},className:y.removeButton,ariaLabel:p}))},v=(0,s.z)(f,(function(e){var t,o,r,i,a,s,l,c=e.className,u=e.theme,d=e.selected,g=e.invalid,f=e.disabled,v=u.palette,b=u.semanticColors,y=u.fonts,_=(0,p.Cn)(h,u),C=[d&&!g&&!f&&{color:v.white,selectors:(t={":hover":{color:v.white}},t[p.qJ]={color:"HighlightText"},t)},(g&&!d||g&&d&&f)&&{color:v.redDark,borderBottom:"2px dotted "+v.redDark,selectors:(o={},o["."+_.root+":hover &"]={color:v.redDark},o)},g&&d&&!f&&{color:v.white,borderBottom:"2px dotted "+v.white},f&&{selectors:(r={},r[p.qJ]={color:"GrayText"},r)}],S=[g&&{fontSize:y.xLarge.fontSize}];return{root:[_.root,(0,p.GL)(u,{inset:-2}),{borderRadius:15,display:"inline-flex",alignItems:"center",background:v.neutralLighter,margin:"1px 2px",cursor:"default",userSelect:"none",maxWidth:300,verticalAlign:"middle",minWidth:0,selectors:(i={":hover":{background:d||f?"":v.neutralLight}},i[p.qJ]=[{border:"1px solid WindowText"},f&&{borderColor:"GrayText"}],i)},d&&!f&&[_.isSelected,{background:v.themePrimary,selectors:(a={},a[p.qJ]=(0,n.pi)({borderColor:"HighLight",background:"Highlight"},(0,p.xM)()),a)}],g&&[_.isInvalid],g&&d&&!f&&{background:v.redDark},c],itemContent:[_.itemContent,{flex:"0 1 auto",minWidth:0,maxWidth:"100%",overflow:"hidden"}],removeButton:[_.removeButton,{borderRadius:15,color:v.neutralPrimary,flex:"0 0 auto",width:24,height:24,selectors:{":hover":{background:v.neutralTertiaryAlt,color:v.neutralDark}}},d&&[{color:v.white,selectors:(s={":hover":{color:v.white,background:v.themeDark},":active":{color:v.white,background:v.themeDarker}},s[p.qJ]={color:"HighlightText"},s)},g&&{selectors:{":hover":{background:v.red},":active":{background:v.redDark}}}],f&&{selectors:(l={},l["."+m.n.msButtonIcon]={color:b.buttonText},l)}],subComponentStyles:{persona:{primaryText:C},personaCoin:{initials:S}}}}),void 0,{scope:"PeoplePickerItem"})},2535:(e,t,o)=>{"use strict";o.d(t,{E:()=>h,R:()=>m});var n=o(7622),r=o(7002),i=o(7300),a=o(2002),s=o(7665),l=o(7481),c=o(9729),u=o(4010),d={root:"ms-PeoplePicker-personaContent",personaWrapper:"ms-PeoplePicker-Persona"},p=(0,i.y)(),m=function(e){var t=e.personaProps,o=e.suggestionsProps,i=e.compact,a=e.styles,c=e.theme,u=e.className,d=p(a,{theme:c,className:o&&o.suggestionsItemClassName||u}),m=d.subComponentStyles&&d.subComponentStyles.persona?d.subComponentStyles.persona:void 0;return r.createElement("div",{className:d.root},r.createElement(s.I,(0,n.pi)({size:l.Ir.size24,styles:m,className:d.personaWrapper,showSecondaryText:!i},t)))},h=(0,a.z)(m,(function(e){var t,o,n,r=e.className,i=e.theme,a=(0,c.Cn)(d,i),s={selectors:(t={},t["."+u.k.isSuggested+" &"]={selectors:(o={},o[c.qJ]={color:"HighlightText"},o)},t["."+a.root+":hover &"]={selectors:(n={},n[c.qJ]={color:"HighlightText"},n)},t)};return{root:[a.root,{width:"100%",padding:"4px 12px"},r],personaWrapper:[a.personaWrapper,{width:180}],subComponentStyles:{persona:{primaryText:s,secondaryText:s}}}}),void 0,{scope:"PeoplePickerItemSuggestion"})},4800:(e,t,o)=>{"use strict";o.d(t,{D:()=>y});var n=o(7622),r=o(7002),i=o(7300),a=o(2002),s=o(8145),l=o(688),c=o(8088),u=o(990),d=o(76),p=o(3945),m=o(9862),h=o(7420),g=o(4010),f=o(8463),v=(0,i.y)(),b=(0,a.z)(h.S,g.W,void 0,{scope:"SuggestionItem"}),y=function(e){function t(t){var o=e.call(this,t)||this;return o._forceResolveButton=r.createRef(),o._searchForMoreButton=r.createRef(),o._selectedElement=r.createRef(),o.tryHandleKeyDown=function(e,t){var n=!1,r=null,i=o.state.selectedActionType,a=o.props.suggestions.length;if(e===s.m.down)switch(i){case m.L.forceResolve:a>0?(o._refocusOnSuggestions(e),r=m.L.none):r=o._searchForMoreButton.current?m.L.searchMore:m.L.forceResolve;break;case m.L.searchMore:o._forceResolveButton.current?r=m.L.forceResolve:a>0?(o._refocusOnSuggestions(e),r=m.L.none):r=m.L.searchMore;break;case m.L.none:-1===t&&o._forceResolveButton.current&&(r=m.L.forceResolve)}else if(e===s.m.up)switch(i){case m.L.forceResolve:o._searchForMoreButton.current?r=m.L.searchMore:a>0&&(o._refocusOnSuggestions(e),r=m.L.none);break;case m.L.searchMore:a>0?(o._refocusOnSuggestions(e),r=m.L.none):o._forceResolveButton.current&&(r=m.L.forceResolve);break;case m.L.none:-1===t&&o._searchForMoreButton.current&&(r=m.L.searchMore)}return null!==r&&(o.setState({selectedActionType:r}),n=!0),n},o._getAlertText=function(){var e=o.props,t=e.isLoading,n=e.isSearching,r=e.suggestions,i=e.suggestionsAvailableAlertText,a=e.noResultsFoundText;if(!t&&!n){if(r.length>0)return i||"";if(a)return a}return""},o._getMoreResults=function(){o.props.onGetMoreResults&&o.props.onGetMoreResults()},o._forceResolve=function(){o.props.createGenericItem&&o.props.createGenericItem()},o._shouldShowForceResolve=function(){return!!o.props.showForceResolve&&o.props.showForceResolve()},o._onClickTypedSuggestionsItem=function(e,t){return function(n){o.props.onSuggestionClick(n,e,t)}},o._refocusOnSuggestions=function(e){"function"==typeof o.props.refocusSuggestions&&o.props.refocusSuggestions(e)},o._onRemoveTypedSuggestionsItem=function(e,t){return function(n){(0,o.props.onSuggestionRemove)(n,e,t),n.stopPropagation()}},(0,l.l)(o),o.state={selectedActionType:m.L.none},o}return(0,n.ZT)(t,e),t.prototype.componentDidMount=function(){this.scrollSelected(),this.activeSelectedElement=this._selectedElement?this._selectedElement.current:null},t.prototype.componentDidUpdate=function(){this._selectedElement.current&&this.activeSelectedElement!==this._selectedElement.current&&(this.scrollSelected(),this.activeSelectedElement=this._selectedElement.current)},t.prototype.render=function(){var e,t,o=this,i=this.props,a=i.forceResolveText,s=i.mostRecentlyUsedHeaderText,l=i.searchForMoreText,h=i.className,g=i.moreSuggestionsAvailable,b=i.noResultsFoundText,y=i.suggestions,_=i.isLoading,C=i.isSearching,S=i.loadingText,x=i.onRenderNoResultFound,k=i.searchingText,w=i.isMostRecentlyUsedVisible,I=i.resultsMaximumNumber,D=i.resultsFooterFull,T=i.resultsFooter,E=i.isResultsFooterVisible,P=void 0===E||E,M=i.suggestionsHeaderText,R=i.suggestionsClassName,N=i.theme,B=i.styles,F=i.suggestionsListId;this._classNames=B?v(B,{theme:N,className:h,suggestionsClassName:R,forceResolveButtonSelected:this.state.selectedActionType===m.L.forceResolve,searchForMoreButtonSelected:this.state.selectedActionType===m.L.searchMore}):{root:(0,c.i)("ms-Suggestions",h,f.root),title:(0,c.i)("ms-Suggestions-title",f.suggestionsTitle),searchForMoreButton:(0,c.i)("ms-SearchMore-button",f.actionButton,(e={},e["is-selected "+f.buttonSelected]=this.state.selectedActionType===m.L.searchMore,e)),forceResolveButton:(0,c.i)("ms-forceResolve-button",f.actionButton,(t={},t["is-selected "+f.buttonSelected]=this.state.selectedActionType===m.L.forceResolve,t)),suggestionsAvailable:(0,c.i)("ms-Suggestions-suggestionsAvailable",f.suggestionsAvailable),suggestionsContainer:(0,c.i)("ms-Suggestions-container",f.suggestionsContainer,R),noSuggestions:(0,c.i)("ms-Suggestions-none",f.suggestionsNone)};var L=this._classNames.subComponentStyles?this._classNames.subComponentStyles.spinner:void 0,A=B?{styles:L}:{className:(0,c.i)("ms-Suggestions-spinner",f.suggestionsSpinner)},z=function(){return b?r.createElement("div",{className:o._classNames.noSuggestions},b):null},H=M;w&&s&&(H=s);var O=void 0;P&&(O=y.length>=I?D:T);var W=!(y&&y.length||_),V=W||_?{role:"dialog",id:F}:{},K=this.state.selectedActionType===m.L.forceResolve?"sug-selectedAction":void 0,q=this.state.selectedActionType===m.L.searchMore?"sug-selectedAction":void 0;return r.createElement("div",(0,n.pi)({className:this._classNames.root},V),r.createElement(p.O,{message:this._getAlertText(),"aria-live":"polite"}),H?r.createElement("div",{className:this._classNames.title},H):null,a&&this._shouldShowForceResolve()&&r.createElement(u.M,{componentRef:this._forceResolveButton,className:this._classNames.forceResolveButton,id:K,onClick:this._forceResolve,"data-automationid":"sug-forceResolve"},a),_&&r.createElement(d.$,(0,n.pi)({},A,{label:S})),W?x?x(void 0,z):z():this._renderSuggestions(),l&&g&&r.createElement(u.M,{componentRef:this._searchForMoreButton,className:this._classNames.searchForMoreButton,iconProps:{iconName:"Search"},id:q,onClick:this._getMoreResults,"data-automationid":"sug-searchForMore"},l),C?r.createElement(d.$,(0,n.pi)({},A,{label:k})):null,!O||g||w||C?null:r.createElement("div",{className:this._classNames.title},O(this.props)))},t.prototype.hasSuggestedAction=function(){return!!this._searchForMoreButton.current||!!this._forceResolveButton.current},t.prototype.hasSuggestedActionSelected=function(){return this.state.selectedActionType!==m.L.none},t.prototype.executeSelectedAction=function(){switch(this.state.selectedActionType){case m.L.forceResolve:this._forceResolve();break;case m.L.searchMore:this._getMoreResults()}},t.prototype.focusAboveSuggestions=function(){this._forceResolveButton.current?this.setState({selectedActionType:m.L.forceResolve}):this._searchForMoreButton.current&&this.setState({selectedActionType:m.L.searchMore})},t.prototype.focusBelowSuggestions=function(){this._searchForMoreButton.current?this.setState({selectedActionType:m.L.searchMore}):this._forceResolveButton.current&&this.setState({selectedActionType:m.L.forceResolve})},t.prototype.focusSearchForMoreButton=function(){this._searchForMoreButton.current&&this._searchForMoreButton.current.focus()},t.prototype.scrollSelected=function(){this._selectedElement.current&&void 0!==this._selectedElement.current.scrollIntoView&&this._selectedElement.current.scrollIntoView(!1)},t.prototype._renderSuggestions=function(){var e=this,t=this.props,o=t.onRenderSuggestion,n=t.removeSuggestionAriaLabel,i=t.suggestionsItemClassName,a=t.resultsMaximumNumber,s=t.showRemoveButtons,l=t.suggestionsContainerAriaLabel,c=t.suggestionsListId,u=this.props.suggestions,d=b,p=-1;return u.some((function(e,t){return!!e.selected&&(p=t,!0)})),a&&(u=p>=a?u.slice(p-a+1,p+1):u.slice(0,a)),0===u.length?null:r.createElement("div",{className:this._classNames.suggestionsContainer,id:c,role:"listbox","aria-label":l},u.map((function(t,a){return r.createElement("div",{ref:t.selected?e._selectedElement:void 0,key:t.item.key?t.item.key:a},r.createElement(d,{suggestionModel:t,RenderSuggestion:o,onClick:e._onClickTypedSuggestionsItem(t.item,a),className:i,showRemoveButton:s,removeButtonAriaLabel:n,onRemoveItem:e._onRemoveTypedSuggestionsItem(t.item,a),id:"sug-"+a}))})))},t}(r.Component)},8463:(e,t,o)=>{"use strict";o.r(t),o.d(t,{root:()=>n,suggestionsItem:()=>r,closeButton:()=>i,suggestionsItemIsSuggested:()=>a,itemButton:()=>s,actionButton:()=>l,buttonSelected:()=>c,suggestionsTitle:()=>u,suggestionsContainer:()=>d,suggestionsNone:()=>p,suggestionsSpinner:()=>m,suggestionsAvailable:()=>h}),(0,o(4976).RM)([{rawString:".root_744a4167{min-width:260px}.suggestionsItem_744a4167{display:-webkit-box;display:-ms-flexbox;display:flex;-webkit-box-align:stretch;-ms-flex-align:stretch;align-items:stretch;-webkit-box-sizing:border-box;box-sizing:border-box;width:100%;position:relative;overflow:hidden}.suggestionsItem_744a4167:hover{background:"},{theme:"neutralLighter",defaultValue:"#f3f2f1"},{rawString:"}.suggestionsItem_744a4167:hover .closeButton_744a4167{display:block}.suggestionsItem_744a4167.suggestionsItemIsSuggested_744a4167{background:"},{theme:"neutralLight",defaultValue:"#edebe9"},{rawString:"}.suggestionsItem_744a4167.suggestionsItemIsSuggested_744a4167:hover{background:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c6c4"},{rawString:"}@media screen and (-ms-high-contrast:active){.suggestionsItem_744a4167.suggestionsItemIsSuggested_744a4167:hover{background:Highlight;color:HighlightText}}@media screen and (-ms-high-contrast:active){.suggestionsItem_744a4167.suggestionsItemIsSuggested_744a4167{background:Highlight;color:HighlightText;-ms-high-contrast-adjust:none}}.suggestionsItem_744a4167.suggestionsItemIsSuggested_744a4167 .closeButton_744a4167:hover{background:"},{theme:"neutralTertiary",defaultValue:"#a19f9d"},{rawString:";color:"},{theme:"neutralPrimary",defaultValue:"#323130"},{rawString:"}@media screen and (-ms-high-contrast:active){.suggestionsItem_744a4167.suggestionsItemIsSuggested_744a4167 .itemButton_744a4167{color:HighlightText}}.suggestionsItem_744a4167 .closeButton_744a4167{display:none;color:"},{theme:"neutralSecondary",defaultValue:"#605e5c"},{rawString:"}.suggestionsItem_744a4167 .closeButton_744a4167:hover{background:"},{theme:"neutralLight",defaultValue:"#edebe9"},{rawString:"}.actionButton_744a4167{background-color:transparent;border:0;cursor:pointer;margin:0;position:relative;border-top:1px solid "},{theme:"neutralLight",defaultValue:"#edebe9"},{rawString:";height:40px;width:100%;font-size:12px}[dir=ltr] .actionButton_744a4167{padding-left:8px}[dir=rtl] .actionButton_744a4167{padding-right:8px}html[dir=ltr] .actionButton_744a4167{text-align:left}html[dir=rtl] .actionButton_744a4167{text-align:right}.actionButton_744a4167:hover{background-color:"},{theme:"neutralLight",defaultValue:"#edebe9"},{rawString:";cursor:pointer}.actionButton_744a4167:active,.actionButton_744a4167:focus{background-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:"}.actionButton_744a4167 .ms-Button-icon{font-size:16px;width:25px}.actionButton_744a4167 .ms-Button-label{margin:0 4px 0 9px}html[dir=rtl] .actionButton_744a4167 .ms-Button-label{margin:0 9px 0 4px}.buttonSelected_744a4167{background-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:"}.suggestionsTitle_744a4167{padding:0 12px;color:"},{theme:"themePrimary",defaultValue:"#0078d4"},{rawString:";font-size:12px;line-height:40px;border-bottom:1px solid "},{theme:"neutralLight",defaultValue:"#edebe9"},{rawString:"}.suggestionsContainer_744a4167{overflow-y:auto;overflow-x:hidden;max-height:300px;border-bottom:1px solid "},{theme:"neutralLight",defaultValue:"#edebe9"},{rawString:"}.suggestionsNone_744a4167{text-align:center;color:#797775;font-size:12px;line-height:30px}.suggestionsSpinner_744a4167{margin:5px 0;white-space:nowrap;line-height:20px;font-size:12px}html[dir=ltr] .suggestionsSpinner_744a4167{padding-left:14px}html[dir=rtl] .suggestionsSpinner_744a4167{padding-right:14px}html[dir=ltr] .suggestionsSpinner_744a4167{text-align:left}html[dir=rtl] .suggestionsSpinner_744a4167{text-align:right}.suggestionsSpinner_744a4167 .ms-Spinner-circle{display:inline-block;vertical-align:middle}.suggestionsSpinner_744a4167 .ms-Spinner-label{display:inline-block;margin:0 10px 0 16px;vertical-align:middle}html[dir=rtl] .suggestionsSpinner_744a4167 .ms-Spinner-label{margin:0 16px 0 10px}.itemButton_744a4167.itemButton_744a4167{width:100%;padding:0;min-width:0;height:100%}@media screen and (-ms-high-contrast:active){.itemButton_744a4167.itemButton_744a4167{color:WindowText}}.itemButton_744a4167.itemButton_744a4167:hover{color:"},{theme:"neutralDark",defaultValue:"#201f1e"},{rawString:"}.closeButton_744a4167.closeButton_744a4167{padding:0 4px;height:auto;width:32px}@media screen and (-ms-high-contrast:active){.closeButton_744a4167.closeButton_744a4167{color:WindowText}}.closeButton_744a4167.closeButton_744a4167:hover{background:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c6c4"},{rawString:";color:"},{theme:"neutralDark",defaultValue:"#201f1e"},{rawString:"}.suggestionsAvailable_744a4167{position:absolute;width:1px;height:1px;padding:0;margin:-1px;overflow:hidden;clip:rect(0,0,0,0);border:0}"}]);var n="root_744a4167",r="suggestionsItem_744a4167",i="closeButton_744a4167",a="suggestionsItemIsSuggested_744a4167",s="itemButton_744a4167",l="actionButton_744a4167",c="buttonSelected_744a4167",u="suggestionsTitle_744a4167",d="suggestionsContainer_744a4167",p="suggestionsNone_744a4167",m="suggestionsSpinner_744a4167",h="suggestionsAvailable_744a4167"},9862:(e,t,o)=>{"use strict";var n;o.d(t,{L:()=>n}),function(e){e[e.none=0]="none",e[e.forceResolve=1]="forceResolve",e[e.searchMore=2]="searchMore"}(n||(n={}))},6920:(e,t,o)=>{"use strict";o.d(t,{Z:()=>n});var n=function(){function e(){var e=this;this._isSuggestionModel=function(e){return void 0!==e.item},this._ensureSuggestionModel=function(t){return e._isSuggestionModel(t)?t:{item:t,selected:!1,ariaLabel:t.name||t.primaryText}},this.suggestions=[],this.currentIndex=-1}return e.prototype.updateSuggestions=function(e,t){e&&e.length>0?(this.suggestions=this.convertSuggestionsToSuggestionItems(e),this.currentIndex=t||0,-1===t?this.currentSuggestion=void 0:void 0!==t&&(this.suggestions[t].selected=!0,this.currentSuggestion=this.suggestions[t])):(this.suggestions=[],this.currentIndex=-1,this.currentSuggestion=void 0)},e.prototype.nextSuggestion=function(){if(this.suggestions&&this.suggestions.length){if(this.currentIndex0)return this.setSelectedSuggestion(this.currentIndex-1),!0;if(0===this.currentIndex)return this.setSelectedSuggestion(this.suggestions.length-1),!0}return!1},e.prototype.getSuggestions=function(){return this.suggestions},e.prototype.getCurrentItem=function(){return this.currentSuggestion},e.prototype.getSuggestionAtIndex=function(e){return this.suggestions[e]},e.prototype.hasSelectedSuggestion=function(){return!!this.currentSuggestion},e.prototype.removeSuggestion=function(e){this.suggestions.splice(e,1)},e.prototype.createGenericSuggestion=function(e){var t=this.convertSuggestionsToSuggestionItems([e])[0];this.currentSuggestion=t},e.prototype.convertSuggestionsToSuggestionItems=function(e){return Array.isArray(e)?e.map(this._ensureSuggestionModel):[]},e.prototype.deselectAllSuggestions=function(){this.currentIndex>-1&&(this.suggestions[this.currentIndex].selected=!1,this.currentIndex=-1)},e.prototype.setSelectedSuggestion=function(e){e>this.suggestions.length-1||e<0?(this.currentIndex=0,this.currentSuggestion.selected=!1,this.currentSuggestion=this.suggestions[0],this.currentSuggestion.selected=!0):(this.currentIndex>-1&&(this.suggestions[this.currentIndex].selected=!1),this.suggestions[e].selected=!0,this.currentIndex=e,this.currentSuggestion=this.suggestions[e])},e}()},7420:(e,t,o)=>{"use strict";o.d(t,{S:()=>p});var n=o(7622),r=o(7002),i=o(7300),a=o(688),s=o(8088),l=o(990),c=o(5758),u=o(8463),d=(0,i.y)(),p=function(e){function t(t){var o=e.call(this,t)||this;return(0,a.l)(o),o}return(0,n.ZT)(t,e),t.prototype.render=function(){var e,t=this.props,o=t.suggestionModel,n=t.RenderSuggestion,i=t.onClick,a=t.className,p=t.id,m=t.onRemoveItem,h=t.isSelectedOverride,g=t.removeButtonAriaLabel,f=t.styles,v=t.theme,b=f?d(f,{theme:v,className:a,suggested:o.selected||h}):{root:(0,s.i)("ms-Suggestions-item",u.suggestionsItem,(e={},e["is-suggested "+u.suggestionsItemIsSuggested]=o.selected||h,e),a),itemButton:(0,s.i)("ms-Suggestions-itemButton",u.itemButton),closeButton:(0,s.i)("ms-Suggestions-closeButton",u.closeButton)};return r.createElement("div",{className:b.root},r.createElement(l.M,{onClick:i,className:b.itemButton,id:p,"aria-selected":o.selected,role:"option","aria-label":o.ariaLabel},n(o.item,this.props)),this.props.showRemoveButton?r.createElement(c.h,{iconProps:{iconName:"Cancel",styles:{root:{fontSize:"12px"}}},title:g,ariaLabel:g,onClick:m,className:b.closeButton}):null)},t}(r.Component)},4010:(e,t,o)=>{"use strict";o.d(t,{k:()=>a,W:()=>s});var n=o(7622),r=o(9729),i=o(6145),a={root:"ms-Suggestions-item",itemButton:"ms-Suggestions-itemButton",closeButton:"ms-Suggestions-closeButton",isSuggested:"is-suggested"};function s(e){var t,o,s,l,c,u,d=e.className,p=e.theme,m=e.suggested,h=p.palette,g=p.semanticColors,f=(0,r.Cn)(a,p);return{root:[f.root,{display:"flex",alignItems:"stretch",boxSizing:"border-box",width:"100%",position:"relative",selectors:{"&:hover":{background:g.menuItemBackgroundHovered},"&:hover .ms-Suggestions-closeButton":{display:"block"}}},m&&{selectors:(t={},t["."+i.G$+" &"]={selectors:(o={},o["."+f.closeButton]={display:"block",background:g.menuItemBackgroundPressed},o)},t[":after"]={pointerEvents:"none",content:'""',position:"absolute",left:0,top:0,bottom:0,right:0,border:"1px solid "+p.semanticColors.focusBorder},t)},d],itemButton:[f.itemButton,{width:"100%",padding:0,border:"none",height:"100%",minWidth:0,overflow:"hidden",selectors:(s={},s[r.qJ]={color:"WindowText",selectors:{":hover":(0,n.pi)({background:"Highlight",color:"HighlightText"},(0,r.xM)())}},s[":hover"]={color:g.menuItemTextHovered},s)},m&&[f.isSuggested,{background:g.menuItemBackgroundPressed,selectors:(l={":hover":{background:g.menuDivider}},l[r.qJ]=(0,n.pi)({background:"Highlight",color:"HighlightText"},(0,r.xM)()),l)}]],closeButton:[f.closeButton,{display:"none",color:h.neutralSecondary,padding:"0 4px",height:"auto",width:32,selectors:(c={":hover, :active":{background:h.neutralTertiaryAlt,color:h.neutralDark}},c[r.qJ]={color:"WindowText"},c)},m&&(u={},u["."+i.G$+" &"]={selectors:{":hover, :active":{background:h.neutralTertiary}}},u.selectors={":hover, :active":{background:h.neutralTertiary,color:h.neutralPrimary}},u)]}}},6826:(e,t,o)=>{"use strict";o.r(t),o.d(t,{ActionButton:()=>_e.K,ActivityItem:()=>S,AnimationClassNames:()=>u.k4,AnimationDirection:()=>Be.s,AnimationStyles:()=>u.Ic,AnimationVariables:()=>u.D1,Announced:()=>k.O,AnnouncedBase:()=>w.d,Async:()=>bo.e,AutoScroll:()=>Ws,Autofill:()=>x.G,BaseButton:()=>ve.Y,BaseComponent:()=>Ie.H,BaseExtendedPeoplePicker:()=>na,BaseExtendedPicker:()=>ta,BaseFloatingPeoplePicker:()=>Ba,BaseFloatingPicker:()=>Ra,BasePeoplePicker:()=>wl.UM,BasePeopleSelectedItemsList:()=>Bc,BasePicker:()=>xl.d,BasePickerListBelow:()=>xl.Y,BaseSelectedItemsList:()=>fc,BaseSlots:()=>np,Breadcrumb:()=>fe,BreadcrumbBase:()=>ue,Button:()=>xe,ButtonGrid:()=>Me._,ButtonGridCell:()=>Re.U,ButtonType:()=>ne,COACHMARK_ATTRIBUTE_NAME:()=>xt,Calendar:()=>Ne.f,Callout:()=>Ae.U,CalloutContent:()=>ze.N,CalloutContentBase:()=>He.H,Check:()=>je,CheckBase:()=>qe,Checkbox:()=>Je.X,CheckboxBase:()=>Ye.A,CheckboxVisibility:()=>un,ChoiceGroup:()=>Ze.F,ChoiceGroupBase:()=>Xe.q,ChoiceGroupOption:()=>Qe.c,Coachmark:()=>Dt,CoachmarkBase:()=>wt,CollapseAllVisibility:()=>zo,ColorClassNames:()=>u.JJ,ColorPicker:()=>go.z,ColorPickerBase:()=>fo.T,ColorPickerGridCell:()=>qu.h,ColorPickerGridCellBase:()=>Gu.t,ColumnActionsMode:()=>an,ColumnDragEndLocation:()=>ln,ComboBox:()=>vo.C,CommandBar:()=>qo,CommandBarBase:()=>Ko,CommandBarButton:()=>ke.Q,CommandButton:()=>we.M,CommunicationColors:()=>vd,CompactPeoplePicker:()=>wl.V1,CompactPeoplePickerBase:()=>wl.eT,CompoundButton:()=>Ce.W,ConstrainMode:()=>sn,ContextualMenu:()=>Go.r,ContextualMenuBase:()=>Uo.MK,ContextualMenuItem:()=>Jo.W,ContextualMenuItemBase:()=>Yo.b,ContextualMenuItemType:()=>jo.n,Customizations:()=>Du.X,Customizer:()=>wp.N,CustomizerContext:()=>Iu.i,DATAKTP_ARIA_TARGET:()=>hs.A4,DATAKTP_EXECUTE_TARGET:()=>hs.ms,DATAKTP_TARGET:()=>hs.fV,DATA_IS_SCROLLABLE_ATTRIBUTE:()=>yo.c6,DATA_PORTAL_ATTRIBUTE:()=>Fp.Y,DAYS_IN_WEEK:()=>Le.NA,DEFAULT_CELL_STYLE_PROPS:()=>hn,DEFAULT_MASK_CHAR:()=>gd,DEFAULT_ROW_HEIGHTS:()=>gn,DatePicker:()=>Xo.M,DatePickerBase:()=>Qo.R,DateRangeType:()=>Le.NU,DayOfWeek:()=>Le.eO,DefaultButton:()=>ye.a,DefaultEffects:()=>u.rN,DefaultFontStyles:()=>u.ir,DefaultPalette:()=>u.UK,DefaultSpacing:()=>wd.C,DelayedRender:()=>Us.U,Depths:()=>kd.N,DetailsColumnBase:()=>En,DetailsHeader:()=>Hn,DetailsHeaderBase:()=>Bn,DetailsList:()=>xr,DetailsListBase:()=>br,DetailsListLayoutMode:()=>cn,DetailsRow:()=>Gn,DetailsRowBase:()=>Kn,DetailsRowCheck:()=>In,DetailsRowFields:()=>On,DetailsRowGlobalClassNames:()=>mn,Dialog:()=>ni,DialogBase:()=>ti,DialogContent:()=>Xr,DialogContentBase:()=>Yr,DialogFooter:()=>Ur,DialogFooterBase:()=>qr,DialogType:()=>Cr,DirectionalHint:()=>K.b,DocumentCard:()=>mi,DocumentCardActions:()=>vi,DocumentCardActivity:()=>_i,DocumentCardDetails:()=>ki,DocumentCardImage:()=>Li,DocumentCardLocation:()=>Di,DocumentCardLogo:()=>Ki,DocumentCardPreview:()=>Mi,DocumentCardStatus:()=>ji,DocumentCardTitle:()=>Hi,DocumentCardType:()=>ri,DragDropHelper:()=>Dn,Dropdown:()=>Ji.L,DropdownBase:()=>Yi.P,DropdownMenuItemType:()=>Zi.F,EdgeChromiumHighContrastSelector:()=>u.Ox,ElementType:()=>oe,EventGroup:()=>at.r,ExpandingCard:()=>ja,ExpandingCardBase:()=>Ua,ExpandingCardMode:()=>Va,ExtendedPeoplePicker:()=>ra,ExtendedSelectedItem:()=>Ec,Fabric:()=>ia.P,FabricBase:()=>aa.d,FabricPerformance:()=>fp,FabricSlots:()=>rp,Facepile:()=>ha,FacepileBase:()=>pa,FirstWeekOfYear:()=>Le.On,FloatingPeoplePicker:()=>Fa,FluentTheme:()=>Vd,FocusRects:()=>B.u,FocusTrapCallout:()=>We,FocusTrapZone:()=>Oe.P,FocusZone:()=>M.k,FocusZoneDirection:()=>R.U,FocusZoneTabbableElements:()=>R.J,FontClassNames:()=>u.yV,FontIcon:()=>Ve.xu,FontSizes:()=>u.TS,FontWeights:()=>u.lq,GlobalSettings:()=>vp.D,GroupFooter:()=>ir,GroupHeader:()=>$n,GroupShowAll:()=>or,GroupSpacer:()=>pn,GroupedList:()=>dr,GroupedListBase:()=>ur,GroupedListSection:()=>ar,HEX_REGEX:()=>Tt.lX,HighContrastSelector:()=>u.qJ,HighContrastSelectorBlack:()=>u.$v,HighContrastSelectorWhite:()=>u.bO,HoverCard:()=>es,HoverCardBase:()=>$a,HoverCardType:()=>Oa,Icon:()=>W.J,IconBase:()=>ts.A,IconButton:()=>V.h,IconFontSizes:()=>u.ld,IconType:()=>os.T,Image:()=>Ti.E,ImageBase:()=>is.v,ImageCoverStyle:()=>as.yZ,ImageFit:()=>as.kQ,ImageIcon:()=>ns.X,ImageLoadState:()=>as.U9,InjectionMode:()=>u.qS,IsFocusVisibleClassName:()=>de.G$,KTP_ARIA_SEPARATOR:()=>hs.Tc,KTP_FULL_PREFIX:()=>hs.L7,KTP_LAYER_ID:()=>hs.nK,KTP_PREFIX:()=>hs.ww,KTP_SEPARATOR:()=>hs.by,KeyCodes:()=>rt.m,KeyboardSpinDirection:()=>fu.T,Keytip:()=>ps,KeytipData:()=>ms.a,KeytipEvents:()=>hs.Tj,KeytipLayer:()=>Es,KeytipLayerBase:()=>Ts,KeytipManager:()=>Bo.K,Label:()=>Ns._,LabelBase:()=>Rs.E,Layer:()=>dt.m,LayerBase:()=>Ls.s,LayerHost:()=>zs,Link:()=>O,LinkBase:()=>A,List:()=>Eo,ListPeoplePicker:()=>wl.CV,ListPeoplePickerBase:()=>wl.XF,LocalizedFontFamilies:()=>Od.II,LocalizedFontNames:()=>Od.Qm,MAX_COLOR_ALPHA:()=>Tt.c5,MAX_COLOR_HUE:()=>Tt.a_,MAX_COLOR_RGB:()=>Tt.uc,MAX_COLOR_RGBA:()=>Tt.WC,MAX_COLOR_SATURATION:()=>Tt.fr,MAX_COLOR_VALUE:()=>Tt.uw,MAX_HEX_LENGTH:()=>Tt.fG,MAX_RGBA_LENGTH:()=>Tt.jU,MIN_HEX_LENGTH:()=>Tt.yE,MIN_RGBA_LENGTH:()=>Tt.HT,MarqueeSelection:()=>Gs,MaskedTextField:()=>fd,MeasuredContext:()=>Z,MemberListPeoplePicker:()=>wl.Aj,MessageBar:()=>il,MessageBarBase:()=>$s,MessageBarButton:()=>Ee,MessageBarType:()=>Bs,Modal:()=>Wr,ModalBase:()=>Or,MonthOfYear:()=>Le.m2,MotionAnimations:()=>xd,MotionDurations:()=>Cd,MotionTimings:()=>Sd,Nav:()=>dl,NavBase:()=>ul,NeutralColors:()=>bd,NormalPeoplePicker:()=>wl.cA,NormalPeoplePickerBase:()=>wl.fK,OpenCardMode:()=>Ha,OverflowButtonType:()=>oa,OverflowSet:()=>Oo,OverflowSetBase:()=>Ao,Overlay:()=>Ir.a,OverlayBase:()=>pl.R,Panel:()=>ml.s,PanelBase:()=>hl.P,PanelType:()=>gl.w,PeoplePickerItem:()=>Il.A,PeoplePickerItemBase:()=>Il.u,PeoplePickerItemSuggestion:()=>Dl.E,PeoplePickerItemSuggestionBase:()=>Dl.R,Persona:()=>ua.I,PersonaBase:()=>fl.R,PersonaCoin:()=>_.t,PersonaCoinBase:()=>vl.z,PersonaInitialsColor:()=>C.z5,PersonaPresence:()=>C.H_,PersonaSize:()=>C.Ir,Pivot:()=>Xl,PivotBase:()=>Ul,PivotItem:()=>Vl,PivotLinkFormat:()=>jl,PivotLinkSize:()=>Jl,PlainCard:()=>Xa,PlainCardBase:()=>Za,Popup:()=>Dr.G,Position:()=>lt.L,PositioningContainer:()=>bt,PrimaryButton:()=>Se.K,ProgressIndicator:()=>nc,ProgressIndicatorBase:()=>$l,PulsingBeaconAnimationStyles:()=>u.a1,RGBA_REGEX:()=>Tt.Xb,Rating:()=>rc.i,RatingBase:()=>ic.x,RatingSize:()=>ac.O,Rectangle:()=>bp.A,RectangleEdge:()=>lt.z,ResizeGroup:()=>re,ResizeGroupBase:()=>te,ResizeGroupDirection:()=>z,ResponsiveMode:()=>Er.eD,SELECTION_CHANGE:()=>on.F5,ScreenWidthMaxLarge:()=>u.P$,ScreenWidthMaxMedium:()=>u.yp,ScreenWidthMaxSmall:()=>u.mV,ScreenWidthMaxXLarge:()=>u.yO,ScreenWidthMaxXXLarge:()=>u.CQ,ScreenWidthMinLarge:()=>u.AV,ScreenWidthMinMedium:()=>u.dd,ScreenWidthMinSmall:()=>u.QQ,ScreenWidthMinUhfMobile:()=>u.bE,ScreenWidthMinXLarge:()=>u.qv,ScreenWidthMinXXLarge:()=>u.B,ScreenWidthMinXXXLarge:()=>u.F1,ScrollToMode:()=>xo,ScrollablePane:()=>pc,ScrollablePaneBase:()=>dc,ScrollablePaneContext:()=>cc,ScrollbarVisibility:()=>lc,SearchBox:()=>mc.R,SearchBoxBase:()=>hc.i,SelectAllVisibility:()=>wn,SelectableOptionMenuItemType:()=>Zi.F,SelectedPeopleList:()=>Fc,Selection:()=>nn.Y,SelectionDirection:()=>on.a$,SelectionMode:()=>on.oW,SelectionZone:()=>rn.i,SemanticColorSlots:()=>ip,Separator:()=>zc,SeparatorBase:()=>Ac,Shade:()=>Yt,SharedColors:()=>yd,Shimmer:()=>cu,ShimmerBase:()=>lu,ShimmerCircle:()=>tu,ShimmerCircleBase:()=>eu,ShimmerElementType:()=>Hc,ShimmerElementsDefaultHeights:()=>Oc,ShimmerElementsGroup:()=>au,ShimmerElementsGroupBase:()=>nu,ShimmerGap:()=>Xc,ShimmerGapBase:()=>Yc,ShimmerLine:()=>jc,ShimmerLineBase:()=>Gc,ShimmeredDetailsList:()=>pu,ShimmeredDetailsListBase:()=>du,Slider:()=>mu.i,SliderBase:()=>hu.V,SpinButton:()=>gu.k,Spinner:()=>Yn.$,SpinnerBase:()=>vu.G,SpinnerSize:()=>bu.E,SpinnerType:()=>bu.d,Stack:()=>Hu,StackItem:()=>Nu,Sticky:()=>Ou,StickyPositionType:()=>Pu,Stylesheet:()=>u.Ye,SuggestionActionType:()=>Cl.L,SuggestionItemType:()=>_a,Suggestions:()=>_l.D,SuggestionsControl:()=>Pa,SuggestionsController:()=>Sl.Z,SuggestionsCore:()=>ya,SuggestionsHeaderFooterItem:()=>Ea,SuggestionsItem:()=>fa.S,SuggestionsStore:()=>Aa,SwatchColorPicker:()=>Vu.U,SwatchColorPickerBase:()=>Ku._,TagItem:()=>Nl,TagItemBase:()=>Rl,TagItemSuggestion:()=>Al,TagItemSuggestionBase:()=>Ll,TagPicker:()=>Hl,TagPickerBase:()=>zl,TeachingBubble:()=>nd,TeachingBubbleBase:()=>od,TeachingBubbleContent:()=>$u,TeachingBubbleContentBase:()=>ju,Text:()=>ad,TextField:()=>sd.n,TextFieldBase:()=>ld.P,TextStyles:()=>id,TextView:()=>rd,ThemeContext:()=>qd,ThemeGenerator:()=>sp,ThemeProvider:()=>op,ThemeSettingName:()=>u.Jw,TimeConstants:()=>tn.r,Toggle:()=>cp.Z,ToggleBase:()=>up.s,Tooltip:()=>dp.u,TooltipBase:()=>pp.P,TooltipDelay:()=>mp.j,TooltipHost:()=>ie.G,TooltipHostBase:()=>hp.Z,TooltipOverflowMode:()=>ae.y,ValidationState:()=>kl.Y,VerticalDivider:()=>ii.p,VirtualizedComboBox:()=>Mo,WeeklyDayPicker:()=>hm,WindowContext:()=>j.Hn,WindowProvider:()=>j.WU,ZIndexes:()=>u.bR,addDays:()=>en.E4,addDirectionalKeyCode:()=>Op.e,addElementAtIndex:()=>Co.OA,addMonths:()=>en.zI,addWeeks:()=>en.jh,addYears:()=>en.Bc,allowOverscrollOnElement:()=>yo.eC,allowScrollOnElement:()=>yo.C7,anchorProperties:()=>E.h2,appendFunction:()=>yp.Z,arraysEqual:()=>Co.cO,asAsync:()=>Sp,assertNever:()=>xp,assign:()=>Xt.f0,audioProperties:()=>E.vF,baseElementEvents:()=>E.WO,baseElementProperties:()=>E.Nf,buildClassMap:()=>u.$O,buildColumns:()=>yr,buildKeytipConfigMap:()=>Ps,buttonProperties:()=>E.Yq,calculatePrecision:()=>Vs.oe,canAnyMenuItemsCheck:()=>Uo.Hl,clamp:()=>Mt.u,classNamesFunction:()=>D.y,colGroupProperties:()=>E.YG,colProperties:()=>E.qi,compareDatePart:()=>en.NJ,compareDates:()=>en.aN,composeComponentAs:()=>No,composeRenderFunction:()=>ko.k,concatStyleSets:()=>u.E$,concatStyleSetsWithProps:()=>u.l7,constructKeytip:()=>Ms,correctHSV:()=>Jt,correctHex:()=>Zt.L,correctRGB:()=>jt.k,createArray:()=>Co.Ri,createFontStyles:()=>u.FF,createGenericItem:()=>wl.IV,createItem:()=>La,createMemoizer:()=>d.Ct,createMergedRef:()=>am.S,createTheme:()=>u.jG,css:()=>pt.i,cssColor:()=>Et.r,customizable:()=>De.a,defaultCalendarNavigationIcons:()=>Fe.XU,defaultCalendarStrings:()=>Fe.V3,defaultDatePickerStrings:()=>$o.f,defaultDayPickerStrings:()=>Fe.GC,defaultWeeklyDayPickerNavigationIcons:()=>um,defaultWeeklyDayPickerStrings:()=>cm,disableBodyScroll:()=>yo.Qp,divProperties:()=>E.n7,doesElementContainFocus:()=>ot.WU,elementContains:()=>it.t,elementContainsAttribute:()=>Tp.j,enableBodyScroll:()=>yo.tG,extendComponent:()=>Ap.c,filteredAssign:()=>Xt.lW,find:()=>Co.sE,findElementRecursive:()=>Ep.X,findIndex:()=>Co.cx,findScrollableParent:()=>yo.zj,fitContentToBounds:()=>Vs.nK,flatten:()=>Co.xH,focusAsync:()=>ot.um,focusClear:()=>u.e2,focusFirstChild:()=>ot.uo,fontFace:()=>u.jN,formProperties:()=>E.NX,format:()=>ap.W,getAllSelectedOptions:()=>gc.t,getAriaDescribedBy:()=>ss.w7,getBackgroundShade:()=>po,getBoundsFromTargetWindow:()=>ct.qE,getChildren:()=>Mp,getColorFromHSV:()=>Wt,getColorFromRGBA:()=>Ht.N,getColorFromString:()=>zt.T,getContrastRatio:()=>mo,getDatePartHashValue:()=>en.c8,getDateRangeArray:()=>en.e0,getDetailsRowStyles:()=>vn,getDistanceBetweenPoints:()=>Vs.Iw,getDocument:()=>nt.M,getEdgeChromiumNoHighContrastAdjustSelector:()=>u.h4,getElementIndexPath:()=>ot.xu,getEndDateOfWeek:()=>en.Hx,getFadedOverflowStyle:()=>u.$X,getFirstFocusable:()=>ot.ft,getFirstTabbable:()=>ot.RK,getFocusOutlineStyle:()=>u.jx,getFocusStyle:()=>u.GL,getFocusableByIndexPath:()=>ot.bF,getFontIcon:()=>Ve.Pw,getFullColorString:()=>Vt.p,getGlobalClassNames:()=>u.Cn,getHighContrastNoAdjustStyle:()=>u.xM,getIcon:()=>u.q7,getIconClassName:()=>u.Wx,getIconContent:()=>Ve.z1,getId:()=>dn.z,getInitialResponsiveMode:()=>Er.K7,getInitials:()=>Na.Q,getInputFocusStyle:()=>u.$Y,getLanguage:()=>Gp.G,getLastFocusable:()=>ot.TE,getLastTabbable:()=>ot.xY,getMaxHeight:()=>ct.DC,getMeasurementCache:()=>J,getMenuItemStyles:()=>Zo.w,getMonthEnd:()=>en.D7,getMonthStart:()=>en.pU,getNativeElementProps:()=>$d,getNativeProps:()=>E.pq,getNextElement:()=>ot.dc,getNextResizeGroupStateProvider:()=>Y,getOppositeEdge:()=>ct.bv,getParent:()=>_o.G,getPersonaInitialsColor:()=>yl.g,getPlaceholderStyles:()=>u.Sv,getPreviousElement:()=>ot.TD,getPropsWithDefaults:()=>st.j,getRTL:()=>T.zg,getRTLSafeKeyCode:()=>T.dP,getRect:()=>mr,getResourceUrl:()=>Xp,getResponsiveMode:()=>Er.tc,getScreenSelector:()=>u.sK,getScrollbarWidth:()=>yo.np,getShade:()=>uo,getSplitButtonClassNames:()=>Pe.W,getStartDateOfWeek:()=>en.wu,getSubmenuItems:()=>Uo.Nb,getTheme:()=>u.gh,getThemedContext:()=>u.Nf,getVirtualParent:()=>Rp.r,getWeekNumber:()=>en.uW,getWeekNumbersInMonth:()=>en.iU,getWindow:()=>So.J,getYearEnd:()=>en.Q9,getYearStart:()=>en.W8,hasHorizontalOverflow:()=>Yp.b5,hasOverflow:()=>Yp.zS,hasVerticalOverflow:()=>Yp.cs,hiddenContentStyle:()=>u.ul,hoistMethods:()=>zp.W,hoistStatics:()=>Hp.f,hsl2hsv:()=>Nt.E,hsl2rgb:()=>Rt.w,hsv2hex:()=>Ft.d,hsv2hsl:()=>At,hsv2rgb:()=>Bt.X,htmlElementProperties:()=>E.iY,iframeProperties:()=>E.SZ,imageProperties:()=>E.X7,imgProperties:()=>E.it,initializeComponentRef:()=>P.l,initializeFocusRects:()=>Wp,initializeIcons:()=>rs.l,initializeResponsiveMode:()=>Er.LF,inputProperties:()=>E.Gg,isControlled:()=>kp.s,isDark:()=>co,isDirectionalKeyCode:()=>Op.L,isElementFocusSubZone:()=>ot.gc,isElementFocusZone:()=>ot.jz,isElementTabbable:()=>ot.MW,isElementVisible:()=>ot.Jv,isIE11:()=>rm.f,isIOS:()=>jp.g,isInDateRangeArray:()=>en.le,isMac:()=>_s.V,isRelativeUrl:()=>ll,isValidShade:()=>ao,isVirtualElement:()=>Pp.r,keyframes:()=>u.F4,ktpTargetFromId:()=>ss._l,ktpTargetFromSequences:()=>ss.eX,labelProperties:()=>E.mp,liProperties:()=>E.PT,loadTheme:()=>u.jz,makeStyles:()=>Zd,mapEnumByName:()=>Xt.vT,memoize:()=>d.HP,memoizeFunction:()=>d.NF,merge:()=>Up.T,mergeAriaAttributeValues:()=>_p.I,mergeCustomizations:()=>Ip.u,mergeOverflows:()=>ss.a1,mergeScopedSettings:()=>Dp.J,mergeSettings:()=>Dp.O,mergeStyleSets:()=>u.ZC,mergeStyles:()=>u.y0,mergeThemes:()=>_d.I,modalize:()=>Jp.O,noWrap:()=>u.jq,normalize:()=>u.Fv,nullRender:()=>Ie.S,olProperties:()=>E.t$,omit:()=>Xt.CE,on:()=>Mr.on,optionProperties:()=>E.Qy,personaPresenceSize:()=>bl.bw,personaSize:()=>bl.or,portalContainsElement:()=>Np.w,positionCallout:()=>ct.c5,positionCard:()=>ct.Su,positionElement:()=>ct.p$,precisionRound:()=>Vs.F0,presenceBoolean:()=>bl.zx,raiseClick:()=>Bp.x,registerDefaultFontFaces:()=>u.Kq,registerIconAlias:()=>u.M_,registerIcons:()=>u.fm,registerOnThemeChangeCallback:()=>u.tj,removeIndex:()=>Co.$E,removeOnThemeChangeCallback:()=>u.sw,replaceElement:()=>Co.wm,resetControlledWarnings:()=>om.G,resetIds:()=>dn._,resetMemoizations:()=>d.du,rgb2hex:()=>Pt.C,rgb2hsv:()=>Lt.D,safeRequestAnimationFrame:()=>$p.J,safeSetTimeout:()=>em,selectProperties:()=>E.bL,sequencesToID:()=>ss.aB,setBaseUrl:()=>Qp,setFocusVisibility:()=>de.MU,setIconOptions:()=>u.yN,setLanguage:()=>Gp.m,setMemoizeWeakMap:()=>d.rQ,setMonth:()=>en.q0,setPortalAttribute:()=>Fp.U,setRTL:()=>T.ok,setResponsiveMode:()=>Er.kd,setSSR:()=>im.T,setVirtualParent:()=>Lp.N,setWarningCallback:()=>be.U,shallowCompare:()=>Xt.Vv,shouldWrapFocus:()=>ot.mM,sizeBoolean:()=>bl.yR,sizeToPixels:()=>bl.Y4,styled:()=>I.z,tableProperties:()=>E.$B,tdProperties:()=>E.IX,textAreaProperties:()=>E.FI,thProperties:()=>E.fI,themeRulesStandardCreator:()=>lp,toMatrix:()=>Co.QC,trProperties:()=>E.PC,transitionKeysAreEqual:()=>Ss,transitionKeysContain:()=>xs,unhoistMethods:()=>zp.e,unregisterIcons:()=>u.Kf,updateA:()=>Ut.R,updateH:()=>qt.i,updateRGB:()=>Gt,updateSV:()=>Kt.d,updateT:()=>ho.X,useCustomizationSettings:()=>Kd.D,useDocument:()=>j.ky,useFocusRects:()=>B.P,useHeightOffset:()=>vt,useKeytipRef:()=>fs,useResponsiveMode:()=>Tr.q,useTheme:()=>Gd,useWindow:()=>j.zY,values:()=>Xt.VO,videoProperties:()=>E.NI,warn:()=>be.Z,warnConditionallyRequiredProps:()=>tm.w,warnControlledUsage:()=>om.Q,warnDeprecations:()=>Vr.b,warnMutuallyExclusive:()=>nm.L,withResponsiveMode:()=>Er.Ae});var n={};o.r(n),o.d(n,{pickerInput:()=>$i,pickerText:()=>Qi});var r={};o.r(r),o.d(r,{callout:()=>ga});var i={};o.r(i),o.d(i,{suggestionsContainer:()=>va});var a={};o.r(a),o.d(a,{actionButton:()=>Sa,buttonSelected:()=>xa,itemButton:()=>Ia,root:()=>Ca,screenReaderOnly:()=>Da,suggestionsSpinner:()=>wa,suggestionsTitle:()=>ka});var s={};o.r(s),o.d(s,{actionButton:()=>yc,expandButton:()=>kc,hover:()=>bc,itemContainer:()=>Dc,itemContent:()=>Sc,personaContainer:()=>vc,personaContainerIsSelected:()=>_c,personaDetails:()=>Ic,personaWrapper:()=>wc,removeButton:()=>xc,validationError:()=>Cc});var l=o(7622),c=o(7002),u=o(9729),d=o(5094),p=(0,d.NF)((function(e,t,o,n){return{root:(0,u.y0)("ms-ActivityItem",t,e.root,n&&e.isCompactRoot),pulsingBeacon:(0,u.y0)("ms-ActivityItem-pulsingBeacon",e.pulsingBeacon),personaContainer:(0,u.y0)("ms-ActivityItem-personaContainer",e.personaContainer,n&&e.isCompactPersonaContainer),activityPersona:(0,u.y0)("ms-ActivityItem-activityPersona",e.activityPersona,n&&e.isCompactPersona,!n&&o&&2===o.length&&e.doublePersona),activityTypeIcon:(0,u.y0)("ms-ActivityItem-activityTypeIcon",e.activityTypeIcon,n&&e.isCompactIcon),activityContent:(0,u.y0)("ms-ActivityItem-activityContent",e.activityContent,n&&e.isCompactContent),activityText:(0,u.y0)("ms-ActivityItem-activityText",e.activityText),commentText:(0,u.y0)("ms-ActivityItem-commentText",e.commentText),timeStamp:(0,u.y0)("ms-ActivityItem-timeStamp",e.timeStamp,n&&e.isCompactTimeStamp)}})),m="32px",h="16px",g="16px",f="13px",v=(0,d.NF)((function(){return(0,u.F4)({from:{opacity:0},to:{opacity:1}})})),b=(0,d.NF)((function(){return(0,u.F4)({from:{transform:"translateX(-10px)"},to:{transform:"translateX(0)"}})})),y=(0,d.NF)((function(e,t,o,n,r,i){var a;void 0===e&&(e=(0,u.gh)());var s={animationName:u.a1.continuousPulseAnimationSingle(n||e.palette.themePrimary,r||e.palette.themeTertiary,"4px","28px","4px"),animationIterationCount:"1",animationDuration:".8s",zIndex:1},l={animationName:b(),animationIterationCount:"1",animationDuration:".5s"},c={animationName:v(),animationIterationCount:"1",animationDuration:".5s"},d={root:[e.fonts.small,{display:"flex",justifyContent:"flex-start",alignItems:"flex-start",boxSizing:"border-box",color:e.palette.neutralSecondary},i&&o&&c],pulsingBeacon:[{position:"absolute",top:"50%",left:"50%",transform:"translate(-50%, -50%)",width:"0px",height:"0px",borderRadius:"225px",borderStyle:"solid",opacity:0},i&&o&&s],isCompactRoot:{alignItems:"center"},personaContainer:{display:"flex",flexWrap:"wrap",minWidth:m,width:m,height:m},isCompactPersonaContainer:{display:"inline-flex",flexWrap:"nowrap",flexBasis:"auto",height:h,width:"auto",minWidth:"0",paddingRight:"6px"},activityTypeIcon:{height:m,fontSize:g,lineHeight:g,marginTop:"3px"},isCompactIcon:{height:h,minWidth:h,fontSize:f,lineHeight:f,color:e.palette.themePrimary,marginTop:"1px",position:"relative",display:"flex",justifyContent:"center",alignItems:"center",selectors:{".ms-Persona-imageArea":{margin:"-2px 0 0 -2px",border:"2px solid"+e.palette.white,borderRadius:"50%",selectors:(a={},a[u.qJ]={border:"none",margin:"0"},a)}}},activityPersona:{display:"block"},doublePersona:{selectors:{":first-child":{alignSelf:"flex-end"}}},isCompactPersona:{display:"inline-block",width:"8px",minWidth:"8px",overflow:"visible"},activityContent:[{padding:"0 8px"},i&&o&&l],activityText:{display:"inline"},isCompactContent:{flex:"1",padding:"0 4px",whiteSpace:"nowrap",textOverflow:"ellipsis",overflowX:"hidden"},commentText:{color:e.palette.neutralPrimary},timeStamp:[e.fonts.tiny,{fontWeight:400,color:e.palette.neutralSecondary}],isCompactTimeStamp:{display:"inline-block",paddingLeft:"0.3em",fontSize:"1em"}};return(0,u.E$)(d,t)})),_=o(6543),C=o(7481),S=function(e){function t(t){var o=e.call(this,t)||this;return o._onRenderIcon=function(e){return e.activityPersonas?o._onRenderPersonaArray(e):o.props.activityIcon},o._onRenderActivityDescription=function(e){var t=o._getClassNames(e),n=e.activityDescription||e.activityDescriptionText;return n?c.createElement("span",{className:t.activityText},n):null},o._onRenderComments=function(e){var t=o._getClassNames(e),n=e.comments||e.commentText;return!e.isCompact&&n?c.createElement("div",{className:t.commentText},n):null},o._onRenderTimeStamp=function(e){var t=o._getClassNames(e);return!e.isCompact&&e.timeStamp?c.createElement("div",{className:t.timeStamp},e.timeStamp):null},o._onRenderPersonaArray=function(e){var t=o._getClassNames(e),n=null,r=e.activityPersonas;if(r[0].imageUrl||r[0].imageInitials){var i=[],a=r.length>1||e.isCompact,s=e.isCompact?3:4,u=void 0;e.isCompact&&(u={display:"inline-block",width:"10px",minWidth:"10px",overflow:"visible"}),r.filter((function(e,t){return tt;){var l=r(a);if(void 0===l)return{renderedData:a,resizeDirection:void 0,dataToMeasure:void 0};if(void 0===(s=o.getCachedMeasurement(l)))return{dataToMeasure:l,resizeDirection:"shrink"};a=l}return{renderedData:a,resizeDirection:void 0,dataToMeasure:void 0}}return{getNextState:function(e,i,a,s){if(void 0!==s||void 0!==i.dataToMeasure){if(s){if(t&&i.renderedData&&!i.dataToMeasure)return(0,l.pi)((0,l.pi)({},i),function(e,o,n,r){var i;return i=e>t?r?{resizeDirection:"grow",dataToMeasure:r(n)}:{resizeDirection:"shrink",dataToMeasure:o}:{resizeDirection:"shrink",dataToMeasure:n},t=e,(0,l.pi)((0,l.pi)({},i),{measureContainer:!1})}(s,e.data,i.renderedData,e.onGrowData));t=s}var c=(0,l.pi)((0,l.pi)({},i),{measureContainer:!1});return i.dataToMeasure&&(c="grow"===i.resizeDirection&&e.onGrowData?(0,l.pi)((0,l.pi)({},c),function(e,i,a,s){for(var c=e,u=n(e,a);u=i))return(t=(0,l.pr)(t)).splice(r,0,a),(0,l.pi)((0,l.pi)({},e),{renderedItems:t,renderedOverflowItems:o})},o._onRenderBreadcrumb=function(e){var t=e.props,n=t.ariaLabel,r=t.dividerAs,i=void 0===r?W.J:r,a=t.onRenderItem,s=void 0===a?o._onRenderItem:a,u=t.overflowAriaLabel,d=t.overflowIndex,p=t.onRenderOverflowIcon,m=t.overflowButtonAs,h=e.renderedOverflowItems,g=e.renderedItems,f=h.map((function(e){var t=!(!e.onClick&&!e.href);return{text:e.text,name:e.text,key:e.key,onClick:e.onClick?o._onBreadcrumbClicked.bind(o,e):null,href:e.href,disabled:!t,itemProps:t?void 0:ce}})),v=g.length-1,b=h&&0!==h.length,y=g.map((function(e,t){return c.createElement("li",{className:o._classNames.listItem,key:e.key||String(t)},s(e,o._onRenderItem),(t!==v||b&&t===d-1)&&c.createElement(i,{className:o._classNames.chevron,iconName:(0,T.zg)(o.props.theme)?"ChevronLeft":"ChevronRight",item:e}))}));if(b){var _=p?{}:{iconName:"More"},C=p||le,S=m||V.h;y.splice(d,0,c.createElement("li",{className:o._classNames.overflow,key:"overflow"},c.createElement(S,{className:o._classNames.overflowButton,iconProps:_,role:"button","aria-haspopup":"true",ariaLabel:u,onRenderMenuIcon:C,menuProps:{items:f,directionalHint:K.b.bottomLeftEdge}}),d!==v+1&&c.createElement(i,{className:o._classNames.chevron,iconName:(0,T.zg)(o.props.theme)?"ChevronLeft":"ChevronRight",item:h[h.length-1]})))}var x=(0,E.pq)(o.props,E.iY,["className"]);return c.createElement("div",(0,l.pi)({className:o._classNames.root,role:"navigation","aria-label":n},x),c.createElement(M.k,(0,l.pi)({componentRef:o._focusZone,direction:R.U.horizontal},o.props.focusZoneProps),c.createElement("ol",{className:o._classNames.list},y)))},o._onRenderItem=function(e){var t=e.as,n=e.href,r=e.onClick,i=e.isCurrentItem,a=e.text,s=(0,l._T)(e,["as","href","onClick","isCurrentItem","text"]);if(r||n)return c.createElement(O,(0,l.pi)({},s,{as:t,className:o._classNames.itemLink,href:n,"aria-current":i?"page":void 0,onClick:o._onBreadcrumbClicked.bind(o,e)}),c.createElement(ie.G,(0,l.pi)({content:a,overflowMode:ae.y.Parent},o.props.tooltipHostProps),a));var u=t||"span";return c.createElement(u,(0,l.pi)({},s,{className:o._classNames.item}),c.createElement(ie.G,(0,l.pi)({content:a,overflowMode:ae.y.Parent},o.props.tooltipHostProps),a))},o._onBreadcrumbClicked=function(e,t){e.onClick&&e.onClick(t,e)},(0,P.l)(o),o._validateProps(t),o}return(0,l.ZT)(t,e),t.prototype.focus=function(){this._focusZone.current&&this._focusZone.current.focus()},t.prototype.render=function(){this._validateProps(this.props);var e=this.props,t=e.onReduceData,o=void 0===t?this._onReduceData:t,n=e.onGrowData,r=void 0===n?this._onGrowData:n,i=e.overflowIndex,a=e.maxDisplayedItems,s=e.items,u=e.className,d=e.theme,p=e.styles,m=(0,l.pr)(s),h=m.splice(i,m.length-a),g={props:this.props,renderedItems:m,renderedOverflowItems:h};return this._classNames=se(p,{className:u,theme:d}),c.createElement(re,{onRenderData:this._onRenderBreadcrumb,onReduceData:o,onGrowData:r,data:g})},t.prototype._validateProps=function(e){var t=e.maxDisplayedItems,o=e.overflowIndex,n=e.items;if(o<0||t>1&&o>t-1||n.length>0&&o>n.length-1)throw new Error("Breadcrumb: overflowIndex out of range")},t.defaultProps={items:[],maxDisplayedItems:999,overflowIndex:0},t}(c.Component),de=o(6145),pe={root:"ms-Breadcrumb",list:"ms-Breadcrumb-list",listItem:"ms-Breadcrumb-listItem",chevron:"ms-Breadcrumb-chevron",overflow:"ms-Breadcrumb-overflow",overflowButton:"ms-Breadcrumb-overflowButton",itemLink:"ms-Breadcrumb-itemLink",item:"ms-Breadcrumb-item"},me={whiteSpace:"nowrap",textOverflow:"ellipsis",overflow:"hidden"},he=(0,u.sK)(0,u.mV),ge=(0,u.sK)(u.dd,u.yp),fe=(0,I.z)(ue,(function(e){var t,o,n,r,i=e.className,a=e.theme,s=a.palette,c=a.semanticColors,d=a.fonts,p=(0,u.Cn)(pe,a),m=c.menuItemBackgroundHovered,h=c.menuItemBackgroundPressed,g=s.neutralSecondary,f=u.lq.regular,v=s.neutralPrimary,b=s.neutralPrimary,y=u.lq.semibold,_=s.neutralSecondary,C=s.neutralSecondary,S={fontWeight:y,color:b},x={":hover":{color:v,backgroundColor:m,cursor:"pointer",selectors:(t={},t[u.qJ]={color:"Highlight"},t)},":active":{backgroundColor:h,color:v},"&:active:hover":{color:v,backgroundColor:h},"&:active, &:hover, &:active:hover":{textDecoration:"none"}},k={color:g,padding:"0 8px",lineHeight:36,fontSize:18,fontWeight:f};return{root:[p.root,d.medium,{margin:"11px 0 1px"},i],list:[p.list,{whiteSpace:"nowrap",padding:0,margin:0,display:"flex",alignItems:"stretch"}],listItem:[p.listItem,{listStyleType:"none",margin:"0",padding:"0",display:"flex",position:"relative",alignItems:"center",selectors:{"&:last-child .ms-Breadcrumb-itemLink":S,"&:last-child .ms-Breadcrumb-item":S}}],chevron:[p.chevron,{color:_,fontSize:d.small.fontSize,selectors:(o={},o[u.qJ]=(0,l.pi)({color:"WindowText"},(0,u.xM)()),o[ge]={fontSize:8},o[he]={fontSize:8},o)}],overflow:[p.overflow,{position:"relative",display:"flex",alignItems:"center"}],overflowButton:[p.overflowButton,(0,u.GL)(a),me,{fontSize:16,color:C,height:"100%",cursor:"pointer",selectors:(0,l.pi)((0,l.pi)({},x),(n={},n[he]={padding:"4px 6px"},n[ge]={fontSize:d.mediumPlus.fontSize},n))}],itemLink:[p.itemLink,(0,u.GL)(a),me,(0,l.pi)((0,l.pi)({},k),{selectors:(0,l.pi)((r={":focus":{color:s.neutralDark}},r["."+de.G$+" &:focus"]={outline:"none"},r),x)})],item:[p.item,(0,l.pi)((0,l.pi)({},k),{selectors:{":hover":{cursor:"default"}}})]}}),void 0,{scope:"Breadcrumb"}),ve=o(4968);!function(e){e[e.button=0]="button",e[e.anchor=1]="anchor"}(oe||(oe={})),function(e){e[e.normal=0]="normal",e[e.primary=1]="primary",e[e.hero=2]="hero",e[e.compound=3]="compound",e[e.command=4]="command",e[e.icon=5]="icon",e[e.default=6]="default"}(ne||(ne={}));var be=o(687),ye=o(9632),_e=o(2898),Ce=o(8959),Se=o(8924),xe=function(e){function t(t){var o=e.call(this,t)||this;return(0,be.Z)("The Button component has been deprecated. Use specific variants instead. (PrimaryButton, DefaultButton, IconButton, ActionButton, etc.)"),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props;switch(e.buttonType){case ne.command:return c.createElement(_e.K,(0,l.pi)({},e));case ne.compound:return c.createElement(Ce.W,(0,l.pi)({},e));case ne.icon:return c.createElement(V.h,(0,l.pi)({},e));case ne.primary:return c.createElement(Se.K,(0,l.pi)({},e));default:return c.createElement(ye.a,(0,l.pi)({},e))}},t}(c.Component),ke=o(1420),we=o(990),Ie=o(9013),De=o(6053),Te=(0,d.NF)((function(e,t){return(0,u.E$)({root:[(0,u.GL)(e,{inset:1,highContrastStyle:{outlineOffset:"-4px",outline:"1px solid Window"},borderColor:"transparent"}),{height:24}]},t)})),Ee=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.theme;return c.createElement(ye.a,(0,l.pi)({},this.props,{styles:Te(o,t),onRenderDescription:Ie.S}))},(0,l.gn)([(0,De.a)("MessageBarButton",["theme","styles"],!0)],t)}(c.Component),Pe=o(5032),Me=o(2836),Re=o(634),Ne=o(4977),Be=o(716),Fe=o(6883),Le=o(1093),Ae=o(5953),ze=o(4941),He=o(5666),Oe=o(6007),We=function(e){return c.createElement(Ae.U,(0,l.pi)({},e),c.createElement(Oe.P,(0,l.pi)({disabled:e.hidden},e.focusTrapProps),e.children))},Ve=o(4734),Ke=(0,D.y)(),qe=c.forwardRef((function(e,t){var o=e.checked,n=void 0!==o&&o,r=e.className,i=e.theme,a=e.styles,s=e.useFastIcons,l=void 0===s||s,u=Ke(a,{theme:i,className:r,checked:n}),d=l?Ve.xu:W.J;return c.createElement("div",{className:u.root,ref:t},c.createElement(d,{iconName:"CircleRing",className:u.circle}),c.createElement(d,{iconName:"StatusCircleCheckmark",className:u.check}))}));qe.displayName="CheckBase";var Ge,Ue={root:"ms-Check",circle:"ms-Check-circle",check:"ms-Check-check",checkHost:"ms-Check-checkHost"},je=(0,I.z)(qe,(function(e){var t,o,n,r,i,a=e.height,s=void 0===a?e.checkBoxHeight||"18px":a,c=e.checked,d=e.className,p=e.theme,m=p.palette,h=p.semanticColors,g=p.fonts,f=(0,T.zg)(p),v=(0,u.Cn)(Ue,p),b={fontSize:s,position:"absolute",left:0,top:0,width:s,height:s,textAlign:"center",verticalAlign:"middle"};return{root:[v.root,g.medium,{lineHeight:"1",width:s,height:s,verticalAlign:"top",position:"relative",userSelect:"none",selectors:(t={":before":{content:'""',position:"absolute",top:"1px",right:"1px",bottom:"1px",left:"1px",borderRadius:"50%",opacity:1,background:h.bodyBackground}},t["."+v.checkHost+":hover &, ."+v.checkHost+":focus &, &:hover, &:focus"]={opacity:1},t)},c&&["is-checked",{selectors:{":before":{background:m.themePrimary,opacity:1,selectors:(o={},o[u.qJ]={background:"Window"},o)}}}],d],circle:[v.circle,b,{color:m.neutralSecondary,selectors:(n={},n[u.qJ]={color:"WindowText"},n)},c&&{color:m.white}],check:[v.check,b,{opacity:0,color:m.neutralSecondary,fontSize:u.ld.medium,left:f?"-0.5px":".5px",selectors:(r={":hover":{opacity:1}},r[u.qJ]=(0,l.pi)({},(0,u.xM)()),r)},c&&{opacity:1,color:m.white,fontWeight:900,selectors:(i={},i[u.qJ]={border:"none",color:"WindowText"},i)}],checkHost:v.checkHost}}),void 0,{scope:"Check"},!0),Je=o(2777),Ye=o(5790),Ze=o(9240),Xe=o(5554),Qe=o(1351),$e=(0,d.NF)((function(){return(0,u.F4)({"0%":{transform:"translate(0, 0)",animationTimingFunction:"linear"},"78.57%":{transform:"translate(0, 0)",animationTimingFunction:"cubic-bezier(0.62, 0, 0.56, 1)"},"82.14%":{transform:"translate(0, -5px)",animationTimingFunction:"cubic-bezier(0.58, 0, 0, 1)"},"84.88%":{transform:"translate(0, 9px)",animationTimingFunction:"cubic-bezier(1, 0, 0.56, 1)"},"88.1%":{transform:"translate(0, -2px)",animationTimingFunction:"cubic-bezier(0.58, 0, 0.67, 1)"},"90.12%":{transform:"translate(0, 0)",animationTimingFunction:"linear"},"100%":{transform:"translate(0, 0)"}})})),et=(0,d.NF)((function(){return(0,u.F4)({"0%":{transform:" scale(0)",animationTimingFunction:"linear"},"14.29%":{transform:"scale(0)",animationTimingFunction:"cubic-bezier(0.84, 0, 0.52, 0.99)"},"16.67%":{transform:"scale(1.15)",animationTimingFunction:"cubic-bezier(0.48, -0.01, 0.52, 1.01)"},"19.05%":{transform:"scale(0.95)",animationTimingFunction:"cubic-bezier(0.48, 0.02, 0.52, 0.98)"},"21.43%":{transform:"scale(1)",animationTimingFunction:"linear"},"42.86%":{transform:"scale(1)",animationTimingFunction:"cubic-bezier(0.48, -0.02, 0.52, 1.02)"},"45.71%":{transform:"scale(0.8)",animationTimingFunction:"cubic-bezier(0.48, 0.01, 0.52, 0.99)"},"50%":{transform:"scale(1)",animationTimingFunction:"linear"},"90.12%":{transform:"scale(1)",animationTimingFunction:"cubic-bezier(0.48, -0.02, 0.52, 1.02)"},"92.98%":{transform:"scale(0.8)",animationTimingFunction:"cubic-bezier(0.48, 0.01, 0.52, 0.99)"},"97.26%":{transform:"scale(1)",animationTimingFunction:"linear"},"100%":{transform:"scale(1)"}})})),tt=(0,d.NF)((function(){return(0,u.F4)({"0%":{transform:"rotate(0deg)",animationTimingFunction:"linear"},"83.33%":{transform:" rotate(0deg)",animationTimingFunction:"cubic-bezier(0.33, 0, 0.67, 1)"},"83.93%":{transform:"rotate(15deg)",animationTimingFunction:"cubic-bezier(0.33, 0, 0.67, 1)"},"84.52%":{transform:"rotate(-15deg)",animationTimingFunction:"cubic-bezier(0.33, 0, 0.67, 1)"},"85.12%":{transform:"rotate(15deg)",animationTimingFunction:"cubic-bezier(0.33, 0, 0.67, 1)"},"85.71%":{transform:"rotate(-15deg)",animationTimingFunction:"cubic-bezier(0.33, 0, 0.67, 1)"},"86.31%":{transform:"rotate(0deg)",animationTimingFunction:"linear"},"100%":{transform:"rotate(0deg)"}})})),ot=o(4553),nt=o(5446),rt=o(8145),it=o(3345),at=o(9919),st=o(63),lt=o(4568),ct=o(6591),ut=(0,d.NF)((function(){var e;return(0,u.ZC)({root:[{position:"absolute",boxSizing:"border-box",border:"1px solid ${}",selectors:(e={},e[u.qJ]={border:"1px solid WindowText"},e)},(0,u.e2)()],container:{position:"relative"},main:{backgroundColor:"#ffffff",overflowX:"hidden",overflowY:"hidden",position:"relative"},overFlowYHidden:{overflowY:"hidden"}})})),dt=o(7513),pt=o(8088),mt=o(2674),ht={opacity:0},gt=((Ge={})[lt.z.top]="slideUpIn20",Ge[lt.z.bottom]="slideDownIn20",Ge[lt.z.left]="slideLeftIn20",Ge[lt.z.right]="slideRightIn20",Ge),ft={preventDismissOnScroll:!1,offsetFromTarget:0,minPagePadding:8,directionalHint:K.b.bottomAutoEdge};function vt(e,t){var o=e.finalHeight,n=c.useState(0),r=n[0],i=n[1],a=(0,G.r)(),s=c.useRef(0),l=function(){t&&o&&(s.current=a.requestAnimationFrame((function(){if(t.current){var e=t.current.lastChild,n=e.scrollHeight,c=e.offsetHeight;i(r+(n-c)),e.offsetHeightk?k:_,I=c.createElement("div",{ref:i,className:(0,pt.i)("ms-PositioningContainer",S.container)},c.createElement("div",{className:(0,u.y0)("ms-PositioningContainer-layerHost",S.root,b,x,!!y&&{width:y}),style:h?h.elementPosition:ht,tabIndex:-1,ref:n},C,w));return o.doNotLayer?I:c.createElement(dt.m,null,I)}));function yt(e){return{root:[{position:"absolute",boxShadow:"inherit",border:"none",boxSizing:"border-box",transform:e.transform,width:e.width,height:e.height,left:e.left,top:e.top,right:e.right,bottom:e.bottom}],beak:{fill:e.color,display:"block"}}}bt.displayName="PositioningContainer";var _t=c.forwardRef((function(e,t){var o,n,r,i,a,s,l=e.left,u=e.top,d=e.bottom,p=e.right,m=e.color,h=e.direction,g=void 0===h?lt.z.top:h;switch(g===lt.z.top||g===lt.z.bottom?(o=10,n=18):(o=18,n=10),g){case lt.z.top:default:r="9, 0",i="18, 10",a="0, 10",s="translateY(-100%)";break;case lt.z.right:r="0, 0",i="10, 10",a="0, 18",s="translateX(100%)";break;case lt.z.bottom:r="0, 0",i="18, 0",a="9, 10",s="translateY(100%)";break;case lt.z.left:r="10, 0",i="0, 10",a="10, 18",s="translateX(-100%)"}var f=(0,D.y)()(yt,{left:l,top:u,bottom:d,right:p,height:o+"px",width:n+"px",transform:s,color:m});return c.createElement("div",{className:f.root,role:"presentation",ref:t},c.createElement("svg",{height:o,width:n,className:f.beak},c.createElement("polygon",{points:r+" "+i+" "+a})))}));_t.displayName="Beak";var Ct=o(5646),St=(0,D.y)(),xt="data-coachmarkid",kt={isCollapsed:!0,mouseProximityOffset:10,delayBeforeMouseOpen:3600,delayBeforeCoachmarkAnimation:0,isPositionForced:!0,positioningContainerProps:{directionalHint:K.b.bottomAutoEdge}},wt=c.forwardRef((function(e,t){var o=(0,st.j)(kt,e),n=c.useRef(null),r=c.useRef(null),i=function(){var e=(0,G.r)(),t=c.useState(),o=t[0],n=t[1],r=c.useState(),i=r[0],a=r[1];return[o,i,function(t){var o=t.alignmentEdge,r=t.targetEdge;return e.requestAnimationFrame((function(){n(o),a(r)}))}]}(),a=i[0],s=i[1],u=i[2],d=function(e,t){var o=e.isCollapsed,n=e.onAnimationOpenStart,r=e.onAnimationOpenEnd,i=c.useState(!!o),a=i[0],s=i[1],l=(0,Ct.L)().setTimeout,u=c.useRef(!a),d=c.useCallback((function(){var e,o,i,a;u.current||(s(!1),null===(e=n)||void 0===e||e(),null===(a=null===(o=t.current)||void 0===o?void 0:(i=o).addEventListener)||void 0===a||a.call(i,"transitionend",(function(){var e;l((function(){t.current&&(0,ot.uo)(t.current)}),1e3),null===(e=r)||void 0===e||e()})),u.current=!0)}),[t,r,n,l]);return c.useEffect((function(){o||d()}),[o]),[a,d]}(o,n),p=d[0],m=d[1],h=function(e,t,o){var n=(0,T.zg)(e.theme);return c.useMemo((function(){var e,r,i=void 0===o?lt.z.bottom:(0,ct.bv)(o),a={direction:i},s="3px";switch(i){case lt.z.top:case lt.z.bottom:t?t===lt.z.left?(a.left="7px",e="left"):(a.right="7px",e="right"):(a.left="calc(50% - 9px)",e="center"),i===lt.z.top?(a.top=s,r="top"):(a.bottom=s,r="bottom");break;case lt.z.left:case lt.z.right:t?t===lt.z.top?(a.top="7px",r="top"):(a.bottom="7px",r="bottom"):(a.top="calc(50% - 9px)",r="center"),i===lt.z.left?(n?a.right=s:a.left=s,e="left"):(n?a.left=s:a.right=s,e="right")}return[a,e+" "+r]}),[t,o,n])}(o,a,s),g=h[0],f=h[1],v=function(e,t){var o=c.useState(!!e.isCollapsed),n=o[0],r=o[1],i=c.useState(e.isCollapsed?{width:0,height:0}:{}),a=i[0],s=i[1],l=(0,G.r)();return c.useEffect((function(){l.requestAnimationFrame((function(){t.current&&(s({width:t.current.offsetWidth,height:t.current.offsetHeight}),r(!1))}))}),[]),[n,a]}(o,n),b=v[0],y=v[1],_=function(e){var t=e.ariaAlertText,o=(0,G.r)(),n=c.useState(),r=n[0],i=n[1];return c.useEffect((function(){o.requestAnimationFrame((function(){i(t)}))}),[]),r}(o),C=function(e){var t=e.preventFocusOnMount,o=(0,Ct.L)().setTimeout,n=c.useRef(null);return c.useEffect((function(){t||o((function(){var e;return null===(e=n.current)||void 0===e?void 0:e.focus()}),1e3)}),[]),n}(o);!function(e,t,o){var n,r=null===(n=(0,nt.M)())||void 0===n?void 0:n.documentElement;(0,U.d)(r,"keydown",(function(e){var n,r,i;(e.altKey&&e.which===rt.m.c||e.which===rt.m.enter&&(null===(i=null===(n=t.current)||void 0===n?void 0:(r=n).contains)||void 0===i?void 0:i.call(r,e.target)))&&o()}),!0);var i=function(o){var n,r;if(e.preventDismissOnLostFocus){var i=o.target,a=t.current&&!(0,it.t)(t.current,i),s=e.target;a&&i!==s&&!(0,it.t)(s,i)&&(null===(r=(n=e).onDismiss)||void 0===r||r.call(n,o))}};(0,U.d)(r,"click",i,!0),(0,U.d)(r,"focus",i,!0)}(o,r,m),function(e){var t=e.onDismiss;c.useImperativeHandle(e.componentRef,(function(e){return{dismiss:function(){var o;null===(o=t)||void 0===o||o(e)}}}),[t])}(o),function(e,t,o){var n=(0,Ct.L)(),r=n.setTimeout,i=n.clearTimeout,a=c.useRef();c.useEffect((function(){var n=function(){t.current&&(a.current=t.current.getBoundingClientRect())},s=new at.r({});return r((function(){var t=e.mouseProximityOffset,l=void 0===t?0:t,c=[];r((function(){n(),s.on(window,"resize",(function(){c.forEach((function(e){i(e)})),c.splice(0,c.length),c.push(r((function(){n()}),100))}))}),10),s.on(document,"mousemove",(function(t){var r,i,s=t.clientY,c=t.clientX;n(),function(e,t,o,n){return void 0===n&&(n=0),t>e.left-n&&te.top-n&&o=Yt.Unshaded&&e<=Yt.Shade8}function so(e,t){return{h:e.h,s:e.s,v:(0,Mt.u)(e.v-e.v*t,100,0)}}function lo(e,t){return{h:e.h,s:(0,Mt.u)(e.s-e.s*t,100,0),v:(0,Mt.u)(e.v+(100-e.v)*t,100,0)}}function co(e){return At(e.h,e.s,e.v).l<50}function uo(e,t,o){if(void 0===o&&(o=!1),!e)return null;if(t===Yt.Unshaded||!ao(t))return e;var n=At(e.h,e.s,e.v),r={h:e.h,s:e.s,v:e.v},i=t-1,a=lo,s=so;return o&&(a=so,s=lo),r=function(e){return e.r===Tt.uc&&e.g===Tt.uc&&e.b===Tt.uc}(e)?so(r,eo[i]):function(e){return 0===e.r&&0===e.g&&0===e.b}(e)?lo(r,to[i]):n.l/100>.8?s(r,no[i]):n.l/100<.2?a(r,oo[i]):i1?n/r:r/n}!function(e){e[e.Unshaded=0]="Unshaded",e[e.Shade1=1]="Shade1",e[e.Shade2=2]="Shade2",e[e.Shade3=3]="Shade3",e[e.Shade4=4]="Shade4",e[e.Shade5=5]="Shade5",e[e.Shade6=6]="Shade6",e[e.Shade7=7]="Shade7",e[e.Shade8=8]="Shade8"}(Yt||(Yt={}));var ho=o(1332),go=o(6847),fo=o(1958),vo=o(610),bo=o(2167),yo=o(4948),_o=o(6840),Co=o(2470),So=o(9757),xo={auto:0,top:1,bottom:2,center:3},ko=o(8826),wo={top:-1,bottom:-1,left:-1,right:-1,width:0,height:0},Io=function(e){return e.getBoundingClientRect()},Do=Io,To=Io,Eo=function(e){function t(t){var o=e.call(this,t)||this;return o._root=c.createRef(),o._surface=c.createRef(),o._pageRefs={},o._getDerivedStateFromProps=function(e,t){return e.items!==o.props.items||e.renderCount!==o.props.renderCount||e.startIndex!==o.props.startIndex||e.version!==o.props.version?(o._resetRequiredWindows(),o._requiredRect=null,o._measureVersion++,o._invalidatePageCache(),o._updatePages(e,t)):t},o._onRenderRoot=function(e){var t=e.rootRef,o=e.surfaceElement,n=e.divProps;return c.createElement("div",(0,l.pi)({ref:t},n),o)},o._onRenderSurface=function(e){var t=e.surfaceRef,o=e.pageElements,n=e.divProps;return c.createElement("div",(0,l.pi)({ref:t},n),o)},o._onRenderPage=function(e,t){for(var n=o.props,r=n.onRenderCell,i=n.role,a=e.page,s=a.items,u=void 0===s?[]:s,d=a.startIndex,p=(0,l._T)(e,["page"]),m=void 0===i?"listitem":"presentation",h=[],g=0;ge){if(t&&this._scrollElement){for(var d=To(this._scrollElement),p={top:this._scrollElement.scrollTop,bottom:this._scrollElement.scrollTop+d.height},m=e-l,h=0;h=p.top&&g<=p.bottom)return;ap.bottom&&(a=g-d.height)}return void(this._scrollElement.scrollTop=a)}a+=u}},t.prototype.getStartItemIndexInView=function(e){for(var t=0,o=this.state.pages||[];t=n.top&&(this._scrollTop||0)<=n.top+n.height){if(!e){var r=Math.floor(n.height/n.itemCount);return n.startIndex+Math.floor((this._scrollTop-n.top)/r)}for(var i=0,a=n.startIndex;a0?n:void 0})})},t.prototype._shouldVirtualize=function(e){void 0===e&&(e=this.props);var t=e.onShouldVirtualize;return!t||t(e)},t.prototype._invalidatePageCache=function(){this._pageCache={}},t.prototype._renderPage=function(e){var t,o=this,n=this.props.usePageCache;if(n&&(t=this._pageCache[e.key])&&t.pageElement)return t.pageElement;var r=this._getPageStyle(e),i=this.props.onRenderPage,a=(void 0===i?this._onRenderPage:i)({page:e,className:"ms-List-page",key:e.key,ref:function(t){o._pageRefs[e.key]=t},style:r,role:"presentation"},this._onRenderPage);return n&&0===e.startIndex&&(this._pageCache[e.key]={page:e,pageElement:a}),a},t.prototype._getPageStyle=function(e){var t=this.props.getPageStyle;return(0,l.pi)((0,l.pi)({},t?t(e):{}),e.items?{}:{height:e.height})},t.prototype._onFocus=function(e){for(var t=e.target;t!==this._surface.current;){var o=t.getAttribute("data-list-index");if(o){this._focusedIndex=Number(o);break}t=(0,_o.G)(t)}},t.prototype._onScroll=function(){this.state.isScrolling||this.props.ignoreScrollingState||this.setState({isScrolling:!0}),this._resetRequiredWindows(),this._onScrollingDone()},t.prototype._resetRequiredWindows=function(){this._requiredWindowsAhead=0,this._requiredWindowsBehind=0},t.prototype._onAsyncScroll=function(){var e,t;this._updateRenderRects(this.props,this.state),this._materializedRect&&(e=this._requiredRect,t=this._materializedRect,e.top>=t.top&&e.left>=t.left&&e.bottom<=t.bottom&&e.right<=t.right)||this.setState(this._updatePages(this.props,this.state))},t.prototype._onAsyncIdle=function(){var e=this.props,t=e.renderedWindowsAhead,o=e.renderedWindowsBehind,n=this._requiredWindowsAhead,r=this._requiredWindowsBehind,i=Math.min(t,n+1),a=Math.min(o,r+1);i===n&&a===r||(this._requiredWindowsAhead=i,this._requiredWindowsBehind=a,this._updateRenderRects(this.props,this.state),this.setState(this._updatePages(this.props,this.state))),(t>i||o>a)&&this._onAsyncIdle()},t.prototype._onScrollingDone=function(){this.props.ignoreScrollingState||this.setState({isScrolling:!1})},t.prototype._onAsyncResize=function(){this.forceUpdate()},t.prototype._updatePages=function(e,t){this._requiredRect||this._updateRenderRects(e,t);var o=this._buildPages(e,t),n=t.pages;return this._notifyPageChanges(n,o.pages,this.props),(0,l.pi)((0,l.pi)({},t),o)},t.prototype._notifyPageChanges=function(e,t,o){var n=o.onPageAdded,r=o.onPageRemoved;if(n||r){for(var i={},a=0,s=e;a-1,x=!f||C>=f.top&&u<=f.bottom,k=!b._requiredRect||C>=b._requiredRect.top&&u<=b._requiredRect.bottom;if(!g&&(k||x&&S)||!h||p>=e&&p=b._visibleRect.top&&u<=b._visibleRect.bottom),s.push(I),k&&b._allowedRect&&(y=a,_={top:u,bottom:C,height:i,left:f.left,right:f.right,width:f.width},y.top=_.topy.bottom||-1===y.bottom?_.bottom:y.bottom,y.right=_.right>y.right||-1===y.right?_.right:y.right,y.width=y.right-y.left+1,y.height=y.bottom-y.top+1)}else d||(d=b._createPage("spacer-"+e,void 0,e,0,void 0,l,!0)),d.height=(d.height||0)+(C-u)+1,d.itemCount+=c;if(u+=C-u+1,g&&h)return"break"},b=this,y=r;ythis._estimatedPageHeight/3)&&(a=this._surfaceRect=Do(this._surface.current),this._scrollTop=c),!o&&s&&s===this._scrollHeight||this._measureVersion++,this._scrollHeight=s;var u=Math.max(0,-a.top),d=(0,So.J)(this._root.current),p={top:u,left:a.left,bottom:u+d.innerHeight,right:a.right,width:a.width,height:d.innerHeight};this._requiredRect=Po(p,this._requiredWindowsBehind,this._requiredWindowsAhead),this._allowedRect=Po(p,r,n),this._visibleRect=p}},t.defaultProps={startIndex:0,onRenderCell:function(e,t,o){return c.createElement(c.Fragment,null,e&&e.name||"")},renderedWindowsAhead:2,renderedWindowsBehind:2},t}(c.Component);function Po(e,t,o){var n=e.top-t*e.height,r=e.height+(t+o)*e.height;return{top:n,bottom:n+r,height:r,left:e.left,right:e.right,width:e.width}}var Mo=function(e){function t(t){var o=e.call(this,t)||this;return o._comboBox=c.createRef(),o._list=c.createRef(),o._onRenderList=function(e){var t=e.onRenderItem;return c.createElement(Eo,{componentRef:o._list,role:"listbox",items:e.options,onRenderCell:t?function(e){return t(e)}:function(){return null}})},o._onScrollToItem=function(e){o._list.current&&o._list.current.scrollToIndex(e)},(0,P.l)(o),o}return(0,l.ZT)(t,e),Object.defineProperty(t.prototype,"selectedOptions",{get:function(){return this._comboBox.current?this._comboBox.current.selectedOptions:[]},enumerable:!0,configurable:!0}),t.prototype.dismissMenu=function(){if(this._comboBox.current)return this._comboBox.current.dismissMenu()},t.prototype.focus=function(e,t){return!!this._comboBox.current&&(this._comboBox.current.focus(e,t),!0)},t.prototype.render=function(){return c.createElement(vo.C,(0,l.pi)({},this.props,{componentRef:this._comboBox,onRenderList:this._onRenderList,onScrollToItem:this._onScrollToItem}))},t}(c.Component),Ro=(0,d.Ct)((function(e){var t=e;return(0,d.Ct)((function(o){if(e===o)throw new Error("Attempted to compose a component with itself.");var n=o,r=(0,d.Ct)((function(e){return function(t){return c.createElement(n,(0,l.pi)({},t,{defaultRender:e}))}}));return function(e){var o=e.defaultRender;return c.createElement(t,(0,l.pi)({},e,{defaultRender:o?r(o):n}))}}))}));function No(e,t){return Ro(e)(t)}var Bo=o(344),Fo=function(e){var t=Bo.K.getInstance(),o=e.className,n=e.overflowItems,r=e.keytipSequences,i=e.itemSubMenuProvider,a=e.onRenderOverflowButton,s=(0,q.B)({}),u=c.useCallback((function(e){return i?i(e):e.subMenuProps?e.subMenuProps.items:void 0}),[i]),d=c.useMemo((function(){var e,o=[];return r?null===(e=n)||void 0===e||e.forEach((function(e){var n,i,a,c,d=e.keytipProps;if(d){var p={content:d.content,keySequences:d.keySequences,disabled:d.disabled||!(!e.disabled&&!e.isDisabled),hasDynamicChildren:d.hasDynamicChildren,hasMenu:d.hasMenu};d.hasDynamicChildren||u(e)?p.onExecute=t.menuExecute.bind(t,r,null===(i=null===(n=e)||void 0===n?void 0:n.keytipProps)||void 0===i?void 0:i.keySequences):p.onExecute=d.onExecute,s[p.content]=p;var m=(0,l.pi)((0,l.pi)({},e),{keytipProps:(0,l.pi)((0,l.pi)({},d),{overflowSetSequence:r})});null===(a=o)||void 0===a||a.push(m)}else null===(c=o)||void 0===c||c.push(e)})):o=n,o}),[n,u,t,r,s]);return function(e,t){c.useEffect((function(){return Object.keys(e).forEach((function(o){var n=e[o],r=t.register(n,!0);e[r]=n,delete e[o]})),function(){Object.keys(e).forEach((function(o){t.unregister(e[o],o,!0),delete e[o]}))}}),[e,t])}(s,t),c.createElement("div",{className:o},a(d))},Lo=(0,D.y)(),Ao=c.forwardRef((function(e,t){var o=c.useRef(null),n=(0,N.r)(o,t);!function(e,t){c.useImperativeHandle(e.componentRef,(function(){return{focus:function(){var e=!1;return t.current&&(e=(0,ot.uo)(t.current)),e},focusElement:function(e){var o=!1;return!!e&&(t.current&&(0,it.t)(t.current,e)&&(e.focus(),o=document.activeElement===e),o)}}}),[t])}(e,o);var r=e.items,i=e.overflowItems,a=e.className,s=e.styles,u=e.vertical,d=e.role,p=e.overflowSide,m=void 0===p?"end":p,h=e.onRenderItem,g=Lo(s,{className:a,vertical:u}),f=!!i&&i.length>0;return c.createElement("div",(0,l.pi)({},(0,E.pq)(e,E.n7),{role:d||"group","aria-orientation":"menubar"===d?!0===u?"vertical":"horizontal":void 0,className:g.root,ref:n}),"start"===m&&f&&c.createElement(Fo,(0,l.pi)({},e,{className:g.overflowButton})),r&&r.map((function(e,t){return c.createElement("div",{className:g.item,key:e.key},h(e))})),"end"===m&&f&&c.createElement(Fo,(0,l.pi)({},e,{className:g.overflowButton})))}));Ao.displayName="OverflowSet";var zo,Ho={flexShrink:0,display:"inherit"},Oo=(0,I.z)(Ao,(function(e){var t=e.className;return{root:["ms-OverflowSet",{position:"relative",display:"flex",flexWrap:"nowrap"},e.vertical&&{flexDirection:"column"},t],item:["ms-OverflowSet-item",Ho],overflowButton:["ms-OverflowSet-overflowButton",Ho]}}),void 0,{scope:"OverflowSet"}),Wo=(0,d.NF)((function(e){var t={height:"100%"},o={whiteSpace:"nowrap"},n=e||{},r=n.root,i=n.label,a=(0,l._T)(n,["root","label"]);return(0,l.pi)((0,l.pi)({},a),{root:r?[t,r]:t,label:i?[o,i]:o})})),Vo=(0,D.y)(),Ko=function(e){function t(t){var o=e.call(this,t)||this;return o._overflowSet=c.createRef(),o._resizeGroup=c.createRef(),o._onRenderData=function(e){return c.createElement(M.k,{className:(0,pt.i)(o._classNames.root),direction:R.U.horizontal,role:"menubar","aria-label":o.props.ariaLabel},c.createElement(Oo,{role:"none",componentRef:o._overflowSet,className:(0,pt.i)(o._classNames.primarySet),items:e.primaryItems,overflowItems:e.overflowItems.length?e.overflowItems:void 0,onRenderItem:o._onRenderItem,onRenderOverflowButton:o._onRenderOverflowButton}),e.farItems&&e.farItems.length>0&&c.createElement(Oo,{role:"none",className:(0,pt.i)(o._classNames.secondarySet),items:e.farItems,onRenderItem:o._onRenderItem,onRenderOverflowButton:Ie.S}))},o._onRenderItem=function(e){if(e.onRender)return e.onRender(e,(function(){}));var t=e.text||e.name,n=(0,l.pi)((0,l.pi)({allowDisabledFocus:!0,role:"menuitem"},e),{styles:Wo(e.buttonStyles),className:(0,pt.i)("ms-CommandBarItem-link",e.className),text:e.iconOnly?void 0:t,menuProps:e.subMenuProps,onClick:o._onButtonClick(e)});return e.iconOnly&&(void 0!==t||e.tooltipHostProps)?c.createElement(ie.G,(0,l.pi)({content:t},e.tooltipHostProps),o._commandButton(e,n)):o._commandButton(e,n)},o._commandButton=function(e,t){var n=o.props.buttonAs,r=e.commandBarButtonAs,i=ke.Q;return r&&(i=No(r,i)),n&&(i=No(n,i)),c.createElement(i,(0,l.pi)({},t))},o._onRenderOverflowButton=function(e){var t=o.props.overflowButtonProps,n=void 0===t?{}:t,r=(0,l.pr)(n.menuProps?n.menuProps.items:[],e),i=(0,l.pi)((0,l.pi)({role:"menuitem"},n),{styles:(0,l.pi)({menuIcon:{fontSize:"17px"}},n.styles),className:(0,pt.i)("ms-CommandBar-overflowButton",n.className),menuProps:(0,l.pi)((0,l.pi)({},n.menuProps),{items:r}),menuIconProps:(0,l.pi)({iconName:"More"},n.menuIconProps)}),a=o.props.overflowButtonAs?No(o.props.overflowButtonAs,ke.Q):ke.Q;return c.createElement(a,(0,l.pi)({},i))},o._onReduceData=function(e){var t=o.props,n=t.shiftOnReduce,r=t.onDataReduced,i=e.primaryItems,a=e.overflowItems,s=e.cacheKey,c=i[n?0:i.length-1];if(void 0!==c){c.renderedInOverflow=!0,a=(0,l.pr)([c],a),i=n?i.slice(1):i.slice(0,-1);var u=(0,l.pi)((0,l.pi)({},e),{primaryItems:i,overflowItems:a});return s=o._computeCacheKey({primaryItems:i,overflow:a.length>0}),r&&r(c),u.cacheKey=s,u}},o._onGrowData=function(e){var t=o.props,n=t.shiftOnReduce,r=t.onDataGrown,i=e.minimumOverflowItems,a=e.primaryItems,s=e.overflowItems,c=e.cacheKey,u=s[0];if(void 0!==u&&s.length>i){u.renderedInOverflow=!1,s=s.slice(1),a=n?(0,l.pr)([u],a):(0,l.pr)(a,[u]);var d=(0,l.pi)((0,l.pi)({},e),{primaryItems:a,overflowItems:s});return c=o._computeCacheKey({primaryItems:a,overflow:s.length>0}),r&&r(u),d.cacheKey=c,d}},(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.items,o=e.overflowItems,n=e.farItems,r=e.styles,i=e.theme,a=e.dataDidRender,s=e.onReduceData,u=void 0===s?this._onReduceData:s,d=e.onGrowData,p=void 0===d?this._onGrowData:d,m={primaryItems:(0,l.pr)(t),overflowItems:(0,l.pr)(o),minimumOverflowItems:(0,l.pr)(o).length,farItems:n,cacheKey:this._computeCacheKey({primaryItems:(0,l.pr)(t),overflow:o&&o.length>0})};this._classNames=Vo(r,{theme:i});var h=(0,E.pq)(this.props,E.n7);return c.createElement(re,(0,l.pi)({},h,{componentRef:this._resizeGroup,data:m,onReduceData:u,onGrowData:p,onRenderData:this._onRenderData,dataDidRender:a}))},t.prototype.focus=function(){var e=this._overflowSet.current;e&&e.focus()},t.prototype.remeasure=function(){this._resizeGroup.current&&this._resizeGroup.current.remeasure()},t.prototype._onButtonClick=function(e){return function(t){e.inactive||e.onClick&&e.onClick(t,e)}},t.prototype._computeCacheKey=function(e){var t=e.primaryItems,o=e.overflow;return[t&&t.reduce((function(e,t){var o=t.cacheKey;return e+(void 0===o?t.key:o)}),""),o?"overflow":""].join("")},t.defaultProps={items:[],overflowItems:[]},t}(c.Component),qo=(0,I.z)(Ko,(function(e){var t=e.className,o=e.theme,n=o.semanticColors;return{root:[o.fonts.medium,"ms-CommandBar",{display:"flex",backgroundColor:n.bodyBackground,padding:"0 14px 0 24px",height:44},t],primarySet:["ms-CommandBar-primaryCommand",{flexGrow:"1",display:"flex",alignItems:"stretch"}],secondarySet:["ms-CommandBar-secondaryCommand",{flexShrink:"0",display:"flex",alignItems:"stretch"}]}}),void 0,{scope:"CommandBar"}),Go=o(9134),Uo=o(7817),jo=o(5183),Jo=o(6662),Yo=o(1839),Zo=o(668),Xo=o(127),Qo=o(6381),$o=o(1194),en=o(6974),tn=o(7433),on=o(5238),nn=o(3297),rn=o(4449);!function(e){e[e.hidden=0]="hidden",e[e.visible=1]="visible"}(zo||(zo={}));var an,sn,ln,cn,un,dn=o(2782);!function(e){e[e.disabled=0]="disabled",e[e.clickable=1]="clickable",e[e.hasDropdown=2]="hasDropdown"}(an||(an={})),function(e){e[e.unconstrained=0]="unconstrained",e[e.horizontalConstrained=1]="horizontalConstrained"}(sn||(sn={})),function(e){e[e.outside=0]="outside",e[e.surface=1]="surface",e[e.header=2]="header"}(ln||(ln={})),function(e){e[e.fixedColumns=0]="fixedColumns",e[e.justified=1]="justified"}(cn||(cn={})),function(e){e[e.onHover=0]="onHover",e[e.always=1]="always",e[e.hidden=2]="hidden"}(un||(un={}));var pn=function(e){var t=e.count,o=e.indentWidth,n=void 0===o?36:o,r=e.role,i=void 0===r?"presentation":r,a=t*n;return t>0?c.createElement("span",{className:"ms-GroupSpacer",style:{display:"inline-block",width:a},role:i}):null},mn={root:"ms-DetailsRow",compact:"ms-DetailsList--Compact",cell:"ms-DetailsRow-cell",cellAnimation:"ms-DetailsRow-cellAnimation",cellCheck:"ms-DetailsRow-cellCheck",check:"ms-DetailsRow-check",cellMeasurer:"ms-DetailsRow-cellMeasurer",listCellFirstChild:"ms-List-cell:first-child",isContentUnselectable:"is-contentUnselectable",isSelected:"is-selected",isCheckVisible:"is-check-visible",isRowHeader:"is-row-header",fields:"ms-DetailsRow-fields"},hn={cellLeftPadding:12,cellRightPadding:8,cellExtraRightPadding:24},gn={rowHeight:42,compactRowHeight:32},fn=(0,l.pi)((0,l.pi)({},gn),{rowVerticalPadding:11,compactRowVerticalPadding:6}),vn=function(e){var t,o,n,r,i,a,s,c,d,p,m,h,g=e.theme,f=e.isSelected,v=e.canSelect,b=e.droppingClassName,y=e.anySelected,_=e.isCheckVisible,C=e.checkboxCellClassName,S=e.compact,x=e.className,k=e.cellStyleProps,w=void 0===k?hn:k,I=e.enableUpdateAnimations,D=g.palette,T=g.fonts,E=D.neutralPrimary,P=D.white,M=D.neutralSecondary,R=D.neutralLighter,N=D.neutralLight,B=D.neutralDark,F=D.neutralQuaternaryAlt,L=g.semanticColors.focusBorder,A=(0,u.Cn)(mn,g),z={defaultHeaderText:E,defaultMetaText:M,defaultBackground:P,defaultHoverHeaderText:B,defaultHoverMetaText:E,defaultHoverBackground:R,selectedHeaderText:B,selectedMetaText:E,selectedBackground:N,selectedHoverHeaderText:B,selectedHoverMetaText:E,selectedHoverBackground:F,focusHeaderText:B,focusMetaText:E,focusBackground:N,focusHoverBackground:F},H=[(0,u.GL)(g,{inset:-1,borderColor:L,outlineColor:P}),A.isSelected,{color:z.selectedMetaText,background:z.selectedBackground,borderBottom:"1px solid "+P,selectors:(t={"&:before":{position:"absolute",display:"block",top:-1,height:1,bottom:0,left:0,right:0,content:"",borderTop:"1px solid "+P},"&:hover":{background:z.selectedHoverBackground,color:z.selectedHoverMetaText,selectors:(o={},o["."+A.cell+" "+u.qJ]={color:"HighlightText",selectors:{"> a":{color:"HighlightText"}}},o["."+A.isRowHeader]={color:z.selectedHoverHeaderText,selectors:(n={},n[u.qJ]={color:"HighlightText"},n)},o[u.qJ]={background:"Highlight"},o)},"&:focus":{background:z.focusBackground,selectors:(r={},r["."+A.cell]={color:z.focusMetaText,selectors:(i={},i[u.qJ]={color:"HighlightText",selectors:{"> a":{color:"HighlightText"}}},i)},r["."+A.isRowHeader]={color:z.focusHeaderText,selectors:(a={},a[u.qJ]={color:"HighlightText"},a)},r[u.qJ]={background:"Highlight"},r)}},t[u.qJ]=(0,l.pi)((0,l.pi)({background:"Highlight",color:"HighlightText"},(0,u.xM)()),{selectors:{a:{color:"HighlightText"}}}),t["&:focus:hover"]={background:z.focusHoverBackground},t)}],O=[A.isContentUnselectable,{userSelect:"none",cursor:"default"}],W={minHeight:fn.compactRowHeight,border:0},V={minHeight:fn.compactRowHeight,paddingTop:fn.compactRowVerticalPadding,paddingBottom:fn.compactRowVerticalPadding,paddingLeft:w.cellLeftPadding+"px"},K=[(0,u.GL)(g,{inset:-1}),A.cell,{display:"inline-block",position:"relative",boxSizing:"border-box",minHeight:fn.rowHeight,verticalAlign:"top",whiteSpace:"nowrap",overflow:"hidden",textOverflow:"ellipsis",paddingTop:fn.rowVerticalPadding,paddingBottom:fn.rowVerticalPadding,paddingLeft:w.cellLeftPadding+"px",selectors:(s={"& > button":{maxWidth:"100%"}},s["[data-is-focusable='true']"]=(0,u.GL)(g,{inset:-1,borderColor:M,outlineColor:P}),s)},f&&{selectors:(c={},c[u.qJ]=(0,l.pi)((0,l.pi)({background:"Highlight",color:"HighlightText"},(0,u.xM)()),{selectors:{a:{color:"HighlightText"}}}),c)},S&&V];return{root:[A.root,u.k4.fadeIn400,b,g.fonts.small,_&&A.isCheckVisible,(0,u.GL)(g,{borderColor:L,outlineColor:P}),{borderBottom:"1px solid "+R,background:z.defaultBackground,color:z.defaultMetaText,display:"inline-flex",minWidth:"100%",minHeight:fn.rowHeight,whiteSpace:"nowrap",padding:0,boxSizing:"border-box",verticalAlign:"top",textAlign:"left",selectors:(d={},d["."+A.listCellFirstChild+" &:before"]={display:"none"},d["&:hover"]={background:z.defaultHoverBackground,color:z.defaultHoverMetaText,selectors:(p={},p["."+A.isRowHeader]={color:z.defaultHoverHeaderText},p)},d["&:hover ."+A.check]={opacity:1},d["."+de.G$+" &:focus ."+A.check]={opacity:1},d[".ms-GroupSpacer"]={flexShrink:0,flexGrow:0},d)},f&&H,!v&&O,S&&W,x],cellUnpadded:{paddingRight:w.cellRightPadding+"px"},cellPadded:{paddingRight:w.cellExtraRightPadding+w.cellRightPadding+"px",selectors:(m={},m["&."+A.cellCheck]={paddingRight:0},m)},cell:K,cellAnimation:I&&u.Ic.slideLeftIn40,cellMeasurer:[A.cellMeasurer,{overflow:"visible",whiteSpace:"nowrap"}],checkCell:[K,A.cellCheck,C,{padding:0,paddingTop:1,marginTop:-1,flexShrink:0}],checkCover:{position:"absolute",top:-1,left:0,bottom:0,right:0,display:y?"block":"none"},fields:[A.fields,{display:"flex",alignItems:"stretch"}],isRowHeader:[A.isRowHeader,{color:z.defaultHeaderText,fontSize:T.medium.fontSize},f&&{color:z.selectedHeaderText,fontWeight:u.lq.semibold,selectors:(h={},h[u.qJ]={color:"HighlightText"},h)}],isMultiline:[K,{whiteSpace:"normal",wordBreak:"break-word",textOverflow:"clip"}],check:[A.check]}},bn={tooltipHost:"ms-TooltipHost",root:"ms-DetailsHeader",cell:"ms-DetailsHeader-cell",cellIsCheck:"ms-DetailsHeader-cellIsCheck",collapseButton:"ms-DetailsHeader-collapseButton",isCollapsed:"is-collapsed",isAllSelected:"is-allSelected",isSelectAllHidden:"is-selectAllHidden",isResizingColumn:"is-resizingColumn",cellSizer:"ms-DetailsHeader-cellSizer",isResizing:"is-resizing",dropHintCircleStyle:"ms-DetailsHeader-dropHintCircleStyle",dropHintCaretStyle:"ms-DetailsHeader-dropHintCaretStyle",dropHintLineStyle:"ms-DetailsHeader-dropHintLineStyle",cellTitle:"ms-DetailsHeader-cellTitle",cellName:"ms-DetailsHeader-cellName",filterChevron:"ms-DetailsHeader-filterChevron",gripperBarVertical:"ms-DetailsColumn-gripperBarVertical",checkTooltip:"ms-DetailsHeader-checkTooltip",check:"ms-DetailsHeader-check"},yn=function(e){var t=e.theme,o=e.cellStyleProps,n=void 0===o?hn:o,r=t.semanticColors;return[(0,u.Cn)(bn,t).cell,(0,u.GL)(t),{color:r.bodyText,position:"relative",display:"inline-block",boxSizing:"border-box",padding:"0 "+n.cellRightPadding+"px 0 "+n.cellLeftPadding+"px",lineHeight:"inherit",margin:"0",height:42,verticalAlign:"top",whiteSpace:"nowrap",textOverflow:"ellipsis",textAlign:"left"}]},_n={root:"ms-DetailsRow-check",isDisabled:"ms-DetailsRow-check--isDisabled",isHeader:"ms-DetailsRow-check--isHeader"},Cn=(0,D.y)(),Sn=c.memo((function(e){return c.createElement(je,{theme:e.theme,checked:e.checked,className:e.className,useFastIcons:!0})}));function xn(e){return c.createElement(je,{checked:e.checked})}function kn(e){return c.createElement(Sn,{theme:e.theme,checked:e.checked})}var wn,In=(0,I.z)((function(e){var t=e.isVisible,o=void 0!==t&&t,n=e.canSelect,r=void 0!==n&&n,i=e.anySelected,a=void 0!==i&&i,s=e.selected,u=void 0!==s&&s,d=e.isHeader,p=void 0!==d&&d,m=e.className,h=(e.checkClassName,e.styles),g=e.theme,f=e.compact,v=e.onRenderDetailsCheckbox,b=e.useFastIcons,y=void 0===b||b,_=(0,l._T)(e,["isVisible","canSelect","anySelected","selected","isHeader","className","checkClassName","styles","theme","compact","onRenderDetailsCheckbox","useFastIcons"]),C=y?kn:xn,S=v?(0,ko.k)(v,C):C,x=Cn(h,{theme:g,canSelect:r,selected:u,anySelected:a,className:m,isHeader:p,isVisible:o,compact:f}),k={checked:u,theme:g};return r?c.createElement("div",(0,l.pi)({},_,{role:"checkbox",className:(0,pt.i)(x.root,x.check),"aria-checked":u,"data-selection-toggle":!0,"data-automationid":"DetailsRowCheck"}),S(k)):c.createElement("div",(0,l.pi)({},_,{className:(0,pt.i)(x.root,x.check)}))}),(function(e){var t=e.theme,o=e.className,n=e.isHeader,r=e.selected,i=e.anySelected,a=e.canSelect,s=e.compact,l=e.isVisible,c=(0,u.Cn)(_n,t),d=gn.rowHeight,p=gn.compactRowHeight,m=n?42:s?p:d,h=l||r||i;return{root:[c.root,o],check:[!a&&c.isDisabled,n&&c.isHeader,(0,u.GL)(t),t.fonts.small,Ue.checkHost,{display:"flex",alignItems:"center",justifyContent:"center",cursor:"default",boxSizing:"border-box",verticalAlign:"top",background:"none",backgroundColor:"transparent",border:"none",opacity:h?1:0,height:m,width:48,padding:0,margin:0}],isDisabled:[]}}),void 0,{scope:"DetailsRowCheck"},!0),Dn=function(){function e(e){this._selection=e.selection,this._dragEnterCounts={},this._activeTargets={},this._lastId=0,this._initialized=!1}return e.prototype.dispose=function(){this._events&&this._events.dispose()},e.prototype.subscribe=function(e,t,o){var n=this;if(!this._initialized){this._events=new at.r(this);var r=(0,nt.M)();r&&(this._events.on(r.body,"mouseup",this._onMouseUp.bind(this),!0),this._events.on(r,"mouseup",this._onDocumentMouseUp.bind(this),!0)),this._initialized=!0}var i,a,s,l,c,u,d,p,m,h,g=o.key,f=void 0===g?""+ ++this._lastId:g,v=[];if(o&&e){var b=o.eventMap,y=o.context,_=o.updateDropState,C={root:e,options:o,key:f};if(p=this._isDraggable(C),m=this._isDroppable(C),(p||m)&&b)for(var S=0,x=b;S0&&(at.r.raise(this._dragData.dropTarget.root,"dragleave"),at.r.raise(r,"dragenter"),this._dragData.dropTarget=e)}},e.prototype._onMouseLeave=function(e,t){this._isDragging&&this._dragData&&this._dragData.dropTarget&&this._dragData.dropTarget.key===e.key&&(at.r.raise(e.root,"dragleave"),this._dragData.dropTarget=void 0)},e.prototype._onMouseDown=function(e,t){if(0===t.button)if(this._isDraggable(e)){this._dragData={clientX:t.clientX,clientY:t.clientY,eventTarget:t.target,dragTarget:e};for(var o=0,n=Object.keys(this._activeTargets);o=0&&"drop"!==t.type&&!e&&o._resetDropHints()},o._onDragOver=function(e,t){o._draggedColumnIndex>=0&&(t.stopPropagation(),o._computeDropHintToBeShown(t.clientX))},o._onDrop=function(e,t){var n=o._getColumnReorderProps();if(o._draggedColumnIndex>=0&&t){var r=o._draggedColumnIndex>o._currentDropHintIndex?o._currentDropHintIndex:o._currentDropHintIndex-1,i=o._isValidCurrentDropHintIndex();if(t.stopPropagation(),i)if(o._onDropIndexInfo.sourceIndex=o._draggedColumnIndex,o._onDropIndexInfo.targetIndex=r,n.onColumnDrop){var a={draggedIndex:o._draggedColumnIndex,targetIndex:r};n.onColumnDrop(a)}else n.handleColumnReorder&&n.handleColumnReorder(o._draggedColumnIndex,r)}o._resetDropHints(),o._dropHintDetails={},o._draggedColumnIndex=-1},o._updateDragInfo=function(e,t){var n=o._getColumnReorderProps(),r=e.itemIndex;if(r>=0)o._draggedColumnIndex=o._isCheckboxColumnHidden()?r-1:r-2,o._getDropHintPositions(),n.onColumnDragStart&&n.onColumnDragStart(!0);else if(t&&o._draggedColumnIndex>=0&&(o._resetDropHints(),o._draggedColumnIndex=-1,o._dropHintDetails={},n.onColumnDragEnd)){var i=o._isEventOnHeader(t);n.onColumnDragEnd({dropLocation:i},t)}},o._getDropHintPositions=function(){for(var e,t=o.props.columns,n=void 0===t?Nn:t,r=o._getColumnReorderProps(),i=0,a=0,s=r.frozenColumnCountFromStart||0,l=r.frozenColumnCountFromEnd||0,c=s;c=0&&(o._resetDropHints(),o._updateDropHintElement(o._dropHintDetails[p].dropHintElementRef,"inline-block"),o._currentDropHintIndex=p)}},o._renderColumnSizer=function(e){var t,n=e.columnIndex,r=o.props.columns,i=void 0===r?Nn:r,a=i[n],s=o.state.columnResizeDetails,l=o._classNames;return a.isResizable?c.createElement("div",{key:a.key+"_sizer","aria-hidden":!0,role:"button","data-is-focusable":!1,onClick:zn,"data-sizer-index":n,onBlur:o._onSizerBlur,className:(0,pt.i)(l.cellSizer,n=0&&this._onDropIndexInfo.targetIndex>=0){var t=e.columns,o=void 0===t?Nn:t,n=this.props.columns,r=void 0===n?Nn:n;o[this._onDropIndexInfo.sourceIndex].key===r[this._onDropIndexInfo.targetIndex].key&&(this._onDropIndexInfo={sourceIndex:-1,targetIndex:-1})}this.props.isAllCollapsed!==e.isAllCollapsed&&this.setState({isAllCollapsed:this.props.isAllCollapsed})},t.prototype.componentWillUnmount=function(){this._subscriptionObject&&(this._subscriptionObject.dispose(),delete this._subscriptionObject),this._dragDropHelper.dispose(),this._events.dispose()},t.prototype.render=function(){var e=this,t=this.props,o=t.columns,n=void 0===o?Nn:o,r=t.ariaLabel,i=t.ariaLabelForToggleAllGroupsButton,a=t.ariaLabelForSelectAllCheckbox,s=t.selectAllVisibility,l=t.ariaLabelForSelectionColumn,u=t.indentWidth,d=t.onColumnClick,p=t.onColumnContextMenu,m=t.onRenderColumnHeaderTooltip,h=void 0===m?this._onRenderColumnHeaderTooltip:m,g=t.styles,f=t.selectionMode,v=t.theme,b=t.onRenderDetailsCheckbox,y=t.groupNestingDepth,_=t.useFastIcons,C=t.checkboxVisibility,S=t.className,x=this.state,k=x.isAllSelected,w=x.columnResizeDetails,I=x.isSizing,D=x.isAllCollapsed,E=s!==wn.none,P=s===wn.hidden,N=C===un.always,B=this._getColumnReorderProps(),F=B&&B.frozenColumnCountFromStart?B.frozenColumnCountFromStart:0,L=B&&B.frozenColumnCountFromEnd?B.frozenColumnCountFromEnd:0;this._classNames=Rn(g,{theme:v,isAllSelected:k,isSelectAllHidden:s===wn.hidden,isResizingColumn:!!w&&I,isSizing:I,isAllCollapsed:D,isCheckboxHidden:P,className:S});var A=this._classNames,z=_?Ve.xu:W.J,H=(0,T.zg)(v);return c.createElement(M.k,{role:"row","aria-label":r,className:A.root,componentRef:this._rootComponent,elementRef:this._rootElement,onMouseMove:this._onRootMouseMove,"data-automationid":"DetailsHeader",direction:R.U.horizontal},E?[c.createElement("div",{key:"__checkbox",className:A.cellIsCheck,"aria-labelledby":this._id+"-check",onClick:P?void 0:this._onSelectAllClicked,"aria-colindex":1,role:"columnheader"},h({hostClassName:A.checkTooltip,id:this._id+"-checkTooltip",setAriaDescribedBy:!1,content:a,children:c.createElement(In,{id:this._id+"-check","aria-label":f===on.oW.multiple?a:l,"aria-describedby":P?l&&!this.props.onRenderColumnHeaderTooltip?this._id+"-checkTooltip":void 0:a&&!this.props.onRenderColumnHeaderTooltip?this._id+"-checkTooltip":void 0,"data-is-focusable":!P||void 0,isHeader:!0,selected:k,anySelected:!1,canSelect:!P,className:A.check,onRenderDetailsCheckbox:b,useFastIcons:_,isVisible:N})},this._onRenderColumnHeaderTooltip)),this.props.onRenderColumnHeaderTooltip?null:a&&!P?c.createElement("label",{key:"__checkboxLabel",id:this._id+"-checkTooltip",className:A.accessibleLabel,"aria-hidden":!0},a):l&&P?c.createElement("label",{key:"__checkboxLabel",id:this._id+"-checkTooltip",className:A.accessibleLabel,"aria-hidden":!0},l):null]:null,y>0&&this.props.collapseAllVisibility===zo.visible?c.createElement("div",{className:A.cellIsGroupExpander,onClick:this._onToggleCollapseAll,"data-is-focusable":!0,"aria-label":i,"aria-expanded":!D,role:"columnheader"},c.createElement(z,{className:A.collapseButton,iconName:H?"ChevronLeftMed":"ChevronRightMed"})):null,c.createElement(pn,{indentWidth:u,role:"gridcell",count:y-1}),n.map((function(t,o){var r=!!B&&o>=F&&o=0},t.prototype._isCheckboxColumnHidden=function(){var e=this.props,t=e.selectionMode,o=e.checkboxVisibility;return t===on.oW.none||o===un.hidden},t.prototype._resetDropHints=function(){this._currentDropHintIndex>=0&&(this._updateDropHintElement(this._dropHintDetails[this._currentDropHintIndex].dropHintElementRef,"none"),this._currentDropHintIndex=-1)},t.prototype._updateDropHintElement=function(e,t){e.childNodes[1].style.display=t,e.childNodes[0].style.display=t},t.prototype._isEventOnHeader=function(e){if(this._rootElement.current){var t=this._rootElement.current.getBoundingClientRect();if(e.clientX>t.left&&e.clientXt.top&&e.clientY=n:t>=o&&t<=n}function Ln(e,t,o){return e?t>=o:t<=o}function An(e,t,o){return e?t<=o:t>=o}function zn(e){e.stopPropagation()}var Hn=(0,I.z)(Bn,(function(e){var t,o,n,r,i=e.theme,a=e.className,s=e.isAllSelected,c=e.isResizingColumn,d=e.isSizing,p=e.isAllCollapsed,m=e.cellStyleProps,h=void 0===m?hn:m,g=i.semanticColors,f=i.palette,v=i.fonts,b=(0,u.Cn)(bn,i),y={iconForegroundColor:g.bodySubtext,headerForegroundColor:g.bodyText,headerBackgroundColor:g.bodyBackground,resizerColor:f.neutralTertiaryAlt},_={opacity:1,transition:"opacity 0.3s linear"},C=yn(e);return{root:[b.root,v.small,{display:"inline-block",background:y.headerBackgroundColor,position:"relative",minWidth:"100%",verticalAlign:"top",height:42,lineHeight:42,whiteSpace:"nowrap",boxSizing:"content-box",paddingBottom:"1px",paddingTop:"16px",borderBottom:"1px solid "+g.bodyDivider,cursor:"default",userSelect:"none",selectors:(t={},t["&:hover ."+b.check]={opacity:1},t["& ."+b.tooltipHost+" ."+b.checkTooltip]={display:"block"},t)},s&&b.isAllSelected,c&&b.isResizingColumn,a],check:[b.check,{height:42},{selectors:(o={},o["."+de.G$+" &:focus"]={opacity:1},o)}],cellWrapperPadded:{paddingRight:h.cellExtraRightPadding+h.cellRightPadding},cellIsCheck:[C,b.cellIsCheck,{position:"relative",padding:0,margin:0,display:"inline-flex",alignItems:"center",border:"none"},s&&{opacity:1}],cellIsGroupExpander:[C,{display:"inline-flex",alignItems:"center",justifyContent:"center",fontSize:v.small.fontSize,padding:0,border:"none",width:36,color:f.neutralSecondary,selectors:{":hover":{backgroundColor:f.neutralLighter},":active":{backgroundColor:f.neutralLight}}}],cellIsActionable:{selectors:{":hover":{color:g.bodyText,background:g.listHeaderBackgroundHovered},":active":{background:g.listHeaderBackgroundPressed}}},cellIsEmpty:{textOverflow:"clip"},cellSizer:[b.cellSizer,(0,u.e2)(),{display:"inline-block",position:"relative",cursor:"ew-resize",bottom:0,top:0,overflow:"hidden",height:"inherit",background:"transparent",zIndex:1,width:16,selectors:(n={":after":{content:'""',position:"absolute",top:0,bottom:0,width:1,background:y.resizerColor,opacity:0,left:"50%"},":focus:after":_,":hover:after":_},n["&."+b.isResizing+":after"]=[_,{boxShadow:"0 0 5px 0 rgba(0, 0, 0, 0.4)"}],n)}],cellIsResizing:b.isResizing,cellSizerStart:{margin:"0 -8px"},cellSizerEnd:{margin:0,marginLeft:-16},collapseButton:[b.collapseButton,{transformOrigin:"50% 50%",transition:"transform .1s linear"},p?[b.isCollapsed,{transform:"rotate(0deg)"}]:{transform:(0,T.zg)(i)?"rotate(-90deg)":"rotate(90deg)"}],checkTooltip:b.checkTooltip,sizingOverlay:d&&{position:"absolute",left:0,top:0,right:0,bottom:0,cursor:"ew-resize",background:"rgba(255, 255, 255, 0)",selectors:(r={},r[u.qJ]=(0,l.pi)({background:"transparent"},(0,u.xM)()),r)},accessibleLabel:u.ul,dropHintCircleStyle:[b.dropHintCircleStyle,{display:"inline-block",visibility:"hidden",position:"absolute",bottom:0,height:9,width:9,borderRadius:"50%",marginLeft:-5,top:34,overflow:"visible",zIndex:10,border:"1px solid "+f.themePrimary,background:f.white}],dropHintCaretStyle:[b.dropHintCaretStyle,{display:"none",position:"absolute",top:-28,left:-6.5,fontSize:v.medium.fontSize,color:f.themePrimary,overflow:"visible",zIndex:10}],dropHintLineStyle:[b.dropHintLineStyle,{display:"none",position:"absolute",bottom:0,top:0,overflow:"hidden",height:42,width:1,background:f.themePrimary,zIndex:10}],dropHintStyle:{display:"inline-block",position:"absolute"}}}),void 0,{scope:"DetailsHeader"}),On=function(e){var t=e.columns,o=e.columnStartIndex,n=e.rowClassNames,r=e.cellStyleProps,i=void 0===r?hn:r,a=e.item,s=e.itemIndex,l=e.onRenderItemColumn,u=e.getCellValueKey,d=e.cellsByColumn,p=e.enableUpdateAnimations,m=c.useRef(),h=m.current||(m.current={});return c.createElement("div",{className:n.fields,"data-automationid":"DetailsRowFields",role:"presentation"},t.map((function(e,t){var r=void 0===e.calculatedWidth?"auto":e.calculatedWidth+i.cellLeftPadding+i.cellRightPadding+(e.isPadded?i.cellExtraRightPadding:0),m=e.onRender,g=void 0===m?l:m,f=e.getValueKey,v=void 0===f?u:f,b=d&&e.key in d?d[e.key]:g?g(a,s,e):function(e,t){var o=e&&t&&t.fieldName?e[t.fieldName]:"";return null==o&&(o=""),"boolean"==typeof o?o.toString():o}(a,e),y=h[e.key],_=p&&v?v(a,s,e):void 0,C=!1;void 0!==_&&void 0!==y&&_!==y&&(C=!0),h[e.key]=_;var S=e.key+(void 0!==_?"-"+_:"");return c.createElement("div",{key:S,role:e.isRowHeader?"rowheader":"gridcell","aria-readonly":!0,"aria-colindex":t+o+1,className:(0,pt.i)(e.className,e.isMultiline&&n.isMultiline,e.isRowHeader&&n.isRowHeader,n.cell,e.isPadded?n.cellPadded:n.cellUnpadded,C&&n.cellAnimation),style:{width:r},"data-automationid":"DetailsRowCell","data-automation-key":e.key},b)})))},Wn=(0,D.y)(),Vn=[],Kn=function(e){function t(t){var o=e.call(this,t)||this;return o._root=c.createRef(),o._cellMeasurer=c.createRef(),o._focusZone=c.createRef(),o._onSelectionChanged=function(){var e=qn(o.props);(0,Xt.Vv)(e,o.state.selectionState)||o.setState({selectionState:e})},o._updateDroppingState=function(e,t){var n=o.state.isDropping,r=o.props,i=r.dragDropEvents,a=r.item;e?i.onDragEnter&&(o._droppingClassNames=i.onDragEnter(a,t)):i.onDragLeave&&i.onDragLeave(a,t),n!==e&&o.setState({isDropping:e})},(0,P.l)(o),o._events=new at.r(o),o.state={selectionState:qn(t),columnMeasureInfo:void 0,isDropping:!1},o._droppingClassNames="",o}return(0,l.ZT)(t,e),t.getDerivedStateFromProps=function(e,t){return(0,l.pi)((0,l.pi)({},t),{selectionState:qn(e)})},t.prototype.componentDidMount=function(){var e=this.props,t=e.dragDropHelper,o=e.selection,n=e.item,r=e.onDidMount;t&&this._root.current&&(this._dragDropSubscription=t.subscribe(this._root.current,this._events,this._getRowDragDropOptions())),o&&this._events.on(o,on.F5,this._onSelectionChanged),r&&n&&(this._onDidMountCalled=!0,r(this))},t.prototype.componentDidUpdate=function(e){var t=this.state,o=this.props,n=o.item,r=o.onDidMount,i=t.columnMeasureInfo;if(this.props.itemIndex===e.itemIndex&&this.props.item===e.item&&this.props.dragDropHelper===e.dragDropHelper||(this._dragDropSubscription&&(this._dragDropSubscription.dispose(),delete this._dragDropSubscription),this.props.dragDropHelper&&this._root.current&&(this._dragDropSubscription=this.props.dragDropHelper.subscribe(this._root.current,this._events,this._getRowDragDropOptions()))),i&&i.index>=0&&this._cellMeasurer.current){var a=this._cellMeasurer.current.getBoundingClientRect().width;i.onMeasureDone(a),this.setState({columnMeasureInfo:void 0})}n&&r&&!this._onDidMountCalled&&(this._onDidMountCalled=!0,r(this))},t.prototype.componentWillUnmount=function(){var e=this.props,t=e.item,o=e.onWillUnmount;o&&t&&o(this),this._dragDropSubscription&&(this._dragDropSubscription.dispose(),delete this._dragDropSubscription),this._events.dispose()},t.prototype.shouldComponentUpdate=function(e,t){if(this.props.useReducedRowRenderer){var o=qn(e);return this.state.selectionState.isSelected!==o.isSelected||!(0,Xt.Vv)(this.props,e)}return!0},t.prototype.render=function(){var e=this.props,t=e.className,o=e.columns,n=void 0===o?Vn:o,r=e.dragDropEvents,i=e.item,a=e.itemIndex,s=e.flatIndexOffset,u=void 0===s?2:s,d=e.onRenderCheck,p=void 0===d?this._onRenderCheck:d,m=e.onRenderDetailsCheckbox,h=e.onRenderItemColumn,g=e.getCellValueKey,f=e.selectionMode,v=e.rowWidth,b=void 0===v?0:v,y=e.checkboxVisibility,_=e.getRowAriaLabel,C=e.getRowAriaDescribedBy,S=e.checkButtonAriaLabel,x=e.checkboxCellClassName,k=e.rowFieldsAs,w=void 0===k?On:k,I=e.selection,D=e.indentWidth,T=e.enableUpdateAnimations,P=e.compact,N=e.theme,B=e.styles,F=e.cellsByColumn,L=e.groupNestingDepth,A=e.useFastIcons,z=void 0===A||A,H=e.cellStyleProps,O=this.state,W=O.columnMeasureInfo,V=O.isDropping,K=this.state.selectionState,q=K.isSelected,G=void 0!==q&&q,U=K.isSelectionModal,j=void 0!==U&&U,J=r?!(!r.canDrag||!r.canDrag(i)):void 0,Y=V?this._droppingClassNames||"is-dropping":"",Z=_?_(i):void 0,X=C?C(i):void 0,Q=!!I&&I.canSelectItem(i,a),$=f===on.oW.multiple,ee=f!==on.oW.none&&y!==un.hidden,te=f===on.oW.none?void 0:G;this._classNames=(0,l.pi)((0,l.pi)({},this._classNames),Wn(B,{theme:N,isSelected:G,canSelect:!$,anySelected:j,checkboxCellClassName:x,droppingClassName:Y,className:t,compact:P,enableUpdateAnimations:T,cellStyleProps:H}));var oe={isMultiline:this._classNames.isMultiline,isRowHeader:this._classNames.isRowHeader,cell:this._classNames.cell,cellAnimation:this._classNames.cellAnimation,cellPadded:this._classNames.cellPadded,cellUnpadded:this._classNames.cellUnpadded,fields:this._classNames.fields};(0,Xt.Vv)(this._rowClassNames||{},oe)||(this._rowClassNames=oe);var ne=c.createElement(w,{rowClassNames:this._rowClassNames,cellsByColumn:F,columns:n,item:i,itemIndex:a,columnStartIndex:(ee?1:0)+(L?1:0),onRenderItemColumn:h,getCellValueKey:g,enableUpdateAnimations:T,cellStyleProps:H});return c.createElement(M.k,(0,l.pi)({"data-is-focusable":!0},(0,E.pq)(this.props,E.n7),"boolean"==typeof J?{"data-is-draggable":J,draggable:J}:{},{direction:R.U.horizontal,elementRef:this._root,componentRef:this._focusZone,role:"row","aria-label":Z,"aria-describedby":X,className:this._classNames.root,"data-selection-index":a,"data-selection-touch-invoke":!0,"data-item-index":a,"aria-rowindex":L?void 0:a+u,"aria-level":L&&L+1||void 0,"data-automationid":"DetailsRow",style:{minWidth:b},"aria-selected":te,allowFocusRoot:!0}),ee&&c.createElement("div",{role:"gridcell","aria-colindex":1,"data-selection-toggle":!0,className:this._classNames.checkCell},p({selected:G,anySelected:j,"aria-label":S,canSelect:Q,compact:P,className:this._classNames.check,theme:N,isVisible:y===un.always,onRenderDetailsCheckbox:m,useFastIcons:z})),c.createElement(pn,{indentWidth:D,role:"gridcell",count:L-(this.props.collapseAllVisibility===zo.hidden?1:0)}),i&&ne,W&&c.createElement("span",{role:"presentation",className:(0,pt.i)(this._classNames.cellMeasurer,this._classNames.cell),ref:this._cellMeasurer},c.createElement(w,{rowClassNames:this._rowClassNames,columns:[W.column],item:i,itemIndex:a,columnStartIndex:(ee?1:0)+(L?1:0)+n.length,onRenderItemColumn:h,getCellValueKey:g})),c.createElement("span",{role:"checkbox",className:this._classNames.checkCover,"aria-checked":G,"data-selection-toggle":!0}))},t.prototype.measureCell=function(e,t){var o=this.props.columns,n=void 0===o?Vn:o,r=(0,l.pi)({},n[e]);r.minWidth=0,r.maxWidth=999999,delete r.calculatedWidth,this.setState({columnMeasureInfo:{index:e,column:r,onMeasureDone:t}})},t.prototype.focus=function(e){var t;return void 0===e&&(e=!1),!!(null===(t=this._focusZone.current)||void 0===t?void 0:t.focus(e))},t.prototype._onRenderCheck=function(e){return c.createElement(In,(0,l.pi)({},e))},t.prototype._getRowDragDropOptions=function(){var e=this.props,t=e.item,o=e.itemIndex,n=e.dragDropEvents;return{eventMap:e.eventsToRegister,selectionIndex:o,context:{data:t,index:o},canDrag:n.canDrag,canDrop:n.canDrop,onDragStart:n.onDragStart,updateDropState:this._updateDroppingState,onDrop:n.onDrop,onDragEnd:n.onDragEnd,onDragOver:n.onDragOver}},t}(c.Component);function qn(e){var t,o,n,r,i=e.itemIndex,a=e.selection;return{isSelected:!!(null===(t=a)||void 0===t?void 0:t.isIndexSelected(i)),isSelectionModal:!!(null===(r=null===(o=a)||void 0===o?void 0:(n=o).isModal)||void 0===r?void 0:r.call(n))}}var Gn=(0,I.z)(Kn,vn,void 0,{scope:"DetailsRow"}),Un={root:"ms-GroupedList",compact:"ms-GroupedList--Compact",group:"ms-GroupedList-group",link:"ms-Link",listCell:"ms-List-cell"},jn={root:"ms-GroupHeader",compact:"ms-GroupHeader--compact",check:"ms-GroupHeader-check",dropIcon:"ms-GroupHeader-dropIcon",expand:"ms-GroupHeader-expand",isCollapsed:"is-collapsed",title:"ms-GroupHeader-title",isSelected:"is-selected",iconTag:"ms-Icon--Tag",group:"ms-GroupedList-group",isDropping:"is-dropping"},Jn="cubic-bezier(0.390, 0.575, 0.565, 1.000)",Yn=o(76),Zn=(0,D.y)(),Xn=function(e){function t(t){var o=e.call(this,t)||this;return o._toggleCollapse=function(){var e=o.props,t=e.group,n=e.onToggleCollapse,r=e.isGroupLoading,i=!o.state.isCollapsed,a=!i&&r&&r(t);o.setState({isCollapsed:i,isLoadingVisible:a}),n&&n(t)},o._onKeyUp=function(e){var t=o.props,n=t.group,r=t.onGroupHeaderKeyUp;if(r&&r(e,n),!e.defaultPrevented){var i=o.state.isCollapsed&&e.which===(0,T.dP)(rt.m.right,o.props.theme);(!o.state.isCollapsed&&e.which===(0,T.dP)(rt.m.left,o.props.theme)||i)&&(o._toggleCollapse(),e.stopPropagation(),e.preventDefault())}},o._onToggleClick=function(e){o._toggleCollapse(),e.stopPropagation(),e.preventDefault()},o._onToggleSelectGroupClick=function(e){var t=o.props,n=t.onToggleSelectGroup,r=t.group;n&&n(r),e.preventDefault(),e.stopPropagation()},o._onHeaderClick=function(){var e=o.props,t=e.group,n=e.onGroupHeaderClick,r=e.onToggleSelectGroup;n?n(t):r&&r(t)},o._onRenderTitle=function(e){var t=e.group,n=e.ariaColSpan;return t?c.createElement("div",{className:o._classNames.title,id:o._id,role:"gridcell","aria-colspan":n},c.createElement("span",null,t.name),c.createElement("span",{className:o._classNames.headerCount},"(",t.count,t.hasMoreData&&"+",")")):null},o._id=(0,dn.z)("GroupHeader"),o.state={isCollapsed:o.props.group&&o.props.group.isCollapsed,isLoadingVisible:!1},o}return(0,l.ZT)(t,e),t.getDerivedStateFromProps=function(e,t){if(e.group){var o=e.group.isCollapsed,n=e.isGroupLoading,r=!o&&n&&n(e.group);return(0,l.pi)((0,l.pi)({},t),{isCollapsed:o||!1,isLoadingVisible:r||!1})}return t},t.prototype.render=function(){var e=this.props,t=e.group,o=e.groupLevel,n=void 0===o?0:o,r=e.viewport,i=e.selectionMode,a=e.loadingText,s=e.isSelected,u=void 0!==s&&s,d=e.selected,p=void 0!==d&&d,m=e.indentWidth,h=e.onRenderTitle,g=void 0===h?this._onRenderTitle:h,f=e.onRenderGroupHeaderCheckbox,v=e.isCollapsedGroupSelectVisible,b=void 0===v||v,y=e.expandButtonProps,_=e.expandButtonIcon,C=e.selectAllButtonProps,S=e.theme,x=e.styles,k=e.className,w=e.compact,I=e.ariaPosInSet,D=e.ariaSetSize,E=e.useFastIcons?this._fastDefaultCheckboxRender:this._defaultCheckboxRender,P=f?(0,ko.k)(f,E):E,M=this.state,R=M.isCollapsed,N=M.isLoadingVisible,B=i===on.oW.multiple,F=B&&(b||!(t&&t.isCollapsed)),L=p||u,A=(0,T.zg)(S);return this._classNames=Zn(x,{theme:S,className:k,selected:L,isCollapsed:R,compact:w}),t?c.createElement("div",{className:this._classNames.root,style:r?{minWidth:r.width}:{},onClick:this._onHeaderClick,role:"row","aria-setsize":D,"aria-posinset":I,"data-is-focusable":!0,onKeyUp:this._onKeyUp,"aria-label":t.ariaLabel,"aria-labelledby":t.ariaLabel?void 0:this._id,"aria-expanded":!this.state.isCollapsed,"aria-selected":B?L:void 0,"aria-level":n+1},c.createElement("div",{className:this._classNames.groupHeaderContainer,role:"presentation"},F?c.createElement("div",{role:"gridcell"},c.createElement("button",(0,l.pi)({"data-is-focusable":!1,type:"button",className:this._classNames.check,role:"checkbox","aria-checked":L,"data-selection-toggle":!0,onClick:this._onToggleSelectGroupClick},C),P({checked:L,theme:S},P))):i!==on.oW.none&&c.createElement(pn,{indentWidth:48,count:1}),c.createElement(pn,{indentWidth:m,count:n}),c.createElement("div",{className:this._classNames.dropIcon,role:"presentation"},c.createElement(W.J,{iconName:"Tag"})),c.createElement("div",{role:"gridcell"},c.createElement("button",(0,l.pi)({"data-is-focusable":!1,type:"button",className:this._classNames.expand,onClick:this._onToggleClick,"aria-expanded":!this.state.isCollapsed},y),c.createElement(W.J,{className:this._classNames.expandIsCollapsed,iconName:_||(A?"ChevronLeftMed":"ChevronRightMed")}))),g(this.props,this._onRenderTitle),N&&c.createElement(Yn.$,{label:a}))):null},t.prototype._defaultCheckboxRender=function(e){return c.createElement(je,{checked:e.checked})},t.prototype._fastDefaultCheckboxRender=function(e){return c.createElement(Qn,{theme:e.theme,checked:e.checked})},t.defaultProps={expandButtonProps:{"aria-label":"expand collapse group"}},t}(c.Component),Qn=c.memo((function(e){return c.createElement(je,{theme:e.theme,checked:e.checked,className:e.className,useFastIcons:!0})})),$n=(0,I.z)(Xn,(function(e){var t,o,n,r,i,a=e.theme,s=e.className,l=e.selected,c=e.isCollapsed,d=e.compact,p=hn.cellLeftPadding,m=d?40:48,h=a.semanticColors,g=a.palette,f=a.fonts,v=(0,u.Cn)(jn,a),b=[(0,u.GL)(a),{cursor:"default",background:"none",backgroundColor:"transparent",border:"none",padding:0}];return{root:[v.root,(0,u.GL)(a),a.fonts.medium,{borderBottom:"1px solid "+h.listBackground,cursor:"default",userSelect:"none",selectors:(t={":hover":{background:h.listItemBackgroundHovered,color:h.actionLinkHovered}},t["&:hover ."+v.check]={opacity:1},t["."+de.G$+" &:focus ."+v.check]={opacity:1},t[":global(."+v.group+"."+v.isDropping+")"]={selectors:(o={},o["& > ."+v.root+" ."+v.dropIcon]={transition:"transform "+u.D1.durationValue4+" cubic-bezier(0.075, 0.820, 0.165, 1.000) opacity "+u.D1.durationValue1+" "+Jn,transitionDelay:u.D1.durationValue3,opacity:1,transform:"rotate(0.2deg) scale(1);"},o["."+v.check]={opacity:0},o)},t)},l&&[v.isSelected,{background:h.listItemBackgroundChecked,selectors:(n={":hover":{background:h.listItemBackgroundCheckedHovered}},n[""+v.check]={opacity:1},n)}],d&&[v.compact,{border:"none"}],s],groupHeaderContainer:[{display:"flex",alignItems:"center",height:m}],headerCount:[{padding:"0px 4px"}],check:[v.check,b,{display:"flex",alignItems:"center",justifyContent:"center",paddingTop:1,marginTop:-1,opacity:0,width:48,height:m,selectors:(r={},r["."+de.G$+" &:focus"]={opacity:1},r)}],expand:[v.expand,b,{display:"flex",alignItems:"center",justifyContent:"center",fontSize:f.small.fontSize,width:36,height:m,color:l?g.neutralPrimary:g.neutralSecondary,selectors:{":hover":{backgroundColor:l?g.neutralQuaternary:g.neutralLight},":active":{backgroundColor:l?g.neutralTertiaryAlt:g.neutralQuaternaryAlt}}}],expandIsCollapsed:[c?[v.isCollapsed,{transform:"rotate(0deg)",transformOrigin:"50% 50%",transition:"transform .1s linear"}]:{transform:(0,T.zg)(a)?"rotate(-90deg)":"rotate(90deg)",transformOrigin:"50% 50%",transition:"transform .1s linear"}],title:[v.title,{paddingLeft:p,fontSize:d?f.medium.fontSize:f.mediumPlus.fontSize,fontWeight:c?u.lq.regular:u.lq.semibold,cursor:"pointer",outline:0,whiteSpace:"nowrap",textOverflow:"ellipsis"}],dropIcon:[v.dropIcon,{position:"absolute",left:-26,fontSize:u.ld.large,color:g.neutralSecondary,transition:"transform "+u.D1.durationValue2+" cubic-bezier(0.600, -0.280, 0.735, 0.045), opacity "+u.D1.durationValue4+" "+Jn,opacity:0,transform:"rotate(0.2deg) scale(0.65)",transformOrigin:"10px 10px",selectors:(i={},i[":global(."+v.iconTag+")"]={position:"absolute"},i)}]}}),void 0,{scope:"GroupHeader"}),er={root:"ms-GroupShowAll",link:"ms-Link"},tr=(0,D.y)(),or=(0,I.z)((function(e){var t=e.group,o=e.groupLevel,n=e.showAllLinkText,r=void 0===n?"Show All":n,i=e.styles,a=e.theme,s=e.onToggleSummarize,l=tr(i,{theme:a}),u=(0,c.useCallback)((function(e){s(t),e.stopPropagation(),e.preventDefault()}),[s,t]);return t?c.createElement("div",{className:l.root},c.createElement(pn,{count:o}),c.createElement(O,{onClick:u},r)):null}),(function(e){var t,o=e.theme,n=o.fonts,r=(0,u.Cn)(er,o);return{root:[r.root,{position:"relative",padding:"10px 84px",cursor:"pointer",selectors:(t={},t["."+r.link]={fontSize:n.small.fontSize},t)}]}}),void 0,{scope:"GroupShowAll"}),nr={root:"ms-groupFooter"},rr=(0,D.y)(),ir=(0,I.z)((function(e){var t=e.group,o=e.groupLevel,n=e.footerText,r=e.indentWidth,i=e.styles,a=e.theme,s=rr(i,{theme:a});return t&&n?c.createElement("div",{className:s.root},c.createElement(pn,{indentWidth:r,count:o}),n):null}),(function(e){var t=e.theme,o=e.className,n=(0,u.Cn)(nr,t);return{root:[t.fonts.medium,n.root,{position:"relative",padding:"5px 38px"},o]}}),void 0,{scope:"GroupFooter"}),ar=function(e){function t(o){var n=e.call(this,o)||this;n._root=c.createRef(),n._list=c.createRef(),n._subGroupRefs={},n._droppingClassName="",n._onRenderGroupHeader=function(e){return c.createElement($n,(0,l.pi)({},e))},n._onRenderGroupShowAll=function(e){return c.createElement(or,(0,l.pi)({},e))},n._onRenderGroupFooter=function(e){return c.createElement(ir,(0,l.pi)({},e))},n._renderSubGroup=function(e,o){var r=n.props,i=r.dragDropEvents,a=r.dragDropHelper,s=r.eventsToRegister,l=r.getGroupItemLimit,u=r.groupNestingDepth,d=r.groupProps,p=r.items,m=r.headerProps,h=r.showAllProps,g=r.footerProps,f=r.listProps,v=r.onRenderCell,b=r.selection,y=r.selectionMode,_=r.viewport,C=r.onRenderGroupHeader,S=r.onRenderGroupShowAll,x=r.onRenderGroupFooter,k=r.onShouldVirtualize,w=r.group,I=r.compact,D=e.level?e.level+1:u;return!e||e.count>0||d&&d.showEmptyGroups?c.createElement(t,{ref:function(e){return n._subGroupRefs["subGroup_"+o]=e},key:n._getGroupKey(e,o),dragDropEvents:i,dragDropHelper:a,eventsToRegister:s,footerProps:g,getGroupItemLimit:l,group:e,groupIndex:o,groupNestingDepth:D,groupProps:d,headerProps:m,items:p,listProps:f,onRenderCell:v,selection:b,selectionMode:y,showAllProps:h,viewport:_,onRenderGroupHeader:C,onRenderGroupShowAll:S,onRenderGroupFooter:x,onShouldVirtualize:k,groups:w?w.children:[],compact:I}):null},n._getGroupDragDropOptions=function(){var e=n.props,t=e.group,o=e.groupIndex,r=e.dragDropEvents;return{eventMap:e.eventsToRegister,selectionIndex:-1,context:{data:t,index:o,isGroup:!0},updateDropState:n._updateDroppingState,canDrag:r.canDrag,canDrop:r.canDrop,onDrop:r.onDrop,onDragStart:r.onDragStart,onDragEnter:r.onDragEnter,onDragLeave:r.onDragLeave,onDragEnd:r.onDragEnd,onDragOver:r.onDragOver}},n._updateDroppingState=function(e,t){var o=n.state.isDropping,r=n.props,i=r.dragDropEvents,a=r.group;o!==e&&(o?i&&i.onDragLeave&&i.onDragLeave(a,t):i&&i.onDragEnter&&(n._droppingClassName=i.onDragEnter(a,t)),n.setState({isDropping:e}))};var r=o.selection,i=o.group;return(0,P.l)(n),n._id=(0,dn.z)("GroupedListSection"),n.state={isDropping:!1,isSelected:!(!r||!i)&&r.isRangeSelected(i.startIndex,i.count)},n._events=new at.r(n),n}return(0,l.ZT)(t,e),t.prototype.componentDidMount=function(){var e=this.props,t=e.dragDropHelper,o=e.selection;t&&this._root.current&&(this._dragDropSubscription=t.subscribe(this._root.current,this._events,this._getGroupDragDropOptions())),o&&this._events.on(o,on.F5,this._onSelectionChange)},t.prototype.componentWillUnmount=function(){this._events.dispose(),this._dragDropSubscription&&this._dragDropSubscription.dispose()},t.prototype.componentDidUpdate=function(e){this.props.group===e.group&&this.props.groupIndex===e.groupIndex&&this.props.dragDropHelper===e.dragDropHelper||(this._dragDropSubscription&&(this._dragDropSubscription.dispose(),delete this._dragDropSubscription),this.props.dragDropHelper&&this._root.current&&(this._dragDropSubscription=this.props.dragDropHelper.subscribe(this._root.current,this._events,this._getGroupDragDropOptions())))},t.prototype.render=function(){var e=this.props,t=e.getGroupItemLimit,o=e.group,n=e.groupIndex,r=e.headerProps,i=e.showAllProps,a=e.footerProps,s=e.viewport,u=e.selectionMode,d=e.onRenderGroupHeader,p=void 0===d?this._onRenderGroupHeader:d,m=e.onRenderGroupShowAll,h=void 0===m?this._onRenderGroupShowAll:m,g=e.onRenderGroupFooter,f=void 0===g?this._onRenderGroupFooter:g,v=e.onShouldVirtualize,b=e.groupedListClassNames,y=e.groups,_=e.compact,C=e.listProps,S=void 0===C?{}:C,x=this.state.isSelected,k=o&&t?t(o):1/0,w=o&&!o.children&&!o.isCollapsed&&!o.isShowingAll&&(o.count>k||o.hasMoreData),I=o&&o.children&&o.children.length>0,D=S.version,T={group:o,groupIndex:n,groupLevel:o?o.level:0,isSelected:x,selected:x,viewport:s,selectionMode:u,groups:y,compact:_},E={groupedListId:this._id,ariaSetSize:y?y.length:void 0,ariaPosInSet:void 0!==n?n+1:void 0},P=(0,l.pi)((0,l.pi)((0,l.pi)({},r),T),E),M=(0,l.pi)((0,l.pi)({},i),T),R=(0,l.pi)((0,l.pi)({},a),T),N=!!this.props.dragDropHelper&&this._getGroupDragDropOptions().canDrag(o)&&!!this.props.dragDropEvents.canDragGroups;return c.createElement("div",(0,l.pi)({ref:this._root},N&&{draggable:!0},{className:(0,pt.i)(b&&b.group,this._getDroppingClassName()),role:"presentation"}),p(P,this._onRenderGroupHeader),o&&o.isCollapsed?null:I?c.createElement(Eo,{role:"presentation",ref:this._list,items:o?o.children:[],onRenderCell:this._renderSubGroup,getItemCountForPage:this._returnOne,onShouldVirtualize:v,version:D,id:this._id}):this._onRenderGroup(k),o&&o.isCollapsed?null:w&&h(M,this._onRenderGroupShowAll),f(R,this._onRenderGroupFooter))},t.prototype.forceUpdate=function(){e.prototype.forceUpdate.call(this),this.forceListUpdate()},t.prototype.forceListUpdate=function(){var e=this.props.group;if(this._list.current){if(this._list.current.forceUpdate(),e&&e.children&&e.children.length>0)for(var t=e.children.length,o=0;o0&&(r&&r(e),this._setGroupsCollapsedState(o,e),this._updateIsSomeGroupExpanded(),this.forceUpdate())},t.prototype._setGroupsCollapsedState=function(e,t){for(var o=0;o0;)e++,t=t[0].children;return e},t.prototype._forceListUpdates=function(e){this.setState({version:{}})},t.prototype._computeIsSomeGroupExpanded=function(e){var t=this;return!(!e||!e.some((function(e){return e.children?t._computeIsSomeGroupExpanded(e.children):!e.isCollapsed})))},t.prototype._updateIsSomeGroupExpanded=function(){var e=this.state.groups,t=this.props.onGroupExpandStateChanged,o=this._computeIsSomeGroupExpanded(e);this._isSomeGroupExpanded!==o&&(t&&t(o),this._isSomeGroupExpanded=o)},t.defaultProps={selectionMode:on.oW.multiple,isHeaderVisible:!0,groupProps:{},compact:!1},t}(c.Component),dr=(0,I.z)(ur,(function(e){var t,o,n=e.theme,r=e.className,i=e.compact,a=n.palette,s=(0,u.Cn)(Un,n);return{root:[s.root,n.fonts.small,{position:"relative",selectors:(t={},t["."+s.listCell]={minHeight:38},t)},i&&[s.compact,{selectors:(o={},o["."+s.listCell]={minHeight:32},o)}],r],group:[s.group,{transition:"background-color "+u.D1.durationValue2+" cubic-bezier(0.445, 0.050, 0.550, 0.950)"}],groupIsDropping:{backgroundColor:a.neutralLight}}}),void 0,{scope:"GroupedList"}),pr=o(1071);function mr(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 hr(e){return function(t){function o(e){var o=t.call(this,e)||this;return o._root=c.createRef(),o._registerResizeObserver=function(){var e=(0,So.J)(o._root.current);o._viewportResizeObserver=new e.ResizeObserver(o._onAsyncResize),o._viewportResizeObserver.observe(o._root.current)},o._unregisterResizeObserver=function(){o._viewportResizeObserver&&(o._viewportResizeObserver.disconnect(),delete o._viewportResizeObserver)},o._updateViewport=function(e){var t=o.state.viewport,n=o._root.current,r=mr((0,yo.zj)(n)),i=mr(n);((i&&i.width)!==t.width||(r&&r.height)!==t.height)&&o._resizeAttempts<3&&i&&r?(o._resizeAttempts++,o.setState({viewport:{width:i.width,height:r.height}},(function(){o._updateViewport(e)}))):(o._resizeAttempts=0,e&&o._composedComponentInstance&&o._composedComponentInstance.forceUpdate())},o._async=new bo.e(o),o._events=new at.r(o),o._resizeAttempts=0,o.state={viewport:{width:0,height:0}},o}return(0,l.ZT)(o,t),o.prototype.componentDidMount=function(){var e=this.props,t=e.skipViewportMeasures,o=e.disableResizeObserver,n=(0,So.J)(this._root.current);this._onAsyncResize=this._async.debounce(this._onAsyncResize,500,{leading:!1}),t||(!o&&this._isResizeObserverAvailable()?this._registerResizeObserver():this._events.on(n,"resize",this._onAsyncResize),this._updateViewport())},o.prototype.componentDidUpdate=function(e){var t=e.skipViewportMeasures,o=this.props,n=o.skipViewportMeasures,r=o.disableResizeObserver,i=(0,So.J)(this._root.current);n!==t&&(n?(this._unregisterResizeObserver(),this._events.off(i,"resize",this._onAsyncResize)):(!r&&this._isResizeObserverAvailable()?this._viewportResizeObserver||this._registerResizeObserver():this._events.on(i,"resize",this._onAsyncResize),this._updateViewport()))},o.prototype.componentWillUnmount=function(){this._events.dispose(),this._async.dispose(),this._unregisterResizeObserver()},o.prototype.render=function(){var t=this.state.viewport,o=t.width>0&&t.height>0?t:void 0;return c.createElement("div",{className:"ms-Viewport",ref:this._root,style:{minWidth:1,minHeight:1}},c.createElement(e,(0,l.pi)({ref:this._updateComposedComponentRef,viewport:o},this.props)))},o.prototype.forceUpdate=function(){this._updateViewport(!0)},o.prototype._onAsyncResize=function(){this._updateViewport()},o.prototype._isResizeObserverAvailable=function(){var e=(0,So.J)(this._root.current);return e&&e.ResizeObserver},o}(pr.P)}var gr=(0,D.y)(),fr=100,vr=function(e){var t=e.selection,o=e.ariaLabelForListHeader,n=e.ariaLabelForSelectAllCheckbox,r=e.ariaLabelForSelectionColumn,i=e.className,a=e.checkboxVisibility,s=e.compact,u=e.constrainMode,p=e.dragDropEvents,m=e.groups,h=e.groupProps,g=e.indentWidth,f=e.items,v=e.isPlaceholderData,b=e.isHeaderVisible,y=e.layoutMode,_=e.onItemInvoked,C=e.onItemContextMenu,S=e.onColumnHeaderClick,x=e.onColumnHeaderContextMenu,k=e.selectionMode,w=void 0===k?t.mode:k,I=e.selectionPreservedOnEmptyClick,D=e.selectionZoneProps,E=e.ariaLabel,P=e.ariaLabelForGrid,N=e.rowElementEventMap,F=e.shouldApplyApplicationRole,L=void 0!==F&&F,A=e.getKey,z=e.listProps,H=e.usePageCache,O=e.onShouldVirtualize,W=e.viewport,V=e.minimumPixelsForDrag,K=e.getGroupHeight,G=e.styles,U=e.theme,j=e.cellStyleProps,J=void 0===j?hn:j,Y=e.onRenderCheckbox,Z=e.useFastIcons,X=e.dragDropHelper,Q=e.adjustedColumns,$=e.isCollapsed,ee=e.isSizing,te=e.isSomeGroupExpanded,oe=e.version,ne=e.rootRef,re=e.listRef,ie=e.focusZoneRef,ae=e.columnReorderOptions,se=e.groupedListRef,le=e.headerRef,ce=e.onGroupExpandStateChanged,ue=e.onColumnIsSizingChanged,de=e.onRowDidMount,pe=e.onRowWillUnmount,me=e.disableSelectionZone,he=e.onColumnResized,ge=e.onColumnAutoResized,fe=e.onToggleCollapse,ve=e.onActiveRowChanged,be=e.onBlur,ye=e.rowElementEventMap,_e=e.onRenderMissingItem,Ce=e.onRenderItemColumn,Se=e.getCellValueKey,xe=e.getRowAriaLabel,ke=e.getRowAriaDescribedBy,we=e.checkButtonAriaLabel,Ie=e.checkboxCellClassName,De=e.useReducedRowRenderer,Te=e.enableUpdateAnimations,Ee=e.enterModalSelectionOnTouch,Pe=e.onRenderDefaultRow,Me=e.selectionZoneRef,Re=function(e){for(var t=0,o=e;o&&o.length>0;)t++,o=o[0].children;return t}(m),Ne=c.useMemo((function(){return(0,l.pi)({renderedWindowsAhead:ee?0:2,renderedWindowsBehind:ee?0:2,getKey:A,version:oe},z)}),[ee,A,oe,z]),Be=wn.none;if(w===on.oW.single&&(Be=wn.hidden),w===on.oW.multiple){var Fe=h&&h.headerProps&&h.headerProps.isCollapsedGroupSelectVisible;void 0===Fe&&(Fe=!0),Be=Fe||!m||te?wn.visible:wn.hidden}a===un.hidden&&(Be=wn.none);var Le=c.useCallback((function(e){return c.createElement(Hn,(0,l.pi)({},e))}),[]),Ae=c.useCallback((function(){return null}),[]),ze=e.onRenderDetailsHeader,He=c.useMemo((function(){return ze?(0,ko.k)(ze,Le):Le}),[ze,Le]),Oe=e.onRenderDetailsFooter,We=c.useMemo((function(){return Oe?(0,ko.k)(Oe,Ae):Ae}),[Oe,Ae]),Ve=c.useMemo((function(){return{columns:Q,groupNestingDepth:Re,selection:t,selectionMode:w,viewport:W,checkboxVisibility:a,indentWidth:g,cellStyleProps:J}}),[Q,Re,t,w,W,a,g,J]),Ke=ae&&ae.onDragEnd,qe=c.useCallback((function(e,t){var o=e.dropLocation,n=ln.outside;if(Ke){if(o&&o!==ln.header)n=o;else if(ne.current){var r=ne.current.getBoundingClientRect();t.clientX>r.left&&t.clientXr.top&&t.clientY0;)++t,(n=o.pop())&&n.children&&o.push.apply(o,n.children);return t}(m)+(f?f.length:0),je=(Be!==wn.none?1:0)+(Q?Q.length:0)+(m?1:0),Je=c.useMemo((function(){return gr(G,{theme:U,compact:s,isFixed:y===cn.fixedColumns,isHorizontalConstrained:u===sn.horizontalConstrained,className:i})}),[G,U,s,y,u,i]),Ye=h&&h.onRenderFooter,Ze=c.useMemo((function(){return Ye?function(e,o){return Ye((0,l.pi)((0,l.pi)({},e),{columns:Q,groupNestingDepth:Re,indentWidth:g,selection:t,selectionMode:w,viewport:W,checkboxVisibility:a,cellStyleProps:J}),o)}:void 0}),[Ye,Q,Re,g,t,w,W,a,J]),Xe=h&&h.onRenderHeader,Qe=c.useMemo((function(){return Xe?function(e,o){var n=e.ariaPosInSet,r=e.ariaSetSize;return Xe((0,l.pi)((0,l.pi)({},e),{columns:Q,groupNestingDepth:Re,indentWidth:g,selection:t,selectionMode:w,viewport:W,checkboxVisibility:a,cellStyleProps:J,ariaColSpan:Q.length,ariaPosInSet:void 0,ariaSetSize:void 0,ariaRowCount:r?r+(b?1:0):void 0,ariaRowIndex:n?n+(b?1:0):void 0}),o)}:function(e,t){var o=e.ariaPosInSet,n=e.ariaSetSize;return t((0,l.pi)((0,l.pi)({},e),{ariaColSpan:Q.length,ariaPosInSet:void 0,ariaSetSize:void 0,ariaRowCount:n?n+(b?1:0):void 0,ariaRowIndex:o?o+(b?1:0):void 0}))}}),[Xe,Q,Re,g,b,t,w,W,a,J]),$e=c.useMemo((function(){return(0,l.pi)((0,l.pi)({},h),{role:"rowgroup",onRenderFooter:Ze,onRenderHeader:Qe})}),[h,Ze,Qe]),et=(0,q.B)((function(){return(0,d.NF)((function(e){var t=0;return e.forEach((function(e){return t+=e.calculatedWidth||e.minWidth})),t}))})),tt=h&&h.collapseAllVisibility,ot=c.useMemo((function(){return et(Q)}),[Q,et]),nt=c.useCallback((function(o,n,r){var i=e.onRenderRow?(0,ko.k)(e.onRenderRow,Pe):Pe,l={item:n,itemIndex:r,flatIndexOffset:b?2:1,compact:s,columns:Q,groupNestingDepth:o,selectionMode:w,selection:t,onDidMount:de,onWillUnmount:pe,onRenderItemColumn:Ce,getCellValueKey:Se,eventsToRegister:ye,dragDropEvents:p,dragDropHelper:X,viewport:W,checkboxVisibility:a,collapseAllVisibility:tt,getRowAriaLabel:xe,getRowAriaDescribedBy:ke,checkButtonAriaLabel:we,checkboxCellClassName:Ie,useReducedRowRenderer:De,indentWidth:g,cellStyleProps:J,onRenderDetailsCheckbox:Y,enableUpdateAnimations:Te,rowWidth:ot,useFastIcons:Z};return n?i(l):_e?_e(r,l):null}),[s,Q,w,t,de,pe,Ce,Se,ye,p,X,W,a,tt,xe,ke,b,we,Ie,De,g,J,Y,Te,Z,Pe,_e,e.onRenderRow,ot]),it=c.useCallback((function(e){return function(t,o){return nt(e,t,o)}}),[nt]),at=c.useCallback((function(e){return e.which===(0,T.dP)(rt.m.right,U)}),[U]),st={componentRef:ie,className:Je.focusZone,direction:R.U.vertical,shouldEnterInnerZone:at,onActiveElementChanged:ve,shouldRaiseClicks:!1,onBlur:be},lt=m?c.createElement(dr,{focusZoneProps:st,componentRef:se,groups:m,groupProps:$e,items:f,onRenderCell:nt,role:"presentation",selection:t,selectionMode:a!==un.hidden?w:on.oW.none,dragDropEvents:p,dragDropHelper:X,eventsToRegister:N,listProps:Ne,onGroupExpandStateChanged:ce,usePageCache:H,onShouldVirtualize:O,getGroupHeight:K,compact:s}):c.createElement(M.k,(0,l.pi)({},st),c.createElement(Eo,(0,l.pi)({ref:re,role:"presentation",items:f,onRenderCell:it(0),usePageCache:H,onShouldVirtualize:O},Ne))),ct=c.useCallback((function(e){e.which===rt.m.down&&ie.current&&ie.current.focus()&&(0===t.getSelectedIndices().length&&t.setIndexSelected(0,!0,!1),e.preventDefault(),e.stopPropagation())}),[t,ie]),ut=c.useCallback((function(e){e.which!==rt.m.up||e.altKey||le.current&&le.current.focus()&&(e.preventDefault(),e.stopPropagation())}),[le]);return c.createElement("div",(0,l.pi)({ref:ne,className:Je.root,"data-automationid":"DetailsList","data-is-scrollable":"false","aria-label":E},L?{role:"application"}:{}),c.createElement(B.u,null),c.createElement("div",{role:"grid","aria-label":P,"aria-rowcount":v?-1:Ue,"aria-colcount":je,"aria-readonly":"true","aria-busy":v},c.createElement("div",{onKeyDown:ct,role:"presentation",className:Je.headerWrapper},b&&He({componentRef:le,selectionMode:w,layoutMode:y,selection:t,columns:Q,onColumnClick:S,onColumnContextMenu:x,onColumnResized:he,onColumnIsSizingChanged:ue,onColumnAutoResized:ge,groupNestingDepth:Re,isAllCollapsed:$,onToggleCollapseAll:fe,ariaLabel:o,ariaLabelForSelectAllCheckbox:n,ariaLabelForSelectionColumn:r,selectAllVisibility:Be,collapseAllVisibility:h&&h.collapseAllVisibility,viewport:W,columnReorderProps:Ge,minimumPixelsForDrag:V,cellStyleProps:J,checkboxVisibility:a,indentWidth:g,onRenderDetailsCheckbox:Y,rowWidth:et(Q),useFastIcons:Z},He)),c.createElement("div",{onKeyDown:ut,role:"presentation",className:Je.contentWrapper},me?lt:c.createElement(rn.i,(0,l.pi)({ref:Me,selection:t,selectionPreservedOnEmptyClick:I,selectionMode:w,onItemInvoked:_,onItemContextMenu:C,enterModalOnTouch:Ee},D||{}),lt)),We((0,l.pi)({},Ve))))},br=function(e){function t(t){var o=e.call(this,t)||this;return o._root=c.createRef(),o._header=c.createRef(),o._groupedList=c.createRef(),o._list=c.createRef(),o._focusZone=c.createRef(),o._selectionZone=c.createRef(),o._onRenderRow=function(e,t){return c.createElement(Gn,(0,l.pi)({},e))},o._getDerivedStateFromProps=function(e,t){var n=o.props,r=n.checkboxVisibility,i=n.items,a=n.setKey,s=n.selectionMode,c=void 0===s?o._selection.mode:s,u=n.columns,d=n.viewport,p=n.compact,m=n.dragDropEvents,h=(o.props.groupProps||{}).isAllGroupsCollapsed,g=void 0===h?void 0:h,f=e.viewport&&e.viewport.width||0,v=d&&d.width||0,b=e.setKey!==a||void 0===e.setKey,y=!1;e.layoutMode!==o.props.layoutMode&&(y=!0);var _=t;return b&&(o._initialFocusedIndex=e.initialFocusedIndex,_=(0,l.pi)((0,l.pi)({},_),{focusedItemIndex:void 0!==o._initialFocusedIndex?o._initialFocusedIndex:-1})),o.props.disableSelectionZone||e.items===i||o._selection.setItems(e.items,b),e.checkboxVisibility===r&&e.columns===u&&f===v&&e.compact===p||(y=!0),_=(0,l.pi)((0,l.pi)({},_),o._adjustColumns(e,_,!0)),e.selectionMode!==c&&(y=!0),void 0===g&&e.groupProps&&void 0!==e.groupProps.isAllGroupsCollapsed&&(_=(0,l.pi)((0,l.pi)({},_),{isCollapsed:e.groupProps.isAllGroupsCollapsed,isSomeGroupExpanded:!e.groupProps.isAllGroupsCollapsed})),e.dragDropEvents!==m&&(o._dragDropHelper&&o._dragDropHelper.dispose(),o._dragDropHelper=e.dragDropEvents?new Dn({selection:o._selection,minimumPixelsForDrag:e.minimumPixelsForDrag}):void 0,y=!0),y&&(_=(0,l.pi)((0,l.pi)({},_),{version:{}})),_},o._onGroupExpandStateChanged=function(e){o.setState({isSomeGroupExpanded:e})},o._onColumnIsSizingChanged=function(e,t){o.setState({isSizing:t})},o._onRowDidMount=function(e){var t=e.props,n=t.item,r=t.itemIndex,i=o._getItemKey(n,r);o._activeRows[i]=e,o._setFocusToRowIfPending(e);var a=o.props.onRowDidMount;a&&a(n,r)},o._onRowWillUnmount=function(e){var t=o.props.onRowWillUnmount,n=e.props,r=n.item,i=n.itemIndex,a=o._getItemKey(r,i);delete o._activeRows[a],t&&t(r,i)},o._onToggleCollapse=function(e){o.setState({isCollapsed:e}),o._groupedList.current&&o._groupedList.current.toggleCollapseAll(e)},o._onColumnResized=function(e,t,n){var r=Math.max(e.minWidth||fr,t);o.props.onColumnResize&&o.props.onColumnResize(e,r,n),o._rememberCalculatedWidth(e,r),o.setState((0,l.pi)((0,l.pi)({},o._adjustColumns(o.props,o.state,!0,n)),{version:{}}))},o._onColumnAutoResized=function(e,t){var n=0,r=0,i=Object.keys(o._activeRows).length;for(var a in o._activeRows)o._activeRows.hasOwnProperty(a)&&o._activeRows[a].measureCell(t,(function(a){n=Math.max(n,a),++r===i&&o._onColumnResized(e,n,t)}))},o._onActiveRowChanged=function(e,t){var n=o.props,r=n.items,i=n.onActiveItemChanged;if(e&&e.getAttribute("data-item-index")){var a=Number(e.getAttribute("data-item-index"));a>=0&&(i&&i(r[a],a,t),o.setState({focusedItemIndex:a}))}},o._onBlur=function(e){o.setState({focusedItemIndex:-1})},(0,P.l)(o),o._async=new bo.e(o),o._activeRows={},o._columnOverrides={},o.state={focusedItemIndex:-1,lastWidth:0,adjustedColumns:o._getAdjustedColumns(t,void 0),isSizing:!1,isCollapsed:t.groupProps&&t.groupProps.isAllGroupsCollapsed,isSomeGroupExpanded:t.groupProps&&!t.groupProps.isAllGroupsCollapsed,version:{},getDerivedStateFromProps:o._getDerivedStateFromProps},o._selection=t.selection||new nn.Y({onSelectionChanged:void 0,getKey:t.getKey,selectionMode:t.selectionMode}),o.props.disableSelectionZone||o._selection.setItems(t.items,!1),o._dragDropHelper=t.dragDropEvents?new Dn({selection:o._selection,minimumPixelsForDrag:t.minimumPixelsForDrag}):void 0,o._initialFocusedIndex=t.initialFocusedIndex,o}return(0,l.ZT)(t,e),t.getDerivedStateFromProps=function(e,t){return t.getDerivedStateFromProps(e,t)},t.prototype.scrollToIndex=function(e,t,o){this._list.current&&this._list.current.scrollToIndex(e,t,o),this._groupedList.current&&this._groupedList.current.scrollToIndex(e,t,o)},t.prototype.focusIndex=function(e,t,o,n){void 0===t&&(t=!1);var r=this.props.items[e];if(r){this.scrollToIndex(e,o,n);var i=this._getItemKey(r,e),a=this._activeRows[i];a&&this._setFocusToRow(a,t)}},t.prototype.getStartItemIndexInView=function(){return this._list&&this._list.current?this._list.current.getStartItemIndexInView():this._groupedList&&this._groupedList.current?this._groupedList.current.getStartItemIndexInView():0},t.prototype.componentWillUnmount=function(){this._dragDropHelper&&this._dragDropHelper.dispose(),this._async.dispose()},t.prototype.componentDidUpdate=function(e,t){if(this._notifyColumnsResized(),void 0!==this._initialFocusedIndex&&(i=this.props.items[this._initialFocusedIndex])){var o=this._getItemKey(i,this._initialFocusedIndex);(n=this._activeRows[o])&&this._setFocusToRowIfPending(n)}if(this.props.items!==e.items&&this.props.items.length>0&&-1!==this.state.focusedItemIndex&&!(0,it.t)(this._root.current,document.activeElement,!1)){var n,r=this.state.focusedItemIndex0;)e++,t=t[0].children;return e},t.prototype._setFocusToRowIfPending=function(e){var t=e.props.itemIndex;void 0!==this._initialFocusedIndex&&t===this._initialFocusedIndex&&(this._setFocusToRow(e),delete this._initialFocusedIndex)},t.prototype._setFocusToRow=function(e,t){void 0===t&&(t=!1),this._selectionZone.current&&this._selectionZone.current.ignoreNextFocus(),this._async.setTimeout((function(){e.focus(t)}),0)},t.prototype._forceListUpdates=function(){this._groupedList.current&&this._groupedList.current.forceUpdate(),this._list.current&&this._list.current.forceUpdate()},t.prototype._notifyColumnsResized=function(){this.state.adjustedColumns.forEach((function(e){e.onColumnResize&&e.onColumnResize(e.currentWidth)}))},t.prototype._adjustColumns=function(e,t,o,n){var r=this._getAdjustedColumns(e,t,o,n),i=this.props.viewport,a=i&&i.width?i.width:0;return(0,l.pi)((0,l.pi)({},t),{adjustedColumns:r,lastWidth:a})},t.prototype._getAdjustedColumns=function(e,t,o,n){var r,i=this,a=e.items,s=e.layoutMode,l=e.selectionMode,c=e.viewport,u=c&&c.width?c.width:0,d=e.columns,p=this.props?this.props.columns:[],m=t?t.lastWidth:-1,h=t?t.lastSelectionMode:void 0;return o||m!==u||h!==l||p&&d!==p?(d=d||yr(a,!0),s===cn.fixedColumns?(r=this._getFixedColumns(d)).forEach((function(e){i._rememberCalculatedWidth(e,e.calculatedWidth)})):(r=void 0!==n?this._getJustifiedColumnsAfterResize(d,u,e,n):this._getJustifiedColumns(d,u,e,0)).forEach((function(e){i._getColumnOverride(e.key).currentWidth=e.calculatedWidth})),r):d||[]},t.prototype._getFixedColumns=function(e){var t=this;return e.map((function(e){var o=(0,l.pi)((0,l.pi)({},e),t._columnOverrides[e.key]);return o.calculatedWidth||(o.calculatedWidth=o.maxWidth||o.minWidth||fr),o}))},t.prototype._getJustifiedColumnsAfterResize=function(e,t,o,n){var r=this,i=e.slice(0,n);i.forEach((function(e){return e.calculatedWidth=r._getColumnOverride(e.key).currentWidth}));var a=i.reduce((function(e,t,n){return e+_r(t,0,o)}),0),s=e.slice(n),c=t-a;return(0,l.pr)(i,this._getJustifiedColumns(s,c,o,n))},t.prototype._getJustifiedColumns=function(e,t,o,n){for(var r=this,i=o.selectionMode,a=void 0===i?this._selection.mode:i,s=o.checkboxVisibility,c=a!==on.oW.none&&s!==un.hidden?48:0,u=36*this._getGroupNestingDepth(),d=0,p=t-(c+u),m=e.map((function(e,t){var n=(0,l.pi)((0,l.pi)((0,l.pi)({},e),{calculatedWidth:e.minWidth||fr}),r._columnOverrides[e.key]);return d+=_r(n,0,o),n})),h=m.length-1;h>0&&d>p;){var g=(y=m[h]).minWidth||fr,f=d-p;if(y.calculatedWidth-g>=f||!y.isCollapsible&&!y.isCollapsable){var v=y.calculatedWidth;y.calculatedWidth=Math.max(y.calculatedWidth-f,g),d-=v-y.calculatedWidth}else d-=_r(y,0,o),m.splice(h,1);h--}for(var b=0;b=(E||Er.eD.small)&&c.createElement(dt.m,(0,l.pi)({ref:H},ve),c.createElement(Dr.G,{role:M||!v?"dialog":"alertdialog","aria-modal":!M,ariaLabelledBy:k,ariaDescribedBy:I,onDismiss:_,shouldRestoreFocus:!f},c.createElement("div",{className:fe.root,role:M?void 0:"document"},!M&&c.createElement(Ir.a,(0,l.pi)({isDarkThemed:y,onClick:v?void 0:_,allowTouchBodyScroll:a},S)),R?c.createElement(Br,{handleSelector:R.dragHandleSelector||"#"+V,preventDragSelector:"button",onStart:Se,onDragChange:xe,onStop:ke,position:ne},we):we)))||null}));Or.displayName="Modal";var Wr=(0,I.z)(Or,(function(e){var t,o=e.className,n=e.containerClassName,r=e.scrollableContentClassName,i=e.isOpen,a=e.isVisible,s=e.hasBeenOpened,l=e.modalRectangleTop,c=e.theme,d=e.topOffsetFixed,p=e.isModeless,m=e.layerClassName,h=e.isDefaultDragHandle,g=e.windowInnerHeight,f=c.palette,v=c.effects,b=c.fonts,y=(0,u.Cn)(wr,c);return{root:[y.root,b.medium,{backgroundColor:"transparent",position:p?"absolute":"fixed",height:"100%",width:"100%",display:"flex",alignItems:"center",justifyContent:"center",opacity:0,pointerEvents:"none",transition:"opacity "+kr},d&&s&&{alignItems:"flex-start"},i&&y.isOpen,a&&{opacity:1,pointerEvents:"auto"},o],main:[y.main,{boxShadow:v.elevation64,borderRadius:v.roundedCorner2,backgroundColor:f.white,boxSizing:"border-box",position:"relative",textAlign:"left",outline:"3px solid transparent",maxHeight:"calc(100% - 32px)",maxWidth:"calc(100% - 32px)",minHeight:"176px",minWidth:"288px",overflowY:"auto",zIndex:p?u.bR.Layer:void 0},d&&s&&{top:l},h&&{cursor:"move"},n],scrollableContent:[y.scrollableContent,{overflowY:"auto",flexGrow:1,maxHeight:"100vh",selectors:(t={},t["@supports (-webkit-overflow-scrolling: touch)"]={maxHeight:g},t)},r],layer:p&&[m,y.layer,{position:"static",width:"unset",height:"unset"}],keyboardMoveIconContainer:{position:"absolute",display:"flex",justifyContent:"center",width:"100%",padding:"3px 0px"},keyboardMoveIcon:{fontSize:b.xLargePlus.fontSize,width:"24px"}}}),void 0,{scope:"Modal",fields:["theme","styles","enableAriaHiddenSiblings"]});Wr.displayName="Modal";var Vr=o(3129),Kr=(0,D.y)(),qr=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.className,o=e.styles,n=e.theme;return this._classNames=Kr(o,{theme:n,className:t}),c.createElement("div",{className:this._classNames.actions},c.createElement("div",{className:this._classNames.actionsRight},this._renderChildrenAsActions()))},t.prototype._renderChildrenAsActions=function(){var e=this;return c.Children.map(this.props.children,(function(t){return t?c.createElement("span",{className:e._classNames.action},t):null}))},t}(c.Component),Gr={actions:"ms-Dialog-actions",action:"ms-Dialog-action",actionsRight:"ms-Dialog-actionsRight"},Ur=(0,I.z)(qr,(function(e){var t=e.className,o=e.theme,n=(0,u.Cn)(Gr,o);return{actions:[n.actions,{position:"relative",width:"100%",minHeight:"24px",lineHeight:"24px",margin:"16px 0 0",fontSize:"0",selectors:{".ms-Button":{lineHeight:"normal"}}},t],action:[n.action,{margin:"0 4px"}],actionsRight:[n.actionsRight,{textAlign:"right",marginRight:"-4px",fontSize:"0"}]}}),void 0,{scope:"DialogFooter"}),jr=(0,D.y)(),Jr=c.createElement(Ur,null).type,Yr=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),(0,Vr.b)("DialogContent",t,{titleId:"titleProps.id"}),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e,t=this.props,o=t.showCloseButton,n=t.className,r=t.closeButtonAriaLabel,i=t.onDismiss,a=t.subTextId,s=t.subText,u=t.titleProps,d=void 0===u?{}:u,p=t.titleId,m=t.title,h=t.type,g=t.styles,f=t.theme,v=t.draggableHeaderClassName,b=jr(g,{theme:f,className:n,isLargeHeader:h===Cr.largeHeader,isClose:h===Cr.close,draggableHeaderClassName:v}),y=this._groupChildren();return s&&(e=c.createElement("p",{className:b.subText,id:a},s)),c.createElement("div",{className:b.content},c.createElement("div",{className:b.header},c.createElement("div",(0,l.pi)({id:p,role:"heading","aria-level":1},d,{className:(0,pt.i)(b.title,d.className)}),m),c.createElement("div",{className:b.topButton},this.props.topButtonsProps.map((function(e,t){return c.createElement(V.h,(0,l.pi)({key:e.uniqueId||t},e))})),(h===Cr.close||o&&h!==Cr.largeHeader)&&c.createElement(V.h,{className:b.button,iconProps:{iconName:"Cancel"},ariaLabel:r,onClick:i,title:r}))),c.createElement("div",{className:b.inner},c.createElement("div",{className:b.innerContent},e,y.contents),y.footers))},t.prototype._groupChildren=function(){var e={footers:[],contents:[]};return c.Children.map(this.props.children,(function(t){"object"==typeof t&&null!==t&&t.type===Jr?e.footers.push(t):e.contents.push(t)})),e},t.defaultProps={showCloseButton:!1,className:"",topButtonsProps:[],closeButtonAriaLabel:"Close"},(0,l.gn)([Er.Ae],t)}(c.Component),Zr={contentLgHeader:"ms-Dialog-lgHeader",close:"ms-Dialog--close",subText:"ms-Dialog-subText",header:"ms-Dialog-header",headerLg:"ms-Dialog--lgHeader",button:"ms-Dialog-button ms-Dialog-button--close",inner:"ms-Dialog-inner",content:"ms-Dialog-content",title:"ms-Dialog-title"},Xr=(0,I.z)(Yr,(function(e){var t,o,n,r=e.className,i=e.theme,a=e.isLargeHeader,s=e.isClose,l=e.hidden,c=e.isMultiline,d=e.draggableHeaderClassName,p=i.palette,m=i.fonts,h=i.effects,g=i.semanticColors,f=(0,u.Cn)(Zr,i);return{content:[a&&[f.contentLgHeader,{borderTop:"4px solid "+p.themePrimary}],s&&f.close,{flexGrow:1,overflowY:"hidden"},r],subText:[f.subText,m.medium,{margin:"0 0 24px 0",color:g.bodySubtext,lineHeight:"1.5",wordWrap:"break-word",fontWeight:u.lq.regular}],header:[f.header,{position:"relative",width:"100%",boxSizing:"border-box"},s&&f.close,d&&[d,{cursor:"move"}]],button:[f.button,l&&{selectors:{".ms-Icon.ms-Icon--Cancel":{color:g.buttonText,fontSize:u.ld.medium}}}],inner:[f.inner,{padding:"0 24px 24px",selectors:(t={},t["@media (min-width: "+u.QQ+"px) and (max-width: "+u.mV+"px)"]={padding:"0 16px 16px"},t)}],innerContent:[f.content,{position:"relative",width:"100%"}],title:[f.title,m.xLarge,{color:g.bodyText,margin:"0",minHeight:m.xLarge.fontSize,padding:"16px 46px 20px 24px",lineHeight:"normal",selectors:(o={},o["@media (min-width: "+u.QQ+"px) and (max-width: "+u.mV+"px)"]={padding:"16px 46px 16px 16px"},o)},a&&{color:g.menuHeader},c&&{fontSize:m.xxLarge.fontSize}],topButton:[{display:"flex",flexDirection:"row",flexWrap:"nowrap",position:"absolute",top:"0",right:"0",padding:"15px 15px 0 0",selectors:(n={"> *":{flex:"0 0 auto"},".ms-Dialog-button":{color:g.buttonText},".ms-Dialog-button:hover":{color:g.buttonTextHovered,borderRadius:h.roundedCorner2}},n["@media (min-width: "+u.QQ+"px) and (max-width: "+u.mV+"px)"]={padding:"15px 8px 0 0"},n)}]}}),void 0,{scope:"DialogContent"}),Qr=(0,D.y)(),$r={isDarkOverlay:!1,isBlocking:!1,className:"",containerClassName:"",topOffsetFixed:!1},ei={type:Cr.normal,className:"",topButtonsProps:[]},ti=function(e){function t(t){var o=e.call(this,t)||this;return o._getSubTextId=function(){var e=o.props,t=e.ariaDescribedById,n=e.modalProps,r=e.dialogContentProps,i=e.subText,a=n&&n.subtitleAriaId||t;return a||(a=(r&&r.subText||i)&&o._defaultSubTextId),a},o._getTitleTextId=function(){var e=o.props,t=e.ariaLabelledById,n=e.modalProps,r=e.dialogContentProps,i=e.title,a=n&&n.titleAriaId||t;return a||(a=(r&&r.title||i)&&o._defaultTitleTextId),a},o._id=(0,dn.z)("Dialog"),o._defaultTitleTextId=o._id+"-title",o._defaultSubTextId=o._id+"-subText",o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e,t,o,n,r=this.props,i=r.className,a=r.containerClassName,s=r.contentClassName,u=r.elementToFocusOnDismiss,d=r.firstFocusableSelector,p=r.forceFocusInsideTrap,m=r.styles,h=r.hidden,g=r.ignoreExternalFocusing,f=r.isBlocking,v=r.isClickableOutsideFocusTrap,b=r.isDarkOverlay,y=r.isOpen,_=r.onDismiss,C=r.onDismissed,S=r.onLayerDidMount,x=r.responsiveMode,k=r.subText,w=r.theme,I=r.title,D=r.topButtonsProps,T=r.type,E=r.minWidth,P=r.maxWidth,M=r.modalProps,R=(0,l.pi)({},M?M.layerProps:{onLayerDidMount:S});S&&!R.onLayerDidMount&&(R.onLayerDidMount=S),M&&M.dragOptions&&!M.dragOptions.dragHandleSelector?(o="ms-Dialog-draggable-header",n=(0,l.pi)((0,l.pi)({},M.dragOptions),{dragHandleSelector:"."+o})):n=M&&M.dragOptions;var N=(0,l.pi)((0,l.pi)((0,l.pi)((0,l.pi)({},$r),{className:i,containerClassName:a,isBlocking:f,isDarkOverlay:b,onDismissed:C}),M),{layerProps:R,dragOptions:n}),B=(0,l.pi)((0,l.pi)((0,l.pi)({className:s,subText:k,title:I,topButtonsProps:D,type:T},ei),this.props.dialogContentProps),{draggableHeaderClassName:o,titleProps:(0,l.pi)({id:(null===(e=this.props.dialogContentProps)||void 0===e?void 0:e.titleId)||this._defaultTitleTextId},null===(t=this.props.dialogContentProps)||void 0===t?void 0:t.titleProps)}),F=Qr(m,{theme:w,className:N.className,containerClassName:N.containerClassName,hidden:h,dialogDefaultMinWidth:E,dialogDefaultMaxWidth:P});return c.createElement(Wr,(0,l.pi)({elementToFocusOnDismiss:u,firstFocusableSelector:d,forceFocusInsideTrap:p,ignoreExternalFocusing:g,isClickableOutsideFocusTrap:v,onDismissed:N.onDismissed,responsiveMode:x},N,{isDarkOverlay:N.isDarkOverlay,isBlocking:N.isBlocking,isOpen:void 0!==y?y:!h,className:F.root,containerClassName:F.main,onDismiss:_||N.onDismiss,subtitleAriaId:this._getSubTextId(),titleAriaId:this._getTitleTextId()}),c.createElement(Xr,(0,l.pi)({subTextId:this._defaultSubTextId,title:B.title,subText:B.subText,showCloseButton:N.isBlocking,topButtonsProps:B.topButtonsProps,type:B.type,onDismiss:_||B.onDismiss,className:B.className},B),this.props.children))},t.defaultProps={hidden:!0},(0,l.gn)([Er.Ae],t)}(c.Component),oi={root:"ms-Dialog"},ni=(0,I.z)(ti,(function(e){var t,o=e.className,n=e.containerClassName,r=e.dialogDefaultMinWidth,i=void 0===r?"288px":r,a=e.dialogDefaultMaxWidth,s=void 0===a?"340px":a,l=e.hidden,c=e.theme;return{root:[(0,u.Cn)(oi,c).root,c.fonts.medium,o],main:[{width:i,outline:"3px solid transparent",selectors:(t={},t["@media (min-width: "+u.dd+"px)"]={width:"auto",maxWidth:s,minWidth:i},t)},!l&&{display:"flex"},n]}}),void 0,{scope:"Dialog"});ni.displayName="Dialog";var ri,ii=o(8386);!function(e){e[e.normal=0]="normal",e[e.compact=1]="compact"}(ri||(ri={}));var ai=(0,D.y)(),si=function(e){function t(t){var o=e.call(this,t)||this;return o._rootElement=c.createRef(),o._onClick=function(e){o._onAction(e)},o._onKeyDown=function(e){e.which!==rt.m.enter&&e.which!==rt.m.space||o._onAction(e)},o._onAction=function(e){var t=o.props,n=t.onClick,r=t.onClickHref,i=t.onClickTarget;n?n(e):!n&&r&&(i?window.open(r,i,"noreferrer noopener nofollow"):window.location.href=r,e.preventDefault(),e.stopPropagation())},(0,P.l)(o),(0,Vr.b)("DocumentCard",t,{accentColor:void 0}),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e,t=this.props,o=t.onClick,n=t.onClickHref,r=t.children,i=t.type,a=t.accentColor,s=t.styles,u=t.theme,d=t.className,p=(0,E.pq)(this.props,E.n7,["className","onClick","type","role"]),m=!(!o&&!n);this._classNames=ai(s,{theme:u,className:d,actionable:m,compact:i===ri.compact}),i===ri.compact&&a&&(e={borderBottomColor:a});var h=this.props.role||(m?o?"button":"link":void 0),g=m?0:void 0;return c.createElement("div",(0,l.pi)({ref:this._rootElement,tabIndex:g,"data-is-focusable":m,role:h,className:this._classNames.root,onKeyDown:m?this._onKeyDown:void 0,onClick:m?this._onClick:void 0,style:e},p),r)},t.prototype.focus=function(){this._rootElement.current&&this._rootElement.current.focus()},t.defaultProps={type:ri.normal},t}(c.Component),li={root:"ms-DocumentCardPreview",icon:"ms-DocumentCardPreview-icon",iconContainer:"ms-DocumentCardPreview-iconContainer"},ci={root:"ms-DocumentCardActivity",multiplePeople:"ms-DocumentCardActivity--multiplePeople",details:"ms-DocumentCardActivity-details",name:"ms-DocumentCardActivity-name",activity:"ms-DocumentCardActivity-activity",avatars:"ms-DocumentCardActivity-avatars",avatar:"ms-DocumentCardActivity-avatar"},ui={root:"ms-DocumentCardTitle"},di={root:"ms-DocumentCardLocation"},pi={root:"ms-DocumentCard",rootActionable:"ms-DocumentCard--actionable",rootCompact:"ms-DocumentCard--compact"},mi=(0,I.z)(si,(function(e){var t,o,n=e.className,r=e.theme,i=e.actionable,a=e.compact,s=r.palette,l=r.fonts,c=r.effects,d=(0,u.Cn)(pi,r);return{root:[d.root,{WebkitFontSmoothing:"antialiased",backgroundColor:s.white,border:"1px solid "+s.neutralLight,maxWidth:"320px",minWidth:"206px",userSelect:"none",position:"relative",selectors:(t={":focus":{outline:"0px solid"}},t["."+de.G$+" &:focus"]=(0,u.$Y)(s.neutralSecondary,c.roundedCorner2),t["."+di.root+" + ."+ui.root]={paddingTop:"4px"},t)},i&&[d.rootActionable,{selectors:{":hover":{cursor:"pointer",borderColor:s.neutralTertiaryAlt},":hover:after":{content:'" "',position:"absolute",top:0,right:0,bottom:0,left:0,border:"1px solid "+s.neutralTertiaryAlt,pointerEvents:"none"}}}],a&&[d.rootCompact,{display:"flex",maxWidth:"480px",height:"108px",selectors:(o={},o["."+li.root]={borderRight:"1px solid "+s.neutralLight,borderBottom:0,maxHeight:"106px",maxWidth:"144px"},o["."+li.icon]={maxHeight:"32px",maxWidth:"32px"},o["."+ci.root]={paddingBottom:"12px"},o["."+ui.root]={paddingBottom:"12px 16px 8px 16px",fontSize:l.mediumPlus.fontSize,lineHeight:"16px"},o)}],n]}}),void 0,{scope:"DocumentCard"}),hi=(0,D.y)(),gi=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this,t=this.props,o=t.actions,n=t.views,r=t.styles,i=t.theme,a=t.className;return this._classNames=hi(r,{theme:i,className:a}),c.createElement("div",{className:this._classNames.root},o&&o.map((function(t,o){return c.createElement("div",{className:e._classNames.action,key:o},c.createElement(V.h,(0,l.pi)({},t)))})),n>0&&c.createElement("div",{className:this._classNames.views},c.createElement(W.J,{iconName:"View",className:this._classNames.viewsIcon}),n))},t}(c.Component),fi={root:"ms-DocumentCardActions",action:"ms-DocumentCardActions-action",views:"ms-DocumentCardActions-views"},vi=(0,I.z)(gi,(function(e){var t=e.className,o=e.theme,n=o.palette,r=o.fonts,i=(0,u.Cn)(fi,o);return{root:[i.root,{height:"34px",padding:"4px 12px",position:"relative"},t],action:[i.action,{float:"left",marginRight:"4px",color:n.neutralSecondary,cursor:"pointer",selectors:{".ms-Button":{fontSize:r.mediumPlus.fontSize,height:34,width:34},".ms-Button:hover .ms-Button-icon":{color:o.semanticColors.buttonText,cursor:"pointer"}}}],views:[i.views,{textAlign:"right",lineHeight:34}],viewsIcon:{marginRight:"8px",fontSize:r.medium.fontSize,verticalAlign:"top"}}}),void 0,{scope:"DocumentCardActions"}),bi=(0,D.y)(),yi=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.activity,o=e.people,n=e.styles,r=e.theme,i=e.className;return this._classNames=bi(n,{theme:r,className:i,multiplePeople:o.length>1}),o&&0!==o.length?c.createElement("div",{className:this._classNames.root},this._renderAvatars(o),c.createElement("div",{className:this._classNames.details},c.createElement("span",{className:this._classNames.name},this._getNameString(o)),c.createElement("span",{className:this._classNames.activity},t))):null},t.prototype._renderAvatars=function(e){return c.createElement("div",{className:this._classNames.avatars},e.length>1?this._renderAvatar(e[1]):null,this._renderAvatar(e[0]))},t.prototype._renderAvatar=function(e){return c.createElement("div",{className:this._classNames.avatar},c.createElement(_.t,{imageInitials:e.initials,text:e.name,imageUrl:e.profileImageSrc,initialsColor:e.initialsColor,allowPhoneInitials:e.allowPhoneInitials,role:"presentation",size:C.Ir.size32}))},t.prototype._getNameString=function(e){var t=e[0].name;return e.length>=2&&(t+=" +"+(e.length-1)),t},t}(c.Component),_i=(0,I.z)(yi,(function(e){var t=e.theme,o=e.className,n=e.multiplePeople,r=t.palette,i=t.fonts,a=(0,u.Cn)(ci,t);return{root:[a.root,n&&a.multiplePeople,{padding:"8px 16px",position:"relative"},o],avatars:[a.avatars,{marginLeft:"-2px",height:"32px"}],avatar:[a.avatar,{display:"inline-block",verticalAlign:"top",position:"relative",textAlign:"center",width:32,height:32,selectors:{"&:after":{content:'" "',position:"absolute",left:"-1px",top:"-1px",right:"-1px",bottom:"-1px",border:"2px solid "+r.white,borderRadius:"50%"},":nth-of-type(2)":n&&{marginLeft:"-16px"}}}],details:[a.details,{left:n?"72px":"56px",height:32,position:"absolute",top:8,width:"calc(100% - 72px)"}],name:[a.name,{display:"block",fontSize:i.small.fontSize,lineHeight:"15px",height:"15px",overflow:"hidden",textOverflow:"ellipsis",whiteSpace:"nowrap",color:r.neutralPrimary,fontWeight:u.lq.semibold}],activity:[a.activity,{display:"block",fontSize:i.small.fontSize,lineHeight:"15px",height:"15px",overflow:"hidden",textOverflow:"ellipsis",whiteSpace:"nowrap",color:r.neutralSecondary}]}}),void 0,{scope:"DocumentCardActivity"}),Ci=(0,D.y)(),Si=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.children,o=e.styles,n=e.theme,r=e.className;return this._classNames=Ci(o,{theme:n,className:r}),c.createElement("div",{className:this._classNames.root},t)},t}(c.Component),xi={root:"ms-DocumentCardDetails"},ki=(0,I.z)(Si,(function(e){var t=e.className,o=e.theme;return{root:[(0,u.Cn)(xi,o).root,{display:"flex",flexDirection:"column",flex:1,justifyContent:"space-between",overflow:"hidden"},t]}}),void 0,{scope:"DocumentCardDetails"}),wi=(0,D.y)(),Ii=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.location,o=e.locationHref,n=e.ariaLabel,r=e.onClick,i=e.styles,a=e.theme,s=e.className;return this._classNames=wi(i,{theme:a,className:s}),c.createElement("a",{className:this._classNames.root,href:o,onClick:r,"aria-label":n},t)},t}(c.Component),Di=(0,I.z)(Ii,(function(e){var t=e.theme,o=e.className,n=t.palette,r=t.fonts;return{root:[(0,u.Cn)(di,t).root,r.small,{color:n.themePrimary,display:"block",fontWeight:u.lq.semibold,overflow:"hidden",padding:"8px 16px",position:"relative",textDecoration:"none",textOverflow:"ellipsis",whiteSpace:"nowrap",selectors:{":hover":{color:n.themePrimary,cursor:"pointer"}}},o]}}),void 0,{scope:"DocumentCardLocation"}),Ti=o(4861),Ei=(0,D.y)(),Pi=function(e){function t(t){var o=e.call(this,t)||this;return o._renderPreviewList=function(e){var t=o.props,n=t.getOverflowDocumentCountText,r=t.maxDisplayCount,i=void 0===r?3:r,a=e.length-i,s=a?n?n(a):"+"+a:null,u=e.slice(0,i).map((function(e,t){return c.createElement("li",{key:t},c.createElement(Ti.E,{className:o._classNames.fileListIcon,src:e.iconSrc,role:"presentation",alt:"",width:"16px",height:"16px"}),c.createElement(O,(0,l.pi)({className:o._classNames.fileListLink},(e.linkProps,{href:e.linkProps&&e.linkProps.href||e.url})),e.name))}));return c.createElement("div",null,c.createElement("ul",{className:o._classNames.fileList},u),s&&c.createElement("span",{className:o._classNames.fileListOverflowText},s))},(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e,t,o=this.props,n=o.previewImages,r=o.styles,i=o.theme,a=o.className,s=n.length>1;return this._classNames=Ei(r,{theme:i,className:a,isFileList:s}),n.length>1?t=this._renderPreviewList(n):1===n.length&&(t=this._renderPreviewImage(n[0]),n[0].accentColor&&(e={borderBottomColor:n[0].accentColor})),c.createElement("div",{className:this._classNames.root,style:e},t)},t.prototype._renderPreviewImage=function(e){var t=e.width,o=e.height,n=e.imageFit,r=e.previewIconProps,i=e.previewIconContainerClass;if(r)return c.createElement("div",{className:(0,pt.i)(this._classNames.previewIcon,i),style:{width:t,height:o}},c.createElement(W.J,(0,l.pi)({},r)));var a,s=c.createElement(Ti.E,{width:t,height:o,imageFit:n,src:e.previewImageSrc,role:"presentation",alt:""});return e.iconSrc&&(a=c.createElement(Ti.E,{className:this._classNames.icon,src:e.iconSrc,role:"presentation",alt:""})),c.createElement("div",null,s,a)},t}(c.Component),Mi=(0,I.z)(Pi,(function(e){var t,o,n=e.theme,r=e.className,i=e.isFileList,a=n.palette,s=n.fonts,l=(0,u.Cn)(li,n);return{root:[l.root,s.small,{backgroundColor:i?a.white:a.neutralLighterAlt,borderBottom:"1px solid "+a.neutralLight,overflow:"hidden",position:"relative"},r],previewIcon:[l.iconContainer,{display:"flex",alignItems:"center",justifyContent:"center",height:"100%"}],icon:[l.icon,{left:"10px",bottom:"10px",position:"absolute"}],fileList:{padding:"16px 16px 0 16px",listStyleType:"none",margin:0,selectors:{li:{height:"16px",lineHeight:"16px",marginBottom:"8px",overflow:"hidden"}}},fileListIcon:{display:"inline-block",marginRight:"8px"},fileListLink:[(0,u.GL)(n,{highContrastStyle:{border:"1px solid WindowText",outline:"none"}}),{boxSizing:"border-box",color:a.neutralDark,overflow:"hidden",display:"inline-block",textDecoration:"none",textOverflow:"ellipsis",whiteSpace:"nowrap",width:"calc(100% - 24px)",selectors:(t={":hover":{color:a.themePrimary}},t["."+de.G$+" &:focus"]={selectors:(o={},o[u.qJ]={outline:"none"},o)},t)}],fileListOverflowText:{padding:"0px 16px 8px 16px",display:"block"}}}),void 0,{scope:"DocumentCardPreview"}),Ri=(0,D.y)(),Ni=function(e){function t(t){var o=e.call(this,t)||this;return o._onImageLoad=function(){o.setState({imageHasLoaded:!0})},(0,P.l)(o),o.state={imageHasLoaded:!1},o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.width,n=e.height,r=e.imageFit,i=e.imageSrc;return this._classNames=Ri(t,this.props),c.createElement("div",{className:this._classNames.root},i&&c.createElement(Ti.E,{width:o,height:n,imageFit:r,src:i,role:"presentation",alt:"",onLoad:this._onImageLoad}),this.state.imageHasLoaded?this._renderCornerIcon():this._renderCenterIcon())},t.prototype._renderCenterIcon=function(){var e=this.props.iconProps;return c.createElement("div",{className:this._classNames.centeredIconWrapper},c.createElement(W.J,(0,l.pi)({className:this._classNames.centeredIcon},e)))},t.prototype._renderCornerIcon=function(){var e=this.props.iconProps;return c.createElement(W.J,(0,l.pi)({className:this._classNames.cornerIcon},e))},t}(c.Component),Bi="42px",Fi="32px",Li=(0,I.z)(Ni,(function(e){var t=e.theme,o=e.className,n=e.height,r=e.width,i=t.palette;return{root:[{borderBottom:"1px solid "+i.neutralLight,position:"relative",backgroundColor:i.neutralLighterAlt,overflow:"hidden",height:n&&n+"px",width:r&&r+"px"},o],centeredIcon:[{height:Bi,width:Bi,fontSize:Bi}],centeredIconWrapper:[{display:"flex",alignItems:"center",justifyContent:"center",height:"100%",width:"100%",position:"absolute",top:0,left:0}],cornerIcon:[{left:"10px",bottom:"10px",height:Fi,width:Fi,fontSize:Fi,position:"absolute",overflow:"visible"}]}}),void 0,{scope:"DocumentCardImage"}),Ai=(0,D.y)(),zi=function(e){function t(t){var o=e.call(this,t)||this;return o._titleElement=c.createRef(),o._measureTitleElement=c.createRef(),o._truncateTitle=function(){o.state.needMeasurement&&o._async.requestAnimationFrame(o._truncateWhenInAnimation)},o._truncateWhenInAnimation=function(){var e=o.props.title,t=o._measureTitleElement.current;if(t){var n=getComputedStyle(t);if(n.width&&n.lineHeight&&n.height){var r=t.clientWidth,i=t.scrollWidth,a=Math.floor((parseInt(n.height,10)+5)/parseInt(n.lineHeight,10)),s=i/(parseInt(n.width,10)*a);if(s>1){var l=e.length/s-3;return o.setState({truncatedTitleFirstPiece:e.slice(0,l/2),truncatedTitleSecondPiece:e.slice(e.length-l/2),clientWidth:r,needMeasurement:!1})}}}return o.setState({needMeasurement:!1})},o._shrinkTitle=function(){var e=o.state,t=e.truncatedTitleFirstPiece,n=e.truncatedTitleSecondPiece;if(t&&n){var r=o._titleElement.current;if(!r)return;(r.scrollHeight>r.clientHeight+5||r.scrollWidth>r.clientWidth)&&o.setState({truncatedTitleFirstPiece:t.slice(0,t.length-1),truncatedTitleSecondPiece:n.slice(1)})}},(0,P.l)(o),o._async=new bo.e(o),o._events=new at.r(o),o.state={truncatedTitleFirstPiece:"",truncatedTitleSecondPiece:"",previousTitle:t.title,needMeasurement:!!t.shouldTruncate},o}return(0,l.ZT)(t,e),t.prototype.componentDidUpdate=function(){this.props.title!==this.state.previousTitle&&this.setState({truncatedTitleFirstPiece:void 0,truncatedTitleSecondPiece:void 0,clientWidth:void 0,previousTitle:this.props.title,needMeasurement:!!this.props.shouldTruncate}),this._events.off(window,"resize",this._updateTruncation),this.props.shouldTruncate&&(this._truncateTitle(),requestAnimationFrame(this._shrinkTitle),this._events.on(window,"resize",this._updateTruncation))},t.prototype.componentDidMount=function(){this.props.shouldTruncate&&(this._truncateTitle(),this._events.on(window,"resize",this._updateTruncation))},t.prototype.componentWillUnmount=function(){this._events.dispose(),this._async.dispose()},t.prototype.render=function(){var e=this.props,t=e.title,o=e.shouldTruncate,n=e.showAsSecondaryTitle,r=e.styles,i=e.theme,a=e.className,s=this.state,l=s.truncatedTitleFirstPiece,u=s.truncatedTitleSecondPiece,d=s.needMeasurement;return this._classNames=Ai(r,{theme:i,className:a,showAsSecondaryTitle:n}),d?c.createElement("div",{className:this._classNames.root,ref:this._measureTitleElement,title:t,style:{whiteSpace:"nowrap"}},t):o&&l&&u?c.createElement("div",{className:this._classNames.root,ref:this._titleElement,title:t},l,"…",u):c.createElement("div",{className:this._classNames.root,ref:this._titleElement,title:t},t)},t.prototype._updateTruncation=function(){var e=this;this._async.requestAnimationFrame((function(){if(e._titleElement.current){var t=e._titleElement.current.clientWidth;clearTimeout(e._titleTruncationTimer),e.state.clientWidth!==t&&(e._titleTruncationTimer=e._async.setTimeout((function(){return e.setState({truncatedTitleFirstPiece:void 0,truncatedTitleSecondPiece:void 0,needMeasurement:!0})}),250))}}))},t}(c.Component),Hi=(0,I.z)(zi,(function(e){var t=e.theme,o=e.className,n=e.showAsSecondaryTitle,r=t.palette,i=t.fonts;return{root:[(0,u.Cn)(ui,t).root,n?i.medium:i.large,{padding:"8px 16px",display:"block",overflow:"hidden",wordWrap:"break-word",height:n?"45px":"38px",lineHeight:n?"18px":"21px",color:n?r.neutralSecondary:r.neutralPrimary},o]}}),void 0,{scope:"DocumentCardTitle"}),Oi=(0,D.y)(),Wi=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.logoIcon,o=e.styles,n=e.theme,r=e.className;return this._classNames=Oi(o,{theme:n,className:r}),c.createElement("div",{className:this._classNames.root},c.createElement(W.J,{iconName:t}))},t}(c.Component),Vi={root:"ms-DocumentCardLogo"},Ki=(0,I.z)(Wi,(function(e){var t=e.theme,o=e.className,n=t.palette,r=t.fonts;return{root:[(0,u.Cn)(Vi,t).root,{fontSize:r.xxLargePlus.fontSize,color:n.themePrimary,display:"block",padding:"16px 16px 0 16px"},o]}}),void 0,{scope:"DocumentCardLogo"}),qi=(0,D.y)(),Gi=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.statusIcon,o=e.status,n=e.styles,r=e.theme,i=e.className,a={iconName:t,styles:{root:{padding:"8px"}}};return this._classNames=qi(n,{theme:r,className:i}),c.createElement("div",{className:this._classNames.root},t&&c.createElement(W.J,(0,l.pi)({},a)),o)},t}(c.Component),Ui={root:"ms-DocumentCardStatus"},ji=(0,I.z)(Gi,(function(e){var t=e.className,o=e.theme,n=o.palette,r=o.fonts;return{root:[(0,u.Cn)(Ui,o).root,r.medium,{margin:"8px 16px",color:n.neutralPrimary,backgroundColor:n.neutralLighter,height:"32px"},t]}}),void 0,{scope:"DocumentCardStatus"}),Ji=o(4004),Yi=o(8982),Zi=o(2703),Xi=o(4976);(0,Xi.RM)([{rawString:".pickerText_43ffcad1{display:-webkit-box;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;-webkit-box-align:center;-ms-flex-align:center;align-items:center;-webkit-box-sizing:border-box;box-sizing:border-box;border:1px solid "},{theme:"neutralTertiary",defaultValue:"#a19f9d"},{rawString:";min-width:180px;padding:1px;min-height:32px}.pickerText_43ffcad1:hover{border-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:"}.pickerInput_43ffcad1{height:34px;border:none;-webkit-box-flex:1;-ms-flex-positive:1;flex-grow:1;outline:0;padding:0 6px 0;margin:1px}.pickerInput_43ffcad1::-ms-clear{display:none}"}]);var Qi="pickerText_43ffcad1",$i="pickerInput_43ffcad1",ea=n,ta=function(e){function t(t){var o=e.call(this,t)||this;return o.floatingPicker=c.createRef(),o.selectedItemsList=c.createRef(),o.root=c.createRef(),o.input=c.createRef(),o.onSelectionChange=function(){o.forceUpdate()},o.onInputChange=function(e,t){t||(o.setState({queryString:e}),o.floatingPicker.current&&o.floatingPicker.current.onQueryStringChanged(e))},o.onInputFocus=function(e){o.selectedItemsList.current&&o.selectedItemsList.current.unselectAll(),o.props.inputProps&&o.props.inputProps.onFocus&&o.props.inputProps.onFocus(e)},o.onInputClick=function(e){if(o.selectedItemsList.current&&o.selectedItemsList.current.unselectAll(),o.floatingPicker.current&&o.inputElement){var t=""===o.inputElement.value||o.inputElement.value!==o.floatingPicker.current.inputText;o.floatingPicker.current.showPicker(t)}},o.onBackspace=function(e){e.which===rt.m.backspace&&o.selectedItemsList.current&&o.items.length&&(o.input.current&&!o.input.current.isValueSelected&&o.input.current.inputElement===document.activeElement&&0===o.input.current.cursorLocation?(o.floatingPicker.current&&o.floatingPicker.current.hidePicker(),e.preventDefault(),o.selectedItemsList.current.removeItemAt(o.items.length-1),o._onSelectedItemsChanged()):o.selectedItemsList.current.hasSelectedItems()&&(o.floatingPicker.current&&o.floatingPicker.current.hidePicker(),e.preventDefault(),o.selectedItemsList.current.removeSelectedItems(),o._onSelectedItemsChanged()))},o.onCopy=function(e){o.selectedItemsList.current&&o.selectedItemsList.current.onCopy(e)},o.onPaste=function(e){if(o.props.onPaste){var t=e.clipboardData.getData("Text");e.preventDefault(),o.props.onPaste(t)}},o._onSuggestionSelected=function(e){var t=o.props.currentRenderedQueryString,n=o.state.queryString;if(void 0===t||t===n){var r=o.props.onItemSelected?o.props.onItemSelected(e):e;if(null===r)return;var i,a=r,s=r;s&&s.then?s.then((function(e){i=e,o._addProcessedItem(i)})):(i=a,o._addProcessedItem(i))}},o._onSelectedItemsChanged=function(){o.focus()},o._onSuggestionsShownOrHidden=function(){o.forceUpdate()},(0,P.l)(o),o.selection=new nn.Y({onSelectionChanged:function(){return o.onSelectionChange()}}),o.state={queryString:""},o}return(0,l.ZT)(t,e),Object.defineProperty(t.prototype,"items",{get:function(){var e,t,o,n;return null!=(n=null!=(o=null!=(e=this.props.selectedItems)?e:null===(t=this.selectedItemsList.current)||void 0===t?void 0:t.items)?o:this.props.defaultSelectedItems)?n:null},enumerable:!0,configurable:!0}),t.prototype.componentDidMount=function(){this.forceUpdate()},t.prototype.focus=function(){this.input.current&&this.input.current.focus()},t.prototype.clearInput=function(){this.input.current&&this.input.current.clear()},Object.defineProperty(t.prototype,"inputElement",{get:function(){return this.input.current&&this.input.current.inputElement},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"highlightedItems",{get:function(){return this.selectedItemsList.current?this.selectedItemsList.current.highlightedItems():[]},enumerable:!0,configurable:!0}),t.prototype.render=function(){var e=this.props,t=e.className,o=e.inputProps,n=e.disabled,r=e.focusZoneProps,i=this.floatingPicker.current&&-1!==this.floatingPicker.current.currentSelectedSuggestionIndex?"sug-"+this.floatingPicker.current.currentSelectedSuggestionIndex:void 0,a=!!this.floatingPicker.current&&this.floatingPicker.current.isSuggestionsShown;return c.createElement("div",{ref:this.root,className:(0,pt.i)("ms-BasePicker ms-BaseExtendedPicker",t||""),onKeyDown:this.onBackspace,onCopy:this.onCopy},c.createElement(M.k,(0,l.pi)({direction:R.U.bidirectional},r),c.createElement(rn.i,{selection:this.selection,selectionMode:on.oW.multiple},c.createElement("div",{className:(0,pt.i)("ms-BasePicker-text",ea.pickerText),role:"list"},this.props.headerComponent,this.renderSelectedItemsList(),this.canAddItems()&&c.createElement(x.G,(0,l.pi)({},o,{className:(0,pt.i)("ms-BasePicker-input",ea.pickerInput),ref:this.input,onFocus:this.onInputFocus,onClick:this.onInputClick,onInputValueChange:this.onInputChange,"aria-activedescendant":i,"aria-owns":a?"suggestion-list":void 0,"aria-expanded":a,"aria-haspopup":"true",role:"combobox",disabled:n,onPaste:this.onPaste}))))),this.renderFloatingPicker())},Object.defineProperty(t.prototype,"floatingPickerProps",{get:function(){return this.props.floatingPickerProps},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"selectedItemsListProps",{get:function(){return this.props.selectedItemsListProps},enumerable:!0,configurable:!0}),t.prototype.canAddItems=function(){var e=this.props.itemLimit;return void 0===e||this.items.length0,p=d?r:r.slice(0,u),m=(d?i:r.slice(u))||[];return c.createElement("div",{className:l.root},this.onRenderAriaDescription(),c.createElement("div",{className:l.itemContainer},a?this._getAddNewElement():null,c.createElement("ul",{className:l.members,"aria-label":s},this._onRenderVisiblePersonas(p,0===m.length&&1===r.length)),e?this._getOverflowElement(m):null))},t.prototype.onRenderAriaDescription=function(){var e=this.props.ariaDescription,t=this._classNames;return e&&c.createElement("span",{className:t.screenReaderOnly,id:this._ariaDescriptionId},e)},t.prototype._onRenderVisiblePersonas=function(e,t){var o=this,n=this.props,r=n.onRenderPersona,i=void 0===r?this._getPersonaControl:r,a=n.onRenderPersonaCoin,s=void 0===a?this._getPersonaCoinControl:a;return e.map((function(e,n){var r=t?i(e,o._getPersonaControl):s(e,o._getPersonaCoinControl);return c.createElement("li",{key:(t?"persona":"personaCoin")+"-"+n,className:o._classNames.member},e.onClick?o._getElementWithOnClickEvent(r,e,n):o._getElementWithoutOnClickEvent(r,e,n))}))},t.prototype._getElementWithOnClickEvent=function(e,t,o){var n=t.keytipProps;return c.createElement(ca,(0,l.pi)({},(0,E.pq)(t,E.Yq),this._getElementProps(t,o),{keytipProps:n,onClick:this._onPersonaClick.bind(this,t)}),e)},t.prototype._getElementWithoutOnClickEvent=function(e,t,o){return c.createElement("div",(0,l.pi)({},(0,E.pq)(t,E.Yq),this._getElementProps(t,o)),e)},t.prototype._getElementProps=function(e,t){var o=this._classNames;return{key:(e.imageUrl?"i":"")+t,"data-is-focusable":!0,className:o.itemButton,title:e.personaName,onMouseMove:this._onPersonaMouseMove.bind(this,e),onMouseOut:this._onPersonaMouseOut.bind(this,e)}},t.prototype._getOverflowElement=function(e){switch(this.props.overflowButtonType){case oa.descriptive:return this._getDescriptiveOverflowElement(e);case oa.downArrow:return this._getIconElement("ChevronDown");case oa.more:return this._getIconElement("More");default:return null}},t.prototype._getDescriptiveOverflowElement=function(e){var t=this.props.personaSize;if(!e||e.length<1)return null;var o=e.map((function(e){return e.personaName})).join(", "),n=(0,l.pi)({title:o},this.props.overflowButtonProps),r=Math.max(e.length,0),i=this._classNames;return c.createElement(ca,(0,l.pi)({},n,{ariaDescription:n.title,className:i.descriptiveOverflowButton}),c.createElement(_.t,{size:t,onRenderInitials:this._renderInitialsNotPictured(r),initialsColor:C.z5.transparent}))},t.prototype._getIconElement=function(e){var t=this.props,o=t.overflowButtonProps,n=t.personaSize,r=this._classNames;return c.createElement(ca,(0,l.pi)({},o,{className:r.overflowButton}),c.createElement(_.t,{size:n,onRenderInitials:this._renderInitials(e,!0),initialsColor:C.z5.transparent}))},t.prototype._getAddNewElement=function(){var e=this.props,t=e.addButtonProps,o=e.personaSize,n=this._classNames;return c.createElement(ca,(0,l.pi)({},t,{className:n.addButton}),c.createElement(_.t,{size:o,onRenderInitials:this._renderInitials("AddFriend")}))},t.prototype._onPersonaClick=function(e,t){e.onClick(t,e),t.preventDefault(),t.stopPropagation()},t.prototype._onPersonaMouseMove=function(e,t){e.onMouseMove&&e.onMouseMove(t,e)},t.prototype._onPersonaMouseOut=function(e,t){e.onMouseOut&&e.onMouseOut(t,e)},t.prototype._renderInitials=function(e,t){var o=this._classNames;return function(){return c.createElement(W.J,{iconName:e,className:t?o.overflowInitialsIcon:""})}},t.prototype._renderInitialsNotPictured=function(e){var t=this._classNames;return function(){return c.createElement("span",{className:t.overflowInitialsIcon},e<100?"+"+e:"99+")}},t.defaultProps={maxDisplayablePersonas:5,personas:[],overflowPersonas:[],personaSize:C.Ir.size32},t}(c.Component),ma={root:"ms-Facepile",addButton:"ms-Facepile-addButton ms-Facepile-itemButton",descriptiveOverflowButton:"ms-Facepile-descriptiveOverflowButton ms-Facepile-itemButton",itemButton:"ms-Facepile-itemButton ms-Facepile-person",itemContainer:"ms-Facepile-itemContainer",members:"ms-Facepile-members",member:"ms-Facepile-member",overflowButton:"ms-Facepile-overflowButton ms-Facepile-itemButton"},ha=(0,I.z)(pa,(function(e){var t,o=e.className,n=e.theme,r=e.spacingAroundItemButton,i=void 0===r?2:r,a=n.palette,s=n.fonts,l=(0,u.Cn)(ma,n),c={textAlign:"center",padding:0,borderRadius:"50%",verticalAlign:"top",display:"inline",backgroundColor:"transparent",border:"none",selectors:{"&::-moz-focus-inner":{padding:0,border:0}}};return{root:[l.root,n.fonts.medium,{width:"auto"},o],addButton:[l.addButton,(0,u.GL)(n,{inset:-1}),c,{fontSize:s.medium.fontSize,color:a.white,backgroundColor:a.themePrimary,marginRight:2*i+"px",selectors:{"&:hover":{backgroundColor:a.themeDark},"&:focus":{backgroundColor:a.themeDark},"&:active":{backgroundColor:a.themeDarker},"&:disabled":{backgroundColor:a.neutralTertiaryAlt}}}],descriptiveOverflowButton:[l.descriptiveOverflowButton,(0,u.GL)(n,{inset:-1}),c,{fontSize:s.small.fontSize,color:a.neutralSecondary,backgroundColor:a.neutralLighter,marginLeft:2*i+"px"}],itemButton:[l.itemButton,c],itemContainer:[l.itemContainer,{display:"flex"}],members:[l.members,{display:"flex",overflow:"hidden",listStyleType:"none",padding:0,margin:"-"+i+"px"}],member:[l.member,{display:"inline-flex",flex:"0 0 auto",margin:i+"px"}],overflowButton:[l.overflowButton,(0,u.GL)(n,{inset:-1}),c,{fontSize:s.medium.fontSize,color:a.neutralSecondary,backgroundColor:a.neutralLighter,marginLeft:2*i+"px"}],overflowInitialsIcon:[{color:a.neutralPrimary,selectors:(t={},t[u.qJ]={color:"WindowText"},t)}],screenReaderOnly:u.ul}}),void 0,{scope:"Facepile"});(0,Xi.RM)([{rawString:".callout_467cd672 .ms-Suggestions-itemButton{padding:0;border:none}.callout_467cd672 .ms-Suggestions{min-width:300px}"}]);var ga="callout_467cd672",fa=o(7420);(0,Xi.RM)([{rawString:".suggestionsContainer_98495a3a{overflow-y:auto;overflow-x:hidden;max-height:300px}.suggestionsContainer_98495a3a .ms-Suggestion-item:hover{background-color:"},{theme:"neutralLighter",defaultValue:"#f3f2f1"},{rawString:";cursor:pointer}.suggestionsContainer_98495a3a .is-suggested{background-color:"},{theme:"themeLighter",defaultValue:"#deecf9"},{rawString:"}.suggestionsContainer_98495a3a .is-suggested:hover{background-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:";cursor:pointer}"}]);var va="suggestionsContainer_98495a3a",ba=i,ya=function(e){function t(t){var o=e.call(this,t)||this;return o._selectedElement=c.createRef(),o.SuggestionsItemOfProperType=fa.S,o._onClickTypedSuggestionsItem=function(e,t){return function(n){o.props.onSuggestionClick(n,e,t)}},o._onRemoveTypedSuggestionsItem=function(e,t){return function(n){(0,o.props.onSuggestionRemove)(n,e,t),n.stopPropagation()}},(0,P.l)(o),o.currentIndex=-1,o}return(0,l.ZT)(t,e),t.prototype.nextSuggestion=function(){var e=this.props.suggestions;if(e&&e.length>0){if(-1===this.currentIndex)return this.setSelectedSuggestion(0),!0;if(this.currentIndex0){if(-1===this.currentIndex)return this.setSelectedSuggestion(e.length-1),!0;if(this.currentIndex>0)return this.setSelectedSuggestion(this.currentIndex-1),!0;if(this.props.shouldLoopSelection&&0===this.currentIndex)return this.setSelectedSuggestion(e.length-1),!0}return!1},Object.defineProperty(t.prototype,"selectedElement",{get:function(){return this._selectedElement.current||void 0},enumerable:!0,configurable:!0}),t.prototype.getCurrentItem=function(){return this.props.suggestions[this.currentIndex]},t.prototype.getSuggestionAtIndex=function(e){return this.props.suggestions[e]},t.prototype.hasSuggestionSelected=function(){return-1!==this.currentIndex&&this.currentIndex-1&&this.props.suggestions[this.currentIndex]&&(this.props.suggestions[this.currentIndex].selected=!1,this.currentIndex=-1,this.forceUpdate())},t.prototype.setSelectedSuggestion=function(e){var t=this.props.suggestions;e>t.length-1||e<0?(this.currentIndex=0,this.currentSuggestion.selected=!1,this.currentSuggestion=t[0],this.currentSuggestion.selected=!0):(this.currentIndex>-1&&t[this.currentIndex]&&(t[this.currentIndex].selected=!1),t[e].selected=!0,this.currentIndex=e,this.currentSuggestion=t[e]),this.forceUpdate()},t.prototype.componentDidUpdate=function(){this.scrollSelected()},t.prototype.render=function(){var e=this,t=this.props,o=t.onRenderSuggestion,n=t.suggestionsItemClassName,r=t.resultsMaximumNumber,i=t.showRemoveButtons,a=t.suggestionsContainerAriaLabel,s=this.SuggestionsItemOfProperType,l=this.props.suggestions;return r&&(l=l.slice(0,r)),c.createElement("div",{className:(0,pt.i)("ms-Suggestions-container",ba.suggestionsContainer),id:"suggestion-list",role:"list","aria-label":a},l.map((function(t,r){return c.createElement("div",{ref:t.selected||r===e.currentIndex?e._selectedElement:void 0,key:t.item.key?t.item.key:r,id:"sug-"+r,role:"listitem","aria-label":t.ariaLabel},c.createElement(s,{id:"sug-item"+r,suggestionModel:t,RenderSuggestion:o,onClick:e._onClickTypedSuggestionsItem(t.item,r),className:n,showRemoveButton:i,onRemoveItem:e._onRemoveTypedSuggestionsItem(t.item,r),isSelectedOverride:r===e.currentIndex}))})))},t.prototype.scrollSelected=function(){var e;void 0!==(null===(e=this._selectedElement.current)||void 0===e?void 0:e.scrollIntoView)&&this._selectedElement.current.scrollIntoView(!1)},t}(c.Component);(0,Xi.RM)([{rawString:".root_6d187696{min-width:260px}.actionButton_6d187696{background:0 0;background-color:transparent;border:0;cursor:pointer;margin:0;padding:0;position:relative;width:100%;font-size:12px}html[dir=ltr] .actionButton_6d187696{text-align:left}html[dir=rtl] .actionButton_6d187696{text-align:right}.actionButton_6d187696:hover{background-color:"},{theme:"neutralLighter",defaultValue:"#f3f2f1"},{rawString:";cursor:pointer}.actionButton_6d187696:active,.actionButton_6d187696:focus{background-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:"}.actionButton_6d187696 .ms-Button-icon{font-size:16px;width:25px}.actionButton_6d187696 .ms-Button-label{margin:0 4px 0 9px}html[dir=rtl] .actionButton_6d187696 .ms-Button-label{margin:0 9px 0 4px}.buttonSelected_6d187696{background-color:"},{theme:"themeLighter",defaultValue:"#deecf9"},{rawString:"}.buttonSelected_6d187696:hover{background-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:";cursor:pointer}@media screen and (-ms-high-contrast:active){.buttonSelected_6d187696:hover{background-color:Highlight;color:HighlightText}}@media screen and (-ms-high-contrast:active){.buttonSelected_6d187696{background-color:Highlight;color:HighlightText;-ms-high-contrast-adjust:none}}.suggestionsTitle_6d187696{font-size:12px}.suggestionsSpinner_6d187696{margin:5px 0;white-space:nowrap;line-height:20px;font-size:12px}html[dir=ltr] .suggestionsSpinner_6d187696{padding-left:14px}html[dir=rtl] .suggestionsSpinner_6d187696{padding-right:14px}html[dir=ltr] .suggestionsSpinner_6d187696{text-align:left}html[dir=rtl] .suggestionsSpinner_6d187696{text-align:right}.suggestionsSpinner_6d187696 .ms-Spinner-circle{display:inline-block;vertical-align:middle}.suggestionsSpinner_6d187696 .ms-Spinner-label{display:inline-block;margin:0 10px 0 16px;vertical-align:middle}html[dir=rtl] .suggestionsSpinner_6d187696 .ms-Spinner-label{margin:0 16px 0 10px}.itemButton_6d187696{height:100%;width:100%;padding:7px 12px}@media screen and (-ms-high-contrast:active){.itemButton_6d187696{color:WindowText}}.screenReaderOnly_6d187696{position:absolute;width:1px;height:1px;padding:0;margin:-1px;overflow:hidden;clip:rect(0,0,0,0);border:0}"}]);var _a,Ca="root_6d187696",Sa="actionButton_6d187696",xa="buttonSelected_6d187696",ka="suggestionsTitle_6d187696",wa="suggestionsSpinner_6d187696",Ia="itemButton_6d187696",Da="screenReaderOnly_6d187696",Ta=a;!function(e){e[e.header=0]="header",e[e.suggestion=1]="suggestion",e[e.footer=2]="footer"}(_a||(_a={}));var Ea=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e,t=this.props,o=t.renderItem,n=t.onExecute,r=t.isSelected,i=t.id,a=t.className;return n?c.createElement("div",{id:i,onClick:n,className:(0,pt.i)("ms-Suggestions-sectionButton",a,Ta.actionButton,(e={},e["is-selected "+Ta.buttonSelected]=r,e))},o()):c.createElement("div",{id:i,className:(0,pt.i)("ms-Suggestions-section",a,Ta.suggestionsTitle)},o())},t}(c.Component),Pa=function(e){function t(t){var o=e.call(this,t)||this;return o._selectedElement=c.createRef(),o._suggestions=c.createRef(),o.SuggestionsOfProperType=ya,(0,P.l)(o),o.state={selectedHeaderIndex:-1,selectedFooterIndex:-1,suggestions:t.suggestions},o}return(0,l.ZT)(t,e),t.prototype.componentDidMount=function(){this.resetSelectedItem()},t.prototype.componentDidUpdate=function(e){var t=this;this.scrollSelected(),e.suggestions&&e.suggestions!==this.props.suggestions&&this.setState({suggestions:this.props.suggestions},(function(){t.resetSelectedItem()}))},t.prototype.componentWillUnmount=function(){var e;null===(e=this._suggestions.current)||void 0===e||e.deselectAllSuggestions()},t.prototype.render=function(){var e=this.props,t=e.className,o=e.headerItemsProps,n=e.footerItemsProps,r=e.suggestionsAvailableAlertText,i=(0,u.y0)(u.ul),a=this.state.suggestions&&this.state.suggestions.length>0&&r;return c.createElement("div",{className:(0,pt.i)("ms-Suggestions",t||"",Ta.root)},o&&this.renderHeaderItems(),this._renderSuggestions(),n&&this.renderFooterItems(),a?c.createElement("span",{role:"alert","aria-live":"polite",className:i},r):null)},Object.defineProperty(t.prototype,"currentSuggestion",{get:function(){var e;return(null===(e=this._suggestions.current)||void 0===e?void 0:e.getCurrentItem())||void 0},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"currentSuggestionIndex",{get:function(){return this._suggestions.current?this._suggestions.current.currentIndex:-1},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"selectedElement",{get:function(){var e;return this._selectedElement.current?this._selectedElement.current:null===(e=this._suggestions.current)||void 0===e?void 0:e.selectedElement},enumerable:!0,configurable:!0}),t.prototype.hasSuggestionSelected=function(){var e;return(null===(e=this._suggestions.current)||void 0===e?void 0:e.hasSuggestionSelected())||!1},t.prototype.hasSelection=function(){var e=this.state,t=e.selectedHeaderIndex,o=e.selectedFooterIndex;return-1!==t||this.hasSuggestionSelected()||-1!==o},t.prototype.executeSelectedAction=function(){var e,t=this.props,o=t.headerItemsProps,n=t.footerItemsProps,r=this.state,i=r.selectedHeaderIndex,a=r.selectedFooterIndex;if(o&&-1!==i&&it+1)return null===(o=this._suggestions.current)||void 0===o||o.setSelectedSuggestion(t+1),this.setState({selectedHeaderIndex:-1,selectedFooterIndex:-1}),!0}else{var r=e===_a.header,i=r?this.props.headerItemsProps:this.props.footerItemsProps;if(i&&i.length>t+1)for(var a=t+1;a0)return null===(o=this._suggestions.current)||void 0===o||o.setSelectedSuggestion(r-1),this.setState({selectedHeaderIndex:-1,selectedFooterIndex:-1}),!0}else{var r,i=e===_a.header,a=i?this.props.headerItemsProps:this.props.footerItemsProps;if(a&&(r=void 0!==t?t:a.length)>0)for(var s=r-1;s>=0;s--){var l=a[s];if(l.onExecute&&l.shouldShow())return this.setState({selectedHeaderIndex:i?s:-1}),this.setState({selectedFooterIndex:i?-1:s}),null===(n=this._suggestions.current)||void 0===n||n.deselectAllSuggestions(),!0}}return!1},t.prototype._getCurrentIndexForType=function(e){switch(e){case _a.header:return this.state.selectedHeaderIndex;case _a.suggestion:return this._suggestions.current.currentIndex;case _a.footer:return this.state.selectedFooterIndex}},t.prototype._getNextItemSectionType=function(e){switch(e){case _a.header:return _a.suggestion;case _a.suggestion:return _a.footer;case _a.footer:return _a.header}},t.prototype._getPreviousItemSectionType=function(e){switch(e){case _a.header:return _a.footer;case _a.suggestion:return _a.header;case _a.footer:return _a.suggestion}},t}(c.Component),Ma=r,Ra=function(e){function t(t){var o=e.call(this,t)||this;return o.root=c.createRef(),o.suggestionsControl=c.createRef(),o.SuggestionsControlOfProperType=Pa,o.isComponentMounted=!1,o.onQueryStringChanged=function(e){e!==o.state.queryString&&(o.setState({queryString:e}),o.props.onInputChanged&&o.props.onInputChanged(e),o.updateValue(e))},o.hidePicker=function(){var e=o.isSuggestionsShown;o.setState({suggestionsVisible:!1}),o.props.onSuggestionsHidden&&e&&o.props.onSuggestionsHidden()},o.showPicker=function(e){void 0===e&&(e=!1);var t=o.isSuggestionsShown;o.setState({suggestionsVisible:!0});var n=o.props.inputElement?o.props.inputElement.value:"";e&&o.updateValue(n),o.props.onSuggestionsShown&&!t&&o.props.onSuggestionsShown()},o.completeSuggestion=function(){o.suggestionsControl.current&&o.suggestionsControl.current.hasSuggestionSelected()&&o.onChange(o.suggestionsControl.current.currentSuggestion.item)},o.onSuggestionClick=function(e,t,n){o.onChange(t),o._updateSuggestionsVisible(!1)},o.onSuggestionRemove=function(e,t,n){o.props.onRemoveSuggestion&&o.props.onRemoveSuggestion(t),o.suggestionsControl.current&&o.suggestionsControl.current.removeSuggestion(n)},o.onKeyDown=function(e){if(o.state.suggestionsVisible&&(!o.props.inputElement||o.props.inputElement.contains(e.target))){var t=e.which;switch(t){case rt.m.escape:o.hidePicker(),e.preventDefault(),e.stopPropagation();break;case rt.m.tab:case rt.m.enter:!e.shiftKey&&!e.ctrlKey&&o.suggestionsControl.current&&o.suggestionsControl.current.handleKeyDown(t)?(e.preventDefault(),e.stopPropagation()):o._onValidateInput();break;case rt.m.del:o.props.onRemoveSuggestion&&o.suggestionsControl.current&&o.suggestionsControl.current.hasSuggestionSelected&&o.suggestionsControl.current.currentSuggestion&&e.shiftKey&&(o.props.onRemoveSuggestion(o.suggestionsControl.current.currentSuggestion.item),o.suggestionsControl.current.removeSuggestion(),o.forceUpdate(),e.stopPropagation());break;case rt.m.up:case rt.m.down:o.suggestionsControl.current&&o.suggestionsControl.current.handleKeyDown(t)&&(e.preventDefault(),e.stopPropagation(),o._updateActiveDescendant())}}},o._onValidateInput=function(){if(o.state.queryString&&o.props.onValidateInput&&o.props.createGenericItem){var e=o.props.createGenericItem(o.state.queryString,o.props.onValidateInput(o.state.queryString)),t=o.suggestionStore.convertSuggestionsToSuggestionItems([e]);o.onChange(t[0].item)}},o._async=new bo.e(o),(0,P.l)(o),o.suggestionStore=t.suggestionsStore,o.state={queryString:"",didBind:!1},o}return(0,l.ZT)(t,e),Object.defineProperty(t.prototype,"inputText",{get:function(){return this.state.queryString},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"suggestions",{get:function(){return this.suggestionStore.suggestions},enumerable:!0,configurable:!0}),t.prototype.forceResolveSuggestion=function(){this.suggestionsControl.current&&this.suggestionsControl.current.hasSuggestionSelected()?this.completeSuggestion():this._onValidateInput()},Object.defineProperty(t.prototype,"currentSelectedSuggestionIndex",{get:function(){return this.suggestionsControl.current?this.suggestionsControl.current.currentSuggestionIndex:-1},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"isSuggestionsShown",{get:function(){return void 0!==this.state.suggestionsVisible&&this.state.suggestionsVisible},enumerable:!0,configurable:!0}),t.prototype.componentDidMount=function(){this._bindToInputElement(),this.isComponentMounted=!0,this._onResolveSuggestions=this._async.debounce(this._onResolveSuggestions,this.props.resolveDelay)},t.prototype.componentDidUpdate=function(){this._bindToInputElement()},t.prototype.componentWillUnmount=function(){this._unbindFromInputElement(),this.isComponentMounted=!1},t.prototype.updateSuggestions=function(e,t){void 0===t&&(t=!1),this.suggestionStore.updateSuggestions(e),t&&this.forceUpdate()},t.prototype.render=function(){var e=this.props.className;return c.createElement("div",{ref:this.root,className:(0,pt.i)("ms-BasePicker ms-BaseFloatingPicker",e||"")},this.renderSuggestions())},t.prototype.renderSuggestions=function(){var e=this.SuggestionsControlOfProperType;return this.props.suggestionItems&&this.suggestionStore.updateSuggestions(this.props.suggestionItems),this.state.suggestionsVisible?c.createElement(Ae.U,(0,l.pi)({className:Ma.callout,isBeakVisible:!1,gapSpace:5,target:this.props.inputElement,onDismiss:this.hidePicker,directionalHint:K.b.bottomLeftEdge,directionalHintForRTL:K.b.bottomRightEdge,calloutWidth:this.props.calloutWidth?this.props.calloutWidth:0},this.props.pickerCalloutProps),c.createElement(e,(0,l.pi)({onRenderSuggestion:this.props.onRenderSuggestionsItem,onSuggestionClick:this.onSuggestionClick,onSuggestionRemove:this.onSuggestionRemove,suggestions:this.suggestionStore.getSuggestions(),componentRef:this.suggestionsControl,completeSuggestion:this.completeSuggestion,shouldLoopSelection:!1},this.props.pickerSuggestionsProps))):null},t.prototype.onSelectionChange=function(){this.forceUpdate()},t.prototype.updateValue=function(e){""===e?this.updateSuggestionWithZeroState():this._onResolveSuggestions(e)},t.prototype.updateSuggestionWithZeroState=function(){if(this.props.onZeroQuerySuggestion){var e=(0,this.props.onZeroQuerySuggestion)(this.props.selectedItems);this.updateSuggestionsList(e)}else this.hidePicker()},t.prototype.updateSuggestionsList=function(e){var t=this,o=e,n=e;if(Array.isArray(o))this.updateSuggestions(o,!0);else if(n&&n.then){var r=this.currentPromise=n;r.then((function(e){r===t.currentPromise&&t.isComponentMounted&&t.updateSuggestions(e,!0)}))}},t.prototype.onChange=function(e){this.props.onChange&&this.props.onChange(e)},t.prototype._updateActiveDescendant=function(){if(this.props.inputElement&&this.suggestionsControl.current&&this.suggestionsControl.current.selectedElement){var e=this.suggestionsControl.current.selectedElement.getAttribute("id");e&&this.props.inputElement.setAttribute("aria-activedescendant",e)}},t.prototype._onResolveSuggestions=function(e){var t=this.props.onResolveSuggestions(e,this.props.selectedItems);this._updateSuggestionsVisible(!0),null!==t&&this.updateSuggestionsList(t)},t.prototype._updateSuggestionsVisible=function(e){e?this.showPicker():this.hidePicker()},t.prototype._bindToInputElement=function(){this.props.inputElement&&!this.state.didBind&&(this.props.inputElement.addEventListener("keydown",this.onKeyDown),this.setState({didBind:!0}))},t.prototype._unbindFromInputElement=function(){this.props.inputElement&&this.state.didBind&&(this.props.inputElement.removeEventListener("keydown",this.onKeyDown),this.setState({didBind:!1}))},t}(c.Component),Na=o(6104);(0,Xi.RM)([{rawString:".resultContent_9816a275{display:table-row}.resultContent_9816a275 .resultItem_9816a275{display:table-cell;vertical-align:bottom}.peoplePickerPersona_9816a275{width:180px}.peoplePickerPersona_9816a275 .ms-Persona-details{width:100%}.peoplePicker_9816a275 .ms-BasePicker-text{min-height:40px}.peoplePickerPersonaContent_9816a275{display:-webkit-box;display:-ms-flexbox;display:flex;width:100%;-webkit-box-pack:justify;-ms-flex-pack:justify;justify-content:space-between;-webkit-box-align:center;-ms-flex-align:center;align-items:center;padding:7px 12px}"}]);var Ba=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,l.ZT)(t,e),t}(Ra),Fa=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,l.ZT)(t,e),t.defaultProps={onRenderSuggestionsItem:function(e,t){return o=(0,l.pi)({},e),(0,l.pi)({},t),c.createElement("div",{className:(0,pt.i)("ms-PeoplePicker-personaContent","peoplePickerPersonaContent_9816a275")},c.createElement(ua.I,(0,l.pi)({presence:void 0!==o.presence?o.presence:C.H_.none,size:C.Ir.size40,className:(0,pt.i)("ms-PeoplePicker-Persona","peoplePickerPersona_9816a275"),showSecondaryText:!0},o)));var o},createGenericItem:La},t}(Ba);function La(e,t){var o={key:e,primaryText:e,imageInitials:"!",isValid:t};return t||(o.imageInitials=(0,Na.Q)(e,(0,T.zg)())),o}var Aa=function(){function e(e){var t=this;this._isSuggestionModel=function(e){return void 0!==e.item},this._ensureSuggestionModel=function(e){return t._isSuggestionModel(e)?e:{item:e,selected:!1,ariaLabel:void 0!==t.getAriaLabel?t.getAriaLabel(e):e.name||e.text||e.primaryText}},this.suggestions=[],this.getAriaLabel=e&&e.getAriaLabel}return e.prototype.updateSuggestions=function(e){e&&e.length>0?this.suggestions=this.convertSuggestionsToSuggestionItems(e):this.suggestions=[]},e.prototype.getSuggestions=function(){return this.suggestions},e.prototype.getSuggestionAtIndex=function(e){return this.suggestions[e]},e.prototype.removeSuggestion=function(e){this.suggestions.splice(e,1)},e.prototype.convertSuggestionsToSuggestionItems=function(e){return Array.isArray(e)?e.map(this._ensureSuggestionModel):[]},e}(),za=o(6316);(0,za.x)("@fluentui/react-focus","8.0.4");var Ha,Oa,Wa={host:"ms-HoverCard-host"};!function(e){e[e.hover=0]="hover",e[e.hotKey=1]="hotKey"}(Ha||(Ha={})),function(e){e.plain="PlainCard",e.expanding="ExpandingCard"}(Oa||(Oa={}));var Va,Ka={root:"ms-ExpandingCard-root",compactCard:"ms-ExpandingCard-compactCard",expandedCard:"ms-ExpandingCard-expandedCard",expandedCardScroll:"ms-ExpandingCard-expandedCardScrollRegion"};!function(e){e[e.compact=0]="compact",e[e.expanded=1]="expanded"}(Va||(Va={}));var qa=function(e){var t=e.gapSpace,o=void 0===t?0:t,n=e.directionalHint,r=void 0===n?K.b.bottomLeftEdge:n,i=e.directionalHintFixed,a=e.targetElement,s=e.firstFocus,u=e.trapFocus,d=e.onLeave,p=e.className,m=e.finalHeight,h=e.content,g=e.calloutProps,f=(0,l.pi)((0,l.pi)((0,l.pi)({},(0,E.pq)(e,E.n7)),{className:p,target:a,isBeakVisible:!1,directionalHint:r,directionalHintFixed:i,finalHeight:m,minPagePadding:24,onDismiss:d,gapSpace:o}),g);return c.createElement(c.Fragment,null,u?c.createElement(We,(0,l.pi)({},f,{focusTrapProps:{forceFocusInsideTrap:!1,isClickableOutsideFocusTrap:!0,disableFirstFocus:!s}}),h):c.createElement(Ae.U,(0,l.pi)({},f),h))},Ga=(0,D.y)(),Ua=function(e){function t(t){var o=e.call(this,t)||this;return o._expandedElem=c.createRef(),o._onKeyDown=function(e){e.which===rt.m.escape&&o.props.onLeave&&o.props.onLeave(e)},o._onRenderCompactCard=function(){return c.createElement("div",{className:o._classNames.compactCard},o.props.onRenderCompactCard(o.props.renderData))},o._onRenderExpandedCard=function(){return!o.state.firstFrameRendered&&o._async.requestAnimationFrame((function(){o.setState({firstFrameRendered:!0})})),c.createElement("div",{className:o._classNames.expandedCard,ref:o._expandedElem},c.createElement("div",{className:o._classNames.expandedCardScroll},o.props.onRenderExpandedCard&&o.props.onRenderExpandedCard(o.props.renderData)))},o._checkNeedsScroll=function(){var e=o.props.expandedCardHeight;o._async.requestAnimationFrame((function(){o._expandedElem.current&&o._expandedElem.current.scrollHeight>=e&&o.setState({needsScroll:!0})}))},o._async=new bo.e(o),(0,P.l)(o),o.state={firstFrameRendered:!1,needsScroll:!1},o}return(0,l.ZT)(t,e),t.prototype.componentDidMount=function(){this._checkNeedsScroll()},t.prototype.componentWillUnmount=function(){this._async.dispose()},t.prototype.render=function(){var e=this.props,t=e.styles,o=e.compactCardHeight,n=e.expandedCardHeight,r=e.theme,i=e.mode,a=e.className,s=this.state,u=s.needsScroll,d=s.firstFrameRendered,p=o+n;this._classNames=Ga(t,{theme:r,compactCardHeight:o,className:a,expandedCardHeight:n,needsScroll:u,expandedCardFirstFrameRendered:i===Va.expanded&&d});var m=c.createElement("div",{onMouseEnter:this.props.onEnter,onMouseLeave:this.props.onLeave,onKeyDown:this._onKeyDown},this._onRenderCompactCard(),this._onRenderExpandedCard());return c.createElement(qa,(0,l.pi)({},this.props,{content:m,finalHeight:p,className:this._classNames.root}))},t.defaultProps={compactCardHeight:156,expandedCardHeight:384,directionalHintFixed:!0},t}(c.Component),ja=(0,I.z)(Ua,(function(e){var t,o=e.theme,n=e.needsScroll,r=e.expandedCardFirstFrameRendered,i=e.compactCardHeight,a=e.expandedCardHeight,s=e.className,l=o.palette,c=(0,u.Cn)(Ka,o);return{root:[c.root,{width:320,pointerEvents:"none",selectors:(t={},t[u.qJ]={border:"1px solid WindowText"},t)},s],compactCard:[c.compactCard,{pointerEvents:"auto",position:"relative",height:i}],expandedCard:[c.expandedCard,{height:1,overflowY:"hidden",pointerEvents:"auto",transition:"height 0.467s cubic-bezier(0.5, 0, 0, 1)",selectors:{":before":{content:'""',position:"relative",display:"block",top:0,left:24,width:272,height:1,backgroundColor:l.neutralLighter}}},r&&{height:a}],expandedCardScroll:[c.expandedCardScroll,n&&{height:"100%",boxSizing:"border-box",overflowY:"auto"}]}}),void 0,{scope:"ExpandingCard"}),Ja={root:"ms-PlainCard-root"},Ya=(0,D.y)(),Za=function(e){function t(t){var o=e.call(this,t)||this;return o._onKeyDown=function(e){e.which===rt.m.escape&&o.props.onLeave&&o.props.onLeave(e)},(0,P.l)(o),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.theme,n=e.className;this._classNames=Ya(t,{theme:o,className:n});var r=c.createElement("div",{onMouseEnter:this.props.onEnter,onMouseLeave:this.props.onLeave,onKeyDown:this._onKeyDown},this.props.onRenderPlainCard(this.props.renderData));return c.createElement(qa,(0,l.pi)({},this.props,{content:r,className:this._classNames.root}))},t}(c.Component),Xa=(0,I.z)(Za,(function(e){var t,o=e.theme,n=e.className;return{root:[(0,u.Cn)(Ja,o).root,{pointerEvents:"auto",selectors:(t={},t[u.qJ]={border:"1px solid WindowText"},t)},n]}}),void 0,{scope:"PlainCard"}),Qa=(0,D.y)(),$a=function(e){function t(t){var o=e.call(this,t)||this;return o._hoverCard=c.createRef(),o.dismiss=function(e){o._async.clearTimeout(o._openTimerId),o._async.clearTimeout(o._dismissTimerId),e?o._dismissTimerId=o._async.setTimeout((function(){o._setDismissedState()}),o.props.cardDismissDelay):o._setDismissedState()},o._cardOpen=function(e){o._shouldBlockHoverCard()||"keydown"===e.type&&e.which!==o.props.openHotKey||(o._async.clearTimeout(o._dismissTimerId),"mouseenter"===e.type&&(o._currentMouseTarget=e.currentTarget),o._executeCardOpen(e))},o._executeCardOpen=function(e){o._async.clearTimeout(o._openTimerId),o._openTimerId=o._async.setTimeout((function(){o.setState((function(t){return t.isHoverCardVisible?t:{isHoverCardVisible:!0,mode:Va.compact,openMode:"keydown"===e.type?Ha.hotKey:Ha.hover}}))}),o.props.cardOpenDelay)},o._cardDismiss=function(e,t){if(e){if(!(t instanceof MouseEvent))return;if("keydown"===t.type&&t.which!==rt.m.escape)return;o.props.sticky||o._currentMouseTarget!==t.currentTarget&&t.which!==rt.m.escape||o.dismiss(!0)}else{if(o.props.sticky&&!(t instanceof MouseEvent)&&t.nativeEvent instanceof MouseEvent&&"mouseleave"===t.type)return;o.dismiss(!0)}},o._setDismissedState=function(){o.setState({isHoverCardVisible:!1,mode:Va.compact,openMode:Ha.hover})},o._instantOpenAsExpanded=function(e){o._async.clearTimeout(o._dismissTimerId),o.setState((function(e){return e.isHoverCardVisible?e:{isHoverCardVisible:!0,mode:Va.expanded}}))},o._setEventListeners=function(){var e=o.props,t=e.trapFocus,n=e.instantOpenOnClick,r=e.eventListenerTarget,i=r?o._getTargetElement(r):o._getTargetElement(o.props.target),a=o._nativeDismissEvent;i&&(o._events.on(i,"mouseenter",o._cardOpen),o._events.on(i,"mouseleave",a),t?o._events.on(i,"keydown",o._cardOpen):(o._events.on(i,"focus",o._cardOpen),o._events.on(i,"blur",a)),n?o._events.on(i,"click",o._instantOpenAsExpanded):(o._events.on(i,"mousedown",a),o._events.on(i,"keydown",a)))},(0,P.l)(o),o._async=new bo.e(o),o._events=new at.r(o),o._nativeDismissEvent=o._cardDismiss.bind(o,!0),o._childDismissEvent=o._cardDismiss.bind(o,!1),o.state={isHoverCardVisible:!1,mode:Va.compact,openMode:Ha.hover},o}return(0,l.ZT)(t,e),t.prototype.componentDidMount=function(){this._setEventListeners()},t.prototype.componentWillUnmount=function(){this._async.dispose(),this._events.dispose()},t.prototype.componentDidUpdate=function(e,t){var o=this;e.target!==this.props.target&&(this._events.off(),this._setEventListeners()),t.isHoverCardVisible!==this.state.isHoverCardVisible&&(this.state.isHoverCardVisible?(this._async.setTimeout((function(){o.setState({mode:Va.expanded},(function(){o.props.onCardExpand&&o.props.onCardExpand()}))}),this.props.expandedCardOpenDelay),this.props.onCardVisible&&this.props.onCardVisible()):(this.setState({mode:Va.compact}),this.props.onCardHide&&this.props.onCardHide()))},t.prototype.render=function(){var e=this.props,t=e.expandingCardProps,o=e.children,n=e.id,r=e.setAriaDescribedBy,i=void 0===r||r,a=e.styles,s=e.theme,u=e.className,d=e.type,p=e.plainCardProps,m=e.trapFocus,h=e.setInitialFocus,g=this.state,f=g.isHoverCardVisible,v=g.mode,b=g.openMode,y=n||(0,dn.z)("hoverCard");this._classNames=Qa(a,{theme:s,className:u});var _=(0,l.pi)((0,l.pi)({},(0,E.pq)(this.props,E.n7)),{id:y,trapFocus:!!m,firstFocus:h||b===Ha.hotKey,targetElement:this._getTargetElement(this.props.target),onEnter:this._cardOpen,onLeave:this._childDismissEvent}),C=(0,l.pi)((0,l.pi)((0,l.pi)({},t),_),{mode:v}),S=(0,l.pi)((0,l.pi)({},p),_);return c.createElement("div",{className:this._classNames.host,ref:this._hoverCard,"aria-describedby":i&&f?y:void 0,"data-is-focusable":!this.props.target},o,f&&(d===Oa.expanding?c.createElement(ja,(0,l.pi)({},C)):c.createElement(Xa,(0,l.pi)({},S))))},t.prototype._getTargetElement=function(e){switch(typeof e){case"string":return(0,nt.M)().querySelector(e);case"object":return e;default:return this._hoverCard.current||void 0}},t.prototype._shouldBlockHoverCard=function(){return!(!this.props.shouldBlockHoverCard||!this.props.shouldBlockHoverCard())},t.defaultProps={cardOpenDelay:500,cardDismissDelay:100,expandedCardOpenDelay:1500,instantOpenOnClick:!1,setInitialFocus:!1,openHotKey:rt.m.c,type:Oa.expanding},t}(c.Component),es=(0,I.z)($a,(function(e){var t=e.className,o=e.theme;return{host:[(0,u.Cn)(Wa,o).host,t]}}),void 0,{scope:"HoverCard"}),ts=o(3874),os=o(6569),ns=o(7840),rs=o(2481),is=o(9759),as=o(6711),ss=o(5325),ls=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.content,o=e.styles,n=e.theme,r=e.disabled,i=e.visible,a=(0,D.y)()(o,{theme:n,disabled:r,visible:i});return c.createElement("div",{className:a.container},c.createElement("span",{className:a.root},t))},t}(c.Component),cs=function(e){return{container:[],root:[{border:"none",boxShadow:"none"}],beak:[],beakCurtain:[],calloutMain:[{backgroundColor:"transparent"}]}},us=function(e){return function(t){return(0,u.ZC)({container:[],root:[{border:"none",boxShadow:"none"}],beak:[],beakCurtain:[],calloutMain:[{backgroundColor:"transparent"}]},{root:[{marginLeft:e.left||e.x,marginTop:e.top||e.y}]})}},ds=(0,I.z)(ls,(function(e){var t,o=e.theme,n=e.disabled,r=e.visible;return{container:[{backgroundColor:o.palette.neutralDark},n&&{opacity:.5,selectors:(t={},t[u.qJ]={color:"GrayText",opacity:1},t)},!r&&{visibility:"hidden"}],root:[o.fonts.medium,{textAlign:"center",paddingLeft:"3px",paddingRight:"3px",backgroundColor:o.palette.neutralDark,color:o.palette.neutralLight,minWidth:"11px",lineHeight:"17px",height:"17px",display:"inline-block"},n&&{color:o.palette.neutralTertiaryAlt}]}}),void 0,{scope:"KeytipContent"}),ps=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,l.ZT)(t,e),t.prototype.render=function(){var e,t=this.props,o=t.keySequences,n=t.offset,r=t.overflowSetSequence,i=this.props.calloutProps;return e=r?(0,ss.eX)((0,ss.a1)(o,r)):(0,ss.eX)(o),n&&(i=(0,l.pi)((0,l.pi)({},i),{coverTarget:!0,directionalHint:K.b.topLeftEdge})),i&&void 0!==i.directionalHint||(i=(0,l.pi)((0,l.pi)({},i),{directionalHint:K.b.bottomCenter})),c.createElement(Ae.U,(0,l.pi)({},i,{isBeakVisible:!1,doNotLayer:!0,minPagePadding:0,styles:n?us(n):cs,preventDismissOnScroll:!0,target:e}),c.createElement(ds,(0,l.pi)({},this.props)))},t}(c.Component),ms=o(9949),hs=o(8128),gs=o(2304);function fs(e){var t=(0,gs.c)(e),o=t.keytipId,n=t.ariaDescribedBy;return function(e){if(e){var t=bs(e,hs.fV)||e,r=bs(e,hs.ms)||t,i=bs(e,hs.A4)||r;vs(t,hs.fV,o),vs(r,hs.ms,o),vs(i,"aria-describedby",n,!0)}}}function vs(e,t,o,n){if(void 0===n&&(n=!1),e&&o){var r=o;if(n){var i=e.getAttribute(t);i&&-1===i.indexOf(o)&&(r=i+" "+o)}e.setAttribute(t,r)}}function bs(e,t){return e.querySelector("["+t+"]")}var ys=function(e){return{root:[{zIndex:u.bR.KeytipLayer}]}},_s=o(6479),Cs=function(){function e(){this.nodeMap={},this.root={id:hs.nK,children:[],parent:"",keySequences:[]},this.nodeMap[this.root.id]=this.root}return e.prototype.addNode=function(e,t,o){var n=this._getFullSequence(e),r=(0,ss.aB)(n);n.pop();var i=this._getParentID(n),a=this._createNode(r,i,[],e,o);this.nodeMap[t]=a;var s=this.getNode(i);s&&s.children.push(r)},e.prototype.updateNode=function(e,t){var o=this._getFullSequence(e),n=(0,ss.aB)(o);o.pop();var r=this._getParentID(o),i=this.nodeMap[t],a=i.parent,s=this.getNode(a),l=this.getNode(r);if(i){if(s&&a!==r){var c=s.children.indexOf(i.id);c>=0&&s.children.splice(c,1)}if(l&&i.id!==n){var u=l.children.indexOf(i.id);u>=0?l.children[u]=n:l.children.push(n)}i.id=n,i.keySequences=e.keySequences,i.overflowSetSequence=e.overflowSetSequence,i.onExecute=e.onExecute,i.onReturn=e.onReturn,i.hasDynamicChildren=e.hasDynamicChildren,i.hasMenu=e.hasMenu,i.parent=r,i.disabled=e.disabled}},e.prototype.removeNode=function(e,t){var o=this._getFullSequence(e),n=(0,ss.aB)(o);o.pop();var r=this._getParentID(o),i=this.getNode(r);i&&i.children.splice(i.children.indexOf(n),1),this.nodeMap[t]&&delete this.nodeMap[t]},e.prototype.getExactMatchedNode=function(e,t){var o=this,n=this.getNodes(t.children);return(0,Co.sE)(n,(function(t){return o._getNodeSequence(t)===e&&!t.disabled}))},e.prototype.getPartiallyMatchedNodes=function(e,t){var o=this;return this.getNodes(t.children).filter((function(t){return 0===o._getNodeSequence(t).indexOf(e)&&!t.disabled}))},e.prototype.getChildren=function(e){var t=this;if(!e&&!(e=this.currentKeytip))return[];var o=e.children;return Object.keys(this.nodeMap).reduce((function(e,n){return o.indexOf(t.nodeMap[n].id)>=0&&!t.nodeMap[n].persisted&&e.push(t.nodeMap[n].id),e}),[])},e.prototype.getNodes=function(e){var t=this;return Object.keys(this.nodeMap).reduce((function(o,n){return e.indexOf(t.nodeMap[n].id)>=0&&o.push(t.nodeMap[n]),o}),[])},e.prototype.getNode=function(e){var t=(0,Xt.VO)(this.nodeMap);return(0,Co.sE)(t,(function(t){return t.id===e}))},e.prototype.isCurrentKeytipParent=function(e){if(this.currentKeytip){var t=(0,l.pr)(e.keySequences);e.overflowSetSequence&&(t=(0,ss.a1)(t,e.overflowSetSequence)),t.pop();var o=0===t.length?this.root.id:(0,ss.aB)(t),n=!1;return this.currentKeytip.overflowSetSequence&&(n=(0,ss.aB)(this.currentKeytip.keySequences)===o),n||this.currentKeytip.id===o}return!1},e.prototype._getParentID=function(e){return 0===e.length?this.root.id:(0,ss.aB)(e)},e.prototype._getFullSequence=function(e){var t=(0,l.pr)(e.keySequences);return e.overflowSetSequence&&(t=(0,ss.a1)(t,e.overflowSetSequence)),t},e.prototype._getNodeSequence=function(e){var t=(0,l.pr)(e.keySequences);return e.overflowSetSequence&&(t=(0,ss.a1)(t,e.overflowSetSequence)),t[t.length-1]},e.prototype._createNode=function(e,t,o,n,r){var i=this,a=n.keySequences,s=n.hasDynamicChildren,l=n.overflowSetSequence,c=n.hasMenu,u=n.onExecute,d=n.onReturn,p=n.disabled,m={id:e,keySequences:a,overflowSetSequence:l,parent:t,children:o,onExecute:u,onReturn:d,hasDynamicChildren:s,hasMenu:c,disabled:p,persisted:r};return m.children=Object.keys(this.nodeMap).reduce((function(t,o){return i.nodeMap[o].parent===e&&t.push(i.nodeMap[o].id),t}),[]),m},e}();function Ss(e,t){if(e.key!==t.key)return!1;var o=e.modifierKeys,n=t.modifierKeys;if(!o&&n||o&&!n)return!1;if(o&&n){if(o.length!==n.length)return!1;o=o.sort(),n=n.sort();for(var r=0;r0){var s=a.filter((function(e){return!e.persisted})).map((function(e){return e.id}));this.showKeytips(s),this._currentSequence=o}}},t.prototype.showKeytips=function(e){for(var t=0,o=this._keytipManager.getKeytips();t=0?n.visible=!0:n.visible=!1}this._setKeytips()},t.prototype._enterKeytipMode=function(){this._keytipManager.shouldEnterKeytipMode&&(this._keytipManager.delayUpdatingKeytipChange&&(this._buildTree(),this._setKeytips()),this._keytipTree.currentKeytip=this._keytipTree.root,this.showKeytips(this._keytipTree.getChildren()),this._setInKeytipMode(!0),this.props.onEnterKeytipMode&&this.props.onEnterKeytipMode())},t.prototype._buildTree=function(){this._keytipTree=new Cs;for(var e=0,t=Object.keys(this._keytipManager.keytips);e=0&&(this._delayedKeytipQueue.splice(o,1),this._delayedQueueTimeout&&this._async.clearTimeout(this._delayedQueueTimeout),this._delayedQueueTimeout=this._async.setTimeout((function(){t._delayedKeytipQueue.length&&(t.showKeytips(t._delayedKeytipQueue),t._delayedKeytipQueue=[])}),300))},t.prototype._getKtpExecuteTarget=function(e){return(0,nt.M)().querySelector((0,ss._l)(e.id))},t.prototype._getKtpTarget=function(e){return(0,nt.M)().querySelector((0,ss.eX)(e.keySequences))},t.prototype._isCurrentKeytipAnAlias=function(e){var t=this._keytipTree.currentKeytip;return!(!t||!t.overflowSetSequence&&!t.persisted||!(0,Co.cO)(e.keySequences,t.keySequences))},t.defaultProps={keytipStartSequences:[ks],keytipExitSequences:[ws],keytipReturnSequences:[Is],content:""},t}(c.Component),Es=(0,I.z)(Ts,(function(e){return{innerContent:[{position:"absolute",width:0,height:0,margin:0,padding:0,border:0,overflow:"hidden",visibility:"hidden"}]}}),void 0,{scope:"KeytipLayer"});function Ps(e){for(var t={},o=0,n=e.keytips;o0&&this._computeScrollVelocity(e)},e.prototype._computeScrollVelocity=function(e){if(this._scrollRect){var t,o;"clientX"in e?(t=e.clientX,o=e.clientY):(t=e.touches[0].clientX,o=e.touches[0].clientY);var n,r,i,a=this._scrollRect.top,s=this._scrollRect.left,l=a+this._scrollRect.height-Os,c=s+this._scrollRect.width-Os;ol?(r=o,n=a,i=l,this._isVerticalScroll=!0):(r=t,n=s,i=c,this._isVerticalScroll=!1),this._scrollVelocity=ri?Math.min(15,(r-i)/Os*15):0,this._scrollVelocity?this._startScroll():this._stopScroll()}},e.prototype._startScroll=function(){this._timeoutId||this._incrementScroll()},e.prototype._incrementScroll=function(){this._scrollableParent&&(this._isVerticalScroll?this._scrollableParent.scrollTop+=Math.round(this._scrollVelocity):this._scrollableParent.scrollLeft+=Math.round(this._scrollVelocity)),this._timeoutId=setTimeout(this._incrementScroll,16)},e.prototype._stopScroll=function(){this._timeoutId&&(clearTimeout(this._timeoutId),delete this._timeoutId)},e}(),Vs=o(8633),Ks=(0,D.y)(),qs=function(e){function t(t){var o=e.call(this,t)||this;return o._root=c.createRef(),o._onMouseDown=function(e){var t=o.props,n=t.isEnabled,r=t.onShouldStartSelection;o._isMouseEventOnScrollbar(e)||o._isInSelectionToggle(e)||o._isTouch||!n||o._isDragStartInSelection(e)||r&&!r(e)||o._scrollableSurface&&0===e.button&&o._root.current&&(o._selectedIndicies={},o._preservedIndicies=void 0,o._events.on(window,"mousemove",o._onAsyncMouseMove,!0),o._events.on(o._scrollableParent,"scroll",o._onAsyncMouseMove),o._events.on(window,"click",o._onMouseUp,!0),o._autoScroll=new Ws(o._root.current),o._scrollTop=o._scrollableSurface.scrollTop,o._scrollLeft=o._scrollableSurface.scrollLeft,o._rootRect=o._root.current.getBoundingClientRect(),o._onMouseMove(e))},o._onTouchStart=function(e){o._isTouch=!0,o._async.setTimeout((function(){o._isTouch=!1}),0)},o._onPointerDown=function(e){"touch"===e.pointerType&&(o._isTouch=!0,o._async.setTimeout((function(){o._isTouch=!1}),0))},(0,P.l)(o),o._async=new bo.e(o),o._events=new at.r(o),o.state={dragRect:void 0},o}return(0,l.ZT)(t,e),t.prototype.componentDidMount=function(){this._scrollableParent=(0,yo.zj)(this._root.current),this._scrollableSurface=this._scrollableParent===window?document.body:this._scrollableParent;var e=this.props.isDraggingConstrainedToRoot?this._root.current:this._scrollableSurface;this._events.on(e,"mousedown",this._onMouseDown),this._events.on(e,"touchstart",this._onTouchStart,!0),this._events.on(e,"pointerdown",this._onPointerDown,!0)},t.prototype.componentWillUnmount=function(){this._autoScroll&&this._autoScroll.dispose(),delete this._scrollableParent,delete this._scrollableSurface,this._events.dispose(),this._async.dispose()},t.prototype.render=function(){var e=this.props,t=e.rootProps,o=e.children,n=e.theme,r=e.className,i=e.styles,a=this.state.dragRect,s=Ks(i,{theme:n,className:r});return c.createElement("div",(0,l.pi)({},t,{className:s.root,ref:this._root}),o,a&&c.createElement("div",{className:s.dragMask}),a&&c.createElement("div",{className:s.box,style:a},c.createElement("div",{className:s.boxFill})))},t.prototype._isMouseEventOnScrollbar=function(e){var t=e.target,o=t.offsetWidth-t.clientWidth;if(o){var n=t.getBoundingClientRect();if((0,T.zg)(this.props.theme)){if(e.clientXn.left+t.clientWidth)return!0;if(e.clientY>n.top+t.clientHeight)return!0}return!1},t.prototype._getRootRect=function(){return{left:this._rootRect.left+(this._scrollLeft-this._scrollableSurface.scrollLeft),top:this._rootRect.top+(this._scrollTop-this._scrollableSurface.scrollTop),width:this._rootRect.width,height:this._rootRect.height}},t.prototype._onAsyncMouseMove=function(e){var t=this;this._async.requestAnimationFrame((function(){t._onMouseMove(e)})),e.stopPropagation(),e.preventDefault()},t.prototype._onMouseMove=function(e){if(this._autoScroll){void 0!==e.clientX&&(this._lastMouseEvent=e);var t=this._getRootRect(),o={left:e.clientX-t.left,top:e.clientY-t.top};if(this._dragOrigin||(this._dragOrigin=o),void 0!==e.buttons&&0===e.buttons)this._onMouseUp(e);else if(this.state.dragRect||(0,Vs.Iw)(this._dragOrigin,o)>5){if(!this.state.dragRect){var n=this.props.selection;e.shiftKey||n.setAllSelected(!1),this._preservedIndicies=n&&n.getSelectedIndices&&n.getSelectedIndices()}var r=this.props.isDraggingConstrainedToRoot?{left:Math.max(0,Math.min(t.width,this._lastMouseEvent.clientX-t.left)),top:Math.max(0,Math.min(t.height,this._lastMouseEvent.clientY-t.top))}:{left:this._lastMouseEvent.clientX-t.left,top:this._lastMouseEvent.clientY-t.top},i={left:Math.min(this._dragOrigin.left||0,r.left),top:Math.min(this._dragOrigin.top||0,r.top),width:Math.abs(r.left-(this._dragOrigin.left||0)),height:Math.abs(r.top-(this._dragOrigin.top||0))};this._evaluateSelection(i,t),this.setState({dragRect:i})}return!1}},t.prototype._onMouseUp=function(e){this._events.off(window),this._events.off(this._scrollableParent,"scroll"),this._autoScroll&&this._autoScroll.dispose(),this._autoScroll=this._dragOrigin=this._lastMouseEvent=void 0,this._selectedIndicies=this._itemRectCache=void 0,this.state.dragRect&&(this.setState({dragRect:void 0}),e.preventDefault(),e.stopPropagation())},t.prototype._isPointInRectangle=function(e,t){return!!t.top&&e.topt.top&&!!t.left&&e.leftt.left},t.prototype._isDragStartInSelection=function(e){var t=this.props.selection;if(!this._root.current||t&&0===t.getSelectedCount())return!1;for(var o=this._root.current.querySelectorAll("[data-selection-index]"),n=0;n0&&s.height>0&&(this._itemRectCache[a]=s),s.tope.top&&s.lefte.left?this._selectedIndicies[a]=!0:delete this._selectedIndicies[a]}var l=this._allSelectedIndices||{};for(var a in this._allSelectedIndices={},this._selectedIndicies)this._selectedIndicies.hasOwnProperty(a)&&(this._allSelectedIndices[a]=!0);if(this._preservedIndicies)for(var c=0,u=this._preservedIndicies;c0&&(p=e.collapseAriaLabel||e.expandAriaLabel?e.isExpanded?e.collapseAriaLabel:e.expandAriaLabel:i?e.name+" "+i:e.name),c.createElement("div",(0,l.pi)({},n,{key:e.key||t,className:d.compositeLink}),e.links&&e.links.length>0?c.createElement("button",{className:d.chevronButton,onClick:this._onLinkExpandClicked.bind(this,e),"aria-label":p,"aria-expanded":e.isExpanded?"true":"false"},c.createElement(W.J,{className:d.chevronIcon,iconName:"ChevronDown"})):null,this._renderNavLink(e,t,o))},t.prototype._renderLink=function(e,t,o){var n=this.props,r=n.styles,i=n.groups,a=n.theme,s=cl(r,{theme:a,groups:i});return c.createElement("li",{key:e.key||t,role:"listitem",className:s.navItem},this._renderCompositeLink(e,t,o),e.isExpanded?this._renderLinks(e.links,++o):null)},t.prototype._renderLinks=function(e,t){var o=this;if(!e||!e.length)return null;var n=e.map((function(e,n){return o._renderLink(e,n,t)})),r=this.props,i=r.styles,a=r.groups,s=r.theme,l=cl(i,{theme:s,groups:a});return c.createElement("ul",{role:"list",className:l.navItems},n)},t.prototype._onGroupHeaderClicked=function(e,t){e.onHeaderClick&&e.onHeaderClick(t,this._isGroupExpanded(e)),this._toggleCollapsed(e),t&&(t.preventDefault(),t.stopPropagation())},t.prototype._onLinkExpandClicked=function(e,t){var o=this.props.onLinkExpandClick;o&&o(t,e),t.defaultPrevented||(e.isExpanded=!e.isExpanded,this.setState({isLinkExpandStateChanged:!0})),t.preventDefault(),t.stopPropagation()},t.prototype._preventBounce=function(e,t){!e.url&&e.forceAnchor&&t.preventDefault()},t.prototype._onNavAnchorLinkClicked=function(e,t){this._preventBounce(e,t),this.props.onLinkClick&&this.props.onLinkClick(t,e),!e.url&&e.links&&e.links.length>0&&this._onLinkExpandClicked(e,t),this.setState({selectedKey:e.key})},t.prototype._onNavButtonLinkClicked=function(e,t){this._preventBounce(e,t),e.onClick&&e.onClick(t,e),!e.url&&e.links&&e.links.length>0&&this._onLinkExpandClicked(e,t),this.setState({selectedKey:e.key})},t.prototype._isLinkSelected=function(e){if(void 0!==this.props.selectedKey)return e.key===this.props.selectedKey;if(void 0!==this.state.selectedKey)return e.key===this.state.selectedKey;if(void 0===(0,So.J)()||!e.url)return!1;(el=el||document.createElement("a")).href=e.url||"";var t=el.href;return location.href===t||location.protocol+"//"+location.host+location.pathname===t||!!location.hash&&(location.hash===e.url||(el.href=location.hash.substring(1),el.href===t))},t.prototype._isGroupExpanded=function(e){return e.name&&this.state.isGroupCollapsed.hasOwnProperty(e.name)?!this.state.isGroupCollapsed[e.name]:void 0===e.collapseByDefault||!e.collapseByDefault},t.prototype._toggleCollapsed=function(e){var t;if(e.name){var o=(0,l.pi)((0,l.pi)({},this.state.isGroupCollapsed),((t={})[e.name]=this._isGroupExpanded(e),t));this.setState({isGroupCollapsed:o})}},t.defaultProps={groups:null},t}(c.Component),dl=(0,I.z)(ul,(function(e){var t,o=e.className,n=e.theme,r=e.isOnTop,i=e.isExpanded,a=e.isGroup,s=e.isLink,l=e.isSelected,c=e.isDisabled,d=e.isButtonEntry,p=e.navHeight,m=void 0===p?44:p,h=e.position,g=e.leftPadding,f=void 0===g?20:g,v=e.leftPaddingExpanded,b=void 0===v?28:v,y=e.rightPadding,_=void 0===y?20:y,C=n.palette,S=n.semanticColors,x=n.fonts,k=(0,u.Cn)(al,n);return{root:[k.root,o,x.medium,{overflowY:"auto",userSelect:"none",WebkitOverflowScrolling:"touch"},r&&[{position:"absolute"},u.k4.slideRightIn40]],linkText:[k.linkText,{margin:"0 4px",overflow:"hidden",verticalAlign:"middle",textAlign:"left",textOverflow:"ellipsis"}],compositeLink:[k.compositeLink,{display:"block",position:"relative",color:S.bodyText},i&&"is-expanded",l&&"is-selected",c&&"is-disabled",c&&{color:S.disabledText}],link:[k.link,(0,u.GL)(n),{display:"block",position:"relative",height:m,width:"100%",lineHeight:m+"px",textDecoration:"none",cursor:"pointer",textOverflow:"ellipsis",whiteSpace:"nowrap",overflow:"hidden",paddingLeft:f,paddingRight:_,color:S.bodyText,selectors:(t={},t[u.qJ]={border:0,selectors:{":focus":{border:"1px solid WindowText"}}},t)},!c&&{selectors:{".ms-Nav-compositeLink:hover &":{backgroundColor:S.bodyBackgroundHovered}}},l&&{color:S.bodyTextChecked,fontWeight:u.lq.semibold,backgroundColor:S.bodyBackgroundChecked,selectors:{"&:after":{borderLeft:"2px solid "+C.themePrimary,content:'""',position:"absolute",top:0,right:0,bottom:0,left:0,pointerEvents:"none"}}},c&&{color:S.disabledText},d&&{color:C.themePrimary}],chevronButton:[k.chevronButton,(0,u.GL)(n),x.small,{display:"block",textAlign:"left",lineHeight:m+"px",margin:"5px 0",padding:"0px, "+_+"px, 0px, "+b+"px",border:"none",textOverflow:"ellipsis",whiteSpace:"nowrap",overflow:"hidden",cursor:"pointer",color:S.bodyText,backgroundColor:"transparent",selectors:{"&:visited":{color:S.bodyText}}},a&&{fontSize:x.large.fontSize,width:"100%",height:m,borderBottom:"1px solid "+S.bodyDivider},s&&{display:"block",width:b-2,height:m-2,position:"absolute",top:"1px",left:h+"px",zIndex:u.bR.Nav,padding:0,margin:0},l&&{color:C.themePrimary,backgroundColor:C.neutralLighterAlt,selectors:{"&:after":{borderLeft:"2px solid "+C.themePrimary,content:'""',position:"absolute",top:0,right:0,bottom:0,left:0,pointerEvents:"none"}}}],chevronIcon:[k.chevronIcon,{position:"absolute",left:"8px",height:m,lineHeight:m+"px",fontSize:x.small.fontSize,transition:"transform .1s linear"},i&&{transform:"rotate(-180deg)"},s&&{top:0}],navItem:[k.navItem,{padding:0}],navItems:[k.navItems,{listStyleType:"none",padding:0,margin:0}],group:[k.group,i&&"is-expanded"],groupContent:[k.groupContent,{display:"none",marginBottom:"40px"},u.k4.slideDownIn20,i&&{display:"block"}]}}),void 0,{scope:"Nav"}),pl=o(6178),ml=o(9755),hl=o(5357),gl=o(2758),fl=o(7047),vl=o(867),bl=o(8337),yl=o(4192),_l=o(4800),Cl=o(9862),Sl=o(6920),xl=o(8976),kl=o(7115),wl=o(9318),Il=o(4885),Dl=o(2535),Tl=o(9378),El=o(2657),Pl={root:"ms-TagItem",text:"ms-TagItem-text",close:"ms-TagItem-close",isSelected:"is-selected"},Ml=(0,D.y)(),Rl=function(e){var t=e.theme,o=e.styles,n=e.selected,r=e.disabled,i=e.enableTagFocusInDisabledPicker,a=e.children,s=e.className,l=e.index,u=e.onRemoveItem,d=e.removeButtonAriaLabel,p=e.title,m=void 0===p?"string"==typeof e.children?e.children:e.item.name:p,h=Ml(o,{theme:t,className:s,selected:n,disabled:r});return c.createElement("div",{className:h.root,role:"listitem",key:l,"data-selection-index":l,"data-is-focusable":(i||!r)&&!0},c.createElement("span",{className:h.text,"aria-label":m,title:m},a),c.createElement(V.h,{onClick:u,disabled:r,iconProps:{iconName:"Cancel",styles:{root:{fontSize:"12px"}}},className:h.close,ariaLabel:d}))},Nl=(0,I.z)(Rl,(function(e){var t,o,n,r,i=e.className,a=e.theme,s=e.selected,l=e.disabled,c=a.palette,d=a.effects,p=a.fonts,m=a.semanticColors,h=(0,u.Cn)(Pl,a);return{root:[h.root,p.medium,(0,u.GL)(a),{boxSizing:"content-box",flexShrink:"1",margin:2,height:26,lineHeight:26,cursor:"default",userSelect:"none",display:"flex",flexWrap:"nowrap",maxWidth:300,minWidth:0,borderRadius:d.roundedCorner2,color:m.inputText,background:!s||l?c.neutralLighter:c.themePrimary,selectors:(t={":hover":[!l&&!s&&{color:c.neutralDark,background:c.neutralLight,selectors:{".ms-TagItem-close":{color:c.neutralPrimary}}},l&&{background:c.neutralLighter},s&&!l&&{background:c.themePrimary}]},t[u.qJ]={border:"1px solid "+(s?"WindowFrame":"WindowText")},t)},l&&{selectors:(o={},o[u.qJ]={borderColor:"GrayText"},o)},s&&!l&&[h.isSelected,{color:c.white}],i],text:[h.text,{overflow:"hidden",textOverflow:"ellipsis",whiteSpace:"nowrap",minWidth:30,margin:"0 8px"},l&&{selectors:(n={},n[u.qJ]={color:"GrayText"},n)}],close:[h.close,{color:c.neutralSecondary,width:30,height:"100%",flex:"0 0 auto",borderRadius:(0,T.zg)(a)?d.roundedCorner2+" 0 0 "+d.roundedCorner2:"0 "+d.roundedCorner2+" "+d.roundedCorner2+" 0",selectors:{":hover":{background:c.neutralQuaternaryAlt,color:c.neutralPrimary},":active":{color:c.white,backgroundColor:c.themeDark}}},s&&{color:c.white,selectors:{":hover":{color:c.white,background:c.themeDark}}},l&&{selectors:(r={},r["."+El.n.msButtonIcon]={color:c.neutralSecondary},r)}]}}),void 0,{scope:"TagItem"}),Bl={suggestionTextOverflow:"ms-TagItem-TextOverflow"},Fl=(0,D.y)(),Ll=function(e){var t=e.styles,o=e.theme,n=e.children,r=Fl(t,{theme:o});return c.createElement("div",{className:r.suggestionTextOverflow}," ",n," ")},Al=(0,I.z)(Ll,(function(e){var t=e.className,o=e.theme;return{suggestionTextOverflow:[(0,u.Cn)(Bl,o).suggestionTextOverflow,{overflow:"hidden",textOverflow:"ellipsis",maxWidth:"60vw",padding:"6px 12px 7px",whiteSpace:"nowrap"},t]}}),void 0,{scope:"TagItemSuggestion"}),zl=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),o}return(0,l.ZT)(t,e),t.defaultProps={onRenderItem:function(e){return c.createElement(Nl,(0,l.pi)({},e),e.item.name)},onRenderSuggestionsItem:function(e){return c.createElement(Al,null,e.name)}},t}(xl.d),Hl=(0,I.z)(zl,Tl.W,void 0,{scope:"TagPicker"}),Ol=o(6548);function Wl(e,t){void 0===t&&(t=null);var o=c.useRef({ref:Object.assign((function(e){o.ref.current!==e&&(o.cleanup&&(o.cleanup(),o.cleanup=void 0),o.ref.current=e,null!==e&&(o.cleanup=o.callback(e)))}),{current:t}),callback:e}).current;return o.callback=e,o.ref}var Vl=function(e){function t(t){var o=e.call(this,t)||this;return(0,P.l)(o),(0,Vr.b)("PivotItem",t,{linkText:"headerText"}),o}return(0,l.ZT)(t,e),t.prototype.render=function(){return c.createElement("div",(0,l.pi)({},(0,E.pq)(this.props,E.n7)),this.props.children)},t}(c.Component),Kl=(0,D.y)(),ql=function(e,t){var o={links:[],keyToIndexMapping:{},keyToTabIdMapping:{}};return c.Children.forEach(c.Children.toArray(e.children),(function(n,r){if(Gl(n)){var i=n.props,a=i.linkText,s=(0,l._T)(i,["linkText"]),c=n.props.itemKey||r.toString();o.links.push((0,l.pi)((0,l.pi)({headerText:a},s),{itemKey:c})),o.keyToIndexMapping[c]=r,o.keyToTabIdMapping[c]=function(e,t,o,n){return e.getTabId?e.getTabId(o,n):t+"-Tab"+n}(e,t,c,r)}else n&&(0,be.Z)("The children of a Pivot component must be of type PivotItem to be rendered.")})),o},Gl=function(e){var t,o;return(null===(o=null===(t=e)||void 0===t?void 0:t.type)||void 0===o?void 0:o.name)===Vl.name},Ul=c.forwardRef((function(e,t){var o,n=c.useRef(null),r=c.useRef(null),i=(0,Fr.M)("Pivot"),a=(0,Ol.G)(e.selectedKey,e.defaultSelectedKey),s=a[0],u=a[1],d=e.componentRef,p=e.theme,m=e.linkSize,h=e.linkFormat,g=e.overflowBehavior,f=(0,E.pq)(e,E.n7),v=ql(e,i);c.useImperativeHandle(d,(function(){return{focus:function(){var e;null===(e=n.current)||void 0===e||e.focus()}}}));var b=function(e){if(!e)return null;var t=e.itemCount,n=e.itemIcon,r=e.headerText;return c.createElement("span",{className:o.linkContent},void 0!==n&&c.createElement("span",{className:o.icon},c.createElement(W.J,{iconName:n})),void 0!==r&&c.createElement("span",{className:o.text}," ",e.headerText),void 0!==t&&c.createElement("span",{className:o.count}," (",t,")"))},y=function(e,t,n,r){var i,a=t.itemKey,s=t.headerButtonProps,u=t.onRenderItemLink,d=e.keyToTabIdMapping[a],p=n===a;i=u?u(t,b):b(t);var m=t.headerText||"";return m+=t.itemCount?" ("+t.itemCount+")":"",m+=t.itemIcon?" xx":"",c.createElement(we.M,(0,l.pi)({},s,{id:d,key:a,className:(0,pt.i)(r,p&&o.linkIsSelected),onClick:function(e){return _(a,e)},onKeyDown:function(e){return C(a,e)},"aria-label":t.ariaLabel,role:"tab","aria-selected":p,name:t.headerText,keytipProps:t.keytipProps,"data-content":m}),i)},_=function(e,t){t.preventDefault(),S(e,t)},C=function(e,t){t.which===rt.m.enter&&(t.preventDefault(),S(e))},S=function(t,o){var n;if(u(t),v=ql(e,i),e.onLinkClick&&v.keyToIndexMapping[t]>=0){var a=v.keyToIndexMapping[t],s=c.Children.toArray(e.children)[a];Gl(s)&&e.onLinkClick(s,o)}null===(n=r.current)||void 0===n||n.dismissMenu()};o=Kl(e.styles,{theme:p,linkSize:m,linkFormat:h});var x,k=null===(x=s)||void 0!==x&&void 0!==v.keyToIndexMapping[x]?s:v.links.length?v.links[0].itemKey:void 0,w=k?v.keyToIndexMapping[k]:0,I=v.links.map((function(e){return y(v,e,k,o.link)})),D=c.useMemo((function(){return{items:[],alignTargetEdge:!0,directionalHint:K.b.bottomRightEdge}}),[]),P=function(e){var t=e.onOverflowItemsChanged,o=e.rtl,n=e.pinnedIndex,r=c.useRef(),i=c.useRef(),a=Wl((function(e){var t=function(e,t){if("undefined"!=typeof ResizeObserver){var o=new ResizeObserver(t);return Array.isArray(e)?e.forEach((function(e){return o.observe(e)})):o.observe(e),function(){return o.disconnect()}}var n=function(){return t(void 0)},r=(0,So.J)(Array.isArray(e)?e[0]:e);if(!r)return function(){};var i=r.requestAnimationFrame(n);return r.addEventListener("resize",n,!1),function(){r.cancelAnimationFrame(i),r.removeEventListener("resize",n,!1)}}(e,(function(t){i.current=t?t[0].contentRect.width:e.clientWidth,r.current&&r.current()}));return function(){t(),i.current=void 0}})),s=Wl((function(e){return a(e.parentElement),function(){return a(null)}}));return c.useLayoutEffect((function(){var e=a.current,l=s.current;if(e&&l){for(var c=[],u=0;u=0;t--){if(void 0===p[t]){var r=o?e-c[t].offsetLeft:c[t].offsetLeft+c[t].offsetWidth;t+1p[t])return void g(t+1)}g(0)}};var h=c.length,g=function(e){h!==e&&(h=e,t(e,c.map((function(t,o){return{ele:t,isOverflowing:o>=e&&o!==n}}))))},f=void 0;if(void 0!==i.current){var v=(0,So.J)(e);if(v){var b=v.requestAnimationFrame(r.current);f=function(){return v.cancelAnimationFrame(b)}}}return function(){f&&f(),g(c.length),r.current=void 0}}})),{menuButtonRef:s}}({onOverflowItemsChanged:function(e,t){t.forEach((function(e){var t=e.ele,o=e.isOverflowing;return t.dataset.isOverflowing=""+o})),D.items=v.links.slice(e).map((function(t,n){return{key:t.itemKey||""+(e+n),onRender:function(){return y(v,t,k,o.linkInMenu)}}}))},rtl:(0,T.zg)(p),pinnedIndex:w}).menuButtonRef;return c.createElement("div",(0,l.pi)({role:"toolbar"},f,{ref:t}),c.createElement(M.k,{componentRef:n,direction:R.U.horizontal,className:o.root,role:"tablist"},I,"menu"===g&&c.createElement(we.M,{className:(0,pt.i)(o.link,o.overflowMenuButton),elementRef:P,componentRef:r,menuProps:D,menuIconProps:{iconName:"More",style:{color:"inherit"}}})),k&&v.links.map((function(t){return(!0===t.alwaysRender||k===t.itemKey)&&function(t,n){if(e.headersOnly||!t)return null;var r=v.keyToIndexMapping[t],i=v.keyToTabIdMapping[t];return c.createElement("div",{role:"tabpanel",hidden:!n,key:t,"aria-hidden":!n,"aria-labelledby":i,className:o.itemContainer},c.Children.toArray(e.children)[r])}(t.itemKey,k===t.itemKey)})))}));Ul.displayName="Pivot";var jl,Jl,Yl={count:"ms-Pivot-count",icon:"ms-Pivot-icon",linkIsSelected:"is-selected",link:"ms-Pivot-link",linkContent:"ms-Pivot-linkContent",root:"ms-Pivot",rootIsLarge:"ms-Pivot--large",rootIsTabs:"ms-Pivot--tabs",text:"ms-Pivot-text",linkInMenu:"ms-Pivot-linkInMenu",overflowMenuButton:"ms-Pivot-overflowMenuButton"},Zl=function(e,t,o){var n,r,i;void 0===o&&(o=!1);var a=e.linkSize,s=e.linkFormat,c=e.theme,d=c.semanticColors,p=c.fonts,m="large"===a,h="tabs"===s;return[p.medium,{color:d.actionLink,padding:"0 8px",position:"relative",backgroundColor:"transparent",border:0,borderRadius:0,selectors:(n={":hover":{backgroundColor:d.buttonBackgroundHovered,color:d.buttonTextHovered,cursor:"pointer"},":active":{backgroundColor:d.buttonBackgroundPressed,color:d.buttonTextHovered},":focus":{outline:"none"}},n["."+de.G$+" &:focus"]={outline:"1px solid "+d.focusBorder},n["."+de.G$+" &:focus:after"]={content:"attr(data-content)",position:"relative",border:0},n)},!o&&[{display:"inline-block",lineHeight:44,height:44,marginRight:8,textAlign:"center",selectors:{":before":{backgroundColor:"transparent",bottom:0,content:'""',height:2,left:8,position:"absolute",right:8,transition:"left "+u.D1.durationValue2+" "+u.D1.easeFunction2+",\n right "+u.D1.durationValue2+" "+u.D1.easeFunction2},":after":{color:"transparent",content:"attr(data-content)",display:"block",fontWeight:u.lq.bold,height:1,overflow:"hidden",visibility:"hidden"}}},m&&{fontSize:p.large.fontSize},h&&[{marginRight:0,height:44,lineHeight:44,backgroundColor:d.buttonBackground,padding:"0 10px",verticalAlign:"top",selectors:(r={":focus":{outlineOffset:"-1px"}},r["."+de.G$+" &:focus::before"]={height:"auto",background:"transparent",transition:"none"},r["&:hover, &:focus"]={color:d.buttonTextCheckedHovered},r["&:active, &:hover"]={color:d.primaryButtonText,backgroundColor:d.primaryButtonBackground},r["&."+t.linkIsSelected]={backgroundColor:d.primaryButtonBackground,color:d.primaryButtonText,fontWeight:u.lq.regular,selectors:(i={":before":{backgroundColor:"transparent",transition:"none",position:"absolute",top:0,left:0,right:0,bottom:0,content:'""',height:0},":hover":{backgroundColor:d.primaryButtonBackgroundHovered,color:d.primaryButtonText},"&:active":{backgroundColor:d.primaryButtonBackgroundPressed,color:d.primaryButtonText}},i[u.qJ]=(0,l.pi)({fontWeight:u.lq.semibold,color:"HighlightText",background:"Highlight"},(0,u.xM)()),i)},r)}]]]},Xl=(0,I.z)(Ul,(function(e){var t,o,n,r,i=e.className,a=e.linkSize,s=e.linkFormat,c=e.theme,d=c.semanticColors,p=c.fonts,m=(0,u.Cn)(Yl,c),h="large"===a,g="tabs"===s;return{root:[m.root,p.medium,u.Fv,{position:"relative",color:d.link,whiteSpace:"nowrap"},h&&m.rootIsLarge,g&&m.rootIsTabs,i],itemContainer:{selectors:{"&[hidden]":{display:"none"}}},link:(0,l.pr)([m.link],Zl(e,m),[(t={},t["&[data-is-overflowing='true']"]={display:"none"},t)]),overflowMenuButton:[m.overflowMenuButton,(o={visibility:"hidden",position:"absolute",right:0},o["."+m.link+"[data-is-overflowing='true'] ~ &"]={visibility:"visible",position:"relative"},o)],linkInMenu:(0,l.pr)([m.linkInMenu],Zl(e,m,!0),[{textAlign:"left",width:"100%",height:36,lineHeight:36}]),linkIsSelected:[m.link,m.linkIsSelected,{fontWeight:u.lq.semibold,selectors:(n={":before":{backgroundColor:d.inputBackgroundChecked,selectors:(r={},r[u.qJ]={backgroundColor:"Highlight"},r)},":hover::before":{left:0,right:0}},n[u.qJ]={color:"Highlight"},n)}],linkContent:[m.linkContent,{flex:"0 1 100%",selectors:{"& > * ":{marginLeft:4},"& > *:first-child":{marginLeft:0}}}],text:[m.text,{display:"inline-block",verticalAlign:"top"}],count:[m.count,{display:"inline-block",verticalAlign:"top"}],icon:m.icon}}),void 0,{scope:"Pivot"});!function(e){e.links="links",e.tabs="tabs"}(jl||(jl={})),function(e){e.normal="normal",e.large="large"}(Jl||(Jl={}));var Ql=(0,D.y)(),$l=function(e){function t(t){var o=e.call(this,t)||this;o._onRenderProgress=function(e){var t=o.props,n=t.ariaValueText,r=t.barHeight,i=t.className,a=t.description,s=t.label,l=void 0===s?o.props.title:s,u=t.styles,d=t.theme,p="number"==typeof o.props.percentComplete?Math.min(100,Math.max(0,100*o.props.percentComplete)):void 0,m=Ql(u,{theme:d,className:i,barHeight:r,indeterminate:void 0===p}),h={width:void 0!==p?p+"%":void 0,transition:void 0!==p&&p<.01?"none":void 0},g=void 0!==p?0:void 0,f=void 0!==p?100:void 0,v=void 0!==p?Math.floor(p):void 0;return c.createElement("div",{className:m.itemProgress},c.createElement("div",{className:m.progressTrack}),c.createElement("div",{className:m.progressBar,style:h,role:"progressbar","aria-describedby":a?o._descriptionId:void 0,"aria-labelledby":l?o._labelId:void 0,"aria-valuemin":g,"aria-valuemax":f,"aria-valuenow":v,"aria-valuetext":n}))};var n=(0,dn.z)("progress-indicator");return o._labelId=n+"-label",o._descriptionId=n+"-description",o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.barHeight,o=e.className,n=e.label,r=void 0===n?this.props.title:n,i=e.description,a=e.styles,s=e.theme,u=e.progressHidden,d=e.onRenderProgress,p=void 0===d?this._onRenderProgress:d,m="number"==typeof this.props.percentComplete?Math.min(100,Math.max(0,100*this.props.percentComplete)):void 0,h=Ql(a,{theme:s,className:o,barHeight:t,indeterminate:void 0===m});return c.createElement("div",{className:h.root},r?c.createElement("div",{id:this._labelId,className:h.itemName},r):null,u?null:p((0,l.pi)((0,l.pi)({},this.props),{percentComplete:m}),this._onRenderProgress),i?c.createElement("div",{id:this._descriptionId,className:h.itemDescription},i):null)},t.defaultProps={label:"",description:"",width:180},t}(c.Component),ec={root:"ms-ProgressIndicator",itemName:"ms-ProgressIndicator-itemName",itemDescription:"ms-ProgressIndicator-itemDescription",itemProgress:"ms-ProgressIndicator-itemProgress",progressTrack:"ms-ProgressIndicator-progressTrack",progressBar:"ms-ProgressIndicator-progressBar"},tc=(0,d.NF)((function(){return(0,u.F4)({"0%":{left:"-30%"},"100%":{left:"100%"}})})),oc=(0,d.NF)((function(){return(0,u.F4)({"100%":{right:"-30%"},"0%":{right:"100%"}})})),nc=(0,I.z)($l,(function(e){var t,o,n,r=(0,T.zg)(e.theme),i=e.className,a=e.indeterminate,s=e.theme,c=e.barHeight,d=void 0===c?2:c,p=s.palette,m=s.semanticColors,h=s.fonts,g=(0,u.Cn)(ec,s),f=p.neutralLight;return{root:[g.root,h.medium,i],itemName:[g.itemName,u.jq,{color:m.bodyText,paddingTop:4,lineHeight:20}],itemDescription:[g.itemDescription,{color:m.bodySubtext,fontSize:h.small.fontSize,lineHeight:18}],itemProgress:[g.itemProgress,{position:"relative",overflow:"hidden",height:d,padding:"8px 0"}],progressTrack:[g.progressTrack,{position:"absolute",width:"100%",height:d,backgroundColor:f,selectors:(t={},t[u.qJ]={borderBottom:"1px solid WindowText"},t)}],progressBar:[{backgroundColor:p.themePrimary,height:d,position:"absolute",transition:"width .3s ease",width:0,selectors:(o={},o[u.qJ]=(0,l.pi)({backgroundColor:"highlight"},(0,u.xM)()),o)},a?{position:"absolute",minWidth:"33%",background:"linear-gradient(to right, "+f+" 0%, "+p.themePrimary+" 50%, "+f+" 100%)",animation:(r?oc():tc())+" 3s infinite",selectors:(n={},n[u.qJ]={background:"highlight"},n)}:{transition:"width .15s linear"},g.progressBar]}}),void 0,{scope:"ProgressIndicator"}),rc=o(558),ic=o(1405),ac=o(7813),sc={root:"ms-ScrollablePane",contentContainer:"ms-ScrollablePane--contentContainer"},lc={auto:"auto",always:"always"},cc=c.createContext({scrollablePane:void 0}),uc=(0,D.y)(),dc=function(e){function t(t){var o=e.call(this,t)||this;return o._root=c.createRef(),o._stickyAboveRef=c.createRef(),o._stickyBelowRef=c.createRef(),o._contentContainer=c.createRef(),o.subscribe=function(e){o._subscribers.add(e)},o.unsubscribe=function(e){o._subscribers.delete(e)},o.addSticky=function(e){o._stickies.add(e),o.contentContainer&&(e.setDistanceFromTop(o.contentContainer),o.sortSticky(e))},o.removeSticky=function(e){o._stickies.delete(e),o._removeStickyFromContainers(e),o.notifySubscribers()},o.sortSticky=function(e,t){o.stickyAbove&&o.stickyBelow&&(t&&o._removeStickyFromContainers(e),e.canStickyTop&&e.stickyContentTop&&o._addToStickyContainer(e,o.stickyAbove,e.stickyContentTop),e.canStickyBottom&&e.stickyContentBottom&&o._addToStickyContainer(e,o.stickyBelow,e.stickyContentBottom))},o.updateStickyRefHeights=function(){var e=o._stickies,t=0,n=0;e.forEach((function(e){var r=e.state,i=r.isStickyTop,a=r.isStickyBottom;e.nonStickyContent&&(i&&(t+=e.nonStickyContent.offsetHeight),a&&(n+=e.nonStickyContent.offsetHeight),o._checkStickyStatus(e))})),o.setState({stickyTopHeight:t,stickyBottomHeight:n})},o.notifySubscribers=function(){o.contentContainer&&o._subscribers.forEach((function(e){e(o.contentContainer,o.stickyBelow)}))},o.getScrollPosition=function(){return o.contentContainer?o.contentContainer.scrollTop:0},o.syncScrollSticky=function(e){e&&o.contentContainer&&e.syncScroll(o.contentContainer)},o._getScrollablePaneContext=function(){return{scrollablePane:{subscribe:o.subscribe,unsubscribe:o.unsubscribe,addSticky:o.addSticky,removeSticky:o.removeSticky,updateStickyRefHeights:o.updateStickyRefHeights,sortSticky:o.sortSticky,notifySubscribers:o.notifySubscribers,syncScrollSticky:o.syncScrollSticky}}},o._addToStickyContainer=function(e,t,n){if(t.children.length){if(!t.contains(n)){var r=[].slice.call(t.children),i=[];o._stickies.forEach((function(n){(t===o.stickyAbove&&e.canStickyTop||e.canStickyBottom)&&i.push(n)}));for(var a=void 0,s=0,l=i.sort((function(e,t){return(e.state.distanceFromTop||0)-(t.state.distanceFromTop||0)})).filter((function(e){var n=t===o.stickyAbove?e.stickyContentTop:e.stickyContentBottom;return!!n&&r.indexOf(n)>-1}));s=(e.state.distanceFromTop||0)){a=c;break}}var u=null;a&&(u=t===o.stickyAbove?a.stickyContentTop:a.stickyContentBottom),t.insertBefore(n,u)}}else t.appendChild(n)},o._removeStickyFromContainers=function(e){o.stickyAbove&&e.stickyContentTop&&o.stickyAbove.contains(e.stickyContentTop)&&o.stickyAbove.removeChild(e.stickyContentTop),o.stickyBelow&&e.stickyContentBottom&&o.stickyBelow.contains(e.stickyContentBottom)&&o.stickyBelow.removeChild(e.stickyContentBottom)},o._onWindowResize=function(){var e=o._getScrollbarWidth(),t=o._getScrollbarHeight();o.setState({scrollbarWidth:e,scrollbarHeight:t}),o.notifySubscribers()},o._getStickyContainerStyle=function(e,t){return(0,l.pi)((0,l.pi)({height:e},(0,T.zg)(o.props.theme)?{right:"0",left:(o.state.scrollbarWidth||o._getScrollbarWidth()||0)+"px"}:{left:"0",right:(o.state.scrollbarWidth||o._getScrollbarWidth()||0)+"px"}),t?{top:"0"}:{bottom:(o.state.scrollbarHeight||o._getScrollbarHeight()||0)+"px"})},o._onScroll=function(){var e=o.contentContainer;e&&o._stickies.forEach((function(t){t.syncScroll(e)})),o._notifyThrottled()},o._subscribers=new Set,o._stickies=new Set,(0,P.l)(o),o._async=new bo.e(o),o._events=new at.r(o),o.state={stickyTopHeight:0,stickyBottomHeight:0,scrollbarWidth:0,scrollbarHeight:0},o._notifyThrottled=o._async.throttle(o.notifySubscribers,50),o}return(0,l.ZT)(t,e),Object.defineProperty(t.prototype,"root",{get:function(){return this._root.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"stickyAbove",{get:function(){return this._stickyAboveRef.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"stickyBelow",{get:function(){return this._stickyBelowRef.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"contentContainer",{get:function(){return this._contentContainer.current},enumerable:!0,configurable:!0}),t.prototype.componentDidMount=function(){var e=this,t=this.props.initialScrollPosition;this._events.on(this.contentContainer,"scroll",this._onScroll),this._events.on(window,"resize",this._onWindowResize),this.contentContainer&&t&&(this.contentContainer.scrollTop=t),this.setStickiesDistanceFromTop(),this._stickies.forEach((function(t){e.sortSticky(t)})),this.notifySubscribers(),"MutationObserver"in window&&(this._mutationObserver=new MutationObserver((function(t){var o=e._getScrollbarHeight();if(o!==e.state.scrollbarHeight&&e.setState({scrollbarHeight:o}),e.notifySubscribers(),t.some(function(e){return null!==this.stickyAbove&&null!==this.stickyBelow&&(this.stickyAbove.contains(e.target)||this.stickyBelow.contains(e.target))}.bind(e)))e.updateStickyRefHeights();else{var n=[];e._stickies.forEach((function(e){e.root&&e.root.contains(t[0].target)&&n.push(e)})),n.length&&n.forEach((function(e){e.forceUpdate()}))}})),this.root&&this._mutationObserver.observe(this.root,{childList:!0,attributes:!0,subtree:!0,characterData:!0}))},t.prototype.componentWillUnmount=function(){this._events.dispose(),this._async.dispose(),this._mutationObserver&&this._mutationObserver.disconnect()},t.prototype.shouldComponentUpdate=function(e,t){return this.props.children!==e.children||this.props.initialScrollPosition!==e.initialScrollPosition||this.props.className!==e.className||this.state.stickyTopHeight!==t.stickyTopHeight||this.state.stickyBottomHeight!==t.stickyBottomHeight||this.state.scrollbarWidth!==t.scrollbarWidth||this.state.scrollbarHeight!==t.scrollbarHeight},t.prototype.componentDidUpdate=function(e,t){var o=this.props.initialScrollPosition;this.contentContainer&&"number"==typeof o&&e.initialScrollPosition!==o&&(this.contentContainer.scrollTop=o),t.stickyTopHeight===this.state.stickyTopHeight&&t.stickyBottomHeight===this.state.stickyBottomHeight||this.notifySubscribers(),this._async.setTimeout(this._onWindowResize,0)},t.prototype.render=function(){var e=this.props,t=e.className,o=e.theme,n=e.styles,r=this.state,i=r.stickyTopHeight,a=r.stickyBottomHeight,s=uc(n,{theme:o,className:t,scrollbarVisibility:this.props.scrollbarVisibility});return c.createElement("div",(0,l.pi)({},(0,E.pq)(this.props,E.n7),{ref:this._root,className:s.root}),c.createElement("div",{ref:this._stickyAboveRef,className:s.stickyAbove,style:this._getStickyContainerStyle(i,!0)}),c.createElement("div",{ref:this._contentContainer,className:s.contentContainer,"data-is-scrollable":!0},c.createElement(cc.Provider,{value:this._getScrollablePaneContext()},this.props.children)),c.createElement("div",{className:s.stickyBelow,style:this._getStickyContainerStyle(a,!1)},c.createElement("div",{ref:this._stickyBelowRef,className:s.stickyBelowItems})))},t.prototype.setStickiesDistanceFromTop=function(){var e=this;this.contentContainer&&this._stickies.forEach((function(t){t.setDistanceFromTop(e.contentContainer)}))},t.prototype.forceLayoutUpdate=function(){this._onWindowResize()},t.prototype._checkStickyStatus=function(e){this.stickyAbove&&this.stickyBelow&&this.contentContainer&&e.nonStickyContent&&(e.state.isStickyTop||e.state.isStickyBottom?(e.state.isStickyTop&&!this.stickyAbove.contains(e.nonStickyContent)&&e.stickyContentTop&&e.addSticky(e.stickyContentTop),e.state.isStickyBottom&&!this.stickyBelow.contains(e.nonStickyContent)&&e.stickyContentBottom&&e.addSticky(e.stickyContentBottom)):this.contentContainer.contains(e.nonStickyContent)||e.resetSticky())},t.prototype._getScrollbarWidth=function(){var e=this.contentContainer;return e?e.offsetWidth-e.clientWidth:0},t.prototype._getScrollbarHeight=function(){var e=this.contentContainer;return e?e.offsetHeight-e.clientHeight:0},t}(c.Component),pc=(0,I.z)(dc,(function(e){var t,o,n=e.className,r=e.theme,i=(0,u.Cn)(sc,r),a={position:"absolute",pointerEvents:"none"},s={position:"absolute",top:0,right:0,bottom:0,left:0,WebkitOverflowScrolling:"touch"};return{root:[i.root,r.fonts.medium,s,n],contentContainer:[i.contentContainer,{overflowY:"always"===e.scrollbarVisibility?"scroll":"auto"},s],stickyAbove:[{top:0,zIndex:1,selectors:(t={},t[u.qJ]={borderBottom:"1px solid WindowText"},t)},a],stickyBelow:[{bottom:0,selectors:(o={},o[u.qJ]={borderTop:"1px solid WindowText"},o)},a],stickyBelowItems:[{bottom:0},a,{width:"100%"}]}}),void 0,{scope:"ScrollablePane"}),mc=o(6419),hc=o(3863),gc=o(5515),fc=function(e){function t(t){var o=e.call(this,t)||this;o.addItems=function(e){var t=o.props.onItemSelected?o.props.onItemSelected(e):e,n=t,r=t;if(r&&r.then)r.then((function(e){var t=o.state.items.concat(e);o.updateItems(t)}));else{var i=o.state.items.concat(n);o.updateItems(i)}},o.removeItemAt=function(e){var t=o.state.items;if(o._canRemoveItem(t[e])&&e>-1){o.props.onItemsDeleted&&o.props.onItemsDeleted([t[e]]);var n=t.slice(0,e).concat(t.slice(e+1));o.updateItems(n)}},o.removeItem=function(e){var t=o.state.items.indexOf(e);o.removeItemAt(t)},o.replaceItem=function(e,t){var n=o.state.items,r=n.indexOf(e);if(r>-1){var i=n.slice(0,r).concat(t).concat(n.slice(r+1));o.updateItems(i)}},o.removeItems=function(e){var t=o.state.items,n=e.filter((function(e){return o._canRemoveItem(e)})),r=t.filter((function(e){return-1===n.indexOf(e)})),i=n[0],a=t.indexOf(i);o.props.onItemsDeleted&&o.props.onItemsDeleted(n),o.updateItems(r,a)},o.onCopy=function(e){if(o.props.onCopyItems&&o.selection.getSelectedCount()>0){var t=o.selection.getSelection();o.copyItems(t)}},o.renderItems=function(){var e=o.props.removeButtonAriaLabel,t=o.props.onRenderItem;return o.state.items.map((function(n,r){return t({item:n,index:r,key:n.key?n.key:r,selected:o.selection.isIndexSelected(r),onRemoveItem:function(){return o.removeItem(n)},onItemChange:o.onItemChange,removeButtonAriaLabel:e,onCopyItem:function(e){return o.copyItems([e])}})}))},o.onSelectionChanged=function(){o.forceUpdate()},o.onItemChange=function(e,t){var n=o.state.items;if(t>=0){var r=n;r[t]=e,o.updateItems(r)}},(0,P.l)(o);var n=t.selectedItems||t.defaultSelectedItems||[];return o.state={items:n},o._defaultSelection=new nn.Y({onSelectionChanged:o.onSelectionChanged}),o}return(0,l.ZT)(t,e),t.getDerivedStateFromProps=function(e){return e.selectedItems?{items:e.selectedItems}:null},Object.defineProperty(t.prototype,"items",{get:function(){return this.state.items},enumerable:!0,configurable:!0}),t.prototype.removeSelectedItems=function(){this.state.items.length&&this.selection.getSelectedCount()>0&&this.removeItems(this.selection.getSelection())},t.prototype.updateItems=function(e,t){var o=this;this.props.selectedItems?this.onChange(e):this.setState({items:e},(function(){o._onSelectedItemsUpdated(e,t)}))},t.prototype.hasSelectedItems=function(){return this.selection.getSelectedCount()>0},t.prototype.componentDidUpdate=function(e,t){this.state.items&&this.state.items!==t.items&&this.selection.setItems(this.state.items)},t.prototype.unselectAll=function(){this.selection.setAllSelected(!1)},t.prototype.highlightedItems=function(){return this.selection.getSelection()},t.prototype.componentDidMount=function(){this.selection.setItems(this.state.items)},Object.defineProperty(t.prototype,"selection",{get:function(){var e;return null!=(e=this.props.selection)?e:this._defaultSelection},enumerable:!0,configurable:!0}),t.prototype.render=function(){return this.renderItems()},t.prototype.onChange=function(e){this.props.onChange&&this.props.onChange(e)},t.prototype.copyItems=function(e){if(this.props.onCopyItems){var t=this.props.onCopyItems(e),o=document.createElement("input");document.body.appendChild(o);try{if(o.value=t,o.select(),!document.execCommand("copy"))throw new Error}catch(e){}finally{document.body.removeChild(o)}}},t.prototype._onSelectedItemsUpdated=function(e,t){this.onChange(e)},t.prototype._canRemoveItem=function(e){return!this.props.canRemoveItem||this.props.canRemoveItem(e)},t}(c.Component);(0,Xi.RM)([{rawString:".personaContainer_e3941fa3{border-radius:15px;display:-webkit-inline-box;display:-ms-inline-flexbox;display:inline-flex;-webkit-box-align:center;-ms-flex-align:center;align-items:center;background:"},{theme:"themeLighterAlt",defaultValue:"#eff6fc"},{rawString:";margin:4px;cursor:default;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;vertical-align:middle;position:relative}.personaContainer_e3941fa3::-moz-focus-inner{border:0}.personaContainer_e3941fa3{outline:transparent}.personaContainer_e3941fa3{position:relative}.ms-Fabric--isFocusVisible .personaContainer_e3941fa3:focus:after{-webkit-box-sizing:border-box;box-sizing:border-box;content:'';position:absolute;top:-2px;right:-2px;bottom:-2px;left:-2px;pointer-events:none;border:1px solid "},{theme:"focusBorder",defaultValue:"#605e5c"},{rawString:";border-radius:0}.personaContainer_e3941fa3 .ms-Persona-primaryText{color:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:";font-size:14px;font-weight:400}.personaContainer_e3941fa3 .ms-Persona-primaryText.hover_e3941fa3{color:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:"}@media screen and (-ms-high-contrast:active){.personaContainer_e3941fa3 .ms-Persona-primaryText{color:HighlightText}}.personaContainer_e3941fa3 .actionButton_e3941fa3:hover{background:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:"}.personaContainer_e3941fa3 .actionButton_e3941fa3 .ms-Button-icon{color:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:"}@media screen and (-ms-high-contrast:active){.personaContainer_e3941fa3 .actionButton_e3941fa3 .ms-Button-icon{color:HighlightText}}.personaContainer_e3941fa3:hover{background:"},{theme:"themeLighter",defaultValue:"#deecf9"},{rawString:"}.personaContainer_e3941fa3:hover .ms-Persona-primaryText{color:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:";font-size:14px;font-weight:400}@media screen and (-ms-high-contrast:active){.personaContainer_e3941fa3:hover .ms-Persona-primaryText{color:HighlightText}}.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3{background:"},{theme:"themePrimary",defaultValue:"#0078d4"},{rawString:"}.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3 .ms-Persona-primaryText{color:"},{theme:"white",defaultValue:"#ffffff"},{rawString:"}@media screen and (-ms-high-contrast:active){.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3 .ms-Persona-primaryText{color:HighlightText}}.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3 .actionButton_e3941fa3{color:"},{theme:"white",defaultValue:"#ffffff"},{rawString:"}.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3 .actionButton_e3941fa3 .ms-Button-icon{color:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:"}.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3 .actionButton_e3941fa3 .ms-Button-icon:hover{background:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:"}@media screen and (-ms-high-contrast:active){.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3 .actionButton_e3941fa3 .ms-Button-icon{color:HighlightText}}@media screen and (-ms-high-contrast:active){.personaContainer_e3941fa3.personaContainerIsSelected_e3941fa3{border-color:Highlight;background:Highlight;-ms-high-contrast-adjust:none}}.personaContainer_e3941fa3.validationError_e3941fa3 .ms-Persona-primaryText{color:"},{theme:"red",defaultValue:"#e81123"},{rawString:"}.personaContainer_e3941fa3.validationError_e3941fa3 .ms-Persona-initials{font-size:20px}@media screen and (-ms-high-contrast:active){.personaContainer_e3941fa3{border:1px solid WindowText}}.personaContainer_e3941fa3 .itemContent_e3941fa3{-webkit-box-flex:0;-ms-flex:0 1 auto;flex:0 1 auto;min-width:0;max-width:100%}.personaContainer_e3941fa3 .removeButton_e3941fa3{border-radius:15px;-webkit-box-flex:0;-ms-flex:0 0 auto;flex:0 0 auto;width:33px;height:33px;-ms-flex-preferred-size:32px;flex-basis:32px}.personaContainer_e3941fa3 .expandButton_e3941fa3{border-radius:15px 0 0 15px;height:33px;width:44px;padding-right:16px;position:inherit;display:-webkit-box;display:-ms-flexbox;display:flex;margin-right:-17px}.personaContainer_e3941fa3 .personaWrapper_e3941fa3{position:relative;display:inherit}.personaContainer_e3941fa3 .personaWrapper_e3941fa3 .ms-Persona-details{padding:0 8px}.personaContainer_e3941fa3 .personaDetails_e3941fa3{-webkit-box-flex:0;-ms-flex:0 1 auto;flex:0 1 auto}.itemContainer_e3941fa3{display:inline-block;vertical-align:top}"}]);var vc="personaContainer_e3941fa3",bc="hover_e3941fa3",yc="actionButton_e3941fa3",_c="personaContainerIsSelected_e3941fa3",Cc="validationError_e3941fa3",Sc="itemContent_e3941fa3",xc="removeButton_e3941fa3",kc="expandButton_e3941fa3",wc="personaWrapper_e3941fa3",Ic="personaDetails_e3941fa3",Dc="itemContainer_e3941fa3",Tc=s,Ec=function(e){function t(t){var o=e.call(this,t)||this;return o.persona=c.createRef(),(0,P.l)(o),o.state={contextualMenuVisible:!1},o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e,t,o=this.props,n=o.item,r=o.onExpandItem,i=o.onRemoveItem,a=o.removeButtonAriaLabel,s=o.index,u=o.selected,d=(0,dn.z)();return c.createElement("div",{ref:this.persona,className:(0,pt.i)("ms-PickerPersona-container",Tc.personaContainer,(e={},e["is-selected "+Tc.personaContainerIsSelected]=u,e),(t={},t["is-invalid "+Tc.validationError]=!n.isValid,t)),"data-is-focusable":!0,"data-is-sub-focuszone":!0,"data-selection-index":s,role:"listitem","aria-labelledby":"selectedItemPersona-"+d},c.createElement("div",{hidden:!n.canExpand||void 0===r},c.createElement(V.h,{onClick:this._onClickIconButton(r),iconProps:{iconName:"Add",style:{fontSize:"14px"}},className:(0,pt.i)("ms-PickerItem-removeButton",Tc.expandButton,Tc.actionButton),ariaLabel:a})),c.createElement("div",{className:(0,pt.i)(Tc.personaWrapper)},c.createElement("div",{className:(0,pt.i)("ms-PickerItem-content",Tc.itemContent),id:"selectedItemPersona-"+d},c.createElement(ua.I,(0,l.pi)({},n,{onRenderCoin:this.props.renderPersonaCoin,onRenderPrimaryText:this.props.renderPrimaryText,size:C.Ir.size32}))),c.createElement(V.h,{onClick:this._onClickIconButton(i),iconProps:{iconName:"Cancel",style:{fontSize:"14px"}},className:(0,pt.i)("ms-PickerItem-removeButton",Tc.removeButton,Tc.actionButton),ariaLabel:a})))},t.prototype._onClickIconButton=function(e){return function(t){t.stopPropagation(),t.preventDefault(),e&&e()}},t}(c.Component),Pc=function(e){function t(t){var o=e.call(this,t)||this;return o.itemElement=c.createRef(),o._onClick=function(e){e.preventDefault(),o.props.beginEditing&&!o.props.item.isValid?o.props.beginEditing(o.props.item):o.setState({contextualMenuVisible:!0})},o._onCloseContextualMenu=function(e){o.setState({contextualMenuVisible:!1})},(0,P.l)(o),o.state={contextualMenuVisible:!1},o}return(0,l.ZT)(t,e),t.prototype.render=function(){return c.createElement("div",{ref:this.itemElement,onContextMenu:this._onClick},this.props.renderedItem,this.state.contextualMenuVisible?c.createElement(Go.r,{items:this.props.menuItems,shouldFocusOnMount:!0,target:this.itemElement.current,onDismiss:this._onCloseContextualMenu,directionalHint:K.b.bottomLeftEdge}):null)},t}(c.Component),Mc={root:"ms-EditingItem",input:"ms-EditingItem-input"},Rc=function(e){var t=(0,u.gh)();if(!t)throw new Error("theme is undefined or null in Editing item getStyles function.");var o=t.semanticColors,n=(0,u.Cn)(Mc,t);return{root:[n.root,{margin:"4px"}],input:[n.input,{border:"0px",outline:"none",width:"100%",backgroundColor:o.inputBackground,color:o.inputText,selectors:{"::-ms-clear":{display:"none"}}}]}},Nc=function(e){function t(t){var o=e.call(this,t)||this;return o._editingFloatingPicker=c.createRef(),o._renderEditingSuggestions=function(){var e=o.props.onRenderFloatingPicker,t=o.props.floatingPickerProps;return e&&t?c.createElement(e,(0,l.pi)({componentRef:o._editingFloatingPicker,onChange:o._onSuggestionSelected,inputElement:o._editingInput,selectedItems:[]},t)):c.createElement(c.Fragment,null)},o._resolveInputRef=function(e){o._editingInput=e,o.forceUpdate((function(){o._editingInput.focus()}))},o._onInputClick=function(){o._editingFloatingPicker.current&&o._editingFloatingPicker.current.showPicker(!0)},o._onInputBlur=function(e){if(o._editingFloatingPicker.current&&null!==e.relatedTarget){var t=e.relatedTarget;-1===t.className.indexOf("ms-Suggestions-itemButton")&&-1===t.className.indexOf("ms-Suggestions-sectionButton")&&o._editingFloatingPicker.current.forceResolveSuggestion()}},o._onInputChange=function(e){var t=e.target.value;""===t?o.props.onRemoveItem&&o.props.onRemoveItem():o._editingFloatingPicker.current&&o._editingFloatingPicker.current.onQueryStringChanged(t)},o._onSuggestionSelected=function(e){o.props.onEditingComplete(o.props.item,e)},(0,P.l)(o),o.state={contextualMenuVisible:!1},o}return(0,l.ZT)(t,e),t.prototype.componentDidMount=function(){var e=(0,this.props.getEditingItemText)(this.props.item);this._editingFloatingPicker.current&&this._editingFloatingPicker.current.onQueryStringChanged(e),this._editingInput.value=e,this._editingInput.focus()},t.prototype.render=function(){var e=(0,dn.z)(),t=(0,E.pq)(this.props,E.Gg),o=(0,D.y)()(Rc);return c.createElement("div",{"aria-labelledby":"editingItemPersona-"+e,className:o.root},c.createElement("input",(0,l.pi)({autoCapitalize:"off",autoComplete:"off"},t,{ref:this._resolveInputRef,onChange:this._onInputChange,onKeyDown:this._onInputKeyDown,onBlur:this._onInputBlur,onClick:this._onInputClick,"data-lpignore":!0,className:o.input,id:e})),this._renderEditingSuggestions())},t.prototype._onInputKeyDown=function(e){e.which!==rt.m.backspace&&e.which!==rt.m.del||e.stopPropagation()},t}(c.Component),Bc=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,l.ZT)(t,e),t}(fc),Fc=function(e){function t(){var t=null!==e&&e.apply(this,arguments)||this;return t.renderItems=function(){return t.state.items.map((function(e,o){return t._renderItem(e,o)}))},t._beginEditing=function(e){e.isEditing=!0,t.forceUpdate()},t._completeEditing=function(e,o){e.isEditing=!1,t.replaceItem(e,o)},t}return(0,l.ZT)(t,e),t.prototype._renderItem=function(e,t){var o=this,n=this.props.removeButtonAriaLabel,r=this.props.onExpandGroup,i={item:e,index:t,key:e.key?e.key:t,selected:this.selection.isIndexSelected(t),onRemoveItem:function(){return o.removeItem(e)},onItemChange:this.onItemChange,removeButtonAriaLabel:n,onCopyItem:function(e){return o.copyItems([e])},onExpandItem:r?function(){return r(e)}:void 0,menuItems:this._createMenuItems(e)},a=i.menuItems.length>0;if(e.isEditing&&a)return c.createElement(Nc,(0,l.pi)({},i,{onRenderFloatingPicker:this.props.onRenderFloatingPicker,floatingPickerProps:this.props.floatingPickerProps,onEditingComplete:this._completeEditing,getEditingItemText:this.props.getEditingItemText}));var s=(0,this.props.onRenderItem)(i);return a?c.createElement(Pc,{key:i.key,renderedItem:s,beginEditing:this._beginEditing,menuItems:this._createMenuItems(i.item),item:i.item}):s},t.prototype._createMenuItems=function(e){var t=this,o=[];return this.props.editMenuItemText&&this.props.getEditingItemText&&o.push({key:"Edit",text:this.props.editMenuItemText,onClick:function(e,o){t._beginEditing(o.data)},data:e}),this.props.removeMenuItemText&&o.push({key:"Remove",text:this.props.removeMenuItemText,onClick:function(e,o){t.removeItem(o.data)},data:e}),this.props.copyMenuItemText&&o.push({key:"Copy",text:this.props.copyMenuItemText,onClick:function(e,o){t.props.onCopyItems&&t.copyItems([o.data])},data:e}),o},t.defaultProps={onRenderItem:function(e){return c.createElement(Ec,(0,l.pi)({},e))}},t}(Bc),Lc=(0,D.y)(),Ac=c.forwardRef((function(e,t){var o=e.styles,n=e.theme,r=e.className,i=e.vertical,a=e.alignContent,s=e.children,l=Lc(o,{theme:n,className:r,alignContent:a,vertical:i});return c.createElement("div",{className:l.root,ref:t},c.createElement("div",{className:l.content,role:"separator","aria-orientation":i?"vertical":"horizontal"},s))})),zc=(0,I.z)(Ac,(function(e){var t,o,n=e.theme,r=e.alignContent,i=e.vertical,a=e.className,s="start"===r,l="center"===r,c="end"===r;return{root:[n.fonts.medium,{position:"relative"},r&&{textAlign:r},!r&&{textAlign:"center"},i&&(l||!r)&&{verticalAlign:"middle"},i&&s&&{verticalAlign:"top"},i&&c&&{verticalAlign:"bottom"},i&&{padding:"0 4px",height:"inherit",display:"table-cell",zIndex:1,selectors:{":after":(t={backgroundColor:n.palette.neutralLighter,width:"1px",content:'""',position:"absolute",top:"0",bottom:"0",left:"50%",right:"0",zIndex:-1},t[u.qJ]={backgroundColor:"WindowText"},t)}},!i&&{padding:"4px 0",selectors:{":before":(o={backgroundColor:n.palette.neutralLighter,height:"1px",content:'""',display:"block",position:"absolute",top:"50%",bottom:"0",left:"0",right:"0"},o[u.qJ]={backgroundColor:"WindowText"},o)}},a],content:[{position:"relative",display:"inline-block",padding:"0 12px",color:n.semanticColors.bodyText,background:n.semanticColors.bodyBackground},i&&{padding:"12px 0"}]}}),void 0,{scope:"Separator"});zc.displayName="Separator";var Hc,Oc,Wc={root:"ms-Shimmer-container",shimmerWrapper:"ms-Shimmer-shimmerWrapper",shimmerGradient:"ms-Shimmer-shimmerGradient",dataWrapper:"ms-Shimmer-dataWrapper"},Vc=(0,d.NF)((function(){return(0,u.F4)({"0%":{transform:"translateX(-100%)"},"100%":{transform:"translateX(100%)"}})})),Kc=(0,d.NF)((function(){return(0,u.F4)({"100%":{transform:"translateX(-100%)"},"0%":{transform:"translateX(100%)"}})}));!function(e){e[e.line=1]="line",e[e.circle=2]="circle",e[e.gap=3]="gap"}(Hc||(Hc={})),function(e){e[e.line=16]="line",e[e.gap=16]="gap",e[e.circle=24]="circle"}(Oc||(Oc={}));var qc=(0,D.y)(),Gc=function(e){var t=e.height,o=e.styles,n=e.width,r=void 0===n?"100%":n,i=e.borderStyle,a=e.theme,s=qc(o,{theme:a,height:t,borderStyle:i});return c.createElement("div",{style:{width:r,minWidth:"number"==typeof r?r+"px":"auto"},className:s.root},c.createElement("svg",{width:"2",height:"2",className:s.topLeftCorner},c.createElement("path",{d:"M0 2 A 2 2, 0, 0, 1, 2 0 L 0 0 Z"})),c.createElement("svg",{width:"2",height:"2",className:s.topRightCorner},c.createElement("path",{d:"M0 0 A 2 2, 0, 0, 1, 2 2 L 2 0 Z"})),c.createElement("svg",{width:"2",height:"2",className:s.bottomRightCorner},c.createElement("path",{d:"M2 0 A 2 2, 0, 0, 1, 0 2 L 2 2 Z"})),c.createElement("svg",{width:"2",height:"2",className:s.bottomLeftCorner},c.createElement("path",{d:"M2 2 A 2 2, 0, 0, 1, 0 0 L 0 2 Z"})))},Uc={root:"ms-ShimmerLine-root",topLeftCorner:"ms-ShimmerLine-topLeftCorner",topRightCorner:"ms-ShimmerLine-topRightCorner",bottomLeftCorner:"ms-ShimmerLine-bottomLeftCorner",bottomRightCorner:"ms-ShimmerLine-bottomRightCorner"},jc=(0,I.z)(Gc,(function(e){var t,o=e.height,n=e.borderStyle,r=e.theme,i=r.semanticColors,a=(0,u.Cn)(Uc,r),s=n||{},l={position:"absolute",fill:i.bodyBackground};return{root:[a.root,r.fonts.medium,{height:o+"px",boxSizing:"content-box",position:"relative",borderTopStyle:"solid",borderBottomStyle:"solid",borderColor:i.bodyBackground,borderWidth:0,selectors:(t={},t[u.qJ]={borderColor:"Window",selectors:{"> *":{fill:"Window"}}},t)},s],topLeftCorner:[a.topLeftCorner,{top:"0",left:"0"},l],topRightCorner:[a.topRightCorner,{top:"0",right:"0"},l],bottomRightCorner:[a.bottomRightCorner,{bottom:"0",right:"0"},l],bottomLeftCorner:[a.bottomLeftCorner,{bottom:"0",left:"0"},l]}}),void 0,{scope:"ShimmerLine"}),Jc=(0,D.y)(),Yc=function(e){var t=e.height,o=e.styles,n=e.width,r=void 0===n?"10px":n,i=e.borderStyle,a=e.theme,s=Jc(o,{theme:a,height:t,borderStyle:i});return c.createElement("div",{style:{width:r,minWidth:"number"==typeof r?r+"px":"auto"},className:s.root})},Zc={root:"ms-ShimmerGap-root"},Xc=(0,I.z)(Yc,(function(e){var t,o=e.height,n=e.borderStyle,r=e.theme,i=r.semanticColors,a=n||{};return{root:[(0,u.Cn)(Zc,r).root,r.fonts.medium,{backgroundColor:i.bodyBackground,height:o+"px",boxSizing:"content-box",borderTopStyle:"solid",borderBottomStyle:"solid",borderColor:i.bodyBackground,selectors:(t={},t[u.qJ]={backgroundColor:"Window",borderColor:"Window"},t)},a]}}),void 0,{scope:"ShimmerGap"}),Qc={root:"ms-ShimmerCircle-root",svg:"ms-ShimmerCircle-svg"},$c=(0,D.y)(),eu=function(e){var t=e.height,o=e.styles,n=e.borderStyle,r=e.theme,i=$c(o,{theme:r,height:t,borderStyle:n});return c.createElement("div",{className:i.root},c.createElement("svg",{viewBox:"0 0 10 10",width:t,height:t,className:i.svg},c.createElement("path",{d:"M0,0 L10,0 L10,10 L0,10 L0,0 Z M0,5 C0,7.76142375 2.23857625,10 5,10 C7.76142375,10 10,7.76142375 10,5 C10,2.23857625 7.76142375,2.22044605e-16 5,0 C2.23857625,-2.22044605e-16 0,2.23857625 0,5 L0,5 Z"})))},tu=(0,I.z)(eu,(function(e){var t,o,n=e.height,r=e.borderStyle,i=e.theme,a=i.semanticColors,s=(0,u.Cn)(Qc,i),l=r||{};return{root:[s.root,i.fonts.medium,{width:n+"px",height:n+"px",minWidth:n+"px",boxSizing:"content-box",borderTopStyle:"solid",borderBottomStyle:"solid",borderColor:a.bodyBackground,selectors:(t={},t[u.qJ]={borderColor:"Window"},t)},l],svg:[s.svg,{display:"block",fill:a.bodyBackground,selectors:(o={},o[u.qJ]={fill:"Window"},o)}]}}),void 0,{scope:"ShimmerCircle"}),ou=(0,D.y)(),nu=function(e){var t=e.styles,o=e.width,n=void 0===o?"auto":o,r=e.shimmerElements,i=e.rowHeight,a=void 0===i?function(e){return e.map((function(e){switch(e.type){case Hc.circle:e.height||(e.height=Oc.circle);break;case Hc.line:e.height||(e.height=Oc.line);break;case Hc.gap:e.height||(e.height=Oc.gap)}return e})).reduce((function(e,t){return t.height&&t.height>e?t.height:e}),0)}(r||[]):i,s=e.flexWrap,u=void 0!==s&&s,d=e.theme,p=e.backgroundColor,m=ou(t,{theme:d,flexWrap:u});return c.createElement("div",{style:{width:n},className:m.root},function(e,t,o){return e?e.map((function(e,n){var r=e.type,i=(0,l._T)(e,["type"]),a=i.verticalAlign,s=i.height,u=ru(a,r,s,t,o);switch(e.type){case Hc.circle:return c.createElement(tu,(0,l.pi)({key:n},i,{styles:u}));case Hc.gap:return c.createElement(Xc,(0,l.pi)({key:n},i,{styles:u}));case Hc.line:return c.createElement(jc,(0,l.pi)({key:n},i,{styles:u}))}})):c.createElement(jc,{height:Oc.line})}(r,p,a))},ru=(0,d.NF)((function(e,t,o,n,r){var i,a=r&&o?r-o:0;if(e&&"center"!==e?e&&"top"===e?i={borderBottomWidth:a+"px",borderTopWidth:"0px"}:e&&"bottom"===e&&(i={borderBottomWidth:"0px",borderTopWidth:a+"px"}):i={borderBottomWidth:(a?Math.floor(a/2):0)+"px",borderTopWidth:(a?Math.ceil(a/2):0)+"px"},n)switch(t){case Hc.circle:return{root:(0,l.pi)((0,l.pi)({},i),{borderColor:n}),svg:{fill:n}};case Hc.gap:return{root:(0,l.pi)((0,l.pi)({},i),{borderColor:n,backgroundColor:n})};case Hc.line:return{root:(0,l.pi)((0,l.pi)({},i),{borderColor:n}),topLeftCorner:{fill:n},topRightCorner:{fill:n},bottomLeftCorner:{fill:n},bottomRightCorner:{fill:n}}}return{root:i}})),iu={root:"ms-ShimmerElementsGroup-root"},au=(0,I.z)(nu,(function(e){var t=e.flexWrap,o=e.theme;return{root:[(0,u.Cn)(iu,o).root,o.fonts.medium,{display:"flex",alignItems:"center",flexWrap:t?"wrap":"nowrap",position:"relative"}]}}),void 0,{scope:"ShimmerElementsGroup"}),su=(0,D.y)(),lu=c.forwardRef((function(e,t){var o=e.styles,n=e.shimmerElements,r=e.children,i=e.width,a=e.className,s=e.customElementsGroup,u=e.theme,d=e.ariaLabel,p=e.shimmerColors,m=e.isDataLoaded,h=void 0!==m&&m,g=(0,E.pq)(e,E.n7),f=su(o,{theme:u,isDataLoaded:h,className:a,transitionAnimationInterval:200,shimmerColor:p&&p.shimmer,shimmerWaveColor:p&&p.shimmerWave}),v=(0,q.B)({lastTimeoutId:0}),b=(0,Ct.L)(),y=b.setTimeout,_=b.clearTimeout,C=c.useState(h),S=C[0],x=C[1],k={width:i||"100%"};return c.useEffect((function(){if(h!==S){if(h)return v.lastTimeoutId=y((function(){x(!0)}),200),function(){return _(v.lastTimeoutId)};x(!1)}}),[h]),c.createElement("div",(0,l.pi)({},g,{className:f.root,ref:t}),!S&&c.createElement("div",{style:k,className:f.shimmerWrapper},c.createElement("div",{className:f.shimmerGradient}),s||c.createElement(au,{shimmerElements:n,backgroundColor:p&&p.background})),r&&c.createElement("div",{className:f.dataWrapper},r),d&&!h&&c.createElement("div",{role:"status","aria-live":"polite"},c.createElement(Us.U,null,c.createElement("div",{className:f.screenReaderText},d))))}));lu.displayName="Shimmer";var cu=(0,I.z)(lu,(function(e){var t,o=e.isDataLoaded,n=e.className,r=e.theme,i=e.transitionAnimationInterval,a=e.shimmerColor,s=e.shimmerWaveColor,c=r.semanticColors,d=(0,u.Cn)(Wc,r),p=(0,T.zg)(r);return{root:[d.root,r.fonts.medium,{position:"relative",height:"auto"},n],shimmerWrapper:[d.shimmerWrapper,{position:"relative",overflow:"hidden",transform:"translateZ(0)",backgroundColor:a||c.disabledBackground,transition:"opacity "+i+"ms",selectors:(t={"> *":{transform:"translateZ(0)"}},t[u.qJ]=(0,l.pi)({background:"WindowText\n linear-gradient(\n to right,\n transparent 0%,\n Window 50%,\n transparent 100%)\n 0 0 / 90% 100%\n no-repeat"},(0,u.xM)()),t)},o&&{opacity:"0",position:"absolute",top:"0",bottom:"0",left:"0",right:"0"}],shimmerGradient:[d.shimmerGradient,{position:"absolute",top:0,left:0,width:"100%",height:"100%",background:(a||c.disabledBackground)+"\n linear-gradient(\n to right,\n "+(a||c.disabledBackground)+" 0%,\n "+(s||c.bodyDivider)+" 50%,\n "+(a||c.disabledBackground)+" 100%)\n 0 0 / 90% 100%\n no-repeat",transform:"translateX(-100%)",animationDuration:"2s",animationTimingFunction:"ease-in-out",animationDirection:"normal",animationIterationCount:"infinite",animationName:p?Kc():Vc()}],dataWrapper:[d.dataWrapper,{position:"absolute",top:"0",bottom:"0",left:"0",right:"0",opacity:"0",background:"none",backgroundColor:"transparent",border:"none",transition:"opacity "+i+"ms"},o&&{opacity:"1",position:"static"}],screenReaderText:u.ul}}),void 0,{scope:"Shimmer"}),uu=(0,D.y)(),du=function(e){function t(t){var o=e.call(this,t)||this;return o._onRenderShimmerPlaceholder=function(e,t){var n=o.props.onRenderCustomPlaceholder,r=n?n(t,e,o._renderDefaultShimmerPlaceholder):o._renderDefaultShimmerPlaceholder(t);return c.createElement(cu,{customElementsGroup:r})},o._renderDefaultShimmerPlaceholder=function(e){var t=e.columns,o=e.compact,n=e.selectionMode,r=e.checkboxVisibility,i=e.cellStyleProps,a=void 0===i?hn:i,s=gn.rowHeight,l=gn.compactRowHeight,u=o?l:s+1,d=[];return n!==on.oW.none&&r!==un.hidden&&d.push(c.createElement(au,{key:"checkboxGap",shimmerElements:[{type:Hc.gap,width:"40px",height:u}]})),t.forEach((function(e,t){var o=[],n=a.cellLeftPadding+a.cellRightPadding+e.calculatedWidth+(e.isPadded?a.cellExtraRightPadding:0);o.push({type:Hc.gap,width:a.cellLeftPadding,height:u}),e.isIconOnly?(o.push({type:Hc.line,width:e.calculatedWidth,height:e.calculatedWidth}),o.push({type:Hc.gap,width:a.cellRightPadding,height:u})):(o.push({type:Hc.line,width:.95*e.calculatedWidth,height:7}),o.push({type:Hc.gap,width:a.cellRightPadding+(e.calculatedWidth-.95*e.calculatedWidth)+(e.isPadded?a.cellExtraRightPadding:0),height:u})),d.push(c.createElement(au,{key:t,width:n+"px",shimmerElements:o}))})),d.push(c.createElement(au,{key:"endGap",width:"100%",shimmerElements:[{type:Hc.gap,width:"100%",height:u}]})),c.createElement("div",{style:{display:"flex"}},d)},o._shimmerItems=t.shimmerLines?new Array(t.shimmerLines):new Array(10),o}return(0,l.ZT)(t,e),t.prototype.render=function(){var e=this.props,t=e.detailsListStyles,o=e.enableShimmer,n=e.items,r=e.listProps,i=(e.onRenderCustomPlaceholder,e.removeFadingOverlay),a=(e.shimmerLines,e.styles),s=e.theme,u=e.ariaLabelForGrid,d=e.ariaLabelForShimmer,p=(0,l._T)(e,["detailsListStyles","enableShimmer","items","listProps","onRenderCustomPlaceholder","removeFadingOverlay","shimmerLines","styles","theme","ariaLabelForGrid","ariaLabelForShimmer"]),m=r&&r.className;this._classNames=uu(a,{theme:s});var h=(0,l.pi)((0,l.pi)({},r),{className:o&&!i?(0,pt.i)(this._classNames.root,m):m});return c.createElement(xr,(0,l.pi)({},p,{styles:t,items:o?this._shimmerItems:n,isPlaceholderData:o,ariaLabelForGrid:o&&d||u,onRenderMissingItem:this._onRenderShimmerPlaceholder,listProps:h}))},t}(c.Component),pu=(0,I.z)(du,(function(e){var t=e.theme.palette;return{root:{position:"relative",selectors:{":after":{content:'""',position:"absolute",top:0,right:0,bottom:0,left:0,backgroundImage:"linear-gradient(to bottom, transparent 30%, "+t.whiteTranslucent40+" 65%,"+t.white+" 100%)"}}}}}),void 0,{scope:"ShimmeredDetailsList"}),mu=o(4107),hu=o(9379),gu=o(3134),fu=o(998),vu=o(6315),bu=o(6362),yu=o(9444),_u=l.pi;function Cu(e,t){for(var o=[],n=2;n0)throw new Error("Any module using getSlots must use withSlots. Please see withSlots javadoc for more info.");return wu(t[e],o,n[e],n.slots&&n.slots[e],n._defaultStyles&&n._defaultStyles[e],n.theme)};r.isSlot=!0,o[e]=r}};for(var i in t)r(i);return o}function wu(e,t,o,n,r,i){return void 0!==e.create?e.create(t,o,n,r):xu(e)(t,o,n,r,i)}var Iu=o(7576),Du=o(1767);function Tu(e,t){void 0===t&&(t={});var o=t.factoryOptions,n=(void 0===o?{}:o).defaultProp,r=function(o){var n,r,i,a,s=(n=t.displayName,r=c.useContext(Iu.i),i=t.fields,a=["theme","styles","tokens"],Du.X.getSettings(i||a,n,r.customizations)),d=t.state;d&&(o=(0,l.pi)((0,l.pi)({},o),d(o)));var p=o.theme||s.theme,m=Eu(o,p,t.tokens,s.tokens,o.tokens),h=function(e,t,o){for(var n=[],r=3;r2)return{rowGap:{value:0,unit:"px"},columnGap:{value:0,unit:"px"}};if(2===o.length)return{rowGap:Fu(Bu(o[0],t)),columnGap:Fu(Bu(o[1],t))};var n=Fu(Bu(e,t));return{rowGap:n,columnGap:n}}(S,t),D=I.rowGap,T=I.columnGap,E=""+-.5*T.value+T.unit,P=""+-.5*D.value+D.unit,M={textOverflow:"ellipsis"},R={"> *:not(.ms-StackItem)":{flexShrink:y?0:1}};return f?{root:[C.root,{flexWrap:"wrap",maxWidth:k,maxHeight:x,width:"auto",overflow:"visible",height:"100%"},v&&(n={},n[m?"justifyContent":"alignItems"]=Au[v]||v,n),b&&(r={},r[m?"alignItems":"justifyContent"]=Au[b]||b,r),_,{display:"flex"},m&&{height:p?"100%":"auto"}],inner:[C.inner,{display:"flex",flexWrap:"wrap",marginLeft:E,marginRight:E,marginTop:P,marginBottom:P,overflow:"visible",boxSizing:"border-box",padding:Lu(w,t),width:0===T.value?"100%":"calc(100% + "+T.value+T.unit+")",maxWidth:"100vw",selectors:(0,l.pi)({"> *":(0,l.pi)({margin:""+.5*D.value+D.unit+" "+.5*T.value+T.unit},M)},R)},v&&(i={},i[m?"justifyContent":"alignItems"]=Au[v]||v,i),b&&(a={},a[m?"alignItems":"justifyContent"]=Au[b]||b,a),m&&{flexDirection:h?"row-reverse":"row",height:0===D.value?"100%":"calc(100% + "+D.value+D.unit+")",selectors:{"> *":{maxWidth:0===T.value?"100%":"calc(100% - "+T.value+T.unit+")"}}},!m&&{flexDirection:h?"column-reverse":"column",height:"calc(100% + "+D.value+D.unit+")",selectors:{"> *":{maxHeight:0===D.value?"100%":"calc(100% - "+D.value+D.unit+")"}}}]}:{root:[C.root,{display:"flex",flexDirection:m?h?"row-reverse":"row":h?"column-reverse":"column",flexWrap:"nowrap",width:"auto",height:p?"100%":"auto",maxWidth:k,maxHeight:x,padding:Lu(w,t),boxSizing:"border-box",selectors:(0,l.pi)((s={"> *":M},s[h?"> *:not(:last-child)":"> *:not(:first-child)"]=[m&&{marginLeft:""+T.value+T.unit},!m&&{marginTop:""+D.value+D.unit}],s),R)},g&&{flexGrow:!0===g?1:g},v&&(c={},c[m?"justifyContent":"alignItems"]=Au[v]||v,c),b&&(d={},d[m?"alignItems":"justifyContent"]=Au[b]||b,d),_]}},statics:{Item:Nu}});!function(e){e[e.Both=0]="Both",e[e.Header=1]="Header",e[e.Footer=2]="Footer"}(Pu||(Pu={}));var Ou=function(e){function t(t){var o=e.call(this,t)||this;return o._root=c.createRef(),o._stickyContentTop=c.createRef(),o._stickyContentBottom=c.createRef(),o._nonStickyContent=c.createRef(),o._placeHolder=c.createRef(),o.syncScroll=function(e){var t=o.nonStickyContent;t&&o.props.isScrollSynced&&(t.scrollLeft=e.scrollLeft)},o._getContext=function(){return o.context},o._onScrollEvent=function(e,t){if(o.root&&o.nonStickyContent){var n=o._getNonStickyDistanceFromTop(e),r=!1,i=!1;o.canStickyTop&&(r=n-o._getStickyDistanceFromTop()=o._getStickyDistanceFromTopForFooter(e,t)),document.activeElement&&o.nonStickyContent.contains(document.activeElement)&&(o.state.isStickyTop!==r||o.state.isStickyBottom!==i)?o._activeElement=document.activeElement:o._activeElement=void 0,o.setState({isStickyTop:o.canStickyTop&&r,isStickyBottom:i,distanceFromTop:n})}},o._getStickyDistanceFromTop=function(){var e=0;return o.stickyContentTop&&(e=o.stickyContentTop.offsetTop),e},o._getStickyDistanceFromTopForFooter=function(e,t){var n=0;return o.stickyContentBottom&&(n=e.clientHeight-t.offsetHeight+o.stickyContentBottom.offsetTop),n},o._getNonStickyDistanceFromTop=function(e){var t=0,n=o.root;if(n){for(;n&&n.offsetParent!==e;)t+=n.offsetTop,n=n.offsetParent;n&&n.offsetParent===e&&(t+=n.offsetTop)}return t},(0,P.l)(o),o.state={isStickyTop:!1,isStickyBottom:!1,distanceFromTop:void 0},o._activeElement=void 0,o}return(0,l.ZT)(t,e),Object.defineProperty(t.prototype,"root",{get:function(){return this._root.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"placeholder",{get:function(){return this._placeHolder.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"stickyContentTop",{get:function(){return this._stickyContentTop.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"stickyContentBottom",{get:function(){return this._stickyContentBottom.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"nonStickyContent",{get:function(){return this._nonStickyContent.current},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"canStickyTop",{get:function(){return this.props.stickyPosition===Pu.Both||this.props.stickyPosition===Pu.Header},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"canStickyBottom",{get:function(){return this.props.stickyPosition===Pu.Both||this.props.stickyPosition===Pu.Footer},enumerable:!0,configurable:!0}),t.prototype.componentDidMount=function(){var e=this._getContext().scrollablePane;e&&(e.subscribe(this._onScrollEvent),e.addSticky(this))},t.prototype.componentWillUnmount=function(){var e=this._getContext().scrollablePane;e&&(e.unsubscribe(this._onScrollEvent),e.removeSticky(this))},t.prototype.componentDidUpdate=function(e,t){var o=this._getContext().scrollablePane;if(o){var n=this.state,r=n.isStickyBottom,i=n.isStickyTop,a=n.distanceFromTop,s=!1;t.distanceFromTop!==a&&(o.sortSticky(this,!0),s=!0),t.isStickyTop===i&&t.isStickyBottom===r||(this._activeElement&&this._activeElement.focus(),o.updateStickyRefHeights(),s=!0),s&&o.syncScrollSticky(this)}},t.prototype.shouldComponentUpdate=function(e,t){if(!this.context.scrollablePane)return!0;var o=this.state,n=o.isStickyTop,r=o.isStickyBottom,i=o.distanceFromTop;return n!==t.isStickyTop||r!==t.isStickyBottom||this.props.stickyPosition!==e.stickyPosition||this.props.children!==e.children||i!==t.distanceFromTop||Wu(this._nonStickyContent,this._stickyContentTop)||Wu(this._nonStickyContent,this._stickyContentBottom)||Wu(this._nonStickyContent,this._placeHolder)},t.prototype.render=function(){var e=this.state,t=e.isStickyTop,o=e.isStickyBottom,n=this.props,r=n.stickyClassName,i=n.children;return this.context.scrollablePane?c.createElement("div",{ref:this._root},this.canStickyTop&&c.createElement("div",{ref:this._stickyContentTop,style:{pointerEvents:t?"auto":"none"}},c.createElement("div",{style:this._getStickyPlaceholderHeight(t)})),this.canStickyBottom&&c.createElement("div",{ref:this._stickyContentBottom,style:{pointerEvents:o?"auto":"none"}},c.createElement("div",{style:this._getStickyPlaceholderHeight(o)})),c.createElement("div",{style:this._getNonStickyPlaceholderHeightAndWidth(),ref:this._placeHolder},(t||o)&&c.createElement("span",{style:u.ul},i),c.createElement("div",{ref:this._nonStickyContent,className:t||o?r:void 0,style:this._getContentStyles(t||o)},i))):c.createElement("div",null,this.props.children)},t.prototype.addSticky=function(e){this.nonStickyContent&&e.appendChild(this.nonStickyContent)},t.prototype.resetSticky=function(){this.nonStickyContent&&this.placeholder&&this.placeholder.appendChild(this.nonStickyContent)},t.prototype.setDistanceFromTop=function(e){var t=this._getNonStickyDistanceFromTop(e);this.setState({distanceFromTop:t})},t.prototype._getContentStyles=function(e){return{backgroundColor:this.props.stickyBackgroundColor||this._getBackground(),overflow:e?"hidden":""}},t.prototype._getStickyPlaceholderHeight=function(e){var t=this.nonStickyContent?this.nonStickyContent.offsetHeight:0;return{visibility:e?"hidden":"visible",height:e?0:t}},t.prototype._getNonStickyPlaceholderHeightAndWidth=function(){var e=this.state,t=e.isStickyTop,o=e.isStickyBottom;if(t||o){var n=0,r=0;return this.nonStickyContent&&this.nonStickyContent.firstElementChild&&(n=this.nonStickyContent.offsetHeight,r=this.nonStickyContent.firstElementChild.scrollWidth+(this.nonStickyContent.firstElementChild.offsetWidth-this.nonStickyContent.firstElementChild.clientWidth)),{height:n,width:r}}return{}},t.prototype._getBackground=function(){if(this.root){for(var e=this.root;"rgba(0, 0, 0, 0)"===window.getComputedStyle(e).getPropertyValue("background-color")||"transparent"===window.getComputedStyle(e).getPropertyValue("background-color");){if("HTML"===e.tagName)return;e.parentElement&&(e=e.parentElement)}return window.getComputedStyle(e).getPropertyValue("background-color")}},t.defaultProps={stickyPosition:Pu.Both,isScrollSynced:!0},t.contextType=cc,t}(c.Component);function Wu(e,t){return e&&t&&e.current&&t.current&&e.current.offsetHeight!==t.current.offsetHeight}var Vu=o(9502),Ku=o(8621),qu=o(3624),Gu=o(1565),Uu=(0,D.y)(),ju=c.forwardRef((function(e,t){var o,n,r,i,a,s=c.useRef(null),u=(0,j.ky)(),d=(0,N.r)(s,t),p=e.illustrationImage,m=e.primaryButtonProps,h=e.secondaryButtonProps,g=e.headline,f=e.hasCondensedHeadline,v=e.hasCloseButton,b=void 0===v?e.hasCloseIcon:v,y=e.onDismiss,_=e.closeButtonAriaLabel,C=e.hasSmallHeadline,S=e.isWide,x=e.styles,k=e.theme,w=e.ariaDescribedBy,I=e.ariaLabelledBy,D=e.footerContent,T=e.focusTrapZoneProps,E=Uu(x,{theme:k,hasCondensedHeadline:f,hasSmallHeadline:C,hasCloseButton:b,hasHeadline:!!g,isWide:S,primaryButtonClassName:m?m.className:void 0,secondaryButtonClassName:h?h.className:void 0}),P=c.useCallback((function(e){y&&e.which===rt.m.escape&&y(e)}),[y]);if((0,U.d)(u,"keydown",P),p&&p.src&&(o=c.createElement("div",{className:E.imageContent},c.createElement(Ti.E,(0,l.pi)({},p)))),g){var M="string"==typeof g?"p":"div";n=c.createElement("div",{className:E.header},c.createElement(M,{role:"heading",className:E.headline,id:I},g))}if(e.children){var R="string"==typeof e.children?"p":"div";r=c.createElement("div",{className:E.body},c.createElement(R,{className:E.subText,id:w},e.children))}return(m||h||D)&&(i=c.createElement(Hu,{className:E.footer,horizontal:!0,horizontalAlign:D?"space-between":"end"},c.createElement(Hu.Item,{align:"center"},c.createElement("span",null,D)),c.createElement(Hu.Item,null,h&&c.createElement(ye.a,(0,l.pi)({},h,{className:E.secondaryButton})),m&&c.createElement(Se.K,(0,l.pi)({},m,{className:E.primaryButton}))))),b&&(a=c.createElement(V.h,{className:E.closeButton,iconProps:{iconName:"Cancel"},title:_,ariaLabel:_,onClick:y})),function(e,t){c.useImperativeHandle(e,(function(){return{focus:function(){var e;return null===(e=t.current)||void 0===e?void 0:e.focus()}}}),[t])}(e.componentRef,s),c.createElement("div",{className:E.content,ref:d,role:"dialog",tabIndex:-1,"aria-labelledby":I,"aria-describedby":w,"data-is-focusable":!0},o,c.createElement(Oe.P,(0,l.pi)({isClickableOutsideFocusTrap:!0},T),c.createElement("div",{className:E.bodyContent},n,r,i,a)))})),Ju={root:"ms-TeachingBubble",body:"ms-TeachingBubble-body",bodyContent:"ms-TeachingBubble-bodycontent",closeButton:"ms-TeachingBubble-closebutton",content:"ms-TeachingBubble-content",footer:"ms-TeachingBubble-footer",header:"ms-TeachingBubble-header",headerIsCondensed:"ms-TeachingBubble-header--condensed",headerIsSmall:"ms-TeachingBubble-header--small",headerIsLarge:"ms-TeachingBubble-header--large",headline:"ms-TeachingBubble-headline",image:"ms-TeachingBubble-image",primaryButton:"ms-TeachingBubble-primaryButton",secondaryButton:"ms-TeachingBubble-secondaryButton",subText:"ms-TeachingBubble-subText",button:"ms-Button",buttonLabel:"ms-Button-label"},Yu=(0,d.NF)((function(){return(0,u.F4)({"0%":{opacity:0,animationTimingFunction:u.D1.easeFunction1,transform:"scale3d(.90,.90,.90)"},"100%":{opacity:1,transform:"scale3d(1,1,1)"}})})),Zu=function(e,t){var o=t||{},n=o.calloutWidth,r=o.calloutMaxWidth;return[{display:"block",maxWidth:364,border:0,outline:"transparent",width:n||"calc(100% + 1px)",animationName:""+Yu(),animationDuration:"300ms",animationTimingFunction:"linear",animationFillMode:"both"},e&&{maxWidth:r||456}]},Xu=function(e,t,o){return t?[e.headerIsCondensed,{marginBottom:14}]:[o&&e.headerIsSmall,!o&&e.headerIsLarge,{selectors:{":not(:last-child)":{marginBottom:14}}}]},Qu=function(e){var t,o,n,r=e.hasCondensedHeadline,i=e.hasSmallHeadline,a=e.hasCloseButton,s=e.hasHeadline,c=e.isWide,d=e.primaryButtonClassName,p=e.secondaryButtonClassName,m=e.theme,h=e.calloutProps,g=void 0===h?{className:void 0,theme:m}:h,f=!r&&!i,v=m.palette,b=m.semanticColors,y=m.fonts,_=(0,u.Cn)(Ju,m);return{root:[_.root,y.medium,g.className],body:[_.body,a&&!s&&{marginRight:24},{selectors:{":not(:last-child)":{marginBottom:20}}}],bodyContent:[_.bodyContent,{padding:"20px 24px 20px 24px"}],closeButton:[_.closeButton,{position:"absolute",right:0,top:0,margin:"15px 15px 0 0",borderRadius:0,color:v.white,fontSize:y.small.fontSize,selectors:{":hover":{background:v.themeDarkAlt,color:v.white},":active":{background:v.themeDark,color:v.white},":focus":{border:"1px solid "+b.variantBorder}}}],content:(0,l.pr)([_.content],Zu(c),[c&&{display:"flex"}]),footer:[_.footer,{display:"flex",flex:"auto",alignItems:"center",color:v.white,selectors:(t={},t["."+_.button+":not(:first-child)"]={marginLeft:10},t)}],header:(0,l.pr)([_.header],Xu(_,r,i),[a&&{marginRight:24},(r||i)&&[y.medium,{fontWeight:u.lq.semibold}]]),headline:[_.headline,{margin:0,color:v.white,fontWeight:u.lq.semibold},f&&[{fontSize:y.xLarge.fontSize}]],imageContent:[_.header,_.image,c&&{display:"flex",alignItems:"center",maxWidth:154}],primaryButton:[_.primaryButton,d,{backgroundColor:v.white,borderColor:v.white,color:v.themePrimary,whiteSpace:"nowrap",selectors:(o={},o["."+_.buttonLabel]=y.medium,o[":hover"]={backgroundColor:v.themeLighter,borderColor:v.themeLighter,color:v.themePrimary},o[":focus"]={backgroundColor:v.themeLighter,borderColor:v.white},o[":active"]={backgroundColor:v.white,borderColor:v.white,color:v.themePrimary},o)}],secondaryButton:[_.secondaryButton,p,{backgroundColor:v.themePrimary,borderColor:v.white,whiteSpace:"nowrap",selectors:(n={},n["."+_.buttonLabel]=[y.medium,{color:v.white}],n["&:hover, &:focus"]={backgroundColor:v.themeDarkAlt,borderColor:v.white},n[":active"]={backgroundColor:v.themePrimary,borderColor:v.white},n)}],subText:[_.subText,{margin:0,fontSize:y.medium.fontSize,color:v.white,fontWeight:u.lq.regular}],subComponentStyles:{callout:{root:(0,l.pr)(Zu(c,g),[y.medium]),beak:[{background:v.themePrimary}],calloutMain:[{background:v.themePrimary}]}}}},$u=(0,I.z)(ju,Qu,void 0,{scope:"TeachingBubbleContent"}),ed={beakWidth:16,gapSpace:0,setInitialFocus:!0,doNotLayer:!1,directionalHint:K.b.rightCenter},td=(0,D.y)(),od=c.forwardRef((function(e,t){var o=c.useRef(null),n=(0,N.r)(o,t),r=e.calloutProps,i=e.targetElement,a=e.onDismiss,s=e.hasCloseButton,u=void 0===s?e.hasCloseIcon:s,d=e.isWide,p=e.styles,m=e.theme,h=e.target,g=c.useMemo((function(){return(0,l.pi)((0,l.pi)((0,l.pi)({},ed),r),{theme:m})}),[r,m]),f=td(p,{theme:m,isWide:d,calloutProps:g,hasCloseButton:u}),v=f.subComponentStyles?f.subComponentStyles.callout:void 0;return function(e,t){c.useImperativeHandle(e,(function(){return{focus:function(){var e;return null===(e=t.current)||void 0===e?void 0:e.focus()}}}),[t])}(e.componentRef,o),c.createElement(Ae.U,(0,l.pi)({target:h||i,onDismiss:a},g,{className:f.root,styles:v,hideOverflow:!0}),c.createElement("div",{ref:n},c.createElement($u,(0,l.pi)({},e))))}));od.displayName="TeachingBubble";var nd=(0,I.z)(od,Qu,void 0,{scope:"TeachingBubble"}),rd=function(e){if(null==e.children)return null;e.block,e.className;var t=e.as,o=void 0===t?"span":t,n=(e.variant,e.nowrap,(0,l._T)(e,["block","className","as","variant","nowrap"]));return Cu(ku(e,{root:o}).root,(0,l.pi)({},(0,E.pq)(n,E.iY)))},id=function(e,t){var o=e.as,n=e.className,r=e.block,i=e.nowrap,a=e.variant,s=t.fonts,l=t.semanticColors,c=s[a||"medium"];return{root:[c,{color:c.color||l.bodyText,display:r?"td"===o?"table-cell":"block":"inline",mozOsxFontSmoothing:c.MozOsxFontSmoothing,webkitFontSmoothing:c.WebkitFontSmoothing},i&&{whiteSpace:"nowrap",overflow:"hidden",textOverflow:"ellipsis"},n]}},ad=Tu(rd,{displayName:"Text",styles:id}),sd=o(8623),ld=o(5229),cd={9:/[0-9]/,a:/[a-zA-Z]/,"*":/[a-zA-Z0-9]/};function ud(e,t){if(void 0===t&&(t=cd),!e)return[];for(var o=[],n=0,r=0;r+n0&&(r=t[0].displayIndex-1);for(var i=0,a=t;ir&&(r=s.displayIndex)):o&&(l=o),n=n.slice(0,s.displayIndex)+l+n.slice(s.displayIndex+1)}return o||(n=n.slice(0,r+1)),n}function pd(e,t){for(var o=0;o=t)return e[o].displayIndex;return e[e.length-1].displayIndex}function md(e,t,o){for(var n=0;n=t){if(e[n].displayIndex>=t+o)break;e[n].value=void 0}return e}function hd(e,t,o){for(var n=0,r=0,i=!1,a=0;a=t)for(i=!0,r=e[a].displayIndex;n=t){e[o].value=void 0;break}return e}(y.maskCharData,s),r=pd(y.maskCharData,s)):(y.maskCharData=function(e,t){for(var o=e.length-1;o>=0;o--)if(e[o].displayIndex=0;o--)if(e[o].displayIndexk.length){p=l-(d=t.length-k.length);var v=t.substr(p,d);r=hd(y.maskCharData,p,v)}else if(t.length<=k.length){d=1;var b=k.length+d-t.length;p=l-d,v=t.substr(p,d),y.maskCharData=md(y.maskCharData,p,b),r=hd(y.maskCharData,p,v)}y.changeSelectionData=null;var _=dd(m,y.maskCharData,g);w(_),S(r),null===(n=u)||void 0===n||n(e,_)}}),[k.length,y,m,g,u]),R=c.useCallback((function(e){var t;if(null===(t=p)||void 0===t||t(e),y.changeSelectionData=null,o.current&&o.current.value){var n=e.keyCode,r=e.ctrlKey,i=e.metaKey;if(r||i)return;if(n===rt.m.backspace||n===rt.m.del){var a=e.target.selectionStart,s=e.target.selectionEnd;if(!(n===rt.m.backspace&&s&&s>0||n===rt.m.del&&null!==a&&a{"use strict";o.d(t,{_:()=>m});var n=o(2002),r=o(7622),i=o(7002),a=o(7300),s=o(8127),l=o(2470),c=o(2998),u=o(4085),d=(0,a.y)(),p=i.forwardRef((function(e,t){var o=(0,u.M)(void 0,e.id),n=e.items,a=e.columnCount,p=e.onRenderItem,m=e.ariaPosInSet,h=void 0===m?e.positionInSet:m,g=e.ariaSetSize,f=void 0===g?e.setSize:g,v=e.styles,b=e.doNotContainWithinFocusZone,y=(0,s.pq)(e,s.iY,b?[]:["onBlur"]),_=d(v,{theme:e.theme}),C=(0,l.QC)(n,a),S=i.createElement("table",(0,r.pi)({"aria-posinset":h,"aria-setsize":f,id:o,role:"grid"},y,{className:_.root}),i.createElement("tbody",null,C.map((function(e,t){return i.createElement("tr",{role:"row",key:t},e.map((function(e,t){return i.createElement("td",{role:"presentation",key:t+"-cell",className:_.tableCell},p(e,t))})))}))));return b?S:i.createElement(c.k,{elementRef:t,isCircularNavigation:e.shouldFocusCircularNavigate,className:_.focusedContainer,onBlur:e.onBlur},S)})),m=(0,n.z)(p,(function(e){return{root:{padding:2,outline:"none"},tableCell:{padding:0}}}));m.displayName="ButtonGrid"},634:(e,t,o)=>{"use strict";o.d(t,{U:()=>s});var n=o(7002),r=o(8088),i=o(990),a=o(4085),s=function(e){var t,o=(0,a.M)("gridCell"),s=e.item,l=e.id,c=void 0===l?o:l,u=e.className,d=e.role,p=e.selected,m=e.disabled,h=void 0!==m&&m,g=e.onRenderItem,f=e.cellDisabledStyle,v=e.cellIsSelectedStyle,b=e.index,y=e.label,_=e.getClassNames,C=e.onClick,S=e.onHover,x=e.onMouseMove,k=e.onMouseLeave,w=e.onMouseEnter,I=e.onFocus,D=n.useCallback((function(){C&&!h&&C(s)}),[h,s,C]),T=n.useCallback((function(e){w&&w(e)||!S||h||S(s)}),[h,s,S,w]),E=n.useCallback((function(e){x&&x(e)||!S||h||S(s)}),[h,s,S,x]),P=n.useCallback((function(e){k&&k(e)||!S||h||S()}),[h,S,k]),M=n.useCallback((function(){I&&!h&&I(s)}),[h,s,I]);return n.createElement(i.M,{id:c,"data-index":b,"data-is-focusable":!0,disabled:h,className:(0,r.i)(u,(t={},t[""+v]=p,t[""+f]=h,t)),onClick:D,onMouseEnter:T,onMouseMove:E,onMouseLeave:P,onFocus:M,role:d,"aria-selected":p,ariaLabel:y,title:y,getClassNames:_},g(s))}},7970:(e,t,o)=>{"use strict";o.d(t,{a:()=>r});var n=o(21);function r(e,t,o,r,i){return r===n.c5||"number"!=typeof r?"#"+i:"rgba("+e+", "+t+", "+o+", "+r/n.c5+")"}},1342:(e,t,o)=>{"use strict";function n(e,t,o){return void 0===o&&(o=0),et?t:e}o.d(t,{u:()=>n})},21:(e,t,o)=>{"use strict";o.d(t,{fr:()=>n,a_:()=>r,uw:()=>i,uc:()=>a,WC:()=>s,c5:()=>l,yE:()=>c,fG:()=>u,HT:()=>d,jU:()=>p,lX:()=>m,Xb:()=>h});var n=100,r=359,i=100,a=255,s=a,l=100,c=3,u=6,d=1,p=3,m=/^[\da-f]{0,6}$/i,h=/^\d{0,3}$/},5298:(e,t,o)=>{"use strict";o.d(t,{L:()=>r});var n=o(21);function r(e){return!e||e.length=n.fG?e.substring(0,n.fG):e.substring(0,n.yE)}},2775:(e,t,o)=>{"use strict";o.d(t,{k:()=>i});var n=o(21),r=o(1342);function i(e){return{r:(0,r.u)(e.r,n.uc),g:(0,r.u)(e.g,n.uc),b:(0,r.u)(e.b,n.uc),a:"number"==typeof e.a?(0,r.u)(e.a,n.c5):e.a}}},8584:(e,t,o)=>{"use strict";o.d(t,{r:()=>i});var n=o(21),r=o(5194);function i(e){if(e)return a(e)||function(e){if("#"===e[0]&&7===e.length&&/^#[\da-fA-F]{6}$/.test(e))return{r:parseInt(e.slice(1,3),16),g:parseInt(e.slice(3,5),16),b:parseInt(e.slice(5,7),16),a:n.c5}}(e)||function(e){if("#"===e[0]&&4===e.length&&/^#[\da-fA-F]{3}$/.test(e))return{r:parseInt(e[1]+e[1],16),g:parseInt(e[2]+e[2],16),b:parseInt(e[3]+e[3],16),a:n.c5}}(e)||function(e){var t=e.match(/^hsl(a?)\(([\d., ]+)\)$/);if(t){var o=!!t[1],i=o?4:3,a=t[2].split(/ *, */).map(Number);if(a.length===i){var s=(0,r.w)(a[0],a[1],a[2]);return s.a=o?100*a[3]:n.c5,s}}}(e)||function(e){if("undefined"!=typeof document){var t=document.createElement("div");t.style.backgroundColor=e,t.style.position="absolute",t.style.top="-9999px",t.style.left="-9999px",t.style.height="1px",t.style.width="1px",document.body.appendChild(t);var o=getComputedStyle(t),n=o&&o.backgroundColor;if(document.body.removeChild(t),"rgba(0, 0, 0, 0)"!==n&&"transparent"!==n)return a(n);switch(e.trim()){case"transparent":case"#0000":case"#00000000":return{r:0,g:0,b:0,a:0}}}}(e)}function a(e){if(e){var t=e.match(/^rgb(a?)\(([\d., ]+)\)$/);if(t){var o=!!t[1],r=o?4:3,i=t[2].split(/ *, */).map(Number);if(i.length===r)return{r:i[0],g:i[1],b:i[2],a:o?100*i[3]:n.c5}}}}},8208:(e,t,o)=>{"use strict";o.d(t,{N:()=>s});var n=o(21),r=o(5772),i=o(5705),a=o(7970);function s(e){var t=e.a,o=void 0===t?n.c5:t,s=e.b,l=e.g,c=e.r,u=(0,r.D)(c,l,s),d=u.h,p=u.s,m=u.v,h=(0,i.C)(c,l,s);return{a:o,b:s,g:l,h:d,hex:h,r:c,s:p,str:(0,a.a)(c,l,s,o,h),v:m,t:n.c5-o}}},7375:(e,t,o)=>{"use strict";o.d(t,{T:()=>a});var n=o(7622),r=o(8584),i=o(8208);function a(e){var t=(0,r.r)(e);if(t)return(0,n.pi)((0,n.pi)({},(0,i.N)(t)),{str:e})}},2417:(e,t,o)=>{"use strict";o.d(t,{p:()=>i});var n=o(21),r=o(3770);function i(e){return"#"+(0,r.d)(e.h,n.fr,n.uw)}},5040:(e,t,o)=>{"use strict";function n(e,t,o){var n=o+(t*=(o<50?o:100-o)/100);return{h:e,s:0===n?0:2*t/n*100,v:n}}o.d(t,{E:()=>n})},5194:(e,t,o)=>{"use strict";o.d(t,{w:()=>i});var n=o(5040),r=o(9865);function i(e,t,o){var i=(0,n.E)(e,t,o);return(0,r.X)(i.h,i.s,i.v)}},3770:(e,t,o)=>{"use strict";o.d(t,{d:()=>i});var n=o(9865),r=o(5705);function i(e,t,o){var i=(0,n.X)(e,t,o),a=i.r,s=i.g,l=i.b;return(0,r.C)(a,s,l)}},9865:(e,t,o)=>{"use strict";o.d(t,{X:()=>r});var n=o(21);function r(e,t,o){var r=[],i=(o/=100)*(t/=100),a=e/60,s=i*(1-Math.abs(a%2-1)),l=o-i;switch(Math.floor(a)){case 0:r=[i,s,0];break;case 1:r=[s,i,0];break;case 2:r=[0,i,s];break;case 3:r=[0,s,i];break;case 4:r=[s,0,i];break;case 5:r=[i,0,s]}return{r:Math.round(n.uc*(r[0]+l)),g:Math.round(n.uc*(r[1]+l)),b:Math.round(n.uc*(r[2]+l))}}},5705:(e,t,o)=>{"use strict";o.d(t,{C:()=>i});var n=o(21),r=o(1342);function i(e,t,o){return[a(e),a(t),a(o)].join("")}function a(e){var t=(e=(0,r.u)(e,n.uc)).toString(16);return 1===t.length?"0"+t:t}},5772:(e,t,o)=>{"use strict";o.d(t,{D:()=>r});var n=o(21);function r(e,t,o){var r=NaN,i=Math.max(e,t,o),a=i-Math.min(e,t,o);return 0===a?r=0:e===i?r=(t-o)/a%6:t===i?r=(o-e)/a+2:o===i&&(r=(e-t)/a+4),(r=Math.round(60*r))<0&&(r+=360),{h:r,s:Math.round(100*(0===i?0:a/i)),v:Math.round(i/n.uc*100)}}},8490:(e,t,o)=>{"use strict";o.d(t,{R:()=>a});var n=o(7622),r=o(7970),i=o(21);function a(e,t){return(0,n.pi)((0,n.pi)({},e),{a:t,t:i.c5-t,str:(0,r.a)(e.r,e.g,e.b,t,e.hex)})}},1990:(e,t,o)=>{"use strict";o.d(t,{i:()=>s});var n=o(7622),r=o(9865),i=o(5705),a=o(7970);function s(e,t){var o=(0,r.X)(t,e.s,e.v),s=o.r,l=o.g,c=o.b,u=(0,i.C)(s,l,c);return(0,n.pi)((0,n.pi)({},e),{h:t,r:s,g:l,b:c,hex:u,str:(0,a.a)(s,l,c,e.a,u)})}},6119:(e,t,o)=>{"use strict";o.d(t,{d:()=>s});var n=o(7622),r=o(9865),i=o(5705),a=o(7970);function s(e,t,o){var s=(0,r.X)(e.h,t,o),l=s.r,c=s.g,u=s.b,d=(0,i.C)(l,c,u);return(0,n.pi)((0,n.pi)({},e),{s:t,v:o,r:l,g:c,b:u,hex:d,str:(0,a.a)(l,c,u,e.a,d)})}},1332:(e,t,o)=>{"use strict";o.d(t,{X:()=>a});var n=o(7622),r=o(7970),i=o(21);function a(e,t){var o=i.c5-t;return(0,n.pi)((0,n.pi)({},e),{t,a:o,str:(0,r.a)(e.r,e.g,e.b,o,e.hex)})}},2240:(e,t,o)=>{"use strict";function n(e){return e.canCheck?!(!e.isChecked&&!e.checked):"boolean"==typeof e.isChecked?e.isChecked:"boolean"==typeof e.checked?e.checked:null}function r(e){return!(!e.subMenuProps&&!e.items)}function i(e){return!(!e.isDisabled&&!e.disabled)}function a(e){return null!==n(e)?"menuitemcheckbox":"menuitem"}o.d(t,{E3:()=>n,Df:()=>r,P_:()=>i,JF:()=>a})},1071:(e,t,o)=>{"use strict";o.d(t,{P:()=>a});var n=o(7622),r=o(7002),i=o(4542),a=function(e){function t(t){var o=e.call(this,t)||this;return o._updateComposedComponentRef=o._updateComposedComponentRef.bind(o),o}return(0,n.ZT)(t,e),t.prototype._updateComposedComponentRef=function(e){this._composedComponentInstance=e,e?this._hoisted=(0,i.W)(this,e):this._hoisted&&(0,i.e)(this,this._hoisted)},t}(r.Component)},9761:(e,t,o)=>{"use strict";o.d(t,{eD:()=>n,kd:()=>h,LF:()=>g,K7:()=>f,Ae:()=>v,tc:()=>b});var n,r=o(7622),i=o(7002),a=o(1071),s=o(9757),l=o(9919),c=o(1529),u=o(8901);!function(e){e[e.small=0]="small",e[e.medium=1]="medium",e[e.large=2]="large",e[e.xLarge=3]="xLarge",e[e.xxLarge=4]="xxLarge",e[e.xxxLarge=5]="xxxLarge",e[e.unknown=999]="unknown"}(n||(n={}));var d,p,m=[479,639,1023,1365,1919,99999999];function h(e){d=e}function g(e){var t=(0,s.J)(e);t&&b(t)}function f(){return d||p||n.large}function v(e){var t,o=((t=function(t){function o(e){var o=t.call(this,e)||this;return o._onResize=function(){var e=b(o.context.window);e!==o.state.responsiveMode&&o.setState({responsiveMode:e})},o._events=new l.r(o),o._updateComposedComponentRef=o._updateComposedComponentRef.bind(o),o.state={responsiveMode:f()},o}return(0,r.ZT)(o,t),o.prototype.componentDidMount=function(){this._events.on(this.context.window,"resize",this._onResize),this._onResize()},o.prototype.componentWillUnmount=function(){this._events.dispose()},o.prototype.render=function(){var t=this.state.responsiveMode;return t===n.unknown?null:i.createElement(e,(0,r.pi)({ref:this._updateComposedComponentRef,responsiveMode:t},this.props))},o}(a.P)).contextType=u.Hn,t);return(0,c.f)(e,o)}function b(e){var t=n.small;if(e){try{for(;e.innerWidth>m[t];)t++}catch(e){t=f()}p=t}else{if(void 0===d)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.");t=d}return t}},4126:(e,t,o)=>{"use strict";o.d(t,{q:()=>l});var n=o(7002),r=o(9757),i=o(757),a=o(9761),s=o(8901),l=function(e){var t=n.useState(a.K7),o=t[0],l=t[1],c=n.useCallback((function(){var t=(0,a.tc)((0,r.J)(e.current));o!==t&&l(t)}),[e,o]),u=(0,s.zY)();return(0,i.d)(u,"resize",c),n.useEffect((function(){c()}),[]),o}},8128:(e,t,o)=>{"use strict";o.d(t,{ww:()=>r,by:()=>i,L7:()=>a,fV:()=>s,ms:()=>l,A4:()=>c,nK:()=>u,Tc:()=>d,Tj:()=>n});var n,r="ktp",i="-",a=r+i,s="data-ktp-target",l="data-ktp-execute-target",c="data-ktp-aria-target",u="ktp-layer-id",d=", ";!function(e){e.KEYTIP_ADDED="keytipAdded",e.KEYTIP_REMOVED="keytipRemoved",e.KEYTIP_UPDATED="keytipUpdated",e.PERSISTED_KEYTIP_ADDED="persistedKeytipAdded",e.PERSISTED_KEYTIP_REMOVED="persistedKeytipRemoved",e.PERSISTED_KEYTIP_EXECUTE="persistedKeytipExecute",e.ENTER_KEYTIP_MODE="enterKeytipMode",e.EXIT_KEYTIP_MODE="exitKeytipMode"}(n||(n={}))},344:(e,t,o)=>{"use strict";o.d(t,{K:()=>s});var n=o(7622),r=o(9919),i=o(2782),a=o(8128),s=function(){function e(){this.keytips={},this.persistedKeytips={},this.sequenceMapping={},this.inKeytipMode=!1,this.shouldEnterKeytipMode=!0,this.delayUpdatingKeytipChange=!1}return e.getInstance=function(){return this._instance},e.prototype.init=function(e){this.delayUpdatingKeytipChange=e},e.prototype.register=function(e,t){void 0===t&&(t=!1);var o=e;t||(o=this.addParentOverflow(e),this.sequenceMapping[o.keySequences.toString()]=o);var n=this._getUniqueKtp(o);if(t?this.persistedKeytips[n.uniqueID]=n:this.keytips[n.uniqueID]=n,this.inKeytipMode||!this.delayUpdatingKeytipChange){var i=t?a.Tj.PERSISTED_KEYTIP_ADDED:a.Tj.KEYTIP_ADDED;r.r.raise(this,i,{keytip:o,uniqueID:n.uniqueID})}return n.uniqueID},e.prototype.update=function(e,t){var o=this.addParentOverflow(e),n=this._getUniqueKtp(o,t),i=this.keytips[t];i&&(n.keytip.visible=i.keytip.visible,this.keytips[t]=n,delete this.sequenceMapping[i.keytip.keySequences.toString()],this.sequenceMapping[n.keytip.keySequences.toString()]=n.keytip,!this.inKeytipMode&&this.delayUpdatingKeytipChange||r.r.raise(this,a.Tj.KEYTIP_UPDATED,{keytip:n.keytip,uniqueID:n.uniqueID}))},e.prototype.unregister=function(e,t,o){void 0===o&&(o=!1),o?delete this.persistedKeytips[t]:delete this.keytips[t],!o&&delete this.sequenceMapping[e.keySequences.toString()];var n=o?a.Tj.PERSISTED_KEYTIP_REMOVED:a.Tj.KEYTIP_REMOVED;!this.inKeytipMode&&this.delayUpdatingKeytipChange||r.r.raise(this,n,{keytip:e,uniqueID:t})},e.prototype.enterKeytipMode=function(){r.r.raise(this,a.Tj.ENTER_KEYTIP_MODE)},e.prototype.exitKeytipMode=function(){r.r.raise(this,a.Tj.EXIT_KEYTIP_MODE)},e.prototype.getKeytips=function(){var e=this;return Object.keys(this.keytips).map((function(t){return e.keytips[t].keytip}))},e.prototype.addParentOverflow=function(e){var t=(0,n.pr)(e.keySequences);if(t.pop(),0!==t.length){var o=this.sequenceMapping[t.toString()];if(o&&o.overflowSetSequence)return(0,n.pi)((0,n.pi)({},e),{overflowSetSequence:o.overflowSetSequence})}return e},e.prototype.menuExecute=function(e,t){r.r.raise(this,a.Tj.PERSISTED_KEYTIP_EXECUTE,{overflowButtonSequences:e,keytipSequences:t})},e.prototype._getUniqueKtp=function(e,t){return void 0===t&&(t=(0,i.z)()),{keytip:(0,n.pi)({},e),uniqueID:t}},e._instance=new e,e}()},5325:(e,t,o)=>{"use strict";o.d(t,{aB:()=>a,a1:()=>s,eX:()=>l,_l:()=>c,w7:()=>u});var n=o(7622),r=o(8128),i=o(2470);function a(e){return e.reduce((function(e,t){return e+r.by+t.split("").join(r.by)}),r.ww)}function s(e,t){var o=t.length,r=(0,n.pr)(t).pop(),a=(0,n.pr)(e);return(0,i.OA)(a,o-1,r)}function l(e){return"["+r.fV+'="'+a(e)+'"]'}function c(e){return"["+r.ms+'="'+e+'"]'}function u(e){var t=" "+r.nK;return e.length?t+" "+a(e):t}},6591:(e,t,o)=>{"use strict";o.d(t,{p$:()=>F,c5:()=>L,Su:()=>A,DC:()=>z,bv:()=>H,qE:()=>O});var n,r=o(7622),i=o(6628),a=o(5951),s=o(4948),l=o(4568),c=o(4884);function u(e,t,o){return{targetEdge:e,alignmentEdge:t,isAuto:o}}var d=((n={})[i.b.topLeftEdge]=u(l.z.top,l.z.left),n[i.b.topCenter]=u(l.z.top),n[i.b.topRightEdge]=u(l.z.top,l.z.right),n[i.b.topAutoEdge]=u(l.z.top,void 0,!0),n[i.b.bottomLeftEdge]=u(l.z.bottom,l.z.left),n[i.b.bottomCenter]=u(l.z.bottom),n[i.b.bottomRightEdge]=u(l.z.bottom,l.z.right),n[i.b.bottomAutoEdge]=u(l.z.bottom,void 0,!0),n[i.b.leftTopEdge]=u(l.z.left,l.z.top),n[i.b.leftCenter]=u(l.z.left),n[i.b.leftBottomEdge]=u(l.z.left,l.z.bottom),n[i.b.rightTopEdge]=u(l.z.right,l.z.top),n[i.b.rightCenter]=u(l.z.right),n[i.b.rightBottomEdge]=u(l.z.right,l.z.bottom),n);function p(e,t){return!(e.topt.bottom||e.leftt.right)}function m(e,t){var o=[];return e.topt.bottom&&o.push(l.z.bottom),e.leftt.right&&o.push(l.z.right),o}function h(e,t){return e[l.z[t]]}function g(e,t,o){return e[l.z[t]]=o,e}function f(e,t){var o=I(t);return(h(e,o.positiveEdge)+h(e,o.negativeEdge))/2}function v(e,t){return e>0?t:-1*t}function b(e,t){return v(e,h(t,e))}function y(e,t,o){return v(o,h(e,o)-h(t,o))}function _(e,t,o){var n=h(e,t)-o;return e=g(e,t,o),g(e,-1*t,h(e,-1*t)-n)}function C(e,t,o,n){return void 0===n&&(n=0),_(e,o,h(t,o)+v(o,n))}function S(e,t,o){return b(o,e)>b(o,t)}function x(e,t,o){for(var n=0,r=e;nMath.abs(y(e,o,-1*t))?-1*t:t}function T(e,t,o){var n=f(t,e),r=f(o,e),i=I(e),a=i.positiveEdge,s=i.negativeEdge;return n<=r?a:s}function E(e,t,o,n,r,i,s){var c=w(e,t,n,r,s);return p(c,o)?{elementRectangle:c,targetEdge:n.targetEdge,alignmentEdge:n.alignmentEdge}:function(e,t,o,n,r,i,s){void 0===r&&(r=0);var c=n.alignmentEdge,u=n.alignTargetEdge,d={elementRectangle:e,targetEdge:n.targetEdge,alignmentEdge:c};i||s||(d=function(e,t,o,n,r){void 0===r&&(r=0);var i=[l.z.left,l.z.right,l.z.bottom,l.z.top];(0,a.zg)()&&(i[0]*=-1,i[1]*=-1);for(var s=e,c=n.targetEdge,u=n.alignmentEdge,d=0;d<4;d++){if(S(s,o,c))return{elementRectangle:s,targetEdge:c,alignmentEdge:u};i.splice(i.indexOf(c),1),i.length>0&&(i.indexOf(-1*c)>-1?c*=-1:(u=c,c=i.slice(-1)[0]),s=w(e,t,{targetEdge:c,alignmentEdge:u},r))}return{elementRectangle:e,targetEdge:n.targetEdge,alignmentEdge:n.alignmentEdge}}(e,t,o,n,r));var h=m(e,o);if(u){if(d.alignmentEdge&&h.indexOf(-1*d.alignmentEdge)>-1){var g=function(e,t,o,n){var r=e.alignmentEdge,i=e.targetEdge,a=-1*r;return{elementRectangle:w(e.elementRectangle,t,{targetEdge:i,alignmentEdge:a},o,n),targetEdge:i,alignmentEdge:a}}(d,t,r,s);if(p(g.elementRectangle,o))return g;d=x(m(g.elementRectangle,o),d,o)}}else d=x(h,d,o);return d}(e,t,o,n,r,i,s)}function P(e){var t=e.getBoundingClientRect();return new c.A(t.left,t.right,t.top,t.bottom)}function M(e){return new c.A(e.left,e.right,e.top,e.bottom)}function R(e,t,o,n){var s=e.gapSpace?e.gapSpace:0,u=function(e,t){var o;if(t){if(t.preventDefault){var n=t;o=new c.A(n.clientX,n.clientX,n.clientY,n.clientY)}else if(t.getBoundingClientRect)o=P(t);else{var r=t,i=r.left||r.x,a=r.top||r.y,s=r.right||i,u=r.bottom||a;o=new c.A(i,s,a,u)}if(!p(o,e))for(var d=0,h=m(o,e);d0?i:n.height}(i.stopPropagation?new c.A(i.clientX,i.clientX,i.clientY,i.clientY):void 0!==m&&void 0!==g?new c.A(m,f,g,v):P(a),t,o,p,r)}function H(e){return-1*e}function O(e,t){return function(e,t){var o=void 0;if(t.getWindowSegments&&(o=t.getWindowSegments()),void 0===o||o.length<=1)return{top:0,left:0,right:t.innerWidth,bottom:t.innerHeight,width:t.innerWidth,height:t.innerHeight};var n=0,r=0;if(null!==e&&e.getBoundingClientRect){var i=e.getBoundingClientRect();n=(i.left+i.right)/2,r=(i.top+i.bottom)/2}else null!==e&&(n=e.left||e.x,r=e.top||e.y);for(var a={top:0,left:0,right:0,bottom:0,width:0,height:0},s=0,l=o;s=n&&r&&c.top<=r&&c.bottom>=r&&(a={top:c.top,left:c.left,right:c.right,bottom:c.bottom,width:c.width,height:c.height})}return a}(e,t)}},4568:(e,t,o)=>{"use strict";var n,r;o.d(t,{z:()=>n,L:()=>r}),function(e){e[e.top=1]="top",e[e.bottom=-1]="bottom",e[e.left=2]="left",e[e.right=-2]="right"}(n||(n={})),function(e){e[e.top=0]="top",e[e.bottom=1]="bottom",e[e.start=2]="start",e[e.end=3]="end"}(r||(r={}))},5515:(e,t,o)=>{"use strict";function n(e,t){for(var o=[],n=0,r=t;nn})},2703:(e,t,o)=>{"use strict";var n;o.d(t,{F:()=>n}),function(e){e[e.Normal=0]="Normal",e[e.Divider=1]="Divider",e[e.Header=2]="Header"}(n||(n={}))},4449:(e,t,o)=>{"use strict";o.d(t,{i:()=>S});var n=o(7622),r=o(7002),i=o(3345),a=o(6840),s=o(8145),l=o(9919),c=o(2167),u=o(688),d=o(9757),p=o(8088),m=o(5480),h=o(4948),g=o(5446),f=o(4553),v=o(5238),b="data-selection-index",y="data-selection-toggle",_="data-selection-invoke",C="data-selection-all-toggle",S=function(e){function t(t){var o=e.call(this,t)||this;o._root=r.createRef(),o.ignoreNextFocus=function(){o._handleNextFocus(!1)},o._onSelectionChange=function(){var e=o.props.selection,t=e.isModal&&e.isModal();o.setState({isModal:t})},o._onMouseDownCapture=function(e){var t=e.target;if(document.activeElement===t||(0,i.t)(document.activeElement,t)){if((0,i.t)(t,o._root.current))for(;t!==o._root.current;){if(o._hasAttribute(t,_)){o.ignoreNextFocus();break}t=(0,a.G)(t)}}else o.ignoreNextFocus()},o._onFocus=function(e){var t=e.target,n=o.props.selection,r=o._isCtrlPressed||o._isMetaPressed,i=o._getSelectionMode();if(o._shouldHandleFocus&&i!==v.oW.none){var a=o._hasAttribute(t,y),s=o._findItemRoot(t);if(!a&&s){var l=o._getItemIndex(s);r?(n.setIndexSelected(l,n.isIndexSelected(l),!0),o.props.enterModalOnTouch&&o._isTouch&&n.setModal&&(n.setModal(!0),o._setIsTouch(!1))):o.props.isSelectedOnFocus&&o._onItemSurfaceClick(e,l)}}o._handleNextFocus(!1)},o._onMouseDown=function(e){o._updateModifiers(e);var t=e.target,n=o._findItemRoot(t);if(!o._isSelectionDisabled(t))for(;t!==o._root.current&&!o._hasAttribute(t,C);){if(n){if(o._hasAttribute(t,y))break;if(o._hasAttribute(t,_))break;if(!(t!==n&&!o._shouldAutoSelect(t)||o._isShiftPressed||o._isCtrlPressed||o._isMetaPressed)){o._onInvokeMouseDown(e,o._getItemIndex(n));break}if(o.props.disableAutoSelectOnInputElements&&("A"===t.tagName||"BUTTON"===t.tagName||"INPUT"===t.tagName))return}t=(0,a.G)(t)}},o._onTouchStartCapture=function(e){o._setIsTouch(!0)},o._onClick=function(e){var t=o.props.enableTouchInvocationTarget,n=void 0!==t&&t;o._updateModifiers(e);for(var r=e.target,i=o._findItemRoot(r),s=o._isSelectionDisabled(r);r!==o._root.current;){if(o._hasAttribute(r,C)){s||o._onToggleAllClick(e);break}if(i){var l=o._getItemIndex(i);if(o._hasAttribute(r,y)){s||(o._isShiftPressed?o._onItemSurfaceClick(e,l):o._onToggleClick(e,l));break}if(o._isTouch&&n&&o._hasAttribute(r,"data-selection-touch-invoke")||o._hasAttribute(r,_)){o._onInvokeClick(e,l);break}if(r===i){s||o._onItemSurfaceClick(e,l);break}if("A"===r.tagName||"BUTTON"===r.tagName||"INPUT"===r.tagName)return}r=(0,a.G)(r)}},o._onContextMenu=function(e){var t=e.target,n=o.props,r=n.onItemContextMenu,i=n.selection;if(r){var a=o._findItemRoot(t);if(a){var s=o._getItemIndex(a);o._onInvokeMouseDown(e,s),r(i.getItems()[s],s,e.nativeEvent)||e.preventDefault()}}},o._onDoubleClick=function(e){var t=e.target,n=o.props.onItemInvoked,r=o._findItemRoot(t);if(r&&n&&!o._isInputElement(t)){for(var i=o._getItemIndex(r);t!==o._root.current&&!o._hasAttribute(t,y)&&!o._hasAttribute(t,_);){if(t===r){o._onInvokeClick(e,i);break}t=(0,a.G)(t)}t=(0,a.G)(t)}},o._onKeyDownCapture=function(e){o._updateModifiers(e),o._handleNextFocus(!0)},o._onKeyDown=function(e){o._updateModifiers(e);var t=e.target,n=o._isSelectionDisabled(t),r=o.props.selection,i=e.which===s.m.a&&(o._isCtrlPressed||o._isMetaPressed),l=e.which===s.m.escape;if(!o._isInputElement(t)){var c=o._getSelectionMode();if(i&&c===v.oW.multiple&&!r.isAllSelected())return n||r.setAllSelected(!0),e.stopPropagation(),void e.preventDefault();if(l&&r.getSelectedCount()>0)return n||r.setAllSelected(!1),e.stopPropagation(),void e.preventDefault();var u=o._findItemRoot(t);if(u)for(var d=o._getItemIndex(u);t!==o._root.current&&!o._hasAttribute(t,y);){if(o._shouldAutoSelect(t)){n||o._onInvokeMouseDown(e,d);break}if(!(e.which!==s.m.enter&&e.which!==s.m.space||"BUTTON"!==t.tagName&&"A"!==t.tagName&&"INPUT"!==t.tagName))return!1;if(t===u){if(e.which===s.m.enter)return o._onInvokeClick(e,d),void e.preventDefault();if(e.which===s.m.space)return n||o._onToggleClick(e,d),void e.preventDefault();break}t=(0,a.G)(t)}}},o._events=new l.r(o),o._async=new c.e(o),(0,u.l)(o);var n=o.props.selection,d=n.isModal&&n.isModal();return o.state={isModal:d},o}return(0,n.ZT)(t,e),t.getDerivedStateFromProps=function(e,t){var o=e.selection.isModal&&e.selection.isModal();return(0,n.pi)((0,n.pi)({},t),{isModal:o})},t.prototype.componentDidMount=function(){var e=(0,d.J)(this._root.current);this._events.on(e,"keydown, keyup",this._updateModifiers,!0),this._events.on(document,"click",this._findScrollParentAndTryClearOnEmptyClick),this._events.on(document.body,"touchstart",this._onTouchStartCapture,!0),this._events.on(document.body,"touchend",this._onTouchStartCapture,!0),this._events.on(this.props.selection,"change",this._onSelectionChange)},t.prototype.render=function(){var e=this.state.isModal;return r.createElement("div",{className:(0,p.i)("ms-SelectionZone",this.props.className,{"ms-SelectionZone--modal":!!e}),ref:this._root,onKeyDown:this._onKeyDown,onMouseDown:this._onMouseDown,onKeyDownCapture:this._onKeyDownCapture,onClick:this._onClick,role:"presentation",onDoubleClick:this._onDoubleClick,onContextMenu:this._onContextMenu,onMouseDownCapture:this._onMouseDownCapture,onFocusCapture:this._onFocus,"data-selection-is-modal":!!e||void 0},this.props.children,r.createElement(m.u,null))},t.prototype.componentDidUpdate=function(e){var t=this.props.selection;t!==e.selection&&(this._events.off(e.selection),this._events.on(t,"change",this._onSelectionChange))},t.prototype.componentWillUnmount=function(){this._events.dispose(),this._async.dispose()},t.prototype._isSelectionDisabled=function(e){if(this._getSelectionMode()===v.oW.none)return!0;for(;e!==this._root.current;){if(this._hasAttribute(e,"data-selection-disabled"))return!0;e=(0,a.G)(e)}return!1},t.prototype._onToggleAllClick=function(e){var t=this.props.selection;this._getSelectionMode()===v.oW.multiple&&(t.toggleAllSelected(),e.stopPropagation(),e.preventDefault())},t.prototype._onToggleClick=function(e,t){var o=this.props.selection,n=this._getSelectionMode();if(o.setChangeEvents(!1),this.props.enterModalOnTouch&&this._isTouch&&!o.isIndexSelected(t)&&o.setModal&&(o.setModal(!0),this._setIsTouch(!1)),n===v.oW.multiple)o.toggleIndexSelected(t);else{if(n!==v.oW.single)return void o.setChangeEvents(!0);var r=o.isIndexSelected(t),i=o.isModal&&o.isModal();o.setAllSelected(!1),o.setIndexSelected(t,!r,!0),i&&o.setModal&&o.setModal(!0)}o.setChangeEvents(!0),e.stopPropagation()},t.prototype._onInvokeClick=function(e,t){var o=this.props,n=o.selection,r=o.onItemInvoked;r&&(r(n.getItems()[t],t,e.nativeEvent),e.preventDefault(),e.stopPropagation())},t.prototype._onItemSurfaceClick=function(e,t){var o=this.props.selection,n=this._isCtrlPressed||this._isMetaPressed,r=this._getSelectionMode();r===v.oW.multiple?this._isShiftPressed&&!this._isTabPressed?o.selectToIndex(t,!n):n?o.toggleIndexSelected(t):this._clearAndSelectIndex(t):r===v.oW.single&&this._clearAndSelectIndex(t)},t.prototype._onInvokeMouseDown=function(e,t){this.props.selection.isIndexSelected(t)||this._clearAndSelectIndex(t)},t.prototype._findScrollParentAndTryClearOnEmptyClick=function(e){var t=(0,h.zj)(this._root.current);this._events.off(document,"click",this._findScrollParentAndTryClearOnEmptyClick),this._events.on(t,"click",this._tryClearOnEmptyClick),(t&&e.target instanceof Node&&t.contains(e.target)||t===e.target)&&this._tryClearOnEmptyClick(e)},t.prototype._tryClearOnEmptyClick=function(e){!this.props.selectionPreservedOnEmptyClick&&this._isNonHandledClick(e.target)&&this.props.selection.setAllSelected(!1)},t.prototype._clearAndSelectIndex=function(e){var t=this.props.selection;if(1!==t.getSelectedCount()||!t.isIndexSelected(e)){var o=t.isModal&&t.isModal();t.setChangeEvents(!1),t.setAllSelected(!1),t.setIndexSelected(e,!0,!0),(o||this.props.enterModalOnTouch&&this._isTouch)&&(t.setModal&&t.setModal(!0),this._isTouch&&this._setIsTouch(!1)),t.setChangeEvents(!0)}},t.prototype._updateModifiers=function(e){this._isShiftPressed=e.shiftKey,this._isCtrlPressed=e.ctrlKey,this._isMetaPressed=e.metaKey;var t=e.keyCode;this._isTabPressed=!!t&&t===s.m.tab},t.prototype._findItemRoot=function(e){for(var t=this.props.selection;e!==this._root.current;){var o=e.getAttribute(b),n=Number(o);if(null!==o&&n>=0&&n{"use strict";o.d(t,{x:()=>i});var n={},r=void 0;try{r=window}catch(e){}function i(e,t){if(void 0!==r){var o=r.__packages__=r.__packages__||{};o[e]&&n[e]||(n[e]=t,(o[e]=o[e]||[]).push(t))}}i("@fluentui/set-version","6.0.0")},9729:(e,t,o)=>{"use strict";o.d(t,{k4:()=>X,Ic:()=>G,D1:()=>q,JJ:()=>he,rN:()=>ve.r,ir:()=>Q.i,UK:()=>ee.U,Ox:()=>xe,yV:()=>$,TS:()=>be.TS,lq:()=>be.lq,qJ:()=>_e,$v:()=>Se,bO:()=>Ce,ld:()=>be.ld,qS:()=>Xe.q,a1:()=>Ze,P$:()=>Re,yp:()=>Me,mV:()=>Pe,yO:()=>Ne,CQ:()=>Be,AV:()=>Ie,dd:()=>we,QQ:()=>ke,bE:()=>Fe,qv:()=>De,B:()=>Te,F1:()=>Ee,Ye:()=>Xe.Y,Jw:()=>le,bR:()=>He,$O:()=>r,E$:()=>xt.m,l7:()=>kt.l,FF:()=>ye.F,jG:()=>ie.j,e2:()=>Ve,jN:()=>ct.j,h4:()=>ze,$X:()=>rt,jx:()=>Ke,GL:()=>We,Cn:()=>$e,xM:()=>Ae,q7:()=>ft,Wx:()=>St,$Y:()=>qe,Sv:()=>at,sK:()=>Le,gh:()=>ue,Nf:()=>tt,ul:()=>Ge,F4:()=>i.F,jz:()=>me,ZC:()=>wt.Z,y0:()=>n.y,jq:()=>nt,Fv:()=>ot,Kq:()=>Q.K,M_:()=>gt,fm:()=>mt,tj:()=>de,sw:()=>pe,yN:()=>vt,Kf:()=>ht});var n=o(9444);function r(e){var t={},o=function(o){var r;e.hasOwnProperty(o)&&Object.defineProperty(t,o,{get:function(){return void 0===r&&(r=(0,n.y)(e[o]).toString()),r},enumerable:!0,configurable:!0})};for(var r in e)o(r);return t}var i=o(2762),a="cubic-bezier(.1,.9,.2,1)",s="cubic-bezier(.1,.25,.75,.9)",l="0.167s",c="0.267s",u="0.367s",d="0.467s",p=(0,i.F)({from:{opacity:0},to:{opacity:1}}),m=(0,i.F)({from:{opacity:1},to:{opacity:0,visibility:"hidden"}}),h=j(-10),g=j(-20),f=j(-40),v=j(-400),b=j(10),y=j(20),_=j(40),C=j(400),S=J(10),x=J(20),k=J(-10),w=J(-20),I=Y(10),D=Y(20),T=Y(40),E=Y(400),P=Y(-10),M=Y(-20),R=Y(-40),N=Y(-400),B=Z(-10),F=Z(-20),L=Z(10),A=Z(20),z=(0,i.F)({from:{transform:"scale3d(.98,.98,1)"},to:{transform:"scale3d(1,1,1)"}}),H=(0,i.F)({from:{transform:"scale3d(1,1,1)"},to:{transform:"scale3d(.98,.98,1)"}}),O=(0,i.F)({from:{transform:"scale3d(1.03,1.03,1)"},to:{transform:"scale3d(1,1,1)"}}),W=(0,i.F)({from:{transform:"scale3d(1,1,1)"},to:{transform:"scale3d(1.03,1.03,1)"}}),V=(0,i.F)({from:{transform:"rotateZ(0deg)"},to:{transform:"rotateZ(90deg)"}}),K=(0,i.F)({from:{transform:"rotateZ(0deg)"},to:{transform:"rotateZ(-90deg)"}}),q={easeFunction1:a,easeFunction2:s,durationValue1:l,durationValue2:c,durationValue3:u,durationValue4:d},G={slideRightIn10:U(p+","+h,u,a),slideRightIn20:U(p+","+g,u,a),slideRightIn40:U(p+","+f,u,a),slideRightIn400:U(p+","+v,u,a),slideLeftIn10:U(p+","+b,u,a),slideLeftIn20:U(p+","+y,u,a),slideLeftIn40:U(p+","+_,u,a),slideLeftIn400:U(p+","+C,u,a),slideUpIn10:U(p+","+S,u,a),slideUpIn20:U(p+","+x,u,a),slideDownIn10:U(p+","+k,u,a),slideDownIn20:U(p+","+w,u,a),slideRightOut10:U(m+","+I,u,a),slideRightOut20:U(m+","+D,u,a),slideRightOut40:U(m+","+T,u,a),slideRightOut400:U(m+","+E,u,a),slideLeftOut10:U(m+","+P,u,a),slideLeftOut20:U(m+","+M,u,a),slideLeftOut40:U(m+","+R,u,a),slideLeftOut400:U(m+","+N,u,a),slideUpOut10:U(m+","+B,u,a),slideUpOut20:U(m+","+F,u,a),slideDownOut10:U(m+","+L,u,a),slideDownOut20:U(m+","+A,u,a),scaleUpIn100:U(p+","+z,u,a),scaleDownIn100:U(p+","+O,u,a),scaleUpOut103:U(m+","+W,l,s),scaleDownOut98:U(m+","+H,l,s),fadeIn100:U(p,l,s),fadeIn200:U(p,c,s),fadeIn400:U(p,u,s),fadeIn500:U(p,d,s),fadeOut100:U(m,l,s),fadeOut200:U(m,c,s),fadeOut400:U(m,u,s),fadeOut500:U(m,d,s),rotate90deg:U(V,"0.1s",s),rotateN90deg:U(K,"0.1s",s)};function U(e,t,o){return{animationName:e,animationDuration:t,animationTimingFunction:o,animationFillMode:"both"}}function j(e){return(0,i.F)({from:{transform:"translate3d("+e+"px,0,0)",pointerEvents:"none"},to:{transform:"translate3d(0,0,0)",pointerEvents:"auto"}})}function J(e){return(0,i.F)({from:{transform:"translate3d(0,"+e+"px,0)",pointerEvents:"none"},to:{transform:"translate3d(0,0,0)",pointerEvents:"auto"}})}function Y(e){return(0,i.F)({from:{transform:"translate3d(0,0,0)"},to:{transform:"translate3d("+e+"px,0,0)"}})}function Z(e){return(0,i.F)({from:{transform:"translate3d(0,0,0)"},to:{transform:"translate3d(0,"+e+"px,0)"}})}var X=r(G),Q=o(1209),$=r(Q.i),ee=o(5314),te=o(7622),oe=o(1767),ne=o(9757),re=o(4976),ie=o(8932),ae=(0,ie.j)({}),se=[],le="theme";function ce(){var e,t,o;if(!oe.X.getSettings([le]).theme){var n=(0,ne.J)();(null===(o=null===(t=n)||void 0===t?void 0:t.FabricConfig)||void 0===o?void 0:o.theme)&&(ae=(0,ie.j)(n.FabricConfig.theme)),oe.X.applySettings(((e={})[le]=ae,e))}}function ue(e){return void 0===e&&(e=!1),!0===e&&(ae=(0,ie.j)({},e)),ae}function de(e){-1===se.indexOf(e)&&se.push(e)}function pe(e){var t=se.indexOf(e);-1!==t&&se.splice(t,1)}function me(e,t){var o;return void 0===t&&(t=!1),ae=(0,ie.j)(e,t),(0,re.jz)((0,te.pi)((0,te.pi)((0,te.pi)((0,te.pi)({},ae.palette),ae.semanticColors),ae.effects),function(e){for(var t={},o=0,n=Object.keys(e.fonts);o10?" (+ "+(bt.length-10)+" more)":"")),yt=void 0,bt=[]}),2e3)))}var Ct={display:"inline-block"};function St(e){var t="",o=ft(e);return o&&(t=(0,n.y)(o.subset.className,Ct,{selectors:{"::before":{content:'"'+o.code+'"'}}})),t}var xt=o(3570),kt=o(965),wt=o(2005);(0,o(6316).x)("@fluentui/style-utilities","8.0.2"),ce()},5314:(e,t,o)=>{"use strict";o.d(t,{U:()=>n});var n={themeDarker:"#004578",themeDark:"#005a9e",themeDarkAlt:"#106ebe",themePrimary:"#0078d4",themeSecondary:"#2b88d8",themeTertiary:"#71afe5",themeLight:"#c7e0f4",themeLighter:"#deecf9",themeLighterAlt:"#eff6fc",black:"#000000",blackTranslucent40:"rgba(0,0,0,.4)",neutralDark:"#201f1e",neutralPrimary:"#323130",neutralPrimaryAlt:"#3b3a39",neutralSecondary:"#605e5c",neutralSecondaryAlt:"#8a8886",neutralTertiary:"#a19f9d",neutralTertiaryAlt:"#c8c6c4",neutralQuaternary:"#d2d0ce",neutralQuaternaryAlt:"#e1dfdd",neutralLight:"#edebe9",neutralLighter:"#f3f2f1",neutralLighterAlt:"#faf9f8",accent:"#0078d4",white:"#ffffff",whiteTranslucent40:"rgba(255,255,255,.4)",yellowDark:"#d29200",yellow:"#ffb900",yellowLight:"#fff100",orange:"#d83b01",orangeLight:"#ea4300",orangeLighter:"#ff8c00",redDark:"#a4262c",red:"#e81123",magentaDark:"#5c005c",magenta:"#b4009e",magentaLight:"#e3008c",purpleDark:"#32145a",purple:"#5c2d91",purpleLight:"#b4a0ff",blueDark:"#002050",blueMid:"#00188f",blue:"#0078d4",blueLight:"#00bcf2",tealDark:"#004b50",teal:"#008272",tealLight:"#00b294",greenDark:"#004b1c",green:"#107c10",greenLight:"#bad80a"}},8932:(e,t,o)=>{"use strict";o.d(t,{j:()=>c});var n=o(5314),r=o(8708),i=o(1209),a=o(8188),s=o(3968),l=o(6267);function c(e,t){void 0===e&&(e={}),void 0===t&&(t=!1);var o=!!e.isInverted,c={palette:n.U,effects:r.r,fonts:i.i,spacing:s.C,isInverted:o,disableGlobalClassNames:!1,semanticColors:(0,l.b)(n.U,r.r,void 0,o,t),rtl:void 0};return(0,a.I)(c,e)}},8708:(e,t,o)=>{"use strict";o.d(t,{r:()=>r});var n=o(4733),r={elevation4:n.N.depth4,elevation8:n.N.depth8,elevation16:n.N.depth16,elevation64:n.N.depth64,roundedCorner2:"2px",roundedCorner4:"4px",roundedCorner6:"6px"}},4733:(e,t,o)=>{"use strict";var n;o.d(t,{N:()=>n}),function(e){e.depth0="0 0 0 0 transparent",e.depth4="0 1.6px 3.6px 0 rgba(0, 0, 0, 0.132), 0 0.3px 0.9px 0 rgba(0, 0, 0, 0.108)",e.depth8="0 3.2px 7.2px 0 rgba(0, 0, 0, 0.132), 0 0.6px 1.8px 0 rgba(0, 0, 0, 0.108)",e.depth16="0 6.4px 14.4px 0 rgba(0, 0, 0, 0.132), 0 1.2px 3.6px 0 rgba(0, 0, 0, 0.108)",e.depth64="0 25.6px 57.6px 0 rgba(0, 0, 0, 0.22), 0 4.8px 14.4px 0 rgba(0, 0, 0, 0.18)"}(n||(n={}))},1209:(e,t,o)=>{"use strict";o.d(t,{i:()=>d,K:()=>h});var n,r,i,a=o(3310),s=o(3182),l=o(7134),c=o(3856),u=o(9757),d=(0,l.F)((0,c.G)());function p(e,t,o,n){e="'"+e+"'";var r=void 0!==n?"local('"+n+"'),":"";(0,a.j)({fontFamily:e,src:r+"url('"+t+".woff2') format('woff2'),url('"+t+".woff') format('woff')",fontWeight:o,fontStyle:"normal",fontDisplay:"swap"})}function m(e,t,o,n,r){void 0===n&&(n="segoeui");var i=e+"/"+o+"/"+n;p(t,i+"-light",s.lq.light,r&&r+" Light"),p(t,i+"-semilight",s.lq.semilight,r&&r+" SemiLight"),p(t,i+"-regular",s.lq.regular,r),p(t,i+"-semibold",s.lq.semibold,r&&r+" SemiBold"),p(t,i+"-bold",s.lq.bold,r&&r+" Bold")}function h(e){if(e){var t=e+"/fonts";m(t,s.Qm.Thai,"leelawadeeui-thai","leelawadeeui"),m(t,s.Qm.Arabic,"segoeui-arabic"),m(t,s.Qm.Cyrillic,"segoeui-cyrillic"),m(t,s.Qm.EastEuropean,"segoeui-easteuropean"),m(t,s.Qm.Greek,"segoeui-greek"),m(t,s.Qm.Hebrew,"segoeui-hebrew"),m(t,s.Qm.Vietnamese,"segoeui-vietnamese"),m(t,s.Qm.WestEuropean,"segoeui-westeuropean","segoeui","Segoe UI"),m(t,s.II.Selawik,"selawik","selawik"),m(t,s.Qm.Armenian,"segoeui-armenian"),m(t,s.Qm.Georgian,"segoeui-georgian"),p("Leelawadee UI Web",t+"/leelawadeeui-thai/leelawadeeui-semilight",s.lq.light),p("Leelawadee UI Web",t+"/leelawadeeui-thai/leelawadeeui-bold",s.lq.semibold)}}h(null!=(i=null===(r=null===(n=(0,u.J)())||void 0===n?void 0:n.FabricConfig)||void 0===r?void 0:r.fontBaseUrl)?i:"https://static2.sharepointonline.com/files/fabric/assets")},3182:(e,t,o)=>{"use strict";var n,r,i,a,s;o.d(t,{Qm:()=>n,II:()=>r,TS:()=>i,lq:()=>a,ld:()=>s}),function(e){e.Arabic="Segoe UI Web (Arabic)",e.Cyrillic="Segoe UI Web (Cyrillic)",e.EastEuropean="Segoe UI Web (East European)",e.Greek="Segoe UI Web (Greek)",e.Hebrew="Segoe UI Web (Hebrew)",e.Thai="Leelawadee UI Web",e.Vietnamese="Segoe UI Web (Vietnamese)",e.WestEuropean="Segoe UI Web (West European)",e.Selawik="Selawik Web",e.Armenian="Segoe UI Web (Armenian)",e.Georgian="Segoe UI Web (Georgian)"}(n||(n={})),function(e){e.Arabic="'"+n.Arabic+"'",e.ChineseSimplified="'Microsoft Yahei UI', Verdana, Simsun",e.ChineseTraditional="'Microsoft Jhenghei UI', Pmingliu",e.Cyrillic="'"+n.Cyrillic+"'",e.EastEuropean="'"+n.EastEuropean+"'",e.Greek="'"+n.Greek+"'",e.Hebrew="'"+n.Hebrew+"'",e.Hindi="'Nirmala UI'",e.Japanese="'Yu Gothic UI', 'Meiryo UI', Meiryo, 'MS Pgothic', Osaka",e.Korean="'Malgun Gothic', Gulim",e.Selawik="'"+n.Selawik+"'",e.Thai="'Leelawadee UI Web', 'Kmer UI'",e.Vietnamese="'"+n.Vietnamese+"'",e.WestEuropean="'"+n.WestEuropean+"'",e.Armenian="'"+n.Armenian+"'",e.Georgian="'"+n.Georgian+"'"}(r||(r={})),function(e){e.size10="10px",e.size12="12px",e.size14="14px",e.size16="16px",e.size18="18px",e.size20="20px",e.size24="24px",e.size28="28px",e.size32="32px",e.size42="42px",e.size68="68px",e.mini="10px",e.xSmall="10px",e.small="12px",e.smallPlus="12px",e.medium="14px",e.mediumPlus="16px",e.icon="16px",e.large="18px",e.xLarge="20px",e.xLargePlus="24px",e.xxLarge="28px",e.xxLargePlus="32px",e.superLarge="42px",e.mega="68px"}(i||(i={})),function(e){e.light=100,e.semilight=300,e.regular=400,e.semibold=600,e.bold=700}(a||(a={})),function(e){e.xSmall="10px",e.small="12px",e.medium="16px",e.large="20px"}(s||(s={}))},7134:(e,t,o)=>{"use strict";o.d(t,{F:()=>s});var n=o(3182),r="'Segoe UI', '"+n.Qm.WestEuropean+"'",i={ar:n.II.Arabic,bg:n.II.Cyrillic,cs:n.II.EastEuropean,el:n.II.Greek,et:n.II.EastEuropean,he:n.II.Hebrew,hi:n.II.Hindi,hr:n.II.EastEuropean,hu:n.II.EastEuropean,ja:n.II.Japanese,kk:n.II.EastEuropean,ko:n.II.Korean,lt:n.II.EastEuropean,lv:n.II.EastEuropean,pl:n.II.EastEuropean,ru:n.II.Cyrillic,sk:n.II.EastEuropean,"sr-latn":n.II.EastEuropean,th:n.II.Thai,tr:n.II.EastEuropean,uk:n.II.Cyrillic,vi:n.II.Vietnamese,"zh-hans":n.II.ChineseSimplified,"zh-hant":n.II.ChineseTraditional,hy:n.II.Armenian,ka:n.II.Georgian};function a(e,t,o){return{fontFamily:o,MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontSize:e,fontWeight:t}}function s(e){var t=function(e){for(var t in i)if(i.hasOwnProperty(t)&&e&&0===t.indexOf(e))return i[t];return r}(e)+", 'Segoe UI', -apple-system, BlinkMacSystemFont, 'Roboto', 'Helvetica Neue', sans-serif";return{tiny:a(n.TS.mini,n.lq.regular,t),xSmall:a(n.TS.xSmall,n.lq.regular,t),small:a(n.TS.small,n.lq.regular,t),smallPlus:a(n.TS.smallPlus,n.lq.regular,t),medium:a(n.TS.medium,n.lq.regular,t),mediumPlus:a(n.TS.mediumPlus,n.lq.regular,t),large:a(n.TS.large,n.lq.regular,t),xLarge:a(n.TS.xLarge,n.lq.semibold,t),xLargePlus:a(n.TS.xLargePlus,n.lq.semibold,t),xxLarge:a(n.TS.xxLarge,n.lq.semibold,t),xxLargePlus:a(n.TS.xxLargePlus,n.lq.semibold,t),superLarge:a(n.TS.superLarge,n.lq.semibold,t),mega:a(n.TS.mega,n.lq.semibold,t)}}},8188:(e,t,o)=>{"use strict";o.d(t,{I:()=>i});var n=o(9478),r=o(6267);function i(e,t){var o,i,a,s;void 0===t&&(t={});var l=(0,n.T)({},e,t,{semanticColors:(0,r.Q)(t.palette,t.effects,t.semanticColors,void 0===t.isInverted?e.isInverted:t.isInverted)});if((null===(o=t.palette)||void 0===o?void 0:o.themePrimary)&&!(null===(i=t.palette)||void 0===i?void 0:i.accent)&&(l.palette.accent=t.palette.themePrimary),t.defaultFontStyle)for(var c=0,u=Object.keys(l.fonts);c{"use strict";o.d(t,{C:()=>n});var n={s2:"4px",s1:"8px",m:"16px",l1:"20px",l2:"32px"}},6267:(e,t,o)=>{"use strict";o.d(t,{b:()=>r,Q:()=>i});var n=o(7622);function r(e,t,o,r,a){return void 0===a&&(a=!1),function(e,t){var o="";return!0===t&&(o=" /* @deprecated */"),e.listTextColor=e.listText+o,e.menuItemBackgroundChecked+=o,e.warningHighlight+=o,e.warningText=e.messageText+o,e.successText+=o,e}(i(e,t,(0,n.pi)({primaryButtonBorder:"transparent",errorText:r?"#F1707B":"#a4262c",messageText:r?"#F3F2F1":"#323130",messageLink:r?"#6CB8F6":"#005A9E",messageLinkHovered:r?"#82C7FF":"#004578",infoIcon:r?"#C8C6C4":"#605e5c",errorIcon:r?"#F1707B":"#A80000",blockingIcon:r?"#442726":"#FDE7E9",warningIcon:r?"#C8C6C4":"#797775",severeWarningIcon:r?"#FCE100":"#D83B01",successIcon:r?"#92C353":"#107C10",infoBackground:r?"#323130":"#f3f2f1",errorBackground:r?"#442726":"#FDE7E9",blockingBackground:r?"#442726":"#FDE7E9",warningBackground:r?"#433519":"#FFF4CE",severeWarningBackground:r?"#4F2A0F":"#FED9CC",successBackground:r?"#393D1B":"#DFF6DD",warningHighlight:r?"#fff100":"#ffb900",successText:r?"#92c353":"#107C10"},o),r),a)}function i(e,t,o,r,i){var a,s,l;void 0===i&&(i=!1);var c={},u=e||{},d=u.white,p=u.black,m=u.themePrimary,h=u.themeDark,g=u.themeDarker,f=u.themeDarkAlt,v=u.themeLighter,b=u.neutralLight,y=u.neutralLighter,_=u.neutralDark,C=u.neutralQuaternary,S=u.neutralQuaternaryAlt,x=u.neutralPrimary,k=u.neutralSecondary,w=u.neutralSecondaryAlt,I=u.neutralTertiary,D=u.neutralTertiaryAlt,T=u.neutralLighterAlt,E=u.accent;return d&&(c.bodyBackground=d,c.bodyFrameBackground=d,c.accentButtonText=d,c.buttonBackground=d,c.primaryButtonText=d,c.primaryButtonTextHovered=d,c.primaryButtonTextPressed=d,c.inputBackground=d,c.inputForegroundChecked=d,c.listBackground=d,c.menuBackground=d,c.cardStandoutBackground=d),p&&(c.bodyTextChecked=p,c.buttonTextCheckedHovered=p),m&&(c.link=m,c.primaryButtonBackground=m,c.inputBackgroundChecked=m,c.inputIcon=m,c.inputFocusBorderAlt=m,c.menuIcon=m,c.menuHeader=m,c.accentButtonBackground=m),h&&(c.primaryButtonBackgroundPressed=h,c.inputBackgroundCheckedHovered=h,c.inputIconHovered=h),g&&(c.linkHovered=g),f&&(c.primaryButtonBackgroundHovered=f),v&&(c.inputPlaceholderBackgroundChecked=v),b&&(c.bodyBackgroundChecked=b,c.bodyFrameDivider=b,c.bodyDivider=b,c.variantBorder=b,c.buttonBackgroundCheckedHovered=b,c.buttonBackgroundPressed=b,c.listItemBackgroundChecked=b,c.listHeaderBackgroundPressed=b,c.menuItemBackgroundPressed=b,c.menuItemBackgroundChecked=b),y&&(c.bodyBackgroundHovered=y,c.buttonBackgroundHovered=y,c.buttonBackgroundDisabled=y,c.buttonBorderDisabled=y,c.primaryButtonBackgroundDisabled=y,c.disabledBackground=y,c.listItemBackgroundHovered=y,c.listHeaderBackgroundHovered=y,c.menuItemBackgroundHovered=y),C&&(c.primaryButtonTextDisabled=C,c.disabledSubtext=C),S&&(c.listItemBackgroundCheckedHovered=S),I&&(c.disabledBodyText=I,c.variantBorderHovered=(null===(a=o)||void 0===a?void 0:a.variantBorderHovered)||I,c.buttonTextDisabled=I,c.inputIconDisabled=I,c.disabledText=I),x&&(c.bodyText=x,c.actionLink=x,c.buttonText=x,c.inputBorderHovered=x,c.inputText=x,c.listText=x,c.menuItemText=x),T&&(c.bodyStandoutBackground=T,c.defaultStateBackground=T),_&&(c.actionLinkHovered=_,c.buttonTextHovered=_,c.buttonTextChecked=_,c.buttonTextPressed=_,c.inputTextHovered=_,c.menuItemTextHovered=_),k&&(c.bodySubtext=k,c.focusBorder=k,c.inputBorder=k,c.smallInputBorder=k,c.inputPlaceholderText=k),w&&(c.buttonBorder=w),D&&(c.disabledBodySubtext=D,c.disabledBorder=D,c.buttonBackgroundChecked=D,c.menuDivider=D),E&&(c.accentButtonBackground=E),(null===(s=t)||void 0===s?void 0:s.elevation4)&&(c.cardShadow=t.elevation4),!r&&(null===(l=t)||void 0===l?void 0:l.elevation8)?c.cardShadowHovered=t.elevation8:c.variantBorderHovered&&(c.cardShadowHovered="0 0 1px "+c.variantBorderHovered),(0,n.pi)((0,n.pi)({},c),o)}},2167:(e,t,o)=>{"use strict";o.d(t,{e:()=>r});var n=o(9757),r=function(){function e(e,t){this._timeoutIds=null,this._immediateIds=null,this._intervalIds=null,this._animationFrameIds=null,this._isDisposed=!1,this._parent=e||null,this._onErrorHandler=t,this._noop=function(){}}return e.prototype.dispose=function(){var e;if(this._isDisposed=!0,this._parent=null,this._timeoutIds){for(e in this._timeoutIds)this._timeoutIds.hasOwnProperty(e)&&this.clearTimeout(parseInt(e,10));this._timeoutIds=null}if(this._immediateIds){for(e in this._immediateIds)this._immediateIds.hasOwnProperty(e)&&this.clearImmediate(parseInt(e,10));this._immediateIds=null}if(this._intervalIds){for(e in this._intervalIds)this._intervalIds.hasOwnProperty(e)&&this.clearInterval(parseInt(e,10));this._intervalIds=null}if(this._animationFrameIds){for(e in this._animationFrameIds)this._animationFrameIds.hasOwnProperty(e)&&this.cancelAnimationFrame(parseInt(e,10));this._animationFrameIds=null}},e.prototype.setTimeout=function(e,t){var o=this,n=0;return this._isDisposed||(this._timeoutIds||(this._timeoutIds={}),n=setTimeout((function(){try{o._timeoutIds&&delete o._timeoutIds[n],e.apply(o._parent)}catch(e){o._logError(e)}}),t),this._timeoutIds[n]=!0),n},e.prototype.clearTimeout=function(e){this._timeoutIds&&this._timeoutIds[e]&&(clearTimeout(e),delete this._timeoutIds[e])},e.prototype.setImmediate=function(e,t){var o=this,r=0,i=(0,n.J)(t);return this._isDisposed||(this._immediateIds||(this._immediateIds={}),r=i.setTimeout((function(){try{o._immediateIds&&delete o._immediateIds[r],e.apply(o._parent)}catch(e){o._logError(e)}}),0),this._immediateIds[r]=!0),r},e.prototype.clearImmediate=function(e,t){var o=(0,n.J)(t);this._immediateIds&&this._immediateIds[e]&&(o.clearTimeout(e),delete this._immediateIds[e])},e.prototype.setInterval=function(e,t){var o=this,n=0;return this._isDisposed||(this._intervalIds||(this._intervalIds={}),n=setInterval((function(){try{e.apply(o._parent)}catch(e){o._logError(e)}}),t),this._intervalIds[n]=!0),n},e.prototype.clearInterval=function(e){this._intervalIds&&this._intervalIds[e]&&(clearInterval(e),delete this._intervalIds[e])},e.prototype.throttle=function(e,t,o){var n=this;if(this._isDisposed)return this._noop;var r,i,a=t||0,s=!0,l=!0,c=0,u=null;o&&"boolean"==typeof o.leading&&(s=o.leading),o&&"boolean"==typeof o.trailing&&(l=o.trailing);var d=function(t){var o=Date.now(),p=o-c,m=s?a-p:a;return p>=a&&(!t||s)?(c=o,u&&(n.clearTimeout(u),u=null),r=e.apply(n._parent,i)):null===u&&l&&(u=n.setTimeout(d,m)),r};return function(){for(var e=[],t=0;t=s&&(o=!0),d=t);var r=t-d,a=s-r,h=t-p,v=!1;return null!==u&&(h>=u&&m?v=!0:a=Math.min(a,u-h)),r>=s||v||o?g(t):null!==m&&e||!c||(m=n.setTimeout(f,a)),i},v=function(){return!!m},b=function(){for(var e=[],t=0;t{"use strict";o.d(t,{H:()=>u,S:()=>p});var n=o(7622),r=o(7002),i=o(2167),a=o(9919),s=o(5415),l=o(209),c=o(3129),u=function(e){function t(o,n){var r=e.call(this,o,n)||this;return function(e,t,o){for(var n=0,r=o.length;n1?e[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 i.e(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 a.r(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(o){return t[e]=o}),this.__resolves[e]},t.prototype._updateComponentRef=function(e,t){void 0===t&&(t={}),e&&t&&e.componentRef!==t.componentRef&&(this._setComponentRef(e.componentRef,null),this._setComponentRef(t.componentRef,this))},t.prototype._warnDeprecations=function(e){(0,c.b)(this.className,this.props,e)},t.prototype._warnMutuallyExclusive=function(e){(0,l.L)(this.className,this.props,e)},t.prototype._warnConditionallyRequiredProps=function(e,t,o){(0,s.w)(this.className,this.props,e,t,o)},t.prototype._setComponentRef=function(e,t){!this._skipComponentRefResolution&&e&&("function"==typeof e&&e(t),"object"==typeof e&&(e.current=t))},t}(r.Component);function d(e,t,o){var n=e[o],r=t[o];(n||r)&&(e[o]=function(){for(var e,t=[],o=0;o{"use strict";o.d(t,{U:()=>i});var n=o(7622),r=o(7002),i=function(e){function t(t){var o=e.call(this,t)||this;return o.state={isRendered:!1},o}return(0,n.ZT)(t,e),t.prototype.componentDidMount=function(){var e=this,t=this.props.delay;this._timeoutId=window.setTimeout((function(){e.setState({isRendered:!0})}),t)},t.prototype.componentWillUnmount=function(){this._timeoutId&&clearTimeout(this._timeoutId)},t.prototype.render=function(){return this.state.isRendered?r.Children.only(this.props.children):null},t.defaultProps={delay:0},t}(r.Component)},9919:(e,t,o)=>{"use strict";o.d(t,{r:()=>r});var n=o(2447),r=function(){function e(t){this._id=e._uniqueId++,this._parent=t,this._eventRecords=[]}return e.raise=function(t,o,r,i){var a;if(e._isElement(t)){if("undefined"!=typeof document&&document.createEvent){var s=document.createEvent("HTMLEvents");s.initEvent(o,i||!1,!0),(0,n.f0)(s,r),a=t.dispatchEvent(s)}else if("undefined"!=typeof document&&document.createEventObject){var l=document.createEventObject(r);t.fireEvent("on"+o,l)}}else for(;t&&!1!==a;){var c=t.__events__,u=c?c[o]:null;if(u)for(var d in u)if(u.hasOwnProperty(d))for(var p=u[d],m=0;!1!==a&&m-1)for(var a=o.split(/[ ,]+/),s=0;s{"use strict";o.d(t,{D:()=>i});var n=o(9757),r=0,i=function(){function e(){}return e.getValue=function(e,t){var o=a();return void 0===o[e]&&(o[e]="function"==typeof t?t():t),o[e]},e.setValue=function(e,t){var o=a(),n=o.__callbacks__,r=o[e];if(t!==r){o[e]=t;var i={oldValue:r,value:t,key:e};for(var s in n)n.hasOwnProperty(s)&&n[s](i)}return t},e.addChangeListener=function(e){var t=e.__id__,o=s();t||(t=e.__id__=String(r++)),o[t]=e},e.removeChangeListener=function(e){delete s()[e.__id__]},e}();function a(){var e,t=(0,n.J)()||{};return t.__globalSettings__||(t.__globalSettings__=((e={}).__callbacks__={},e)),t.__globalSettings__}function s(){return a().__callbacks__}},8145:(e,t,o)=>{"use strict";o.d(t,{m:()=>n});var n={backspace:8,tab:9,enter:13,shift:16,ctrl:17,alt:18,pauseBreak:19,capslock:20,escape:27,space:32,pageUp:33,pageDown:34,end:35,home:36,left:37,up:38,right:39,down:40,insert:45,del:46,zero:48,one:49,two:50,three:51,four:52,five:53,six:54,seven:55,eight:56,nine:57,a:65,b:66,c:67,d:68,e:69,f:70,g:71,h:72,i:73,j:74,k:75,l:76,m:77,n:78,o:79,p:80,q:81,r:82,s:83,t:84,u:85,v:86,w:87,x:88,y:89,z:90,leftWindow:91,rightWindow:92,select:93,zero_numpad:96,one_numpad:97,two_numpad:98,three_numpad:99,four_numpad:100,five_numpad:101,six_numpad:102,seven_numpad:103,eight_numpad:104,nine_numpad:105,multiply:106,add:107,subtract:109,decimalPoint:110,divide:111,f1:112,f2:113,f3:114,f4:115,f5:116,f6:117,f7:118,f8:119,f9:120,f10:121,f11:122,f12:123,numlock:144,scrollLock:145,semicolon:186,equalSign:187,comma:188,dash:189,period:190,forwardSlash:191,graveAccent:192,openBracket:219,backSlash:220,closeBracket:221,singleQuote:222}},4884:(e,t,o)=>{"use strict";o.d(t,{A:()=>n});var n=function(){function e(e,t,o,n){void 0===e&&(e=0),void 0===t&&(t=0),void 0===o&&(o=0),void 0===n&&(n=0),this.top=o,this.bottom=n,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}()},9151:(e,t,o)=>{"use strict";function n(e){for(var t=[],o=1;on})},9577:(e,t,o)=>{"use strict";function n(){for(var e=[],t=0;tn})},2470:(e,t,o)=>{"use strict";function n(e,t,o){void 0===o&&(o=0);for(var n=-1,r=o;e&&rn,sE:()=>r,Ri:()=>i,QC:()=>a,$E:()=>s,wm:()=>l,OA:()=>c,xH:()=>u,cO:()=>d})},7300:(e,t,o)=>{"use strict";o.d(t,{y:()=>u});var n=o(729),r=o(2005),i=o(5951),a=o(9757),s=0,l=n.Y.getInstance();l&&l.onReset&&l.onReset((function(){return s++}));var c="__retval__";function u(e){void 0===e&&(e={});var t=new Map,o=0,n=0,l=s;return function(u,d){var m,h;if(void 0===d&&(d={}),e.useStaticStyles&&"function"==typeof u&&u.__noStyleOverride__)return u(d);n++;var g=t,f=d.theme,v=f&&void 0!==f.rtl?f.rtl:(0,i.zg)(),b=e.disableCaching;return l!==s&&(l=s,t=new Map,o=0),e.disableCaching||(g=p(t,u),g=p(g,d)),!b&&g[c]||(g[c]=void 0===u?{}:(0,r.I)(["function"==typeof u?u(d):u],{rtl:!!v,specificityMultiplier:e.useStaticStyles?5:void 0}),b||o++),o>(e.cacheSize||50)&&((null===(h=null===(m=(0,a.J)())||void 0===m?void 0:m.FabricConfig)||void 0===h?void 0:h.enableClassNameCacheFullWarning)&&(console.warn("Styles are being recalculated too frequently. Cache miss rate is "+o+"/"+n+"."),console.trace()),t.clear(),o=0,e.disableCaching=!0),g[c]}}function d(e,t){return t=function(e){switch(e){case void 0:return"__undefined__";case null:return"__null__";default:return e}}(t),e.has(t)||e.set(t,new Map),e.get(t)}function p(e,t){if("function"==typeof t)if(t.__cachedInputs__)for(var o=0,n=t.__cachedInputs__;o{"use strict";function n(e,t){return void 0!==e[t]&&null!==e[t]}o.d(t,{s:()=>n})},4932:(e,t,o)=>{"use strict";o.d(t,{S:()=>i});var n=o(2470),r=function(e){return function(t){for(var o=0,n=e.refs;o{"use strict";function n(){for(var e=[],t=0;tn})},1767:(e,t,o)=>{"use strict";o.d(t,{X:()=>l});var n=o(7622),r=o(5822),i={settings:{},scopedSettings:{},inCustomizerContext:!1},a=r.D.getValue("customizations",{settings:{},scopedSettings:{},inCustomizerContext:!1}),s=[],l=function(){function e(){}return e.reset=function(){a.settings={},a.scopedSettings={}},e.applySettings=function(t){a.settings=(0,n.pi)((0,n.pi)({},a.settings),t),e._raiseChange()},e.applyScopedSettings=function(t,o){a.scopedSettings[t]=(0,n.pi)((0,n.pi)({},a.scopedSettings[t]),o),e._raiseChange()},e.getSettings=function(e,t,o){void 0===o&&(o=i);for(var n={},r=t&&o.scopedSettings[t]||{},s=t&&a.scopedSettings[t]||{},l=0,c=e;l{"use strict";o.d(t,{N:()=>l});var n=o(7622),r=o(7002),i=o(1767),a=o(7576),s=o(8889),l=function(e){function t(){var t=null!==e&&e.apply(this,arguments)||this;return t._onCustomizationChange=function(){return t.forceUpdate()},t}return(0,n.ZT)(t,e),t.prototype.componentDidMount=function(){i.X.observe(this._onCustomizationChange)},t.prototype.componentWillUnmount=function(){i.X.unobserve(this._onCustomizationChange)},t.prototype.render=function(){var e=this,t=this.props.contextTransform;return r.createElement(a.i.Consumer,null,(function(o){var n=(0,s.u)(e.props,o);return t&&(n=t(n)),r.createElement(a.i.Provider,{value:n},e.props.children)}))},t}(r.Component)},7576:(e,t,o)=>{"use strict";o.d(t,{i:()=>n});var n=o(7002).createContext({customizations:{inCustomizerContext:!1,settings:{},scopedSettings:{}}})},6053:(e,t,o)=>{"use strict";o.d(t,{a:()=>c});var n=o(7622),r=o(7002),i=o(1767),a=o(1529),s=o(7576),l=o(3570);function c(e,t,o){return function(c){var u,d=((u=function(a){function u(e){var t=a.call(this,e)||this;return t._styleCache={},t._onSettingChanged=t._onSettingChanged.bind(t),t}return(0,n.ZT)(u,a),u.prototype.componentDidMount=function(){i.X.observe(this._onSettingChanged)},u.prototype.componentWillUnmount=function(){i.X.unobserve(this._onSettingChanged)},u.prototype.render=function(){var a=this;return r.createElement(s.i.Consumer,null,(function(s){var u=i.X.getSettings(t,e,s.customizations),d=a.props;if(u.styles&&"function"==typeof u.styles&&(u.styles=u.styles((0,n.pi)((0,n.pi)({},u),d))),o&&u.styles){if(a._styleCache.default!==u.styles||a._styleCache.component!==d.styles){var p=(0,l.m)(u.styles,d.styles);a._styleCache.default=u.styles,a._styleCache.component=d.styles,a._styleCache.merged=p}return r.createElement(c,(0,n.pi)({},u,d,{styles:a._styleCache.merged}))}return r.createElement(c,(0,n.pi)({},u,d))}))},u.prototype._onSettingChanged=function(){this.forceUpdate()},u}(r.Component)).displayName="Customized"+e,u);return(0,a.f)(c,d)}}},8889:(e,t,o)=>{"use strict";o.d(t,{u:()=>r});var n=o(3579);function r(e,t){var o=(t||{}).customizations,r=void 0===o?{settings:{},scopedSettings:{}}:o;return{customizations:{settings:(0,n.O)(r.settings,e.settings),scopedSettings:(0,n.J)(r.scopedSettings,e.scopedSettings),inCustomizerContext:!0}}}},3579:(e,t,o)=>{"use strict";o.d(t,{O:()=>r,J:()=>i});var n=o(7622);function r(e,t){return void 0===e&&(e={}),(a(t)?t:function(e){return function(t){return e?(0,n.pi)((0,n.pi)({},t),e):t}}(t))(e)}function i(e,t){return void 0===e&&(e={}),(a(t)?t:(void 0===(o=t)&&(o={}),function(e){var t=(0,n.pi)({},e);for(var r in o)o.hasOwnProperty(r)&&(t[r]=(0,n.pi)((0,n.pi)({},e[r]),o[r]));return t}))(e);var o}function a(e){return"function"==typeof e}},9296:(e,t,o)=>{"use strict";o.d(t,{D:()=>a});var n=o(7002),r=o(1767),i=o(7576);function a(e,t){var o,a=(o=n.useState(0)[1],function(){return o((function(e){return++e}))}),s=n.useContext(i.i).customizations,l=s.inCustomizerContext;return n.useEffect((function(){return l||r.X.observe(a),function(){l||r.X.unobserve(a)}}),[l]),r.X.getSettings(e,t,s)}},5446:(e,t,o)=>{"use strict";o.d(t,{M:()=>r});var n=o(6169);function r(e){if(!n.N&&"undefined"!=typeof document){var t=e;return t&&t.ownerDocument?t.ownerDocument:document}}},9757:(e,t,o)=>{"use strict";o.d(t,{J:()=>i});var n=o(6169),r=void 0;try{r=window}catch(e){}function i(e){if(!n.N&&void 0!==r){var t=e;return t&&t.ownerDocument&&t.ownerDocument.defaultView?t.ownerDocument.defaultView:r}}},9251:(e,t,o)=>{"use strict";function n(e,t,o,n){return e.addEventListener(t,o,n),function(){return e.removeEventListener(t,o,n)}}o.d(t,{on:()=>n})},3978:(e,t,o)=>{"use strict";function n(e){var t=function(e){var t;return"function"==typeof Event?t=new Event(e):(t=document.createEvent("Event")).initEvent(e,!0,!0),t}("MouseEvents");t.initEvent("click",!0,!0),e.dispatchEvent(t)}o.d(t,{x:()=>n})},6169:(e,t,o)=>{"use strict";o.d(t,{N:()=>n,T:()=>r});var n=!1;function r(e){n=e}},3774:(e,t,o)=>{"use strict";o.d(t,{c:()=>r});var n=o(9151);function r(e,t){for(var o in t)t.hasOwnProperty(o)&&(e[o]=(0,n.Z)(e,e[o],t[o]))}},4553:(e,t,o)=>{"use strict";o.d(t,{ft:()=>l,TE:()=>c,RK:()=>u,xY:()=>d,uo:()=>p,TD:()=>m,dc:()=>h,Jv:()=>g,MW:()=>f,jz:()=>v,gc:()=>b,WU:()=>y,mM:()=>_,um:()=>S,bF:()=>x,xu:()=>k});var n=o(5081),r=o(3345),i=o(6840),a=o(9757),s=o(5446);function l(e,t,o){return h(e,t,!0,!1,!1,o)}function c(e,t,o){return m(e,t,!0,!1,!0,o)}function u(e,t,o,n){return void 0===n&&(n=!0),h(e,t,n,!1,!1,o,!1,!0)}function d(e,t,o,n){return void 0===n&&(n=!0),m(e,t,n,!1,!0,o,!1,!0)}function p(e){var t=h(e,e,!0,!1,!1,!0);return!!t&&(S(t),!0)}function m(e,t,o,n,r,i,a,s){if(!t||!a&&t===e)return null;var l=g(t);if(r&&l&&(i||!v(t)&&!b(t))){var c=m(e,t.lastElementChild,!0,!0,!0,i,a,s);if(c){if(s&&f(c,!0)||!s)return c;var u=m(e,c.previousElementSibling,!0,!0,!0,i,a,s);if(u)return u;for(var d=c.parentElement;d&&d!==t;){var p=m(e,d.previousElementSibling,!0,!0,!0,i,a,s);if(p)return p;d=d.parentElement}}}return o&&l&&f(t,s)?t:m(e,t.previousElementSibling,!0,!0,!0,i,a,s)||(n?null:m(e,t.parentElement,!0,!1,!1,i,a,s))}function h(e,t,o,n,r,i,a,s){if(!t||t===e&&r&&!a)return null;var l=g(t);if(o&&l&&f(t,s))return t;if(!r&&l&&(i||!v(t)&&!b(t))){var c=h(e,t.firstElementChild,!0,!0,!1,i,a,s);if(c)return c}return t===e?null:h(e,t.nextElementSibling,!0,!0,!1,i,a,s)||(n?null:h(e,t.parentElement,!1,!1,!0,i,a,s))}function g(e){if(!e||!e.getAttribute)return!1;var t=e.getAttribute("data-is-visible");return null!=t?"true"===t:0!==e.offsetHeight||null!==e.offsetParent||!0===e.isVisible}function f(e,t){if(!e||e.disabled)return!1;var o=0,n=null;e&&e.getAttribute&&(n=e.getAttribute("tabIndex"))&&(o=parseInt(n,10));var r=e.getAttribute?e.getAttribute("data-is-focusable"):null,i=null!==n&&o>=0,a=!!e&&"false"!==r&&("A"===e.tagName||"BUTTON"===e.tagName||"INPUT"===e.tagName||"TEXTAREA"===e.tagName||"SELECT"===e.tagName||"true"===r||i);return t?-1!==o&&a:a}function v(e){return!!(e&&e.getAttribute&&e.getAttribute("data-focuszone-id"))}function b(e){return!(!e||!e.getAttribute||"true"!==e.getAttribute("data-is-sub-focuszone"))}function y(e){var t=(0,s.M)(e),o=t&&t.activeElement;return!(!o||!(0,r.t)(e,o))}function _(e,t){return"true"!==(0,n.j)(e,t)}var C=void 0;function S(e){if(e){if(C)return void(C=e);C=e;var t=(0,a.J)(e);t&&t.requestAnimationFrame((function(){C&&C.focus(),C=void 0}))}}function x(e,t){for(var o=e,n=0,r=t;n{"use strict";o.d(t,{z:()=>s,_:()=>l});var n=o(9757),r=o(729),i=(0,n.J)()||{};void 0===i.__currentId__&&(i.__currentId__=0);var a=!1;function s(e){if(!a){var t=r.Y.getInstance();t&&t.onReset&&t.onReset(l),a=!0}return(void 0===e?"id__":e)+i.__currentId__++}function l(e){void 0===e&&(e=0),i.__currentId__=e}},63:(e,t,o)=>{"use strict";o.d(t,{j:()=>r});var n=o(7622);function r(e,t){for(var o=(0,n.pi)({},t),r=0,i=Object.keys(e);r{"use strict";o.d(t,{W:()=>r,e:()=>i});var n=["setState","render","componentWillMount","UNSAFE_componentWillMount","componentDidMount","componentWillReceiveProps","UNSAFE_componentWillReceiveProps","shouldComponentUpdate","componentWillUpdate","getSnapshotBeforeUpdate","UNSAFE_componentWillUpdate","componentDidUpdate","componentWillUnmount"];function r(e,t,o){void 0===o&&(o=n);var r=[],i=function(n){"function"!=typeof t[n]||void 0!==e[n]||o&&-1!==o.indexOf(n)||(r.push(n),e[n]=function(){for(var e=[],o=0;o{"use strict";function n(e,t){for(var o in e)e.hasOwnProperty(o)&&(t[o]=e[o]);return t}o.d(t,{f:()=>n})},5036:(e,t,o)=>{"use strict";o.d(t,{f:()=>r});var n=o(9757),r=function(){var e,t,o=(0,n.J)();return!!(null===(t=null===(e=o)||void 0===e?void 0:e.navigator)||void 0===t?void 0:t.userAgent)&&o.navigator.userAgent.indexOf("rv:11.0")>-1}},688:(e,t,o)=>{"use strict";o.d(t,{l:()=>r});var n=o(3774);function r(e){(0,n.c)(e,{componentDidMount:i,componentDidUpdate:a,componentWillUnmount:s})}function i(){l(this.props.componentRef,this)}function a(e){e.componentRef!==this.props.componentRef&&(l(e.componentRef,null),l(this.props.componentRef,this))}function s(){l(this.props.componentRef,null)}function l(e,t){e&&("object"==typeof e?e.current=t:"function"==typeof e&&e(t))}},6104:(e,t,o)=>{"use strict";o.d(t,{Q:()=>l});var n=/[\(\[\{][^\)\]\}]*[\)\]\}]/g,r=/[\0-\u001F\!-/:-@\[-`\{-\u00BF\u0250-\u036F\uD800-\uFFFF]/g,i=/^\d+[\d\s]*(:?ext|x|)\s*\d+$/i,a=/\s+/g,s=/[\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]/;function l(e,t,o){return e?(e=function(e){return(e=(e=(e=e.replace(n,"")).replace(r,"")).replace(a," ")).trim()}(e),s.test(e)||!o&&i.test(e)?"":function(e,t){var o="",n=e.split(" ");return 2===n.length?(o+=n[0].charAt(0).toUpperCase(),o+=n[1].charAt(0).toUpperCase()):3===n.length?(o+=n[0].charAt(0).toUpperCase(),o+=n[2].charAt(0).toUpperCase()):0!==n.length&&(o+=n[0].charAt(0).toUpperCase()),t&&o.length>1?o.charAt(1)+o.charAt(0):o}(e,t)):""}},7414:(e,t,o)=>{"use strict";o.d(t,{L:()=>a,e:()=>s});var n,r=o(8145),i=((n={})[r.m.up]=1,n[r.m.down]=1,n[r.m.left]=1,n[r.m.right]=1,n[r.m.home]=1,n[r.m.end]=1,n[r.m.tab]=1,n[r.m.pageUp]=1,n[r.m.pageDown]=1,n);function a(e){return!!i[e]}function s(e){i[e]=1}},3856:(e,t,o)=>{"use strict";o.d(t,{G:()=>l,m:()=>c});var n,r=o(5446),i=o(9757),a=o(6982),s="language";function l(e){if(void 0===e&&(e="sessionStorage"),void 0===n){var t=(0,r.M)(),o="localStorage"===e?function(e){var t=null;try{var o=(0,i.J)();t=o?o.localStorage.getItem("language"):null}catch(e){}return t}():"sessionStorage"===e?a.r(s):void 0;o&&(n=o),void 0===n&&t&&(n=t.documentElement.getAttribute("lang")),void 0===n&&(n="en")}return n}function c(e,t){var o=(0,r.M)();o&&o.documentElement.setAttribute("lang",e);var l=!0===t?"none":t||"sessionStorage";"localStorage"===l?function(e,t){try{var o=(0,i.J)();o&&o.localStorage.setItem("language",t)}catch(e){}}(0,e):"sessionStorage"===l&&a.L(s,e),n=e}},8633:(e,t,o)=>{"use strict";function n(e,t){var o=e.left||e.x||0,n=e.top||e.y||0,r=t.left||t.x||0,i=t.top||t.y||0;return Math.sqrt(Math.pow(o-r,2)+Math.pow(n-i,2))}function r(e){var t,o=e.contentSize,n=e.boundsSize,r=e.mode,i=void 0===r?"contain":r,a=e.maxScale,s=void 0===a?1:a,l=o.width/o.height,c=n.width/n.height;t=("contain"===i?l>c:ln,nK:()=>r,oe:()=>i,F0:()=>a})},5094:(e,t,o)=>{"use strict";o.d(t,{rQ:()=>c,du:()=>u,HP:()=>d,NF:()=>p,Ct:()=>m});var n=o(729),r=!1,i=0,a={empty:!0},s={},l="undefined"==typeof WeakMap?null:WeakMap;function c(e){l=e}function u(){i++}function d(e,t,o){var n=p(o.value&&o.value.bind(null));return{configurable:!0,get:function(){return n}}}function p(e,t,o){if(void 0===t&&(t=100),void 0===o&&(o=!1),!l)return e;if(!r){var a=n.Y.getInstance();a&&a.onReset&&n.Y.getInstance().onReset(u),r=!0}var s,c=0,d=i;return function(){for(var n=[],r=0;r0&&c>t)&&(s=g(),c=0,d=i),a=s;for(var l=0;l{"use strict";function n(e){for(var t=[],o=1;o-1;e[n]=a?i:r(e[n]||{},i,o)}}return o.pop(),e}o.d(t,{T:()=>n})},8936:(e,t,o)=>{"use strict";o.d(t,{g:()=>n});var n=function(){return!!(window&&window.navigator&&window.navigator.userAgent)&&/iPad|iPhone|iPod/i.test(window.navigator.userAgent)}},6093:(e,t,o)=>{"use strict";o.d(t,{O:()=>r});var n=o(5446);function r(e){for(var t,o=[],r=(0,n.M)(e)||document;e!==r.body;){for(var i=0,a=e.parentElement.children;i{"use strict";function n(e,t){for(var o in e)if(e.hasOwnProperty(o)&&(!t.hasOwnProperty(o)||t[o]!==e[o]))return!1;for(var o in t)if(t.hasOwnProperty(o)&&!e.hasOwnProperty(o))return!1;return!0}function r(e){for(var t=[],o=1;on,f0:()=>r,lW:()=>i,vT:()=>a,VO:()=>s,CE:()=>l})},6479:(e,t,o)=>{"use strict";o.d(t,{V:()=>i});var n,r=o(9757);function i(e){if(void 0===n||e){var t=(0,r.J)(),o=t&&t.navigator.userAgent;n=!!o&&-1!==o.indexOf("Macintosh")}return!!n}},6670:(e,t,o)=>{"use strict";function n(e){return e.clientWidthn,cs:()=>r,zS:()=>i})},8127:(e,t,o)=>{"use strict";o.d(t,{WO:()=>r,Nf:()=>i,iY:()=>a,mp:()=>s,vF:()=>l,NI:()=>c,t$:()=>u,PT:()=>d,h2:()=>p,Yq:()=>m,Gg:()=>h,FI:()=>g,bL:()=>f,Qy:()=>v,$B:()=>b,PC:()=>y,fI:()=>_,IX:()=>C,YG:()=>S,qi:()=>x,NX:()=>k,SZ:()=>w,it:()=>I,X7:()=>D,n7:()=>T,pq:()=>E});var n=function(){for(var e=[],t=0;t=0||0===l.indexOf("data-")||0===l.indexOf("aria-"))||o&&-1!==(null===(n=o)||void 0===n?void 0:n.indexOf(l))||(i[l]=e[l])}return i}},8826:(e,t,o)=>{"use strict";o.d(t,{k:()=>i});var n=o(5094),r=(0,n.Ct)((function(e){return(0,n.Ct)((function(t){var o=(0,n.Ct)((function(e){return function(o){return t(o,e)}}));return function(n,r){return e(n,r?o(r):t)}}))}));function i(e,t){return r(e)(t)}},5951:(e,t,o)=>{"use strict";o.d(t,{zg:()=>c,ok:()=>u,dP:()=>d});var n,r=o(8145),i=o(5446),a=o(6982),s=o(6825),l="isRTL";function c(e){if(void 0===e&&(e={}),void 0!==e.rtl)return e.rtl;if(void 0===n){var t=(0,a.r)(l);null!==t&&u(n="1"===t);var o=(0,i.M)();void 0===n&&o&&(n="rtl"===(o.body&&o.body.getAttribute("dir")||o.documentElement.getAttribute("dir")),(0,s.ok)(n))}return!!n}function u(e,t){void 0===t&&(t=!1);var o=(0,i.M)();o&&o.documentElement.setAttribute("dir",e?"rtl":"ltr"),t&&(0,a.L)(l,e?"1":"0"),n=e,(0,s.ok)(n)}function d(e,t){return void 0===t&&(t={}),c(t)&&(e===r.m.left?e=r.m.right:e===r.m.right&&(e=r.m.left)),e}},2990:(e,t,o)=>{"use strict";o.d(t,{J:()=>r});var n=o(3774),r=function(e){var t;return function(o){t||(t=new Set,(0,n.c)(e,{componentWillUnmount:function(){t.forEach((function(e){return cancelAnimationFrame(e)}))}}));var r=requestAnimationFrame((function(){t.delete(r),o()}));t.add(r)}}},4948:(e,t,o)=>{"use strict";o.d(t,{c6:()=>c,C7:()=>u,eC:()=>d,Qp:()=>m,tG:()=>h,np:()=>g,zj:()=>f});var n,r=o(5446),i=o(9444),a=o(9757),s=0,l=(0,i.y)({overflow:"hidden !important"}),c="data-is-scrollable",u=function(e,t){if(e){var o=0,n=null;t.on(e,"touchstart",(function(e){1===e.targetTouches.length&&(o=e.targetTouches[0].clientY)}),{passive:!1}),t.on(e,"touchmove",(function(e){if(1===e.targetTouches.length&&(e.stopPropagation(),n)){var t=e.targetTouches[0].clientY-o,r=f(e.target);r&&(n=r),0===n.scrollTop&&t>0&&e.preventDefault(),n.scrollHeight-Math.ceil(n.scrollTop)<=n.clientHeight&&t<0&&e.preventDefault()}}),{passive:!1}),n=e}},d=function(e,t){e&&t.on(e,"touchmove",(function(e){e.stopPropagation()}),{passive:!1})},p=function(e){e.preventDefault()};function m(){var e=(0,r.M)();e&&e.body&&!s&&(e.body.classList.add(l),e.body.addEventListener("touchmove",p,{passive:!1,capture:!1})),s++}function h(){if(s>0){var e=(0,r.M)();e&&e.body&&1===s&&(e.body.classList.remove(l),e.body.removeEventListener("touchmove",p)),s--}}function g(){if(void 0===n){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),n=e.offsetWidth-e.clientWidth,document.body.removeChild(e)}return n}function f(e){for(var t=e,o=(0,r.M)(e);t&&t!==o.body;){if("true"===t.getAttribute(c))return t;t=t.parentElement}for(t=e;t&&t!==o.body;){if("false"!==t.getAttribute(c)){var n=getComputedStyle(t),i=n?n.getPropertyValue("overflow-y"):"";if(i&&("scroll"===i||"auto"===i))return t}t=t.parentElement}return t&&t!==o.body||(t=(0,a.J)(e)),t}},3297:(e,t,o)=>{"use strict";o.d(t,{Y:()=>i});var n=o(5238),r=o(9919),i=function(){function e(){for(var e=[],t=0;t0&&this._isAllSelected&&0===this._exemptedCount||!this._isAllSelected&&this._exemptedCount===e&&e>0},e.prototype.isKeySelected=function(e){var t=this._keyToIndexMap[e];return this.isIndexSelected(t)},e.prototype.isIndexSelected=function(e){return!!(this.count>0&&this._isAllSelected&&!this._exemptedIndices[e]&&!this._unselectableIndices[e]||!this._isAllSelected&&this._exemptedIndices[e])},e.prototype.setAllSelected=function(e){if(!e||this.mode===n.oW.multiple){var t=this._items?this._items.length-this._unselectableCount:0;this.setChangeEvents(!1),t>0&&(this._exemptedCount>0||e!==this._isAllSelected)&&(this._exemptedIndices={},(e!==this._isAllSelected||this._exemptedCount>0)&&(this._exemptedCount=0,this._isAllSelected=e,this._change()),this._updateCount()),this.setChangeEvents(!0)}},e.prototype.setKeySelected=function(e,t,o){var n=this._keyToIndexMap[e];n>=0&&this.setIndexSelected(n,t,o)},e.prototype.setIndexSelected=function(e,t,o){if(this.mode!==n.oW.none&&!((e=Math.min(Math.max(0,e),this._items.length-1))<0||e>=this._items.length)){this.setChangeEvents(!1);var r=this._exemptedIndices[e];!this._unselectableIndices[e]&&(t&&this.mode===n.oW.single&&this._setAllSelected(!1,!0),r&&(t&&this._isAllSelected||!t&&!this._isAllSelected)&&(delete this._exemptedIndices[e],this._exemptedCount--),!r&&(t&&!this._isAllSelected||!t&&this._isAllSelected)&&(this._exemptedIndices[e]=!0,this._exemptedCount++),o&&(this._anchoredIndex=e)),this._updateCount(),this.setChangeEvents(!0)}},e.prototype.selectToKey=function(e,t){this.selectToIndex(this._keyToIndexMap[e],t)},e.prototype.selectToIndex=function(e,t){if(this.mode!==n.oW.none)if(this.mode!==n.oW.single){var o=this._anchoredIndex||0,r=Math.min(e,o),i=Math.max(e,o);for(this.setChangeEvents(!1),t&&this._setAllSelected(!1,!0);r<=i;r++)this.setIndexSelected(r,!0,!1);this.setChangeEvents(!0)}else this.setIndexSelected(e,!0,!0)},e.prototype.toggleAllSelected=function(){this.setAllSelected(!this.isAllSelected())},e.prototype.toggleKeySelected=function(e){this.setKeySelected(e,!this.isKeySelected(e),!0)},e.prototype.toggleIndexSelected=function(e){this.setIndexSelected(e,!this.isIndexSelected(e),!0)},e.prototype.toggleRangeSelected=function(e,t){if(this.mode!==n.oW.none){var o=this.isRangeSelected(e,t),r=e+t;if(!(this.mode===n.oW.single&&t>1)){this.setChangeEvents(!1);for(var i=e;i0&&(this._exemptedCount>0||e!==this._isAllSelected)&&(this._exemptedIndices={},(e!==this._isAllSelected||this._exemptedCount>0)&&(this._exemptedCount=0,this._isAllSelected=e,this._change()),this._updateCount(t)),this.setChangeEvents(!0)}},e.prototype._change=function(){0===this._changeEventSuppressionCount?(this._selectedItems=null,this._selectedIndices=void 0,r.r.raise(this,n.F5),this._onSelectionChanged&&this._onSelectionChanged()):this._hasChanged=!0},e}();function a(e,t){var o=(e||{}).key;return void 0===o?""+t:o}},5238:(e,t,o)=>{"use strict";o.d(t,{F5:()=>i,oW:()=>n,a$:()=>r});var n,r,i="change";!function(e){e[e.none=0]="none",e[e.single=1]="single",e[e.multiple=2]="multiple"}(n||(n={})),function(e){e[e.horizontal=0]="horizontal",e[e.vertical=1]="vertical"}(r||(r={}))},6982:(e,t,o)=>{"use strict";o.d(t,{r:()=>r,L:()=>i});var n=o(9757);function r(e){var t=null;try{var o=(0,n.J)();t=o?o.sessionStorage.getItem(e):null}catch(e){}return t}function i(e,t){var o;try{null===(o=(0,n.J)())||void 0===o||o.sessionStorage.setItem(e,t)}catch(e){}}},6145:(e,t,o)=>{"use strict";o.d(t,{G$:()=>r,MU:()=>a});var n=o(9757),r="ms-Fabric--isFocusVisible",i="ms-Fabric--isFocusHidden";function a(e,t){var o=t?(0,n.J)(t):(0,n.J)();if(o){var a=o.document.body.classList;a.add(e?r:i),a.remove(e?i:r)}}},6953:(e,t,o)=>{"use strict";o.d(t,{W:()=>i});var n=/[\{\}]/g,r=/\{\d+\}/g;function i(e){for(var t=[],o=1;o{"use strict";o.d(t,{z:()=>l});var n=o(7622),r=o(7002),i=o(965),a=o(9296),s=["theme","styles"];function l(e,t,o,l,c){var u=(l=l||{scope:"",fields:void 0}).scope,d=l.fields,p=void 0===d?s:d,m=r.forwardRef((function(s,l){var c=r.useRef(),d=(0,a.D)(p,u),m=d.styles,h=(d.dir,(0,n._T)(d,["styles","dir"])),g=o?o(s):void 0,f=c.current&&c.current.__cachedInputs__||[];if(!c.current||m!==f[1]||s.styles!==f[2]){var v=function(e){return(0,i.l)(e,t,m,s.styles)};v.__cachedInputs__=[t,m,s.styles],v.__noStyleOverride__=!m&&!s.styles,c.current=v}return r.createElement(e,(0,n.pi)({ref:l},h,g,s,{styles:c.current}))}));m.displayName="Styled"+(e.displayName||e.name);var h=c?r.memo(m):m;return m.displayName&&(h.displayName=m.displayName),h}},5480:(e,t,o)=>{"use strict";o.d(t,{P:()=>c,u:()=>u});var n=o(7002),r=o(9757),i=o(7414),a=o(6145),s=new WeakMap;function l(e,t){var o,n=s.get(e);return o=n?n+t:1,s.set(e,o),o}function c(e){n.useEffect((function(){var t,o,n=(0,r.J)(null===(t=e)||void 0===t?void 0:t.current);if(n&&!0!==(null===(o=n.FabricConfig)||void 0===o?void 0:o.disableFocusRects)){var i=l(n,1);return i<=1&&(n.addEventListener("mousedown",d,!0),n.addEventListener("pointerdown",p,!0),n.addEventListener("keydown",m,!0)),function(){var e;n&&!0!==(null===(e=n.FabricConfig)||void 0===e?void 0:e.disableFocusRects)&&0===(i=l(n,-1))&&(n.removeEventListener("mousedown",d,!0),n.removeEventListener("pointerdown",p,!0),n.removeEventListener("keydown",m,!0))}}}),[e])}var u=function(e){return c(e.rootRef),null};function d(e){(0,a.MU)(!1,e.target)}function p(e){"mouse"!==e.pointerType&&(0,a.MU)(!1,e.target)}function m(e){(0,i.L)(e.which)&&(0,a.MU)(!0,e.target)}},687:(e,t,o)=>{"use strict";function n(e){console&&console.warn&&console.warn(e)}function r(e){}o.d(t,{Z:()=>n,U:()=>r})},5415:(e,t,o)=>{"use strict";function n(e,t,o,n,r){}o.d(t,{w:()=>n}),o(687)},5301:(e,t,o)=>{"use strict";function n(){}function r(e){}o.d(t,{G:()=>n,Q:()=>r})},3129:(e,t,o)=>{"use strict";function n(e,t,o){}o.d(t,{b:()=>n})},209:(e,t,o)=>{"use strict";function n(e,t,o){}o.d(t,{L:()=>n})},4976:(e,t,o)=>{"use strict";o.d(t,{RM:()=>d,jz:()=>m});var n,r=function(){return(r=Object.assign||function(e){for(var t,o=1,n=arguments.length;oo&&t.push({rawString:e.substring(o,r)}),t.push({theme:n[1],defaultValue:n[2]}),o=l.lastIndex}t.push({rawString:e.substring(o)})}return t}(e),n=s.runState,r=n.mode,i=n.buffer,a=n.flushTimer;t||1===r?(i.push(o),a||(s.runState.flushTimer=setTimeout((function(){s.runState.flushTimer=0,u((function(){var e=s.runState.buffer.slice();s.runState.buffer=[];var t=[].concat.apply([],e);t.length>0&&p(t)}))}),0))):p(o)}))}function p(e,t){s.loadStyles?s.loadStyles(g(e).styleString,e):function(e){if("undefined"!=typeof document){var t=document.getElementsByTagName("head")[0],o=document.createElement("style"),n=g(e),r=n.styleString,i=n.themable;o.setAttribute("data-load-themed-styles","true"),a&&o.setAttribute("nonce",a),o.appendChild(document.createTextNode(r)),s.perf.count++,t.appendChild(o);var l=document.createEvent("HTMLEvents");l.initEvent("styleinsert",!0,!1),l.args={newStyle:o},document.dispatchEvent(l);var c={styleElement:o,themableStyle:e};i?s.registeredThemableStyles.push(c):s.registeredStyles.push(c)}}(e)}function m(e){s.theme=e,function(){if(s.theme){for(var e=[],t=0,o=s.registeredThemableStyles;t0&&(void 0===(r=1)&&(r=3),3!==r&&2!==r||(h(s.registeredStyles),s.registeredStyles=[]),3!==r&&1!==r||(h(s.registeredThemableStyles),s.registeredThemableStyles=[]),p([].concat.apply([],e)))}var r}()}function h(e){e.forEach((function(e){var t=e&&e.styleElement;t&&t.parentElement&&t.parentElement.removeChild(t)}))}function g(e){var t=s.theme,o=!1;return{styleString:(e||[]).map((function(e){var n=e.theme;if(n){o=!0;var r=t?t[n]:void 0,i=e.defaultValue||"inherit";return t&&!r&&console&&!(n in t)&&"undefined"!=typeof DEBUG&&DEBUG&&console.warn('Theming value not provided for "'+n+'". Falling back to "'+i+'".'),r||i}return e.rawString})).join(""),themable:o}}},7622:(e,t,o)=>{"use strict";o.d(t,{ZT:()=>r,pi:()=>i,_T:()=>a,gn:()=>s,pr:()=>l});var n=function(e,t){return(n=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var o in t)t.hasOwnProperty(o)&&(e[o]=t[o])})(e,t)};function r(e,t){function o(){this.constructor=e}n(e,t),e.prototype=null===t?Object.create(t):(o.prototype=t.prototype,new o)}var i=function(){return(i=Object.assign||function(e){for(var t,o=1,n=arguments.length;o=0;s--)(r=e[s])&&(a=(i<3?r(a):i>3?r(t,o,a):r(t,o))||a);return i>3&&a&&Object.defineProperty(t,o,a),a}function l(){for(var e=0,t=0,o=arguments.length;t{"use strict";o.r(t),o.d(t,{ActionButton:()=>R,Calendar:()=>H,Checkbox:()=>O,ChoiceGroup:()=>W,ColorPicker:()=>V,ComboBox:()=>K,CommandBarButton:()=>N,CommandButton:()=>B,CompoundButton:()=>F,DatePicker:()=>q,DefaultButton:()=>L,Dropdown:()=>G,IconButton:()=>A,NormalPeoplePicker:()=>U,PrimaryButton:()=>z,Rating:()=>j,SearchBox:()=>J,Slider:()=>Y,SpinButton:()=>Z,SwatchColorPicker:()=>X,TextField:()=>Q,Toggle:()=>$});var n=o(2898),r=o(1420),i=o(990),a=o(8959),s=o(9632),l=o(5758),c=o(8924),u=o(4977),d=o(2777),p=o(9240),m=o(6847),h=o(610),g=o(127),f=o(4004),v=o(9318),b=o(558),y=o(6419),_=o(4107),C=o(3134),S=o(9502),x=o(8623),k=o(1431);const w=jsmodule["@/shiny.react"];var I=o(7002);function D(e){return function(e){if(Array.isArray(e))return E(e)}(e)||function(e){if("undefined"!=typeof Symbol&&Symbol.iterator in Object(e))return Array.from(e)}(e)||T(e)||function(){throw new TypeError("Invalid attempt to spread non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}()}function T(e,t){if(e){if("string"==typeof e)return E(e,t);var o=Object.prototype.toString.call(e).slice(8,-1);return"Object"===o&&e.constructor&&(o=e.constructor.name),"Map"===o||"Set"===o?Array.from(e):"Arguments"===o||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(o)?E(e,t):void 0}}function E(e,t){(null==t||t>e.length)&&(t=e.length);for(var o=0,n=new Array(t);o2&&void 0!==arguments[2]?arguments[2]:", ",n=new Set(t);return e.filter((function(e){return n.has(e.key)})).map((function(e){return null==e?void 0:e.text})).join(o)}var R=(0,w.ButtonAdapter)(n.K),N=(0,w.ButtonAdapter)(r.Q),B=(0,w.ButtonAdapter)(i.M),F=(0,w.ButtonAdapter)(a.W),L=(0,w.ButtonAdapter)(s.a),A=(0,w.ButtonAdapter)(l.h),z=(0,w.ButtonAdapter)(c.K),H=(0,w.InputAdapter)(u.f,(function(e,t){return{value:e?new Date(e):new Date,onSelectDate:t}})),O=(0,w.InputAdapter)(d.X,(function(e,t){return{checked:e,onChange:function(e,o){return t(o)}}})),W=(0,w.InputAdapter)(p.F,(function(e,t){return{selectedKey:e,onChange:function(e,o){return t(o.key)}}})),V=(0,w.InputAdapter)(m.z,(function(e,t){return{color:e,onChange:function(e,o){return t(o.str)}}}),{policy:w.debounce,delay:250}),K=(0,w.InputAdapter)(h.C,(function(e,t,o){var n,r,i=(n=(0,I.useState)(o.options),r=2,function(e){if(Array.isArray(e))return e}(n)||function(e,t){if("undefined"!=typeof Symbol&&Symbol.iterator in Object(e)){var o=[],n=!0,r=!1,i=void 0;try{for(var a,s=e[Symbol.iterator]();!(n=(a=s.next()).done)&&(o.push(a.value),!t||o.length!==t);n=!0);}catch(e){r=!0,i=e}finally{try{n||null==s.return||s.return()}finally{if(r)throw i}}return o}}(n,r)||T(n,r)||function(){throw new TypeError("Invalid attempt to destructure non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}()),a=i[0],s=i[1];return{selectedKey:e,text:M(a,e,o.multiSelectDelimiter||", ")||e,options:a,onChange:function(n,r,i,l){var c=(null==r?void 0:r.key)||l,u=r||{key:c,text:l};null!=o&&o.allowFreeform&&!r&&l&&s((function(e){return[].concat(D(e),[u])})),o.multiSelect&&(c=P(u,e,a)),t(c)}}}),{policy:w.debounce,delay:250}),q=(0,w.InputAdapter)(g.M,(function(e,t){return{value:e?new Date(e):void 0,onSelectDate:t}})),G=(0,w.InputAdapter)(f.L,(function(e,t,o){return{selectedKeys:e,selectedKey:e,onChange:function(n,r){o.multiSelect?t(P(r,e,o.options)):t(r.key)}}})),U=(0,w.InputAdapter)(v.cA,(function(e,t,o){return{onResolveSuggestions:function(e,t){return o.options.filter((function(o){return!t.includes(o)&&o.text.toLowerCase().startsWith(e.toLowerCase())}))},onEmptyInputFocus:function(e){return o.options.filter((function(t){return!e.includes(t)}))},getTextFromItem:function(e){return e.text},onChange:function(e){return t(e.map((function(e){return e.key})))}}})),j=(0,w.InputAdapter)(b.i,(function(e,t){return{rating:e,onChange:function(e,o){return t(o)}}})),J=(0,w.InputAdapter)(y.R,(function(e,t){return{value:e,onChange:function(e,o){return t(o)}}}),{policy:w.debounce,delay:250}),Y=(0,w.InputAdapter)(_.i,(function(e,t){return{value:e,onChange:t}}),{policy:w.debounce,delay:250}),Z=(0,w.InputAdapter)(C.k,(function(e,t){return{value:e,onChange:function(e,o){return o&&t(Number(o))}}}),{policy:w.debounce,delay:250}),X=(0,w.InputAdapter)(S.U,(function(e,t){return{selectedId:e,onChange:function(e,o){return t(o)}}})),Q=(0,w.InputAdapter)(x.n,(function(e,t){return{value:e,onChange:function(e,o){return t(o)}}}),{policy:w.debounce,delay:250}),$=(0,w.InputAdapter)(k.Z,(function(e,t){return{checked:e,onChange:function(e,o){return t(o)}}}))},4686:(e,t,o)=>{function n(e,t){var o=Object.keys(e);if(Object.getOwnPropertySymbols){var n=Object.getOwnPropertySymbols(e);t&&(n=n.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),o.push.apply(o,n)}return o}function r(e){for(var t=1;t{"use strict";e.exports=jsmodule.react}},t={};function o(n){if(t[n])return t[n].exports;var r=t[n]={exports:{}};return e[n](r,r.exports,o),r.exports}o.n=e=>{var t=e&&e.__esModule?()=>e.default:()=>e;return o.d(t,{a:t}),t},o.d=(e,t)=>{for(var n in t)o.o(t,n)&&!o.o(e,n)&&Object.defineProperty(e,n,{enumerable:!0,get:t[n]})},o.g=function(){if("object"==typeof globalThis)return globalThis;try{return this||new Function("return this")()}catch(e){if("object"==typeof window)return window}}(),o.o=(e,t)=>Object.prototype.hasOwnProperty.call(e,t),o.r=e=>{"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(e,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(e,"__esModule",{value:!0})},(()=>{"use strict";o(4686),(0,o(2481).l)()})()})(); \ No newline at end of file From 5b31b1c4e6eea3f35d0f9dca2faeb76283210782 Mon Sep 17 00:00:00 2001 From: Jakub Sobolewski Date: Thu, 14 Sep 2023 14:58:06 +0200 Subject: [PATCH 14/19] feat: install shiny.react in ci --- .github/workflows/ci.yml | 1 + 1 file changed, 1 insertion(+) diff --git a/.github/workflows/ci.yml b/.github/workflows/ci.yml index f41f5d2b..ba63135f 100644 --- a/.github/workflows/ci.yml +++ b/.github/workflows/ci.yml @@ -35,6 +35,7 @@ jobs: - name: Install shiny.react run: | + Rscript -e 'install.packages("remotes")' Rscript -e 'remotes::install_github("Appsilon/shiny.react@override-props")' - name: R CMD check From e6ca47ccf137bf8c19ea6a4b9efa7e3af1cf0629 Mon Sep 17 00:00:00 2001 From: Jakub Sobolewski Date: Thu, 14 Sep 2023 15:12:49 +0200 Subject: [PATCH 15/19] feat: add github token to install shiny.react from github --- .github/workflows/ci.yml | 2 ++ 1 file changed, 2 insertions(+) diff --git a/.github/workflows/ci.yml b/.github/workflows/ci.yml index ba63135f..ac0d6889 100644 --- a/.github/workflows/ci.yml +++ b/.github/workflows/ci.yml @@ -2,6 +2,8 @@ name: CI on: push permissions: contents: read +env: + GITHUB_PAT: ${{ secrets.GITHUB_TOKEN }} jobs: main: name: Check, lint & test From 3308cbf76509bbe44addcb7e8a93792cbeb1c6aa Mon Sep 17 00:00:00 2001 From: Jakub Sobolewski Date: Thu, 14 Sep 2023 15:33:49 +0200 Subject: [PATCH 16/19] fix: js linter errors --- js/src/inputs.jsx | 3 +-- 1 file changed, 1 insertion(+), 2 deletions(-) diff --git a/js/src/inputs.jsx b/js/src/inputs.jsx index 3907379e..84b5ce01 100644 --- a/js/src/inputs.jsx +++ b/js/src/inputs.jsx @@ -68,10 +68,9 @@ export const ComboBox = InputAdapter(Fluent.ComboBox, (value, setValue, props) = } setValue(key); }, - }) + }); }, { policy: debounce, delay: 250 }); - export const DatePicker = InputAdapter(Fluent.DatePicker, (value, setValue) => ({ value: value ? new Date(value) : undefined, onSelectDate: setValue, From 3ea5a50be0018e9c8adf7b0b740ff1203f78e834 Mon Sep 17 00:00:00 2001 From: Jakub Sobolewski Date: Thu, 14 Sep 2023 15:35:06 +0200 Subject: [PATCH 17/19] chore: update ci --- .github/workflows/ci.yml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.github/workflows/ci.yml b/.github/workflows/ci.yml index ac0d6889..13aaba9e 100644 --- a/.github/workflows/ci.yml +++ b/.github/workflows/ci.yml @@ -38,7 +38,7 @@ jobs: - name: Install shiny.react run: | Rscript -e 'install.packages("remotes")' - Rscript -e 'remotes::install_github("Appsilon/shiny.react@override-props")' + Rscript -e 'remotes::install_github("Appsilon/shiny.react@override-props", force = TRUE)' - name: R CMD check if: always() From 914518c4a6d2d6fd45b125f62c53052508962b2d Mon Sep 17 00:00:00 2001 From: Jakub Sobolewski Date: Fri, 15 Sep 2023 16:00:51 +0200 Subject: [PATCH 18/19] fix: ci --- .github/workflows/ci.yml | 10 ------- inst/examples/e2e-test/R/fluentInputs.R | 2 +- .../integration/e2e-test/fluentComponents.js | 28 ------------------- 3 files changed, 1 insertion(+), 39 deletions(-) diff --git a/.github/workflows/ci.yml b/.github/workflows/ci.yml index 13aaba9e..57b2bbdc 100644 --- a/.github/workflows/ci.yml +++ b/.github/workflows/ci.yml @@ -61,16 +61,6 @@ jobs: spec: cypress/integration/e2e-test/*.js env: CYPRESS_RECORD_KEY: ${{ secrets.CYPRESS_RECORD_KEY }} - - name: Run Cypress on example Dashboard - if: always() - uses: cypress-io/github-action@v5 - with: - start: yarn start-e2e-router-app - working-directory: js - record: true - spec: cypress/integration/dashboard/*.js - env: - CYPRESS_RECORD_KEY: ${{ secrets.CYPRESS_RECORD_KEY }} - name: Test coverage run: | diff --git a/inst/examples/e2e-test/R/fluentInputs.R b/inst/examples/e2e-test/R/fluentInputs.R index a0dad38a..97c49ec9 100644 --- a/inst/examples/e2e-test/R/fluentInputs.R +++ b/inst/examples/e2e-test/R/fluentInputs.R @@ -134,7 +134,7 @@ fluentInputsServer <- function(id) { updateColorPicker.shinyInput(session, "colorPicker", value = "#FFFFFF") updateComboBox.shinyInput(session, "comboBox", value = "C") updateDropdown.shinyInput(session, "dropdown", value = "C") - updateDropdown.shinyInput(session, "dropdownMultiselect", options = updatedOptions, value = c("X", "Z")) + updateDropdown.shinyInput(session, "dropdownMultiselect", options = updatedOptions, value = c("A", "B")) updateCalendar.shinyInput(session, "datePicker", value = "2015-06-25T12:00:00.000Z") updateSwatchColorPicker.shinyInput(session, "swatchColorPicker", value = "white") updateToggle.shinyInput(session, "toggle", value = FALSE) diff --git a/js/cypress/integration/e2e-test/fluentComponents.js b/js/cypress/integration/e2e-test/fluentComponents.js index 448bdb64..a7bb51b6 100644 --- a/js/cypress/integration/e2e-test/fluentComponents.js +++ b/js/cypress/integration/e2e-test/fluentComponents.js @@ -183,21 +183,6 @@ function dropdownChangeTest() { cy.get('#fluentInputs-dropdownValue').contains('Value: C'); } -function dropdownMultiselectDefaultTest(value = 'Option A, Option C', output = 'Value: A Value: C') { - cy.get('#fluentInputs-dropdownMultiselect').within(() => { - cy.get('#fluentInputs-dropdownMultiselect-option').should('contain', `${value}`); - }); - cy.get('#fluentInputs-dropdownMultiselectValue').should('contain', `${output}`); -} - -function dropdownMultiselectChangeTest() { - cy.get('#fluentInputs-dropdownMultiselect-option').click(); - cy.get('#fluentInputs-dropdownMultiselect-list0').parent().click(); - cy.get('#fluentInputs-dropdownMultiselect-list1').parent().click(); - cy.get('#fluentInputs-dropdownMultiselect-option').should('contain', 'Option C, Option B'); - cy.get('#fluentInputs-dropdownMultiselectValue').contains('Value: C Value: B'); -} - function datePickerDefaultTest(date = 'Thu Jun 25 2020', dttm = '2020-06-25T12:00:00.000Z') { cy.get('#fluentInputs-datePicker-label').should('have.attr', 'value', date); cy.get('#fluentInputs-datePickerValue').should('contain', `Value: ${dttm}`); @@ -357,14 +342,6 @@ describe('Dropdown.shinyInput()', () => { it('value change works', () => { dropdownChangeTest(); }); - - it('setting default values for multiSelect works', () => { - dropdownMultiselectDefaultTest(); - }); - - it('updating multiSelect options and values works', () => { - dropdownMultiselectChangeTest(); - }); }); describe('DatePicker.shinyInput()', () => { @@ -465,7 +442,6 @@ describe('Reset after toggled visibility', () => { dropdownChangeTest(); toggleVisibility(); dropdownDefaultTest(); - dropdownMultiselectChangeTest(); }); it('SwatchColorPicker.shinyInput() works', () => { @@ -532,10 +508,6 @@ describe('Update from server works', () => { dropdownDefaultTest('Option C', 'C'); }); - it('Dropdown.shinyInput() works for multiSelects', () => { - dropdownMultiselectDefaultTest('Option X, Option Z', 'Value: X Value: Z'); - }); - it('DatePicker.shinyInput() works', () => { datePickerDefaultTest('Thu Jun 25 2015', '2015-06-25T12:00:00.000Z'); }); From f43d10cec632687f6380a0f7f08403147edc1d9d Mon Sep 17 00:00:00 2001 From: Jakub Sobolewski Date: Wed, 11 Oct 2023 15:21:55 +0200 Subject: [PATCH 19/19] refactor: restore e2e test for multiselect dropdown --- .../integration/e2e-test/fluentComponents.js | 23 +++++++++++++++++++ 1 file changed, 23 insertions(+) diff --git a/js/cypress/integration/e2e-test/fluentComponents.js b/js/cypress/integration/e2e-test/fluentComponents.js index a7bb51b6..95c2ff64 100644 --- a/js/cypress/integration/e2e-test/fluentComponents.js +++ b/js/cypress/integration/e2e-test/fluentComponents.js @@ -183,6 +183,21 @@ function dropdownChangeTest() { cy.get('#fluentInputs-dropdownValue').contains('Value: C'); } +function dropdownMultiselectDefaultTest(value = 'Option A, Option C', output = 'Value: A Value: C') { + cy.get('#fluentInputs-dropdownMultiselect').within(() => { + cy.get('#fluentInputs-dropdownMultiselect-option').should('contain', `${value}`); + }); + cy.get('#fluentInputs-dropdownMultiselectValue').should('contain', `${output}`); +} + +function dropdownMultiselectChangeTest() { + cy.get('#fluentInputs-dropdownMultiselect-option').click(); + cy.get('#fluentInputs-dropdownMultiselect-list0').parent().click(); + cy.get('#fluentInputs-dropdownMultiselect-list1').parent().click(); + cy.get('#fluentInputs-dropdownMultiselect-option').should('contain', 'Option C, Option B'); + cy.get('#fluentInputs-dropdownMultiselectValue').contains('Value: C Value: B'); +} + function datePickerDefaultTest(date = 'Thu Jun 25 2020', dttm = '2020-06-25T12:00:00.000Z') { cy.get('#fluentInputs-datePicker-label').should('have.attr', 'value', date); cy.get('#fluentInputs-datePickerValue').should('contain', `Value: ${dttm}`); @@ -342,6 +357,14 @@ describe('Dropdown.shinyInput()', () => { it('value change works', () => { dropdownChangeTest(); }); + + it('setting default values for multiSelect works', () => { + dropdownMultiselectDefaultTest(); + }); + + it('updating multiSelect options and values works', () => { + dropdownMultiselectChangeTest(); + }); }); describe('DatePicker.shinyInput()', () => {