diff --git a/DESCRIPTION b/DESCRIPTION index a3a72809..475ba1fd 100644 --- a/DESCRIPTION +++ b/DESCRIPTION @@ -18,7 +18,7 @@ License: LGPL-3 Encoding: UTF-8 LazyData: true Roxygen: list(markdown = TRUE) -RoxygenNote: 7.3.1 +RoxygenNote: 7.3.2 Depends: R (>= 2.10) Imports: diff --git a/NAMESPACE b/NAMESPACE index ebbf8890..bc9b61d5 100644 --- a/NAMESPACE +++ b/NAMESPACE @@ -49,6 +49,7 @@ export(DocumentCardTitle) export(Dropdown) export(Dropdown.shinyInput) export(Facepile) +export(FileUploadButton.shinyInput) export(FocusTrapCallout) export(FocusTrapZone) export(FocusZone) @@ -136,6 +137,7 @@ export(updateCompoundButton.shinyInput) export(updateDatePicker.shinyInput) export(updateDefaultButton.shinyInput) export(updateDropdown.shinyInput) +export(updateFileUploadButton.shinyInput) export(updateIconButton.shinyInput) export(updateNormalPeoplePicker.shinyInput) export(updatePrimaryButton.shinyInput) diff --git a/R/documentation.R b/R/documentation.R index 3d291d60..c810353e 100644 --- a/R/documentation.R +++ b/R/documentation.R @@ -192,6 +192,51 @@ NULL #' @name Button NULL +#' FileUploadButton +#' +#' @description +#' A Safari-compatible file upload button that combines Fluent UI styling with cross-browser file selection functionality. This component handles Safari blocking programmatic file input clicks by using React-based file input handling. +#' +#' For more details about Fluent UI buttons visit [the official docs](https://developer.microsoft.com/en-us/fluentui#/controls/web/Button). +#' +#' @param inputId ID of the component. +#' @param value Starting value. +#' @param session Object passed as the `session` argument to Shiny server. +#' @param ... Props to pass to the component. +#' The allowed props are listed below in the \bold{Details} section. +#' +#' @section Best practices: +#' ### Usage +#' - Use FileUploadButton when you need Safari-compatible file uploads +#' - Choose appropriate buttonType for visual hierarchy (primary for main actions) +#' - Use `accept` prop to filter allowed file extensions +#' - Use `multiple=TRUE` for bulk file uploads +#' +#' ### Content +#' - Use clear, action-oriented `text` (e.g., "Upload Files", "Select Document") +#' - Consider using relevant icons such as: Upload, Attach, or FolderOpen +#' - Keep button text concise but descriptive +#' +#' ### Accessibility +#' - Button follows Fluent UI accessibility standards +#' - Supports keyboard navigation (Space/Enter to activate) +#' - Compatible with screen readers and assistive technologies +#' +#' @details +#' +#' * \bold{ text } `string` \cr Text to display on the button. +#' * \bold{ buttonType } `string` \cr Type of Fluent button: "primary", "default", "compound", "action", "command", "commandBar", or "icon". Defaults to "default". +#' * \bold{ icon } `string` \cr Optional Fluent UI icon name (e.g., "Upload", "Attach", "FolderOpen"). +#' * \bold{ accept } `string` \cr A comma-separated string of file extensions to accept (e.g., ".xlsx,.csv", ".pdf"). Passed to underlying file input. +#' * \bold{ multiple } `boolean` \cr Whether to allow multiple file selection. Defaults to FALSE. +#' * \bold{ disabled } `boolean` \cr Whether the button is disabled. +#' * \bold{ className } `string` \cr Additional CSS class name for the button. +#' * \bold{ style } `string` \cr Inline CSS styles for the button. +#' +#' @md +#' @name FileUploadButton +NULL + #' Calendar #' #' @description diff --git a/R/inputs.R b/R/inputs.R index bc0570c0..fd8525bb 100644 --- a/R/inputs.R +++ b/R/inputs.R @@ -198,3 +198,11 @@ Toggle.shinyInput <- input("Toggle", FALSE) #' @rdname Toggle #' @export updateToggle.shinyInput <- shiny.react::updateReactInput + +#' @rdname FileUploadButton +#' @export +FileUploadButton.shinyInput <- input("FileUploadButton", NULL) + +#' @rdname FileUploadButton +#' @export +updateFileUploadButton.shinyInput <- shiny.react::updateReactInput diff --git a/inst/examples/Button3.R b/inst/examples/Button3.R index 87f6a060..22b7fc86 100644 --- a/inst/examples/Button3.R +++ b/inst/examples/Button3.R @@ -1,50 +1,127 @@ -# Example 3 +# Example 3: File Upload with Fluent UI Buttons library(shiny) library(shiny.fluent) -library(shinyjs) -# This example app shows how to use a Fluent UI Button to trigger a file upload. -# File upload is not natively supported by shiny.fluent so shinyjs is used -# to trigger the file upload input. +# This example demonstrates FileUploadButton - a native Fluent UI file upload component +# that works across all browsers, including Safari. + ui <- function(id) { ns <- NS(id) fluentPage( - useShinyjs(), + h3("File Upload with Fluent UI"), + p("Native file upload components with full cross-browser support:"), + Stack( - tokens = list( - childrenGap = 10L + tokens = list(childrenGap = 20), + horizontal = FALSE, + + # Primary button for important uploads + div( + Text(variant = "mediumPlus", "Upload Data Files"), + FileUploadButton.shinyInput( + inputId = ns("data_files"), + text = "Choose Data Files", + buttonType = "primary", + icon = "Upload", + accept = ".xlsx,.csv,.json", + multiple = TRUE + ) ), - horizontal = TRUE, - DefaultButton.shinyInput( - inputId = ns("uploadFileButton"), - text = "Upload File", - iconProps = list(iconName = "Upload") + + # Default button for documents + div( + Text(variant = "mediumPlus", "Upload Document"), + FileUploadButton.shinyInput( + inputId = ns("document"), + text = "Choose Document", + buttonType = "default", + icon = "TextDocument", + accept = ".pdf,.docx,.txt" + ) ), + + # Compound button with description div( - style = " - visibility: hidden; - height: 0; - width: 0; - ", - fileInput( - inputId = ns("uploadFile"), - label = NULL + Text(variant = "mediumPlus", "Upload Images"), + FileUploadButton.shinyInput( + inputId = ns("images"), + text = "Choose Images", + buttonType = "compound", + icon = "Photo2", + accept = ".png,.jpg,.jpeg,.gif", + multiple = TRUE ) ) ), - textOutput(ns("file_path")) + + br(), + h4("Upload Status:"), + div( + uiOutput(ns("data_files_status")), + uiOutput(ns("document_status")), + uiOutput(ns("images_status")) + ) ) } server <- function(id) { moduleServer(id, function(input, output, session) { - observeEvent(input$uploadFileButton, { - click("uploadFile") + + # Handle data files upload + observeEvent(input$data_files, { + req(input$data_files) + # Handle multiple files (array) or single file (object) + if (is.list(input$data_files) && !is.null(names(input$data_files))) { + # Single file object with named elements + files <- input$data_files$name + } else if (is.list(input$data_files)) { + # Array of file objects + files <- paste(sapply(input$data_files, function(f) f$name), collapse = ", ") + } else { + # Fallback + files <- "Unknown file format" + } + output$data_files_status <- renderUI({ + MessageBar( + messageBarType = 1, # success + paste("✅ Data files uploaded:", files) + ) + }) }) - - output$file_path <- renderText({ - input$uploadFile$name + + # Handle document upload + observeEvent(input$document, { + req(input$document) + output$document_status <- renderUI({ + MessageBar( + messageBarType = 1, # success + paste("📄 Document uploaded:", input$document$name) + ) + }) + }) + + # Handle images upload + observeEvent(input$images, { + req(input$images) + # Handle multiple files (array) or single file (object) + if (is.list(input$images) && !is.null(names(input$images))) { + # Single file object + files <- paste("Image uploaded:", input$images$name) + } else if (is.list(input$images)) { + # Array of file objects + files <- paste(length(input$images), "images:", + paste(sapply(input$images, function(f) f$name), collapse = ", ")) + } else { + # Fallback + files <- "Unknown file format" + } + output$images_status <- renderUI({ + MessageBar( + messageBarType = 1, # success + paste("🖼️", files) + ) + }) }) }) } diff --git a/inst/www/shiny.fluent/shiny-fluent.js b/inst/www/shiny.fluent/shiny-fluent.js index 5c5c157f..a6bb44a0 100644 --- a/inst/www/shiny.fluent/shiny-fluent.js +++ b/inst/www/shiny.fluent/shiny-fluent.js @@ -1 +1 @@ -(()=>{var e={57040:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DEFAULT_CALENDAR_STRINGS=t.DEFAULT_DATE_FORMATTING=t.DEFAULT_DATE_GRID_STRINGS=t.formatYear=t.formatMonth=t.formatMonthYear=t.formatMonthDayYear=t.formatDay=void 0;var n=o(31635);t.formatDay=function(e){return e.getDate().toString()},t.formatMonthDayYear=function(e,t){return t.months[e.getMonth()]+" "+e.getDate()+", "+e.getFullYear()},t.formatMonthYear=function(e,t){return t.months[e.getMonth()]+" "+e.getFullYear()},t.formatMonth=function(e,t){return t.months[e.getMonth()]},t.formatYear=function(e){return e.getFullYear().toString()},t.DEFAULT_DATE_GRID_STRINGS={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"]},t.DEFAULT_DATE_FORMATTING={formatDay:t.formatDay,formatMonth:t.formatMonth,formatYear:t.formatYear,formatMonthDayYear:t.formatMonthDayYear,formatMonthYear:t.formatMonthYear},t.DEFAULT_CALENDAR_STRINGS=n.__assign(n.__assign({},t.DEFAULT_DATE_GRID_STRINGS),{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"})},98553:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},87257:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(98553),t),n.__exportStar(o(57040),t)},84807:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},89888:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.findAvailableDate=void 0;var n=o(31635),r=o(58241),i=o(17372),a=o(47803),s=o(86384);t.findAvailableDate=function(e){var t=e.targetDate,o=e.initialDate,l=e.direction,c=n.__rest(e,["targetDate","initialDate","direction"]),u=t;if(!(0,r.isRestrictedDate)(t,c))return t;for(;0!==(0,s.compareDatePart)(o,u)&&(0,r.isRestrictedDate)(u,c)&&!(0,i.isAfterMaxDate)(u,c)&&!(0,a.isBeforeMinDate)(u,c);)u=(0,s.addDays)(u,l);return 0===(0,s.compareDatePart)(o,u)||(0,r.isRestrictedDate)(u,c)?void 0:u}},44204:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getBoundedDateRange=void 0;var n=o(31635),r=o(86384);t.getBoundedDateRange=function(e,t,o){var i=n.__spreadArray([],e,!0);return t&&(i=i.filter((function(e){return(0,r.compareDatePart)(e,t)>=0}))),o&&(i=i.filter((function(e){return(0,r.compareDatePart)(e,o)<=0}))),i}},12009:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getDateRangeTypeToUse=void 0;var n=o(74916),r=o(8584);t.getDateRangeTypeToUse=function(e,t,o){return!t||e!==n.DateRangeType.WorkWeek||(0,r.isContiguous)(t,!0,o)&&0!==t.length?e:n.DateRangeType.Week}},5230:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getDayGrid=void 0;var n=o(86384),r=o(74916),i=o(12009),a=o(44204),s=o(58241);t.getDayGrid=function(e){var t,o=e.selectedDate,l=e.dateRangeType,c=e.firstDayOfWeek,u=e.today,d=e.minDate,p=e.maxDate,m=e.weeksToShow,g=e.workWeekDays,h=e.daysToSelectInDayView,f=e.restrictedDates,v=e.markedDays,b={minDate:d,maxDate:p,restrictedDates:f},y=u||new Date,_=e.navigatedDate?e.navigatedDate:y;t=m&&m<=4?new Date(_.getFullYear(),_.getMonth(),_.getDate()):new Date(_.getFullYear(),_.getMonth(),1);for(var S=[];t.getDay()!==c;)t.setDate(t.getDate()-1);t=(0,n.addDays)(t,-r.DAYS_IN_WEEK);var C=!1,x=(0,i.getDateRangeTypeToUse)(l,g,c),P=[];o&&(P=(0,n.getDateRangeArray)(o,x,c,g,h),P=(0,a.getBoundedDateRange)(P,d,p));for(var k=!0,I=0;k;I++){var w=[];C=!0;for(var T=function(e){var o=new Date(t.getTime()),r={key:t.toString(),date:t.getDate().toString(),originalDate:o,isInMonth:t.getMonth()===_.getMonth(),isToday:(0,n.compareDates)(y,t),isSelected:(0,n.isInDateRangeArray)(t,P),isInBounds:!(0,s.isRestrictedDate)(t,b),isMarked:(null==v?void 0:v.some((function(e){return(0,n.compareDates)(o,e)})))||!1};w.push(r),r.isInMonth&&(C=!1),t.setDate(t.getDate()+1)},E=0;E{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(84807),t),n.__exportStar(o(89888),t),n.__exportStar(o(44204),t),n.__exportStar(o(12009),t),n.__exportStar(o(5230),t),n.__exportStar(o(17372),t),n.__exportStar(o(47803),t),n.__exportStar(o(58241),t),n.__exportStar(o(8584),t)},17372:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.isAfterMaxDate=void 0;var n=o(86384);t.isAfterMaxDate=function(e,t){var o=t.maxDate;return!!o&&(0,n.compareDatePart)(e,o)>=1}},47803:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.isBeforeMinDate=void 0;var n=o(86384);t.isBeforeMinDate=function(e,t){var o=t.minDate;return!!o&&(0,n.compareDatePart)(o,e)>=1}},8584:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.isContiguous=void 0,t.isContiguous=function(e,t,o){for(var n=new Set(e),r=0,i=0,a=e;i{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.isRestrictedDate=void 0;var n=o(86384),r=o(47803),i=o(17372);t.isRestrictedDate=function(e,t){var o=t.restrictedDates,a=t.minDate,s=t.maxDate;return!!(o||a||s)&&(o&&o.some((function(t){return(0,n.compareDates)(t,e)}))||(0,r.isBeforeMinDate)(e,t)||(0,i.isAfterMaxDate)(e,t))}},86384:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getDatePartHashValue=t.getEndDateOfWeek=t.getStartDateOfWeek=t.getWeekNumber=t.getWeekNumbersInMonth=t.isInDateRangeArray=t.getDateRangeArray=t.compareDatePart=t.compareDates=t.setMonth=t.getYearEnd=t.getYearStart=t.getMonthEnd=t.getMonthStart=t.addYears=t.addMonths=t.addWeeks=t.addDays=void 0;var n=o(74916),r=o(26570);function i(e,t){var o=new Date(e.getTime());return o.setDate(o.getDate()+t),o}function a(e,t){var o=new Date(e.getTime()),n=o.getMonth()+t;return o.setMonth(n),o.getMonth()!==(n%r.TimeConstants.MonthInOneYear+r.TimeConstants.MonthInOneYear)%r.TimeConstants.MonthInOneYear&&(o=i(o,-o.getDate())),o}function s(e,t){return!e&&!t||!(!e||!t)&&e.getFullYear()===t.getFullYear()&&e.getMonth()===t.getMonth()&&e.getDate()===t.getDate()}function l(e,t,o){switch(o){case n.FirstWeekOfYear.FirstFullWeek:return p(e,t,r.TimeConstants.DaysInOneWeek);case n.FirstWeekOfYear.FirstFourDayWeek:return p(e,t,4);default:return function(e,t){var o=m(e)-1,n=(e.getDay()-o%r.TimeConstants.DaysInOneWeek-t+2*r.TimeConstants.DaysInOneWeek)%r.TimeConstants.DaysInOneWeek;return Math.floor((o+n)/r.TimeConstants.DaysInOneWeek+1)}(e,t)}}function c(e,t){var o=t-e.getDay();return o>0&&(o-=r.TimeConstants.DaysInOneWeek),i(e,o)}function u(e){return new Date(e.getFullYear(),e.getMonth(),e.getDate())}function d(e){return e.getDate()+(e.getMonth()<<5)+(e.getFullYear()<<9)}function p(e,t,o){var i=m(e)-1,a=e.getDay()-i%r.TimeConstants.DaysInOneWeek,s=m(new Date(e.getFullYear()-1,n.MonthOfYear.December,31))-1,l=(t-a+2*r.TimeConstants.DaysInOneWeek)%r.TimeConstants.DaysInOneWeek;0!==l&&l>=o&&(l-=r.TimeConstants.DaysInOneWeek);var c=i-l;return c<0&&(0!=(l=(t-(a-=s%r.TimeConstants.DaysInOneWeek)+2*r.TimeConstants.DaysInOneWeek)%r.TimeConstants.DaysInOneWeek)&&l+1>=o&&(l-=r.TimeConstants.DaysInOneWeek),c=s-l),Math.floor(c/r.TimeConstants.DaysInOneWeek+1)}function m(e){for(var t=e.getMonth(),o=e.getFullYear(),n=0,r=0;r=0?t-1:r.TimeConstants.DaysInOneWeek-1)-e.getDay();return o<0&&(o+=r.TimeConstants.DaysInOneWeek),i(e,o)},t.getDatePartHashValue=d},74916:(e,t)=>{"use strict";var o,n,r,i;Object.defineProperty(t,"__esModule",{value:!0}),t.DAYS_IN_WEEK=t.DateRangeType=t.FirstWeekOfYear=t.MonthOfYear=t.DayOfWeek=void 0,(i=t.DayOfWeek||(t.DayOfWeek={}))[i.Sunday=0]="Sunday",i[i.Monday=1]="Monday",i[i.Tuesday=2]="Tuesday",i[i.Wednesday=3]="Wednesday",i[i.Thursday=4]="Thursday",i[i.Friday=5]="Friday",i[i.Saturday=6]="Saturday",(r=t.MonthOfYear||(t.MonthOfYear={}))[r.January=0]="January",r[r.February=1]="February",r[r.March=2]="March",r[r.April=3]="April",r[r.May=4]="May",r[r.June=5]="June",r[r.July=6]="July",r[r.August=7]="August",r[r.September=8]="September",r[r.October=9]="October",r[r.November=10]="November",r[r.December=11]="December",(n=t.FirstWeekOfYear||(t.FirstWeekOfYear={}))[n.FirstDay=0]="FirstDay",n[n.FirstFullWeek=1]="FirstFullWeek",n[n.FirstFourDayWeek=2]="FirstFourDayWeek",(o=t.DateRangeType||(t.DateRangeType={}))[o.Day=0]="Day",o[o.Week=1]="Week",o[o.Month=2]="Month",o[o.WorkWeek=3]="WorkWeek",t.DAYS_IN_WEEK=7},26570:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.TimeConstants=void 0,t.TimeConstants={MillisecondsInOneDay:864e5,MillisecondsIn1Sec:1e3,MillisecondsIn1Min:6e4,MillisecondsIn30Mins:18e5,MillisecondsIn1Hour:36e5,MinutesInOneDay:1440,MinutesInOneHour:60,DaysInOneWeek:7,MonthInOneYear:12,HoursInOneDay:24,SecondsInOneMinute:60,OffsetTo24HourFormat:12,TimeFormatRegex:/^(\d\d?):(\d\d):?(\d\d)? ?([ap]m)?/i}},6517:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(86384),t),n.__exportStar(o(74916),t),n.__exportStar(o(26570),t),n.__exportStar(o(87257),t),n.__exportStar(o(31542),t),n.__exportStar(o(9942),t),n.__exportStar(o(69708),t),o(30285)},69708:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.formatTimeString=void 0,t.formatTimeString=function(e,t,o){var n=e.toLocaleTimeString([],{hour:"numeric",minute:"2-digit",second:t?"2-digit":void 0,hour12:o});return o||"24"!==n.slice(0,2)||(n="00"+n.slice(2)),n}},9942:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getDateFromTimeSelection=t.ceilMinuteToIncrement=t.addMinutes=void 0;var n=o(26570);t.addMinutes=function(e,t){var o=new Date(e.getTime());return o.setTime(o.getTime()+t*n.TimeConstants.MinutesInOneHour*n.TimeConstants.MillisecondsIn1Sec),o},t.ceilMinuteToIncrement=function(e,t){var o=new Date(e.getTime()),r=o.getMinutes();if(n.TimeConstants.MinutesInOneHour%t)o.setMinutes(0);else{for(var i=n.TimeConstants.MinutesInOneHour/t,a=1;a<=i;a++)if(r>t*(a-1)&&r<=t*a){r=t*a;break}o.setMinutes(r)}return o},t.getDateFromTimeSelection=function(e,t,o){var r,i=n.TimeConstants.TimeFormatRegex.exec(o)||[],a=i[1],s=i[2],l=i[3],c=i[4],u=+a,d=+s,p=l?+l:0;e&&c&&("pm"===c.toLowerCase()&&u!==n.TimeConstants.OffsetTo24HourFormat?u+=n.TimeConstants.OffsetTo24HourFormat:"am"===c.toLowerCase()&&u===n.TimeConstants.OffsetTo24HourFormat&&(u-=n.TimeConstants.OffsetTo24HourFormat)),r=t.getHours()>u||t.getHours()===u&&t.getMinutes()>d?n.TimeConstants.HoursInOneDay-t.getHours()+u:Math.abs(t.getHours()-u);var m=n.TimeConstants.MillisecondsIn1Sec*n.TimeConstants.MinutesInOneHour*r*n.TimeConstants.SecondsInOneMinute+p*n.TimeConstants.MillisecondsIn1Sec,g=new Date(t.getTime()+m);return g.setMinutes(d),g.setSeconds(p),g}},30285:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),(0,o(37607).setVersion)("@fluentui/date-time-utilities","8.6.3")},29222:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.elementContains=void 0;var n=o(39399);t.elementContains=function(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.getParent)(t);if(i===e){r=!0;break}t=i}else e.contains&&(r=e.contains(t));return r}},16732:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.elementContainsAttribute=void 0;var n=o(27560);t.elementContainsAttribute=function(e,t,o){var r=(0,n.findElementRecursive)(e,(function(e){return e.hasAttribute(t)}),o);return r&&r.getAttribute(t)}},27560:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.findElementRecursive=void 0;var n=o(39399);t.findElementRecursive=function e(t,o,r){return null!=r||(r=document),t&&t!==r.body?o(t)?t:e((0,n.getParent)(t),o):null}},11613:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getActiveElement=void 0,t.getActiveElement=function(e){for(var t=e.activeElement;null==t?void 0:t.shadowRoot;)t=t.shadowRoot.activeElement;return t}},99484:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getChildren=void 0;var n=o(78658);t.getChildren=function(e,t){void 0===t&&(t=!0);var o=[];if(e){for(var r=0;r{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getEventTarget=void 0,t.getEventTarget=function(e){var t=e.target;return t&&t.shadowRoot&&(t=e.composedPath()[0]),t}},39399:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getParent=void 0;var n=o(54024);t.getParent=function(e,t){var o,r;return void 0===t&&(t=!0),e?t&&(0,n.getVirtualParent)(e)||("function"!=typeof e.assignedElements&&(null===(o=e.assignedSlot)||void 0===o?void 0:o.parentNode)?e.assignedSlot:11===(null===(r=e.parentNode)||void 0===r?void 0:r.nodeType)?e.parentNode.host:e.parentNode):null}},54024:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getVirtualParent=void 0;var n=o(78658);t.getVirtualParent=function(e){var t;return e&&(0,n.isVirtualElement)(e)&&(t=e._virtual.parent),t}},35183:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.setVirtualParent=t.setPortalAttribute=t.DATA_PORTAL_ATTRIBUTE=t.portalContainsElement=t.isVirtualElement=t.getVirtualParent=t.getParent=t.getEventTarget=t.getChildren=t.getActiveElement=t.findElementRecursive=t.elementContainsAttribute=t.elementContains=void 0;var n=o(29222);Object.defineProperty(t,"elementContains",{enumerable:!0,get:function(){return n.elementContains}});var r=o(16732);Object.defineProperty(t,"elementContainsAttribute",{enumerable:!0,get:function(){return r.elementContainsAttribute}});var i=o(27560);Object.defineProperty(t,"findElementRecursive",{enumerable:!0,get:function(){return i.findElementRecursive}});var a=o(11613);Object.defineProperty(t,"getActiveElement",{enumerable:!0,get:function(){return a.getActiveElement}});var s=o(99484);Object.defineProperty(t,"getChildren",{enumerable:!0,get:function(){return s.getChildren}});var l=o(60874);Object.defineProperty(t,"getEventTarget",{enumerable:!0,get:function(){return l.getEventTarget}});var c=o(39399);Object.defineProperty(t,"getParent",{enumerable:!0,get:function(){return c.getParent}});var u=o(54024);Object.defineProperty(t,"getVirtualParent",{enumerable:!0,get:function(){return u.getVirtualParent}});var d=o(78658);Object.defineProperty(t,"isVirtualElement",{enumerable:!0,get:function(){return d.isVirtualElement}});var p=o(86578);Object.defineProperty(t,"portalContainsElement",{enumerable:!0,get:function(){return p.portalContainsElement}});var m=o(13617);Object.defineProperty(t,"DATA_PORTAL_ATTRIBUTE",{enumerable:!0,get:function(){return m.DATA_PORTAL_ATTRIBUTE}}),Object.defineProperty(t,"setPortalAttribute",{enumerable:!0,get:function(){return m.setPortalAttribute}});var g=o(73172);Object.defineProperty(t,"setVirtualParent",{enumerable:!0,get:function(){return g.setVirtualParent}}),o(34463)},78658:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.isVirtualElement=void 0,t.isVirtualElement=function(e){return e&&!!e._virtual}},86578:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.portalContainsElement=void 0;var n=o(27560),r=o(13617);t.portalContainsElement=function(e,t,o){var i=(0,n.findElementRecursive)(e,(function(e){return t===e||e.hasAttribute(r.DATA_PORTAL_ATTRIBUTE)}),o);return null!==i&&i.hasAttribute(r.DATA_PORTAL_ATTRIBUTE)}},13617:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.setPortalAttribute=t.DATA_PORTAL_ATTRIBUTE=void 0,t.DATA_PORTAL_ATTRIBUTE="data-portal-element",t.setPortalAttribute=function(e){e.setAttribute(t.DATA_PORTAL_ATTRIBUTE,"true")}},73172:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.setVirtualParent=void 0,t.setVirtualParent=function(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))}},34463:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),(0,o(37607).setVersion)("@fluentui/dom-utilities","2.3.1")},34023:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.initializeIcons=void 0;var n=o(83048);t.initializeIcons=function(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('".concat(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.registerIcons)(o,t)}},9872:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.initializeIcons=void 0;var n=o(83048);t.initializeIcons=function(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('".concat(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.registerIcons)(o,t)}},94050:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.initializeIcons=void 0;var n=o(83048);t.initializeIcons=function(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('".concat(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.registerIcons)(o,t)}},61937:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.initializeIcons=void 0;var n=o(83048);t.initializeIcons=function(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('".concat(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.registerIcons)(o,t)}},82296:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.initializeIcons=void 0;var n=o(83048);t.initializeIcons=function(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('".concat(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.registerIcons)(o,t)}},16655:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.initializeIcons=void 0;var n=o(83048);t.initializeIcons=function(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('".concat(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.registerIcons)(o,t)}},78798:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.initializeIcons=void 0;var n=o(83048);t.initializeIcons=function(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('".concat(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.registerIcons)(o,t)}},23149:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.initializeIcons=void 0;var n=o(83048);t.initializeIcons=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('".concat(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.registerIcons)(o,t)}},98564:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.initializeIcons=void 0;var n=o(83048);t.initializeIcons=function(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('".concat(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.registerIcons)(o,t)}},80011:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.initializeIcons=void 0;var n=o(83048);t.initializeIcons=function(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('".concat(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.registerIcons)(o,t)}},42825:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.initializeIcons=void 0;var n=o(83048);t.initializeIcons=function(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('".concat(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.registerIcons)(o,t)}},30298:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.initializeIcons=void 0;var n=o(83048);t.initializeIcons=function(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('".concat(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.registerIcons)(o,t)}},7811:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.initializeIcons=void 0;var n=o(83048);t.initializeIcons=function(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('".concat(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.registerIcons)(o,t)}},52348:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.initializeIcons=void 0;var n=o(83048);t.initializeIcons=function(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('".concat(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.registerIcons)(o,t)}},82085:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.initializeIcons=void 0;var n=o(83048);t.initializeIcons=function(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('".concat(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.registerIcons)(o,t)}},14342:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.initializeIcons=void 0;var n=o(83048);t.initializeIcons=function(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('".concat(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.registerIcons)(o,t)}},21007:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.initializeIcons=void 0;var n=o(83048);t.initializeIcons=function(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('".concat(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.registerIcons)(o,t)}},86648:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.initializeIcons=void 0;var n=o(83048);t.initializeIcons=function(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('".concat(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.registerIcons)(o,t)}},39694:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.initializeIcons=void 0;var n=o(83048);t.initializeIcons=function(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons"',src:"url('".concat(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.registerIcons)(o,t)}},89941:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.registerIconAliases=void 0;var n=o(83048);t.registerIconAliases=function(){(0,n.registerIconAlias)("trash","delete"),(0,n.registerIconAlias)("onedrive","onedrivelogo"),(0,n.registerIconAlias)("alertsolid12","eventdatemissed12"),(0,n.registerIconAlias)("sixpointstar","6pointstar"),(0,n.registerIconAlias)("twelvepointstar","12pointstar"),(0,n.registerIconAlias)("toggleon","toggleleft"),(0,n.registerIconAlias)("toggleoff","toggleright")},t.default=t.registerIconAliases},8790:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.initializeIcons=void 0;var n=o(39694),r=o(34023),i=o(9872),a=o(42825),s=o(30298),l=o(7811),c=o(52348),u=o(82085),d=o(14342),p=o(21007),m=o(86648),g=o(94050),h=o(61937),f=o(82296),v=o(16655),b=o(78798),y=o(23149),_=o(98564),S=o(80011),C=o(83048),x=o(89941),P=o(52332),k="".concat(C.FLUENT_CDN_BASE_URL,"/assets/icons/"),I=(0,P.getWindow)();t.initializeIcons=function(e,t){var o,C;void 0===e&&(e=(null===(o=null==I?void 0:I.FabricConfig)||void 0===o?void 0:o.iconBaseUrl)||(null===(C=null==I?void 0:I.FabricConfig)||void 0===C?void 0:C.fontBaseUrl)||k),[n.initializeIcons,r.initializeIcons,i.initializeIcons,a.initializeIcons,s.initializeIcons,l.initializeIcons,c.initializeIcons,u.initializeIcons,d.initializeIcons,p.initializeIcons,m.initializeIcons,g.initializeIcons,h.initializeIcons,f.initializeIcons,v.initializeIcons,b.initializeIcons,y.initializeIcons,_.initializeIcons,S.initializeIcons].forEach((function(o){return o(e,t)})),(0,x.registerIconAliases)()},o(33890)},33890:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),(0,o(37607).setVersion)("@fluentui/font-icons-mdl2","8.5.38")},8335:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},59542:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},11633:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},25665:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ThemeProvider=void 0;var n=o(31635),r=o(83923),i=o(83048),a=o(52332);t.ThemeProvider=function(e){var t=e.scheme,o=e.theme,s=n.__rest(e,["scheme","theme"]);return r.createElement(a.Customizer,n.__assign({},s,{contextTransform:function(e){return(0,i.getThemedContext)(e,t,o)}}))}},10690:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.createComponent=void 0;var n=o(31635),r=o(83923),i=o(83048),a=o(52332),s=o(7816),l=o(93349);function c(e,t){for(var o=[],r=2;r{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getControlledDerivedProps=t.useControlledState=void 0;var n=o(83923);t.useControlledState=function(e,t,o){var r;o&&(r=o.defaultPropName&&void 0!==e[o.defaultPropName]?e[o.defaultPropName]:o&&o.defaultPropValue);var i=n.useState(r),a=i[0],s=i[1];return void 0!==e[t]?[e[t],s]:[a,s]},t.getControlledDerivedProps=function(e,t,o){return void 0!==e[t]?e[t]:o}},27970:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(514),t)},89021:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.legacyStyled=void 0;var n=o(31635);n.__exportStar(o(10690),t),n.__exportStar(o(8335),t),n.__exportStar(o(59542),t),n.__exportStar(o(11633),t),n.__exportStar(o(7816),t),n.__exportStar(o(25665),t),n.__exportStar(o(27970),t);var r=o(52332);Object.defineProperty(t,"legacyStyled",{enumerable:!0,get:function(){return r.styled}}),o(37781)},7816:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getSlots=t.createFactory=t.withSlots=void 0;var n=o(31635),r=o(83923),i=o(15241),a=o(52332),s=o(93349);function l(e,t){void 0===t&&(t={});var o=t.defaultProp,l=void 0===o?"children":o;return function(t,o,c,u,d){if(r.isValidElement(o))return o;var p=function(e,t){var o,n;return"string"==typeof t||"number"==typeof t||"boolean"==typeof t?((o={})[e]=t,n=o):n=t,n}(l,o),m=function(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 function(e,t,o,n,r,i){return void 0!==e.create?e.create(t,o,n,r):c(e)(t,o,n,r,i)}(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}},93349:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.assign=void 0;var n=o(31635);t.assign=n.__assign},37781:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),(0,o(37607).setVersion)("@fluentui/foundation-legacy","8.4.4")},81817:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ShadowDomStylesheet=t.SUPPORTS_MODIFYING_ADOPTED_STYLESHEETS=t.SUPPORTS_CONSTRUCTABLE_STYLESHEETS=void 0;var n=o(31635),r=o(9493),i=o(5195);t.SUPPORTS_CONSTRUCTABLE_STYLESHEETS="undefined"!=typeof document&&Array.isArray(document.adoptedStyleSheets)&&"replace"in CSSStyleSheet.prototype;var a,s=!1;if(t.SUPPORTS_CONSTRUCTABLE_STYLESHEETS)try{document.adoptedStyleSheets.push(),s=!0}catch(e){s=!1}t.SUPPORTS_MODIFYING_ADOPTED_STYLESHEETS=s;var l={};try{l=window||{}}catch(e){}var c=function(e){function o(t,n){var r=e.call(this,t,n)||this;return r._onAddSheetCallbacks=[],r._sheetCounter=0,r._adoptableSheets=new Map,l[i.SHADOW_DOM_STYLESHEET_SETTING]=o,r}return n.__extends(o,e),o.getInstance=function(e){var t=e||i.DEFAULT_SHADOW_CONFIG,s=t.stylesheetKey||i.GLOBAL_STYLESHEET_KEY,c=t.inShadow,u=t.window||("undefined"!=typeof window?window:void 0),d=u||l,p=u?u.document:"undefined"!=typeof document?document:void 0,m=(a=d[r.STYLESHEET_SETTING])&&!a.getAdoptedSheets;if(!a||m||a._lastStyleElement&&a._lastStyleElement.ownerDocument!==p){var g=(null==d?void 0:d.FabricConfig)||{},h={window:u,inShadow:c,stylesheetKey:s};g.mergeStyles=g.mergeStyles||{},g.mergeStyles=n.__assign(n.__assign({},h),g.mergeStyles);var f=void 0;m?function(e,t,o,n){var r;if(void 0===t&&(t=!1),n){var a=n.querySelectorAll("[data-merge-styles]");if(a){e.setConfig({window:o,inShadow:t,stylesheetKey:i.GLOBAL_STYLESHEET_KEY});for(var s=0;s{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyleOptions=t.getRTL=t.setRTL=void 0;var n,r=o(5195);function i(){return void 0===n&&(n="undefined"!=typeof document&&!!document.documentElement&&"rtl"===document.documentElement.getAttribute("dir")),n}t.setRTL=function(e){n!==e&&(n=e)},t.getRTL=i,n=i(),t.getStyleOptions=function(){return{rtl:i(),shadowConfig:r.DEFAULT_SHADOW_CONFIG}}},9493:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Stylesheet=t.STYLESHEET_SETTING=t.InjectionMode=void 0;var n=o(31635),r=o(5195);t.InjectionMode={none:0,insertNode:1,appendChild:2},t.STYLESHEET_SETTING="__stylesheet__";var i,a="undefined"!=typeof navigator&&/rv:11.0/.test(navigator.userAgent),s={};try{s=window||{}}catch(e){}var l=function(){function e(e,o){var r,i,a,s,l,c;this._rules=[],this._preservedRules=[],this._counter=0,this._keyToClassName={},this._onInsertRuleCallbacks=[],this._onResetCallbacks=[],this._classNameToArgs={},this._config=n.__assign({injectionMode:"undefined"==typeof document?t.InjectionMode.none:t.InjectionMode.insertNode,defaultPrefix:"css",namespace:void 0,cspSettings:void 0},e),this._classNameToArgs=null!==(r=null==o?void 0:o.classNameToArgs)&&void 0!==r?r:this._classNameToArgs,this._counter=null!==(i=null==o?void 0:o.counter)&&void 0!==i?i:this._counter,this._keyToClassName=null!==(s=null!==(a=this._config.classNameCache)&&void 0!==a?a:null==o?void 0:o.keyToClassName)&&void 0!==s?s:this._keyToClassName,this._preservedRules=null!==(l=null==o?void 0:o.preservedRules)&&void 0!==l?l:this._preservedRules,this._rules=null!==(c=null==o?void 0:o.rules)&&void 0!==c?c:this._rules}return e.getInstance=function(o){if(i=s[t.STYLESHEET_SETTING],s[r.SHADOW_DOM_STYLESHEET_SETTING])return s[r.SHADOW_DOM_STYLESHEET_SETTING].getInstance(o);if(!i||i._lastStyleElement&&i._lastStyleElement.ownerDocument!==document){var n=(null==s?void 0:s.FabricConfig)||{},a=new e(n.mergeStyles,n.serializedStylesheet);i=a,s[t.STYLESHEET_SETTING]=a}return i},e.prototype.serialize=function(){return JSON.stringify({classNameToArgs:this._classNameToArgs,counter:this._counter,keyToClassName:this._keyToClassName,preservedRules:this._preservedRules,rules:this._rules})},e.prototype.setConfig=function(e){this._config=n.__assign(n.__assign({},this._config),e)},e.prototype.onReset=function(e){var t=this;return this._onResetCallbacks.push(e),function(){t._onResetCallbacks=t._onResetCallbacks.filter((function(t){return t!==e}))}},e.prototype.onInsertRule=function(e){var t=this;return this._onInsertRuleCallbacks.push(e),function(){t._onInsertRuleCallbacks=t._onInsertRuleCallbacks.filter((function(t){return t!==e}))}},e.prototype.getClassName=function(e){var t=this._config.namespace,o=e||this._config.defaultPrefix;return"".concat(t?t+"-":"").concat(o,"-").concat(this._counter++)},e.prototype.cacheClassName=function(e,t,o,n){this._keyToClassName[this._getCacheKey(t)]=e,this._classNameToArgs[e]={args:o,rules:n}},e.prototype.classNameFromKey=function(e){return this._keyToClassName[this._getCacheKey(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,o,n){void 0===n&&(n=r.GLOBAL_STYLESHEET_KEY);var i=this._config.injectionMode,a=i!==t.InjectionMode.none?this._getStyleElement():void 0;if(o&&this._preservedRules.push(e),a)switch(i){case t.InjectionMode.insertNode:this._insertRuleIntoSheet(a.sheet,e);break;case t.InjectionMode.appendChild:a.appendChild(document.createTextNode(e))}else this._rules.push(e);this._config.onInsertRule&&this._config.onInsertRule(e),this._onInsertRuleCallbacks.forEach((function(t){return t({key:n,sheet:a?a.sheet:void 0,rule:e})}))},e.prototype.getRules=function(e){return(e?this._preservedRules.join(""):"")+this._rules.join("")},e.prototype.reset=function(){this._rules=[],this._counter=0,this._classNameToArgs={},this._keyToClassName={},this._onResetCallbacks.forEach((function(e){return e()}))},e.prototype.resetKeys=function(){this._keyToClassName={}},e.prototype._createStyleElement=function(){var e,t=(null===(e=this._config.window)||void 0===e?void 0:e.document)||document,o=t.head,n=t.createElement("style"),r=null;n.setAttribute("data-merge-styles","true");var i=this._config.cspSettings;if(i&&i.nonce&&n.setAttribute("nonce",i.nonce),this._lastStyleElement)r=this._lastStyleElement.nextElementSibling;else{var a=this._findPlaceholderStyleTag();r=a?a.nextElementSibling:o.childNodes[0]}return o.insertBefore(n,o.contains(r)?r:null),this._lastStyleElement=n,n},e.prototype._insertRuleIntoSheet=function(e,t){if(!e)return!1;try{return e.insertRule(t,e.cssRules.length),!0}catch(e){}return!1},e.prototype._getCacheKey=function(e){return e},e.prototype._getStyleElement=function(){var e=this;return this._styleElement||(this._styleElement=this._createStyleElement(),a||(this._config.window||window).requestAnimationFrame((function(){e._styleElement=void 0}))),this._styleElement},e.prototype._findPlaceholderStyleTag=function(){var e=document.head;return e?e.querySelector("style[data-merge-styles]"):null},e}();t.Stylesheet=l},49549:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.cloneExtendedCSSStyleSheet=t.cloneCSSStyleSheet=void 0,t.cloneCSSStyleSheet=function(e,t){for(var o=0;o{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.concatStyleSets=void 0;var n=o(31635),r=o(5195);t.concatStyleSets=function e(){for(var t=[],o=0;o0){i.subComponentStyles={};var h=i.subComponentStyles,f=function(t){if(a.hasOwnProperty(t)){var o=a[t];h[t]=function(t){return e.apply(void 0,o.map((function(e){return"function"==typeof e?e(t):e})))}}};for(var p in a)f(p)}return i}},18819:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.concatStyleSetsWithProps=void 0;var n=o(94237);t.concatStyleSetsWithProps=function(e){for(var t=[],o=1;o{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.extractStyleParts=void 0;var n=o(5195);t.extractStyleParts=function(e){for(var t=[],o=1;o=0)e(l.split(" "));else{var c=a.argsFromClassName(l);c?e(c):-1===r.indexOf(l)&&r.push(l)}else Array.isArray(l)?e(l):"object"==typeof l&&i.push(l)}}(t),{classes:r,objects:i}}},19397:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.fontFace=void 0;var n=o(81099),r=o(9493),i=o(34434);t.fontFace=function(e){var t=r.Stylesheet.getInstance(),o=(0,i.serializeRuleEntries)((0,n.getStyleOptions)(),e);if(!t.classNameFromKey(o)){var a=t.getClassName();t.insertRule("@font-face{".concat(o,"}"),!0),t.cacheClassName(a,o,[],["font-face",o])}}},89186:(e,t)=>{"use strict";var o;Object.defineProperty(t,"__esModule",{value:!0}),t.setVendorSettings=t.getVendorSettings=void 0,t.getVendorSettings=function(){var e;if(!o){var t="undefined"!=typeof document?document:void 0,n="undefined"!=typeof navigator?navigator:void 0,r=null===(e=null==n?void 0:n.userAgent)||void 0===e?void 0:e.toLowerCase();o=t?{isWebkit:!(!t||!("WebkitAppearance"in t.documentElement.style)),isMoz:!!(r&&r.indexOf("firefox")>-1),isOpera:!!(r&&r.indexOf("opera")>-1),isMs:!(!n||!/rv:11.0/i.test(n.userAgent)&&!/Edge\/\d./i.test(navigator.userAgent))}:{isWebkit:!0,isMoz:!0,isOpera:!0,isMs:!0}}return o},t.setVendorSettings=function(e){o=e}},15241:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.cloneCSSStyleSheet=t.makeShadowConfig=t.GLOBAL_STYLESHEET_KEY=t.DEFAULT_SHADOW_CONFIG=t.setRTL=t.SUPPORTS_MODIFYING_ADOPTED_STYLESHEETS=t.SUPPORTS_CONSTRUCTABLE_STYLESHEETS=t.ShadowDomStylesheet=t.Stylesheet=t.InjectionMode=t.keyframes=t.fontFace=t.concatStyleSetsWithProps=t.concatStyleSets=t.mergeCssSets=t.mergeStyleSets=t.mergeCss=t.mergeStyles=void 0;var n=o(84227);Object.defineProperty(t,"mergeStyles",{enumerable:!0,get:function(){return n.mergeStyles}}),Object.defineProperty(t,"mergeCss",{enumerable:!0,get:function(){return n.mergeCss}});var r=o(26037);Object.defineProperty(t,"mergeStyleSets",{enumerable:!0,get:function(){return r.mergeStyleSets}}),Object.defineProperty(t,"mergeCssSets",{enumerable:!0,get:function(){return r.mergeCssSets}});var i=o(94237);Object.defineProperty(t,"concatStyleSets",{enumerable:!0,get:function(){return i.concatStyleSets}});var a=o(18819);Object.defineProperty(t,"concatStyleSetsWithProps",{enumerable:!0,get:function(){return a.concatStyleSetsWithProps}});var s=o(19397);Object.defineProperty(t,"fontFace",{enumerable:!0,get:function(){return s.fontFace}});var l=o(50800);Object.defineProperty(t,"keyframes",{enumerable:!0,get:function(){return l.keyframes}});var c=o(9493);Object.defineProperty(t,"InjectionMode",{enumerable:!0,get:function(){return c.InjectionMode}}),Object.defineProperty(t,"Stylesheet",{enumerable:!0,get:function(){return c.Stylesheet}});var u=o(81817);Object.defineProperty(t,"ShadowDomStylesheet",{enumerable:!0,get:function(){return u.ShadowDomStylesheet}}),Object.defineProperty(t,"SUPPORTS_CONSTRUCTABLE_STYLESHEETS",{enumerable:!0,get:function(){return u.SUPPORTS_CONSTRUCTABLE_STYLESHEETS}}),Object.defineProperty(t,"SUPPORTS_MODIFYING_ADOPTED_STYLESHEETS",{enumerable:!0,get:function(){return u.SUPPORTS_MODIFYING_ADOPTED_STYLESHEETS}});var d=o(81099);Object.defineProperty(t,"setRTL",{enumerable:!0,get:function(){return d.setRTL}});var p=o(5195);Object.defineProperty(t,"DEFAULT_SHADOW_CONFIG",{enumerable:!0,get:function(){return p.DEFAULT_SHADOW_CONFIG}}),Object.defineProperty(t,"GLOBAL_STYLESHEET_KEY",{enumerable:!0,get:function(){return p.GLOBAL_STYLESHEET_KEY}}),Object.defineProperty(t,"makeShadowConfig",{enumerable:!0,get:function(){return p.makeShadowConfig}});var m=o(49549);Object.defineProperty(t,"cloneCSSStyleSheet",{enumerable:!0,get:function(){return m.cloneCSSStyleSheet}}),o(1225)},50800:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.keyframes=void 0;var n=o(81099),r=o(9493),i=o(34434);t.keyframes=function(e){var t=r.Stylesheet.getInstance(),o=[];for(var a in e)e.hasOwnProperty(a)&&o.push(a,"{",(0,i.serializeRuleEntries)((0,n.getStyleOptions)(),e[a]),"}");var s=o.join(""),l=t.classNameFromKey(s);if(l)return l;var c=t.getClassName();return t.insertRule("@keyframes ".concat(c,"{").concat(s,"}"),!0),t.cacheClassName(c,s,[],["keyframes",s]),c}},26037:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.mergeCssSets=t.mergeStyleSets=void 0;var n=o(31635),r=o(94237),i=o(30725),a=o(81099),s=o(34434),l=o(5195),c=o(9493);function u(e,t){var o,a={subComponentStyles:{}},u=void 0;(0,l.isShadowConfig)(e[0])?(u=e[0],o=e[1]):o=e[0],null!=u||(u=null==t?void 0:t.shadowConfig);var d=n.__assign(n.__assign({},t),{shadowConfig:u});if(!o&&e.length<=1)return{subComponentStyles:{}};var p=c.Stylesheet.getInstance(u);d.stylesheet=p;var m=r.concatStyleSets.apply(void 0,e),g=[];for(var h in m)if(m.hasOwnProperty(h)){if("subComponentStyles"===h){a.subComponentStyles=m.subComponentStyles||{};continue}if("__shadowConfig__"===h)continue;var f=m[h],v=(0,i.extractStyleParts)(p,f),b=v.classes,y=v.objects;(null==y?void 0:y.length)?(C=(0,s.styleToRegistration)(d||{},{displayName:h},y))&&(g.push(C),a[h]=b.concat([C.className]).join(" ")):a[h]=b.join(" ")}for(var _=0,S=g;_{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.mergeCss=t.mergeStyles=void 0;var n=o(30725),r=o(5195),i=o(81099),a=o(9493),s=o(34434);function l(e,t){var o=e instanceof Array?e:[e],i=t||{};(0,r.isShadowConfig)(o[0])&&(i.shadowConfig=o[0]),i.stylesheet=a.Stylesheet.getInstance(i.shadowConfig);var l=(0,n.extractStyleParts)(i.stylesheet,o),c=l.classes,u=l.objects;return u.length&&c.push((0,s.styleToClassName)(i,u)),c.join(" ")}t.mergeStyles=function(){for(var e=[],t=0;t{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.isShadowConfig=t.makeShadowConfig=t.DEFAULT_SHADOW_CONFIG=t.SHADOW_DOM_STYLESHEET_SETTING=t.GLOBAL_STYLESHEET_KEY=void 0,t.GLOBAL_STYLESHEET_KEY="__global__",t.SHADOW_DOM_STYLESHEET_SETTING="__shadow_dom_stylesheet__",t.DEFAULT_SHADOW_CONFIG={stylesheetKey:t.GLOBAL_STYLESHEET_KEY,inShadow:!1,window:void 0,__isShadowConfig__:!0},t.makeShadowConfig=function(e,t,o){return{stylesheetKey:e,inShadow:t,window:o,__isShadowConfig__:!0}},t.isShadowConfig=function(e){return!!e&&!0===e.__isShadowConfig__}},34434:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.styleToClassName=t.applyRegistration=t.styleToRegistration=t.serializeRuleEntries=void 0;var n=o(31635),r=o(9493),i=o(84591),a=o(66524),s=o(16431),l=o(19384),c=o(37502),u="displayName",d=/\:global\((.+?)\)/g;function p(e,t){return e.indexOf(":global(")>=0?e.replace(d,"$1"):0===e.indexOf(":host(")?e:0===e.indexOf(":")?t+e:e.indexOf("&")<0?t+" "+e:e}function m(e,t,o,n,r){void 0===t&&(t={__order:[]}),0===o.indexOf("@")?g([n],t,o=o+"{"+e,r):o.indexOf(",")>-1?function(e){if(!d.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(".concat(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 g([n],t,p(o,e),r)})):g([n],t,p(o,e),r)}function g(e,t,o,n){void 0===t&&(t={__order:[]}),void 0===o&&(o="&");var r=t[o];r||(r={},t[o]=r,t.__order.push(o));for(var i=0,a=e;i{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.tokenizeWithParentheses=void 0,t.tokenizeWithParentheses=function(e){for(var t=[],o=0,n=0,r=0;ro&&t.push(e.substring(o,r)),o=r+1)}return o{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.kebabRules=void 0;var o={};t.kebabRules=function(e,t){var n=e[t];"-"!==n.charAt(0)&&(e[t]=o[n]=o[n]||n.replace(/([A-Z])/g,"-$1").toLowerCase())}},66524:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.prefixRules=void 0;var n=o(89186),r={"user-select":1};t.prefixRules=function(e,t){var o=(0,n.getVendorSettings)(),i=e[t];if(r[i]){var a=e[t+1];r[i]&&(o.isWebkit&&e.push("-webkit-"+i,a),o.isMoz&&e.push("-moz-"+i,a),o.isMs&&e.push("-ms-"+i,a),o.isOpera&&e.push("-o-"+i,a))}}},16431:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.provideUnits=void 0;var o=["column-count","font-weight","flex","flex-grow","flex-shrink","fill-opacity","opacity","order","z-index","zoom"];t.provideUnits=function(e,t){var n=e[t],r=e[t+1];if("number"==typeof r){var i=o.indexOf(n)>-1,a=n.indexOf("--")>-1,s=i||a?"":"px";e[t+1]="".concat(r).concat(s)}}},19384:(e,t)=>{"use strict";var o;Object.defineProperty(t,"__esModule",{value:!0}),t.rtlifyRules=void 0;var n="left",r="right",i=((o={})[n]=r,o[r]=n,o),a={"w-resize":"e-resize","sw-resize":"se-resize","nw-resize":"ne-resize"};t.rtlifyRules=function(e,t,o){if(e.rtl){var s=t[o];if(!s)return;var l=t[o+1];if("string"==typeof l&&l.indexOf("@noflip")>=0)t[o+1]=l.replace(/\s*(?:\/\*\s*)?\@noflip\b(?:\s*\*\/)?\s*?/g,"");else if(s.indexOf(n)>=0)t[o]=s.replace(n,r);else if(s.indexOf(r)>=0)t[o]=s.replace(r,n);else if(String(l).indexOf(n)>=0)t[o+1]=l.replace(n,r);else if(String(l).indexOf(r)>=0)t[o+1]=l.replace(r,n);else if(i[s])t[o]=i[s];else if(a[l])t[o+1]=a[l];else switch(s){case"margin":case"padding":t[o+1]=function(e){if("string"==typeof e){var t=e.split(" ");if(4===t.length)return"".concat(t[0]," ").concat(t[3]," ").concat(t[2]," ").concat(t[1])}return e}(l);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(" ")}(l)}}}},1225:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),(0,o(37607).setVersion)("@fluentui/merge-styles","8.6.4")},85890:(e,t,o)=>{"use strict";o.d(t,{DU:()=>i,Iy:()=>s});var n,r=o(34556);function i(e){n!==e&&(n=e)}function a(){return void 0===n&&(n="undefined"!=typeof document&&!!document.documentElement&&"rtl"===document.documentElement.getAttribute("dir")),n}function s(){return{rtl:a(),shadowConfig:r.ou}}n=a()},926:(e,t,o)=>{"use strict";o.d(t,{nr:()=>c});var n,r=o(31635),i=o(34556),a="__stylesheet__",s="undefined"!=typeof navigator&&/rv:11.0/.test(navigator.userAgent),l={};try{l=window||{}}catch(e){}var c=function(){function e(e,t){var o,n,i,a,s,l;this._rules=[],this._preservedRules=[],this._counter=0,this._keyToClassName={},this._onInsertRuleCallbacks=[],this._onResetCallbacks=[],this._classNameToArgs={},this._config=(0,r.__assign)({injectionMode:"undefined"==typeof document?0:1,defaultPrefix:"css",namespace:void 0,cspSettings:void 0},e),this._classNameToArgs=null!==(o=null==t?void 0:t.classNameToArgs)&&void 0!==o?o:this._classNameToArgs,this._counter=null!==(n=null==t?void 0:t.counter)&&void 0!==n?n:this._counter,this._keyToClassName=null!==(a=null!==(i=this._config.classNameCache)&&void 0!==i?i:null==t?void 0:t.keyToClassName)&&void 0!==a?a:this._keyToClassName,this._preservedRules=null!==(s=null==t?void 0:t.preservedRules)&&void 0!==s?s:this._preservedRules,this._rules=null!==(l=null==t?void 0:t.rules)&&void 0!==l?l:this._rules}return e.getInstance=function(t){if(n=l[a],l[i.Se])return l[i.Se].getInstance(t);if(!n||n._lastStyleElement&&n._lastStyleElement.ownerDocument!==document){var o=(null==l?void 0:l.FabricConfig)||{},r=new e(o.mergeStyles,o.serializedStylesheet);n=r,l[a]=r}return n},e.prototype.serialize=function(){return JSON.stringify({classNameToArgs:this._classNameToArgs,counter:this._counter,keyToClassName:this._keyToClassName,preservedRules:this._preservedRules,rules:this._rules})},e.prototype.setConfig=function(e){this._config=(0,r.__assign)((0,r.__assign)({},this._config),e)},e.prototype.onReset=function(e){var t=this;return this._onResetCallbacks.push(e),function(){t._onResetCallbacks=t._onResetCallbacks.filter((function(t){return t!==e}))}},e.prototype.onInsertRule=function(e){var t=this;return this._onInsertRuleCallbacks.push(e),function(){t._onInsertRuleCallbacks=t._onInsertRuleCallbacks.filter((function(t){return t!==e}))}},e.prototype.getClassName=function(e){var t=this._config.namespace,o=e||this._config.defaultPrefix;return"".concat(t?t+"-":"").concat(o,"-").concat(this._counter++)},e.prototype.cacheClassName=function(e,t,o,n){this._keyToClassName[this._getCacheKey(t)]=e,this._classNameToArgs[e]={args:o,rules:n}},e.prototype.classNameFromKey=function(e){return this._keyToClassName[this._getCacheKey(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,o){void 0===o&&(o=i.P6);var n=this._config.injectionMode,r=0!==n?this._getStyleElement():void 0;if(t&&this._preservedRules.push(e),r)switch(n){case 1:this._insertRuleIntoSheet(r.sheet,e);break;case 2:r.appendChild(document.createTextNode(e))}else this._rules.push(e);this._config.onInsertRule&&this._config.onInsertRule(e),this._onInsertRuleCallbacks.forEach((function(t){return t({key:o,sheet:r?r.sheet:void 0,rule:e})}))},e.prototype.getRules=function(e){return(e?this._preservedRules.join(""):"")+this._rules.join("")},e.prototype.reset=function(){this._rules=[],this._counter=0,this._classNameToArgs={},this._keyToClassName={},this._onResetCallbacks.forEach((function(e){return e()}))},e.prototype.resetKeys=function(){this._keyToClassName={}},e.prototype._createStyleElement=function(){var e,t=(null===(e=this._config.window)||void 0===e?void 0:e.document)||document,o=t.head,n=t.createElement("style"),r=null;n.setAttribute("data-merge-styles","true");var i=this._config.cspSettings;if(i&&i.nonce&&n.setAttribute("nonce",i.nonce),this._lastStyleElement)r=this._lastStyleElement.nextElementSibling;else{var a=this._findPlaceholderStyleTag();r=a?a.nextElementSibling:o.childNodes[0]}return o.insertBefore(n,o.contains(r)?r:null),this._lastStyleElement=n,n},e.prototype._insertRuleIntoSheet=function(e,t){if(!e)return!1;try{return e.insertRule(t,e.cssRules.length),!0}catch(e){}return!1},e.prototype._getCacheKey=function(e){return e},e.prototype._getStyleElement=function(){var e=this;return this._styleElement||(this._styleElement=this._createStyleElement(),s||(this._config.window||window).requestAnimationFrame((function(){e._styleElement=void 0}))),this._styleElement},e.prototype._findPlaceholderStyleTag=function(){var e=document.head;return e?e.querySelector("style[data-merge-styles]"):null},e}()},37232:(e,t,o)=>{"use strict";o.d(t,{T:()=>i});var n=o(31635),r=o(34556);function i(){for(var e=[],t=0;t0){o.subComponentStyles={};var h=o.subComponentStyles,f=function(e){if(a.hasOwnProperty(e)){var t=a[e];h[e]=function(e){return i.apply(void 0,t.map((function(t){return"function"==typeof t?t(e):t})))}}};for(var p in a)f(p)}return o}},7940:(e,t,o)=>{"use strict";o.d(t,{p:()=>r});var n=o(37232);function r(e){for(var t=[],o=1;o{"use strict";o.d(t,{h:()=>r});var n=o(34556);function r(e){for(var t=[],o=1;o=0)e(l.split(" "));else{var c=a.argsFromClassName(l);c?e(c):-1===r.indexOf(l)&&r.push(l)}else Array.isArray(l)?e(l):"object"==typeof l&&i.push(l)}}(t),{classes:r,objects:i}}},6526:(e,t,o)=>{"use strict";o.d(t,{n:()=>a});var n=o(85890),r=o(926),i=o(57428);function a(e){var t=r.nr.getInstance(),o=(0,i.bz)((0,n.Iy)(),e);if(!t.classNameFromKey(o)){var a=t.getClassName();t.insertRule("@font-face{".concat(o,"}"),!0),t.cacheClassName(a,o,[],["font-face",o])}}},73294:(e,t,o)=>{"use strict";o.d(t,{L:()=>d,l:()=>u});var n=o(31635),r=o(37232),i=o(75768),a=o(85890),s=o(57428),l=o(34556),c=o(926);function u(){for(var e=[],t=0;t{"use strict";o.d(t,{Z:()=>l});var n=o(75768),r=o(34556),i=o(85890),a=o(926),s=o(57428);function l(){for(var e=[],t=0;t{"use strict";o.d(t,{HD:()=>a,P6:()=>n,Se:()=>r,db:()=>s,ou:()=>i});var n="__global__",r="__shadow_dom_stylesheet__",i={stylesheetKey:n,inShadow:!1,window:void 0,__isShadowConfig__:!0},a=function(e,t,o){return{stylesheetKey:e,inShadow:t,window:o,__isShadowConfig__:!0}},s=function(e){return!!e&&!0===e.__isShadowConfig__}},57428:(e,t,o)=>{"use strict";o.d(t,{Ae:()=>w,bz:()=>k,kG:()=>T,GJ:()=>I});var n,r=o(31635),i=o(926),a={},s={"user-select":1};function l(e,t){var o=function(){var e;if(!n){var t="undefined"!=typeof document?document:void 0,o="undefined"!=typeof navigator?navigator:void 0,r=null===(e=null==o?void 0:o.userAgent)||void 0===e?void 0:e.toLowerCase();n=t?{isWebkit:!(!t||!("WebkitAppearance"in t.documentElement.style)),isMoz:!!(r&&r.indexOf("firefox")>-1),isOpera:!!(r&&r.indexOf("opera")>-1),isMs:!(!o||!/rv:11.0/i.test(o.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]="".concat(n).concat(a)}}var p="left",m="right",g="@noflip",h=((c={})[p]=m,c[m]=p,c),f={"w-resize":"e-resize","sw-resize":"se-resize","nw-resize":"ne-resize"};function v(e,t,o){if(e.rtl){var n=t[o];if(!n)return;var r=t[o+1];if("string"==typeof r&&r.indexOf(g)>=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(f[r])t[o+1]=f[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"".concat(t[0]," ").concat(t[3]," ").concat(t[2]," ").concat(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)}}}var b="displayName",y=/\:global\((.+?)\)/g;function _(e,t){return e.indexOf(":global(")>=0?e.replace(y,"$1"):0===e.indexOf(":host(")?e:0===e.indexOf(":")?t+e:e.indexOf("&")<0?t+" "+e:e}function S(e,t,o,n,r){void 0===t&&(t={__order:[]}),0===o.indexOf("@")?C([n],t,o=o+"{"+e,r):o.indexOf(",")>-1?function(e){if(!y.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(".concat(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,_(o,e),r)})):C([n],t,_(o,e),r)}function C(e,t,o,n){void 0===t&&(t={__order:[]}),void 0===o&&(o="&");var r=t[o];r||(r={},t[o]=r,t.__order.push(o));for(var i=0,a=e;io&&t.push(e.substring(o,r)),o=r+1)}return o{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.FocusZone=void 0;var n,r=o(31635),i=o(83923),a=o(49671),s=o(52332),l=o(15241),c=o(83048),u="data-is-focusable",d="data-focuszone-id",p="tabindex",m="data-no-vertical-wrap",g="data-no-horizontal-wrap",h=999999999,f=-999999999;function v(e,t){var o;"function"==typeof MouseEvent?o=new MouseEvent("click",{ctrlKey:null==t?void 0:t.ctrlKey,metaKey:null==t?void 0:t.metaKey,shiftKey:null==t?void 0:t.shiftKey,altKey:null==t?void 0:t.altKey,bubbles:null==t?void 0:t.bubbles,cancelable:null==t?void 0:t.cancelable}):(o=document.createEvent("MouseEvents")).initMouseEvent("click",!!t&&t.bubbles,!!t&&t.cancelable,window,0,0,0,0,0,!!t&&t.ctrlKey,!!t&&t.altKey,!!t&&t.shiftKey,!!t&&t.metaKey,0,null),e.dispatchEvent(o)}var b={},y=new Set,_=["text","number","password","email","tel","url","search","textarea"],S=!1,C=function(e){function t(o){var n,r,l,c,u=this;(u=e.call(this,o)||this)._root=i.createRef(),u._mergedRef=(0,s.createMergedRef)(),u._onFocus=function(e){if(!u._portalContainsElement(e.target)){var t,o=u.props,n=o.onActiveElementChanged,r=o.doNotAllowFocusEventToPropagate,i=o.stopFocusPropagation,a=o.onFocusNotification,l=o.onFocus,c=o.shouldFocusInnerElementWhenReceivedFocus,d=o.defaultTabbableElement,p=u._isImmediateDescendantOfZone(e.target);if(p)t=e.target;else for(var m=e.target;m&&m!==u._root.current;){if((0,s.isElementTabbable)(m,void 0,u._inShadowRoot)&&u._isImmediateDescendantOfZone(m)){t=m;break}m=(0,s.getParent)(m,S)}if(c&&e.target===u._root.current){var g=d&&"function"==typeof d&&u._root.current&&d(u._root.current);g&&(0,s.isElementTabbable)(g,void 0,u._inShadowRoot)?(t=g,g.focus()):(u.focus(!0),u._activeElement&&(t=null))}var h=!u._activeElement;t&&t!==u._activeElement&&((p||h)&&u._setFocusAlignment(t,!0,!0),u._activeElement=t,h&&u._updateTabIndexes()),n&&n(u._activeElement,e),(i||r)&&e.stopPropagation(),l?l(e):a&&a()}},u._onBlur=function(){u._setParkedFocus(!1)},u._onMouseDown=function(e){if(!u._portalContainsElement(e.target)&&!u.props.disabled){for(var t=e.target,o=[];t&&t!==u._root.current;)o.push(t),t=(0,s.getParent)(t,S);for(;o.length&&((t=o.pop())&&(0,s.isElementTabbable)(t,void 0,u._inShadowRoot)&&u._setActiveElement(t,!0),!(0,s.isElementFocusZone)(t)););}},u._onKeyDown=function(e,t){if(!u._portalContainsElement(e.target)){var o=u.props,n=o.direction,r=o.disabled,i=o.isInnerZoneKeystroke,l=o.pagingSupportDisabled,c=o.shouldEnterInnerZone;if(!(r||(u.props.onKeyDown&&u.props.onKeyDown(e),e.isDefaultPrevented()||u._getDocument().activeElement===u._root.current&&u._isInnerZone))){if((c&&c(e)||i&&i(e))&&u._isImmediateDescendantOfZone(e.target)){var d=u._getFirstInnerZone();if(d){if(!d.focus(!0))return}else{if(!(0,s.isElementFocusSubZone)(e.target))return;if(!u.focusElement((0,s.getNextElement)(e.target,e.target.firstChild,!0)))return}}else{if(e.altKey)return;switch(e.which){case s.KeyCodes.space:if(u._shouldRaiseClicksOnSpace&&u._tryInvokeClickForFocusable(e.target,e))break;return;case s.KeyCodes.left:if(n!==a.FocusZoneDirection.vertical&&(u._preventDefaultWhenHandled(e),u._moveFocusLeft(t)))break;return;case s.KeyCodes.right:if(n!==a.FocusZoneDirection.vertical&&(u._preventDefaultWhenHandled(e),u._moveFocusRight(t)))break;return;case s.KeyCodes.up:if(n!==a.FocusZoneDirection.horizontal&&(u._preventDefaultWhenHandled(e),u._moveFocusUp()))break;return;case s.KeyCodes.down:if(n!==a.FocusZoneDirection.horizontal&&(u._preventDefaultWhenHandled(e),u._moveFocusDown()))break;return;case s.KeyCodes.pageDown:if(!l&&u._moveFocusPaging(!0))break;return;case s.KeyCodes.pageUp:if(!l&&u._moveFocusPaging(!1))break;return;case s.KeyCodes.tab:if(u.props.allowTabKey||u.props.handleTabKey===a.FocusZoneTabbableElements.all||u.props.handleTabKey===a.FocusZoneTabbableElements.inputOnly&&u._isElementInput(e.target)){var p=!1;if(u._processingTabKey=!0,p=n!==a.FocusZoneDirection.vertical&&u._shouldWrapFocus(u._activeElement,g)?((0,s.getRTL)(t)?!e.shiftKey:e.shiftKey)?u._moveFocusLeft(t):u._moveFocusRight(t):e.shiftKey?u._moveFocusUp():u._moveFocusDown(),u._processingTabKey=!1,p)break;u.props.shouldResetActiveElementWhenTabFromZone&&(u._activeElement=null)}return;case s.KeyCodes.home:if(u._isContentEditableElement(e.target)||u._isElementInput(e.target)&&!u._shouldInputLoseFocus(e.target,!1))return!1;var m=u._root.current&&u._root.current.firstChild;if(u._root.current&&m&&u.focusElement((0,s.getNextElement)(u._root.current,m,!0)))break;return;case s.KeyCodes.end:if(u._isContentEditableElement(e.target)||u._isElementInput(e.target)&&!u._shouldInputLoseFocus(e.target,!0))return!1;var h=u._root.current&&u._root.current.lastChild;if(u._root.current&&u.focusElement((0,s.getPreviousElement)(u._root.current,h,!0,!0,!0)))break;return;case s.KeyCodes.enter:if(u._shouldRaiseClicksOnEnter&&u._tryInvokeClickForFocusable(e.target,e))break;return;default:return}}e.preventDefault(),e.stopPropagation()}}},u._getHorizontalDistanceFromCenter=function(e,t,o){var n=u._focusAlignment.left||u._focusAlignment.x||0,r=Math.floor(o.top),i=Math.floor(t.bottom),a=Math.floor(o.bottom),s=Math.floor(t.top);return e&&r>i||!e&&a=o.left&&n<=o.left+o.width?0:Math.abs(o.left+o.width/2-n):u._shouldWrapFocus(u._activeElement,m)?h:f},(0,s.initializeComponentRef)(u),u._id=(0,s.getId)("FocusZone"),u._focusAlignment={left:0,top:0},u._processingTabKey=!1;var d=null===(r=null!==(n=o.shouldRaiseClicks)&&void 0!==n?n:t.defaultProps.shouldRaiseClicks)||void 0===r||r;return u._shouldRaiseClicksOnEnter=null!==(l=o.shouldRaiseClicksOnEnter)&&void 0!==l?l:d,u._shouldRaiseClicksOnSpace=null!==(c=o.shouldRaiseClicksOnSpace)&&void 0!==c?c:d,u}return r.__extends(t,e),t.getOuterZones=function(){return y.size},t._onKeyDownCapture=function(e){e.which===s.KeyCodes.tab&&y.forEach((function(e){return e._updateTabIndexes()}))},t.prototype.componentDidMount=function(){var e,o=this._root.current;if(this._inShadowRoot=!!(null===(e=this.context)||void 0===e?void 0:e.shadowRoot),b[this._id]=this,o){for(var n=(0,s.getParent)(o,S);n&&n!==this._getDocument().body&&1===n.nodeType;){if((0,s.isElementFocusZone)(n)){this._isInnerZone=!0;break}n=(0,s.getParent)(n,S)}this._isInnerZone||(y.add(this),this._root.current&&this._root.current.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,t=this._root.current,o=this._getDocument();if(this._inShadowRoot=!!(null===(e=this.context)||void 0===e?void 0:e.shadowRoot),(this._activeElement&&!(0,s.elementContains)(this._root.current,this._activeElement,S)||this._defaultFocusElement&&!(0,s.elementContains)(this._root.current,this._defaultFocusElement,S))&&(this._activeElement=null,this._defaultFocusElement=null,this._updateTabIndexes()),!this.props.preventFocusRestoration&&o&&this._lastIndexPath&&(o.activeElement===o.body||null===o.activeElement||o.activeElement===t)){var n=(0,s.getFocusableByIndexPath)(t,this._lastIndexPath);n?(this._setActiveElement(n,!0),n.focus(),this._setParkedFocus(!1)):this._setParkedFocus(!0)}},t.prototype.componentWillUnmount=function(){delete b[this._id],this._isInnerZone||(y.delete(this),this._root.current&&this._root.current.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,u=t.rootProps,d=t.ariaDescribedBy,p=t.ariaLabelledBy,m=t.className,g=(0,s.getNativeProps)(this.props,s.htmlElementProperties),h=o||a||"div";this._evaluateFocusBeforeRender();var f=(0,c.getTheme)();return i.createElement(h,r.__assign({"aria-labelledby":p,"aria-describedby":d},g,u,{className:(0,s.css)((n||(n=(0,l.mergeStyles)({selectors:{":focus":{outline:"none"}}},"ms-FocusZone")),n),m),ref:this._mergedRef(this.props.elementRef,this._root),"data-focuszone-id":this._id,onKeyDown:function(t){return e._onKeyDown(t,f)},onFocus:this._onFocus,onMouseDownCapture:this._onMouseDown}),this.props.children)},t.prototype.focus=function(e,t){if(void 0===e&&(e=!1),void 0===t&&(t=!1),this._root.current){if(!e&&"true"===this._root.current.getAttribute(u)&&this._isInnerZone){var o=this._getOwnerZone(this._root.current);if(o!==this._root.current){var n=b[o.getAttribute(d)];return!!n&&n.focusElement(this._root.current)}return!1}if(!e&&this._activeElement&&(0,s.elementContains)(this._root.current,this._activeElement)&&(0,s.isElementTabbable)(this._activeElement,void 0,this._inShadowRoot)&&(!t||(0,s.isElementVisibleAndNotHidden)(this._activeElement)))return this._activeElement.focus(),!0;var r=this._root.current.firstChild;return this.focusElement((0,s.getNextElement)(this._root.current,r,!0,void 0,void 0,void 0,void 0,void 0,t))}return!1},t.prototype.focusLast=function(){if(this._root.current){var e=this._root.current&&this._root.current.lastChild;return this.focusElement((0,s.getPreviousElement)(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},Object.defineProperty(t.prototype,"defaultFocusElement",{get:function(){return this._defaultFocusElement},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"activeElement",{get:function(){return this._activeElement},enumerable:!1,configurable:!0}),t.prototype._evaluateFocusBeforeRender=function(){var e=this._root.current,t=this._getDocument();if(t){var o=t.activeElement;if(o!==e){var n=(0,s.elementContains)(e,o,!1);this._lastIndexPath=n?(0,s.getElementIndexPath)(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,s.isElementFocusZone)(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,t){var o=e;if(o===this._root.current)return!1;do{if("BUTTON"===o.tagName||"A"===o.tagName||"INPUT"===o.tagName||"TEXTAREA"===o.tagName||"SUMMARY"===o.tagName)return!1;if(this._isImmediateDescendantOfZone(o)&&"true"===o.getAttribute(u)&&"true"!==o.getAttribute("data-disable-click-on-enter"))return v(o,t),!0;o=(0,s.getParent)(o,S)}while(o!==this._root.current);return!1},t.prototype._getFirstInnerZone=function(e){if(!(e=e||this._activeElement||this._root.current))return null;if((0,s.isElementFocusZone)(e))return b[e.getAttribute(d)];for(var t=e.firstElementChild;t;){if((0,s.isElementFocusZone)(t))return b[t.getAttribute(d)];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,l=void 0,c=!1,u=this.props.direction===a.FocusZoneDirection.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,s.getNextElement)(this._root.current,r):(0,s.getPreviousElement)(this._root.current,r),!u){l=r;break}if(r){var p=t(d,r.getBoundingClientRect());if(-1===p&&-1===i){l=r;break}if(p>-1&&(-1===i||p=0&&p<0)break}}while(r);if(l&&l!==this._activeElement)c=!0,this.focusElement(l);else if(this.props.isCircularNavigation&&n)return e?this.focusElement((0,s.getNextElement)(this._root.current,this._root.current.firstElementChild,!0)):this.focusElement((0,s.getPreviousElement)(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,m)?h:f:((-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,g);return!!this._moveFocus((0,s.getRTL)(e),(function(n,r){var i=-1;return((0,s.getRTL)(e)?parseFloat(r.top.toFixed(3))parseFloat(n.top.toFixed(3)))&&r.right<=n.right&&t.props.direction!==a.FocusZoneDirection.vertical?i=n.right-r.right:o||(i=f),i}),void 0,o)&&(this._setFocusAlignment(this._activeElement,!0,!1),!0)},t.prototype._moveFocusRight=function(e){var t=this,o=this._shouldWrapFocus(this._activeElement,g);return!!this._moveFocus(!(0,s.getRTL)(e),(function(n,r){var i=-1;return((0,s.getRTL)(e)?parseFloat(r.bottom.toFixed(3))>parseFloat(n.top.toFixed(3)):parseFloat(r.top.toFixed(3))=n.left&&t.props.direction!==a.FocusZoneDirection.vertical?i=r.left-n.left:o||(i=f),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,s.findScrollableParent)(o);if(!n)return!1;var r=-1,i=void 0,a=-1,l=-1,c=n.clientHeight,u=o.getBoundingClientRect();do{if(o=e?(0,s.getNextElement)(this._root.current,o):(0,s.getPreviousElement)(this._root.current,o)){var d=o.getBoundingClientRect(),p=Math.floor(d.top),m=Math.floor(u.bottom),g=Math.floor(d.bottom),h=Math.floor(u.top),f=this._getHorizontalDistanceFromCenter(e,u,d);if(e&&p>m+c||!e&&g-1&&(e&&p>a?(a=p,r=f,i=o):!e&&g-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,s.shouldWrapFocus)(e,t)},t.prototype._portalContainsElement=function(e){return e&&!!this._root.current&&(0,s.portalContainsElement)(e,this._root.current)},t.prototype._getDocument=function(){return(0,s.getDocument)(this._root.current)},t.contextType=s.MergeStylesShadowRootContext,t.defaultProps={isCircularNavigation:!1,direction:a.FocusZoneDirection.bidirectional,shouldRaiseClicks:!0,"data-tabster":'{"uncontrolled": {}}'},t}(i.Component);t.FocusZone=C},49671:(e,t)=>{"use strict";var o;Object.defineProperty(t,"__esModule",{value:!0}),t.FocusZoneDirection=t.FocusZoneTabbableElements=void 0,t.FocusZoneTabbableElements={none:0,all:1,inputOnly:2},(o=t.FocusZoneDirection||(t.FocusZoneDirection={}))[o.vertical=0]="vertical",o[o.horizontal=1]="horizontal",o[o.bidirectional=2]="bidirectional",o[o.domOrder=3]="domOrder"},5274:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(69028),t),n.__exportStar(o(49671),t)},62930:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);o(8998),n.__exportStar(o(5274),t)},8998:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),(0,o(37607).setVersion)("@fluentui/react-focus","8.9.1")},25698:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useIsomorphicLayoutEffect=void 0;var n=o(31635);o(49878),n.__exportStar(o(5673),t),n.__exportStar(o(81029),t),n.__exportStar(o(25498),t),n.__exportStar(o(32629),t),n.__exportStar(o(32585),t),n.__exportStar(o(53042),t),n.__exportStar(o(18735),t),n.__exportStar(o(85404),t),n.__exportStar(o(97215),t),n.__exportStar(o(77392),t),n.__exportStar(o(68411),t),n.__exportStar(o(65226),t),n.__exportStar(o(99388),t),n.__exportStar(o(70641),t),n.__exportStar(o(76572),t),n.__exportStar(o(34638),t),n.__exportStar(o(58176),t),n.__exportStar(o(40425),t),n.__exportStar(o(18540),t);var r=o(52332);Object.defineProperty(t,"useIsomorphicLayoutEffect",{enumerable:!0,get:function(){return r.useIsomorphicLayoutEffect}})},5673:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useAsync=void 0;var n=o(52332),r=o(83923);t.useAsync=function(){var e=r.useRef();return e.current||(e.current=new n.Async),r.useEffect((function(){return function(){var t;null===(t=e.current)||void 0===t||t.dispose(),e.current=void 0}}),[]),e.current}},81029:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useBoolean=void 0;var n=o(83923),r=o(25498);t.useBoolean=function(e){var t=n.useState(e),o=t[0],i=t[1];return[o,{setTrue:(0,r.useConst)((function(){return function(){i(!0)}})),setFalse:(0,r.useConst)((function(){return function(){i(!1)}})),toggle:(0,r.useConst)((function(){return function(){i((function(e){return!e}))}}))}]}},25498:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useConst=void 0;var n=o(83923);t.useConst=function(e){var t=n.useRef();return void 0===t.current&&(t.current={value:"function"==typeof e?e():e}),t.current.value}},32629:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useConstCallback=void 0;var n=o(83923);t.useConstCallback=function(e){var t=n.useRef();return t.current||(t.current=e),t.current}},32585:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useControllableValue=void 0;var n=o(83923),r=o(25498);t.useControllableValue=function(e,t,o){var i=n.useState(t),a=i[0],s=i[1],l=(0,r.useConst)(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.useConst)((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]}},53042:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useEventCallback=void 0;var n=o(83923),r=o(25498),i=o(52332);t.useEventCallback=function(e){var t=n.useRef((function(){throw new Error("Cannot call an event handler while rendering")}));return(0,i.useIsomorphicLayoutEffect)((function(){t.current=e}),[e]),(0,r.useConst)((function(){return function(){for(var e=[],o=0;o{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useForceUpdate=void 0;var n=o(83923),r=o(25498);t.useForceUpdate=function(){var e=n.useState(0)[1];return(0,r.useConst)((function(){return function(){return e((function(e){return++e}))}}))}},85404:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useId=void 0;var n=o(83923),r=o(52332);t.useId=function(e,t){var o=n.useRef(t);return o.current||(o.current=(0,r.getId)(e)),o.current}},97215:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useMergedRefs=void 0;var n=o(31635),r=o(83923);t.useMergedRefs=function(){for(var e=[],t=0;t{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useMount=void 0;var n=o(83923);t.useMount=function(e){var t=n.useRef(e);t.current=e,n.useEffect((function(){var e;null===(e=t.current)||void 0===e||e.call(t)}),[])}},68411:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useMountSync=void 0;var n=o(83923);t.useMountSync=function(e){var t=n.useRef(e);t.current=e,n.useLayoutEffect((function(){var e;null===(e=t.current)||void 0===e||e.call(t)}),[])}},65226:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useOnEvent=void 0;var n=o(52332),r=o(83923);t.useOnEvent=function(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&&o.addEventListener)return(0,n.on)(o,t,(function(e){return a.current(e)}),i)}),[e,t,i])}},99388:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.usePrevious=void 0;var n=o(83923);t.usePrevious=function(e){var t=(0,n.useRef)();return(0,n.useEffect)((function(){t.current=e})),t.current}},70641:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useRefEffect=void 0;var n=o(83923);t.useRefEffect=function(e,t){void 0===t&&(t=null);var o,r=n.useRef({ref:(o=function(e){r.ref.current!==e&&(r.cleanup&&(r.cleanup(),r.cleanup=void 0),r.ref.current=e,null!==e&&(r.cleanup=r.callback(e)))},o.current=t,o),callback:e}).current;return r.callback=e,r.ref}},76572:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useSetInterval=void 0;var n=o(83923),r=o(25498);t.useSetInterval=function(){var e=(0,r.useConst)({});return n.useEffect((function(){return function(){for(var t=0,o=Object.keys(e);t{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useSetTimeout=void 0;var n=o(83923),r=o(25498);t.useSetTimeout=function(){var e=(0,r.useConst)({});return n.useEffect((function(){return function(){for(var t=0,o=Object.keys(e);t{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useTarget=void 0;var n=o(52332),r=o(83923),i=o(97156);t.useTarget=function(e,t){var o,a,s,l=r.useRef(),c=r.useRef(null),u=(0,i.useWindow)();if(!e||e!==l.current||"string"==typeof e){var d=null==t?void 0:t.current;if(e)if("string"==typeof e)if(null===(o=null==d?void 0:d.getRootNode())||void 0===o?void 0:o.host)c.current=null!==(s=null===(a=null==d?void 0:d.getRootNode())||void 0===a?void 0:a.querySelector(e))&&void 0!==s?s:null;else{var p=(0,n.getDocument)(d);c.current=p?p.querySelector(e):null}else c.current="stopPropagation"in e||"getBoundingClientRect"in e?e:"current"in e?e.current:e;l.current=e}return[c,u]}},40425:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useUnmount=void 0;var n=o(83923);t.useUnmount=function(e){var t=n.useRef(e);t.current=e,n.useEffect((function(){return function(){var e;null===(e=t.current)||void 0===e||e.call(t)}}),[])}},18540:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useWarnings=void 0,o(31635),o(83923),o(52332),o(99388),o(25498),t.useWarnings=function(e){}},49878:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),(0,o(37607).setVersion)("@fluentui/react-hooks","8.8.1")},62614:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),function(e,t){for(var o in t)Object.defineProperty(e,o,{enumerable:!0,get:t[o]})}(t,{PortalCompatContextProvider:function(){return a},usePortalCompat:function(){return s}});var n=o(24588)._(o(83923)),r=n.createContext(void 0),i=function(){return function(){}},a=r.Provider;function s(){var e;return null!==(e=n.useContext(r))&&void 0!==e?e:i}},1249:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),function(e,t){for(var o in t)Object.defineProperty(e,o,{enumerable:!0,get:t[o]})}(t,{PortalCompatContextProvider:function(){return n.PortalCompatContextProvider},usePortalCompat:function(){return n.usePortalCompat}});var n=o(62614)},81359:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.WindowProvider=t.useDocument=t.useWindow=t.WindowContext=void 0;var n=o(83923);t.WindowContext=n.createContext({window:"object"==typeof window?window:void 0}),t.useWindow=function(){return n.useContext(t.WindowContext).window},t.useDocument=function(){var e;return null===(e=n.useContext(t.WindowContext).window)||void 0===e?void 0:e.document},t.WindowProvider=function(e){return n.createElement(t.WindowContext.Provider,{value:e},e.children)}},97156:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.WindowProvider=t.useDocument=t.useWindow=t.WindowContext=void 0;var n=o(81359);Object.defineProperty(t,"WindowContext",{enumerable:!0,get:function(){return n.WindowContext}}),Object.defineProperty(t,"useWindow",{enumerable:!0,get:function(){return n.useWindow}}),Object.defineProperty(t,"useDocument",{enumerable:!0,get:function(){return n.useDocument}}),Object.defineProperty(t,"WindowProvider",{enumerable:!0,get:function(){return n.WindowProvider}}),o(4600)},4600:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),(0,o(37607).setVersion)("@fluentui/react-window-provider","2.2.21")},28115:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(53133),t)},89496:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(49956),t)},95643:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(44437),t)},42792:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(45182),t)},74393:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(79259),t)},32865:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(87503),t)},33591:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(4461),t)},16473:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(41993),t)},12945:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(33465),t)},71688:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(24658),t)},80227:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(32339),t)},10346:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(8610),t)},77378:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(77098),t)},17384:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(11020),t)},60994:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(35488),t)},11743:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(94121),t)},52521:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(73719),t)},46831:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(769),t)},80102:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.TimeConstants=t.MonthOfYear=t.FirstWeekOfYear=t.DayOfWeek=t.DateRangeType=t.DAYS_IN_WEEK=t.setMonth=t.isInDateRangeArray=t.getYearStart=t.getYearEnd=t.getWeekNumbersInMonth=t.getWeekNumber=t.getStartDateOfWeek=t.getMonthStart=t.getMonthEnd=t.getEndDateOfWeek=t.getDateRangeArray=t.getDatePartHashValue=t.compareDates=t.compareDatePart=t.addYears=t.addWeeks=t.addMonths=t.addDays=void 0;var n=o(6517);Object.defineProperty(t,"addDays",{enumerable:!0,get:function(){return n.addDays}}),Object.defineProperty(t,"addMonths",{enumerable:!0,get:function(){return n.addMonths}}),Object.defineProperty(t,"addWeeks",{enumerable:!0,get:function(){return n.addWeeks}}),Object.defineProperty(t,"addYears",{enumerable:!0,get:function(){return n.addYears}}),Object.defineProperty(t,"compareDatePart",{enumerable:!0,get:function(){return n.compareDatePart}}),Object.defineProperty(t,"compareDates",{enumerable:!0,get:function(){return n.compareDates}}),Object.defineProperty(t,"getDatePartHashValue",{enumerable:!0,get:function(){return n.getDatePartHashValue}}),Object.defineProperty(t,"getDateRangeArray",{enumerable:!0,get:function(){return n.getDateRangeArray}}),Object.defineProperty(t,"getEndDateOfWeek",{enumerable:!0,get:function(){return n.getEndDateOfWeek}}),Object.defineProperty(t,"getMonthEnd",{enumerable:!0,get:function(){return n.getMonthEnd}}),Object.defineProperty(t,"getMonthStart",{enumerable:!0,get:function(){return n.getMonthStart}}),Object.defineProperty(t,"getStartDateOfWeek",{enumerable:!0,get:function(){return n.getStartDateOfWeek}}),Object.defineProperty(t,"getWeekNumber",{enumerable:!0,get:function(){return n.getWeekNumber}}),Object.defineProperty(t,"getWeekNumbersInMonth",{enumerable:!0,get:function(){return n.getWeekNumbersInMonth}}),Object.defineProperty(t,"getYearEnd",{enumerable:!0,get:function(){return n.getYearEnd}}),Object.defineProperty(t,"getYearStart",{enumerable:!0,get:function(){return n.getYearStart}}),Object.defineProperty(t,"isInDateRangeArray",{enumerable:!0,get:function(){return n.isInDateRangeArray}}),Object.defineProperty(t,"setMonth",{enumerable:!0,get:function(){return n.setMonth}}),Object.defineProperty(t,"DAYS_IN_WEEK",{enumerable:!0,get:function(){return n.DAYS_IN_WEEK}}),Object.defineProperty(t,"DateRangeType",{enumerable:!0,get:function(){return n.DateRangeType}}),Object.defineProperty(t,"DayOfWeek",{enumerable:!0,get:function(){return n.DayOfWeek}}),Object.defineProperty(t,"FirstWeekOfYear",{enumerable:!0,get:function(){return n.FirstWeekOfYear}}),Object.defineProperty(t,"MonthOfYear",{enumerable:!0,get:function(){return n.MonthOfYear}}),Object.defineProperty(t,"TimeConstants",{enumerable:!0,get:function(){return n.TimeConstants}})},84803:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(71963),t)},55025:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=void 0,o(31635).__exportStar(o(58007),t);var n=o(58007);Object.defineProperty(t,"default",{enumerable:!0,get:function(){return n.Dialog}})},56304:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(77620),t)},12446:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(44376),t)},23902:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(6540),t)},39108:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(84322),t)},9314:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(55204),t)},25644:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(25026),t)},94860:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(84602),t)},57993:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(41587),t)},34464:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(51600),t)},80371:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.FocusZoneTabbableElements=t.FocusZoneDirection=t.FocusZone=void 0;var n=o(62930);Object.defineProperty(t,"FocusZone",{enumerable:!0,get:function(){return n.FocusZone}}),Object.defineProperty(t,"FocusZoneDirection",{enumerable:!0,get:function(){return n.FocusZoneDirection}}),Object.defineProperty(t,"FocusZoneTabbableElements",{enumerable:!0,get:function(){return n.FocusZoneTabbableElements}})},40759:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(54659),t),n.__exportStar(o(71293),t)},30089:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(39801),t)},30936:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(6322),t)},40039:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.initializeIcons=void 0;var n=o(8790);Object.defineProperty(t,"initializeIcons",{enumerable:!0,get:function(){return n.initializeIcons}})},38992:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(61476),t)},38341:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(93259),t)},87301:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(31507),t)},16528:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(93259),t),n.__exportStar(o(31507),t),n.__exportStar(o(16552),t),n.__exportStar(o(30572),t)},47795:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(6347),t)},44472:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);o(90149),n.__exportStar(o(53408),t)},12329:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);o(90149),n.__exportStar(o(83967),t)},2133:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(99195),t)},13831:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(68455),t),n.__exportStar(o(53200),t),n.__exportStar(o(95143),t)},96925:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(8843),t)},52252:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=void 0,o(31635).__exportStar(o(83144),t);var n=o(83144);Object.defineProperty(t,"default",{enumerable:!0,get:function(){return n.Modal}})},54572:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(90048),t)},95923:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(96255),t)},63409:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(74573),t)},49307:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(1451),t)},48377:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(32449),t)},18596:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(32449),t)},31518:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(93694),t)},59465:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(82453),t)},42183:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(93739),t)},43300:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(92508),t)},79045:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(89659),t)},30205:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(69577),t)},81548:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(74426),t)},68318:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(46578),t)},4324:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(43315),t),n.__exportStar(o(76172),t)},47150:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(51076),t)},93344:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(32400),t)},30628:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(73666),t)},53646:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(67226),t)},18055:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(95143),t)},67026:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(28454),t)},62662:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(92462),t)},93753:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(9615),t),n.__exportStar(o(49660),t),n.__exportStar(o(40755),t),n.__exportStar(o(95608),t)},49064:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(89202),t)},14529:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(96231),t)},66044:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(67068),t)},96577:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(23449),t)},19198:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(70064),t)},15019:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getTheme=t.getScreenSelector=t.getPlaceholderStyles=t.getInputFocusStyle=t.getIconClassName=t.getIcon=t.getHighContrastNoAdjustStyle=t.getGlobalClassNames=t.getFocusStyle=t.getFocusOutlineStyle=t.getFadedOverflowStyle=t.getEdgeChromiumNoHighContrastAdjustSelector=t.fontFace=t.focusClear=t.createFontStyles=t.concatStyleSetsWithProps=t.concatStyleSets=t.buildClassMap=t.ZIndexes=t.ThemeSettingName=t.Stylesheet=t.ScreenWidthMinXXXLarge=t.ScreenWidthMinXXLarge=t.ScreenWidthMinXLarge=t.ScreenWidthMinUhfMobile=t.ScreenWidthMinSmall=t.ScreenWidthMinMedium=t.ScreenWidthMinLarge=t.ScreenWidthMaxXXLarge=t.ScreenWidthMaxXLarge=t.ScreenWidthMaxSmall=t.ScreenWidthMaxMedium=t.ScreenWidthMaxLarge=t.PulsingBeaconAnimationStyles=t.InjectionMode=t.IconFontSizes=t.HighContrastSelectorWhite=t.HighContrastSelectorBlack=t.HighContrastSelector=t.FontWeights=t.FontSizes=t.FontClassNames=t.EdgeChromiumHighContrastSelector=t.DefaultPalette=t.DefaultFontStyles=t.DefaultEffects=t.ColorClassNames=t.AnimationVariables=t.AnimationStyles=t.AnimationClassNames=void 0,t.registerDefaultFontFaces=t.createTheme=t.unregisterIcons=t.setIconOptions=t.removeOnThemeChangeCallback=t.registerOnThemeChangeCallback=t.registerIcons=t.registerIconAlias=t.normalize=t.noWrap=t.mergeStyles=t.mergeStyleSets=t.loadTheme=t.keyframes=t.hiddenContentStyle=t.getThemedContext=void 0,o(90149);var n=o(83048);Object.defineProperty(t,"AnimationClassNames",{enumerable:!0,get:function(){return n.AnimationClassNames}}),Object.defineProperty(t,"AnimationStyles",{enumerable:!0,get:function(){return n.AnimationStyles}}),Object.defineProperty(t,"AnimationVariables",{enumerable:!0,get:function(){return n.AnimationVariables}}),Object.defineProperty(t,"ColorClassNames",{enumerable:!0,get:function(){return n.ColorClassNames}}),Object.defineProperty(t,"DefaultEffects",{enumerable:!0,get:function(){return n.DefaultEffects}}),Object.defineProperty(t,"DefaultFontStyles",{enumerable:!0,get:function(){return n.DefaultFontStyles}}),Object.defineProperty(t,"DefaultPalette",{enumerable:!0,get:function(){return n.DefaultPalette}}),Object.defineProperty(t,"EdgeChromiumHighContrastSelector",{enumerable:!0,get:function(){return n.EdgeChromiumHighContrastSelector}}),Object.defineProperty(t,"FontClassNames",{enumerable:!0,get:function(){return n.FontClassNames}}),Object.defineProperty(t,"FontSizes",{enumerable:!0,get:function(){return n.FontSizes}}),Object.defineProperty(t,"FontWeights",{enumerable:!0,get:function(){return n.FontWeights}}),Object.defineProperty(t,"HighContrastSelector",{enumerable:!0,get:function(){return n.HighContrastSelector}}),Object.defineProperty(t,"HighContrastSelectorBlack",{enumerable:!0,get:function(){return n.HighContrastSelectorBlack}}),Object.defineProperty(t,"HighContrastSelectorWhite",{enumerable:!0,get:function(){return n.HighContrastSelectorWhite}}),Object.defineProperty(t,"IconFontSizes",{enumerable:!0,get:function(){return n.IconFontSizes}}),Object.defineProperty(t,"InjectionMode",{enumerable:!0,get:function(){return n.InjectionMode}}),Object.defineProperty(t,"PulsingBeaconAnimationStyles",{enumerable:!0,get:function(){return n.PulsingBeaconAnimationStyles}}),Object.defineProperty(t,"ScreenWidthMaxLarge",{enumerable:!0,get:function(){return n.ScreenWidthMaxLarge}}),Object.defineProperty(t,"ScreenWidthMaxMedium",{enumerable:!0,get:function(){return n.ScreenWidthMaxMedium}}),Object.defineProperty(t,"ScreenWidthMaxSmall",{enumerable:!0,get:function(){return n.ScreenWidthMaxSmall}}),Object.defineProperty(t,"ScreenWidthMaxXLarge",{enumerable:!0,get:function(){return n.ScreenWidthMaxXLarge}}),Object.defineProperty(t,"ScreenWidthMaxXXLarge",{enumerable:!0,get:function(){return n.ScreenWidthMaxXXLarge}}),Object.defineProperty(t,"ScreenWidthMinLarge",{enumerable:!0,get:function(){return n.ScreenWidthMinLarge}}),Object.defineProperty(t,"ScreenWidthMinMedium",{enumerable:!0,get:function(){return n.ScreenWidthMinMedium}}),Object.defineProperty(t,"ScreenWidthMinSmall",{enumerable:!0,get:function(){return n.ScreenWidthMinSmall}}),Object.defineProperty(t,"ScreenWidthMinUhfMobile",{enumerable:!0,get:function(){return n.ScreenWidthMinUhfMobile}}),Object.defineProperty(t,"ScreenWidthMinXLarge",{enumerable:!0,get:function(){return n.ScreenWidthMinXLarge}}),Object.defineProperty(t,"ScreenWidthMinXXLarge",{enumerable:!0,get:function(){return n.ScreenWidthMinXXLarge}}),Object.defineProperty(t,"ScreenWidthMinXXXLarge",{enumerable:!0,get:function(){return n.ScreenWidthMinXXXLarge}}),Object.defineProperty(t,"Stylesheet",{enumerable:!0,get:function(){return n.Stylesheet}}),Object.defineProperty(t,"ThemeSettingName",{enumerable:!0,get:function(){return n.ThemeSettingName}}),Object.defineProperty(t,"ZIndexes",{enumerable:!0,get:function(){return n.ZIndexes}}),Object.defineProperty(t,"buildClassMap",{enumerable:!0,get:function(){return n.buildClassMap}}),Object.defineProperty(t,"concatStyleSets",{enumerable:!0,get:function(){return n.concatStyleSets}}),Object.defineProperty(t,"concatStyleSetsWithProps",{enumerable:!0,get:function(){return n.concatStyleSetsWithProps}}),Object.defineProperty(t,"createFontStyles",{enumerable:!0,get:function(){return n.createFontStyles}}),Object.defineProperty(t,"focusClear",{enumerable:!0,get:function(){return n.focusClear}}),Object.defineProperty(t,"fontFace",{enumerable:!0,get:function(){return n.fontFace}}),Object.defineProperty(t,"getEdgeChromiumNoHighContrastAdjustSelector",{enumerable:!0,get:function(){return n.getEdgeChromiumNoHighContrastAdjustSelector}}),Object.defineProperty(t,"getFadedOverflowStyle",{enumerable:!0,get:function(){return n.getFadedOverflowStyle}}),Object.defineProperty(t,"getFocusOutlineStyle",{enumerable:!0,get:function(){return n.getFocusOutlineStyle}}),Object.defineProperty(t,"getFocusStyle",{enumerable:!0,get:function(){return n.getFocusStyle}}),Object.defineProperty(t,"getGlobalClassNames",{enumerable:!0,get:function(){return n.getGlobalClassNames}}),Object.defineProperty(t,"getHighContrastNoAdjustStyle",{enumerable:!0,get:function(){return n.getHighContrastNoAdjustStyle}}),Object.defineProperty(t,"getIcon",{enumerable:!0,get:function(){return n.getIcon}}),Object.defineProperty(t,"getIconClassName",{enumerable:!0,get:function(){return n.getIconClassName}}),Object.defineProperty(t,"getInputFocusStyle",{enumerable:!0,get:function(){return n.getInputFocusStyle}}),Object.defineProperty(t,"getPlaceholderStyles",{enumerable:!0,get:function(){return n.getPlaceholderStyles}}),Object.defineProperty(t,"getScreenSelector",{enumerable:!0,get:function(){return n.getScreenSelector}}),Object.defineProperty(t,"getTheme",{enumerable:!0,get:function(){return n.getTheme}}),Object.defineProperty(t,"getThemedContext",{enumerable:!0,get:function(){return n.getThemedContext}}),Object.defineProperty(t,"hiddenContentStyle",{enumerable:!0,get:function(){return n.hiddenContentStyle}}),Object.defineProperty(t,"keyframes",{enumerable:!0,get:function(){return n.keyframes}}),Object.defineProperty(t,"loadTheme",{enumerable:!0,get:function(){return n.loadTheme}}),Object.defineProperty(t,"mergeStyleSets",{enumerable:!0,get:function(){return n.mergeStyleSets}}),Object.defineProperty(t,"mergeStyles",{enumerable:!0,get:function(){return n.mergeStyles}}),Object.defineProperty(t,"noWrap",{enumerable:!0,get:function(){return n.noWrap}}),Object.defineProperty(t,"normalize",{enumerable:!0,get:function(){return n.normalize}}),Object.defineProperty(t,"registerIconAlias",{enumerable:!0,get:function(){return n.registerIconAlias}}),Object.defineProperty(t,"registerIcons",{enumerable:!0,get:function(){return n.registerIcons}}),Object.defineProperty(t,"registerOnThemeChangeCallback",{enumerable:!0,get:function(){return n.registerOnThemeChangeCallback}}),Object.defineProperty(t,"removeOnThemeChangeCallback",{enumerable:!0,get:function(){return n.removeOnThemeChangeCallback}}),Object.defineProperty(t,"setIconOptions",{enumerable:!0,get:function(){return n.setIconOptions}}),Object.defineProperty(t,"unregisterIcons",{enumerable:!0,get:function(){return n.unregisterIcons}});var r=o(51499);Object.defineProperty(t,"createTheme",{enumerable:!0,get:function(){return r.createTheme}}),Object.defineProperty(t,"registerDefaultFontFaces",{enumerable:!0,get:function(){return r.registerDefaultFontFaces}})},53e3:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(55316),t)},43676:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(60886),t)},63182:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(42680),t)},13636:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(52980),t)},85236:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.registerDefaultFontFaces=t.SharedColors=t.NeutralColors=t.MotionAnimations=t.MotionTimings=t.MotionDurations=t.mergeThemes=t.LocalizedFontNames=t.LocalizedFontFamilies=t.createTheme=t.createFontStyles=t.FluentTheme=t.Depths=t.DefaultSpacing=t.DefaultPalette=t.DefaultFontStyles=t.DefaultEffects=t.CommunicationColors=t.AnimationVariables=t.AnimationStyles=void 0;var n=o(31635),r=o(51499);Object.defineProperty(t,"AnimationStyles",{enumerable:!0,get:function(){return r.AnimationStyles}}),Object.defineProperty(t,"AnimationVariables",{enumerable:!0,get:function(){return r.AnimationVariables}}),Object.defineProperty(t,"CommunicationColors",{enumerable:!0,get:function(){return r.CommunicationColors}}),Object.defineProperty(t,"DefaultEffects",{enumerable:!0,get:function(){return r.DefaultEffects}}),Object.defineProperty(t,"DefaultFontStyles",{enumerable:!0,get:function(){return r.DefaultFontStyles}}),Object.defineProperty(t,"DefaultPalette",{enumerable:!0,get:function(){return r.DefaultPalette}}),Object.defineProperty(t,"DefaultSpacing",{enumerable:!0,get:function(){return r.DefaultSpacing}}),Object.defineProperty(t,"Depths",{enumerable:!0,get:function(){return r.Depths}}),Object.defineProperty(t,"FluentTheme",{enumerable:!0,get:function(){return r.FluentTheme}}),Object.defineProperty(t,"createFontStyles",{enumerable:!0,get:function(){return r.createFontStyles}}),Object.defineProperty(t,"createTheme",{enumerable:!0,get:function(){return r.createTheme}}),Object.defineProperty(t,"LocalizedFontFamilies",{enumerable:!0,get:function(){return r.LocalizedFontFamilies}}),Object.defineProperty(t,"LocalizedFontNames",{enumerable:!0,get:function(){return r.LocalizedFontNames}}),Object.defineProperty(t,"mergeThemes",{enumerable:!0,get:function(){return r.mergeThemes}}),Object.defineProperty(t,"MotionDurations",{enumerable:!0,get:function(){return r.MotionDurations}}),Object.defineProperty(t,"MotionTimings",{enumerable:!0,get:function(){return r.MotionTimings}}),Object.defineProperty(t,"MotionAnimations",{enumerable:!0,get:function(){return r.MotionAnimations}}),Object.defineProperty(t,"NeutralColors",{enumerable:!0,get:function(){return r.NeutralColors}}),Object.defineProperty(t,"SharedColors",{enumerable:!0,get:function(){return r.SharedColors}}),Object.defineProperty(t,"registerDefaultFontFaces",{enumerable:!0,get:function(){return r.registerDefaultFontFaces}}),n.__exportStar(o(10269),t)},16467:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(29181),t)},48742:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(72548),t)},26889:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(46783),t)},34718:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(14658),t)},71061:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.divProperties=t.disableBodyScroll=t.customizable=t.css=t.createMergedRef=t.createMemoizer=t.createArray=t.composeRenderFunction=t.composeComponentAs=t.colProperties=t.colGroupProperties=t.classNamesFunction=t.canUseDOM=t.calculatePrecision=t.buttonProperties=t.baseElementProperties=t.baseElementEvents=t.audioProperties=t.assign=t.assertNever=t.asAsync=t.arraysEqual=t.appendFunction=t.anchorProperties=t.allowScrollOnElement=t.allowOverscrollOnElement=t.addElementAtIndex=t.addDirectionalKeyCode=t.SelectionMode=t.SelectionDirection=t.Selection=t.SELECTION_CHANGE=t.Rectangle=t.KeyCodes=t.IsFocusVisibleClassName=t.GlobalSettings=t.FocusRectsProvider=t.FocusRectsContext=t.FocusRects=t.FabricPerformance=t.EventGroup=t.DelayedRender=t.DATA_PORTAL_ATTRIBUTE=t.DATA_IS_SCROLLABLE_ATTRIBUTE=t.CustomizerContext=t.Customizer=t.Customizations=t.BaseComponent=t.AutoScroll=t.Async=void 0,t.htmlElementProperties=t.hoistStatics=t.hoistMethods=t.hasVerticalOverflow=t.hasOverflow=t.hasHorizontalOverflow=t.getWindow=t.getVirtualParent=t.getScrollbarWidth=t.getResourceUrl=t.getRect=t.getRTLSafeKeyCode=t.getRTL=t.getPropsWithDefaults=t.getPreviousElement=t.getParent=t.getNextElement=t.getNativeProps=t.getNativeElementProps=t.getLastTabbable=t.getLastFocusable=t.getLanguage=t.getInitials=t.getId=t.getFocusableByIndexPath=t.getFirstVisibleElementFromSelector=t.getFirstTabbable=t.getFirstFocusable=t.getEventTarget=t.getElementIndexPath=t.getDocument=t.getDistanceBetweenPoints=t.getChildren=t.getActiveElement=t.format=t.formProperties=t.focusFirstChild=t.focusAsync=t.flatten=t.fitContentToBounds=t.findScrollableParent=t.findIndex=t.findElementRecursive=t.find=t.filteredAssign=t.extendComponent=t.enableBodyScroll=t.elementContainsAttribute=t.elementContains=t.doesElementContainFocus=void 0,t.setLanguage=t.setFocusVisibility=t.setBaseUrl=t.selectProperties=t.safeSetTimeout=t.safeRequestAnimationFrame=t.resetMemoizations=t.resetIds=t.resetControlledWarnings=t.replaceElement=t.removeIndex=t.removeDirectionalKeyCode=t.raiseClick=t.precisionRound=t.portalContainsElement=t.optionProperties=t.on=t.omit=t.olProperties=t.nullRender=t.modalize=t.MergeStylesRootProvider=t.MergeStylesShadowRootProvider=t.mergeSettings=t.mergeScopedSettings=t.mergeCustomizations=t.mergeAriaAttributeValues=t.merge=t.memoizeFunction=t.memoize=t.mapEnumByName=t.liProperties=t.labelProperties=t.isVirtualElement=t.isMac=t.isIOS=t.isIE11=t.isElementVisibleAndNotHidden=t.isElementVisible=t.isElementTabbable=t.isElementFocusZone=t.isElementFocusSubZone=t.isDirectionalKeyCode=t.isControlled=t.inputProperties=t.initializeFocusRects=t.initializeComponentRef=t.imgProperties=t.imageProperties=t.iframeProperties=void 0,t.warnMutuallyExclusive=t.warnDeprecations=t.warnControlledUsage=t.warnConditionallyRequiredProps=t.warn=t.videoProperties=t.values=t.useStyled=t.useShadowConfig=t.useMergeStylesShadowRootContext=t.useMergeStylesRootStylesheets=t.useMergeStylesHooks=t.useHasMergeStylesShadowRootContext=t.useFocusRects=t.useCustomizationSettings=t.useAdoptedStylesheetEx=t.useAdoptedStylesheet=t.unhoistMethods=t.trProperties=t.toMatrix=t.thProperties=t.textAreaProperties=t.tdProperties=t.tableProperties=t.styled=t.shouldWrapFocus=t.shallowCompare=t.setWarningCallback=t.setVirtualParent=t.setSSR=t.setRTL=t.setPortalAttribute=t.setMemoizeWeakMap=void 0,o(90149);var n=o(52332);Object.defineProperty(t,"Async",{enumerable:!0,get:function(){return n.Async}}),Object.defineProperty(t,"AutoScroll",{enumerable:!0,get:function(){return n.AutoScroll}}),Object.defineProperty(t,"BaseComponent",{enumerable:!0,get:function(){return n.BaseComponent}}),Object.defineProperty(t,"Customizations",{enumerable:!0,get:function(){return n.Customizations}}),Object.defineProperty(t,"Customizer",{enumerable:!0,get:function(){return n.Customizer}}),Object.defineProperty(t,"CustomizerContext",{enumerable:!0,get:function(){return n.CustomizerContext}}),Object.defineProperty(t,"DATA_IS_SCROLLABLE_ATTRIBUTE",{enumerable:!0,get:function(){return n.DATA_IS_SCROLLABLE_ATTRIBUTE}}),Object.defineProperty(t,"DATA_PORTAL_ATTRIBUTE",{enumerable:!0,get:function(){return n.DATA_PORTAL_ATTRIBUTE}}),Object.defineProperty(t,"DelayedRender",{enumerable:!0,get:function(){return n.DelayedRender}}),Object.defineProperty(t,"EventGroup",{enumerable:!0,get:function(){return n.EventGroup}}),Object.defineProperty(t,"FabricPerformance",{enumerable:!0,get:function(){return n.FabricPerformance}}),Object.defineProperty(t,"FocusRects",{enumerable:!0,get:function(){return n.FocusRects}}),Object.defineProperty(t,"FocusRectsContext",{enumerable:!0,get:function(){return n.FocusRectsContext}}),Object.defineProperty(t,"FocusRectsProvider",{enumerable:!0,get:function(){return n.FocusRectsProvider}}),Object.defineProperty(t,"GlobalSettings",{enumerable:!0,get:function(){return n.GlobalSettings}}),Object.defineProperty(t,"IsFocusVisibleClassName",{enumerable:!0,get:function(){return n.IsFocusVisibleClassName}}),Object.defineProperty(t,"KeyCodes",{enumerable:!0,get:function(){return n.KeyCodes}}),Object.defineProperty(t,"Rectangle",{enumerable:!0,get:function(){return n.Rectangle}}),Object.defineProperty(t,"SELECTION_CHANGE",{enumerable:!0,get:function(){return n.SELECTION_CHANGE}}),Object.defineProperty(t,"Selection",{enumerable:!0,get:function(){return n.Selection}}),Object.defineProperty(t,"SelectionDirection",{enumerable:!0,get:function(){return n.SelectionDirection}}),Object.defineProperty(t,"SelectionMode",{enumerable:!0,get:function(){return n.SelectionMode}}),Object.defineProperty(t,"addDirectionalKeyCode",{enumerable:!0,get:function(){return n.addDirectionalKeyCode}}),Object.defineProperty(t,"addElementAtIndex",{enumerable:!0,get:function(){return n.addElementAtIndex}}),Object.defineProperty(t,"allowOverscrollOnElement",{enumerable:!0,get:function(){return n.allowOverscrollOnElement}}),Object.defineProperty(t,"allowScrollOnElement",{enumerable:!0,get:function(){return n.allowScrollOnElement}}),Object.defineProperty(t,"anchorProperties",{enumerable:!0,get:function(){return n.anchorProperties}}),Object.defineProperty(t,"appendFunction",{enumerable:!0,get:function(){return n.appendFunction}}),Object.defineProperty(t,"arraysEqual",{enumerable:!0,get:function(){return n.arraysEqual}}),Object.defineProperty(t,"asAsync",{enumerable:!0,get:function(){return n.asAsync}}),Object.defineProperty(t,"assertNever",{enumerable:!0,get:function(){return n.assertNever}}),Object.defineProperty(t,"assign",{enumerable:!0,get:function(){return n.assign}}),Object.defineProperty(t,"audioProperties",{enumerable:!0,get:function(){return n.audioProperties}}),Object.defineProperty(t,"baseElementEvents",{enumerable:!0,get:function(){return n.baseElementEvents}}),Object.defineProperty(t,"baseElementProperties",{enumerable:!0,get:function(){return n.baseElementProperties}}),Object.defineProperty(t,"buttonProperties",{enumerable:!0,get:function(){return n.buttonProperties}}),Object.defineProperty(t,"calculatePrecision",{enumerable:!0,get:function(){return n.calculatePrecision}}),Object.defineProperty(t,"canUseDOM",{enumerable:!0,get:function(){return n.canUseDOM}}),Object.defineProperty(t,"classNamesFunction",{enumerable:!0,get:function(){return n.classNamesFunction}}),Object.defineProperty(t,"colGroupProperties",{enumerable:!0,get:function(){return n.colGroupProperties}}),Object.defineProperty(t,"colProperties",{enumerable:!0,get:function(){return n.colProperties}}),Object.defineProperty(t,"composeComponentAs",{enumerable:!0,get:function(){return n.composeComponentAs}}),Object.defineProperty(t,"composeRenderFunction",{enumerable:!0,get:function(){return n.composeRenderFunction}}),Object.defineProperty(t,"createArray",{enumerable:!0,get:function(){return n.createArray}}),Object.defineProperty(t,"createMemoizer",{enumerable:!0,get:function(){return n.createMemoizer}}),Object.defineProperty(t,"createMergedRef",{enumerable:!0,get:function(){return n.createMergedRef}}),Object.defineProperty(t,"css",{enumerable:!0,get:function(){return n.css}}),Object.defineProperty(t,"customizable",{enumerable:!0,get:function(){return n.customizable}}),Object.defineProperty(t,"disableBodyScroll",{enumerable:!0,get:function(){return n.disableBodyScroll}}),Object.defineProperty(t,"divProperties",{enumerable:!0,get:function(){return n.divProperties}}),Object.defineProperty(t,"doesElementContainFocus",{enumerable:!0,get:function(){return n.doesElementContainFocus}}),Object.defineProperty(t,"elementContains",{enumerable:!0,get:function(){return n.elementContains}}),Object.defineProperty(t,"elementContainsAttribute",{enumerable:!0,get:function(){return n.elementContainsAttribute}}),Object.defineProperty(t,"enableBodyScroll",{enumerable:!0,get:function(){return n.enableBodyScroll}}),Object.defineProperty(t,"extendComponent",{enumerable:!0,get:function(){return n.extendComponent}}),Object.defineProperty(t,"filteredAssign",{enumerable:!0,get:function(){return n.filteredAssign}}),Object.defineProperty(t,"find",{enumerable:!0,get:function(){return n.find}}),Object.defineProperty(t,"findElementRecursive",{enumerable:!0,get:function(){return n.findElementRecursive}}),Object.defineProperty(t,"findIndex",{enumerable:!0,get:function(){return n.findIndex}}),Object.defineProperty(t,"findScrollableParent",{enumerable:!0,get:function(){return n.findScrollableParent}}),Object.defineProperty(t,"fitContentToBounds",{enumerable:!0,get:function(){return n.fitContentToBounds}}),Object.defineProperty(t,"flatten",{enumerable:!0,get:function(){return n.flatten}}),Object.defineProperty(t,"focusAsync",{enumerable:!0,get:function(){return n.focusAsync}}),Object.defineProperty(t,"focusFirstChild",{enumerable:!0,get:function(){return n.focusFirstChild}}),Object.defineProperty(t,"formProperties",{enumerable:!0,get:function(){return n.formProperties}}),Object.defineProperty(t,"format",{enumerable:!0,get:function(){return n.format}}),Object.defineProperty(t,"getActiveElement",{enumerable:!0,get:function(){return n.getActiveElement}}),Object.defineProperty(t,"getChildren",{enumerable:!0,get:function(){return n.getChildren}}),Object.defineProperty(t,"getDistanceBetweenPoints",{enumerable:!0,get:function(){return n.getDistanceBetweenPoints}}),Object.defineProperty(t,"getDocument",{enumerable:!0,get:function(){return n.getDocument}}),Object.defineProperty(t,"getElementIndexPath",{enumerable:!0,get:function(){return n.getElementIndexPath}}),Object.defineProperty(t,"getEventTarget",{enumerable:!0,get:function(){return n.getEventTarget}}),Object.defineProperty(t,"getFirstFocusable",{enumerable:!0,get:function(){return n.getFirstFocusable}}),Object.defineProperty(t,"getFirstTabbable",{enumerable:!0,get:function(){return n.getFirstTabbable}}),Object.defineProperty(t,"getFirstVisibleElementFromSelector",{enumerable:!0,get:function(){return n.getFirstVisibleElementFromSelector}}),Object.defineProperty(t,"getFocusableByIndexPath",{enumerable:!0,get:function(){return n.getFocusableByIndexPath}}),Object.defineProperty(t,"getId",{enumerable:!0,get:function(){return n.getId}}),Object.defineProperty(t,"getInitials",{enumerable:!0,get:function(){return n.getInitials}}),Object.defineProperty(t,"getLanguage",{enumerable:!0,get:function(){return n.getLanguage}}),Object.defineProperty(t,"getLastFocusable",{enumerable:!0,get:function(){return n.getLastFocusable}}),Object.defineProperty(t,"getLastTabbable",{enumerable:!0,get:function(){return n.getLastTabbable}}),Object.defineProperty(t,"getNativeElementProps",{enumerable:!0,get:function(){return n.getNativeElementProps}}),Object.defineProperty(t,"getNativeProps",{enumerable:!0,get:function(){return n.getNativeProps}}),Object.defineProperty(t,"getNextElement",{enumerable:!0,get:function(){return n.getNextElement}}),Object.defineProperty(t,"getParent",{enumerable:!0,get:function(){return n.getParent}}),Object.defineProperty(t,"getPreviousElement",{enumerable:!0,get:function(){return n.getPreviousElement}}),Object.defineProperty(t,"getPropsWithDefaults",{enumerable:!0,get:function(){return n.getPropsWithDefaults}}),Object.defineProperty(t,"getRTL",{enumerable:!0,get:function(){return n.getRTL}}),Object.defineProperty(t,"getRTLSafeKeyCode",{enumerable:!0,get:function(){return n.getRTLSafeKeyCode}}),Object.defineProperty(t,"getRect",{enumerable:!0,get:function(){return n.getRect}}),Object.defineProperty(t,"getResourceUrl",{enumerable:!0,get:function(){return n.getResourceUrl}}),Object.defineProperty(t,"getScrollbarWidth",{enumerable:!0,get:function(){return n.getScrollbarWidth}}),Object.defineProperty(t,"getVirtualParent",{enumerable:!0,get:function(){return n.getVirtualParent}}),Object.defineProperty(t,"getWindow",{enumerable:!0,get:function(){return n.getWindow}}),Object.defineProperty(t,"hasHorizontalOverflow",{enumerable:!0,get:function(){return n.hasHorizontalOverflow}}),Object.defineProperty(t,"hasOverflow",{enumerable:!0,get:function(){return n.hasOverflow}}),Object.defineProperty(t,"hasVerticalOverflow",{enumerable:!0,get:function(){return n.hasVerticalOverflow}}),Object.defineProperty(t,"hoistMethods",{enumerable:!0,get:function(){return n.hoistMethods}}),Object.defineProperty(t,"hoistStatics",{enumerable:!0,get:function(){return n.hoistStatics}}),Object.defineProperty(t,"htmlElementProperties",{enumerable:!0,get:function(){return n.htmlElementProperties}}),Object.defineProperty(t,"iframeProperties",{enumerable:!0,get:function(){return n.iframeProperties}}),Object.defineProperty(t,"imageProperties",{enumerable:!0,get:function(){return n.imageProperties}}),Object.defineProperty(t,"imgProperties",{enumerable:!0,get:function(){return n.imgProperties}}),Object.defineProperty(t,"initializeComponentRef",{enumerable:!0,get:function(){return n.initializeComponentRef}}),Object.defineProperty(t,"initializeFocusRects",{enumerable:!0,get:function(){return n.initializeFocusRects}}),Object.defineProperty(t,"inputProperties",{enumerable:!0,get:function(){return n.inputProperties}}),Object.defineProperty(t,"isControlled",{enumerable:!0,get:function(){return n.isControlled}}),Object.defineProperty(t,"isDirectionalKeyCode",{enumerable:!0,get:function(){return n.isDirectionalKeyCode}}),Object.defineProperty(t,"isElementFocusSubZone",{enumerable:!0,get:function(){return n.isElementFocusSubZone}}),Object.defineProperty(t,"isElementFocusZone",{enumerable:!0,get:function(){return n.isElementFocusZone}}),Object.defineProperty(t,"isElementTabbable",{enumerable:!0,get:function(){return n.isElementTabbable}}),Object.defineProperty(t,"isElementVisible",{enumerable:!0,get:function(){return n.isElementVisible}}),Object.defineProperty(t,"isElementVisibleAndNotHidden",{enumerable:!0,get:function(){return n.isElementVisibleAndNotHidden}}),Object.defineProperty(t,"isIE11",{enumerable:!0,get:function(){return n.isIE11}}),Object.defineProperty(t,"isIOS",{enumerable:!0,get:function(){return n.isIOS}}),Object.defineProperty(t,"isMac",{enumerable:!0,get:function(){return n.isMac}}),Object.defineProperty(t,"isVirtualElement",{enumerable:!0,get:function(){return n.isVirtualElement}}),Object.defineProperty(t,"labelProperties",{enumerable:!0,get:function(){return n.labelProperties}}),Object.defineProperty(t,"liProperties",{enumerable:!0,get:function(){return n.liProperties}}),Object.defineProperty(t,"mapEnumByName",{enumerable:!0,get:function(){return n.mapEnumByName}}),Object.defineProperty(t,"memoize",{enumerable:!0,get:function(){return n.memoize}}),Object.defineProperty(t,"memoizeFunction",{enumerable:!0,get:function(){return n.memoizeFunction}}),Object.defineProperty(t,"merge",{enumerable:!0,get:function(){return n.merge}}),Object.defineProperty(t,"mergeAriaAttributeValues",{enumerable:!0,get:function(){return n.mergeAriaAttributeValues}}),Object.defineProperty(t,"mergeCustomizations",{enumerable:!0,get:function(){return n.mergeCustomizations}}),Object.defineProperty(t,"mergeScopedSettings",{enumerable:!0,get:function(){return n.mergeScopedSettings}}),Object.defineProperty(t,"mergeSettings",{enumerable:!0,get:function(){return n.mergeSettings}}),Object.defineProperty(t,"MergeStylesShadowRootProvider",{enumerable:!0,get:function(){return n.MergeStylesShadowRootProvider}}),Object.defineProperty(t,"MergeStylesRootProvider",{enumerable:!0,get:function(){return n.MergeStylesRootProvider}}),Object.defineProperty(t,"modalize",{enumerable:!0,get:function(){return n.modalize}}),Object.defineProperty(t,"nullRender",{enumerable:!0,get:function(){return n.nullRender}}),Object.defineProperty(t,"olProperties",{enumerable:!0,get:function(){return n.olProperties}}),Object.defineProperty(t,"omit",{enumerable:!0,get:function(){return n.omit}}),Object.defineProperty(t,"on",{enumerable:!0,get:function(){return n.on}}),Object.defineProperty(t,"optionProperties",{enumerable:!0,get:function(){return n.optionProperties}}),Object.defineProperty(t,"portalContainsElement",{enumerable:!0,get:function(){return n.portalContainsElement}}),Object.defineProperty(t,"precisionRound",{enumerable:!0,get:function(){return n.precisionRound}}),Object.defineProperty(t,"raiseClick",{enumerable:!0,get:function(){return n.raiseClick}}),Object.defineProperty(t,"removeDirectionalKeyCode",{enumerable:!0,get:function(){return n.removeDirectionalKeyCode}}),Object.defineProperty(t,"removeIndex",{enumerable:!0,get:function(){return n.removeIndex}}),Object.defineProperty(t,"replaceElement",{enumerable:!0,get:function(){return n.replaceElement}}),Object.defineProperty(t,"resetControlledWarnings",{enumerable:!0,get:function(){return n.resetControlledWarnings}}),Object.defineProperty(t,"resetIds",{enumerable:!0,get:function(){return n.resetIds}}),Object.defineProperty(t,"resetMemoizations",{enumerable:!0,get:function(){return n.resetMemoizations}}),Object.defineProperty(t,"safeRequestAnimationFrame",{enumerable:!0,get:function(){return n.safeRequestAnimationFrame}}),Object.defineProperty(t,"safeSetTimeout",{enumerable:!0,get:function(){return n.safeSetTimeout}}),Object.defineProperty(t,"selectProperties",{enumerable:!0,get:function(){return n.selectProperties}}),Object.defineProperty(t,"setBaseUrl",{enumerable:!0,get:function(){return n.setBaseUrl}}),Object.defineProperty(t,"setFocusVisibility",{enumerable:!0,get:function(){return n.setFocusVisibility}}),Object.defineProperty(t,"setLanguage",{enumerable:!0,get:function(){return n.setLanguage}}),Object.defineProperty(t,"setMemoizeWeakMap",{enumerable:!0,get:function(){return n.setMemoizeWeakMap}}),Object.defineProperty(t,"setPortalAttribute",{enumerable:!0,get:function(){return n.setPortalAttribute}}),Object.defineProperty(t,"setRTL",{enumerable:!0,get:function(){return n.setRTL}}),Object.defineProperty(t,"setSSR",{enumerable:!0,get:function(){return n.setSSR}}),Object.defineProperty(t,"setVirtualParent",{enumerable:!0,get:function(){return n.setVirtualParent}}),Object.defineProperty(t,"setWarningCallback",{enumerable:!0,get:function(){return n.setWarningCallback}}),Object.defineProperty(t,"shallowCompare",{enumerable:!0,get:function(){return n.shallowCompare}}),Object.defineProperty(t,"shouldWrapFocus",{enumerable:!0,get:function(){return n.shouldWrapFocus}}),Object.defineProperty(t,"styled",{enumerable:!0,get:function(){return n.styled}}),Object.defineProperty(t,"tableProperties",{enumerable:!0,get:function(){return n.tableProperties}}),Object.defineProperty(t,"tdProperties",{enumerable:!0,get:function(){return n.tdProperties}}),Object.defineProperty(t,"textAreaProperties",{enumerable:!0,get:function(){return n.textAreaProperties}}),Object.defineProperty(t,"thProperties",{enumerable:!0,get:function(){return n.thProperties}}),Object.defineProperty(t,"toMatrix",{enumerable:!0,get:function(){return n.toMatrix}}),Object.defineProperty(t,"trProperties",{enumerable:!0,get:function(){return n.trProperties}}),Object.defineProperty(t,"unhoistMethods",{enumerable:!0,get:function(){return n.unhoistMethods}}),Object.defineProperty(t,"useAdoptedStylesheet",{enumerable:!0,get:function(){return n.useAdoptedStylesheet}}),Object.defineProperty(t,"useAdoptedStylesheetEx",{enumerable:!0,get:function(){return n.useAdoptedStylesheetEx}}),Object.defineProperty(t,"useCustomizationSettings",{enumerable:!0,get:function(){return n.useCustomizationSettings}}),Object.defineProperty(t,"useFocusRects",{enumerable:!0,get:function(){return n.useFocusRects}}),Object.defineProperty(t,"useHasMergeStylesShadowRootContext",{enumerable:!0,get:function(){return n.useHasMergeStylesShadowRootContext}}),Object.defineProperty(t,"useMergeStylesHooks",{enumerable:!0,get:function(){return n.useMergeStylesHooks}}),Object.defineProperty(t,"useMergeStylesRootStylesheets",{enumerable:!0,get:function(){return n.useMergeStylesRootStylesheets}}),Object.defineProperty(t,"useMergeStylesShadowRootContext",{enumerable:!0,get:function(){return n.useMergeStylesShadowRootContext}}),Object.defineProperty(t,"useShadowConfig",{enumerable:!0,get:function(){return n.useShadowConfig}}),Object.defineProperty(t,"useStyled",{enumerable:!0,get:function(){return n.useStyled}}),Object.defineProperty(t,"values",{enumerable:!0,get:function(){return n.values}}),Object.defineProperty(t,"videoProperties",{enumerable:!0,get:function(){return n.videoProperties}}),Object.defineProperty(t,"warn",{enumerable:!0,get:function(){return n.warn}}),Object.defineProperty(t,"warnConditionallyRequiredProps",{enumerable:!0,get:function(){return n.warnConditionallyRequiredProps}}),Object.defineProperty(t,"warnControlledUsage",{enumerable:!0,get:function(){return n.warnControlledUsage}}),Object.defineProperty(t,"warnDeprecations",{enumerable:!0,get:function(){return n.warnDeprecations}}),Object.defineProperty(t,"warnMutuallyExclusive",{enumerable:!0,get:function(){return n.warnMutuallyExclusive}})},37735:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(67103),t)},25384:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(5552),t)},71628:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useWindow=t.useDocument=t.WindowProvider=t.WindowContext=void 0,o(90149);var n=o(97156);Object.defineProperty(t,"WindowContext",{enumerable:!0,get:function(){return n.WindowContext}}),Object.defineProperty(t,"WindowProvider",{enumerable:!0,get:function(){return n.WindowProvider}}),Object.defineProperty(t,"useDocument",{enumerable:!0,get:function(){return n.useDocument}}),Object.defineProperty(t,"useWindow",{enumerable:!0,get:function(){return n.useWindow}})},42502:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DirectionalHint=void 0,t.DirectionalHint={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}},66069:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getClassNames=void 0;var n=o(15019),r=o(71061);t.getClassNames=(0,r.memoizeFunction)((function(e,t,o,r){return{root:(0,n.mergeStyles)(e.__shadowConfig__,"ms-ActivityItem",t,e.root,r&&e.isCompactRoot),pulsingBeacon:(0,n.mergeStyles)(e.__shadowConfig__,"ms-ActivityItem-pulsingBeacon",e.pulsingBeacon),personaContainer:(0,n.mergeStyles)(e.__shadowConfig__,"ms-ActivityItem-personaContainer",e.personaContainer,r&&e.isCompactPersonaContainer),activityPersona:(0,n.mergeStyles)(e.__shadowConfig__,"ms-ActivityItem-activityPersona",e.activityPersona,r&&e.isCompactPersona,!r&&o&&2===o.length&&e.doublePersona),activityTypeIcon:(0,n.mergeStyles)(e.__shadowConfig__,"ms-ActivityItem-activityTypeIcon",e.activityTypeIcon,r&&e.isCompactIcon),activityContent:(0,n.mergeStyles)(e.__shadowConfig__,"ms-ActivityItem-activityContent",e.activityContent,r&&e.isCompactContent),activityText:(0,n.mergeStyles)(e.__shadowConfig__,"ms-ActivityItem-activityText",e.activityText),commentText:(0,n.mergeStyles)(e.__shadowConfig__,"ms-ActivityItem-commentText",e.commentText),timeStamp:(0,n.mergeStyles)(e.__shadowConfig__,"ms-ActivityItem-timeStamp",e.timeStamp,r&&e.isCompactTimeStamp)}}))},23795:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ActivityItem=void 0;var n=o(31635),r=o(83923),i=o(66069),a=o(93423),s=o(48377),l=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?r.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?r.createElement("div",{className:t.commentText},n):null},o._onRenderTimeStamp=function(e){var t=o._getClassNames(e);return!e.isCompact&&e.timeStamp?r.createElement("div",{className:t.timeStamp},e.timeStamp):null},o._onRenderPersonaArray=function(e){var t=o._getClassNames(e),i=null,a=e.activityPersonas;if(a[0].imageUrl||a[0].imageInitials){var l=[],c=a.length>1||e.isCompact,u=e.isCompact?3:4,d=void 0;e.isCompact&&(d={display:"inline-block",width:"10px",minWidth:"10px",overflow:"visible"}),a.filter((function(e,t){return t{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(31635),r=o(15019),i=o(71061),a="32px",s="16px",l="16px",c="13px",u=(0,i.memoizeFunction)((function(){return(0,r.keyframes)({from:{opacity:0},to:{opacity:1}})})),d=(0,i.memoizeFunction)((function(){return(0,r.keyframes)({from:{transform:"translateX(-10px)"},to:{transform:"translateX(0)"}})}));t.getStyles=(0,i.memoizeFunction)((function(e,t,o,i,p,m){var g;void 0===e&&(e=(0,r.getTheme)());var h={animationName:r.PulsingBeaconAnimationStyles.continuousPulseAnimationSingle(i||e.palette.themePrimary,p||e.palette.themeTertiary,"4px","28px","4px"),animationIterationCount:"1",animationDuration:".8s",zIndex:1},f={animationName:d(),animationIterationCount:"1",animationDuration:".5s"},v={animationName:u(),animationIterationCount:"1",animationDuration:".5s"},b={root:[e.fonts.small,{display:"flex",justifyContent:"flex-start",alignItems:"flex-start",boxSizing:"border-box",color:e.palette.neutralSecondary},m&&o&&v],pulsingBeacon:[{position:"absolute",top:"50%",left:"50%",transform:"translate(-50%, -50%)",width:"0px",height:"0px",borderRadius:"225px",borderStyle:"solid",opacity:0},m&&o&&h],isCompactRoot:{alignItems:"center"},personaContainer:{display:"flex",flexWrap:"wrap",minWidth:a,width:a,height:a},isCompactPersonaContainer:{display:"inline-flex",flexWrap:"nowrap",flexBasis:"auto",height:s,width:"auto",minWidth:"0",paddingRight:"6px"},activityTypeIcon:{height:a,fontSize:l,lineHeight:l,marginTop:"3px"},isCompactIcon:{height:s,minWidth:s,fontSize:c,lineHeight:c,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:(g={},g[r.HighContrastSelector]={border:"none",margin:"0"},g)}}},activityPersona:{display:"block"},doublePersona:{selectors:{":first-child":{alignSelf:"flex-end"}}},isCompactPersona:{display:"inline-block",width:"8px",minWidth:"8px",overflow:"visible"},activityContent:[{padding:"0 8px"},m&&o&&f],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"}},y=t||{},_=y.__shadowConfig__,S=n.__rest(y,["__shadowConfig__"]);return _?(0,r.concatStyleSets)(_,b,S):(0,r.concatStyleSets)(b,t)}))},51828:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},53133:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getActivityItemClassNames=t.getActivityItemStyles=void 0;var n=o(31635),r=o(93423);Object.defineProperty(t,"getActivityItemStyles",{enumerable:!0,get:function(){return r.getStyles}});var i=o(66069);Object.defineProperty(t,"getActivityItemClassNames",{enumerable:!0,get:function(){return i.getClassNames}}),n.__exportStar(o(23795),t),n.__exportStar(o(51828),t)},23302:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.AnnouncedBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=(0,i.classNamesFunction)(),s=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return n.__extends(t,e),t.prototype.render=function(){var e=this.props,t=e.message,o=e.styles,s=e.as,l=void 0===s?"div":s,c=e.className,u=a(o,{className:c});return r.createElement(l,n.__assign({role:"status",className:u.root},(0,i.getNativeProps)(this.props,i.divProperties,["className"])),r.createElement(i.DelayedRender,null,r.createElement("div",{className:u.screenReaderText},t)))},t.defaultProps={"aria-live":"polite"},t}(r.Component);t.AnnouncedBase=s},29089:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Announced=void 0;var n=o(71061),r=o(23302),i=o(21365);t.Announced=(0,n.styled)(r.AnnouncedBase,i.getStyles,void 0,{scope:"Announced"})},21365:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019);t.getStyles=function(e){return{root:e.className,screenReaderText:n.hiddenContentStyle}}},18666:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},49956:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(29089),t),n.__exportStar(o(23302),t),n.__exportStar(o(18666),t)},96771:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Autofill=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(97156),s="backward",l=function(e){function t(t){var o=e.call(this,t)||this;return o._inputElement=r.createRef(),o._autoFillEnabled=!0,o._onCompositionStart=function(e){o.setState({isComposing:!0}),o._autoFillEnabled=!1},o._onCompositionUpdate=function(){(0,i.isIE11)()&&o._updateValue(o._getCurrentInputValue(),!0)},o._onCompositionEnd=function(e){var t=o._getCurrentInputValue();o._tryEnableAutofill(t,o.value,!1,!0),o.setState({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 i.KeyCodes.backspace:o._autoFillEnabled=!1;break;case i.KeyCodes.left:case i.KeyCodes.right:o._autoFillEnabled&&(o.setState((function(e){return{inputValue:o.props.suggestedDisplayValue||e.inputValue}})),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.state.isComposing||o._tryEnableAutofill(t,o.value,e.nativeEvent.isComposing),!(0,i.isIE11)()||!o.state.isComposing){var n=e.nativeEvent.isComposing,r=void 0===n?o.state.isComposing:n;o._updateValue(t,r)}},o._onChanged=function(){},o._updateValue=function(e,t){if(e||e!==o.value){var n=o.props,r=n.onInputChange,i=n.onInputValueChange;r&&(e=(null==r?void 0:r(e,t))||""),o.setState({inputValue:e},(function(){return null==i?void 0:i(e,t)}))}},(0,i.initializeComponentRef)(o),o._async=new i.Async(o),o.state={inputValue:t.defaultVisibleValue||"",isComposing:!1},o}return n.__extends(t,e),t.getDerivedStateFromProps=function(e,t){if(e.updateValueInWillReceiveProps){var o=e.updateValueInWillReceiveProps();if(null!==o&&o!==t.inputValue&&!t.isComposing)return n.__assign(n.__assign({},t),{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:!1,configurable:!0}),Object.defineProperty(t.prototype,"isValueSelected",{get:function(){return Boolean(this.inputElement&&this.inputElement.selectionStart!==this.inputElement.selectionEnd)},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"value",{get:function(){return this._getControlledValue()||this.state.inputValue||""},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"selectionStart",{get:function(){return this._inputElement.current?this._inputElement.current.selectionStart:-1},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"selectionEnd",{get:function(){return this._inputElement.current?this._inputElement.current.selectionEnd:-1},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"inputElement",{get:function(){return this._inputElement.current},enumerable:!1,configurable:!0}),t.prototype.componentDidUpdate=function(e,t,o){var n,r=this.props,a=r.suggestedDisplayValue,l=r.shouldSelectFullInputValueInComponentDidUpdate,u=0;if(!r.preventValueSelection){var d=(null===(n=this.context)||void 0===n?void 0:n.window.document)||(0,i.getDocument)(this._inputElement.current);if(this._inputElement.current&&this._inputElement.current===(null==d?void 0:d.activeElement)&&this._autoFillEnabled&&this.value&&a&&c(a,this.value)){var p=!1;if(l&&(p=l()),p)this._inputElement.current.setSelectionRange(0,a.length,s);else{for(;u0&&this._inputElement.current.setSelectionRange(u,a.length,s)}}else this._inputElement.current&&(null===o||this._autoFillEnabled||this.state.isComposing||this._inputElement.current.setSelectionRange(o.start,o.end,o.dir))}},t.prototype.componentWillUnmount=function(){this._async.dispose()},t.prototype.render=function(){var e=(0,i.getNativeProps)(this.props,i.inputProperties),t=n.__assign(n.__assign({},this.props.style),{fontFamily:"inherit"});return r.createElement("input",n.__assign({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.getSnapshotBeforeUpdate=function(){var e,t,o=this._inputElement.current;return o&&o.selectionStart!==this.value.length?{start:null!==(e=o.selectionStart)&&void 0!==e?e:o.value.length,end:null!==(t=o.selectionEnd)&&void 0!==t?t:o.value.length,dir:o.selectionDirection||"backward"}:null},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&&c(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 ".concat(e," with type of ").concat(typeof e)),e.toString())},t.defaultProps={enableAutofillOnKeyPress:[i.KeyCodes.down,i.KeyCodes.up]},t.contextType=a.WindowContext,t}(r.Component);function c(e,t){return!(!e||!t)&&0===e.toLocaleLowerCase().indexOf(t.toLocaleLowerCase())}t.Autofill=l},35268:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},44437:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(96771),t),n.__exportStar(o(35268),t)},1082:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.BreadcrumbBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(80371),s=o(12329),l=o(30936),c=o(74393),u=o(42502),d=o(68318),p=o(34718),m=o(71061),g=(0,i.classNamesFunction)(),h=function(){return null},f={styles:function(e){return{root:{selectors:{"&.is-disabled":{color:e.theme.semanticColors.bodyText}}}}}},v=function(e){function t(t){var o=e.call(this,t)||this;return o._focusZone=r.createRef(),o._onReduceData=function(e){var t=e.renderedItems,o=e.renderedOverflowItems,r=e.props.overflowIndex,i=t[r];if(i)return(t=n.__spreadArray([],t,!0)).splice(r,1),o=n.__spreadArray(n.__spreadArray([],o,!0),[i],!1),n.__assign(n.__assign({},e),{renderedItems:t,renderedOverflowItems:o})},o._onGrowData=function(e){var t=e.renderedItems,o=e.renderedOverflowItems,r=e.props,i=r.overflowIndex,a=r.maxDisplayedItems,s=(o=n.__spreadArray([],o,!0)).pop();if(s&&!(t.length>=a))return(t=n.__spreadArray([],t,!0)).splice(i,0,s),n.__assign(n.__assign({},e),{renderedItems:t,renderedOverflowItems:o})},o._onRenderBreadcrumb=function(e){var t=e.props,s=t.ariaLabel,d=t.dividerAs,p=void 0===d?l.Icon:d,g=t.onRenderItem,v=t.overflowAriaLabel,b=t.overflowIndex,y=t.onRenderOverflowIcon,_=t.overflowButtonAs,S=e.renderedOverflowItems,C=e.renderedItems,x=S.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:f}})),P=C.length-1,k=S&&0!==S.length,I=C.map((function(e,t){var n=o._onRenderItem;return e.onRender&&(n=(0,m.composeRenderFunction)(e.onRender,n)),g&&(n=(0,m.composeRenderFunction)(g,n)),r.createElement("li",{className:o._classNames.listItem,key:e.key||String(t)},n(e),(t!==P||k&&t===b-1)&&r.createElement(p,{className:o._classNames.chevron,iconName:(0,i.getRTL)(o.props.theme)?"ChevronLeft":"ChevronRight",item:e}))}));if(k){var w=y?{}:{iconName:"More"},T=y||h,E=_||c.IconButton;I.splice(b,0,r.createElement("li",{className:o._classNames.overflow,key:"overflow"},r.createElement(E,{className:o._classNames.overflowButton,iconProps:w,role:"button","aria-haspopup":"true",ariaLabel:v,onRenderMenuIcon:T,menuProps:{items:x,directionalHint:u.DirectionalHint.bottomLeftEdge}}),b!==P+1&&r.createElement(p,{className:o._classNames.chevron,iconName:(0,i.getRTL)(o.props.theme)?"ChevronLeft":"ChevronRight",item:S[S.length-1]})))}var D=(0,i.getNativeProps)(o.props,i.htmlElementProperties,["className"]);return r.createElement("div",n.__assign({className:o._classNames.root,role:"navigation","aria-label":s},D),r.createElement(a.FocusZone,n.__assign({componentRef:o._focusZone,direction:a.FocusZoneDirection.horizontal},o.props.focusZoneProps),r.createElement("ol",{className:o._classNames.list},I)))},o._onRenderItem=function(e){if(!e)return null;var t=e.as,i=e.href,a=e.onClick,l=e.isCurrentItem,c=e.text,u=e.onRenderContent,d=n.__rest(e,["as","href","onClick","isCurrentItem","text","onRenderContent"]),g=b;if(u&&(g=(0,m.composeRenderFunction)(u,g)),o.props.onRenderItemContent&&(g=(0,m.composeRenderFunction)(o.props.onRenderItemContent,g)),a||i)return r.createElement(s.Link,n.__assign({},d,{as:t,className:o._classNames.itemLink,href:i,"aria-current":l?"page":void 0,onClick:o._onBreadcrumbClicked.bind(o,e)}),r.createElement(p.TooltipHost,n.__assign({content:c,overflowMode:p.TooltipOverflowMode.Parent},o.props.tooltipHostProps),g(e)));var h=t||"span";return r.createElement(h,n.__assign({},d,{className:o._classNames.item}),r.createElement(p.TooltipHost,n.__assign({content:c,overflowMode:p.TooltipOverflowMode.Parent},o.props.tooltipHostProps),g(e)))},o._onBreadcrumbClicked=function(e,t){e.onClick&&e.onClick(t,e)},(0,i.initializeComponentRef)(o),o._validateProps(t),o}return n.__extends(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,i=e.onGrowData,a=void 0===i?this._onGrowData:i,s=e.overflowIndex,l=e.maxDisplayedItems,c=e.items,u=e.className,p=e.theme,m=e.styles,h=n.__spreadArray([],c,!0),f=h.splice(s,h.length-l),v={props:this.props,renderedItems:h,renderedOverflowItems:f};return this._classNames=g(m,{className:u,theme:p}),r.createElement(d.ResizeGroup,{onRenderData:this._onRenderBreadcrumb,onReduceData:o,onGrowData:a,data:v})},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}(r.Component);function b(e){return e?r.createElement(r.Fragment,null,e.text):null}t.BreadcrumbBase=v},47341:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Breadcrumb=void 0;var n=o(71061),r=o(1082),i=o(31481);t.Breadcrumb=(0,n.styled)(r.BreadcrumbBase,i.getStyles,void 0,{scope:"Breadcrumb"})},31481:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(31635),r=o(15019),i=o(71061),a={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"},s={whiteSpace:"nowrap",textOverflow:"ellipsis",overflow:"hidden"},l=(0,r.getScreenSelector)(0,r.ScreenWidthMaxSmall),c=(0,r.getScreenSelector)(r.ScreenWidthMinMedium,r.ScreenWidthMaxMedium);t.getStyles=function(e){var t,o,u,d,p,m=e.className,g=e.theme,h=g.palette,f=g.semanticColors,v=g.fonts,b=(0,r.getGlobalClassNames)(a,g),y=f.menuItemBackgroundHovered,_=f.menuItemBackgroundPressed,S=h.neutralSecondary,C=r.FontWeights.regular,x=h.neutralPrimary,P=h.neutralPrimary,k=r.FontWeights.semibold,I=h.neutralSecondary,w=h.neutralSecondary,T={fontWeight:k,color:P},E={":hover":{color:x,backgroundColor:y,cursor:"pointer",selectors:(t={},t[r.HighContrastSelector]={color:"Highlight",backgroundColor:"transparent"},t)},":active":{backgroundColor:_,color:x},"&:active:hover":{color:x,backgroundColor:_},"&:active, &:hover, &:active:hover":{textDecoration:"none"}},D={color:S,padding:"0 8px",lineHeight:36,fontSize:18,fontWeight:C};return{root:[b.root,v.medium,{margin:"11px 0 1px"},m],list:[b.list,{whiteSpace:"nowrap",padding:0,margin:0,display:"flex",alignItems:"stretch"}],listItem:[b.listItem,{listStyleType:"none",margin:"0",padding:"0",display:"flex",position:"relative",alignItems:"center",selectors:{"&:last-child .ms-Breadcrumb-itemLink":n.__assign(n.__assign({},T),(o={},o[r.HighContrastSelector]={MsHighContrastAdjust:"auto",forcedColorAdjust:"auto"},o)),"&:last-child .ms-Breadcrumb-item":T}}],chevron:[b.chevron,{color:I,fontSize:v.small.fontSize,selectors:(u={},u[r.HighContrastSelector]=n.__assign({color:"WindowText"},(0,r.getHighContrastNoAdjustStyle)()),u[c]={fontSize:8},u[l]={fontSize:8},u)}],overflow:[b.overflow,{position:"relative",display:"flex",alignItems:"center"}],overflowButton:[b.overflowButton,(0,r.getFocusStyle)(g,{highContrastStyle:{left:1,right:1,top:1,bottom:1}}),s,{fontSize:16,color:w,height:"100%",cursor:"pointer",selectors:n.__assign(n.__assign({},E),(d={},d[l]={padding:"4px 6px"},d[c]={fontSize:v.mediumPlus.fontSize},d))}],itemLink:[b.itemLink,(0,r.getFocusStyle)(g),s,n.__assign(n.__assign({},D),{selectors:n.__assign((p={":focus":{color:h.neutralDark}},p[".".concat(i.IsFocusVisibleClassName," &:focus, :host(.").concat(i.IsFocusVisibleClassName,") &:focus")]={outline:"none"},p),E)})],item:[b.item,n.__assign(n.__assign({},D),{selectors:{":hover":{cursor:"default"}}})]}}},4206:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},45182:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(47341),t),n.__exportStar(o(1082),t),n.__exportStar(o(4206),t)},29418:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ActionButton=void 0;var n=o(31635),r=o(83923),i=o(63058),a=o(71061),s=o(36076),l=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return n.__extends(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.theme;return r.createElement(i.BaseButton,n.__assign({},this.props,{variantClassName:"ms-Button--action ms-Button--command",styles:(0,s.getStyles)(o,t),onRenderDescription:a.nullRender}))},n.__decorate([(0,a.customizable)("ActionButton",["theme","styles"],!0)],t)}(r.Component);t.ActionButton=l},36076:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r=o(71061),i=o(60500);t.getStyles=(0,r.memoizeFunction)((function(e,t){var o,r,a,s=(0,i.getStyles)(e),l={root:(o={padding:"0 4px",height:"40px",color:e.palette.neutralPrimary,backgroundColor:"transparent",border:"1px solid transparent"},o[n.HighContrastSelector]={borderColor:"Window"},o),rootHovered:(r={color:e.palette.themePrimary},r[n.HighContrastSelector]={color:"Highlight"},r),iconHovered:{color:e.palette.themePrimary},rootPressed:{color:e.palette.black},rootExpanded:{color:e.palette.themePrimary},iconPressed:{color:e.palette.themeDarker},rootDisabled:(a={color:e.palette.neutralTertiary,backgroundColor:"transparent",borderColor:"transparent"},a[n.HighContrastSelector]={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.concatStyleSets)(s,l,t)}))},21550:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getBaseButtonClassNames=t.ButtonGlobalClassNames=void 0;var n=o(71061),r=o(15019);t.ButtonGlobalClassNames={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"},t.getBaseButtonClassNames=(0,n.memoizeFunction)((function(e,o,n,i,a,s,l,c,u,d,p){var m,g,h=(0,r.getGlobalClassNames)(t.ButtonGlobalClassNames,e||{}),f=d&&!p;return(0,r.mergeStyleSets)(o.__shadowConfig__,{root:[h.msButton,o.root,i,u&&["is-checked",o.rootChecked],f&&["is-expanded",o.rootExpanded,(m={},m[":hover .".concat(h.msButtonIcon)]=o.iconExpandedHovered,m[":hover .".concat(h.msButtonMenuIcon)]=o.menuIconExpandedHovered||o.rootExpandedHovered,m[":hover"]=o.rootExpandedHovered,m)],c&&[t.ButtonGlobalClassNames.msButtonHasMenu,o.rootHasMenu],l&&["is-disabled",o.rootDisabled],!l&&!f&&!u&&(g={":hover":o.rootHovered},g[":hover .".concat(h.msButtonLabel)]=o.labelHovered,g[":hover .".concat(h.msButtonIcon)]=o.iconHovered,g[":hover .".concat(h.msButtonDescription)]=o.descriptionHovered,g[":hover .".concat(h.msButtonMenuIcon)]=o.menuIconHovered,g[":focus"]=o.rootFocused,g[":active"]=o.rootPressed,g[":active .".concat(h.msButtonIcon)]=o.iconPressed,g[":active .".concat(h.msButtonDescription)]=o.descriptionPressed,g[":active .".concat(h.msButtonMenuIcon)]=o.menuIconPressed,g),l&&u&&[o.rootCheckedDisabled],!l&&u&&{":hover":o.rootCheckedHovered,":active":o.rootCheckedPressed},n],flexContainer:[h.msButtonFlexContainer,o.flexContainer],textContainer:[h.msButtonTextContainer,o.textContainer],icon:[h.msButtonIcon,a,o.icon,f&&o.iconExpanded,u&&o.iconChecked,l&&o.iconDisabled],label:[h.msButtonLabel,o.label,u&&o.labelChecked,l&&o.labelDisabled],menuIcon:[h.msButtonMenuIcon,s,o.menuIcon,u&&o.menuIconChecked,l&&!p&&o.menuIconDisabled,!l&&!f&&!u&&{":hover":o.menuIconHovered,":active":o.menuIconPressed},f&&["is-expanded",o.menuIconExpanded]],description:[h.msButtonDescription,o.description,u&&o.descriptionChecked,l&&o.descriptionDisabled],screenReaderText:[h.msButtonScreenReaderText,o.screenReaderText]})}))},63058:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.BaseButton=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(30936),s=o(42502),l=o(52521),c=o(21550),u=o(44700),d=o(87301),p=o(71061),m="BaseButton",g=function(e){function t(t){var o=e.call(this,t)||this;return o._buttonElement=r.createRef(),o._splitButtonContainer=r.createRef(),o._mergedRef=(0,i.createMergedRef)(),o._renderedVisibleMenu=!1,o._getMemoizedMenuButtonKeytipProps=(0,i.memoizeFunction)((function(e){return n.__assign(n.__assign({},e),{hasMenu:!0})})),o._onRenderIcon=function(e,t){var s=o.props.iconProps;if(s&&(void 0!==s.iconName||s.imageProps)){var l=s.className,c=s.imageProps,u=n.__rest(s,["className","imageProps"]);if(s.styles)return r.createElement(a.Icon,n.__assign({className:(0,i.css)(o._classNames.icon,l),imageProps:c},u));if(s.iconName)return r.createElement(a.FontIcon,n.__assign({className:(0,i.css)(o._classNames.icon,l)},u));if(c)return r.createElement(a.ImageIcon,n.__assign({className:(0,i.css)(o._classNames.icon,l),imageProps:c},u))}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(a.FontIcon,n.__assign({iconName:"ChevronDown"},t,{className:o._classNames.menuIcon}))},o._onRenderMenu=function(e){var t=o.props.menuAs?(0,p.composeComponentAs)(o.props.menuAs,l.ContextualMenu):l.ContextualMenu;return r.createElement(t,n.__assign({},e))},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,i.portalContainsElement)(e.target,t)||t.focus()},o._onSplitButtonPrimaryClick=function(e){o.state.menuHidden||o._dismissMenu();var t=o._processingTouch&&!o.props.toggle;!t&&o.props.onClick?o.props.onClick(e):t&&o._onMenuClick(e)},o._onKeyDown=function(e){!o.props.disabled||e.which!==i.KeyCodes.enter&&e.which!==i.KeyCodes.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===i.KeyCodes.enter||e.which===i.KeyCodes.space?o._buttonElement.current&&(o._buttonElement.current.click(),e.preventDefault(),e.stopPropagation()):o._onMenuKeyDown(e)},o._onMenuKeyDown=function(e){var t;if(!o.props.disabled){o.props.onKeyDown&&o.props.onKeyDown(e);var n=e.which===i.KeyCodes.up,r=e.which===i.KeyCodes.down;if(!e.defaultPrevented&&o._isValidMenuOpenKey(e)){var a=o.props.onMenuClick;a&&a(e,o.props),o._onToggleMenu(!1),e.preventDefault(),e.stopPropagation()}e.which!==i.KeyCodes.enter&&e.which!==i.KeyCodes.space||(0,i.setFocusVisibility)(!0,e.target,null===(t=o.context)||void 0===t?void 0:t.registeredProviders),e.altKey||e.metaKey||!n&&!r||!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,n=t.onMenuClick,r=t.menuProps;n&&n(e,o.props);var i="boolean"==typeof(null==r?void 0:r.shouldFocusOnContainer)?r.shouldFocusOnContainer:"mouse"===e.nativeEvent.pointerType;e.defaultPrevented||(o._onToggleMenu(i),e.preventDefault(),e.stopPropagation())},(0,i.initializeComponentRef)(o),o._async=new i.Async(o),o._events=new i.EventGroup(o),(0,i.warnConditionallyRequiredProps)(m,t,["menuProps","onClick"],"split",o.props.split),(0,i.warnDeprecations)(m,t,{rootProps:void 0,description:"secondaryText",toggled:"checked"}),o._labelId=(0,i.getId)(),o._descriptionId=(0,i.getId)(),o._ariaDescriptionId=(0,i.getId)(),o.state={menuHidden:!0},o}return n.__extends(t,e),Object.defineProperty(t.prototype,"_isSplitButton",{get:function(){return!!this.props.menuProps&&!!this.props.onClick&&!0===this.props.split},enumerable:!1,configurable:!0}),t.prototype.render=function(){var e,t=this.props,o=t.ariaDescription,n=t.ariaLabel,r=t.ariaHidden,a=t.className,s=t.disabled,l=t.allowDisabledFocus,u=t.primaryDisabled,d=t.secondaryText,p=void 0===d?this.props.description:d,m=t.href,g=t.iconProps,h=t.menuIconProps,f=t.styles,v=t.checked,b=t.variantClassName,y=t.theme,_=t.toggle,S=t.getClassNames,C=t.role,x=this.state.menuHidden,P=s||u;this._classNames=S?S(y,a,b,g&&g.className,h&&h.className,P,v,!x,!!this.props.menuProps,this.props.split,!!l):(0,c.getBaseButtonClassNames)(y,f,a,b,g&&g.className,h&&h.className,P,!!this.props.menuProps,v,!x,this.props.split);var k=this,I=k._ariaDescriptionId,w=k._labelId,T=k._descriptionId,E=!P&&!!m,D=E?"a":"button",M=(0,i.getNativeProps)((0,i.assign)(E?{}:{type:"button"},this.props.rootProps,this.props),E?i.anchorProperties:i.buttonProperties,["disabled"]),O=n||M["aria-label"],R=void 0;o?R=I:p&&this.props.onRenderDescription!==i.nullRender?R=T:M["aria-describedby"]&&(R=M["aria-describedby"]);var F=void 0;M["aria-labelledby"]?F=M["aria-labelledby"]:R&&!O&&(F=this._hasText()?w:void 0);var B=!(!1===this.props["data-is-focusable"]||s&&!l||this._isSplitButton),A="menuitemcheckbox"===C||"checkbox"===C,N=A||!0===_?!!v:void 0,L=(0,i.assign)(M,((e={className:this._classNames.root,ref:this._mergedRef(this.props.elementRef,this._buttonElement),disabled:P&&!l,onKeyDown:this._onKeyDown,onKeyPress:this._onKeyPress,onKeyUp:this._onKeyUp,onMouseDown:this._onMouseDown,onMouseUp:this._onMouseUp,onClick:this._onClick,"aria-label":O,"aria-labelledby":F,"aria-describedby":R,"aria-disabled":P,"data-is-focusable":B})[A?"aria-checked":"aria-pressed"]=N,e));if(r&&(L["aria-hidden"]=!0),this._isSplitButton)return this._onRenderSplitButtonContent(D,L);if(this.props.menuProps){var H=this.props.menuProps.id,j=void 0===H?"".concat(this._labelId,"-menu"):H;(0,i.assign)(L,{"aria-expanded":!x,"aria-controls":x?null:j,"aria-haspopup":!0})}return this._onRenderContent(D,L)},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(){var e,t;this._isSplitButton&&this._splitButtonContainer.current?((0,i.setFocusVisibility)(!0,void 0,null===(e=this.context)||void 0===e?void 0:e.registeredProviders),this._splitButtonContainer.current.focus()):this._buttonElement.current&&((0,i.setFocusVisibility)(!0,void 0,null===(t=this.context)||void 0===t?void 0:t.registeredProviders),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,a=this.props,s=e,l=a.menuIconProps,c=a.menuProps,u=a.onRenderIcon,p=void 0===u?this._onRenderIcon:u,m=a.onRenderAriaDescription,g=void 0===m?this._onRenderAriaDescription:m,h=a.onRenderChildren,f=void 0===h?this._onRenderChildren:h,v=a.onRenderMenu,b=void 0===v?this._onRenderMenu:v,y=a.onRenderMenuIcon,_=void 0===y?this._onRenderMenuIcon:y,S=a.disabled,C=a.keytipProps;C&&c&&(C=this._getMemoizedMenuButtonKeytipProps(C));var x=function(e){return r.createElement(s,n.__assign({},t,e),r.createElement("span",{className:o._classNames.flexContainer,"data-automationid":"splitbuttonprimary"},p(a,o._onRenderIcon),o._onRenderTextContents(),g(a,o._onRenderAriaDescription),f(a,o._onRenderChildren),!o._isSplitButton&&(c||l||o.props.onRenderMenuIcon)&&_(o.props,o._onRenderMenuIcon),c&&!c.doNotLayer&&o._shouldRenderMenu()&&b(o._getMenuProps(c),o._onRenderMenu)))},P=C?r.createElement(d.KeytipData,{keytipProps:this._isSplitButton?void 0:C,ariaDescribedBy:t["aria-describedby"],disabled:S},(function(e){return x(e)})):x();return c&&c.doNotLayer?r.createElement(r.Fragment,null,P,this._shouldRenderMenu()&&b(this._getMenuProps(c),this._onRenderMenu)):r.createElement(r.Fragment,null,P,r.createElement(i.FocusRects,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._getMenuProps=function(e){var t=this.props.persistMenu,o=this.state.menuHidden;return e.ariaLabel||e.labelElementId||!this._hasText()||(e=n.__assign(n.__assign({},e),{labelElementId:this._labelId})),n.__assign(n.__assign({id:this._labelId+"-menu",directionalHint:s.DirectionalHint.bottomLeftEdge},e),{shouldFocusOnContainer:this._menuShouldFocusOnContainer,shouldFocusOnMount:this._menuShouldFocusOnMount,hidden:t?o:void 0,className:(0,i.css)("ms-BaseButton-menuhost",e.className),target:this._isSplitButton?this._splitButtonContainer.current:this._buttonElement.current,onDismiss:this._onDismissMenu})},t.prototype._onRenderSplitButtonContent=function(e,t){var o=this,a=this.props,s=a.styles,l=void 0===s?{}:s,c=a.disabled,p=a.allowDisabledFocus,m=a.checked,g=a.getSplitButtonClassNames,h=a.primaryDisabled,f=a.menuProps,v=a.toggle,b=a.role,y=a.primaryActionButtonProps,_=this.props.keytipProps,S=this.state.menuHidden,C=g?g(!!c,!S,!!m,!!p):l&&(0,u.getSplitButtonClassNames)(l,!!c,!S,!!m,!!h);(0,i.assign)(t,{onClick:void 0,onPointerDown:void 0,onPointerUp:void 0,tabIndex:-1,"data-is-focusable":!1}),_&&f&&(_=this._getMemoizedMenuButtonKeytipProps(_));var x=(0,i.getNativeProps)(t,[],["disabled"]);y&&(0,i.assign)(t,y);var P=function(a){return r.createElement("div",n.__assign({},x,{"data-ktp-target":a?a["data-ktp-target"]:void 0,role:b||"button","aria-disabled":c,"aria-haspopup":!0,"aria-expanded":!S,"aria-pressed":v?!!m:void 0,"aria-describedby":(0,i.mergeAriaAttributeValues)(t["aria-describedby"],a?a["aria-describedby"]:void 0),className:C&&C.splitButtonContainer,onKeyDown:o._onSplitButtonContainerKeyDown,onTouchStart:o._onTouchStart,ref:o._splitButtonContainer,"data-is-focusable":!0,onClick:c||h?void 0:o._onSplitButtonPrimaryClick,tabIndex:!c&&!h||p?0:void 0,"aria-roledescription":t["aria-roledescription"],onFocusCapture:o._onSplitContainerFocusCapture}),r.createElement("span",{style:{display:"flex",width:"100%"}},o._onRenderContent(e,t),o._onRenderSplitButtonMenuButton(C,a),o._onRenderSplitButtonDivider(C)))};return _?r.createElement(d.KeytipData,{keytipProps:_,disabled:c},(function(e){return P(e)})):P()},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=i.primaryDisabled,p=this.state.menuHidden,m=this.props.menuIconProps;void 0===m&&(m={iconName:"ChevronDown"});var g=n.__assign(n.__assign({},c),{styles:e,checked:s,disabled:l,allowDisabledFocus:a,onClick:this._onMenuClick,menuProps:void 0,iconProps:n.__assign(n.__assign({},m),{className:this._classNames.menuIcon}),ariaLabel:u,"aria-haspopup":!0,"aria-expanded":!p,"data-is-focusable":!1});return r.createElement(t,n.__assign({},g,{"data-ktp-execute-target":o?o["data-ktp-execute-target"]:o,onMouseDown:this._onMouseDown,tabIndex:d&&!a?0:-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.state.menuHidden&&e.focus()}),500)},t.prototype._isValidMenuOpenKey=function(e){return this.props.menuTriggerKeyCode?e.which===this.props.menuTriggerKeyCode:!!this.props.menuProps&&e.which===i.KeyCodes.down&&(e.altKey||e.metaKey)},t.defaultProps={baseClassName:"ms-Button",styles:{},split:!1},t.contextType=i.FocusRectsContext,t}(r.Component);t.BaseButton=g},60500:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(71061),r=o(15019),i={outline:0},a=function(e){return{fontSize:e,margin:"0 4px",height:"16px",lineHeight:"16px",textAlign:"center",flexShrink:0}};t.getStyles=(0,n.memoizeFunction)((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.getFocusStyle)(e,{inset:1,highContrastStyle:p,borderColor:"transparent"}),e.fonts.medium,{border:"1px solid "+c,borderRadius:s.roundedCorner2,boxSizing:"border-box",cursor:"pointer",display:"inline-block",padding:"0 16px",textDecoration:"none",textAlign:"center",userSelect:"none",":active > span":{position:"relative",left:0,top:0}}],rootDisabled:[(0,r.getFocusStyle)(e,{inset:1,highContrastStyle:p,borderColor:"transparent"}),{backgroundColor:u,borderColor:u,color:d,cursor:"default",":hover":i,":focus":i}],iconDisabled:(t={color:d},t[r.HighContrastSelector]={color:"GrayText"},t),menuIconDisabled:(o={color:d},o[r.HighContrastSelector]={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.hiddenContentStyle}}))},98395:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Button=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(18972),s=o(22356),l=o(29418),c=o(6412),u=o(38032),d=o(57624),p=function(e){function t(t){var o=e.call(this,t)||this;return(0,i.warn)("The Button component has been deprecated. Use specific variants instead. (PrimaryButton, DefaultButton, IconButton, ActionButton, etc.)"),o}return n.__extends(t,e),t.prototype.render=function(){var e=this.props;switch(e.buttonType){case a.ButtonType.command:return r.createElement(l.ActionButton,n.__assign({},e));case a.ButtonType.compound:return r.createElement(c.CompoundButton,n.__assign({},e));case a.ButtonType.icon:return r.createElement(u.IconButton,n.__assign({},e));case a.ButtonType.primary:return r.createElement(d.PrimaryButton,n.__assign({},e));default:return r.createElement(s.DefaultButton,n.__assign({},e))}},t}(r.Component);t.Button=p},18972:(e,t)=>{"use strict";var o,n;Object.defineProperty(t,"__esModule",{value:!0}),t.ButtonType=t.ElementType=void 0,(n=t.ElementType||(t.ElementType={}))[n.button=0]="button",n[n.anchor=1]="anchor",(o=t.ButtonType||(t.ButtonType={}))[o.normal=0]="normal",o[o.primary=1]="primary",o[o.hero=2]="hero",o[o.compound=3]="compound",o[o.command=4]="command",o[o.icon=5]="icon",o[o.default=6]="default"},5233:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.primaryStyles=t.standardStyles=void 0;var n=o(31635),r=o(15019),i=o(71061);t.standardStyles=function(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,g=l.buttonText,h=l.buttonTextHovered,f=l.buttonTextDisabled,v=l.buttonTextChecked,b=l.buttonTextCheckedHovered;return{root:{backgroundColor:u,color:g},rootHovered:(t={backgroundColor:p,color:h},t[r.HighContrastSelector]={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:(o={color:f,backgroundColor:m},o[r.HighContrastSelector]={color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},o),splitButtonContainer:(i={},i[r.HighContrastSelector]={border:"none"},i),splitButtonMenuButton:{color:c.white,backgroundColor:"transparent",":hover":(a={backgroundColor:c.neutralLight},a[r.HighContrastSelector]={color:"Highlight"},a)},splitButtonMenuButtonDisabled:{backgroundColor:l.buttonBackgroundDisabled,":hover":{backgroundColor:l.buttonBackgroundDisabled}},splitButtonDivider:n.__assign(n.__assign({},{position:"absolute",width:1,right:31,top:8,bottom:8}),(s={backgroundColor:c.neutralTertiaryAlt},s[r.HighContrastSelector]={backgroundColor:"WindowText"},s)),splitButtonDividerDisabled:{backgroundColor:e.palette.neutralTertiaryAlt},splitButtonMenuButtonChecked:{backgroundColor:c.neutralQuaternaryAlt,":hover":{backgroundColor:c.neutralQuaternaryAlt}},splitButtonMenuButtonExpanded:{backgroundColor:c.neutralQuaternaryAlt,":hover":{backgroundColor:c.neutralQuaternaryAlt}},splitButtonMenuIcon:{color:l.buttonText},splitButtonMenuIconDisabled:{color:l.buttonTextDisabled}}},t.primaryStyles=function(e){var t,o,a,s,l,c,u,d,p,m=e.palette,g=e.semanticColors;return{root:(t={backgroundColor:g.primaryButtonBackground,border:"1px solid ".concat(g.primaryButtonBackground),color:g.primaryButtonText},t[r.HighContrastSelector]=n.__assign({color:"Window",backgroundColor:"WindowText",borderColor:"WindowText"},(0,r.getHighContrastNoAdjustStyle)()),t[".".concat(i.IsFocusVisibleClassName," &:focus, :host(.").concat(i.IsFocusVisibleClassName,") &:focus")]={":after":{border:"none",outlineColor:m.white}},t),rootHovered:(o={backgroundColor:g.primaryButtonBackgroundHovered,border:"1px solid ".concat(g.primaryButtonBackgroundHovered),color:g.primaryButtonTextHovered},o[r.HighContrastSelector]={color:"Window",backgroundColor:"Highlight",borderColor:"Highlight"},o),rootPressed:(a={backgroundColor:g.primaryButtonBackgroundPressed,border:"1px solid ".concat(g.primaryButtonBackgroundPressed),color:g.primaryButtonTextPressed},a[r.HighContrastSelector]=n.__assign({color:"Window",backgroundColor:"WindowText",borderColor:"WindowText"},(0,r.getHighContrastNoAdjustStyle)()),a),rootExpanded:{backgroundColor:g.primaryButtonBackgroundPressed,color:g.primaryButtonTextPressed},rootChecked:{backgroundColor:g.primaryButtonBackgroundPressed,color:g.primaryButtonTextPressed},rootCheckedHovered:{backgroundColor:g.primaryButtonBackgroundPressed,color:g.primaryButtonTextPressed},rootDisabled:(s={color:g.primaryButtonTextDisabled,backgroundColor:g.primaryButtonBackgroundDisabled},s[r.HighContrastSelector]={color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},s),splitButtonContainer:(l={},l[r.HighContrastSelector]={border:"none"},l),splitButtonDivider:n.__assign(n.__assign({},{position:"absolute",width:1,right:31,top:8,bottom:8}),(c={backgroundColor:m.white},c[r.HighContrastSelector]={backgroundColor:"Window"},c)),splitButtonMenuButton:(u={backgroundColor:g.primaryButtonBackground,color:g.primaryButtonText},u[r.HighContrastSelector]={backgroundColor:"Canvas"},u[":hover"]=(d={backgroundColor:g.primaryButtonBackgroundHovered},d[r.HighContrastSelector]={color:"Highlight"},d),u),splitButtonMenuButtonDisabled:{backgroundColor:g.primaryButtonBackgroundDisabled,":hover":{backgroundColor:g.primaryButtonBackgroundDisabled}},splitButtonMenuButtonChecked:{backgroundColor:g.primaryButtonBackgroundPressed,":hover":{backgroundColor:g.primaryButtonBackgroundPressed}},splitButtonMenuButtonExpanded:{backgroundColor:g.primaryButtonBackgroundPressed,":hover":{backgroundColor:g.primaryButtonBackgroundPressed}},splitButtonMenuIcon:{color:g.primaryButtonText},splitButtonMenuIconDisabled:(p={color:m.neutralTertiary},p[r.HighContrastSelector]={color:"GrayText"},p)}}},96410:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.CommandBarButton=void 0;var n=o(31635),r=o(83923),i=o(63058),a=o(71061),s=o(85468),l=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return n.__extends(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.theme;return r.createElement(i.BaseButton,n.__assign({},this.props,{variantClassName:"ms-Button--commandBar",styles:(0,s.getStyles)(o,t),onRenderDescription:a.nullRender}))},n.__decorate([(0,a.customizable)("CommandBarButton",["theme","styles"],!0)],t)}(r.Component);t.CommandBarButton=l},85468:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(31635),r=o(15019),i=o(71061),a=o(60500),s=o(45246),l=o(21550);t.getStyles=(0,i.memoizeFunction)((function(e,t,o,i){var c,u,d,p,m,g,h,f,v,b,y,_,S,C=(0,a.getStyles)(e),x=(0,s.getStyles)(e),P=e.palette,k=e.semanticColors,I={root:[(0,r.getFocusStyle)(e,{inset:2,highContrastStyle:{left:4,top:4,bottom:4,right:4,border:"none"},borderColor:"transparent"}),e.fonts.medium,(c={minWidth:"40px",backgroundColor:P.white,color:P.neutralPrimary,padding:"0 4px",border:"none",borderRadius:0},c[r.HighContrastSelector]={border:"none"},c)],rootHovered:(u={backgroundColor:P.neutralLighter,color:P.neutralDark},u[r.HighContrastSelector]={color:"Highlight"},u[".".concat(l.ButtonGlobalClassNames.msButtonIcon)]={color:P.themeDarkAlt},u[".".concat(l.ButtonGlobalClassNames.msButtonMenuIcon)]={color:P.neutralPrimary},u),rootPressed:(d={backgroundColor:P.neutralLight,color:P.neutralDark},d[".".concat(l.ButtonGlobalClassNames.msButtonIcon)]={color:P.themeDark},d[".".concat(l.ButtonGlobalClassNames.msButtonMenuIcon)]={color:P.neutralPrimary},d),rootChecked:(p={backgroundColor:P.neutralLight,color:P.neutralDark},p[".".concat(l.ButtonGlobalClassNames.msButtonIcon)]={color:P.themeDark},p[".".concat(l.ButtonGlobalClassNames.msButtonMenuIcon)]={color:P.neutralPrimary},p),rootCheckedHovered:(m={backgroundColor:P.neutralQuaternaryAlt},m[".".concat(l.ButtonGlobalClassNames.msButtonIcon)]={color:P.themeDark},m[".".concat(l.ButtonGlobalClassNames.msButtonMenuIcon)]={color:P.neutralPrimary},m),rootExpanded:(g={backgroundColor:P.neutralLight,color:P.neutralDark},g[".".concat(l.ButtonGlobalClassNames.msButtonIcon)]={color:P.themeDark},g[".".concat(l.ButtonGlobalClassNames.msButtonMenuIcon)]={color:P.neutralPrimary},g),rootExpandedHovered:{backgroundColor:P.neutralQuaternaryAlt},rootDisabled:(h={backgroundColor:P.white},h[".".concat(l.ButtonGlobalClassNames.msButtonIcon)]=(f={color:k.disabledBodySubtext},f[r.HighContrastSelector]=n.__assign({color:"GrayText"},(0,r.getHighContrastNoAdjustStyle)()),f),h[r.HighContrastSelector]=n.__assign({color:"GrayText",backgroundColor:"Window"},(0,r.getHighContrastNoAdjustStyle)()),h),splitButtonContainer:(v={height:"100%"},v[r.HighContrastSelector]={border:"none"},v),splitButtonDividerDisabled:(b={},b[r.HighContrastSelector]={backgroundColor:"Window"},b),splitButtonDivider:{backgroundColor:P.neutralTertiaryAlt},splitButtonMenuButton:{backgroundColor:P.white,border:"none",borderTopRightRadius:"0",borderBottomRightRadius:"0",color:P.neutralSecondary,":hover":(y={backgroundColor:P.neutralLighter,color:P.neutralDark},y[r.HighContrastSelector]={color:"Highlight"},y[".".concat(l.ButtonGlobalClassNames.msButtonIcon)]={color:P.neutralPrimary},y),":active":(_={backgroundColor:P.neutralLight},_[".".concat(l.ButtonGlobalClassNames.msButtonIcon)]={color:P.neutralPrimary},_)},splitButtonMenuButtonDisabled:(S={backgroundColor:P.white},S[r.HighContrastSelector]=n.__assign({color:"GrayText",border:"none",backgroundColor:"Window"},(0,r.getHighContrastNoAdjustStyle)()),S),splitButtonMenuButtonChecked:{backgroundColor:P.neutralLight,color:P.neutralDark,":hover":{backgroundColor:P.neutralQuaternaryAlt}},splitButtonMenuButtonExpanded:{backgroundColor:P.neutralLight,color:P.black,":hover":{backgroundColor:P.neutralQuaternaryAlt}},splitButtonMenuIcon:{color:P.neutralPrimary},splitButtonMenuIconDisabled:{color:P.neutralTertiary},label:{fontWeight:"normal"},icon:{color:P.themePrimary},menuIcon:{color:P.neutralSecondary}};return(0,r.concatStyleSets)(C,x,I,t)}))},98156:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.CommandButton=void 0;var n=o(29418);t.CommandButton=n.ActionButton},6412:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.CompoundButton=void 0;var n=o(31635),r=o(83923),i=o(63058),a=o(71061),s=o(32558),l=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return n.__extends(t,e),t.prototype.render=function(){var e=this.props,t=e.primary,o=void 0!==t&&t,a=e.styles,l=e.theme;return r.createElement(i.BaseButton,n.__assign({},this.props,{variantClassName:o?"ms-Button--compoundPrimary":"ms-Button--compound",styles:(0,s.getStyles)(l,a,o)}))},n.__decorate([(0,a.customizable)("CompoundButton",["theme","styles"],!0)],t)}(r.Component);t.CompoundButton=l},32558:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(31635),r=o(15019),i=o(71061),a=o(60500),s=o(45246),l=o(5233);t.getStyles=(0,i.memoizeFunction)((function(e,t,o){var i,c,u,d,p,m=e.fonts,g=e.palette,h=(0,a.getStyles)(e),f=(0,s.getStyles)(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:r.FontWeights.semibold},description:[m.small,{lineHeight:"100%"}]},b={description:{color:g.neutralSecondary},descriptionHovered:{color:g.neutralDark},descriptionPressed:{color:"inherit"},descriptionChecked:{color:"inherit"},descriptionDisabled:{color:"inherit"}},y={description:(i={color:g.white},i[r.HighContrastSelector]=n.__assign({backgroundColor:"WindowText",color:"Window"},(0,r.getHighContrastNoAdjustStyle)()),i),descriptionHovered:(c={color:g.white},c[r.HighContrastSelector]={backgroundColor:"Highlight",color:"Window"},c),descriptionPressed:(u={color:"inherit"},u[r.HighContrastSelector]=n.__assign({color:"Window",backgroundColor:"WindowText"},(0,r.getHighContrastNoAdjustStyle)()),u),descriptionChecked:(d={color:"inherit"},d[r.HighContrastSelector]=n.__assign({color:"Window",backgroundColor:"WindowText"},(0,r.getHighContrastNoAdjustStyle)()),d),descriptionDisabled:(p={color:"inherit"},p[r.HighContrastSelector]={color:"inherit"},p)};return(0,r.concatStyleSets)(h,v,o?(0,l.primaryStyles)(e):(0,l.standardStyles)(e),o?y:b,f,t)}))},22356:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DefaultButton=void 0;var n=o(31635),r=o(83923),i=o(63058),a=o(71061),s=o(7926),l=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return n.__extends(t,e),t.prototype.render=function(){var e=this.props,t=e.primary,o=void 0!==t&&t,l=e.styles,c=e.theme;return r.createElement(i.BaseButton,n.__assign({},this.props,{variantClassName:o?"ms-Button--primary":"ms-Button--default",styles:(0,s.getStyles)(c,l,o),onRenderDescription:a.nullRender}))},n.__decorate([(0,a.customizable)("DefaultButton",["theme","styles"],!0)],t)}(r.Component);t.DefaultButton=l},7926:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r=o(71061),i=o(60500),a=o(45246),s=o(5233);t.getStyles=(0,r.memoizeFunction)((function(e,t,o){var r=(0,i.getStyles)(e),l=(0,a.getStyles)(e),c={root:{minWidth:"80px",height:"32px"},label:{fontWeight:n.FontWeights.semibold}};return(0,n.concatStyleSets)(r,c,o?(0,s.primaryStyles)(e):(0,s.standardStyles)(e),l,t)}))},38032:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.IconButton=void 0;var n=o(31635),r=o(83923),i=o(63058),a=o(71061),s=o(50938),l=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return n.__extends(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.theme;return r.createElement(i.BaseButton,n.__assign({},this.props,{variantClassName:"ms-Button--icon",styles:(0,s.getStyles)(o,t),onRenderText:a.nullRender,onRenderDescription:a.nullRender}))},n.__decorate([(0,a.customizable)("IconButton",["theme","styles"],!0)],t)}(r.Component);t.IconButton=l},50938:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r=o(71061),i=o(60500),a=o(45246);t.getStyles=(0,r.memoizeFunction)((function(e,t){var o,r=(0,i.getStyles)(e),s=(0,a.getStyles)(e),l=e.palette,c={root:{padding:"0 4px",width:"32px",height:"32px",backgroundColor:"transparent",border:"none",color:e.semanticColors.link},rootHovered:(o={color:l.themeDarkAlt,backgroundColor:l.neutralLighter},o[n.HighContrastSelector]={borderColor:"Highlight",color:"Highlight"},o),rootHasMenu:{width:"auto"},rootPressed:{color:l.themeDark,backgroundColor:l.neutralLight},rootExpanded:{color:l.themeDark,backgroundColor:l.neutralLight},rootChecked:{color:l.themeDark,backgroundColor:l.neutralLight},rootCheckedHovered:{color:l.themeDark,backgroundColor:l.neutralQuaternaryAlt},rootDisabled:{color:l.neutralTertiaryAlt}};return(0,n.concatStyleSets)(r,c,s,t)}))},13954:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.MessageBarButton=void 0;var n=o(31635),r=o(83923),i=o(22356),a=o(71061),s=o(52548),l=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return n.__extends(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.theme;return r.createElement(i.DefaultButton,n.__assign({},this.props,{styles:(0,s.getStyles)(o,t),onRenderDescription:a.nullRender}))},n.__decorate([(0,a.customizable)("MessageBarButton",["theme","styles"],!0)],t)}(r.Component);t.MessageBarButton=l},52548:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r=o(71061);t.getStyles=(0,r.memoizeFunction)((function(e,t){return(0,n.concatStyleSets)({root:[(0,n.getFocusStyle)(e,{inset:1,highContrastStyle:{outlineOffset:"-4px",outline:"1px solid Window"},borderColor:"transparent"}),{height:24}]},t)}))},57624:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.PrimaryButton=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(22356),s=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return n.__extends(t,e),t.prototype.render=function(){return r.createElement(a.DefaultButton,n.__assign({},this.props,{primary:!0,onRenderDescription:i.nullRender}))},n.__decorate([(0,i.customizable)("PrimaryButton",["theme","styles"],!0)],t)}(r.Component);t.PrimaryButton=s},44700:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getSplitButtonClassNames=t.SplitButtonGlobalClassNames=void 0;var n=o(71061),r=o(15019);t.SplitButtonGlobalClassNames={msSplitButtonDivider:"ms-SplitButton-divider"},t.getSplitButtonClassNames=(0,n.memoizeFunction)((function(e,o,n,i,a){return{root:(0,r.mergeStyles)(e.splitButtonMenuButton,n&&[e.splitButtonMenuButtonExpanded],o&&[e.splitButtonMenuButtonDisabled],i&&!o&&[e.splitButtonMenuButtonChecked],a&&!o&&[{":focus":e.splitButtonMenuFocused}]),splitButtonContainer:(0,r.mergeStyles)(e.splitButtonContainer,!o&&i&&[e.splitButtonContainerChecked,{":hover":e.splitButtonContainerCheckedHovered}],!o&&!i&&[{":hover":e.splitButtonContainerHovered,":focus":e.splitButtonContainerFocused}],o&&e.splitButtonContainerDisabled),icon:(0,r.mergeStyles)(e.splitButtonMenuIcon,o&&e.splitButtonMenuIconDisabled,!o&&a&&e.splitButtonMenuIcon),flexContainer:(0,r.mergeStyles)(e.splitButtonFlexContainer),divider:(0,r.mergeStyles)(t.SplitButtonGlobalClassNames.msSplitButtonDivider,e.splitButtonDivider,(a||o)&&e.splitButtonDividerDisabled)}}))},45246:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(31635),r=o(15019),i=o(71061);t.getStyles=(0,i.memoizeFunction)((function(e,t){var o,i,a,s,l,c,u,d,p,m,g,h,f,v,b,y,_=e.effects,S=e.palette,C=e.semanticColors,x={left:-2,top:-2,bottom:-2,right:-2,border:"none"},P={position:"absolute",width:1,right:31,top:8,bottom:8},k={splitButtonContainer:[(0,r.getFocusStyle)(e,{highContrastStyle:x,inset:2,pointerEvents:"none"}),{display:"inline-flex",".ms-Button--default":{borderTopRightRadius:"0",borderBottomRightRadius:"0",borderRight:"none",flexGrow:"1"},".ms-Button--primary":(o={borderTopRightRadius:"0",borderBottomRightRadius:"0",border:"none",flexGrow:"1",":hover":{border:"none"},":active":{border:"none"}},o[r.HighContrastSelector]=n.__assign(n.__assign({color:"WindowText",backgroundColor:"Window",border:"1px solid WindowText",borderRightWidth:"0"},(0,r.getHighContrastNoAdjustStyle)()),{":hover":{backgroundColor:"Highlight",border:"1px solid Highlight",borderRightWidth:"0",color:"HighlightText"},":active":{border:"1px solid Highlight"}}),o),".ms-Button--default + .ms-Button":(i={},i[r.HighContrastSelector]={border:"1px solid WindowText",borderLeftWidth:"0",":hover":{backgroundColor:"HighlightText",borderColor:"Highlight",color:"Highlight",".ms-Button-menuIcon":n.__assign({backgroundColor:"HighlightText",color:"Highlight"},(0,r.getHighContrastNoAdjustStyle)())}},i),'.ms-Button--default + .ms-Button[aria-expanded="true"]':(a={},a[r.HighContrastSelector]={backgroundColor:"HighlightText",borderColor:"Highlight",color:"Highlight",".ms-Button-menuIcon":n.__assign({backgroundColor:"HighlightText",color:"Highlight"},(0,r.getHighContrastNoAdjustStyle)())},a),".ms-Button--primary + .ms-Button":(s={border:"none"},s[r.HighContrastSelector]={border:"1px solid WindowText",borderLeftWidth:"0",":hover":{borderLeftWidth:"0",backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText",".ms-Button-menuIcon":n.__assign(n.__assign({},(0,r.getHighContrastNoAdjustStyle)()),{color:"HighlightText"})}},s),'.ms-Button--primary + .ms-Button[aria-expanded="true"]':n.__assign(n.__assign({backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},(0,r.getHighContrastNoAdjustStyle)()),{".ms-Button-menuIcon":{color:"HighlightText"}}),".ms-Button.is-disabled":(l={},l[r.HighContrastSelector]={color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},l)}],splitButtonContainerHovered:{".ms-Button--default.is-disabled":(c={backgroundColor:C.buttonBackgroundDisabled,color:C.buttonTextDisabled},c[r.HighContrastSelector]={color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},c),".ms-Button--primary.is-disabled":(u={backgroundColor:C.primaryButtonBackgroundDisabled,color:C.primaryButtonTextDisabled},u[r.HighContrastSelector]={color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},u)},splitButtonContainerChecked:{".ms-Button--primary":(d={},d[r.HighContrastSelector]=n.__assign({color:"Window",backgroundColor:"WindowText"},(0,r.getHighContrastNoAdjustStyle)()),d)},splitButtonContainerCheckedHovered:{".ms-Button--primary":(p={},p[r.HighContrastSelector]=n.__assign({color:"Window",backgroundColor:"WindowText"},(0,r.getHighContrastNoAdjustStyle)()),p)},splitButtonContainerFocused:{outline:"none!important"},splitButtonMenuButton:(m={padding:6,height:"auto",boxSizing:"border-box",borderRadius:0,borderTopRightRadius:_.roundedCorner2,borderBottomRightRadius:_.roundedCorner2,border:"1px solid ".concat(S.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},m[r.HighContrastSelector]={".ms-Button-menuIcon":{color:"WindowText"}},m),splitButtonDivider:n.__assign(n.__assign({},P),(g={},g[r.HighContrastSelector]={backgroundColor:"WindowText"},g)),splitButtonDividerDisabled:n.__assign(n.__assign({},P),(h={},h[r.HighContrastSelector]={backgroundColor:"GrayText"},h)),splitButtonMenuButtonDisabled:(f={pointerEvents:"none",border:"none",":hover":{cursor:"default"},".ms-Button--primary":(v={},v[r.HighContrastSelector]={color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},v),".ms-Button-menuIcon":(b={},b[r.HighContrastSelector]={color:"GrayText"},b)},f[r.HighContrastSelector]={color:"GrayText",border:"1px solid GrayText",backgroundColor:"Window"},f),splitButtonFlexContainer:{display:"flex",height:"100%",flexWrap:"nowrap",justifyContent:"center",alignItems:"center"},splitButtonContainerDisabled:(y={outline:"none",border:"none"},y[r.HighContrastSelector]=n.__assign({color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},(0,r.getHighContrastNoAdjustStyle)()),y),splitButtonMenuFocused:n.__assign({},(0,r.getFocusStyle)(e,{highContrastStyle:x,inset:2}))};return(0,r.concatStyleSets)(k,t)}))},79259:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ButtonGlobalClassNames=void 0;var n=o(31635);n.__exportStar(o(63058),t),n.__exportStar(o(18972),t),n.__exportStar(o(98395),t),n.__exportStar(o(29418),t),n.__exportStar(o(96410),t),n.__exportStar(o(98156),t),n.__exportStar(o(6412),t),n.__exportStar(o(22356),t),n.__exportStar(o(13954),t),n.__exportStar(o(57624),t),n.__exportStar(o(38032),t),n.__exportStar(o(44700),t);var r=o(21550);Object.defineProperty(t,"ButtonGlobalClassNames",{enumerable:!0,get:function(){return r.ButtonGlobalClassNames}})},76420:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.CalendarBase=void 0;var n=o(31635),r=o(83923),i=o(6517),a=o(78686),s=o(19066),l=o(52332),c=o(25698),u=o(76071),d=(0,l.classNamesFunction)(),p=[i.DayOfWeek.Monday,i.DayOfWeek.Tuesday,i.DayOfWeek.Wednesday,i.DayOfWeek.Thursday,i.DayOfWeek.Friday],m={isMonthPickerVisible:!0,isDayPickerVisible:!0,showMonthPickerAsOverlay:!1,today:new Date,firstDayOfWeek:i.DayOfWeek.Sunday,dateRangeType:i.DateRangeType.Day,showGoToToday:!0,strings:i.DEFAULT_CALENDAR_STRINGS,highlightCurrentMonth:!1,highlightSelectedMonth:!1,navigationIcons:u.defaultCalendarNavigationIcons,showWeekNumbers:!1,firstWeekOfYear:i.FirstWeekOfYear.FirstDay,dateTimeFormatter:i.DEFAULT_DATE_FORMATTING,showSixWeeksByDefault:!1,workWeekDays:p,showCloseButton:!1,allFocusable:!1};function g(e){var t=e.showMonthPickerAsOverlay,o=e.isDayPickerVisible,n=(0,l.getWindow)();return t||o&&n&&n.innerWidth<=440}t.CalendarBase=r.forwardRef((function(e,t){var o=(0,l.getPropsWithDefaults)(m,e),u=function(e){var t=e.value,o=e.today,n=e.onSelectDate,i=r.useMemo((function(){return void 0===o?new Date:o}),[o]),a=(0,c.useControllableValue)(t,i),s=a[0],l=void 0===s?i:s,u=a[1],d=r.useState(t),p=d[0],m=void 0===p?i:p,g=d[1],h=r.useState(t),f=h[0],v=void 0===f?i:f,b=h[1],y=r.useState(t),_=y[0],S=void 0===_?i:_,C=y[1];return t&&S.valueOf()!==t.valueOf()&&(g(t),b(t),C(t)),[l,m,v,function(e,t){b(e),g(e),u(e),null==n||n(e,t)},function(e){b(e),g(e)},function(e){b(e)}]}(o),p=u[0],h=u[1],f=u[2],v=u[3],b=u[4],y=u[5],_=function(e){var t=(0,c.useControllableValue)(g(e)?void 0:e.isMonthPickerVisible,!1),o=t[0],n=void 0===o||o,r=t[1],i=(0,c.useControllableValue)(g(e)?void 0:e.isDayPickerVisible,!0),a=i[0],s=void 0===a||a,l=i[1];return[n,s,function(){r(!n),l(!s)}]}(o),S=_[0],C=_[1],x=_[2],P=function(e,t,o){var n=e.componentRef,i=r.useRef(null),a=r.useRef(null),s=r.useRef(!1),c=r.useCallback((function(){t&&i.current?(0,l.focusAsync)(i.current):o&&a.current&&(0,l.focusAsync)(a.current)}),[t,o]);return r.useImperativeHandle(n,(function(){return{focus:c}}),[c]),r.useEffect((function(){s.current&&(c(),s.current=!1)})),[i,a,function(){s.current=!0}]}(o,C,S),k=P[0],I=P[1],w=P[2],T=function(){var e=B;return e&&$&&(e=h.getFullYear()!==$.getFullYear()||h.getMonth()!==$.getMonth()||f.getFullYear()!==$.getFullYear()||f.getMonth()!==$.getMonth()),B&&r.createElement("button",{className:(0,l.css)("js-goToday",ne.goTodayButton),onClick:D,onKeyDown:M(D),type:"button",disabled:!e},F.goToToday)},E=g(o)?function(){x(),w()}:void 0,D=function(){b($),w()},M=function(e){return function(t){switch(t.which){case l.KeyCodes.enter:case l.KeyCodes.space:e()}}},O=o.firstDayOfWeek,R=o.dateRangeType,F=o.strings,B=o.showGoToToday,A=o.highlightCurrentMonth,N=o.highlightSelectedMonth,L=o.navigationIcons,H=o.minDate,j=o.maxDate,z=o.restrictedDates,W=o.id,V=o.className,K=o.showCloseButton,G=o.allFocusable,U=o.styles,Y=o.showWeekNumbers,q=o.theme,X=o.calendarDayProps,Z=o.calendarMonthProps,Q=o.dateTimeFormatter,J=o.today,$=void 0===J?new Date:J,ee=g(o),te=!ee&&!C,oe=ee&&B,ne=d(U,{theme:q,className:V,isMonthPickerVisible:S,isDayPickerVisible:C,monthPickerOnly:te,showMonthPickerAsOverlay:ee,overlaidWithButton:oe,overlayedWithButton:oe,showGoToToday:B,showWeekNumbers:Y}),re="",ie="";if(Q&&F.todayDateFormatString&&(re=(0,l.format)(F.todayDateFormatString,Q.formatMonthDayYear($,F))),Q&&F.selectedDateFormatString){var ae=te?Q.formatMonthYear:Q.formatMonthDayYear;ie=(0,l.format)(F.selectedDateFormatString,ae(p,F))}var se=ie+", "+re;return r.createElement("div",{id:W,ref:t,role:"group","aria-label":se,className:(0,l.css)("ms-DatePicker",ne.root,V,"ms-slideDownIn10"),onKeyDown:function(e){var t;switch(e.which){case l.KeyCodes.enter:case l.KeyCodes.backspace:e.preventDefault();break;case l.KeyCodes.escape:null===(t=o.onDismiss)||void 0===t||t.call(o);break;case l.KeyCodes.pageUp:e.ctrlKey?b((0,i.addYears)(h,1)):b((0,i.addMonths)(h,1)),e.preventDefault();break;case l.KeyCodes.pageDown:e.ctrlKey?b((0,i.addYears)(h,-1)):b((0,i.addMonths)(h,-1)),e.preventDefault()}}},r.createElement("div",{className:ne.liveRegion,"aria-live":"polite","aria-atomic":"true"},r.createElement("span",null,ie)),C&&r.createElement(a.CalendarDay,n.__assign({selectedDate:p,navigatedDate:h,today:o.today,onSelectDate:v,onNavigateDate:function(e,t){b(e),t&&w()},onDismiss:o.onDismiss,firstDayOfWeek:O,dateRangeType:R,strings:F,onHeaderSelect:E,navigationIcons:L,showWeekNumbers:o.showWeekNumbers,firstWeekOfYear:o.firstWeekOfYear,dateTimeFormatter:o.dateTimeFormatter,showSixWeeksByDefault:o.showSixWeeksByDefault,minDate:H,maxDate:j,restrictedDates:z,workWeekDays:o.workWeekDays,componentRef:k,showCloseButton:K,allFocusable:G},X)),C&&S&&r.createElement("div",{className:ne.divider}),S?r.createElement("div",{className:ne.monthPickerWrapper},r.createElement(s.CalendarMonth,n.__assign({navigatedDate:f,selectedDate:h,strings:F,onNavigateDate:function(e,t){t&&w(),t?(te&&v(e),b(e)):y(e)},today:o.today,highlightCurrentMonth:A,highlightSelectedMonth:N,onHeaderSelect:E,navigationIcons:L,dateTimeFormatter:o.dateTimeFormatter,minDate:H,maxDate:j,componentRef:I},Z)),T()):T(),r.createElement(l.FocusRects,null))})),t.CalendarBase.displayName="CalendarBase"},82135:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Calendar=void 0;var n=o(52332),r=o(76420),i=o(77083);t.Calendar=(0,n.styled)(r.CalendarBase,i.styles,void 0,{scope:"Calendar"})},77083:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.styles=void 0;var n=o(83048);t.styles=function(e){var t,o=e.className,r=e.theme,i=e.isDayPickerVisible,a=e.isMonthPickerVisible,s=e.showWeekNumbers,l=r.palette,c=i&&a?440:220;return s&&i&&(c+=30),{root:[n.normalize,{display:"flex",width:c},!a&&{flexDirection:"column"},o],divider:{top:0,borderRight:"1px solid",borderColor:l.neutralLight},monthPickerWrapper:[{display:"flex",flexDirection:"column"}],goTodayButton:[(0,n.getFocusStyle)(r,{inset:-1}),{bottom:0,color:l.neutralPrimary,height:30,lineHeight:30,backgroundColor:"transparent",border:"none",boxSizing:"content-box",padding:"0 4px",alignSelf:"flex-end",marginRight:16,marginTop:3,fontSize:n.FontSizes.small,fontFamily:"inherit",overflow:"visible",selectors:{"& div":{fontSize:n.FontSizes.small},"&:hover":{color:l.themePrimary,backgroundColor:"transparent",cursor:"pointer",selectors:(t={},t[n.HighContrastSelector]={outline:"1px solid Buttontext",borderRadius:"2px"},t)},"&:active":{color:l.themeDark},"&:disabled":{color:l.neutralTertiaryAlt,pointerEvents:"none"}}}],liveRegion:{border:0,height:"1px",margin:"-1px",overflow:"hidden",padding:0,width:"1px",position:"absolute"}}}},98752:(e,t)=>{"use strict";var o;Object.defineProperty(t,"__esModule",{value:!0}),t.AnimationDirection=void 0,(o=t.AnimationDirection||(t.AnimationDirection={}))[o.Horizontal=0]="Horizontal",o[o.Vertical=1]="Vertical"},21219:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.CalendarDayBase=void 0;var n=o(31635),r=o(83923),i=o(52332),a=o(30936),s=o(6517),l=o(67033),c=o(25698),u=(0,i.classNamesFunction)();t.CalendarDayBase=function(e){var t=r.useRef(null);r.useImperativeHandle(e.componentRef,(function(){return{focus:function(){var e,o;null===(o=null===(e=t.current)||void 0===e?void 0:e.focus)||void 0===o||o.call(e)}}}),[]);var o=e.strings,a=e.navigatedDate,s=e.dateTimeFormatter,m=e.styles,g=e.theme,h=e.className,f=e.onHeaderSelect,v=e.showSixWeeksByDefault,b=e.minDate,y=e.maxDate,_=e.restrictedDates,S=e.onNavigateDate,C=e.showWeekNumbers,x=e.dateRangeType,P=e.animationDirection,k=(0,c.useId)(),I=u(m,{theme:g,className:h,headerIsClickable:!!f,showWeekNumbers:C,animationDirection:P}),w=s.formatMonthYear(a,o),T=f?"button":"div",E=o.yearPickerHeaderAriaLabel?(0,i.format)(o.yearPickerHeaderAriaLabel,w):w;return r.createElement("div",{className:I.root},r.createElement("div",{className:I.header},r.createElement(T,{"aria-label":f?E:void 0,className:I.monthAndYear,onClick:f,"data-is-focusable":!!f,tabIndex:f?0:-1,onKeyDown:p(f),type:"button"},r.createElement("span",{id:k,"aria-live":"polite","aria-atomic":"true"},w)),r.createElement(d,n.__assign({},e,{classNames:I}))),r.createElement(l.CalendarDayGrid,n.__assign({},e,{styles:m,componentRef:t,strings:o,navigatedDate:a,weeksToShow:v?6:void 0,dateTimeFormatter:s,minDate:b,maxDate:y,restrictedDates:_,onNavigateDate:S,labelledBy:k,dateRangeType:x})))},t.CalendarDayBase.displayName="CalendarDayBase";var d=function(e){var t,o,n=e.minDate,l=e.maxDate,c=e.navigatedDate,u=e.allFocusable,d=e.strings,m=e.navigationIcons,g=e.showCloseButton,h=e.classNames,f=e.onNavigateDate,v=e.onDismiss,b=function(){f((0,s.addMonths)(c,1),!1)},y=function(){f((0,s.addMonths)(c,-1),!1)},_=m.leftNavigation,S=m.rightNavigation,C=m.closeIcon,x=!n||(0,s.compareDatePart)(n,(0,s.getMonthStart)(c))<0,P=!l||(0,s.compareDatePart)((0,s.getMonthEnd)(c),l)<0;return r.createElement("div",{className:h.monthComponents},r.createElement("button",{className:(0,i.css)(h.headerIconButton,(t={},t[h.disabledStyle]=!x,t)),tabIndex:x?void 0:u?0:-1,"aria-disabled":!x,onClick:x?y:void 0,onKeyDown:x?p(y):void 0,title:d.prevMonthAriaLabel?d.prevMonthAriaLabel+" "+d.months[(0,s.addMonths)(c,-1).getMonth()]:void 0,type:"button"},r.createElement(a.Icon,{iconName:_})),r.createElement("button",{className:(0,i.css)(h.headerIconButton,(o={},o[h.disabledStyle]=!P,o)),tabIndex:P?void 0:u?0:-1,"aria-disabled":!P,onClick:P?b:void 0,onKeyDown:P?p(b):void 0,title:d.nextMonthAriaLabel?d.nextMonthAriaLabel+" "+d.months[(0,s.addMonths)(c,1).getMonth()]:void 0,type:"button"},r.createElement(a.Icon,{iconName:S})),g&&r.createElement("button",{className:(0,i.css)(h.headerIconButton),onClick:v,onKeyDown:p(v),title:d.closeButtonAriaLabel,type:"button"},r.createElement(a.Icon,{iconName:C})))};d.displayName="CalendarDayNavigationButtons";var p=function(e){return function(t){t.which===i.KeyCodes.enter&&(null==e||e())}}},78686:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.CalendarDay=void 0;var n=o(21219),r=o(28920),i=o(71061);t.CalendarDay=(0,i.styled)(n.CalendarDayBase,r.styles,void 0,{scope:"CalendarDay"})},28920:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.styles=void 0;var n=o(31635),r=o(83048);t.styles=function(e){var t,o=e.className,i=e.theme,a=e.headerIsClickable,s=e.showWeekNumbers,l=i.palette,c={selectors:(t={"&, &:disabled, & button":{color:l.neutralTertiaryAlt,pointerEvents:"none"}},t[r.HighContrastSelector]={color:"GrayText",forcedColorAdjust:"none"},t)};return{root:[r.normalize,{width:196,padding:12,boxSizing:"content-box"},s&&{width:226},o],header:{position:"relative",display:"inline-flex",height:28,lineHeight:44,width:"100%"},monthAndYear:[(0,r.getFocusStyle)(i,{inset:1}),n.__assign(n.__assign({},r.AnimationStyles.fadeIn200),{alignItems:"center",fontSize:r.FontSizes.medium,fontFamily:"inherit",color:l.neutralPrimary,display:"inline-block",flexGrow:1,fontWeight:r.FontWeights.semibold,padding:"0 4px 0 10px",border:"none",backgroundColor:"transparent",borderRadius:2,lineHeight:28,overflow:"hidden",whiteSpace:"nowrap",textAlign:"left",textOverflow:"ellipsis"}),a&&{selectors:{"&:hover":{cursor:"pointer",background:l.neutralLight,color:l.black}}}],monthComponents:{display:"inline-flex",alignSelf:"flex-end"},headerIconButton:[(0,r.getFocusStyle)(i,{inset:-1}),{width:28,height:28,display:"block",textAlign:"center",lineHeight:28,fontSize:r.FontSizes.small,fontFamily:"inherit",color:l.neutralPrimary,borderRadius:2,position:"relative",backgroundColor:"transparent",border:"none",padding:0,overflow:"visible",selectors:{"&:hover":{color:l.neutralDark,backgroundColor:l.neutralLight,cursor:"pointer",outline:"1px solid transparent"}}}],disabledStyle:c}}},25817:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},43639:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.CalendarMonthBase=void 0;var n=o(83923),r=o(80371),i=o(6517),a=o(30936),s=o(95772),l=o(52332),c=o(53086),u=o(25698),d=o(76071),p=(0,l.classNamesFunction)(),m={styles:s.getStyles,strings:void 0,navigationIcons:d.defaultCalendarNavigationIcons,dateTimeFormatter:i.DEFAULT_DATE_FORMATTING,yearPickerHidden:!1};function g(e,t,o){return o.getFullYear()===t&&o.getMonth()===e}function h(e){return function(t){t.which===l.KeyCodes.enter&&e()}}t.CalendarMonthBase=function(e){var t,o,s=(0,l.getPropsWithDefaults)(m,e),d=function(e){var t=e.componentRef,o=n.useRef(null),r=n.useRef(null),i=n.useRef(!1),a=n.useCallback((function(){r.current?r.current.focus():o.current&&o.current.focus()}),[]);return n.useImperativeHandle(t,(function(){return{focus:a}}),[a]),n.useEffect((function(){i.current&&(a(),i.current=!1)})),[o,r,function(){i.current=!0}]}(s),f=d[0],v=d[1],b=d[2],y=n.useState(!1),_=y[0],S=y[1],C=function(e){var t=e.navigatedDate.getFullYear(),o=(0,u.usePrevious)(t);return void 0===o||o===t?void 0:o>t}(s),x=s.navigatedDate,P=s.selectedDate,k=s.strings,I=s.today,w=void 0===I?new Date:I,T=s.navigationIcons,E=s.dateTimeFormatter,D=s.minDate,M=s.maxDate,O=s.theme,R=s.styles,F=s.className,B=s.allFocusable,A=s.highlightCurrentMonth,N=s.highlightSelectedMonth,L=s.animationDirection,H=s.yearPickerHidden,j=s.onNavigateDate,z=function(e){return function(){return K(e)}},W=function(){j((0,i.addYears)(x,1),!1)},V=function(){j((0,i.addYears)(x,-1),!1)},K=function(e){var t;null===(t=s.onHeaderSelect)||void 0===t||t.call(s),j((0,i.setMonth)(x,e),!0)},G=function(){var e;H?null===(e=s.onHeaderSelect)||void 0===e||e.call(s):(b(),S(!0))},U=T.leftNavigation,Y=T.rightNavigation,q=E,X=!D||(0,i.compareDatePart)(D,(0,i.getYearStart)(x))<0,Z=!M||(0,i.compareDatePart)((0,i.getYearEnd)(x),M)<0,Q=p(R,{theme:O,className:F,hasHeaderClickCallback:!!s.onHeaderSelect||!H,highlightCurrent:A,highlightSelected:N,animateBackwards:C,animationDirection:L});if(_){var J=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"".concat(r(e.fromYear)," - ").concat(r(e.toYear))};return[r,{rangeAriaLabel:i,prevRangeAriaLabel:function(e){return t.prevYearRangeAriaLabel?"".concat(t.prevYearRangeAriaLabel," ").concat(i(e)):""},nextRangeAriaLabel:function(e){return t.nextYearRangeAriaLabel?"".concat(t.nextYearRangeAriaLabel," ").concat(i(e)):""},headerAriaLabelFormatString:t.yearPickerHeaderAriaLabel}]}(s),$=J[0],ee=J[1];return n.createElement(c.CalendarYear,{key:"calendarYear",minYear:D?D.getFullYear():void 0,maxYear:M?M.getFullYear():void 0,onSelectYear:function(e){if(b(),x.getFullYear()!==e){var t=new Date(x.getTime());t.setFullYear(e),M&&t>M?t=(0,i.setMonth)(t,M.getMonth()):D&&t{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.CalendarMonth=void 0;var n=o(43639),r=o(95772),i=o(71061);t.CalendarMonth=(0,i.styled)(n.CalendarMonthBase,r.getStyles,void 0,{scope:"CalendarMonth"})},95772:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(37094);t.getStyles=function(e){return(0,n.getStyles)(e)}},2941:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},37094:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(31635),r=o(83048),i=o(98752);t.getStyles=function(e){var t,o,a,s,l,c,u,d=e.className,p=e.theme,m=e.hasHeaderClickCallback,g=e.highlightCurrent,h=e.highlightSelected,f=e.animateBackwards,v=e.animationDirection,b=p.palette,y={};void 0!==f&&(y=v===i.AnimationDirection.Horizontal?f?r.AnimationStyles.slideRightIn20:r.AnimationStyles.slideLeftIn20:f?r.AnimationStyles.slideDownIn20:r.AnimationStyles.slideUpIn20);var _=void 0!==f?r.AnimationStyles.fadeIn200:{};return{root:[r.normalize,{width:196,padding:12,boxSizing:"content-box",overflow:"hidden"},d],headerContainer:{display:"flex"},currentItemButton:[(0,r.getFocusStyle)(p,{inset:-1}),n.__assign(n.__assign({},_),{fontSize:r.FontSizes.medium,fontWeight:r.FontWeights.semibold,fontFamily:"inherit",textAlign:"left",color:"inherit",backgroundColor:"transparent",flexGrow:1,padding:"0 4px 0 10px",border:"none",overflow:"visible"}),m&&{selectors:{"&:hover, &:active":{cursor:m?"pointer":"default",color:b.neutralDark,outline:"1px solid transparent",backgroundColor:b.neutralLight}}}],navigationButtonsContainer:{display:"flex",alignItems:"center"},navigationButton:[(0,r.getFocusStyle)(p,{inset:-1}),{fontFamily:"inherit",width:28,minWidth:28,height:28,minHeight:28,display:"block",textAlign:"center",lineHeight:28,fontSize:r.FontSizes.small,color:b.neutralPrimary,borderRadius:2,position:"relative",backgroundColor:"transparent",border:"none",padding:0,overflow:"visible",selectors:{"&:hover":{color:b.neutralDark,cursor:"pointer",outline:"1px solid transparent",backgroundColor:b.neutralLight}}}],gridContainer:{marginTop:4},buttonRow:n.__assign(n.__assign({},y),{marginBottom:16,selectors:{"&:nth-child(n + 3)":{marginBottom:0}}}),itemButton:[(0,r.getFocusStyle)(p,{inset:-1}),{width:40,height:40,minWidth:40,minHeight:40,lineHeight:40,fontSize:r.FontSizes.small,fontFamily:"inherit",padding:0,margin:"0 12px 0 0",color:b.neutralPrimary,backgroundColor:"transparent",border:"none",borderRadius:2,overflow:"visible",selectors:{"&:nth-child(4n + 4)":{marginRight:0},"&:nth-child(n + 9)":{marginBottom:0},"& div":{fontWeight:r.FontWeights.regular},"&:hover":{color:b.neutralDark,backgroundColor:b.neutralLight,cursor:"pointer",outline:"1px solid transparent",selectors:(t={},t[r.HighContrastSelector]=n.__assign({background:"Window",color:"WindowText",outline:"1px solid Highlight"},(0,r.getHighContrastNoAdjustStyle)()),t)},"&:active":{backgroundColor:b.themeLight,selectors:(o={},o[r.HighContrastSelector]=n.__assign({background:"Window",color:"Highlight"},(0,r.getHighContrastNoAdjustStyle)()),o)}}}],current:g?{color:b.white,backgroundColor:b.themePrimary,selectors:(a={"& div":{fontWeight:r.FontWeights.semibold},"&:hover":{backgroundColor:b.themePrimary,selectors:(s={},s[r.HighContrastSelector]=n.__assign({backgroundColor:"WindowText",color:"Window"},(0,r.getHighContrastNoAdjustStyle)()),s)}},a[r.HighContrastSelector]=n.__assign({backgroundColor:"WindowText",color:"Window"},(0,r.getHighContrastNoAdjustStyle)()),a)}:{},selected:h?{color:b.neutralPrimary,backgroundColor:b.themeLight,fontWeight:r.FontWeights.semibold,selectors:(l={"& div":{fontWeight:r.FontWeights.semibold},"&:hover, &:active":{backgroundColor:b.themeLight,selectors:(c={},c[r.HighContrastSelector]=n.__assign({color:"Window",background:"Highlight"},(0,r.getHighContrastNoAdjustStyle)()),c)}},l[r.HighContrastSelector]=n.__assign({background:"Highlight",color:"Window"},(0,r.getHighContrastNoAdjustStyle)()),l)}:{},disabled:{selectors:(u={"&, &:disabled, & button":{color:b.neutralTertiaryAlt,pointerEvents:"none"}},u[r.HighContrastSelector]={color:"GrayText",forcedColorAdjust:"none"},u)}}}},71143:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},37475:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.CalendarYearBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(80371),s=o(30936),l=o(25698),c=o(76071),u=(0,i.classNamesFunction)(),d={prevRangeAriaLabel:void 0,nextRangeAriaLabel:void 0},p=function(e){var t,o,n=e.styles,a=e.theme,s=e.className,l=e.highlightCurrentYear,c=e.highlightSelectedYear,d=e.year,p=e.selected,m=e.disabled,g=e.componentRef,h=e.onSelectYear,f=e.onRenderYear,v=r.useRef(null);r.useImperativeHandle(g,(function(){return{focus:function(){var e,t;null===(t=null===(e=v.current)||void 0===e?void 0:e.focus)||void 0===t||t.call(e)}}}),[]);var b=u(n,{theme:a,className:s,highlightCurrent:l,highlightSelected:c});return r.createElement("button",{className:(0,i.css)(b.itemButton,(t={},t[b.selected]=p,t[b.disabled]=m,t)),type:"button",role:"gridcell",onClick:m?void 0:function(){null==h||h(d)},onKeyDown:m?void 0:function(e){e.which===i.KeyCodes.enter&&(null==h||h(d))},disabled:m,"aria-selected":p,ref:v},null!==(o=null==f?void 0:f(d))&&void 0!==o?o:d)};p.displayName="CalendarYearGridCell";var m,g=function(e){var t=e.styles,o=e.theme,i=e.className,s=e.fromYear,l=e.toYear,c=e.animationDirection,d=e.animateBackwards,m=e.minYear,g=e.maxYear,h=e.onSelectYear,f=e.selectedYear,v=e.componentRef,b=r.useRef(null),y=r.useRef(null);r.useImperativeHandle(v,(function(){return{focus:function(){var e,t;null===(t=null===(e=b.current||y.current)||void 0===e?void 0:e.focus)||void 0===t||t.call(e)}}}),[]);for(var _,S,C,x,P=u(t,{theme:o,className:i,animateBackwards:d,animationDirection:c}),k=function(t){var o,n;return null!==(n=null===(o=e.onRenderYear)||void 0===o?void 0:o.call(e,t))&&void 0!==n?n:t},I="".concat(k(s)," - ").concat(k(l)),w=s,T=[],E=0;E<(l-s+1)/4;E++){T.push([]);for(var D=0;D<4;D++)T[E].push((void 0,void 0,void 0,S=(_=w)===f,C=void 0!==m&&_g,x=_===(new Date).getFullYear(),r.createElement(p,n.__assign({},e,{key:_,year:_,selected:S,current:x,disabled:C,onSelectYear:h,componentRef:S?b:x?y:void 0,theme:o})))),w++}return r.createElement(a.FocusZone,null,r.createElement("div",{className:P.gridContainer,role:"grid","aria-label":I},T.map((function(e,t){return r.createElement.apply(r,n.__spreadArray(["div",{key:"yearPickerRow_"+t+"_"+s,role:"row",className:P.buttonRow}],e,!1))}))))};g.displayName="CalendarYearGrid",function(e){e[e.Previous=0]="Previous",e[e.Next=1]="Next"}(m||(m={}));var h=function(e){var t,o=e.styles,n=e.theme,a=e.className,l=e.navigationIcons,p=void 0===l?c.defaultCalendarNavigationIcons:l,g=e.strings,h=void 0===g?d:g,f=e.direction,v=e.onSelectPrev,b=e.onSelectNext,y=e.fromYear,_=e.toYear,S=e.maxYear,C=e.minYear,x=u(o,{theme:n,className:a}),P=f===m.Previous?h.prevRangeAriaLabel:h.nextRangeAriaLabel,k=f===m.Previous?-12:12,I=P?"string"==typeof P?P:P({fromYear:y+k,toYear:_+k}):void 0,w=f===m.Previous?void 0!==C&&yS,T=function(){f===m.Previous?null==v||v():null==b||b()},E=(0,i.getRTL)()?f===m.Next:f===m.Previous;return r.createElement("button",{className:(0,i.css)(x.navigationButton,(t={},t[x.disabled]=w,t)),onClick:w?void 0:T,onKeyDown:w?void 0:function(e){e.which===i.KeyCodes.enter&&T()},type:"button",title:I,disabled:w},r.createElement(s.Icon,{iconName:E?p.leftNavigation:p.rightNavigation}))};h.displayName="CalendarYearNavArrow";var f=function(e){var t=e.styles,o=e.theme,i=e.className,a=u(t,{theme:o,className:i});return r.createElement("div",{className:a.navigationButtonsContainer},r.createElement(h,n.__assign({},e,{direction:m.Previous})),r.createElement(h,n.__assign({},e,{direction:m.Next})))};f.displayName="CalendarYearNav";var v=function(e){var t=e.styles,o=e.theme,n=e.className,a=e.fromYear,s=e.toYear,l=e.strings,c=void 0===l?d:l,p=e.animateBackwards,m=e.animationDirection,g=function(){var t;null===(t=e.onHeaderSelect)||void 0===t||t.call(e,!0)},h=function(t){var o,n;return null!==(n=null===(o=e.onRenderYear)||void 0===o?void 0:o.call(e,t))&&void 0!==n?n:t},f=u(t,{theme:o,className:n,hasHeaderClickCallback:!!e.onHeaderSelect,animateBackwards:p,animationDirection:m});if(e.onHeaderSelect){var v=c.rangeAriaLabel,b=c.headerAriaLabelFormatString,y=v?"string"==typeof v?v:v(e):void 0,_=b?(0,i.format)(b,y):y;return r.createElement("button",{className:f.currentItemButton,onClick:g,onKeyDown:function(e){e.which!==i.KeyCodes.enter&&e.which!==i.KeyCodes.space||g()},"aria-label":_,role:"button",type:"button"},r.createElement("span",{"aria-live":"assertive","aria-atomic":"true"},h(a)," - ",h(s)))}return r.createElement("div",{className:f.current},h(a)," - ",h(s))};v.displayName="CalendarYearTitle";var b=function(e){var t,o=e.styles,i=e.theme,a=e.className,s=e.animateBackwards,l=e.animationDirection,c=e.onRenderTitle,d=u(o,{theme:i,className:a,hasHeaderClickCallback:!!e.onHeaderSelect,animateBackwards:s,animationDirection:l});return r.createElement("div",{className:d.headerContainer},null!==(t=null==c?void 0:c(e))&&void 0!==t?t:r.createElement(v,n.__assign({},e)),r.createElement(f,n.__assign({},e)))};b.displayName="CalendarYearHeader",t.CalendarYearBase=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,l.usePrevious)(r);return i&&i!==r?i>r:void 0}(e),o=function(e){var t=e.selectedYear,o=e.navigatedYear,n=r.useMemo((function(){return t||o||10*Math.floor((new Date).getFullYear()/10)}),[o,t]),i=r.useState(n),a=i[0],s=i[1];return r.useEffect((function(){s(n)}),[n]),[a,a+12-1,function(){s((function(e){return e+12}))},function(){s((function(e){return e-12}))}]}(e),i=o[0],a=o[1],s=o[2],c=o[3],d=r.useRef(null);r.useImperativeHandle(e.componentRef,(function(){return{focus:function(){var e,t;null===(t=null===(e=d.current)||void 0===e?void 0:e.focus)||void 0===t||t.call(e)}}}));var p=e.styles,m=e.theme,h=e.className,f=u(p,{theme:m,className:h});return r.createElement("div",{className:f.root},r.createElement(b,n.__assign({},e,{fromYear:i,toYear:a,onSelectPrev:c,onSelectNext:s,animateBackwards:t})),r.createElement(g,n.__assign({},e,{fromYear:i,toYear:a,animateBackwards:t,componentRef:d})))},t.CalendarYearBase.displayName="CalendarYearBase"},53086:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.CalendarYear=void 0;var n=o(55032),r=o(71061),i=o(37475);t.CalendarYear=(0,r.styled)(i.CalendarYearBase,n.getStyles,void 0,{scope:"CalendarYear"})},55032:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(37094);t.getStyles=function(e){return(0,n.getStyles)(e)}},22073:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},76071:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.defaultCalendarNavigationIcons=t.defaultDayPickerStrings=t.defaultCalendarStrings=void 0;var n=o(6517);t.defaultCalendarStrings=n.DEFAULT_CALENDAR_STRINGS,t.defaultDayPickerStrings=t.defaultCalendarStrings,t.defaultCalendarNavigationIcons={leftNavigation:"Up",rightNavigation:"Down",closeIcon:"CalculatorMultiply"}},4461:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.FirstWeekOfYear=t.DateRangeType=t.DayOfWeek=void 0;var n=o(31635);n.__exportStar(o(82135),t),n.__exportStar(o(98752),t),n.__exportStar(o(25817),t),n.__exportStar(o(2941),t),n.__exportStar(o(71143),t),n.__exportStar(o(22073),t),n.__exportStar(o(15842),t),n.__exportStar(o(76071),t);var r=o(6517);Object.defineProperty(t,"DayOfWeek",{enumerable:!0,get:function(){return r.DayOfWeek}}),Object.defineProperty(t,"DateRangeType",{enumerable:!0,get:function(){return r.DateRangeType}}),Object.defineProperty(t,"FirstWeekOfYear",{enumerable:!0,get:function(){return r.FirstWeekOfYear}})},9502:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.CalendarDayGridBase=void 0;var n=o(31635),r=o(83923),i=o(52332),a=o(80371),s=o(6517),l=o(25698),c=o(36866),u=o(19231),d=(0,i.classNamesFunction)();t.CalendarDayGridBase=function(e){var t=r.useRef(null),o=(0,l.useId)(),p=function(){var e=r.useRef({});return[e,function(t){return function(o){null===o?delete e.current[t]:e.current[t]=o}}]}(),m=p[0],g=p[1],h=function(e,t,o){return r.useMemo((function(){for(var r,i=(0,s.getDayGrid)(e),a=i[1][0].originalDate,l=i[i.length-1][6].originalDate,c=(null===(r=e.getMarkedDays)||void 0===r?void 0:r.call(e,a,l))||[],u=[],d=0;d0)};return[function(e,n){var r={},a=n.slice(1,n.length-1);return a.forEach((function(n,s){n.forEach((function(n,l){var c=a[s-1]&&a[s-1][l]&&o(a[s-1][l].originalDate,n.originalDate,a[s-1][l].isSelected,n.isSelected),u=a[s+1]&&a[s+1][l]&&o(a[s+1][l].originalDate,n.originalDate,a[s+1][l].isSelected,n.isSelected),d=a[s][l-1]&&o(a[s][l-1].originalDate,n.originalDate,a[s][l-1].isSelected,n.isSelected),p=a[s][l+1]&&o(a[s][l+1].originalDate,n.originalDate,a[s][l+1].isSelected,n.isSelected),m=[];m.push(t(e,c,u,d,p)),m.push(function(e,t,o,n,r){var a=[];return t||a.push(e.datesAbove),o||a.push(e.datesBelow),n||a.push((0,i.getRTL)()?e.datesRight:e.datesLeft),r||a.push((0,i.getRTL)()?e.datesLeft:e.datesRight),a.join(" ")}(e,c,u,d,p)),r[s+"_"+l]=m.join(" ")}))})),r},t]}(e),b=v[0],y=v[1];r.useImperativeHandle(e.componentRef,(function(){return{focus:function(){var e,o;null===(o=null===(e=t.current)||void 0===e?void 0:e.focus)||void 0===o||o.call(e)}}}),[]);var _=e.styles,S=e.theme,C=e.className,x=e.dateRangeType,P=e.showWeekNumbers,k=e.labelledBy,I=e.lightenDaysOutsideNavigatedMonth,w=e.animationDirection,T=d(_,{theme:S,className:C,dateRangeType:x,showWeekNumbers:P,lightenDaysOutsideNavigatedMonth:void 0===I||I,animationDirection:w,animateBackwards:f}),E=b(T,h),D={weeks:h,navigatedDayRef:t,calculateRoundedStyles:y,activeDescendantId:o,classNames:T,weekCorners:E,getDayInfosInRangeOfDay:function(t){var o=function(e,t){if(t&&e===s.DateRangeType.WorkWeek){for(var o=t.slice().sort(),n=!0,r=1;r{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.CalendarDayGrid=void 0;var n=o(9502),r=o(80269),i=o(71061);t.CalendarDayGrid=(0,i.styled)(n.CalendarDayGridBase,r.styles,void 0,{scope:"CalendarDayGrid"})},80269:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.styles=void 0;var n=o(31635),r=o(83048),i=o(6517),a=o(98752),s={hoverStyle:"ms-CalendarDay-hoverStyle",pressedStyle:"ms-CalendarDay-pressedStyle",dayIsTodayStyle:"ms-CalendarDay-dayIsToday",daySelectedStyle:"ms-CalendarDay-daySelected"},l=(0,r.keyframes)({"100%":{width:0,height:0,overflow:"hidden"},"99.9%":{width:"100%",height:28,overflow:"visible"},"0%":{width:"100%",height:28,overflow:"visible"}});t.styles=function(e){var t,o,c,u,d,p,m,g,h,f,v=e.theme,b=e.dateRangeType,y=e.showWeekNumbers,_=e.lightenDaysOutsideNavigatedMonth,S=e.animateBackwards,C=e.animationDirection,x=v.palette,P=(0,r.getGlobalClassNames)(s,v),k={};void 0!==S&&(k=C===a.AnimationDirection.Horizontal?S?r.AnimationStyles.slideRightIn20:r.AnimationStyles.slideLeftIn20:S?r.AnimationStyles.slideDownIn20:r.AnimationStyles.slideUpIn20);var I={},w={};void 0!==S&&C!==a.AnimationDirection.Horizontal&&(I=S?{animationName:""}:r.AnimationStyles.slideUpOut20,w=S?r.AnimationStyles.slideDownOut20:{animationName:""});var T={selectors:{"&, &:disabled, & button":{color:x.neutralTertiaryAlt,pointerEvents:"none"}}};return{wrapper:{paddingBottom:10},table:[{textAlign:"center",borderCollapse:"collapse",borderSpacing:"0",tableLayout:"fixed",fontSize:"inherit",marginTop:4,width:196,position:"relative",paddingBottom:10},y&&{width:226}],dayCell:[(0,r.getFocusStyle)(v,{inset:-3}),{margin:0,padding:0,width:28,height:28,lineHeight:28,fontSize:r.FontSizes.small,fontWeight:r.FontWeights.regular,color:x.neutralPrimary,cursor:"pointer",position:"relative",selectors:(t={},t[r.HighContrastSelector]=n.__assign({color:"WindowText",backgroundColor:"transparent",zIndex:0},(0,r.getHighContrastNoAdjustStyle)()),t["&."+P.hoverStyle]={backgroundColor:x.neutralLighter,selectors:(o={},o[r.HighContrastSelector]={zIndex:3,backgroundColor:"Window",outline:"1px solid Highlight"},o)},t["&."+P.pressedStyle]={backgroundColor:x.neutralLight,selectors:(c={},c[r.HighContrastSelector]={borderColor:"Highlight",color:"Highlight",backgroundColor:"Window"},c)},t["&."+P.pressedStyle+"."+P.hoverStyle]={selectors:(u={},u[r.HighContrastSelector]={backgroundColor:"Window",outline:"1px solid Highlight"},u)},t)}],daySelected:[b!==i.DateRangeType.Month&&{backgroundColor:x.neutralLight+"!important",selectors:(d={"&::before":{content:'""',position:"absolute",top:0,bottom:0,left:0,right:0}},d["&:hover, &."+P.hoverStyle+", &."+P.pressedStyle]=(p={backgroundColor:x.neutralLight+"!important"},p[r.HighContrastSelector]={color:"HighlightText!important",background:"Highlight!important"},p),d[r.HighContrastSelector]=n.__assign({background:"Highlight!important",color:"HighlightText!important",borderColor:"Highlight!important"},(0,r.getHighContrastNoAdjustStyle)()),d)}],weekRow:k,weekDayLabelCell:r.AnimationStyles.fadeIn200,weekNumberCell:{margin:0,padding:0,borderRight:"1px solid",borderColor:x.neutralLight,backgroundColor:x.neutralLighterAlt,color:x.neutralSecondary,boxSizing:"border-box",width:28,height:28,fontWeight:r.FontWeights.regular,fontSize:r.FontSizes.small},dayOutsideBounds:T,dayOutsideNavigatedMonth:_&&{color:x.neutralSecondary,fontWeight:r.FontWeights.regular},dayButton:{width:24,height:24,lineHeight:24,fontSize:r.FontSizes.small,fontWeight:"inherit",borderRadius:2,border:"none",padding:0,color:"inherit",backgroundColor:"transparent",cursor:"pointer",overflow:"visible",selectors:{span:{height:"inherit",lineHeight:"inherit"}}},dayIsToday:{backgroundColor:x.themePrimary+"!important",borderRadius:"100%",color:x.white+"!important",fontWeight:r.FontWeights.semibold+"!important",selectors:(m={},m[r.HighContrastSelector]=n.__assign({background:"WindowText!important",color:"Window!important",borderColor:"WindowText!important"},(0,r.getHighContrastNoAdjustStyle)()),m)},firstTransitionWeek:n.__assign(n.__assign({position:"absolute",opacity:0,width:0,height:0,overflow:"hidden"},I),{animationName:I.animationName+","+l}),lastTransitionWeek:n.__assign(n.__assign({position:"absolute",opacity:0,width:0,height:0,overflow:"hidden",marginTop:-28},w),{animationName:w.animationName+","+l}),dayMarker:{width:4,height:4,backgroundColor:x.neutralSecondary,borderRadius:"100%",bottom:1,left:0,right:0,position:"absolute",margin:"auto",selectors:(g={},g["."+P.dayIsTodayStyle+" &"]={backgroundColor:x.white,selectors:(h={},h[r.HighContrastSelector]={backgroundColor:"Window"},h)},g["."+P.daySelectedStyle+" &"]={selectors:(f={},f[r.HighContrastSelector]={backgroundColor:"HighlightText"},f)},g[r.HighContrastSelector]=n.__assign({backgroundColor:"WindowText"},(0,r.getHighContrastNoAdjustStyle)()),g)},topRightCornerDate:{borderTopRightRadius:"2px"},topLeftCornerDate:{borderTopLeftRadius:"2px"},bottomRightCornerDate:{borderBottomRightRadius:"2px"},bottomLeftCornerDate:{borderBottomLeftRadius:"2px"},datesAbove:{"&::before":{borderTop:"1px solid ".concat(x.neutralSecondary)}},datesBelow:{"&::before":{borderBottom:"1px solid ".concat(x.neutralSecondary)}},datesLeft:{"&::before":{borderLeft:"1px solid ".concat(x.neutralSecondary)}},datesRight:{"&::before":{borderRight:"1px solid ".concat(x.neutralSecondary)}}}}},15842:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},10033:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.CalendarGridDayCell=void 0;var n=o(83923),r=o(52332),i=o(6517);t.CalendarGridDayCell=function(e){var t,o=e.navigatedDate,a=e.dateTimeFormatter,s=e.allFocusable,l=e.strings,c=e.activeDescendantId,u=e.navigatedDayRef,d=e.calculateRoundedStyles,p=e.weeks,m=e.classNames,g=e.day,h=e.dayIndex,f=e.weekIndex,v=e.weekCorners,b=e.ariaHidden,y=e.customDayCellRef,_=e.dateRangeType,S=e.daysToSelectInDayView,C=e.onSelectDate,x=e.restrictedDates,P=e.minDate,k=e.maxDate,I=e.onNavigateDate,w=e.getDayInfosInRangeOfDay,T=e.getRefsFromDayInfos,E=null!==(t=null==v?void 0:v[f+"_"+h])&&void 0!==t?t:"",D=(0,i.compareDates)(o,g.originalDate),M=g.originalDate.getDate()+", "+l.months[g.originalDate.getMonth()]+", "+g.originalDate.getFullYear();return g.isMarked&&(M=M+", "+l.dayMarkedAriaLabel),n.createElement("td",{className:(0,r.css)(m.dayCell,v&&E,g.isSelected&&m.daySelected,g.isSelected&&"ms-CalendarDay-daySelected",!g.isInBounds&&m.dayOutsideBounds,!g.isInMonth&&m.dayOutsideNavigatedMonth),ref:function(e){null==y||y(e,g.originalDate,m),g.setRef(e),D&&(u.current=e)},"aria-hidden":b,"aria-disabled":!b&&!g.isInBounds,onClick:g.isInBounds&&!b?g.onSelected:void 0,onMouseOver:b?void 0:function(e){var t=w(g),o=T(t);o.forEach((function(e,n){var r;if(e&&(e.classList.add("ms-CalendarDay-hoverStyle"),!t[n].isSelected&&_===i.DateRangeType.Day&&S&&S>1)){e.classList.remove(m.bottomLeftCornerDate,m.bottomRightCornerDate,m.topLeftCornerDate,m.topRightCornerDate);var a=d(m,!1,!1,n>0,n1)){var a=d(m,!1,!1,n>0,n{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.CalendarGridRow=void 0;var n=o(31635),r=o(83923),i=o(52332),a=o(6517),s=o(10033);t.CalendarGridRow=function(e){var t=e.classNames,o=e.week,l=e.weeks,c=e.weekIndex,u=e.rowClassName,d=e.ariaRole,p=e.showWeekNumbers,m=e.firstDayOfWeek,g=e.firstWeekOfYear,h=e.navigatedDate,f=e.strings,v=p?(0,a.getWeekNumbersInMonth)(l.length,m,g,h):null,b=v?f.weekNumberFormatString&&(0,i.format)(f.weekNumberFormatString,v[c]):"";return r.createElement("tr",{role:d,className:u,key:c+"_"+o[0].key},p&&v&&r.createElement("th",{className:t.weekNumberCell,key:c,title:b,"aria-label":b,scope:"row"},r.createElement("span",null,v[c])),o.map((function(t,o){return r.createElement(s.CalendarGridDayCell,n.__assign({},e,{key:t.key,day:t,dayIndex:o}))})))}},36866:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.CalendarMonthHeaderRow=void 0;var n=o(83923),r=o(52332),i=o(6517);t.CalendarMonthHeaderRow=function(e){var t=e.showWeekNumbers,o=e.strings,a=e.firstDayOfWeek,s=e.allFocusable,l=e.weeksToShow,c=e.weeks,u=e.classNames,d=o.shortDays.slice(),p=(0,r.findIndex)(c[1],(function(e){return 1===e.originalDate.getDate()}));if(1===l&&p>=0){var m=(p+a)%i.DAYS_IN_WEEK;d[m]=o.shortMonths[c[1][p].originalDate.getMonth()]}return n.createElement("tr",null,t&&n.createElement("th",{className:u.dayCell}),d.map((function(e,t){var l=(t+a)%i.DAYS_IN_WEEK,c=o.days[l];return n.createElement("th",{className:(0,r.css)(u.dayCell,u.weekDayLabelCell),scope:"col",key:d[l]+" "+t,title:c,"aria-label":c,"data-is-focusable":!!s||void 0},d[l])})))}},1189:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Callout=void 0;var n=o(31635),r=o(83923),i=o(5432),a=o(44472);t.Callout=r.forwardRef((function(e,t){var o=e.layerProps,s=e.doNotLayer,l=n.__rest(e,["layerProps","doNotLayer"]),c=r.createElement(i.CalloutContent,n.__assign({},l,{doNotLayer:s,ref:t}));return s?c:r.createElement(a.Layer,n.__assign({},o),c)})),t.Callout.displayName="Callout"},8902:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},79477:(e,t,o)=>{"use strict";var n;Object.defineProperty(t,"__esModule",{value:!0}),t.CalloutContentBase=void 0;var r=o(31635),i=o(83923),a=o(42502),s=o(71061),l=o(73373),c=o(43300),u=o(42183),d=o(71061),p=o(15019),m=o(25698),g=o(50478),h=((n={})[c.RectangleEdge.top]=p.AnimationClassNames.slideUpIn10,n[c.RectangleEdge.bottom]=p.AnimationClassNames.slideDownIn10,n[c.RectangleEdge.left]=p.AnimationClassNames.slideLeftIn10,n[c.RectangleEdge.right]=p.AnimationClassNames.slideRightIn10,n),f={opacity:0,filter:"opacity(0)",pointerEvents:"none"},v=["role","aria-roledescription"],b={preventDismissOnLostFocus:!1,preventDismissOnScroll:!1,preventDismissOnResize:!1,isBeakVisible:!0,beakWidth:16,gapSpace:0,minPagePadding:8,directionalHint:a.DirectionalHint.bottomAutoEdge},y=(0,d.classNamesFunction)({disableCaching:!0});function _(e){var t,o,n=r.__assign(r.__assign({},null===(t=null==e?void 0:e.beakPosition)||void 0===t?void 0:t.elementPosition),{display:(null===(o=null==e?void 0:e.beakPosition)||void 0===o?void 0:o.hideBeak)?"none":void 0});return n.top||n.bottom||n.left||n.right||(n.left=0,n.top=0),n}function S(e,t){for(var o in t)if(t.hasOwnProperty(o)){var n=e[o],r=t[o];if(void 0===n||void 0===r)return!1;if(n.toFixed(2)!==r.toFixed(2))return!1}return!0}t.CalloutContentBase=i.memo(i.forwardRef((function(e,t){var o=(0,s.getPropsWithDefaults)(b,e),n=o.styles,a=o.style,d=o.ariaLabel,p=o.ariaDescribedBy,C=o.ariaLabelledBy,x=o.className,P=o.isBeakVisible,k=o.children,I=o.beakWidth,w=o.calloutWidth,T=o.calloutMaxWidth,E=o.calloutMinWidth,D=o.doNotLayer,M=o.finalHeight,O=o.hideOverflow,R=void 0===O?!!M:O,F=o.backgroundColor,B=o.calloutMaxHeight,A=o.onScroll,N=o.shouldRestoreFocus,L=void 0===N||N,H=o.target,j=o.hidden,z=o.onLayerMounted,W=o.popupProps,V=i.useRef(null),K=i.useRef(null),G=(0,m.useMergedRefs)(K,null==W?void 0:W.ref),U=i.useState(null),Y=U[0],q=U[1],X=i.useCallback((function(e){q(e)}),[]),Z=(0,m.useMergedRefs)(V,t),Q=(0,m.useTarget)(o.target,{current:Y}),J=Q[0],$=Q[1],ee=function(e,t,o){var n=e.bounds,r=e.minPagePadding,a=void 0===r?b.minPagePadding:r,s=e.target,l=i.useState(!1),u=l[0],d=l[1],p=i.useRef(),g=i.useCallback((function(){if(!p.current||u){var e="function"==typeof n?o?n(s,o):void 0:n;!e&&o&&(e={top:(e=(0,c.getBoundsFromTargetWindow)(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}),p.current=e,u&&d(!1)}return p.current}),[n,a,s,t,o,u]),h=(0,m.useAsync)();return(0,m.useOnEvent)(o,"resize",h.debounce((function(){d(!0)}),500,{leading:!0})),g}(o,J,$),te=function(e,t,o,n,a,s){var l,u=i.useState(),d=u[0],p=u[1],h=i.useRef(0),f=i.useRef(),v=(0,m.useAsync)(),b=e.hidden,y=e.target,_=e.finalHeight,C=e.calloutMaxHeight,x=e.onPositioned,P=e.directionalHint,k=e.hideOverflow,I=e.preferScrollResizePositioning,w=(0,g.useWindowEx)(),T=i.useRef();T.current!==s.current&&(T.current=s.current,l=s.current?null==w?void 0:w.getComputedStyle(s.current):void 0);var E=null==l?void 0:l.overflowY;return i.useEffect((function(){if(!b){var i=v.requestAnimationFrame((function(){var i,s,l,u;if(t.current&&o){var m=r.__assign(r.__assign({},e),{target:n.current,bounds:a()}),g=o.cloneNode(!0);g.style.maxHeight=C?"".concat(C):"",g.style.visibility="hidden",null===(i=o.parentElement)||void 0===i||i.appendChild(g);var v=f.current===y?d:void 0,b=I&&!(k||"clip"===E||"hidden"===E),P=_?(0,c.positionCard)(m,t.current,g,v,w):(0,c.positionCallout)(m,t.current,g,v,b,void 0,w);null===(s=o.parentElement)||void 0===s||s.removeChild(g),!d&&P||d&&P&&(u=P,!S((l=d).elementPosition,u.elementPosition)||!S(l.beakPosition.elementPosition,u.beakPosition.elementPosition))&&h.current<5?(h.current++,p(P)):h.current>0&&(h.current=0,null==x||x(d))}}),o);return f.current=y,function(){v.cancelAnimationFrame(i),f.current=void 0}}p(void 0),h.current=0}),[b,P,v,o,C,t,n,_,a,x,d,e,y,k,I,E,w]),d}(o,V,Y,J,ee,G),oe=function(e,t,o,n){var r,a=e.calloutMaxHeight,s=e.finalHeight,u=e.directionalHint,d=e.directionalHintFixed,p=e.hidden,m=e.gapSpace,g=e.beakWidth,h=e.isBeakVisible,f=e.coverTarget,v=i.useState(),b=v[0],y=v[1],_=null!==(r=null==n?void 0:n.elementPosition)&&void 0!==r?r:{},S=_.top,C=_.bottom,x=(null==o?void 0:o.current)?(0,l.getRectangleFromTarget)(o.current):void 0;return i.useEffect((function(){var e,o,r=null!==(e=t())&&void 0!==e?e:{},i=r.top,s=r.bottom;(null==n?void 0:n.targetEdge)===c.RectangleEdge.top&&(null==x?void 0:x.top)&&!f&&(s=x.top-(0,l.calculateGapSpace)(h,g,m)),"number"==typeof S&&s?o=s-S:"number"==typeof C&&"number"==typeof i&&s&&(o=s-i-C),y(!a&&!p||a&&o&&a>o?o:a||void 0)}),[C,a,s,u,d,t,p,n,S,m,g,h,x,f]),b}(o,ee,J,te),ne=function(e,t,o,n,r){var a=e.hidden,l=e.onDismiss,c=e.preventDismissOnScroll,u=e.preventDismissOnResize,d=e.preventDismissOnLostFocus,p=e.dismissOnTargetClick,g=e.shouldDismissOnWindowFocus,h=e.preventDismissOnEvent,f=i.useRef(!1),v=(0,m.useAsync)(),b=(0,m.useConst)([function(){f.current=!0},function(){f.current=!1}]),y=!!t;return i.useEffect((function(){var e=function(e){y&&!c&&m(e)},t=function(e){u||h&&h(e)||null==l||l(e)},i=function(e){d||m(e)},m=function(e){var t=e.composedPath?e.composedPath():[],i=t.length>0?t[0]:e.target,a=o.current&&!(0,s.elementContains)(o.current,i);if(a&&f.current)f.current=!1;else if(!n.current&&a||e.target!==r&&a&&(!n.current||"stopPropagation"in n.current||p||i!==n.current&&!(0,s.elementContains)(n.current,i))){if(h&&h(e))return;null==l||l(e)}},b=function(e){g&&((!h||h(e))&&(h||d)||(null==r?void 0:r.document.hasFocus())||null!==e.relatedTarget||null==l||l(e))},_=new Promise((function(o){v.setTimeout((function(){if(!a&&r){var n=[(0,s.on)(r,"scroll",e,!0),(0,s.on)(r,"resize",t,!0),(0,s.on)(r.document.documentElement,"focus",i,!0),(0,s.on)(r.document.documentElement,"click",i,!0),(0,s.on)(r,"blur",b,!0)];o((function(){n.forEach((function(e){return e()}))}))}}),0)}));return function(){_.then((function(e){return e()}))}}),[a,v,o,n,r,l,g,p,d,u,c,y,h]),b}(o,te,V,J,$),re=ne[0],ie=ne[1],ae=(null==te?void 0:te.elementPosition.top)&&(null==te?void 0:te.elementPosition.bottom),se=r.__assign(r.__assign({},null==te?void 0:te.elementPosition),{maxHeight:oe});if(ae&&(se.bottom=void 0),function(e,t,o){var n=e.hidden,r=e.setInitialFocus,a=(0,m.useAsync)(),l=!!t;i.useEffect((function(){if(!n&&r&&l&&o){var e=a.requestAnimationFrame((function(){return(0,s.focusFirstChild)(o)}),o);return function(){return a.cancelAnimationFrame(e)}}}),[n,l,a,o,r])}(o,te,Y),i.useEffect((function(){j||null==z||z()}),[j]),!$)return null;var le=R,ce=P&&!!H,ue=y(n,{theme:o.theme,className:x,overflowYHidden:le,calloutWidth:w,positions:te,beakWidth:I,backgroundColor:F,calloutMaxWidth:T,calloutMinWidth:E,doNotLayer:D}),de=r.__assign(r.__assign({maxHeight:B||"100%"},a),le&&{overflowY:"hidden"}),pe=o.hidden?{visibility:"hidden"}:void 0;return i.createElement("div",{ref:Z,className:ue.container,style:pe},i.createElement("div",r.__assign({},(0,s.getNativeProps)(o,s.divProperties,v),{className:(0,s.css)(ue.root,te&&te.targetEdge&&h[te.targetEdge]),style:te?r.__assign({},se):f,tabIndex:-1,ref:X}),ce&&i.createElement("div",{className:ue.beak,style:_(te)}),ce&&i.createElement("div",{className:ue.beakCurtain}),i.createElement(u.Popup,r.__assign({role:o.role,"aria-roledescription":o["aria-roledescription"],ariaDescribedBy:p,ariaLabel:d,ariaLabelledBy:C,className:ue.calloutMain,onDismiss:o.onDismiss,onMouseDown:re,onMouseUp:ie,onRestoreFocus:o.onRestoreFocus,onScroll:A,shouldRestoreFocus:L,style:de},W,{ref:G}),k)))})),(function(e,t){return!(t.shouldUpdateWhenHidden||!e.hidden||!t.hidden)||(0,s.shallowCompare)(e,t)})),t.CalloutContentBase.displayName="CalloutContentBase"},5432:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.CalloutContent=void 0;var n=o(71061),r=o(79477),i=o(19010);t.CalloutContent=(0,n.styled)(r.CalloutContentBase,i.getStyles,void 0,{scope:"CalloutContent"})},19010:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019);function r(e){return{height:e,width:e}}var i={container:"ms-Callout-container",root:"ms-Callout",beak:"ms-Callout-beak",beakCurtain:"ms-Callout-beakCurtain",calloutMain:"ms-Callout-main"};t.getStyles=function(e){var t,o=e.theme,a=e.className,s=e.overflowYHidden,l=e.calloutWidth,c=e.beakWidth,u=e.backgroundColor,d=e.calloutMaxWidth,p=e.calloutMinWidth,m=e.doNotLayer,g=(0,n.getGlobalClassNames)(i,o),h=o.semanticColors,f=o.effects;return{container:[g.container,{position:"relative"}],root:[g.root,o.fonts.medium,{position:"absolute",display:"flex",zIndex:m?n.ZIndexes.Layer:void 0,boxSizing:"border-box",borderRadius:f.roundedCorner2,boxShadow:f.elevation16,selectors:(t={},t[n.HighContrastSelector]={borderWidth:1,borderStyle:"solid",borderColor:"WindowText"},t)},(0,n.focusClear)(),a,!!l&&{width:l},!!d&&{maxWidth:d},!!p&&{minWidth:p}],beak:[g.beak,{position:"absolute",backgroundColor:h.menuBackground,boxShadow:"inherit",border:"inherit",boxSizing:"border-box",transform:"rotate(45deg)"},r(c),u&&{backgroundColor:u}],beakCurtain:[g.beakCurtain,{position:"absolute",top:0,right:0,bottom:0,left:0,backgroundColor:h.menuBackground,borderRadius:f.roundedCorner2}],calloutMain:[g.calloutMain,{backgroundColor:h.menuBackground,overflowX:"hidden",overflowY:"auto",position:"relative",width:"100%",borderRadius:f.roundedCorner2},s&&{overflowY:"hidden"},u&&{backgroundColor:u}]}}},6216:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.FocusTrapCallout=void 0;var n=o(31635),r=o(83923),i=o(1189),a=o(34464);t.FocusTrapCallout=function(e){return r.createElement(i.Callout,n.__assign({},e),r.createElement(a.FocusTrapZone,n.__assign({disabled:e.hidden},e.focusTrapProps),e.children))}},64627:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},41993:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(1189),t),n.__exportStar(o(8902),t),n.__exportStar(o(5432),t),n.__exportStar(o(79477),t),n.__exportStar(o(6216),t),n.__exportStar(o(64627),t),n.__exportStar(o(42502),t)},36842:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.CheckBase=void 0;var n=o(83923),r=o(30936),i=(0,o(71061).classNamesFunction)();t.CheckBase=n.forwardRef((function(e,t){var o=e.checked,a=void 0!==o&&o,s=e.className,l=e.theme,c=e.styles,u=e.useFastIcons,d=void 0===u||u,p=i(c,{theme:l,className:s,checked:a}),m=d?r.FontIcon:r.Icon;return n.createElement("div",{className:p.root,ref:t},n.createElement(m,{iconName:"CircleRing",className:p.circle}),n.createElement(m,{iconName:"StatusCircleCheckmark",className:p.check}))})),t.CheckBase.displayName="CheckBase"},21149:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Check=void 0;var n=o(71061),r=o(36842),i=o(10569);t.Check=(0,n.styled)(r.CheckBase,i.getStyles,void 0,{scope:"Check"},!0)},10569:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=t.CheckGlobalClassNames=void 0;var n=o(31635),r=o(15019),i=o(71061);t.CheckGlobalClassNames={root:"ms-Check",circle:"ms-Check-circle",check:"ms-Check-check",checkHost:"ms-Check-checkHost"},t.getStyles=function(e){var o,a,s,l,c,u=e.height,d=void 0===u?e.checkBoxHeight||"18px":u,p=e.checked,m=e.className,g=e.theme,h=g.palette,f=g.semanticColors,v=g.fonts,b=(0,i.getRTL)(g),y=(0,r.getGlobalClassNames)(t.CheckGlobalClassNames,g),_={fontSize:d,position:"absolute",left:0,top:0,width:d,height:d,textAlign:"center",display:"inline-flex",alignItems:"center",justifyContent:"center",verticalAlign:"middle"};return{root:[y.root,v.medium,{lineHeight:"1",width:d,height:d,verticalAlign:"top",position:"relative",userSelect:"none",selectors:(o={":before":{content:'""',position:"absolute",top:"1px",right:"1px",bottom:"1px",left:"1px",borderRadius:"50%",opacity:1,background:f.bodyBackground}},o[".".concat(y.checkHost,":hover &, .").concat(y.checkHost,":focus &, &:hover, &:focus")]={opacity:1},o)},p&&["is-checked",{selectors:{":before":{background:h.themePrimary,opacity:1,selectors:(a={},a[r.HighContrastSelector]={background:"Window"},a)}}}],m],circle:[y.circle,_,{color:h.neutralSecondary,selectors:(s={},s[r.HighContrastSelector]={color:"WindowText"},s)},p&&{color:h.white}],check:[y.check,_,{opacity:0,color:h.neutralSecondary,fontSize:r.IconFontSizes.medium,left:b?"-0.5px":".5px",top:"-1px",selectors:(l={":hover":{opacity:1}},l[r.HighContrastSelector]=n.__assign({},(0,r.getHighContrastNoAdjustStyle)()),l)},p&&{opacity:1,color:h.white,fontWeight:900,selectors:(c={},c[r.HighContrastSelector]={border:"none",color:"WindowText"},c)}],checkHost:y.checkHost}}},12542:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},33465:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(21149),t),n.__exportStar(o(36842),t),n.__exportStar(o(12542),t)},20130:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.CheckboxBase=void 0;var n=o(31635),r=o(83923),i=o(25698),a=o(52332),s=o(57573),l=(0,a.classNamesFunction)();t.CheckboxBase=r.forwardRef((function(e,t){var o=e.disabled,c=e.required,u=e.inputProps,d=e.name,p=e.ariaLabel,m=e.ariaLabelledBy,g=e.ariaDescribedBy,h=e.ariaPositionInSet,f=e.ariaSetSize,v=e.title,b=e.checkmarkIconProps,y=e.styles,_=e.theme,S=e.className,C=e.boxSide,x=void 0===C?"start":C,P=(0,i.useId)("checkbox-",e.id),k=r.useRef(null),I=(0,i.useMergedRefs)(k,t),w=r.useRef(null),T=(0,i.useControllableValue)(e.checked,e.defaultChecked,e.onChange),E=T[0],D=T[1],M=(0,i.useControllableValue)(e.indeterminate,e.defaultIndeterminate),O=M[0],R=M[1];(0,a.useFocusRects)(k);var F=l(y,{theme:_,className:S,disabled:o,indeterminate:O,checked:E,reversed:"start"!==x,isUsingCustomLabelRender:!!e.onRenderLabel}),B=r.useCallback((function(e){O?(D(!!E,e),R(!1)):D(!E,e)}),[D,R,O,E]),A=r.useCallback((function(e){return e&&e.label?r.createElement("span",{className:F.text,title:e.title},e.label):null}),[F.text]),N=r.useCallback((function(e){if(w.current){var t=!!e;w.current.indeterminate=t,R(t)}}),[R]);!function(e,t,o,n,i){r.useImperativeHandle(e.componentRef,(function(){return{get checked(){return!!t},get indeterminate(){return!!o},set indeterminate(e){n(e)},focus:function(){i.current&&i.current.focus()}}}),[i,t,o,n])}(e,E,O,N,w),r.useEffect((function(){return N(O)}),[N,O]);var L=e.onRenderLabel||A,H=O?"mixed":void 0,j=n.__assign(n.__assign({className:F.input,type:"checkbox"},u),{checked:!!E,disabled:o,required:c,name:d,id:P,title:v,onChange:B,"aria-disabled":o,"aria-label":p,"aria-labelledby":m,"aria-describedby":g,"aria-posinset":h,"aria-setsize":f,"aria-checked":H});return r.createElement("div",{className:F.root,title:v,ref:I},r.createElement("input",n.__assign({},j,{ref:w,title:v,"data-ktp-execute-target":!0})),r.createElement("label",{className:F.label,htmlFor:P},r.createElement("div",{className:F.checkbox,"data-ktp-target":!0},r.createElement(s.Icon,n.__assign({iconName:"CheckMark"},b,{className:F.checkmark}))),L(e,A)))})),t.CheckboxBase.displayName="CheckboxBase"},53717:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Checkbox=void 0;var n=o(52332),r=o(20130),i=o(52641);t.Checkbox=(0,n.styled)(r.CheckboxBase,i.getStyles,void 0,{scope:"Checkbox"})},52641:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(31635),r=o(83048),i=o(52332),a={root:"ms-Checkbox",label:"ms-Checkbox-label",checkbox:"ms-Checkbox-checkbox",checkmark:"ms-Checkbox-checkmark",text:"ms-Checkbox-text"},s="20px",l="200ms",c="cubic-bezier(.4, 0, .23, 1)";t.getStyles=function(e){var t,o,u,d,p,m,g,h,f,v,b,y,_,S,C,x,P,k,I=e.className,w=e.theme,T=e.reversed,E=e.checked,D=e.disabled,M=e.isUsingCustomLabelRender,O=e.indeterminate,R=w.semanticColors,F=w.effects,B=w.palette,A=w.fonts,N=(0,r.getGlobalClassNames)(a,w),L=R.inputForegroundChecked,H=B.neutralSecondary,j=B.neutralPrimary,z=R.inputBackgroundChecked,W=R.inputBackgroundChecked,V=R.disabledBodySubtext,K=R.inputBorderHovered,G=R.inputBackgroundCheckedHovered,U=R.inputBackgroundChecked,Y=R.inputBackgroundCheckedHovered,q=R.inputBackgroundCheckedHovered,X=R.inputTextHovered,Z=R.disabledBodySubtext,Q=R.bodyText,J=R.disabledText,$=[(t={content:'""',borderRadius:F.roundedCorner2,position:"absolute",width:10,height:10,top:4,left:4,boxSizing:"border-box",borderWidth:5,borderStyle:"solid",borderColor:D?V:z,transitionProperty:"border-width, border, border-color",transitionDuration:l,transitionTimingFunction:c},t[r.HighContrastSelector]={borderColor:"WindowText"},t)];return{root:[N.root,{position:"relative",display:"flex"},T&&"reversed",E&&"is-checked",!D&&"is-enabled",D&&"is-disabled",!D&&[!E&&(o={},o[":hover .".concat(N.checkbox)]=(u={borderColor:K},u[r.HighContrastSelector]={borderColor:"Highlight"},u),o[":focus .".concat(N.checkbox)]={borderColor:K},o[":hover .".concat(N.checkmark)]=(d={color:H,opacity:"1"},d[r.HighContrastSelector]={color:"Highlight"},d),o),E&&!O&&(p={},p[":hover .".concat(N.checkbox)]={background:Y,borderColor:q},p[":focus .".concat(N.checkbox)]={background:Y,borderColor:q},p[r.HighContrastSelector]=(m={},m[":hover .".concat(N.checkbox)]={background:"Highlight",borderColor:"Highlight"},m[":focus .".concat(N.checkbox)]={background:"Highlight"},m[":focus:hover .".concat(N.checkbox)]={background:"Highlight"},m[":focus:hover .".concat(N.checkmark)]={color:"Window"},m[":hover .".concat(N.checkmark)]={color:"Window"},m),p),O&&(g={},g[":hover .".concat(N.checkbox,", :hover .").concat(N.checkbox,":after")]=(h={borderColor:G},h[r.HighContrastSelector]={borderColor:"WindowText"},h),g[":focus .".concat(N.checkbox)]={borderColor:G},g[":hover .".concat(N.checkmark)]={opacity:"0"},g),(f={},f[":hover .".concat(N.text,", :focus .").concat(N.text)]=(v={color:X},v[r.HighContrastSelector]={color:D?"GrayText":"WindowText"},v),f)],I],input:(b={position:"absolute",background:"none",opacity:0},b[".".concat(i.IsFocusVisibleClassName," &:focus + label::before, :host(.").concat(i.IsFocusVisibleClassName,") &:focus + label::before")]=(y={outline:"1px solid "+w.palette.neutralSecondary,outlineOffset:"2px"},y[r.HighContrastSelector]={outline:"1px solid WindowText"},y),b),label:[N.label,w.fonts.medium,{display:"flex",alignItems:M?"center":"flex-start",cursor:D?"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:[N.checkbox,(_={position:"relative",display:"flex",flexShrink:0,alignItems:"center",justifyContent:"center",height:s,width:s,border:"1px solid ".concat(j),borderRadius:F.roundedCorner2,boxSizing:"border-box",transitionProperty:"background, border, border-color",transitionDuration:l,transitionTimingFunction:c,overflow:"hidden",":after":O?$:null},_[r.HighContrastSelector]=n.__assign({borderColor:"WindowText"},(0,r.getHighContrastNoAdjustStyle)()),_),O&&{borderColor:z},T?{marginLeft:4}:{marginRight:4},!D&&!O&&E&&(S={background:U,borderColor:W},S[r.HighContrastSelector]={background:"Highlight",borderColor:"Highlight"},S),D&&(C={borderColor:V},C[r.HighContrastSelector]={borderColor:"GrayText"},C),E&&D&&(x={background:Z,borderColor:V},x[r.HighContrastSelector]={background:"Window"},x)],checkmark:[N.checkmark,(P={opacity:E&&!O?"1":"0",color:L},P[r.HighContrastSelector]=n.__assign({color:D?"GrayText":"Window"},(0,r.getHighContrastNoAdjustStyle)()),P)],text:[N.text,(k={color:D?J:Q,fontSize:A.medium.fontSize,lineHeight:"20px"},k[r.HighContrastSelector]=n.__assign({color:D?"GrayText":"WindowText"},(0,r.getHighContrastNoAdjustStyle)()),k),T?{marginRight:4}:{marginLeft:4}]}}},214:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},24658:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(53717),t),n.__exportStar(o(20130),t),n.__exportStar(o(214),t)},578:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ChoiceGroupBase=void 0;var n=o(31635),r=o(83923),i=o(47795),a=o(71061),s=o(3867),l=o(25698),c=o(50478),u=(0,a.classNamesFunction)(),d=function(e,t){return"".concat(t,"-").concat(e.key)},p=function(e,t){return void 0===t?void 0:(0,a.find)(e,(function(e){return e.key===t}))},m=function(e,t,o,n,r){var i=p(e,t)||e.filter((function(e){return!e.disabled}))[0],s=i&&(null==r?void 0:r.getElementById(d(i,o)));s&&(s.focus(),(0,a.setFocusVisibility)(!0,s,n))};t.ChoiceGroupBase=r.forwardRef((function(e,t){var o=e.className,g=e.theme,h=e.styles,f=e.options,v=void 0===f?[]:f,b=e.label,y=e.required,_=e.disabled,S=e.name,C=e.defaultSelectedKey,x=e.componentRef,P=e.onChange,k=(0,l.useId)("ChoiceGroup"),I=(0,l.useId)("ChoiceGroupLabel"),w=(0,a.getNativeProps)(e,a.divProperties,["onChange","className","required"]),T=u(h,{theme:g,className:o,optionsContainIconOrImage:v.some((function(e){return!(!e.iconProps&&!e.imageSrc)}))}),E=e.ariaLabelledBy||(b?I:e["aria-labelledby"]),D=(0,l.useControllableValue)(e.selectedKey,C),M=D[0],O=D[1],R=r.useState(),F=R[0],B=R[1],A=r.useRef(null),N=(0,l.useMergedRefs)(A,t),L=r.useContext(a.FocusRectsContext);!function(e,t,o,n,i){var a=(0,c.useDocumentEx)();r.useImperativeHandle(n,(function(){return{get checkedOption(){return p(e,t)},focus:function(){m(e,t,o,i,a)}}}),[e,t,o,i,a])}(v,M,k,x,null==L?void 0:L.registeredProviders),(0,a.useFocusRects)(A);var H=r.useCallback((function(e,t){var o;t&&(B(t.itemKey),null===(o=t.onFocus)||void 0===o||o.call(t,e))}),[]),j=r.useCallback((function(e,t){var o;B(void 0),null===(o=null==t?void 0:t.onBlur)||void 0===o||o.call(t,e)}),[]),z=r.useCallback((function(e,t){var o;t&&(O(t.itemKey),null===(o=t.onChange)||void 0===o||o.call(t,e),null==P||P(e,p(v,t.itemKey)))}),[P,v,O]),W=r.useCallback((function(e){(function(e){return e.relatedTarget instanceof HTMLElement&&"true"===e.relatedTarget.dataset.isFocusTrapZoneBumper})(e)&&m(v,M,k,null==L?void 0:L.registeredProviders)}),[v,M,k,L]);return r.createElement("div",n.__assign({className:T.root},w,{ref:N}),r.createElement("div",n.__assign({role:"radiogroup"},E&&{"aria-labelledby":E},{onFocus:W}),b&&r.createElement(i.Label,{className:T.label,required:y,id:I,disabled:_},b),r.createElement("div",{className:T.flexContainer},v.map((function(e){return r.createElement(s.ChoiceGroupOption,n.__assign({itemKey:e.key},e,{key:e.key,onBlur:j,onFocus:H,onChange:z,focused:e.key===F,checked:e.key===M,disabled:e.disabled||_,id:d(e,k),labelId:e.labelId||"".concat(I,"-").concat(e.key),name:S||k,required:y}))})))))})),t.ChoiceGroupBase.displayName="ChoiceGroup"},40629:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ChoiceGroup=void 0;var n=o(71061),r=o(578),i=o(10465);t.ChoiceGroup=(0,n.styled)(r.ChoiceGroupBase,i.getStyles,void 0,{scope:"ChoiceGroup"})},10465:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r={root:"ms-ChoiceFieldGroup",flexContainer:"ms-ChoiceFieldGroup-flexContainer"};t.getStyles=function(e){var t=e.className,o=e.optionsContainIconOrImage,i=e.theme,a=(0,n.getGlobalClassNames)(r,i);return{root:[t,a.root,i.fonts.medium,{display:"block"}],flexContainer:[a.flexContainer,o&&{display:"flex",flexDirection:"row",flexWrap:"wrap"}]}}},91222:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},65505:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ChoiceGroupOptionBase=void 0;var n=o(31635),r=o(83923),i=o(38992),a=o(30936),s=o(71061),l=(0,s.classNamesFunction)(),c={imageSize:{width:32,height:32}};t.ChoiceGroupOptionBase=function(e){var t=(0,s.getPropsWithDefaults)(n.__assign(n.__assign({},c),{key:e.itemKey}),e),o=t.ariaLabel,u=t.focused,d=t.required,p=t.theme,m=t.iconProps,g=t.imageSrc,h=t.imageSize,f=t.disabled,v=t.checked,b=t.id,y=t.styles,_=t.name,S=n.__rest(t,["ariaLabel","focused","required","theme","iconProps","imageSrc","imageSize","disabled","checked","id","styles","name"]),C=l(y,{theme:p,hasIcon:!!m,hasImage:!!g,checked:v,disabled:f,imageIsLarge:!!g&&(h.width>71||h.height>71),imageSize:h,focused:u}),x=(0,s.getNativeProps)(S,s.inputProperties),P=x.className,k=n.__rest(x,["className"]),I=function(){return r.createElement("span",{id:t.labelId,className:"ms-ChoiceFieldLabel"},t.text)},w=function(){var e=t.imageAlt,o=void 0===e?"":e,l=t.selectedImageSrc,c=(t.onRenderLabel?(0,s.composeRenderFunction)(t.onRenderLabel,I):I)(n.__assign(n.__assign({},t),{key:t.itemKey}));return r.createElement("label",{htmlFor:b,className:C.field},g&&r.createElement("div",{className:C.innerField},r.createElement("div",{className:C.imageWrapper},r.createElement(i.Image,n.__assign({src:g,alt:o},h))),r.createElement("div",{className:C.selectedImageWrapper},r.createElement(i.Image,n.__assign({src:l,alt:o},h)))),m&&r.createElement("div",{className:C.innerField},r.createElement("div",{className:C.iconWrapper},r.createElement(a.Icon,n.__assign({},m)))),g||m?r.createElement("div",{className:C.labelWrapper},c):c)},T=t.onRenderField,E=void 0===T?w:T;return r.createElement("div",{className:C.root},r.createElement("div",{className:C.choiceFieldWrapper},r.createElement("input",n.__assign({"aria-label":o,id:b,className:(0,s.css)(C.input,P),type:"radio",name:_,disabled:f,checked:v,required:d},k,{onChange:function(e){var o;null===(o=t.onChange)||void 0===o||o.call(t,e,n.__assign(n.__assign({},t),{key:t.itemKey}))},onFocus:function(e){var o;null===(o=t.onFocus)||void 0===o||o.call(t,e,n.__assign(n.__assign({},t),{key:t.itemKey}))},onBlur:function(e){var o;null===(o=t.onBlur)||void 0===o||o.call(t,e)}})),E(n.__assign(n.__assign({},t),{key:t.itemKey}),w)))},t.ChoiceGroupOptionBase.displayName="ChoiceGroupOption"},21116:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ChoiceGroupOption=void 0;var n=o(71061),r=o(65505),i=o(63390);t.ChoiceGroupOption=(0,n.styled)(r.ChoiceGroupOptionBase,i.getStyles,void 0,{scope:"ChoiceGroupOption"})},63390:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(31635),r=o(15019),i=o(71061),a={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"},s="200ms",l="cubic-bezier(.4, 0, .23, 1)";function c(e,t){var o,n;return["is-inFocus",{selectors:(o={},o[".".concat(i.IsFocusVisibleClassName," &, :host(.").concat(i.IsFocusVisibleClassName,") &")]={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 ".concat(e),position:"absolute",selectors:(n={},n[r.HighContrastSelector]={borderColor:"WindowText",borderWidth:t?1:2},n)}}},o)}]}function u(e,t,o){return[t,{paddingBottom:2,transitionProperty:"opacity",transitionDuration:s,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}]]}t.getStyles=function(e){var t,o,i,d,p,m=e.theme,g=e.hasIcon,h=e.hasImage,f=e.checked,v=e.disabled,b=e.imageIsLarge,y=e.focused,_=e.imageSize,S=m.palette,C=m.semanticColors,x=m.fonts,P=(0,r.getGlobalClassNames)(a,m),k=S.neutralPrimary,I=C.inputBorderHovered,w=C.inputBackgroundChecked,T=S.themeDark,E=C.disabledBodySubtext,D=C.bodyBackground,M=S.neutralSecondary,O=C.inputBackgroundChecked,R=S.themeDark,F=C.disabledBodySubtext,B=S.neutralDark,A=C.focusBorder,N=C.inputBorderHovered,L=C.inputBackgroundChecked,H=S.themeDark,j=S.neutralLighter,z={selectors:{".ms-ChoiceFieldLabel":{color:B},":before":{borderColor:f?T:I},":after":[!g&&!h&&!f&&{content:'""',transitionProperty:"background-color",left:5,top:5,width:10,height:10,backgroundColor:M},f&&{borderColor:R,background:R}]}},W={borderColor:f?H:N,selectors:{":before":{opacity:1,borderColor:f?T:I}}},V=[{content:'""',display:"inline-block",backgroundColor:D,borderWidth:1,borderStyle:"solid",borderColor:k,width:20,height:20,fontWeight:"normal",position:"absolute",top:0,left:0,boxSizing:"border-box",transitionProperty:"border-color",transitionDuration:s,transitionTimingFunction:l,borderRadius:"50%"},v&&{borderColor:E,selectors:(t={},t[r.HighContrastSelector]=n.__assign({borderColor:"GrayText",background:"Window"},(0,r.getHighContrastNoAdjustStyle)()),t)},f&&{borderColor:v?E:w,selectors:(o={},o[r.HighContrastSelector]={borderColor:"Highlight",background:"Window",forcedColorAdjust:"none"},o)},(g||h)&&{top:3,right:3,left:"auto",opacity:f?1:0}],K=[{content:'""',width:0,height:0,borderRadius:"50%",position:"absolute",left:10,right:0,transitionProperty:"border-width",transitionDuration:s,transitionTimingFunction:l,boxSizing:"border-box"},f&&{borderWidth:5,borderStyle:"solid",borderColor:v?F:O,background:O,left:5,top:5,width:10,height:10,selectors:(i={},i[r.HighContrastSelector]={borderColor:"Highlight",forcedColorAdjust:"none"},i)},f&&(g||h)&&{top:8,right:8,left:"auto"}];return{root:[P.root,m.fonts.medium,{display:"flex",alignItems:"center",boxSizing:"border-box",color:C.bodyText,minHeight:26,border:"none",position:"relative",marginTop:8,selectors:{".ms-ChoiceFieldLabel":{display:"inline-block"}}},!g&&!h&&{selectors:{".ms-ChoiceFieldLabel":{paddingLeft:"26px"}}},h&&"ms-ChoiceField--image",g&&"ms-ChoiceField--icon",(g||h)&&{display:"inline-flex",fontSize:0,margin:"0 4px 4px 0",paddingLeft:0,backgroundColor:j,height:"100%"}],choiceFieldWrapper:[P.choiceFieldWrapper,y&&c(A,g||h)],input:[P.input,{position:"absolute",opacity:0,top:0,right:0,width:"100%",height:"100%",margin:0},v&&"is-disabled"],field:[P.field,f&&P.checked,{display:"inline-block",cursor:"pointer",marginTop:0,position:"relative",verticalAlign:"top",userSelect:"none",minHeight:20,selectors:{":hover":!v&&z,":focus":!v&&z,":before":V,":after":K}},g&&"ms-ChoiceField--icon",h&&"ms-ChoiceField-field--image",(g||h)&&{boxSizing:"content-box",cursor:"pointer",paddingTop:22,margin:0,textAlign:"center",transitionProperty:"all",transitionDuration:s,transitionTimingFunction:"ease",border:"1px solid transparent",justifyContent:"center",alignItems:"center",display:"flex",flexDirection:"column"},f&&{borderColor:L},(g||h)&&!v&&{selectors:{":hover":W,":focus":W}},v&&{cursor:"default",selectors:{".ms-ChoiceFieldLabel":{color:C.disabledBodyText,selectors:(d={},d[r.HighContrastSelector]=n.__assign({color:"GrayText"},(0,r.getHighContrastNoAdjustStyle)()),d)}}},f&&v&&{borderColor:j}],innerField:[P.innerField,h&&{height:_.height,width:_.width},(g||h)&&{position:"relative",display:"inline-block",paddingLeft:30,paddingRight:30},(g||h)&&b&&{paddingLeft:24,paddingRight:24},(g||h)&&v&&{opacity:.25,selectors:(p={},p[r.HighContrastSelector]={color:"GrayText",opacity:1},p)}],imageWrapper:u(!1,P.imageWrapper,f),selectedImageWrapper:u(!0,P.imageWrapper,f),iconWrapper:[P.iconWrapper,{fontSize:32,lineHeight:32,height:32}],labelWrapper:[P.labelWrapper,x.medium,(g||h)&&{display:"block",position:"relative",margin:"4px 8px 2px 8px",height:32,lineHeight:15,maxWidth:2*_.width,overflow:"hidden",whiteSpace:"pre-wrap"}]}}},70431:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},3867:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(21116),t),n.__exportStar(o(70431),t)},32339:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(40629),t),n.__exportStar(o(578),t),n.__exportStar(o(91222),t),n.__exportStar(o(3867),t)},969:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Beak=t.BEAK_WIDTH=t.BEAK_HEIGHT=void 0;var n=o(83923),r=o(71061),i=o(13725),a=o(43300);t.BEAK_HEIGHT=10,t.BEAK_WIDTH=18,t.Beak=n.forwardRef((function(e,o){var s,l,c,u,d,p,m=e.left,g=e.top,h=e.bottom,f=e.right,v=e.color,b=e.direction,y=void 0===b?a.RectangleEdge.top:b;switch(y===a.RectangleEdge.top||y===a.RectangleEdge.bottom?(s=t.BEAK_HEIGHT,l=t.BEAK_WIDTH):(s=t.BEAK_WIDTH,l=t.BEAK_HEIGHT),y){case a.RectangleEdge.top:default:c="".concat(t.BEAK_WIDTH/2,", 0"),u="".concat(t.BEAK_WIDTH,", ").concat(t.BEAK_HEIGHT),d="0, ".concat(t.BEAK_HEIGHT),p="translateY(-100%)";break;case a.RectangleEdge.right:c="0, 0",u="".concat(t.BEAK_HEIGHT,", ").concat(t.BEAK_HEIGHT),d="0, ".concat(t.BEAK_WIDTH),p="translateX(100%)";break;case a.RectangleEdge.bottom:c="0, 0",u="".concat(t.BEAK_WIDTH,", 0"),d="".concat(t.BEAK_WIDTH/2,", ").concat(t.BEAK_HEIGHT),p="translateY(100%)";break;case a.RectangleEdge.left:c="".concat(t.BEAK_HEIGHT,", 0"),u="0, ".concat(t.BEAK_HEIGHT),d="".concat(t.BEAK_HEIGHT,", ").concat(t.BEAK_WIDTH),p="translateX(-100%)"}var _=(0,r.classNamesFunction)()(i.getStyles,{left:m,top:g,bottom:h,right:f,height:"".concat(s,"px"),width:"".concat(l,"px"),transform:p,color:v});return n.createElement("div",{className:_.root,role:"presentation",ref:o},n.createElement("svg",{height:s,width:l,className:_.beak},n.createElement("polygon",{points:c+" "+u+" "+d})))})),t.Beak.displayName="Beak"},13725:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019);t.getStyles=function(e){var t;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",selectors:(t={},t[n.HighContrastSelector]={fill:"windowtext"},t)}}}},74474:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.CoachmarkBase=t.COACHMARK_ATTRIBUTE_NAME=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(43300),s=o(89659),l=o(969),c=o(42502),u=o(79209),d=o(34464),p=o(25698),m=o(50478),g=(0,i.classNamesFunction)();t.COACHMARK_ATTRIBUTE_NAME="data-coachmarkid";var h={isCollapsed:!0,mouseProximityOffset:10,delayBeforeMouseOpen:3600,delayBeforeCoachmarkAnimation:0,isPositionForced:!0,positioningContainerProps:{directionalHint:c.DirectionalHint.bottomAutoEdge}};function f(e,t,o){var n,r;return e?!t||t.directionalHint!==c.DirectionalHint.topAutoEdge&&t.directionalHint!==c.DirectionalHint.bottomAutoEdge?{left:-1/0,top:-1/0,bottom:1/0,right:1/0,width:1/0,height:1/0}:{left:0,top:-1/0,bottom:1/0,right:null!==(n=null==o?void 0:o.innerWidth)&&void 0!==n?n:0,width:null!==(r=null==o?void 0:o.innerWidth)&&void 0!==r?r:0,height:1/0}:void 0}t.CoachmarkBase=r.forwardRef((function(e,t){var o=(0,i.getPropsWithDefaults)(h,e),c=(0,m.useWindowEx)(),v=r.useRef(null),b=r.useRef(null),y=function(){var e=(0,p.useAsync)(),t=r.useState(),o=t[0],n=t[1],i=r.useState(),a=i[0],s=i[1];return[o,a,function(t){var o=t.alignmentEdge,r=t.targetEdge;return e.requestAnimationFrame((function(){n(o),s(r)}))}]}(),_=y[0],S=y[1],C=y[2],x=function(e,t){var o=e.isCollapsed,n=e.onAnimationOpenStart,a=e.onAnimationOpenEnd,s=r.useState(!!o),l=s[0],c=s[1],u=(0,p.useSetTimeout)().setTimeout,d=r.useRef(!l),m=r.useCallback((function(){var e,o;d.current||(c(!1),null==n||n(),null===(o=null===(e=t.current)||void 0===e?void 0:e.addEventListener)||void 0===o||o.call(e,"transitionend",(function(){u((function(){t.current&&(0,i.focusFirstChild)(t.current)}),1e3),null==a||a()})),d.current=!0)}),[t,a,n,u]);return r.useEffect((function(){o||m()}),[o]),[l,m]}(o,v),P=x[0],k=x[1],I=function(e,t,o){var n=(0,i.getRTL)(e.theme);return r.useMemo((function(){var e,r,i=void 0===o?a.RectangleEdge.bottom:(0,a.getOppositeEdge)(o),s={direction:i},c="3px";switch(i){case a.RectangleEdge.top:case a.RectangleEdge.bottom:t?t===a.RectangleEdge.left?(s.left="".concat(u.COACHMARK_WIDTH/2-l.BEAK_WIDTH/2,"px"),e="left"):(s.right="".concat(u.COACHMARK_WIDTH/2-l.BEAK_WIDTH/2,"px"),e="right"):(s.left="calc(50% - ".concat(l.BEAK_WIDTH/2,"px)"),e="center"),i===a.RectangleEdge.top?(s.top=c,r="top"):(s.bottom=c,r="bottom");break;case a.RectangleEdge.left:case a.RectangleEdge.right:t?t===a.RectangleEdge.top?(s.top="".concat(u.COACHMARK_WIDTH/2-l.BEAK_WIDTH/2,"px"),r="top"):(s.bottom="".concat(u.COACHMARK_WIDTH/2-l.BEAK_WIDTH/2,"px"),r="bottom"):(s.top="calc(50% - ".concat(l.BEAK_WIDTH/2,"px)"),r="center"),i===a.RectangleEdge.left?(n?s.right=c:s.left=c,e="left"):(n?s.left=c:s.right=c,e="right")}return[s,"".concat(e," ").concat(r)]}),[t,o,n])}(o,_,S),w=I[0],T=I[1],E=function(e,t){var o=r.useState(!!e.isCollapsed),n=o[0],i=o[1],a=r.useState(e.isCollapsed?{width:0,height:0}:{}),s=a[0],l=a[1],c=(0,p.useAsync)();return r.useEffect((function(){c.requestAnimationFrame((function(){t.current&&(l({width:t.current.offsetWidth,height:t.current.offsetHeight}),i(!1))}))}),[]),[n,s]}(o,v),D=E[0],M=E[1],O=r.useState(f(o.isPositionForced,o.positioningContainerProps,c)),R=O[0],F=O[1],B=function(e){var t=e.ariaAlertText,o=(0,p.useAsync)(),n=r.useState(),i=n[0],a=n[1];return r.useEffect((function(){o.requestAnimationFrame((function(){a(t)}))}),[]),i}(o),A=function(e){var t=e.preventFocusOnMount,o=(0,p.useSetTimeout)().setTimeout,n=r.useRef(null);return r.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,i.getDocument)())||void 0===n?void 0:n.documentElement;(0,p.useOnEvent)(r,"keydown",(function(e){var n,r;(e.altKey&&e.which===i.KeyCodes.c||e.which===i.KeyCodes.enter&&(null===(r=null===(n=t.current)||void 0===n?void 0:n.contains)||void 0===r?void 0:r.call(n,e.target)))&&o()}),!0);var a=function(o){var n;if(e.preventDismissOnLostFocus){var r=o.target,a=t.current&&!(0,i.elementContains)(t.current,r),s=e.target;a&&r!==s&&!(0,i.elementContains)(s,r)&&(null===(n=e.onDismiss)||void 0===n||n.call(e,o))}};(0,p.useOnEvent)(r,"click",a,!0),(0,p.useOnEvent)(r,"focus",a,!0)}(o,b,k),function(e){var t=e.onDismiss;r.useImperativeHandle(e.componentRef,(function(e){return{dismiss:function(){null==t||t(e)}}}),[t])}(o),function(e,t,o,n){var a=(0,p.useSetTimeout)(),s=a.setTimeout,l=a.clearTimeout,c=r.useRef(),u=(0,m.useWindowEx)(),d=(0,m.useDocumentEx)();r.useEffect((function(){var r=function(){t.current&&(c.current=t.current.getBoundingClientRect())},a=new i.EventGroup({});return s((function(){var t=e.mouseProximityOffset,i=void 0===t?0:t,p=[];s((function(){r(),a.on(u,"resize",(function(){p.forEach((function(e){l(e)})),p.splice(0,p.length),p.push(s((function(){r(),n(f(e.isPositionForced,e.positioningContainerProps,u))}),100))}))}),10),a.on(d,"mousemove",(function(t){var n,a=t.clientY,s=t.clientX;r(),function(e,t,o,n){return void 0===n&&(n=0),t>e.left-n&&te.top-n&&o{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Coachmark=void 0;var n=o(71061),r=o(79209),i=o(74474);t.Coachmark=(0,n.styled)(i.CoachmarkBase,r.getStyles,void 0,{scope:"Coachmark"})},79209:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=t.rotateOne=t.scaleOne=t.translateOne=t.COACHMARK_HEIGHT=t.COACHMARK_WIDTH=void 0;var n=o(15019),r=o(71061);t.COACHMARK_WIDTH=32,t.COACHMARK_HEIGHT=32,t.translateOne=(0,r.memoizeFunction)((function(){return(0,n.keyframes)({"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)"}})})),t.scaleOne=(0,r.memoizeFunction)((function(){return(0,n.keyframes)({"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)"}})})),t.rotateOne=(0,r.memoizeFunction)((function(){return(0,n.keyframes)({"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)"}})})),t.getStyles=function(e){var o,i=e.theme,a=e.className,s=e.color,l=e.beaconColorOne,c=e.beaconColorTwo,u=e.delayBeforeCoachmarkAnimation,d=e.isCollapsed,p=e.isMeasuring,m=e.entityHostHeight,g=e.entityHostWidth,h=e.transformOrigin;if(!i)throw new Error("theme is undefined or null in base Dropdown getStyles function.");var f=n.PulsingBeaconAnimationStyles.continuousPulseAnimationDouble(l||i.palette.themePrimary,c||i.palette.themeTertiary,"35px","150px","10px"),v=n.PulsingBeaconAnimationStyles.createDefaultAnimation(f,u);return{root:[i.fonts.medium,{position:"relative"},a],pulsingBeacon:[{position:"absolute",top:"50%",left:"50%",transform:(0,r.getRTL)(i)?"translate(50%, -50%)":"translate(-50%, -50%)",width:"0px",height:"0px",borderRadius:"225px",borderStyle:"solid",opacity:"0"},d&&v],translateAnimationContainer:[{width:"100%",height:"100%"},d&&{animationDuration:"14s",animationTimingFunction:"linear",animationDirection:"normal",animationIterationCount:"1",animationDelay:"0s",animationFillMode:"forwards",animationName:(0,t.translateOne)(),transition:"opacity 0.5s ease-in-out"},!d&&{opacity:"1"}],scaleAnimationLayer:[{width:"100%",height:"100%"},d&&{animationDuration:"14s",animationTimingFunction:"linear",animationDirection:"normal",animationIterationCount:"1",animationDelay:"0s",animationFillMode:"forwards",animationName:(0,t.scaleOne)()}],rotateAnimationLayer:[{width:"100%",height:"100%"},d&&{animationDuration:"14s",animationTimingFunction:"linear",animationDirection:"normal",animationIterationCount:"1",animationDelay:"0s",animationFillMode:"forwards",animationName:(0,t.rotateOne)()},!d&&{opacity:"1"}],entityHost:[{position:"relative",outline:"none",overflow:"hidden",backgroundColor:s,borderRadius:t.COACHMARK_WIDTH,transition:"border-radius 250ms, width 500ms, height 500ms cubic-bezier(0.5, 0, 0, 1)",visibility:"hidden",selectors:(o={},o[n.HighContrastSelector]={backgroundColor:"Window",border:"2px solid WindowText"},o[".".concat(r.IsFocusVisibleClassName," &:focus")]={outline:"1px solid ".concat(i.palette.themeTertiary)},o)},!p&&d&&{width:t.COACHMARK_WIDTH,height:t.COACHMARK_HEIGHT},!p&&{visibility:"visible"},!d&&{borderRadius:"1px",opacity:"1",width:g,height:m},d&&{cursor:"pointer"}],entityInnerHost:[{transition:"transform 500ms cubic-bezier(0.5, 0, 0, 1)",transformOrigin:h,transform:"scale(0)"},!d&&{width:g,height:m,transform:"scale(1)"},!p&&{visibility:"visible"}],childrenContainer:[{display:!p&&d?"none":"block"}],ariaContainer:{position:"fixed",opacity:0,height:0,width:0,pointerEvents:"none"}}}},21918:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},68215:(e,t,o)=>{"use strict";var n;Object.defineProperty(t,"__esModule",{value:!0}),t.PositioningContainer=t.useHeightOffset=void 0;var r=o(31635),i=o(83923),a=o(76475),s=o(15019),l=o(44472),c=o(42502),u=o(71061),d=o(43300),p=o(15019),m=o(25698),g=o(50478),h={opacity:0},f=((n={})[d.RectangleEdge.top]="slideUpIn20",n[d.RectangleEdge.bottom]="slideDownIn20",n[d.RectangleEdge.left]="slideLeftIn20",n[d.RectangleEdge.right]="slideRightIn20",n),v={preventDismissOnScroll:!1,offsetFromTarget:0,minPagePadding:8,directionalHint:c.DirectionalHint.bottomAutoEdge};function b(e,t){var o=e.finalHeight,n=i.useState({value:0}),r=n[0],a=n[1],s=(0,m.useAsync)(),l=i.useRef(0),c=function(){t&&o&&(l.current=s.requestAnimationFrame((function(){if(t.current){var e=t.current.lastChild,n=e.scrollHeight-e.offsetHeight;a({value:r.value+n}),e.offsetHeightA?A:O,L=i.createElement("div",{ref:y,className:(0,u.css)("ms-PositioningContainer",F.container)},i.createElement("div",{className:(0,p.mergeStyles)("ms-PositioningContainer-layerHost",F.root,E,B,!!M&&{width:M},D&&{zIndex:s.ZIndexes.Layer}),style:k?k.elementPosition:h,tabIndex:-1,ref:n},R,N));return D?L:i.createElement(l.Layer,r.__assign({},o.layerProps),L)})),t.PositioningContainer.displayName="PositioningContainer"},76475:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getClassNames=void 0;var n=o(71061),r=o(15019);t.getClassNames=(0,n.memoizeFunction)((function(){var e;return(0,r.mergeStyleSets)({root:[{position:"absolute",boxSizing:"border-box",border:"1px solid ${}",selectors:(e={},e[r.HighContrastSelector]={border:"1px solid WindowText"},e)},(0,r.focusClear)()],container:{position:"relative"},main:{backgroundColor:"#ffffff",overflowX:"hidden",overflowY:"hidden",position:"relative"},overFlowYHidden:{overflowY:"hidden"}})}))},13504:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},89659:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(68215),t),n.__exportStar(o(13504),t)},8610:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(87741),t),n.__exportStar(o(74474),t),n.__exportStar(o(21918),t)},40542:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ColorPickerBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(13636),s=o(34718),l=o(42502),c=o(5641),u=o(74051),d=o(47076),p=o(7066),m=o(18441),g=o(61029),h=o(36306),f=o(86861),v=o(16505),b=o(78073),y=o(58655),_=o(70510),S=(0,i.classNamesFunction)(),C=["hex","r","g","b","a","t"],x={hex:"hexError",r:"redError",g:"greenError",b:"blueError",a:"alphaError",t:"transparencyError"},P=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,v.updateH)(r.state.color,t))},r._onATChanged=function(e,t){var o="transparency"===r.props.alphaType?f.updateT:h.updateA;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,v="t"===l,_=c?d.MIN_HEX_LENGTH:d.MIN_RGBA_LENGTH;if(s.length>=_&&(c||!isNaN(Number(s)))){var S=void 0;S=c?(0,p.getColorFromString)("#"+(0,y.correctHex)(s)):u||v?(u?h.updateA:f.updateT)(i,(0,g.clamp)(Number(s),d.MAX_COLOR_ALPHA)):(0,m.getColorFromRGBA)((0,b.correctRGB)(n.__assign(n.__assign({},i),((t={})[l]=Number(s),t)))),r._updateColor(e,S)}else r.setState({editingColor:void 0})}},(0,i.initializeComponentRef)(r);var a=o.strings;(0,i.warnDeprecations)("ColorPicker",o,{hexLabel:"strings.hex",redLabel:"strings.red",greenLabel:"strings.green",blueLabel:"strings.blue",alphaLabel:"strings.alpha",alphaSliderHidden:"alphaType"}),a.hue&&(0,i.warn)("ColorPicker property 'strings.hue' was used but has been deprecated. Use 'strings.hueAriaLabel' instead."),r.state={color:k(o)||(0,p.getColorFromString)("#ffffff")},r._textChangeHandlers={};for(var s=0,l=C;s=d.MIN_HEX_LENGTH&&o.length<=d.MAX_HEX_LENGTH)){var n=x[e];return this._strings[n]}}},t.prototype._onTextChange=function(e,t,o){var r,i=this.state.color,a="hex"===e,s="a"===e,l="t"===e;if(o=(o||"").substr(0,a?d.MAX_HEX_LENGTH:d.MAX_RGBA_LENGTH),(a?d.HEX_REGEX:d.RGBA_REGEX).test(o))if(""!==o&&(a?o.length===d.MAX_HEX_LENGTH:s||l?Number(o)<=d.MAX_COLOR_ALPHA:Number(o)<=d.MAX_COLOR_RGB))if(String(i[e])===o)this.state.editingColor&&this.setState({editingColor:void 0});else{var c=a?(0,p.getColorFromString)("#"+o):l?(0,f.updateT)(i,Number(o)):(0,m.getColorFromRGBA)(n.__assign(n.__assign({},i),((r={})[e]=Number(o),r)));this._updateColor(t,c)}else this.setState({editingColor:{component:e,value:o}})},t.prototype._updateColor=function(e,t){if(t){var o=this.state,n=o.color,r=o.editingColor;if(t.h!==n.h||t.str!==n.str||r){if(e&&this.props.onChange&&(this.props.onChange(e,t),e.defaultPrevented))return;this.setState({color:t,editingColor:void 0})}}},t.defaultProps={alphaType:"alpha",strings:{rootAriaLabelFormat:"Color picker, {0} selected.",hex:"Hex",red:"Red",green:"Green",blue:"Blue",alpha:"Alpha",transparency:"Transparency",hueAriaLabel:"Hue",svAriaLabel:_.ColorRectangleBase.defaultProps.ariaLabel,svAriaValueFormat:_.ColorRectangleBase.defaultProps.ariaValueFormat,svAriaDescription:_.ColorRectangleBase.defaultProps.ariaDescription,hexError:"Hex values must be between 3 and 6 characters long",alphaError:"Alpha must be between 0 and 100",transparencyError:"Transparency must be between 0 and 100",redError:"Red must be between 0 and 255",greenError:"Green must be between 0 and 255",blueError:"Blue must be between 0 and 255"}},t}(r.Component);function k(e){var t=e.color;return"string"==typeof t?(0,p.getColorFromString)(t):t}t.ColorPickerBase=P},61017:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ColorPicker=void 0;var n=o(71061),r=o(40542),i=o(49325);t.ColorPicker=(0,n.styled)(r.ColorPickerBase,i.getStyles,void 0,{scope:"ColorPicker"})},49325:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0,t.getStyles=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",forcedColorAdjust:"none"}],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"}}}]}}},37282:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},70510:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t._getNewColor=t.ColorRectangleBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(47076),s=o(19833),l=o(32668),c=o(61029),u=o(97156),d=o(50478),p=(0,i.classNamesFunction)(),m=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,i.getId)("ColorRectangle-description"),o._onKeyDown=function(e){var t=o.state.color,n=t.s,r=t.v,s=e.shiftKey?10:1;switch(e.which){case i.KeyCodes.up:o._isAdjustingSaturation=!1,r+=s;break;case i.KeyCodes.down:o._isAdjustingSaturation=!1,r-=s;break;case i.KeyCodes.left:o._isAdjustingSaturation=!0,n-=s;break;case i.KeyCodes.right:o._isAdjustingSaturation=!0,n+=s;break;default:return}o._updateColor(e,(0,l.updateSV)(t,(0,c.clamp)(n,a.MAX_COLOR_SATURATION),(0,c.clamp)(r,a.MAX_COLOR_VALUE)))},o._onMouseDown=function(e){var t=(0,d.getWindowEx)(o.context);o._disposables.push((0,i.on)(t,"mousemove",o._onMouseMove,!0),(0,i.on)(t,"mouseup",o._disposeListeners,!0)),o._onMouseMove(e)},o._onMouseMove=function(e){if(o._root.current){var t=g(e,o.state.color,o._root.current);t&&o._updateColor(e,t)}},o._onTouchStart=function(e){o._root.current&&e.stopPropagation()},o._onTouchMove=function(e){if(o._root.current){var t=g(e,o.state.color,o._root.current);t&&o._updateColor(e,t),e.preventDefault(),e.stopPropagation()}},o._disposeListeners=function(){o._disposables.forEach((function(e){return e()})),o._disposables=[]},(0,i.initializeComponentRef)(o),o.state={color:t.color},o}return n.__extends(t,e),Object.defineProperty(t.prototype,"color",{get:function(){return this.state.color},enumerable:!1,configurable:!0}),t.prototype.componentDidUpdate=function(e,t){e!==this.props&&this.props.color&&this.setState({color:this.props.color})},t.prototype.componentDidMount=function(){this._root.current&&(this._root.current.addEventListener("touchstart",this._onTouchStart,{capture:!0,passive:!1}),this._root.current.addEventListener("touchmove",this._onTouchMove,{capture:!0,passive:!1}))},t.prototype.componentWillUnmount=function(){this._root.current&&(this._root.current.removeEventListener("touchstart",this._onTouchStart),this._root.current.removeEventListener("touchmove",this._onTouchMove)),this._disposeListeners()},t.prototype.render=function(){var e=this.props,t=e.minSize,o=e.theme,n=e.className,i=e.styles,l=e.ariaValueFormat,c=e.ariaLabel,u=e.ariaDescription,d=this.state.color,m=p(i,{theme:o,className:n,minSize:t}),g=l.replace("{0}",String(d.s)).replace("{1}",String(d.v));return r.createElement("div",{ref:this._root,tabIndex:0,className:m.root,style:{backgroundColor:(0,s.getFullColorString)(d)},onMouseDown:this._onMouseDown,onKeyDown:this._onKeyDown,role:"slider","aria-valuetext":g,"aria-valuenow":this._isAdjustingSaturation?d.s:d.v,"aria-valuemin":0,"aria-valuemax":a.MAX_COLOR_VALUE,"aria-label":c,"aria-describedby":this._descriptionId,"data-is-focusable":!0},r.createElement("div",{className:m.description,id:this._descriptionId},u),r.createElement("div",{className:m.light}),r.createElement("div",{className:m.dark}),r.createElement("div",{className:m.thumb,style:{left:d.s+"%",top:a.MAX_COLOR_VALUE-d.v+"%",backgroundColor:d.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.contextType=u.WindowContext,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);function g(e,t,o){var n=o.getBoundingClientRect(),r=void 0,i=e;if(i.touches){var s=i.touches[i.touches.length-1];void 0!==s.clientX&&void 0!==s.clientY&&(r={clientX:s.clientX,clientY:s.clientY})}if(!r){var u=e;void 0!==u.clientX&&void 0!==u.clientY&&(r={clientX:u.clientX,clientY:u.clientY})}if(r){var d=(r.clientX-n.left)/n.width,p=(r.clientY-n.top)/n.height;return(0,l.updateSV)(t,(0,c.clamp)(Math.round(d*a.MAX_COLOR_SATURATION),a.MAX_COLOR_SATURATION),(0,c.clamp)(Math.round(a.MAX_COLOR_VALUE-p*a.MAX_COLOR_VALUE),a.MAX_COLOR_VALUE))}}t.ColorRectangleBase=m,t._getNewColor=g},5641:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ColorRectangle=void 0;var n=o(71061),r=o(70510),i=o(21021);t.ColorRectangle=(0,n.styled)(r.ColorRectangleBase,i.getStyles,void 0,{scope:"ColorRectangle"})},21021:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(31635),r=o(15019),i=o(71061),a=o(83048);t.getStyles=function(e){var t,o,s=e.className,l=e.theme,c=e.minSize,u=l.palette,d=l.effects;return{root:["ms-ColorPicker-colorRect",{position:"relative",marginBottom:8,border:"1px solid ".concat(u.neutralLighter),borderRadius:d.roundedCorner2,minWidth:c,minHeight:c,outline:"none",selectors:(t={},t[r.HighContrastSelector]=n.__assign({},(0,r.getHighContrastNoAdjustStyle)()),t[".".concat(i.IsFocusVisibleClassName," &:focus, :host(.").concat(i.IsFocusVisibleClassName,") &:focus")]=(o={outline:"1px solid ".concat(u.neutralSecondary)},o["".concat(r.HighContrastSelector)]={outline:"2px solid CanvasText"},o),t)},s],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 ".concat(u.neutralSecondaryAlt),borderRadius:"50%",boxShadow:d.elevation8,transform:"translate(-50%, -50%)",selectors:{":before":{position:"absolute",left:0,right:0,top:0,bottom:0,border:"2px solid ".concat(u.white),borderRadius:"50%",boxSizing:"border-box",content:'""'}}}],description:a.hiddenContentStyle}}},36626:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},89656:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ColorSliderBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(61029),s=o(47076),l=(0,i.classNamesFunction)(),c=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 i.KeyCodes.left:t-=r;break;case i.KeyCodes.right:t+=r;break;case i.KeyCodes.home:t=0;break;case i.KeyCodes.end:t=n;break;default:return}o._updateValue(e,(0,a.clamp)(t,n))},o._onMouseDown=function(e){var t=(0,i.getWindow)(o);t&&o._disposables.push((0,i.on)(t,"mousemove",o._onMouseMove,!0),(0,i.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,a.clamp)(Math.round(r*t),t);o._updateValue(e,i)}},o._onTouchStart=function(e){o._root.current&&e.stopPropagation()},o._onTouchMove=function(e){if(o._root.current){var t=e.touches[e.touches.length-1];if(void 0!==t.clientX){var n=o._maxValue,r=o._root.current.getBoundingClientRect(),i=(t.clientX-r.left)/r.width,s=(0,a.clamp)(Math.round(i*n),n);o._updateValue(e,s)}e.preventDefault(),e.stopPropagation()}},o._disposeListeners=function(){o._disposables.forEach((function(e){return e()})),o._disposables=[]},(0,i.initializeComponentRef)(o),(0,i.warnDeprecations)("ColorSlider",t,{thumbColor:"styles.sliderThumb",overlayStyle:"overlayColor",isAlpha:"type",maxValue:"type",minValue:"type"}),"hue"===o._type||t.overlayColor||t.overlayStyle||(0,i.warn)("ColorSlider: 'overlayColor' is required when 'type' is \"alpha\" or \"transparency\""),o.state={currentValue:t.value||0},o}return n.__extends(t,e),Object.defineProperty(t.prototype,"value",{get:function(){return this.state.currentValue},enumerable:!1,configurable:!0}),t.prototype.componentDidUpdate=function(e,t){e!==this.props&&void 0!==this.props.value&&this.setState({currentValue:this.props.value})},t.prototype.componentDidMount=function(){this._root.current&&(this._root.current.addEventListener("touchstart",this._onTouchStart,{capture:!0,passive:!1}),this._root.current.addEventListener("touchmove",this._onTouchMove,{capture:!0,passive:!1}))},t.prototype.componentWillUnmount=function(){this._root.current&&(this._root.current.removeEventListener("touchstart",this._onTouchStart),this._root.current.removeEventListener("touchmove",this._onTouchMove)),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,c=o.styles,u=o.ariaLabel,d=void 0===u?e:u,p=this.value,m=l(c,{theme:a,className:s,type:e}),g=100*p/t;return r.createElement("div",{ref:this._root,className:m.root,tabIndex:0,onKeyDown:this._onKeyDown,onMouseDown:this._onMouseDown,role:"slider","aria-valuenow":p,"aria-valuetext":String(p),"aria-valuemin":0,"aria-valuemax":t,"aria-label":d,"data-is-focusable":!0},!(!i&&!n)&&r.createElement("div",{className:m.sliderOverlay,style:i?{background:"transparency"===e?"linear-gradient(to right, #".concat(i,", transparent)"):"linear-gradient(to right, transparent, #".concat(i,")")}:n}),r.createElement("div",{className:m.sliderThumb,style:{left:g+"%"}}))},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:!1,configurable:!0}),Object.defineProperty(t.prototype,"_maxValue",{get:function(){return"hue"===this._type?s.MAX_COLOR_HUE:s.MAX_COLOR_ALPHA},enumerable:!1,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);t.ColorSliderBase=c},74051:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ColorSlider=void 0;var n=o(71061),r=o(89656),i=o(20735);t.ColorSlider=(0,n.styled)(r.ColorSliderBase,i.getStyles,void 0,{scope:"ColorSlider"})},20735:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(71061),r=o(15019),i={background:"linear-gradient(".concat(["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(","),")")},a={backgroundImage:"url(data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAAoAAAAKCAYAAACNMs+9AAAAJUlEQVQYV2N89erVfwY0ICYmxoguxjgUFKI7GsTH5m4M3w1ChQC1/Ca8i2n1WgAAAABJRU5ErkJggg==)"};t.getStyles=function(e){var t,o,s=e.theme,l=e.className,c=e.type,u=void 0===c?"hue":c,d=e.isAlpha,p=void 0===d?"hue"!==u:d,m=s.palette,g=s.effects;return{root:["ms-ColorPicker-slider",{position:"relative",height:20,marginBottom:8,border:"1px solid ".concat(m.neutralLight),borderRadius:g.roundedCorner2,boxSizing:"border-box",outline:"none",forcedColorAdjust:"none",selectors:(t={},t[".".concat(n.IsFocusVisibleClassName," &:focus")]=(o={outline:"1px solid ".concat(m.neutralSecondary)},o["".concat(r.HighContrastSelector)]={outline:"2px solid CanvasText"},o),t)},p?a:i,l],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 ".concat(m.neutralSecondaryAlt),borderRadius:"50%",boxShadow:g.elevation8,transform:"translate(-50%, -50%)",top:"50%",forcedColorAdjust:"auto"}]}}},83588:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},11020:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(61017),t),n.__exportStar(o(40542),t),n.__exportStar(o(37282),t),n.__exportStar(o(36626),t),n.__exportStar(o(83588),t)},80583:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getComboBoxOptionClassNames=t.getClassNames=void 0;var n=o(71061),r=o(15019);t.getClassNames=(0,n.memoizeFunction)((function(e,t,o,n,i,a,s,l){return{container:(0,r.mergeStyles)(e.__shadowConfig__,"ms-ComboBox-container",t,e.container),label:(0,r.mergeStyles)(e.__shadowConfig__,e.label,n&&e.labelDisabled),root:(0,r.mergeStyles)(e.__shadowConfig__,"ms-ComboBox",l?e.rootError:o&&"is-open",i&&"is-required",e.root,!s&&e.rootDisallowFreeForm,l&&!a?e.rootError:!n&&a&&e.rootFocused,!n&&{selectors:{":hover":l?e.rootError:!o&&!a&&e.rootHovered,":active":l?e.rootError:e.rootPressed,":focus":l?e.rootError:e.rootFocused}},n&&["is-disabled",e.rootDisabled]),input:(0,r.mergeStyles)(e.__shadowConfig__,"ms-ComboBox-Input",e.input,n&&e.inputDisabled),errorMessage:(0,r.mergeStyles)(e.__shadowConfig__,e.errorMessage),callout:(0,r.mergeStyles)(e.__shadowConfig__,"ms-ComboBox-callout",e.callout),optionsContainerWrapper:(0,r.mergeStyles)(e.__shadowConfig__,"ms-ComboBox-optionsContainerWrapper",e.optionsContainerWrapper),optionsContainer:(0,r.mergeStyles)(e.__shadowConfig__,"ms-ComboBox-optionsContainer",e.optionsContainer),header:(0,r.mergeStyles)(e.__shadowConfig__,"ms-ComboBox-header",e.header),divider:(0,r.mergeStyles)(e.__shadowConfig__,"ms-ComboBox-divider",e.divider),screenReaderText:(0,r.mergeStyles)(e.__shadowConfig__,e.screenReaderText)}})),t.getComboBoxOptionClassNames=(0,n.memoizeFunction)((function(e){return{optionText:(0,r.mergeStyles)(e.__shadowConfig__,"ms-ComboBox-optionText",e.optionText),root:(0,r.mergeStyles)(e.__shadowConfig__,"ms-ComboBox-option",e.root,{selectors:{":hover":e.rootHovered,":focus":e.rootFocused,":active":e.rootPressed}}),optionTextWrapper:(0,r.mergeStyles)(e.__shadowConfig__,e.optionTextWrapper)}}))},84793:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ComboBox=void 0;var n,r,i=o(31635),a=o(83923),s=o(95643),l=o(71061),c=o(16473),u=o(71688),d=o(46701),p=o(80583),m=o(47795),g=o(30628),h=o(74393),f=o(25698),v=o(52332),b=o(97156),y=o(50478);!function(e){e[e.backward=-1]="backward",e[e.none=0]="none",e[e.forward=1]="forward"}(n||(n={})),function(e){e[e.clearAll=-2]="clearAll",e[e.default=-1]="default"}(r||(r={}));var _=a.memo((function(e){return(0,e.render)()}),(function(e,t){e.render;var o=i.__rest(e,["render"]),n=(t.render,i.__rest(t,["render"]));return(0,l.shallowCompare)(o,n)})),S="ComboBox",C={options:[],allowFreeform:!1,autoComplete:"on",buttonIconProps:{iconName:"ChevronDown"}};function x(e,t){for(var o=(0,v.getChildren)(e),n=0;n0&&d();var r=o._id+e.key;c.items.push(n(i.__assign(i.__assign({id:r},e),{index:t}),o._onRenderItem)),c.id=r;break;case g.SelectableOptionMenuItemType.Divider:t>0&&c.items.push(n(i.__assign(i.__assign({},e),{index:t}),o._onRenderItem)),c.items.length>0&&d();break;default:c.items.push(n(i.__assign(i.__assign({},e),{index:t}),o._onRenderItem))}}(e,t)})),c.items.length>0&&d();var p=o._id;return a.createElement("div",{id:p+"-list",className:o._classNames.optionsContainer,"aria-labelledby":r&&p+"-label","aria-label":s&&!r?s:void 0,"aria-multiselectable":l?"true":void 0,role:"listbox"},u)},o._onRenderItem=function(e){switch(e.itemType){case g.SelectableOptionMenuItemType.Divider:return o._renderSeparator(e);case g.SelectableOptionMenuItemType.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,n=o.props.onRenderOption,r=void 0===n?o._onRenderOptionContent:n,s=null!==(t=e.id)&&void 0!==t?t:o._id+"-list"+e.index,l=o._isOptionSelected(e.index),c=o._isOptionChecked(e.index),d=o._isOptionIndeterminate(e.index),m=o._getCurrentOptionStyles(e),g=(0,p.getComboBoxOptionClassNames)(m),f=e.title;return a.createElement(_,{key:e.key,index:e.index,disabled:e.disabled,isSelected:l,isChecked:c,isIndeterminate:d,text:e.text,render:function(){return o.props.multiSelect?a.createElement(u.Checkbox,{id:s,ariaLabel:e.ariaLabel,ariaLabelledBy:e.ariaLabel?void 0:s+"-label",key:e.key,styles:m,className:"ms-ComboBox-option",onChange:o._onItemClick(e),label:e.text,checked:c,indeterminate:d,title:f,disabled:e.disabled,onRenderLabel:o._renderCheckboxLabel.bind(o,i.__assign(i.__assign({},e),{id:s+"-label"})),inputProps:i.__assign({"aria-selected":c?"true":"false",role:"option"},{"data-index":e.index,"data-is-focusable":!0})}):a.createElement(h.CommandButton,{id:s,key:e.key,"data-index":e.index,styles:m,checked:l,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":l?"true":"false",ariaLabel:e.ariaLabel,disabled:e.disabled,title:f},a.createElement("span",{className:g.optionTextWrapper,ref:l?o._selectedElement:void 0},r(e,o._onRenderOptionContent)))},data:e.data})},o._onCalloutMouseDown=function(e){e.preventDefault()},o._onScroll=function(){var e;o._isScrollIdle||void 0===o._scrollIdleTimeoutId?o._isScrollIdle=!1:(o._async.clearTimeout(o._scrollIdleTimeoutId),o._scrollIdleTimeoutId=void 0),(null===(e=o.props.calloutProps)||void 0===e?void 0:e.onScroll)&&o.props.calloutProps.onScroll(),o._scrollIdleTimeoutId=o._async.setTimeout((function(){o._isScrollIdle=!0}),250)},o._onRenderOptionContent=function(e){var t=(0,p.getComboBoxOptionClassNames)(o._getCurrentOptionStyles(e));return a.createElement("span",{className:t.optionText},e.text)},o._onRenderMultiselectOptionContent=function(e){var t=(0,p.getComboBoxOptionClassNames)(o._getCurrentOptionStyles(e));return a.createElement("span",{id:e.id,"aria-hidden":"true",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,i=t.disabled,a=t.allowFreeform,s=t.allowFreeInput,c=t.autoComplete,u=t.hoisted.currentOptions,d=o.state,p=d.isOpen,m=d.currentPendingValueValidIndexOnHover;if(o._lastKeyDownWasAltOrMeta=O(e),i)o._handleInputWhenDisabled(e);else{var g=o._getPendingSelectedIndex(!1);switch(e.which){case l.KeyCodes.enter:o._autofill.current&&o._autofill.current.inputElement&&o._autofill.current.inputElement.select(),o._submitPendingValue(e),o.props.multiSelect&&p?o.setState({currentPendingValueValidIndex:g}):(p||(!a||void 0===o.state.currentPendingValue||null===o.state.currentPendingValue||o.state.currentPendingValue.length<=0)&&o.state.currentPendingValueValidIndex<0)&&o.setState({isOpen:!p});break;case l.KeyCodes.tab:return o.props.multiSelect||o._submitPendingValue(e),void(p&&o._setOpenStateAndFocusOnClose(!p,!1));case l.KeyCodes.escape:if(o._resetSelectedIndex(),!p)return;o.setState({isOpen:!1});break;case l.KeyCodes.up:if(m===r.clearAll&&(g=o.props.hoisted.currentOptions.length),e.altKey||e.metaKey){if(p){o._setOpenStateAndFocusOnClose(!p,!0);break}return}e.preventDefault(),o._setPendingInfoFromIndexAndDirection(g,n.backward);break;case l.KeyCodes.down:e.altKey||e.metaKey?o._setOpenStateAndFocusOnClose(!0,!0):(m===r.clearAll&&(g=-1),e.preventDefault(),o._setPendingInfoFromIndexAndDirection(g,n.forward));break;case l.KeyCodes.home:case l.KeyCodes.end:if(a||s)return;g=-1;var h=n.forward;e.which===l.KeyCodes.end&&(g=u.length,h=n.backward),o._setPendingInfoFromIndexAndDirection(g,h);break;case l.KeyCodes.space:if(!a&&!s&&"off"===c)break;default:if(e.which>=112&&e.which<=123)return;if(e.keyCode===l.KeyCodes.alt||"Meta"===e.key)return;if(!a&&!s&&"on"===c){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.allowFreeInput,a=t.autoComplete,s=o.state.isOpen,c=o._lastKeyDownWasAltOrMeta&&O(e);o._lastKeyDownWasAltOrMeta=!1;var u=c&&!((0,l.isMac)()||(0,l.isIOS)());n?o._handleInputWhenDisabled(e):e.which!==l.KeyCodes.space?u&&s?o._setOpenStateAndFocusOnClose(!s,!0):("focusing"===o.state.focusState&&o.props.openOnKeyboardFocus&&o.setState({isOpen:!0}),"focused"!==o.state.focusState&&o.setState({focusState:"focused"})):r||i||"off"!==a||o._setOpenStateAndFocusOnClose(!s,!!s)},o._onOptionMouseLeave=function(){o._shouldIgnoreMouseEvent()||o.props.persistMenu&&!o.state.isOpen||o.setState({currentPendingValueValidIndexOnHover:r.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,l.initializeComponentRef)(o),o._async=new l.Async(o),o._events=new l.EventGroup(o),(0,l.warnMutuallyExclusive)(S,t,{defaultSelectedKey:"selectedKey",text:"defaultSelectedKey",selectedKey:"value",dropdownWidth:"useComboBoxAsMenuWidth",ariaLabel:"label"}),o._id=t.id||(0,l.getId)("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:r.default},o}return i.__extends(t,e),Object.defineProperty(t.prototype,"selectedOptions",{get:function(){var e=this.props.hoisted,t=e.currentOptions,o=e.selectedIndices;return(0,g.getAllSelectedOptions)(t,o)},enumerable:!1,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,n,r,a=this,s=this.props,c=s.allowFreeform,u=s.allowFreeInput,d=s.text,p=s.onMenuOpen,m=s.onMenuDismissed,g=s.hoisted,h=g.currentOptions,f=g.selectedIndices,v=this.state,b=v.currentPendingValue,_=v.currentPendingValueValidIndex,S=v.isOpen;!S||t.isOpen&&t.currentPendingValueValidIndex===_||this._async.setTimeout((function(){return a._scrollIntoView()}),0);var C=(0,y.getDocumentEx)(this.context);this._hasFocus()&&(S||t.isOpen&&!S&&this._focusInputAfterClose&&this._autofill.current&&(null==C?void 0:C.activeElement)!==this._autofill.current.inputElement)&&this.focus(void 0,!0),this._focusInputAfterClose&&(t.isOpen&&!S||this._hasFocus()&&(!S&&!this.props.multiSelect&&e.hoisted.selectedIndices&&f&&e.hoisted.selectedIndices[0]!==f[0]||!c&&!u||d!==e.text))&&this._onFocus(),this._notifyPendingValueChanged(t),S&&!t.isOpen&&(this._overrideScrollDismiss=!0,this._async.clearTimeout(this._overrideScrollDimissTimeout),this._overrideScrollDimissTimeout=this._async.setTimeout((function(){a._overrideScrollDismiss=!1}),100),null==p||p()),!S&&t.isOpen&&m&&m();var x=_,P=h.map((function(e,t){return i.__assign(i.__assign({},e),{index:t})}));!(0,l.shallowCompare)(e.hoisted.currentOptions,h)&&b&&(x=this.props.allowFreeform||this.props.allowFreeInput?this._processInputChangeWithFreeform(b):this._updateAutocompleteIndexWithoutFreeform(b));var k=void 0;S&&this._hasFocus()&&-1!==x?k=null!==(o=P[x].id)&&void 0!==o?o:this._id+"-list"+x:S&&f.length&&(k=null!==(r=null===(n=P[f[0]])||void 0===n?void 0:n.id)&&void 0!==r?r:this._id+"-list"+f[0]),k!==this.state.ariaActiveDescendantValue&&this.setState({ariaActiveDescendantValue:k})},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,s=t.errorMessage,c=t.onRenderContainer,u=void 0===c?this._onRenderContainer:c,m=t.onRenderLabel,g=void 0===m?this._onRenderLabel:m,h=t.onRenderList,f=void 0===h?this._onRenderList:h,v=t.onRenderItem,b=void 0===v?this._onRenderItem:v,y=t.onRenderOption,_=void 0===y?this._onRenderOptionContent:y,S=t.allowFreeform,C=t.styles,x=t.theme,P=t.persistMenu,k=t.multiSelect,I=t.hoisted,w=I.suggestedDisplayValue,T=I.selectedIndices,E=I.currentOptions,D=this.state.isOpen;this._currentVisibleValue=this._getVisibleValue();var M=k?this._getMultiselectDisplayString(T,E,w):void 0,O=(0,l.getNativeProps)(this.props,l.divProperties,["onChange","value","aria-describedby","aria-labelledby"]),R=!!(s&&s.length>0);this._classNames=this.props.getClassNames?this.props.getClassNames(x,!!D,!!n,!!r,!!this._hasFocus(),!!S,!!R,o):(0,p.getClassNames)((0,d.getStyles)(x,C),o,!!D,!!n,!!r,!!this._hasFocus(),!!S,!!R);var F=this._renderComboBoxWrapper(M,e);return a.createElement("div",i.__assign({},O,{ref:this.props.hoisted.mergedRootRef,className:this._classNames.container}),g({props:this.props,multiselectAccessibleText:M},this._onRenderLabel),F,(P||D)&&u(i.__assign(i.__assign({},this.props),{onRenderList:f,onRenderItem:b,onRenderOption:_,options:E.map((function(e,t){return i.__assign(i.__assign({},e),{index:t})})),onDismiss:this._onDismiss}),this._onRenderContainer),R&&a.createElement("div",{role:"alert",id:e,className:this._classNames.errorMessage},s))},t.prototype._getPendingString=function(e,t,o){return null!=e?e:T(t,o)?M(t[o]):""},t.prototype._getMultiselectDisplayString=function(e,t,o){for(var n=[],r=0;e&&r0){var l=M(a[0]);s=this._adjustForCaseSensitivity(l)!==e?l:"",n=a[0].index}}else 1===(a=o.map((function(e,t){return i.__assign(i.__assign({},e),{index:t})})).filter((function(o){return E(o)&&!o.disabled&&t._adjustForCaseSensitivity(M(o))===e}))).length&&(n=a[0].index);return this._setPendingInfo(r,n,s),n},t.prototype._processInputChangeWithoutFreeform=function(e){var t=this,o=this.state,n=o.currentPendingValue,r=o.currentPendingValueValidIndex;if("on"===this.props.autoComplete&&""!==e){this._autoCompleteTimeout&&(this._async.clearTimeout(this._autoCompleteTimeout),this._autoCompleteTimeout=void 0,e=w(n)+e);var i=this._updateAutocompleteIndexWithoutFreeform(e);return this._autoCompleteTimeout=this._async.setTimeout((function(){t._autoCompleteTimeout=void 0}),1e3),i}var a=r>=0?r:this._getFirstSelectedIndex();return this._setPendingInfoFromIndex(a),a},t.prototype._updateAutocompleteIndexWithoutFreeform=function(e){var t=this,o=this.props.hoisted.currentOptions,n=e;e=this._adjustForCaseSensitivity(e);var r=o.map((function(e,t){return i.__assign(i.__assign({},e),{index:t})})).filter((function(o){return E(o)&&!o.disabled&&0===t._adjustForCaseSensitivity(o.text).indexOf(e)}));return r.length>0?(this._setPendingInfo(n,r[0].index,M(r[0])),r[0].index):-1},t.prototype._getFirstSelectedIndex=function(){var e=this.props.hoisted.selectedIndices;return(null==e?void 0:e.length)?e[0]:-1},t.prototype._getNextSelectableIndex=function(e,t){var o=this.props.hoisted.currentOptions,r=e+t;if(!T(o,r=Math.max(0,Math.min(o.length-1,r))))return-1;var i=o[r];if(!D(i)||!0===i.hidden){if(t===n.none||!(r>0&&t=0&&rn.none))return e;r=this._getNextSelectableIndex(r,t)}return r},t.prototype._setSelectedIndex=function(e,t,o){void 0===o&&(o=n.none);var r=this.props,a=r.onChange,s=r.onPendingValueChanged,l=r.hoisted,c=l.selectedIndices,u=l.currentOptions,d=c?c.slice():[],p=u.slice();if(T(u,e=this._getNextSelectableIndex(e,o))){if(this.props.multiSelect||d.length<1||1===d.length&&d[0]!==e){var m=i.__assign({},u[e]);if(!m||m.disabled)return;if(this.props.multiSelect)if(m.selected=void 0!==m.selected?!m.selected:d.indexOf(e)<0,m.itemType===g.SelectableOptionMenuItemType.SelectAll)d=[],m.selected?u.forEach((function(e,t){!e.disabled&&D(e)&&(d.push(t),p[t]=i.__assign(i.__assign({},e),{selected:!0}))})):p=u.map((function(e){return i.__assign(i.__assign({},e),{selected:!1})}));else{m.selected&&d.indexOf(e)<0?d.push(e):!m.selected&&d.indexOf(e)>=0&&(d=d.filter((function(t){return t!==e}))),p[e]=m;var h=p.filter((function(e){return e.itemType===g.SelectableOptionMenuItemType.SelectAll}))[0];if(h){var f=this._isSelectAllChecked(d),v=p.indexOf(h);f?(d.push(v),p[v]=i.__assign(i.__assign({},h),{selected:!0})):(d=d.filter((function(e){return e!==v})),p[v]=i.__assign(i.__assign({},h),{selected:!1}))}}else d[0]=e;t.persist(),this.props.selectedKey||null===this.props.selectedKey||(this.props.hoisted.setSelectedIndices(d),this.props.hoisted.setCurrentOptions(p)),this._hasPendingValue&&s&&(s(),this._hasPendingValue=!1),a&&a(t,m,e,M(m))}this.props.multiSelect&&this.state.isOpen||this._clearPendingInfo()}},t.prototype._submitPendingValue=function(e){var t,o=this.props,n=o.onChange,r=o.allowFreeform,i=o.autoComplete,a=o.multiSelect,s=o.hoisted,c=s.currentOptions,u=this.state,d=u.currentPendingValue,p=u.currentPendingValueValidIndex,m=u.currentPendingValueValidIndexOnHover,g=this.props.hoisted.selectedIndices;if(!this._processingClearPendingInfo){if(r){if(null==d)return void(m>=0&&(this._setSelectedIndex(m,e),this._clearPendingInfo()));if(T(c,p)){var h=this._adjustForCaseSensitivity(M(c[p])),f=this._autofill.current,v=this._adjustForCaseSensitivity(d);if(v===h||i&&0===h.indexOf(v)&&(null==f?void 0:f.isValueSelected)&&d.length+(f.selectionEnd-f.selectionStart)===h.length||void 0!==(null===(t=null==f?void 0:f.inputElement)||void 0===t?void 0:t.value)&&this._adjustForCaseSensitivity(f.inputElement.value)===h){if(this._setSelectedIndex(p,e),a&&this.state.isOpen)return;return void this._clearPendingInfo()}}if(n)n&&n(e,void 0,void 0,d);else{var b={key:d||(0,l.getId)(),text:w(d)};a&&(b.selected=!0);var y=c.concat([b]);g&&(a||(g=[]),g.push(y.length-1)),s.setCurrentOptions(y),s.setSelectedIndices(g)}}else p>=0?this._setSelectedIndex(p,e):m>=0&&this._setSelectedIndex(m,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?a.createElement("div",{role:"presentation",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 a.createElement("div",{id:e.id,key:e.key,className:this._classNames.header},o(e,this._onRenderOptionContent))},t.prototype._renderCheckboxLabel=function(e){var t=this.props.onRenderOption;return(void 0===t?this._onRenderMultiselectOptionContent:t)(e,this._onRenderMultiselectOptionContent)},t.prototype._isOptionHighlighted=function(e){var t=this.state.currentPendingValueValidIndexOnHover;return t!==r.clearAll&&(t>=0?t===e:this._isOptionSelected(e))},t.prototype._isOptionSelected=function(e){return 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._isOptionIndeterminate=function(e){var t=this.props,o=t.multiSelect,n=t.hoisted;if(o&&void 0!==e&&n.selectedIndices&&n.currentOptions){var r=n.currentOptions[e];if(r&&r.itemType===g.SelectableOptionMenuItemType.SelectAll)return n.selectedIndices.length>0&&!this._isSelectAllChecked()}return!1},t.prototype._isSelectAllChecked=function(e){var t=this.props,o=t.multiSelect,n=t.hoisted,r=n.currentOptions.find((function(e){return e.itemType===g.SelectableOptionMenuItemType.SelectAll})),i=e||n.selectedIndices;if(!o||!i||!r)return!1;var a=n.currentOptions.indexOf(r),s=i.filter((function(e){return e!==a})),l=n.currentOptions.filter((function(e){return!e.disabled&&e.itemType!==g.SelectableOptionMenuItemType.SelectAll&&D(e)}));return s.length===l.length},t.prototype._getPendingSelectedIndex=function(e){var t=this.state,o=t.currentPendingValueValidIndex,n=t.currentPendingValue;return o>=0||e&&null!=n?o:this.props.multiSelect?-1:this._getFirstSelectedIndex()},t.prototype._scrollIntoView=function(){var e=this.props,t=e.onScrollToItem,o=e.scrollSelectedToTop,n=this._getPendingSelectedIndex(!0);if(t)t(n>=0?n:this._getFirstSelectedIndex());else{var r=this._selectedElement.current;if(this.props.multiSelect&&this._comboBoxMenu.current&&(r=x(this._comboBoxMenu.current,(function(e){var t;return(null===(t=e.dataset)||void 0===t?void 0:t.index)===n.toString()}))),r&&r.offsetParent){var i=!0;if(this._comboBoxMenu.current&&this._comboBoxMenu.current.offsetParent){var a=this._comboBoxMenu.current.offsetParent,s=r.offsetParent,l=s.offsetHeight,c=s.offsetTop,u=a,d=u.offsetHeight,p=u.scrollTop,m=c+l>p+d;c0&&t=0&&e=o.length-1?e=-1:t===n.backward&&e<=0&&(e=o.length);var r=this._getNextSelectableIndex(e,t);e===r?t===n.forward?e=this._getNextSelectableIndex(-1,t):t===n.backward&&(e=this._getNextSelectableIndex(o.length,t)):e=r,T(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&&T(o,a)?s=a:i!==e.currentPendingValueValidIndex&&T(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!==l.KeyCodes.tab&&e.which!==l.KeyCodes.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(0,d.getCaretDownButtonStyles)(this.props.theme,e)},t.prototype._getCurrentOptionStyles=function(e){var t,o=this.props.comboBoxOptionStyles,n=e.styles,r=(0,d.getOptionStyles)(this.props.theme,o,n,this._isPendingOption(e),e.hidden,this._isOptionHighlighted(e.index));return r.__shadowConfig__=null===(t=this.props.styles)||void 0===t?void 0:t.__shadowConfig__,r},t.prototype._getAriaAutoCompleteValue=function(){return this.props.disabled||"on"!==this.props.autoComplete?"list":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},t.prototype._adjustForCaseSensitivity=function(e){return this.props.caseSensitive?e:e.toLowerCase()},t.contextType=b.WindowContext,i.__decorate([(0,l.customizable)("ComboBox",["theme","styles"],!0)],t)}(a.Component);function k(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,l.findIndex)(e,(function(e){return e.key===t}));n>-1&&(o[n]=!0)},r=0,i=t;r=0&&t{"use strict";var n,r;Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=t.getCaretDownButtonStyles=t.getOptionStyles=void 0;var i=o(31635),a=o(15019),s=o(71061),l=(0,s.memoizeFunction)((function(e){var t,o=e.semanticColors;return{backgroundColor:o.disabledBackground,color:o.disabledText,cursor:"default",selectors:(t={":after":{borderColor:o.disabledBackground}},t[a.HighContrastSelector]={color:"GrayText",selectors:{":after":{borderColor:"GrayText"}}},t)}})),c={selectors:(n={},n[a.HighContrastSelector]=i.__assign({backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},(0,a.getHighContrastNoAdjustStyle)()),n)},u={selectors:(r={},r[a.HighContrastSelector]=i.__assign({color:"WindowText",backgroundColor:"Window"},(0,a.getHighContrastNoAdjustStyle)()),r)};t.getOptionStyles=(0,s.memoizeFunction)((function(e,t,o,n,r,s){var l,u=e.palette,d=e.semanticColors,p={textHoveredColor:d.menuItemTextHovered,textSelectedColor:u.neutralDark,textDisabledColor:d.disabledText,backgroundHoveredColor:d.menuItemBackgroundHovered,backgroundPressedColor:d.menuItemBackgroundPressed},m={root:[e.fonts.medium,{backgroundColor:n?p.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.__assign(i.__assign((l={},l[a.HighContrastSelector]={border:"none",borderColor:"Background"},l),!r&&{"&.ms-Checkbox":{display:"flex",alignItems:"center"}}),{"&.ms-Button--command:hover:active":{backgroundColor:p.backgroundPressedColor},".ms-Checkbox-label":{width:"100%"}})},s?[{backgroundColor:"transparent",color:p.textSelectedColor,selectors:{":hover":[{backgroundColor:p.backgroundHoveredColor},c]}},(0,a.getFocusStyle)(e,{inset:-1,isFocusedOnly:!1}),c]:[]],rootHovered:{backgroundColor:p.backgroundHoveredColor,color:p.textHoveredColor},rootFocused:{backgroundColor:p.backgroundHoveredColor},rootDisabled:{color:p.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,a.concatStyleSets)(m,t,o)})),t.getCaretDownButtonStyles=(0,s.memoizeFunction)((function(e,t){var o,n,r=e.semanticColors,s=e.fonts,c={buttonTextColor:r.bodySubtext,buttonTextHoveredCheckedColor:r.buttonTextChecked,buttonBackgroundHoveredColor:r.listItemBackgroundHovered,buttonBackgroundCheckedColor:r.listItemBackgroundChecked,buttonBackgroundCheckedHoveredColor:r.listItemBackgroundCheckedHovered},u={selectors:(o={},o[a.HighContrastSelector]=i.__assign({backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},(0,a.getHighContrastNoAdjustStyle)()),o)},d={root:{color:c.buttonTextColor,fontSize:s.small.fontSize,position:"absolute",top:0,height:"100%",lineHeight:30,width:32,textAlign:"center",cursor:"default",selectors:(n={},n[a.HighContrastSelector]=i.__assign({backgroundColor:"ButtonFace",borderColor:"ButtonText",color:"ButtonText"},(0,a.getHighContrastNoAdjustStyle)()),n)},icon:{fontSize:s.small.fontSize},rootHovered:[{backgroundColor:c.buttonBackgroundHoveredColor,color:c.buttonTextHoveredCheckedColor,cursor:"pointer"},u],rootPressed:[{backgroundColor:c.buttonBackgroundCheckedColor,color:c.buttonTextHoveredCheckedColor},u],rootChecked:[{backgroundColor:c.buttonBackgroundCheckedColor,color:c.buttonTextHoveredCheckedColor},u],rootCheckedHovered:[{backgroundColor:c.buttonBackgroundCheckedHoveredColor,color:c.buttonTextHoveredCheckedColor},u],rootDisabled:[l(e),{position:"absolute"}]};return(0,a.concatStyleSets)(d,t)})),t.getStyles=(0,s.memoizeFunction)((function(e,t,o){var n,r,s,c,d,p,m=e.semanticColors,g=e.fonts,h=e.effects,f={textColor:m.inputText,borderColor:m.inputBorder,borderHoveredColor:m.inputBorderHovered,borderPressedColor:m.inputFocusBorderAlt,borderFocusedColor:m.inputFocusBorderAlt,backgroundColor:m.inputBackground,erroredColor:m.errorText},v={headerTextColor:m.menuHeader,dividerBorderColor:m.bodyDivider},b={selectors:(n={},n[a.HighContrastSelector]={color:"GrayText"},n)},y=[{color:m.inputPlaceholderText},b],_=[{color:m.inputTextHovered},b],S=[{color:m.disabledText},b],C=i.__assign(i.__assign({color:"HighlightText",backgroundColor:"Window"},(0,a.getHighContrastNoAdjustStyle)()),{selectors:{":after":{borderColor:"Highlight"}}}),x=(0,a.getInputFocusStyle)(f.borderPressedColor,h.roundedCorner2,"border",0),P={container:{},label:{},labelDisabled:{},root:[e.fonts.medium,{boxShadow:"none",marginLeft:"0",paddingRight:32,paddingLeft:9,color:f.textColor,position:"relative",outline:"0",userSelect:"none",backgroundColor:f.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[a.HighContrastSelector]=C,r)},":after":{pointerEvents:"none",content:"''",position:"absolute",left:0,top:0,bottom:0,right:0,borderWidth:"1px",borderStyle:"solid",borderColor:f.borderColor,borderRadius:h.roundedCorner2}}}],rootHovered:{selectors:(s={":after":{borderColor:f.borderHoveredColor},".ms-ComboBox-Input":[{color:m.inputTextHovered},(0,a.getPlaceholderStyles)(_),u]},s[a.HighContrastSelector]=i.__assign(i.__assign({color:"HighlightText",backgroundColor:"Window"},(0,a.getHighContrastNoAdjustStyle)()),{selectors:{":after":{borderColor:"Highlight"}}}),s)},rootPressed:[{position:"relative",selectors:(c={},c[a.HighContrastSelector]=C,c)}],rootFocused:[{selectors:(d={".ms-ComboBox-Input":[{color:m.inputTextHovered},u]},d[a.HighContrastSelector]=C,d)},x],rootDisabled:l(e),rootError:{selectors:{":after":{borderColor:f.erroredColor},":hover:after":{borderColor:m.inputBorderHovered}}},rootDisallowFreeForm:{},input:[(0,a.getPlaceholderStyles)(y),{backgroundColor:f.backgroundColor,color:f.textColor,boxSizing:"border-box",width:"100%",height:"100%",borderStyle:"none",outline:"none",font:"inherit",textOverflow:"ellipsis",padding:"0",selectors:{"::-ms-clear":{display:"none"}}},u],inputDisabled:[l(e),(0,a.getPlaceholderStyles)(S)],errorMessage:[e.fonts.small,{color:f.erroredColor,marginTop:"5px"}],callout:{boxShadow:h.elevation8},optionsContainerWrapper:{width:o},optionsContainer:{display:"block"},screenReaderText:a.hiddenContentStyle,header:[g.medium,{fontWeight:a.FontWeights.semibold,color:v.headerTextColor,backgroundColor:"none",borderStyle:"none",height:36,lineHeight:36,cursor:"default",padding:"0 8px",userSelect:"none",textAlign:"left",selectors:(p={},p[a.HighContrastSelector]=i.__assign({color:"GrayText"},(0,a.getHighContrastNoAdjustStyle)()),p)}],divider:{height:1,backgroundColor:v.dividerBorderColor}};return(0,a.concatStyleSets)(P,t)}))},28898:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},75810:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.VirtualizedComboBox=void 0;var n=o(31635),r=o(83923),i=o(84793),a=o(2133),s=o(71061),l=function(e){function t(t){var o=e.call(this,t)||this;return o._comboBox=r.createRef(),o._list=r.createRef(),o._onRenderList=function(e){var t=e.id,n=e.onRenderItem;return r.createElement(a.List,{componentRef:o._list,role:"listbox",id:"".concat(t,"-list"),"aria-labelledby":"".concat(t,"-label"),items:e.options,onRenderCell:n?function(e){return n(e)}:function(){return null}})},o._onScrollToItem=function(e){o._list.current&&o._list.current.scrollToIndex(e)},(0,s.initializeComponentRef)(o),o}return n.__extends(t,e),Object.defineProperty(t.prototype,"selectedOptions",{get:function(){return this._comboBox.current?this._comboBox.current.selectedOptions:[]},enumerable:!1,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 r.createElement(i.ComboBox,n.__assign({},this.props,{componentRef:this._comboBox,onRenderList:this._onRenderList,onScrollToItem:this._onScrollToItem}))},t}(r.Component);t.VirtualizedComboBox=l},35488:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(84793),t),n.__exportStar(o(28898),t),n.__exportStar(o(75810),t)},27160:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.CommandBarBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(95923),s=o(68318),l=o(80371),c=o(74393),u=o(34718),d=o(81151),p=(0,i.classNamesFunction)(),m=function(e){function t(t){var o=e.call(this,t)||this;return o._overflowSet=r.createRef(),o._resizeGroup=r.createRef(),o._onRenderData=function(e){var t=o.props,n=t.ariaLabel,s=t.primaryGroupAriaLabel,c=t.farItemsGroupAriaLabel,u=e.farItems&&e.farItems.length>0;return r.createElement(l.FocusZone,{className:(0,i.css)(o._classNames.root),direction:l.FocusZoneDirection.horizontal,role:"menubar","aria-label":n},r.createElement(a.OverflowSet,{role:u?"group":"none","aria-label":u?s:void 0,componentRef:o._overflowSet,className:(0,i.css)(o._classNames.primarySet),items:e.primaryItems,overflowItems:e.overflowItems.length?e.overflowItems:void 0,onRenderItem:o._onRenderItem,onRenderOverflowButton:o._onRenderOverflowButton}),u&&r.createElement(a.OverflowSet,{role:"group","aria-label":c,className:(0,i.css)(o._classNames.secondarySet),items:e.farItems,onRenderItem:o._onRenderItem,onRenderOverflowButton:i.nullRender}))},o._onRenderItem=function(e){if(e.onRender)return e.onRender(e,(function(){}));var t=e.text||e.name,a=n.__assign(n.__assign({allowDisabledFocus:!0,role:"menuitem"},e),{styles:(0,d.getCommandButtonStyles)(e.buttonStyles),className:(0,i.css)("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)?r.createElement(u.TooltipHost,n.__assign({role:"none",content:t,setAriaDescribedBy:!1},e.tooltipHostProps),o._commandButton(e,a)):o._commandButton(e,a)},o._commandButton=function(e,t){var a=o.props.buttonAs,s=e.commandBarButtonAs,l=c.CommandBarButton;return s&&(l=(0,i.composeComponentAs)(s,l)),a&&(l=(0,i.composeComponentAs)(a,l)),r.createElement(l,n.__assign({},t))},o._onRenderOverflowButton=function(e){var t=o.props.overflowButtonProps,a=void 0===t?{}:t,s=n.__spreadArray(n.__spreadArray([],a.menuProps?a.menuProps.items:[],!0),e,!0),l=n.__assign(n.__assign({role:"menuitem"},a),{styles:n.__assign({menuIcon:{fontSize:"17px"}},a.styles),className:(0,i.css)("ms-CommandBar-overflowButton",a.className),menuProps:n.__assign(n.__assign({},a.menuProps),{items:s}),menuIconProps:n.__assign({iconName:"More"},a.menuIconProps)}),u=o.props.overflowButtonAs?(0,i.composeComponentAs)(o.props.overflowButtonAs,c.CommandBarButton):c.CommandBarButton;return r.createElement(u,n.__assign({},l))},o._onReduceData=function(e){var t=o.props,r=t.shiftOnReduce,i=t.onDataReduced,a=e.primaryItems,s=e.overflowItems,l=e.cacheKey,c=e.farItems,u=a[r?0:a.length-1];if(void 0!==u){u.renderedInOverflow=!0,s=n.__spreadArray([u],s,!0),a=r?a.slice(1):a.slice(0,-1);var d=n.__assign(n.__assign({},e),{primaryItems:a,overflowItems:s});return l=o._computeCacheKey({primaryItems:a,overflow:s.length>0,farItems:c}),i&&i(u),d.cacheKey=l,d}},o._onGrowData=function(e){var t=o.props,r=t.shiftOnReduce,i=t.onDataGrown,a=e.minimumOverflowItems,s=e.primaryItems,l=e.overflowItems,c=e.cacheKey,u=e.farItems,d=l[0];if(void 0!==d&&l.length>a){d.renderedInOverflow=!1,l=l.slice(1),s=r?n.__spreadArray([d],s,!0):n.__spreadArray(n.__spreadArray([],s,!0),[d],!1);var p=n.__assign(n.__assign({},e),{primaryItems:s,overflowItems:l});return c=o._computeCacheKey({primaryItems:s,overflow:l.length>0,farItems:u}),i&&i(d),p.cacheKey=c,p}},(0,i.initializeComponentRef)(o),o}return n.__extends(t,e),t.prototype.render=function(){var e=this.props,t=e.items,o=e.overflowItems,a=e.farItems,l=e.styles,c=e.theme,u=e.dataDidRender,d=e.onReduceData,m=void 0===d?this._onReduceData:d,g=e.onGrowData,h=void 0===g?this._onGrowData:g,f=e.resizeGroupAs,v=void 0===f?s.ResizeGroup:f,b={primaryItems:n.__spreadArray([],t,!0),overflowItems:n.__spreadArray([],o,!0),minimumOverflowItems:n.__spreadArray([],o,!0).length,farItems:a,cacheKey:this._computeCacheKey({primaryItems:n.__spreadArray([],t,!0),overflow:o&&o.length>0,farItems:a})};this._classNames=p(l,{theme:c});var y=(0,i.getNativeProps)(this.props,i.divProperties);return r.createElement(v,n.__assign({},y,{componentRef:this._resizeGroup,data:b,onReduceData:m,onGrowData:h,onRenderData:this._onRenderData,dataDidRender:u}))},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,n=e.farItems,r=function(e,t){var o=t.cacheKey;return e+(void 0===o?t.key:o)};return[t&&t.reduce(r,""),o?"overflow":"",n&&n.reduce(r,"")].join("")},t.defaultProps={items:[],overflowItems:[]},t}(r.Component);t.CommandBarBase=m},95651:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.CommandBar=void 0;var n=o(71061),r=o(27160),i=o(81151);t.CommandBar=(0,n.styled)(r.CommandBarBase,i.getStyles,void 0,{scope:"CommandBar"})},81151:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getCommandButtonStyles=t.getStyles=void 0;var n=o(31635),r=o(71061);t.getStyles=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"}]}},t.getCommandButtonStyles=(0,r.memoizeFunction)((function(e){var t={height:"100%"},o={whiteSpace:"nowrap"},r=e||{},i=r.root,a=r.label,s=n.__rest(r,["root","label"]);return n.__assign(n.__assign({},s),{root:i?[t,i]:t,label:a?[o,a]:o})}))},64324:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},94121:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getCommandButtonStyles=t.getCommandBarStyles=void 0;var n=o(31635),r=o(81151);Object.defineProperty(t,"getCommandBarStyles",{enumerable:!0,get:function(){return r.getStyles}}),Object.defineProperty(t,"getCommandButtonStyles",{enumerable:!0,get:function(){return r.getCommandButtonStyles}}),n.__exportStar(o(95651),t),n.__exportStar(o(27160),t),n.__exportStar(o(64324),t)},82120:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ContextualMenuBase=t.canAnyMenuItemsCheck=t.getSubmenuItems=void 0;var n=o(31635),r=o(83923),i=o(3668),a=o(42502),s=o(80371),l=o(71061),c=o(50719),u=o(16473),d=o(73648),p=o(17630),m=o(15019),g=o(28437),h=o(25698),f=o(4324),v=o(46263),b=(0,l.classNamesFunction)(),y=(0,l.classNamesFunction)(),_={items:[],shouldFocusOnMount:!0,gapSpace:0,directionalHint:a.DirectionalHint.bottomAutoEdge,beakWidth:16};function S(e){for(var t=0,o=0,n=e;o0){var f=0;return r.createElement("li",{role:"presentation",key:c.key||e.key||"section-".concat(a)},r.createElement("div",n.__assign({},d),r.createElement("ul",{className:o.list,role:"presentation"},c.topDivider&&ye(a,t,!0,!0),u&&be(u,e.key||a,t,e.title),c.items.map((function(e,t){var n=fe(e,t,f,S(c.items),s,l,o);if(e.itemType!==i.ContextualMenuItemType.Divider&&e.itemType!==i.ContextualMenuItemType.Header){var r=e.customOnRenderListLength?e.customOnRenderListLength:1;f+=r}return n})),c.bottomDivider&&ye(a,t,!1,!0))))}}},be=function(e,t,o,n){return r.createElement("li",{role:"presentation",title:n,key:t,className:o.item},e)},ye=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},_e=function(e,t,o,i,a,s,u){if(e.onRender)return e.onRender(n.__assign({"aria-posinset":i+1,"aria-setsize":a},e),R);var d={item:e,classNames:t,index:o,focusableElementIndex:i,totalItemCount:a,hasCheckmarks:s,hasIcons:u,contextualMenuItemAs:m.contextualMenuItemAs,onItemMouseEnter:le,onItemMouseLeave:ue,onItemMouseMove:ce,onItemMouseDown:T,executeItemClick:me,onItemKeyDown:ae,expandedMenuItemKey:H,openSubMenu:j,dismissSubMenu:W,dismissMenu:R};if(e.href){var g=p.ContextualMenuAnchor;return e.contextualMenuItemWrapperAs&&(g=(0,l.composeComponentAs)(e.contextualMenuItemWrapperAs,g)),r.createElement(g,n.__assign({},d,{onItemClick:pe}))}if(e.split&&(0,c.hasSubmenu)(e)){var h=p.ContextualMenuSplitButton;return e.contextualMenuItemWrapperAs&&(h=(0,l.composeComponentAs)(e.contextualMenuItemWrapperAs,h)),r.createElement(h,n.__assign({},d,{onItemClick:de,onItemClickBase:ge,onTap:Q}))}var f=p.ContextualMenuButton;return e.contextualMenuItemWrapperAs&&(f=(0,l.composeComponentAs)(e.contextualMenuItemWrapperAs,f)),r.createElement(f,n.__assign({},d,{onItemClick:de,onItemClickBase:ge}))},Se=function(e,t,o,i,a,s){var c=d.ContextualMenuItem;e.contextualMenuItemAs&&(c=(0,l.composeComponentAs)(e.contextualMenuItemAs,c)),m.contextualMenuItemAs&&(c=(0,l.composeComponentAs)(m.contextualMenuItemAs,c));var u=e.itemProps,p=e.id,g=u&&(0,l.getNativeProps)(u,l.divProperties);return r.createElement("div",n.__assign({id:p,className:o.header},g,{style:e.style}),r.createElement(c,n.__assign({item:e,classNames:t,index:i,onCheckmarkClick:a?de:void 0,hasIcons:s},u)))},Ce=m.isBeakVisible,xe=m.items,Pe=m.labelElementId,ke=m.id,Ie=m.className,we=m.beakWidth,Te=m.directionalHint,Ee=m.directionalHintForRTL,De=m.alignTargetEdge,Me=m.gapSpace,Oe=m.coverTarget,Re=m.ariaLabel,Fe=m.doNotLayer,Be=m.target,Ae=m.bounds,Ne=m.useTargetWidth,Le=m.useTargetAsMinWidth,He=m.directionalHintFixed,je=m.shouldFocusOnMount,ze=m.shouldFocusOnContainer,We=m.title,Ve=m.styles,Ke=m.theme,Ge=m.calloutProps,Ue=m.onRenderSubMenu,Ye=void 0===Ue?E:Ue,qe=m.onRenderMenuList,Xe=void 0===qe?function(e,t){return he(e,Je)}:qe,Ze=m.focusZoneProps,Qe=m.getMenuClassNames,Je=Qe?Qe(Ke,Ie):b(Ve,{theme:Ke,className:Ie}),$e=function e(t){for(var o=0,n=t;o0){var it=S(xe),at=Je.subComponentStyles?Je.subComponentStyles.callout:void 0;return r.createElement(v.MenuContext.Consumer,null,(function(e){return r.createElement(u.Callout,n.__assign({styles:at,onRestoreFocus:N},Ge,{target:Be||e.target,isBeakVisible:Ce,beakWidth:we,directionalHint:Te,directionalHintForRTL:Ee,gapSpace:Me,coverTarget:Oe,doNotLayer:Fe,className:(0,l.css)("ms-ContextualMenu-Callout",Ge&&Ge.className),setInitialFocus:je,onDismiss:m.onDismiss||e.onDismiss,onScroll:q,bounds:Ae,directionalHintFixed:He,alignTargetEdge:De,hidden:m.hidden||e.hidden,ref:t}),r.createElement("div",{style:te,ref:g,id:ke,className:Je.container,tabIndex:ze?0:-1,onKeyDown:ie,onKeyUp:re,onFocusCapture:U,"aria-label":Re,"aria-labelledby":Pe,role:"menu"},We&&r.createElement("div",{className:Je.title}," ",We," "),xe&&xe.length?function(e,t){var o=m.focusZoneAs,i=void 0===o?s.FocusZone:o;return r.createElement(i,n.__assign({},t),e)}(Xe({ariaLabel:Re,items:xe,totalItemCount:it,hasCheckmarks:tt,hasIcons:$e,defaultMenuItemRenderer:function(e){return function(e,t){var o=e.index,n=e.focusableElementIndex,r=e.totalItemCount,i=e.hasCheckmarks,a=e.hasIcons;return fe(e,o,n,r,i,a,t)}(e,Je)},labelElementId:Pe},(function(e,t){return he(e,Je)})),et):null,ot&&Ye(ot,E)),r.createElement(l.FocusRects,null))}))}return null})),(function(e,t){return!(t.shouldUpdateWhenHidden||!e.hidden||!t.hidden)||(0,l.shallowCompare)(e,t)})),t.ContextualMenuBase.displayName="ContextualMenuBase"},28437:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getItemStyles=t.getItemClassNames=t.getSplitButtonVerticalDividerClassNames=void 0;var n=o(64485),r=o(74582),i=o(15019),a=o(71061),s="28px",l=(0,i.getScreenSelector)(0,i.ScreenWidthMaxMedium);t.getSplitButtonVerticalDividerClassNames=(0,a.memoizeFunction)((function(e){var t;return(0,i.mergeStyleSets)((0,n.getDividerClassNames)(e),{wrapper:{position:"absolute",right:28,selectors:(t={},t[l]={right:32},t)},divider:{height:16,width:1}})}));var c={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"};t.getItemClassNames=(0,a.memoizeFunction)((function(e,t,o,n,l,u,d,p,m,g,h,f){var v,b,y,_,S=(0,r.getMenuItemStyles)(e),C=(0,i.getGlobalClassNames)(c,e);return(0,i.mergeStyleSets)({item:[C.item,S.item,d],divider:[C.divider,S.divider,p],root:[C.root,S.root,n&&[C.isChecked,S.rootChecked],l&&S.anchorLink,o&&[C.isExpanded,S.rootExpanded],t&&[C.isDisabled,S.rootDisabled],!t&&!o&&[{selectors:(v={":hover":S.rootHovered,":active":S.rootPressed},v[".".concat(a.IsFocusVisibleClassName," &:focus, .").concat(a.IsFocusVisibleClassName," &:focus:hover, :host(.").concat(a.IsFocusVisibleClassName,") &:focus, :host(.").concat(a.IsFocusVisibleClassName,") &:focus:hover")]=S.rootFocused,v[".".concat(a.IsFocusVisibleClassName," &:hover, :host(.").concat(a.IsFocusVisibleClassName,") &:hover")]={background:"inherit;"},v)}],f],splitPrimary:[S.root,{width:"calc(100% - ".concat(s,")")},n&&["is-checked",S.rootChecked],(t||h)&&["is-disabled",S.rootDisabled],!(t||h)&&!n&&[{selectors:(b={":hover":S.rootHovered},b[":hover ~ .".concat(C.splitMenu)]=S.rootHovered,b[":active"]=S.rootPressed,b[".".concat(a.IsFocusVisibleClassName," &:focus, .").concat(a.IsFocusVisibleClassName," &:focus:hover, :host(.").concat(a.IsFocusVisibleClassName,") &:focus, :host(.").concat(a.IsFocusVisibleClassName,") &:focus:hover")]=S.rootFocused,b[".".concat(a.IsFocusVisibleClassName," &:hover, :host(.").concat(a.IsFocusVisibleClassName,") &:hover")]={background:"inherit;"},b)}]],splitMenu:[C.splitMenu,S.root,{flexBasis:"0",padding:"0 8px",minWidth:s},o&&["is-expanded",S.rootExpanded],t&&["is-disabled",S.rootDisabled],!t&&!o&&[{selectors:(y={":hover":S.rootHovered,":active":S.rootPressed},y[".".concat(a.IsFocusVisibleClassName," &:focus, .").concat(a.IsFocusVisibleClassName," &:focus:hover, :host(.").concat(a.IsFocusVisibleClassName,") &:focus, :host(.").concat(a.IsFocusVisibleClassName,") &:focus:hover")]=S.rootFocused,y[".".concat(a.IsFocusVisibleClassName," &:hover, :host(.").concat(a.IsFocusVisibleClassName,") &:hover")]={background:"inherit;"},y)}]],anchorLink:S.anchorLink,linkContent:[C.linkContent,S.linkContent],linkContentMenu:[C.linkContentMenu,S.linkContent,{justifyContent:"center"}],icon:[C.icon,u&&S.iconColor,S.icon,m,t&&[C.isDisabled,S.iconDisabled]],iconColor:S.iconColor,checkmarkIcon:[C.checkmarkIcon,u&&S.checkmarkIcon,S.icon,m],subMenuIcon:[C.subMenuIcon,S.subMenuIcon,g,o&&{color:e.palette.neutralPrimary},t&&[S.iconDisabled]],label:[C.label,S.label],secondaryText:[C.secondaryText,S.secondaryText],splitContainer:[S.splitButtonFlexContainer,!t&&!n&&[{selectors:(_={},_[".".concat(a.IsFocusVisibleClassName," &:focus, .").concat(a.IsFocusVisibleClassName," &:focus:hover, :host(.").concat(a.IsFocusVisibleClassName,") &:focus, :host(.").concat(a.IsFocusVisibleClassName,") &:focus:hover")]=S.rootFocused,_)}]],screenReaderText:[C.screenReaderText,S.screenReaderText,i.hiddenContentStyle,{visibility:"hidden"}]})})),t.getItemStyles=function(e){var o=e.theme,n=e.disabled,r=e.expanded,i=e.checked,a=e.isAnchorLink,s=e.knownIcon,l=e.itemClassName,c=e.dividerClassName,u=e.iconClassName,d=e.subMenuClassName,p=e.primaryDisabled,m=e.className;return(0,t.getItemClassNames)(o,n,r,i,a,s,l,c,u,d,p,m)}},74582:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getMenuItemStyles=t.CONTEXTUAL_MENU_ITEM_HEIGHT=void 0;var n=o(31635),r=o(15019),i=o(71061);t.CONTEXTUAL_MENU_ITEM_HEIGHT=36;var a=(0,r.getScreenSelector)(0,r.ScreenWidthMaxMedium);t.getMenuItemStyles=(0,i.memoizeFunction)((function(e){var o,i,s,l,c,u=e.semanticColors,d=e.fonts,p=e.palette,m=u.menuItemBackgroundHovered,g=u.menuItemTextHovered,h=u.menuItemBackgroundPressed,f=u.bodyDivider,v={item:[d.medium,{color:u.bodyText,position:"relative",boxSizing:"border-box"}],divider:{display:"block",height:"1px",backgroundColor:f,position:"relative"},root:[(0,r.getFocusStyle)(e),d.medium,{color:u.bodyText,backgroundColor:"transparent",border:"none",width:"100%",height:t.CONTEXTUAL_MENU_ITEM_HEIGHT,lineHeight:t.CONTEXTUAL_MENU_ITEM_HEIGHT,display:"block",cursor:"pointer",padding:"0px 8px 0 4px",textAlign:"left"}],rootDisabled:{color:u.disabledBodyText,cursor:"default",pointerEvents:"none",selectors:(o={},o[r.HighContrastSelector]={color:"GrayText",opacity:1},o)},rootHovered:{backgroundColor:m,color:g,selectors:{".ms-ContextualMenu-icon":{color:p.themeDarkAlt},".ms-ContextualMenu-submenuIcon":{color:p.neutralPrimary}}},rootFocused:{backgroundColor:p.white},rootChecked:{selectors:{".ms-ContextualMenu-checkmarkIcon":{color:p.neutralPrimary}}},rootPressed:{backgroundColor:h,selectors:{".ms-ContextualMenu-icon":{color:p.themeDark},".ms-ContextualMenu-submenuIcon":{color:p.neutralPrimary}}},rootExpanded:{backgroundColor:h,color:u.bodyTextChecked,selectors:(i={".ms-ContextualMenu-submenuIcon":(s={},s[r.HighContrastSelector]={color:"inherit"},s)},i[r.HighContrastSelector]=n.__assign({},(0,r.getHighContrastNoAdjustStyle)()),i)},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",whiteSpace:"nowrap",overflow:"hidden"},secondaryText:{color:e.palette.neutralSecondary,paddingLeft:"20px",textAlign:"right"},icon:{display:"inline-block",minHeight:"1px",maxHeight:t.CONTEXTUAL_MENU_ITEM_HEIGHT,fontSize:r.IconFontSizes.medium,width:r.IconFontSizes.medium,margin:"0 4px",verticalAlign:"middle",flexShrink:"0",selectors:(l={},l[a]={fontSize:r.IconFontSizes.large,width:r.IconFontSizes.large},l)},iconColor:{color:u.menuIcon},iconDisabled:{color:u.disabledBodyText},checkmarkIcon:{color:u.bodySubtext},subMenuIcon:{height:t.CONTEXTUAL_MENU_ITEM_HEIGHT,lineHeight:t.CONTEXTUAL_MENU_ITEM_HEIGHT,color:p.neutralSecondary,textAlign:"center",display:"inline-block",verticalAlign:"middle",flexShrink:"0",fontSize:r.IconFontSizes.small,selectors:(c={":hover":{color:p.neutralPrimary},":active":{color:p.neutralPrimary}},c[a]={fontSize:r.IconFontSizes.medium},c)},splitButtonFlexContainer:[(0,r.getFocusStyle)(e),{display:"flex",height:t.CONTEXTUAL_MENU_ITEM_HEIGHT,flexWrap:"nowrap",justifyContent:"center",alignItems:"flex-start"}]};return(0,r.concatStyleSets)(v)}))},18291:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ContextualMenu=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(82120),s=o(73903);function l(e){return r.createElement(c,n.__assign({},e))}var c=(0,i.styled)(a.ContextualMenuBase,s.getStyles,(function(e){return{onRenderSubMenu:e.onRenderSubMenu?(0,i.composeRenderFunction)(e.onRenderSubMenu,l):l}}),{scope:"ContextualMenu"});t.ContextualMenu=c,t.ContextualMenu.displayName="ContextualMenu"},73903:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r=o(74582),i={root:"ms-ContextualMenu",container:"ms-ContextualMenu-container",list:"ms-ContextualMenu-list",header:"ms-ContextualMenu-header",title:"ms-ContextualMenu-title",isopen:"is-open"};t.getStyles=function(e){var t=e.className,o=e.theme,a=(0,n.getGlobalClassNames)(i,o),s=o.fonts,l=o.semanticColors,c=o.effects;return{root:[o.fonts.medium,a.root,a.isopen,{backgroundColor:l.menuBackground,minWidth:"180px"},t],container:[a.container,{selectors:{":focus":{outline:0}}}],list:[a.list,a.isopen,{listStyleType:"none",margin:"0",padding:"0"}],header:[a.header,s.small,{fontWeight:n.FontWeights.semibold,color:l.menuHeader,background:"none",backgroundColor:"transparent",border:"none",height:r.CONTEXTUAL_MENU_ITEM_HEIGHT,lineHeight:r.CONTEXTUAL_MENU_ITEM_HEIGHT,cursor:"default",padding:"0px 6px",userSelect:"none",textAlign:"left"}],title:[a.title,{fontSize:s.mediumPlus.fontSize,paddingRight:"14px",paddingLeft:"14px",paddingBottom:"5px",paddingTop:"5px",backgroundColor:l.menuItemBackgroundPressed}],subComponentStyles:{callout:{root:{boxShadow:c.elevation8}},menuItem:{}}}}},3668:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ContextualMenuItemType=t.DirectionalHint=void 0;var n,r=o(42502);Object.defineProperty(t,"DirectionalHint",{enumerable:!0,get:function(){return r.DirectionalHint}}),(n=t.ContextualMenuItemType||(t.ContextualMenuItemType={}))[n.Normal=0]="Normal",n[n.Divider=1]="Divider",n[n.Header=2]="Header",n[n.Section=3]="Section"},61421:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ContextualMenuItemBase=void 0;var n=o(31635),r=o(83923),i=o(50719),a=o(71061),s=o(30936),l=function(e){var t=e.item,o=e.classNames,i=t.iconProps;return r.createElement(s.Icon,n.__assign({},i,{className:o.icon}))},c=function(e){var t=e.item;return e.hasIcons?t.onRenderIcon?t.onRenderIcon(e,l):l(e):null},u=function(e){var t=e.onCheckmarkClick,o=e.item,n=e.classNames,a=(0,i.getIsChecked)(o);return t?r.createElement(s.Icon,{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,l=e.theme;return(0,i.hasSubmenu)(t)?r.createElement(s.Icon,n.__assign({iconName:(0,a.getRTL)(l)?"ChevronLeft":"ChevronRight"},t.submenuIconProps,{className:o.subMenuIcon})):null},g=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.hasSubmenu)(t)&&n&&a&&n(t,a)}},o.dismissSubMenu=function(){var e=o.props,t=e.item,n=e.dismissSubMenu;(0,i.hasSubmenu)(t)&&n&&n()},o.dismissMenu=function(e){var t=o.props.dismissMenu;t&&t(void 0,e)},(0,a.initializeComponentRef)(o),o}return n.__extends(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);t.ContextualMenuItemBase=g},73648:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ContextualMenuItem=void 0;var n=o(71061),r=o(61421),i=o(28437);t.ContextualMenuItem=(0,n.styled)(r.ContextualMenuItemBase,i.getItemStyles,void 0,{scope:"ContextualMenuItem"})},86779:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},15434:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ContextualMenuAnchor=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(56228),s=o(87301),l=o(50719),c=o(73648),u=function(e){function t(){var t=null!==e&&e.apply(this,arguments)||this;return t._anchor=r.createRef(),t._getMemoizedMenuButtonKeytipProps=(0,i.memoizeFunction)((function(e){return n.__assign(n.__assign({},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 n.__extends(t,e),t.prototype.render=function(){var e=this,t=this.props,o=t.item,a=t.classNames,u=t.index,d=t.focusableElementIndex,p=t.totalItemCount,m=t.hasCheckmarks,g=t.hasIcons,h=t.expandedMenuItemKey,f=t.onItemClick,v=t.openSubMenu,b=t.dismissSubMenu,y=t.dismissMenu,_=c.ContextualMenuItem;this.props.item.contextualMenuItemAs&&(_=(0,i.composeComponentAs)(this.props.item.contextualMenuItemAs,_)),this.props.contextualMenuItemAs&&(_=(0,i.composeComponentAs)(this.props.contextualMenuItemAs,_));var S=o.rel;o.target&&"_blank"===o.target.toLowerCase()&&(S=S||"nofollow noopener noreferrer");var C=(0,l.hasSubmenu)(o),x=(0,i.getNativeProps)(o,i.anchorProperties),P=(0,l.isItemDisabled)(o),k=o.itemProps,I=o.ariaDescription,w=o.keytipProps;w&&C&&(w=this._getMemoizedMenuButtonKeytipProps(w)),I&&(this._ariaDescriptionId=(0,i.getId)());var T=(0,i.mergeAriaAttributeValues)(o.ariaDescribedBy,I?this._ariaDescriptionId:void 0,x["aria-describedby"]),E={"aria-describedby":T};return r.createElement("div",null,r.createElement(s.KeytipData,{keytipProps:o.keytipProps,ariaDescribedBy:T,disabled:P},(function(t){return r.createElement("a",n.__assign({},E,x,t,{ref:e._anchor,href:o.href,target:o.target,rel:S,className:a.root,role:"menuitem","aria-haspopup":C||void 0,"aria-expanded":C?o.key===h:void 0,"aria-posinset":d+1,"aria-setsize":p,"aria-disabled":(0,l.isItemDisabled)(o),style:o.style,onClick:e._onItemClick,onMouseEnter:e._onItemMouseEnter,onMouseLeave:e._onItemMouseLeave,onMouseMove:e._onItemMouseMove,onKeyDown:C?e._onItemKeyDown:void 0}),r.createElement(_,n.__assign({componentRef:o.componentRef,item:o,classNames:a,index:u,onCheckmarkClick:m&&f?f:void 0,hasIcons:g,openSubMenu:v,dismissSubMenu:b,dismissMenu:y,getSubmenuTarget:e._getSubmenuTarget},k)),e._renderAriaDescription(I,a.screenReaderText))})))},t}(a.ContextualMenuItemWrapper);t.ContextualMenuAnchor=u},97048:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ContextualMenuButton=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(56228),s=o(87301),l=o(50719),c=o(73648),u=function(e){function t(){var t=null!==e&&e.apply(this,arguments)||this;return t._btn=r.createRef(),t._getMemoizedMenuButtonKeytipProps=(0,i.memoizeFunction)((function(e){return n.__assign(n.__assign({},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 n.__extends(t,e),t.prototype.render=function(){var e=this,t=this.props,o=t.item,a=t.classNames,u=t.index,d=t.focusableElementIndex,p=t.totalItemCount,m=t.hasCheckmarks,g=t.hasIcons,h=t.contextualMenuItemAs,f=t.expandedMenuItemKey,v=t.onItemMouseDown,b=t.onItemClick,y=t.openSubMenu,_=t.dismissSubMenu,S=t.dismissMenu,C=c.ContextualMenuItem;o.contextualMenuItemAs&&(C=(0,i.composeComponentAs)(o.contextualMenuItemAs,C)),h&&(C=(0,i.composeComponentAs)(h,C));var x=(0,l.getIsChecked)(o),P=null!==x,k=(0,l.getMenuItemAriaRole)(o),I=(0,l.hasSubmenu)(o),w=o.itemProps,T=o.ariaLabel,E=o.ariaDescription,D=(0,i.getNativeProps)(o,i.buttonProperties);delete D.disabled;var M=o.role||k;E&&(this._ariaDescriptionId=(0,i.getId)());var O=(0,i.mergeAriaAttributeValues)(o.ariaDescribedBy,E?this._ariaDescriptionId:void 0,D["aria-describedby"]),R={className:a.root,onClick:this._onItemClick,onKeyDown:I?this._onItemKeyDown:void 0,onMouseEnter:this._onItemMouseEnter,onMouseLeave:this._onItemMouseLeave,onMouseDown:function(e){return v?v(o,e):void 0},onMouseMove:this._onItemMouseMove,href:o.href,title:o.title,"aria-label":T,"aria-describedby":O,"aria-haspopup":I||void 0,"aria-expanded":I?o.key===f:void 0,"aria-posinset":d+1,"aria-setsize":p,"aria-disabled":(0,l.isItemDisabled)(o),"aria-checked":"menuitemcheckbox"!==M&&"menuitemradio"!==M||!P?void 0:!!x,"aria-selected":"menuitem"===M&&P?!!x:void 0,role:M,style:o.style},F=o.keytipProps;return F&&I&&(F=this._getMemoizedMenuButtonKeytipProps(F)),r.createElement(s.KeytipData,{keytipProps:F,ariaDescribedBy:O,disabled:(0,l.isItemDisabled)(o)},(function(t){return r.createElement("button",n.__assign({ref:e._btn},D,R,t),r.createElement(C,n.__assign({componentRef:o.componentRef,item:o,classNames:a,index:u,onCheckmarkClick:m&&b?b:void 0,hasIcons:g,openSubMenu:y,dismissSubMenu:_,dismissMenu:S,getSubmenuTarget:e._getSubmenuTarget},w)),e._renderAriaDescription(E,a.screenReaderText))}))},t}(a.ContextualMenuItemWrapper);t.ContextualMenuButton=u},56228:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ContextualMenuItemWrapper=void 0;var n=o(31635),r=o(83923),i=o(71061),a=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,i.initializeComponentRef)(o),o}return n.__extends(t,e),t.prototype.shouldComponentUpdate=function(e){return!(0,i.shallowCompare)(e,this.props)},t}(r.Component);t.ContextualMenuItemWrapper=a},60327:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},61006:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ContextualMenuSplitButton=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(73648),s=o(28437),l=o(87301),c=o(50719),u=o(56304),d=function(e){function t(t){var o=e.call(this,t)||this;return o._getMemoizedMenuButtonKeytipProps=(0,i.memoizeFunction)((function(e){return n.__assign(n.__assign({},e),{hasMenu:!0})})),o._onItemKeyDown=function(e){var t=o.props,n=t.item,r=t.onItemKeyDown;e.which===i.KeyCodes.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(n.__assign(n.__assign({},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(n.__assign(n.__assign({},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&&!n.canCheck&&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 i.Async(o),o._events=new i.EventGroup(o),o._dismissLabelId=(0,i.getId)(),o}return n.__extends(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,t=this,o=this.props,a=o.item,s=o.classNames,u=o.index,d=o.focusableElementIndex,p=o.totalItemCount,m=o.hasCheckmarks,g=o.hasIcons,h=o.onItemMouseLeave,f=o.expandedMenuItemKey,v=(0,c.hasSubmenu)(a),b=a.keytipProps;b&&(b=this._getMemoizedMenuButtonKeytipProps(b));var y=a.ariaDescription;y&&(this._ariaDescriptionId=(0,i.getId)());var _=null!==(e=(0,c.getIsChecked)(a))&&void 0!==e?e:void 0;return r.createElement(l.KeytipData,{keytipProps:b,disabled:(0,c.isItemDisabled)(a)},(function(e){return r.createElement("div",{"data-ktp-target":e["data-ktp-target"],ref:function(e){return t._splitButton=e},role:(0,c.getMenuItemAriaRole)(a),"aria-label":a.ariaLabel,className:s.splitContainer,"aria-disabled":(0,c.isItemDisabled)(a),"aria-expanded":v?a.key===f:void 0,"aria-haspopup":!0,"aria-describedby":(0,i.mergeAriaAttributeValues)(a.ariaDescribedBy,y?t._ariaDescriptionId:void 0,e["aria-describedby"]),"aria-checked":_,"aria-posinset":d+1,"aria-setsize":p,onMouseEnter:t._onItemMouseEnterPrimary,onMouseLeave:h?h.bind(t,n.__assign(n.__assign({},a),{subMenuProps:null,items:null})):void 0,onMouseMove:t._onItemMouseMovePrimary,onKeyDown:t._onItemKeyDown,onClick:t._executeItemClick,onTouchStart:t._onTouchStart,tabIndex:0,"data-is-focusable":!0,"aria-roledescription":a["aria-roledescription"]},t._renderSplitPrimaryButton(a,s,u,m,g),t._renderSplitDivider(a),t._renderSplitIconButton(a,s,u,e),t._renderAriaDescription(y,s.screenReaderText))}))},t.prototype._renderSplitPrimaryButton=function(e,t,o,s,l){var u=this.props,d=u.contextualMenuItemAs,p=void 0===d?a.ContextualMenuItem:d,m=u.onItemClick,g={key:e.key,disabled:(0,c.isItemDisabled)(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,id:this._dismissLabelId,onRenderIcon:e.onRenderIcon,data:e.data,"data-is-focusable":!1},h=e.itemProps;return r.createElement("button",n.__assign({},(0,i.getNativeProps)(g,i.buttonProperties)),r.createElement(p,n.__assign({"data-is-focusable":!1,item:g,classNames:t,index:o,onCheckmarkClick:s&&m?m:void 0,hasIcons:l},h)))},t.prototype._renderSplitDivider=function(e){var t=e.getSplitButtonVerticalDividerClassNames||s.getSplitButtonVerticalDividerClassNames;return r.createElement(u.VerticalDivider,{getClassNames:t})},t.prototype._renderSplitIconButton=function(e,t,o,s){var l=this.props,u=l.onItemMouseLeave,d=l.onItemMouseDown,p=l.openSubMenu,m=l.dismissSubMenu,g=l.dismissMenu,h=a.ContextualMenuItem;this.props.item.contextualMenuItemAs&&(h=(0,i.composeComponentAs)(this.props.item.contextualMenuItemAs,h)),this.props.contextualMenuItemAs&&(h=(0,i.composeComponentAs)(this.props.contextualMenuItemAs,h));var f={onClick:this._onIconItemClick,disabled:(0,c.isItemDisabled)(e),className:t.splitMenu,subMenuProps:e.subMenuProps,submenuIconProps:e.submenuIconProps,split:!0,key:e.key,"aria-labelledby":this._dismissLabelId},v=n.__assign(n.__assign({},(0,i.getNativeProps)(f,i.buttonProperties)),{onMouseEnter:this._onItemMouseEnterIcon,onMouseLeave:u?u.bind(this,e):void 0,onMouseDown:function(t){return d?d(e,t):void 0},onMouseMove:this._onItemMouseMoveIcon,"data-is-focusable":!1,"data-ktp-execute-target":s["data-ktp-execute-target"],"aria-haspopup":!0}),b=e.itemProps;return r.createElement("button",n.__assign({},v),r.createElement(h,n.__assign({componentRef:e.componentRef,item:f,classNames:t,index:o,hasIcons:!1,openSubMenu:p,dismissSubMenu:m,dismissMenu:g,getSubmenuTarget:this._getSubmenuTarget},b)))},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}(o(56228).ContextualMenuItemWrapper);t.ContextualMenuSplitButton=d},17630:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(15434),t),n.__exportStar(o(97048),t),n.__exportStar(o(61006),t),n.__exportStar(o(56228),t),n.__exportStar(o(60327),t)},73719:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getContextualMenuItemStyles=t.getContextualMenuItemClassNames=t.getMenuItemStyles=void 0;var n=o(31635);n.__exportStar(o(18291),t),n.__exportStar(o(82120),t),n.__exportStar(o(3668),t),n.__exportStar(o(73648),t),n.__exportStar(o(61421),t),n.__exportStar(o(86779),t);var r=o(74582);Object.defineProperty(t,"getMenuItemStyles",{enumerable:!0,get:function(){return r.getMenuItemStyles}});var i=o(28437);Object.defineProperty(t,"getContextualMenuItemClassNames",{enumerable:!0,get:function(){return i.getItemClassNames}}),Object.defineProperty(t,"getContextualMenuItemStyles",{enumerable:!0,get:function(){return i.getItemStyles}})},77976:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DatePickerBase=void 0;var n=o(31635),r=o(83923),i=o(52332),a=o(33591),s=o(6517),l=o(16473),c=o(15019),u=o(13636),d=o(34464),p=o(25698),m=o(52155),g=(0,i.classNamesFunction)(),h={allowTextInput:!1,formatDate:function(e){return e?e.toDateString():""},parseDateFromString:function(e){e.match(/^\d{4}(-\d{2}){2}$/)&&(e+="T12:00");var t=Date.parse(e);return t?new Date(t):null},firstDayOfWeek:s.DayOfWeek.Sunday,initialPickerDate:new Date,isRequired:!1,isMonthPickerVisible:!0,showMonthPickerAsOverlay:!1,strings:m.defaultDatePickerStrings,highlightCurrentMonth:!1,highlightSelectedMonth:!1,borderless:!1,pickerAriaLabel:"Calendar",showWeekNumbers:!1,firstWeekOfYear:s.FirstWeekOfYear.FirstDay,showGoToToday:!0,showCloseButton:!1,underlined:!1,allFocusable:!1};function f(e,t,o){return!!t&&(0,s.compareDatePart)(t,e)>0||!!o&&(0,s.compareDatePart)(o,e)<0}t.DatePickerBase=r.forwardRef((function(e,t){var o,m,v=(0,i.getPropsWithDefaults)(h,e),b=v.firstDayOfWeek,y=v.strings,_=v.label,S=v.theme,C=v.className,x=v.styles,P=v.initialPickerDate,k=v.isRequired,I=v.disabled,w=v.ariaLabel,T=v.pickerAriaLabel,E=v.placeholder,D=v.allowTextInput,M=v.borderless,O=v.minDate,R=v.maxDate,F=v.showCloseButton,B=v.calendarProps,A=v.calloutProps,N=v.textField,L=v.underlined,H=v.allFocusable,j=v.calendarAs,z=void 0===j?a.Calendar:j,W=v.tabIndex,V=v.disableAutoFocus,K=void 0===V||V,G=(0,p.useId)("DatePicker",v.id),U=(0,p.useId)("DatePicker-Callout"),Y=r.useRef(null),q=r.useRef(null),X=function(){var e=r.useRef(null),t=r.useRef(!1);return[e,function(){var t,o;null===(o=null===(t=e.current)||void 0===t?void 0:t.focus)||void 0===o||o.call(t)},t,function(){t.current=!0}]}(),Z=X[0],Q=X[1],J=X[2],$=X[3],ee=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,p.useAsync)();return r.useEffect((function(){l.current&&!a&&(o&&c.requestAnimationFrame(t),null==n||n()),l.current=!0}),[a]),[a,s]}(v,Q),te=ee[0],oe=ee[1],ne=function(e){var t=e.formatDate,o=e.value,n=e.onSelectDate,i=(0,p.useControllableValue)(o,void 0,(function(e,t){return null==n?void 0:n(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]}(v),re=ne[0],ie=ne[1],ae=ne[2],se=ne[3],le=function(e,t,o,n,a){var l,c=e.isRequired,u=e.allowTextInput,d=e.strings,p=e.parseDateFromString,m=e.onSelectDate,g=e.formatDate,h=e.minDate,v=e.maxDate,b=e.textField,y=r.useState(),_=y[0],S=y[1],C=r.useState(),x=C[0],P=C[1],k=r.useRef(!0),I=null===(l=null==b?void 0:b.validateOnLoad)||void 0===l||l;return r.useEffect((function(){k.current&&(k.current=!1,!I)||(c&&!t?S(d.isRequiredErrorMessage||" "):t&&f(t,h,v)?S(d.isOutOfBoundsErrorMessage||" "):S(void 0))}),[h&&(0,s.getDatePartHashValue)(h),v&&(0,s.getDatePartHashValue)(v),t&&(0,s.getDatePartHashValue)(t),c,I]),[a?void 0:_,function(e){if(void 0===e&&(e=null),u)if(n||e){if(t&&!_&&g&&g(null!=e?e:t)===n)return;if(!(e=e||p(n))||isNaN(e.getTime())){o(t);var r=g?g(t):"",a=d.isResetStatusMessage?(0,i.format)(d.isResetStatusMessage,n,r):d.invalidInputErrorMessage||"";P(a)}else f(e,h,v)?S(d.isOutOfBoundsErrorMessage||" "):(o(e),S(void 0),P(void 0))}else S(c?d.isRequiredErrorMessage||" ":void 0),null==m||m(e);else c&&!n?S(d.isRequiredErrorMessage||" "):(S(void 0),P(void 0))},S,a?void 0:x,P]}(v,re,ae,ie,te),ce=le[0],ue=le[1],de=le[2],pe=le[3],me=le[4],ge=r.useCallback((function(){te||($(),oe(!0))}),[te,$,oe]);r.useImperativeHandle(v.componentRef,(function(){return{focus:Q,reset:function(){oe(!1),ae(void 0),de(void 0),me(void 0)},showDatePickerPopup:ge}}),[Q,de,oe,ae,me,ge]);var he=function(e){te&&(oe(!1),ue(e),!D&&e&&ae(e))},fe=function(e){$(),he(e)},ve=g(x,{theme:S,className:C,disabled:I,underlined:L,label:!!_,isDatePickerShown:te}),be=(0,i.getNativeProps)(v,i.divProperties,["value"]),ye=N&&N.iconProps,_e=N&&N.id&&N.id!==G?N.id:G+"-label",Se=!D&&!I,Ce=null===(m=null!==(o=null==N?void 0:N["data-is-focusable"])&&void 0!==o?o:v["data-is-focusable"])||void 0===m||m,xe=D?{role:"button","aria-expanded":te,"aria-label":null!=w?w:_,"aria-labelledby":N&&N["aria-labelledby"]}:{};return r.createElement("div",n.__assign({},be,{className:ve.root,ref:t}),r.createElement("div",{ref:q,"aria-owns":te?U:void 0,className:ve.wrapper},r.createElement(u.TextField,n.__assign({role:"combobox",label:_,"aria-expanded":te,ariaLabel:w,"aria-haspopup":"dialog","aria-controls":te?U:void 0,required:k,disabled:I,errorMessage:ce,placeholder:E,borderless:M,value:ie,componentRef:Z,underlined:L,tabIndex:W,readOnly:!D},N,{"data-is-focusable":Ce,id:_e,className:(0,i.css)(ve.textField,N&&N.className),iconProps:n.__assign(n.__assign(n.__assign({iconName:"Calendar"},xe),ye),{className:(0,i.css)(ve.icon,ye&&ye.className),onClick:function(e){e.stopPropagation(),te||v.disabled?v.allowTextInput&&he():ge()}}),onRenderDescription:function(e,t){return r.createElement(r.Fragment,null,e.description||e.onRenderDescription?t(e):null,r.createElement("div",{"aria-live":"assertive",className:ve.statusMessage},pe))},onKeyDown:function(e){switch(e.which){case i.KeyCodes.enter:e.preventDefault(),e.stopPropagation(),te?v.allowTextInput&&he():(ue(),ge());break;case i.KeyCodes.escape:!function(e){te&&(e.stopPropagation(),fe())}(e);break;case i.KeyCodes.down:e.altKey&&!te&&ge()}},onFocus:function(){K||D||(J.current||ge(),J.current=!1)},onBlur:function(e){ue()},onClick:function(e){!v.openOnClick&&v.disableAutoFocus||te||v.disabled?v.allowTextInput&&he():ge()},onChange:function(e,t){var o,n=v.textField;D&&(te&&he(),se(t)),null===(o=null==n?void 0:n.onChange)||void 0===o||o.call(n,e,t)},onRenderInput:Se?function(e){var t=(0,i.getNativeProps)(e,i.divProperties),o=(0,c.mergeStyles)(t.className,ve.readOnlyTextField);return r.createElement("div",n.__assign({},t,{className:o,tabIndex:W||0}),ie||r.createElement("span",{className:ve.readOnlyPlaceholder},E))}:void 0}))),te&&r.createElement(l.Callout,n.__assign({id:U,role:"dialog",ariaLabel:T,isBeakVisible:!1,gapSpace:0,doNotLayer:!1,target:q.current,directionalHint:l.DirectionalHint.bottomLeftEdge},A,{className:(0,i.css)(ve.callout,A&&A.className),onDismiss:function(e){fe()},onPositioned:function(){var e=!0;v.calloutProps&&void 0!==v.calloutProps.setInitialFocus&&(e=v.calloutProps.setInitialFocus),Y.current&&e&&Y.current.focus()}}),r.createElement(d.FocusTrapZone,{isClickableOutsideFocusTrap:!0,disableFirstFocus:K},r.createElement(z,n.__assign({},B,{onSelectDate:function(e){v.calendarProps&&v.calendarProps.onSelectDate&&v.calendarProps.onSelectDate(e),fe(e)},onDismiss:function(e){fe()},isMonthPickerVisible:v.isMonthPickerVisible,showMonthPickerAsOverlay:v.showMonthPickerAsOverlay,today:v.today,value:re||P,firstDayOfWeek:b,strings:y,highlightCurrentMonth:v.highlightCurrentMonth,highlightSelectedMonth:v.highlightSelectedMonth,showWeekNumbers:v.showWeekNumbers,firstWeekOfYear:v.firstWeekOfYear,showGoToToday:v.showGoToToday,dateTimeFormatter:v.dateTimeFormatter,minDate:O,maxDate:R,componentRef:Y,showCloseButton:F,allFocusable:H})))))})),t.DatePickerBase.displayName="DatePickerBase"},33219:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DatePicker=void 0;var n=o(52332),r=o(77976),i=o(58015);t.DatePicker=(0,n.styled)(r.DatePickerBase,i.styles,void 0,{scope:"DatePicker"})},58015:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.styles=void 0;var n=o(83048),r={root:"ms-DatePicker",callout:"ms-DatePicker-callout",withLabel:"ms-DatePicker-event--with-label",withoutLabel:"ms-DatePicker-event--without-label",disabled:"msDatePickerDisabled "};t.styles=function(e){var t,o=e.className,i=e.theme,a=e.disabled,s=e.underlined,l=e.label,c=e.isDatePickerShown,u=i.palette,d=i.semanticColors,p=i.fonts,m=(0,n.getGlobalClassNames)(r,i),g={color:u.neutralSecondary,fontSize:n.FontSizes.icon,lineHeight:"18px",pointerEvents:"none",position:"absolute",right:"4px",padding:"5px"};return{root:[m.root,i.fonts.large,c&&"is-open",n.normalize,o],textField:[{position:"relative",selectors:{"& input[readonly]":{cursor:"pointer"},input:{selectors:{"::-ms-clear":{display:"none"}}}}},a&&{selectors:{"& input[readonly]":{cursor:"default"}}}],callout:[m.callout],icon:[g,l?m.withLabel:m.withoutLabel,{paddingTop:"7px"},!a&&[m.disabled,{pointerEvents:"initial",cursor:"pointer"}],a&&{color:d.disabledText,cursor:"default"}],statusMessage:[p.small,{color:d.errorText,marginTop:5}],readOnlyTextField:[{cursor:"pointer",height:32,lineHeight:30,overflow:"hidden",textOverflow:"ellipsis"},s&&{lineHeight:34}],readOnlyPlaceholder:(t={color:d.inputPlaceholderText},t[n.HighContrastSelector]={color:"GrayText"},t)}}},38148:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},52155:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.defaultDatePickerStrings=void 0;var n=o(31635),r=o(33591);t.defaultDatePickerStrings=n.__assign(n.__assign({},r.defaultCalendarStrings),{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",isResetStatusMessage:'Invalid entry "{0}", date reset to "{1}"'})},769:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(33219),t),n.__exportStar(o(77976),t),n.__exportStar(o(38148),t),n.__exportStar(o(98752),t),n.__exportStar(o(52155),t)},73936:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DetailsColumnBase=void 0;var n=o(31635),r=o(83923),i=o(30936),a=o(71061),s=o(29638),l=o(43937),c=(0,a.classNamesFunction)(),u=function(e){return function(t){return t?t.column.isIconOnly?r.createElement("span",{className:e.accessibleLabel},t.column.name):r.createElement(r.Fragment,null,t.column.name):null}},d=function(e){function t(t){var o=e.call(this,t)||this;return o._root=r.createRef(),o._tooltipRef=r.createRef(),o._onRenderFilterIcon=function(e){return function(e){var t=e.columnProps,o=n.__rest(e,["columnProps"]),a=(null==t?void 0:t.useFastIcons)?i.FontIcon:i.Icon;return r.createElement(a,n.__assign({},o))}},o._onRenderColumnHeaderTooltip=function(e){return r.createElement("span",{className:e.hostClassName},e.children)},o._onColumnClick=function(e){var t=o.props,n=t.onColumnClick,r=t.column;r.columnActionsMode!==s.ColumnActionsMode.disabled&&(r.onColumnClick&&r.onColumnClick(e,r),n&&n(e,r))},o._onColumnBlur=function(){o._tooltipRef.current&&o._tooltipRef.current.dismiss()},o._onColumnFocus=function(){o._tooltipRef.current&&o._tooltipRef.current.show()},o._onDragStart=function(e,t,n,r){var i=o._classNames;t&&(o._updateHeaderDragInfo(t),o._root.current.classList.add(i.borderWhileDragging),o._async.setTimeout((function(){o._root.current&&o._root.current.classList.add(i.noBorderWhileDragging)}),20))},o._onDragEnd=function(e,t){var n=o._classNames;t&&o._updateHeaderDragInfo(-1,t),o._root.current.classList.remove(n.borderWhileDragging),o._root.current.classList.remove(n.noBorderWhileDragging)},o._updateHeaderDragInfo=function(e,t){o.props.setDraggedItemIndex&&o.props.setDraggedItemIndex(e),o.props.updateDragInfo&&o.props.updateDragInfo({itemIndex:e},t)},o._onColumnContextMenu=function(e){var t=o.props,n=t.onColumnContextMenu,r=t.column;r.onColumnContextMenu&&(r.onColumnContextMenu(r,e),e.preventDefault()),n&&(n(r,e),e.preventDefault())},o._onRootMouseDown=function(e){o.props.isDraggable&&0===e.button&&e.stopPropagation()},(0,a.initializeComponentRef)(o),o._async=new a.Async(o),o._events=new a.EventGroup(o),o}return n.__extends(t,e),t.prototype.render=function(){var e=this.props,t=e.column,o=e.parentId,d=e.isDraggable,p=e.styles,m=e.theme,g=e.cellStyleProps,h=void 0===g?l.DEFAULT_CELL_STYLE_PROPS:g,f=e.useFastIcons,v=void 0===f||f,b=this.props.onRenderColumnHeaderTooltip,y=void 0===b?this._onRenderColumnHeaderTooltip:b;this._classNames=c(p,{theme:m,headerClassName:t.headerClassName,iconClassName:t.iconClassName,isActionable:t.columnActionsMode!==s.ColumnActionsMode.disabled,isEmpty:!t.name,isIconVisible:t.isSorted||t.isGrouped||t.isFiltered,isPadded:t.isPadded,isIconOnly:t.isIconOnly,cellStyleProps:h,transitionDurationDrag:200,transitionDurationDrop:1500});var _=this._classNames,S=v?i.FontIcon:i.Icon,C=t.onRenderFilterIcon?(0,a.composeRenderFunction)(t.onRenderFilterIcon,this._onRenderFilterIcon(this._classNames)):this._onRenderFilterIcon(this._classNames),x=t.onRenderHeader?(0,a.composeRenderFunction)(t.onRenderHeader,u(this._classNames)):u(this._classNames),P=t.columnActionsMode!==s.ColumnActionsMode.disabled&&(void 0!==t.onColumnClick||void 0!==this.props.onColumnClick),k=this.props.onRenderColumnHeaderTooltip?!t.ariaLabel:this._hasAccessibleDescription(),I={"aria-label":t.ariaLabel?t.ariaLabel:t.isIconOnly?t.name:void 0,"aria-labelledby":t.ariaLabel||t.isIconOnly?void 0:"".concat(o,"-").concat(t.key,"-name"),"aria-describedby":k?"".concat(o,"-").concat(t.key,"-tooltip"):void 0};return r.createElement(r.Fragment,null,r.createElement("div",n.__assign({key:t.key,ref:this._root,role:"columnheader"},!P&&I,{"aria-sort":t.isSorted?t.isSortedDescending?"descending":"ascending":"none","data-is-focusable":P||t.columnActionsMode===s.ColumnActionsMode.disabled?void 0:"true",className:_.root,"data-is-draggable":d,draggable:d,style:{width:(t.calculatedWidth||0)+h.cellLeftPadding+h.cellRightPadding+(t.isPadded?h.cellExtraRightPadding:0)},"data-automationid":"ColumnsHeaderColumn","data-item-key":t.key,onBlur:this._onColumnBlur,onFocus:this._onColumnFocus}),d&&r.createElement(S,{iconName:"GripperBarVertical",className:_.gripperBarVerticalStyle}),y({hostClassName:_.cellTooltip,id:"".concat(o,"-").concat(t.key,"-tooltip"),setAriaDescribedBy:!1,column:t,componentRef:this._tooltipRef,content:t.columnActionsMode!==s.ColumnActionsMode.disabled?t.ariaLabel:"",children:r.createElement("span",n.__assign({id:"".concat(o,"-").concat(t.key),className:_.cellTitle,"data-is-focusable":P&&t.columnActionsMode!==s.ColumnActionsMode.disabled?"true":void 0,role:P?"button":void 0},P&&I,{onContextMenu:this._onColumnContextMenu,onClick:this._onColumnClick,"aria-haspopup":t.columnActionsMode===s.ColumnActionsMode.hasDropdown?"menu":void 0,"aria-expanded":t.columnActionsMode===s.ColumnActionsMode.hasDropdown?!!t.isMenuOpen:void 0}),r.createElement("span",{id:"".concat(o,"-").concat(t.key,"-name"),className:_.cellName},(t.iconName||t.iconClassName)&&r.createElement(S,{className:_.iconClassName,iconName:t.iconName}),x(this.props)),t.isFiltered&&r.createElement(S,{className:_.nearIcon,iconName:"Filter"}),(t.isSorted||t.showSortIconWhenUnsorted)&&r.createElement(S,{className:_.sortIcon,iconName:t.isSorted?t.isSortedDescending?"SortDown":"SortUp":"Sort"}),t.isGrouped&&r.createElement(S,{className:_.nearIcon,iconName:"GroupedDescending"}),t.columnActionsMode===s.ColumnActionsMode.hasDropdown&&!t.isIconOnly&&C({"aria-hidden":!0,columnProps:this.props,className:_.filterChevron,iconName:"ChevronDown"}))},this._onRenderColumnHeaderTooltip)),this.props.onRenderColumnHeaderTooltip?null:this._renderAccessibleDescription())},t.prototype.componentDidMount=function(){var e=this;this.props.dragDropHelper&&this.props.isDraggable&&this._addDragDropHandling();var t=this._classNames;this.props.isDropped&&(this._root.current&&(this._root.current.classList.add(t.borderAfterDropping),this._async.setTimeout((function(){e._root.current&&e._root.current.classList.add(t.noBorderAfterDropping)}),20)),this._async.setTimeout((function(){e._root.current&&(e._root.current.classList.remove(t.borderAfterDropping),e._root.current.classList.remove(t.noBorderAfterDropping))}),1520))},t.prototype.componentWillUnmount=function(){this._dragDropSubscription&&(this._dragDropSubscription.dispose(),delete this._dragDropSubscription),this._async.dispose(),this._events.dispose()},t.prototype.componentDidUpdate=function(){!this._dragDropSubscription&&this.props.dragDropHelper&&this.props.isDraggable&&this._addDragDropHandling(),this._dragDropSubscription&&!this.props.isDraggable&&(this._dragDropSubscription.dispose(),this._events.off(this._root.current,"mousedown"),delete this._dragDropSubscription)},t.prototype._getColumnDragDropOptions=function(){var e=this,t=this.props.columnIndex;return{selectionIndex:t,context:{data:t,index:t},canDrag:function(){return e.props.isDraggable},canDrop:function(){return!1},onDragStart:this._onDragStart,updateDropState:function(){},onDrop:function(){},onDragEnd:this._onDragEnd}},t.prototype._hasAccessibleDescription=function(){var e=this.props.column;return!!(e.filterAriaLabel||e.sortAscendingAriaLabel||e.sortDescendingAriaLabel||e.groupAriaLabel||e.sortableAriaLabel)},t.prototype._renderAccessibleDescription=function(){var e=this.props,t=e.column,o=e.parentId,n=this._classNames;return this._hasAccessibleDescription()&&!this.props.onRenderColumnHeaderTooltip?r.createElement("label",{key:"".concat(t.key,"_label"),id:"".concat(o,"-").concat(t.key,"-tooltip"),className:n.accessibleLabel,hidden:!0},t.isFiltered&&t.filterAriaLabel||null,(t.isSorted||t.showSortIconWhenUnsorted)&&(t.isSorted?t.isSortedDescending?t.sortDescendingAriaLabel:t.sortAscendingAriaLabel:t.sortableAriaLabel)||null,t.isGrouped&&t.groupAriaLabel||null):null},t.prototype._addDragDropHandling=function(){this._dragDropSubscription=this.props.dragDropHelper.subscribe(this._root.current,this._events,this._getColumnDragDropOptions()),this._events.on(this._root.current,"mousedown",this._onRootMouseDown)},t}(r.Component);t.DetailsColumnBase=d},73275:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DetailsColumn=void 0;var n=o(71061),r=o(73936),i=o(29975);t.DetailsColumn=(0,n.styled)(r.DetailsColumnBase,i.getDetailsColumnStyles,void 0,{scope:"DetailsColumn"})},29975:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getDetailsColumnStyles=void 0;var n=o(31635),r=o(15019),i=o(43937),a=o(42606),s={isActionable:"is-actionable",cellIsCheck:"ms-DetailsHeader-cellIsCheck",collapseButton:"ms-DetailsHeader-collapseButton",isCollapsed:"is-collapsed",isAllSelected:"is-allSelected",isSelectAllHidden:"is-selectAllHidden",isResizingColumn:"is-resizingColumn",isEmpty:"is-empty",isIconVisible:"is-icon-visible",cellSizer:"ms-DetailsHeader-cellSizer",isResizing:"is-resizing",dropHintCircleStyle:"ms-DetailsHeader-dropHintCircleStyle",dropHintLineStyle:"ms-DetailsHeader-dropHintLineStyle",cellTitle:"ms-DetailsHeader-cellTitle",cellName:"ms-DetailsHeader-cellName",filterChevron:"ms-DetailsHeader-filterChevron",gripperBarVerticalStyle:"ms-DetailsColumn-gripperBar",nearIcon:"ms-DetailsColumn-nearIcon"};t.getDetailsColumnStyles=function(e){var t,o=e.theme,l=e.headerClassName,c=e.iconClassName,u=e.isActionable,d=e.isEmpty,p=e.isIconVisible,m=e.isPadded,g=e.isIconOnly,h=e.cellStyleProps,f=void 0===h?i.DEFAULT_CELL_STYLE_PROPS:h,v=e.transitionDurationDrag,b=e.transitionDurationDrop,y=o.semanticColors,_=o.palette,S=o.fonts,C=(0,r.getGlobalClassNames)(s,o),x={iconForegroundColor:y.bodySubtext,headerForegroundColor:y.bodyText,headerBackgroundColor:y.bodyBackground,dropdownChevronForegroundColor:_.neutralSecondary,resizerColor:_.neutralTertiaryAlt},P={color:x.iconForegroundColor,opacity:1,paddingLeft:8},k={outline:"1px solid ".concat(_.themePrimary)},I={outlineColor:"transparent"};return{root:[(0,a.getCellStyles)(e),S.small,u&&[C.isActionable,{selectors:{":hover":{color:y.bodyText,background:y.listHeaderBackgroundHovered},":active":{background:y.listHeaderBackgroundPressed}}}],d&&[C.isEmpty,{textOverflow:"clip"}],p&&C.isIconVisible,m&&{paddingRight:f.cellExtraRightPadding+f.cellRightPadding},{selectors:{':hover i[data-icon-name="GripperBarVertical"]':{display:"block"}}},l],gripperBarVerticalStyle:{display:"none",position:"absolute",textAlign:"left",color:_.neutralTertiary,left:1},nearIcon:[C.nearIcon,P],sortIcon:[P,{paddingLeft:4,position:"relative",top:1}],iconClassName:[{color:x.iconForegroundColor,opacity:1},c],filterChevron:[C.filterChevron,{color:x.dropdownChevronForegroundColor,paddingLeft:6,verticalAlign:"middle",fontSize:S.small.fontSize}],cellTitle:[C.cellTitle,(0,r.getFocusStyle)(o),n.__assign({display:"flex",flexDirection:"row",justifyContent:"flex-start",alignItems:"stretch",boxSizing:"border-box",overflow:"hidden",padding:"0 ".concat(f.cellRightPadding,"px 0 ").concat(f.cellLeftPadding,"px")},g?{alignContent:"flex-end",maxHeight:"100%",flexWrap:"wrap-reverse"}:{})],cellName:[C.cellName,{flex:"0 1 auto",overflow:"hidden",textOverflow:"ellipsis",fontWeight:r.FontWeights.semibold,fontSize:S.medium.fontSize},g&&{selectors:(t={},t[".".concat(C.nearIcon)]={paddingLeft:0},t)}],cellTooltip:{display:"block",position:"absolute",top:0,left:0,bottom:0,right:0},accessibleLabel:r.hiddenContentStyle,borderWhileDragging:k,noBorderWhileDragging:[I,{transition:"outline ".concat(v,"ms ease")}],borderAfterDropping:k,noBorderAfterDropping:[I,{transition:"outline ".concat(b,"ms ease")}]}}},66428:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},62485:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},54449:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DetailsHeaderBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(29638),s=o(80371),l=o(30936),c=o(44472),u=o(30396),d=o(40759),p=o(8229),m=o(18055),g=o(23902),h=o(73275),f=o(89263),v=(0,i.classNamesFunction)(),b=[],y=function(e){function t(t){var o=e.call(this,t)||this;return o._rootElement=r.createRef(),o._rootComponent=r.createRef(),o._draggedColumnIndex=-1,o._dropHintDetails={},o._updateDroppingState=function(e,t){o._draggedColumnIndex>=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._computeColumnIndexOffset=function(e){var t=1;return e&&(t+=1),o.props.groupNestingDepth&&o.props.groupNestingDepth>0&&(t+=1),t},o._updateDragInfo=function(e,t){var n=o._getColumnReorderProps(),r=e.itemIndex;if(r>=0)o._draggedColumnIndex=r-o._computeColumnIndexOffset(!o._isCheckboxColumnHidden()),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?b: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[m].dropHintElementRef,"inline-block"),o._currentDropHintIndex=m)}},o._renderColumnSizer=function(e){var t,n=e.columnIndex,a=o.props.columns,s=void 0===a?b:a,l=s[n],c=o.state.columnResizeDetails,u=o._classNames;return l.isResizable?r.createElement("div",{key:"".concat(l.key,"_sizer"),"aria-hidden":!0,role:"button","data-is-focusable":!1,onClick:x,"data-sizer-index":n,onBlur:o._onSizerBlur,className:(0,i.css)(u.cellSizer,n=0&&this._onDropIndexInfo.targetIndex>=0){var t=e.columns,o=void 0===t?b:t,n=this.props.columns,r=void 0===n?b: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?b:o,g=t.ariaLabel,y=t.ariaLabelForToggleAllGroupsButton,_=t.ariaLabelForSelectAllCheckbox,S=t.selectAllVisibility,C=t.ariaLabelForSelectionColumn,x=t.indentWidth,P=t.onColumnClick,k=t.onColumnContextMenu,I=t.onRenderColumnHeaderTooltip,w=void 0===I?this._onRenderColumnHeaderTooltip:I,T=t.styles,E=t.selectionMode,D=t.theme,M=t.onRenderDetailsCheckbox,O=t.groupNestingDepth,R=t.useFastIcons,F=t.checkboxVisibility,B=t.className,A=this.state,N=A.isAllSelected,L=A.columnResizeDetails,H=A.isSizing,j=A.isAllCollapsed,z=S!==f.SelectAllVisibility.none,W=S===f.SelectAllVisibility.hidden,V=F===a.CheckboxVisibility.always,K=this._getColumnReorderProps(),G=K&&K.frozenColumnCountFromStart?K.frozenColumnCountFromStart:0,U=K&&K.frozenColumnCountFromEnd?K.frozenColumnCountFromEnd:0;this._classNames=v(T,{theme:D,isAllSelected:N,isSelectAllHidden:S===f.SelectAllVisibility.hidden,isResizingColumn:!!L&&H,isSizing:H,isAllCollapsed:j,isCheckboxHidden:W,className:B});var Y=this._classNames,q=R?l.FontIcon:l.Icon,X=O>0,Z=X&&this.props.collapseAllVisibility===d.CollapseAllVisibility.visible,Q=this._computeColumnIndexOffset(z),J=(0,i.getRTL)(D);return r.createElement(s.FocusZone,{role:"row","aria-label":g,className:Y.root,componentRef:this._rootComponent,elementRef:this._rootElement,onMouseMove:this._onRootMouseMove,"data-automationid":"DetailsHeader",direction:s.FocusZoneDirection.horizontal},z?[r.createElement("div",{key:"__checkbox",className:Y.cellIsCheck,"aria-labelledby":"".concat(this._id,"-checkTooltip"),onClick:W?void 0:this._onSelectAllClicked,role:"columnheader"},w({hostClassName:Y.checkTooltip,id:"".concat(this._id,"-checkTooltip"),setAriaDescribedBy:!1,content:_,children:r.createElement(p.DetailsRowCheck,{id:"".concat(this._id,"-check"),"aria-label":E===m.SelectionMode.multiple?_:C,"data-is-focusable":!W||void 0,isHeader:!0,selected:N,anySelected:!1,canSelect:!W,className:Y.check,onRenderDetailsCheckbox:M,useFastIcons:R,isVisible:V})},this._onRenderColumnHeaderTooltip)),this.props.onRenderColumnHeaderTooltip?null:_&&!W?r.createElement("label",{key:"__checkboxLabel",id:"".concat(this._id,"-checkTooltip"),className:Y.accessibleLabel,"aria-hidden":!0},_):C&&W?r.createElement("label",{key:"__checkboxLabel",id:"".concat(this._id,"-checkTooltip"),className:Y.accessibleLabel,"aria-hidden":!0},C):null]:null,Z?r.createElement("div",{className:Y.cellIsGroupExpander,onClick:this._onToggleCollapseAll,"data-is-focusable":!0,"aria-label":y,"aria-expanded":!j,role:"columnheader"},r.createElement(q,{className:Y.collapseButton,iconName:J?"ChevronLeftMed":"ChevronRightMed"}),r.createElement("span",{className:Y.accessibleLabel},y)):X?r.createElement("div",{className:Y.cellIsGroupExpander,"data-is-focusable":!1,role:"columnheader"}):null,r.createElement(u.GroupSpacer,{indentWidth:x,role:"gridcell",count:O-1}),n.map((function(t,o){var i=!!K&&o>=G&&o=0},t.prototype._isCheckboxColumnHidden=function(){var e=this.props,t=e.selectionMode,o=e.checkboxVisibility;return t===m.SelectionMode.none||o===a.CheckboxVisibility.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 S(e,t,o){return e?t>=o:t<=o}function C(e,t,o){return e?t<=o:t>=o}function x(e){e.stopPropagation()}t.DetailsHeaderBase=y},64524:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DetailsHeader=void 0;var n=o(71061),r=o(54449),i=o(42606);t.DetailsHeader=(0,n.styled)(r.DetailsHeaderBase,i.getDetailsHeaderStyles,void 0,{scope:"DetailsHeader"})},42606:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getDetailsHeaderStyles=t.getCellStyles=t.HEADER_HEIGHT=void 0;var n=o(31635),r=o(15019),i=o(71061),a=o(43937),s=o(30396),l={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"};t.HEADER_HEIGHT=42,t.getCellStyles=function(e){var o=e.theme,n=e.cellStyleProps,i=void 0===n?a.DEFAULT_CELL_STYLE_PROPS:n,s=o.semanticColors;return[(0,r.getGlobalClassNames)(l,o).cell,(0,r.getFocusStyle)(o),{color:s.bodyText,position:"relative",display:"inline-block",boxSizing:"border-box",padding:"0 ".concat(i.cellRightPadding,"px 0 ").concat(i.cellLeftPadding,"px"),lineHeight:"inherit",margin:"0",height:t.HEADER_HEIGHT,verticalAlign:"top",whiteSpace:"nowrap",textOverflow:"ellipsis",textAlign:"left"}]},t.getDetailsHeaderStyles=function(e){var o,c,u,d,p=e.theme,m=e.className,g=e.isAllSelected,h=e.isResizingColumn,f=e.isSizing,v=e.isAllCollapsed,b=e.cellStyleProps,y=void 0===b?a.DEFAULT_CELL_STYLE_PROPS:b,_=p.semanticColors,S=p.palette,C=p.fonts,x=(0,r.getGlobalClassNames)(l,p),P={iconForegroundColor:_.bodySubtext,headerForegroundColor:_.bodyText,headerBackgroundColor:_.bodyBackground,resizerColor:S.neutralTertiaryAlt},k={opacity:1,transition:"opacity 0.3s linear"},I=(0,t.getCellStyles)(e);return{root:[x.root,C.small,{display:"inline-block",background:P.headerBackgroundColor,position:"relative",minWidth:"100%",verticalAlign:"top",height:t.HEADER_HEIGHT,lineHeight:t.HEADER_HEIGHT,whiteSpace:"nowrap",boxSizing:"content-box",paddingBottom:"1px",paddingTop:"16px",borderBottom:"1px solid ".concat(_.bodyDivider),cursor:"default",userSelect:"none",selectors:(o={},o["&:hover .".concat(x.check)]={opacity:1},o["& .".concat(x.tooltipHost," .").concat(x.checkTooltip)]={display:"block"},o)},g&&x.isAllSelected,h&&x.isResizingColumn,m],check:[x.check,{height:t.HEADER_HEIGHT},{selectors:(c={},c[".".concat(i.IsFocusVisibleClassName," &:focus, :host(.").concat(i.IsFocusVisibleClassName,") &:focus")]={opacity:1},c)}],cellWrapperPadded:{paddingRight:y.cellExtraRightPadding+y.cellRightPadding},cellIsCheck:[I,x.cellIsCheck,{position:"relative",padding:0,margin:0,display:"inline-flex",alignItems:"center",border:"none"},g&&{opacity:1}],cellIsGroupExpander:[I,{display:"inline-flex",alignItems:"center",justifyContent:"center",fontSize:C.small.fontSize,padding:0,border:"none",width:s.SPACER_WIDTH,color:S.neutralSecondary,selectors:{":hover":{backgroundColor:S.neutralLighter},":active":{backgroundColor:S.neutralLight}}}],cellIsActionable:{selectors:{":hover":{color:_.bodyText,background:_.listHeaderBackgroundHovered},":active":{background:_.listHeaderBackgroundPressed}}},cellIsEmpty:{textOverflow:"clip"},cellSizer:[x.cellSizer,(0,r.focusClear)(),{display:"inline-block",position:"relative",cursor:"ew-resize",bottom:0,top:0,overflow:"hidden",height:"inherit",background:"transparent",zIndex:1,width:16,selectors:(u={":after":{content:'""',position:"absolute",top:0,bottom:0,width:1,background:P.resizerColor,opacity:0,left:"50%"},":focus:after":k,":hover:after":k},u["&.".concat(x.isResizing,":after")]=[k,{boxShadow:"0 0 5px 0 rgba(0, 0, 0, 0.4)"}],u)}],cellIsResizing:x.isResizing,cellSizerStart:{margin:"0 -8px"},cellSizerEnd:{margin:0,marginLeft:-16},collapseButton:[x.collapseButton,{transformOrigin:"50% 50%",transition:"transform .1s linear"},v?[x.isCollapsed,{transform:"rotate(0deg)"}]:{transform:(0,i.getRTL)(p)?"rotate(-90deg)":"rotate(90deg)"}],checkTooltip:x.checkTooltip,sizingOverlay:f&&{position:"absolute",left:0,top:0,right:0,bottom:0,cursor:"ew-resize",background:"rgba(255, 255, 255, 0)",selectors:(d={},d[r.HighContrastSelector]=n.__assign({background:"transparent"},(0,r.getHighContrastNoAdjustStyle)()),d)},accessibleLabel:r.hiddenContentStyle,dropHintCircleStyle:[x.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 ".concat(S.themePrimary),background:S.white}],dropHintCaretStyle:[x.dropHintCaretStyle,{display:"none",position:"absolute",top:-28,left:-6.5,fontSize:C.medium.fontSize,color:S.themePrimary,overflow:"visible",zIndex:10}],dropHintLineStyle:[x.dropHintLineStyle,{display:"none",position:"absolute",bottom:0,top:0,overflow:"hidden",height:42,width:1,background:S.themePrimary,zIndex:10}],dropHintStyle:{display:"inline-block",position:"absolute"}}}},89263:(e,t)=>{"use strict";var o;Object.defineProperty(t,"__esModule",{value:!0}),t.SelectAllVisibility=void 0,(o=t.SelectAllVisibility||(t.SelectAllVisibility={}))[o.none=0]="none",o[o.hidden=1]="hidden",o[o.visible=2]="visible"},90130:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.buildColumns=t.DetailsListBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(29638),s=o(64524),l=o(89263),c=o(47765),u=o(80371),d=o(18055),p=o(23902),m=o(40759),g=o(2133),h=o(67103),f=o(71293),v=o(43937),b=o(45041),y=o(30396),_=o(52332),S=o(25698),C=o(97156),x=o(50478),P=(0,i.classNamesFunction)(),k=100,I={tabIndex:0},w={},T=function(e){var t=e.selection,o=e.ariaLabelForListHeader,c=e.ariaLabelForSelectAllCheckbox,p=e.ariaLabelForSelectionColumn,h=e.className,b=e.checkboxVisibility,y=e.compact,C=e.constrainMode,x=e.dragDropEvents,k=e.groups,T=e.groupProps,E=e.indentWidth,D=e.items,M=e.isPlaceholderData,O=e.isHeaderVisible,R=e.layoutMode,F=e.onItemInvoked,B=e.onItemContextMenu,A=e.onColumnHeaderClick,N=e.onColumnHeaderContextMenu,L=e.selectionMode,H=void 0===L?t.mode:L,j=e.selectionPreservedOnEmptyClick,z=e.selectionZoneProps,W=e.ariaLabel,V=e.ariaLabelForGrid,K=e.rowElementEventMap,G=e.shouldApplyApplicationRole,U=void 0!==G&&G,Y=e.getKey,q=e.listProps,X=e.usePageCache,Z=e.onShouldVirtualize,Q=e.viewport,J=e.minimumPixelsForDrag,$=e.getGroupHeight,ee=e.styles,te=e.theme,oe=e.cellStyleProps,ne=void 0===oe?v.DEFAULT_CELL_STYLE_PROPS:oe,re=e.onRenderCheckbox,ie=e.useFastIcons,ae=e.dragDropHelper,se=e.adjustedColumns,le=e.isCollapsed,ce=e.isSizing,ue=e.isSomeGroupExpanded,de=e.version,pe=e.rootRef,me=e.listRef,ge=e.focusZoneRef,he=e.columnReorderOptions,fe=e.groupedListRef,ve=e.headerRef,be=e.onGroupExpandStateChanged,ye=e.onColumnIsSizingChanged,_e=e.onRowDidMount,Se=e.onRowWillUnmount,Ce=e.disableSelectionZone,xe=e.isSelectedOnFocus,Pe=void 0===xe||xe,ke=e.onColumnResized,Ie=e.onColumnAutoResized,we=e.onToggleCollapse,Te=e.onActiveRowChanged,Ee=e.onBlur,De=e.rowElementEventMap,Me=e.onRenderMissingItem,Oe=e.onRenderItemColumn,Re=e.onRenderField,Fe=e.getCellValueKey,Be=e.getRowAriaLabel,Ae=e.getRowAriaDescribedBy,Ne=e.checkButtonAriaLabel,Le=e.checkButtonGroupAriaLabel,He=e.checkboxCellClassName,je=e.useReducedRowRenderer,ze=e.enableUpdateAnimations,We=e.enterModalSelectionOnTouch,Ve=e.onRenderDefaultRow,Ke=e.selectionZoneRef,Ge=e.focusZoneProps,Ue="grid",Ye=e.role?e.role:Ue,qe=(0,_.getId)("row"),Xe=function(e){for(var t=0,o=e;o&&o.length>0;)t++,o=o[0].children;return t}(k),Ze=function(e){return r.useMemo((function(){var t={};if(e)for(var o=1,n=1,r=0,i=e;rr.left&&t.clientXr.top&&t.clientY0?w:I,d={item:n,itemIndex:r,flatIndexOffset:(O?2:1)+l,compact:y,columns:se,groupNestingDepth:o,id:"".concat(qe,"-").concat(r),selectionMode:H,selection:t,onDidMount:_e,onWillUnmount:Se,onRenderItemColumn:Oe,onRenderField:Re,getCellValueKey:Fe,eventsToRegister:De,dragDropEvents:x,dragDropHelper:ae,viewport:Q,checkboxVisibility:b,collapseAllVisibility:yt,getRowAriaLabel:Be,getRowAriaDescribedBy:Ae,checkButtonAriaLabel:Ne,checkboxCellClassName:He,useReducedRowRenderer:je,indentWidth:E,cellStyleProps:ne,onRenderDetailsCheckbox:re,enableUpdateAnimations:ze,rowWidth:_t,useFastIcons:ie,role:c,isGridRow:!0,focusZoneProps:u};return n?a(d):Me?Me(r,d):null}),[y,se,H,t,qe,_e,Se,Oe,Re,Fe,De,x,ae,Q,b,yt,Be,Ae,O,Ne,He,je,E,ne,re,ze,ie,Ve,Me,e.onRenderRow,_t,Ye,Ze]),Ct=r.useCallback((function(e){return function(t,o){return St(e,t,o)}}),[St]),xt=r.useCallback((function(e){return e.which===(0,i.getRTLSafeKeyCode)(i.KeyCodes.right,te)}),[te]),Pt=n.__assign(n.__assign({},Ge),{componentRef:Ge&&Ge.componentRef?Ge.componentRef:ge,className:Ge&&Ge.className?(0,i.css)(pt.focusZone,Ge.className):pt.focusZone,direction:Ge?Ge.direction:u.FocusZoneDirection.vertical,shouldEnterInnerZone:Ge&&Ge.shouldEnterInnerZone?Ge.shouldEnterInnerZone:xt,onActiveElementChanged:Ge&&Ge.onActiveElementChanged?Ge.onActiveElementChanged:Te,shouldRaiseClicksOnEnter:!1,onBlur:Ge&&Ge.onBlur?Ge.onBlur:Ee}),kt=k&&(null==T?void 0:T.groupedListAs)?(0,_.composeComponentAs)(T.groupedListAs,m.GroupedList):m.GroupedList,It=k?r.createElement(kt,{focusZoneProps:Pt,componentRef:fe,groups:k,groupProps:vt,items:D,onRenderCell:St,role:"presentation",selection:t,selectionMode:b!==a.CheckboxVisibility.hidden?H:d.SelectionMode.none,dragDropEvents:x,dragDropHelper:ae,eventsToRegister:K,listProps:Qe,onGroupExpandStateChanged:be,usePageCache:X,onShouldVirtualize:Z,getGroupHeight:$,compact:y}):r.createElement(u.FocusZone,n.__assign({},Pt),r.createElement(g.List,n.__assign({ref:me,role:"presentation",items:D,onRenderCell:Ct(0),usePageCache:X,onShouldVirtualize:Z},Qe))),wt=r.useCallback((function(e){e.which===i.KeyCodes.down&&ge.current&&ge.current.focus()&&(Pe&&0===t.getSelectedIndices().length&&t.setIndexSelected(0,!0,!1),e.preventDefault(),e.stopPropagation())}),[t,ge,Pe]),Tt=r.useCallback((function(e){e.which!==i.KeyCodes.up||e.altKey||ve.current&&ve.current.focus()&&(e.preventDefault(),e.stopPropagation())}),[ve]);return r.createElement("div",n.__assign({ref:pe,className:pt.root,"data-automationid":"DetailsList","data-is-scrollable":"false"},U?{role:"application"}:{}),r.createElement(i.FocusRects,null),r.createElement("div",{role:Ye,"aria-label":V||W,"aria-rowcount":M?0:ut,"aria-colcount":dt,"aria-busy":M},r.createElement("div",{onKeyDown:wt,role:"presentation",className:pt.headerWrapper},O&&nt({componentRef:ve,selectionMode:H,layoutMode:R,selection:t,columns:se,onColumnClick:A,onColumnContextMenu:N,onColumnResized:ke,onColumnIsSizingChanged:ye,onColumnAutoResized:Ie,groupNestingDepth:Xe,isAllCollapsed:le,onToggleCollapseAll:we,ariaLabel:o,ariaLabelForSelectAllCheckbox:c,ariaLabelForSelectionColumn:p,selectAllVisibility:Je,collapseAllVisibility:T&&T.collapseAllVisibility,viewport:Q,columnReorderProps:ct,minimumPixelsForDrag:J,cellStyleProps:ne,checkboxVisibility:b,indentWidth:E,onRenderDetailsCheckbox:re,rowWidth:bt(se),useFastIcons:ie},nt)),r.createElement("div",{onKeyDown:Tt,role:"presentation",className:pt.contentWrapper},Ce?It:r.createElement(d.SelectionZone,n.__assign({ref:Ke,selection:t,selectionPreservedOnEmptyClick:j,selectionMode:H,isSelectedOnFocus:Pe,selectionClearedOnEscapePress:Pe,toggleWithoutModifierPressed:!Pe,onItemInvoked:F,onItemContextMenu:B,enterModalOnTouch:We},z||{}),It)),it(n.__assign({},at))))},E=function(e){function t(t){var o=e.call(this,t)||this;return o._root=r.createRef(),o._header=r.createRef(),o._groupedList=r.createRef(),o._list=r.createRef(),o._focusZone=r.createRef(),o._selectionZone=r.createRef(),o._onRenderRow=function(e,t){return r.createElement(c.DetailsRow,n.__assign({},e))},o._getDerivedStateFromProps=function(e,t){var r=o.props,i=r.checkboxVisibility,a=r.items,s=r.setKey,l=r.selectionMode,c=void 0===l?o._selection.mode:l,u=r.columns,d=r.viewport,m=r.compact,g=r.dragDropEvents,h=(o.props.groupProps||{}).isAllGroupsCollapsed,f=void 0===h?void 0:h,v=e.viewport&&e.viewport.width||0,b=d&&d.width||0,y=e.setKey!==s||void 0===e.setKey,_=!1;e.layoutMode!==o.props.layoutMode&&(_=!0);var S=t;return y&&(o._initialFocusedIndex=e.initialFocusedIndex,S=n.__assign(n.__assign({},S),{focusedItemIndex:void 0!==o._initialFocusedIndex?o._initialFocusedIndex:-1})),o.props.disableSelectionZone||e.items===a||o._selection.setItems(e.items,y),e.checkboxVisibility===i&&e.columns===u&&v===b&&e.compact===m||(_=!0),S=n.__assign(n.__assign({},S),o._adjustColumns(e,S,!0)),e.selectionMode!==c&&(_=!0),void 0===f&&e.groupProps&&void 0!==e.groupProps.isAllGroupsCollapsed&&(S=n.__assign(n.__assign({},S),{isCollapsed:e.groupProps.isAllGroupsCollapsed,isSomeGroupExpanded:!e.groupProps.isAllGroupsCollapsed})),e.dragDropEvents!==g&&(o._dragDropHelper&&o._dragDropHelper.dispose(),o._dragDropHelper=e.dragDropEvents?new p.DragDropHelper({selection:o._selection,minimumPixelsForDrag:e.minimumPixelsForDrag}):void 0,_=!0),_&&(S=n.__assign(n.__assign({},S),{version:{}})),S},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,r){var i=Math.max(e.minWidth||k,t);o.props.onColumnResize&&o.props.onColumnResize(e,i,r),o._rememberCalculatedWidth(e,i),o.setState(n.__assign(n.__assign({},o._adjustColumns(o.props,o.state,!0,r)),{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,i.initializeComponentRef)(o),o._async=new i.Async(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},(0,i.warnMutuallyExclusive)("DetailsList",t,{selection:"getKey"}),o._selection=t.selection||new d.Selection({onSelectionChanged:void 0,getKey:t.getKey,selectionMode:t.selectionMode}),o.props.disableSelectionZone||o._selection.setItems(t.items,!1),o._dragDropHelper=t.dragDropEvents?new p.DragDropHelper({selection:o._selection,minimumPixelsForDrag:t.minimumPixelsForDrag}):void 0,o._initialFocusedIndex=t.initialFocusedIndex,o}return n.__extends(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.updateColumn=function(e,t){var o,n,r=this.props,i=r.columns,s=void 0===i?[]:i,l=r.selectionMode,c=r.checkboxVisibility,u=r.columnReorderOptions,p=t.width,m=t.newColumnIndex,g=s.findIndex((function(t){return t.key===e.key}));if(p&&this._onColumnResized(e,p,g),void 0!==m&&u){var h=l===d.SelectionMode.none||c===a.CheckboxVisibility.hidden,f=(c!==a.CheckboxVisibility.hidden?2:1)+g,v=h?f-1:f-2,b=h?m-1:m-2,y=null!==(o=u.frozenColumnCountFromStart)&&void 0!==o?o:0,_=null!==(n=u.frozenColumnCountFromEnd)&&void 0!==n?n:0;if(b>=y&&b0&&-1!==this.state.focusedItemIndex&&!(0,i.elementContains)(this._root.current,null==o?void 0:o.activeElement,!1)){var r,a=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,r){var i=this._getAdjustedColumns(e,t,o,r),a=this.props.viewport,s=a&&a.width?a.width:0;return n.__assign(n.__assign({},t),{adjustedColumns:i,lastWidth:s})},t.prototype._getAdjustedColumns=function(e,t,o,n){var r,i=this,s=e.items,l=e.layoutMode,c=e.selectionMode,u=e.viewport,d=u&&u.width?u.width:0,p=e.columns,m=this.props?this.props.columns:[],g=t?t.lastWidth:-1,h=t?t.lastSelectionMode:void 0;return o||g!==d||h!==c||m&&p!==m?(p=p||D(s,!0),l===a.DetailsListLayoutMode.fixedColumns?(r=this._getFixedColumns(p,d,e)).forEach((function(e){i._rememberCalculatedWidth(e,e.calculatedWidth)})):(r=this._getJustifiedColumns(p,d,e)).forEach((function(e){i._getColumnOverride(e.key).currentWidth=e.calculatedWidth})),r):p||[]},t.prototype._getFixedColumns=function(e,t,o){var r=this,i=this.props,s=i.selectionMode,l=void 0===s?this._selection.mode:s,c=i.checkboxVisibility,u=i.flexMargin,p=i.skipViewportMeasures,m=t-(u||0),g=0;e.forEach((function(e){p||!e.flexGrow?m-=e.maxWidth||e.minWidth||k:(m-=e.minWidth||k,g+=e.flexGrow),m-=M(e,o,!0)}));var h=l!==d.SelectionMode.none&&c!==a.CheckboxVisibility.hidden?b.CHECK_CELL_WIDTH:0,f=this._getGroupNestingDepth()*y.SPACER_WIDTH,v=(m-=h+f)/g;return p||e.forEach((function(e){var t=n.__assign(n.__assign({},e),r._columnOverrides[e.key]);if(t.flexGrow&&t.maxWidth){var o=t.flexGrow*v+t.minWidth,i=o-t.maxWidth;i>0&&(m+=i,g-=i/(o-t.minWidth)*t.flexGrow)}})),v=m>0?m/g:0,e.map((function(e){var o=n.__assign(n.__assign({},e),r._columnOverrides[e.key]);return!p&&o.flexGrow&&m<=0&&0===t||o.calculatedWidth||(!p&&o.flexGrow?(o.calculatedWidth=o.minWidth+o.flexGrow*v,o.calculatedWidth=Math.min(o.calculatedWidth,o.maxWidth||Number.MAX_VALUE)):o.calculatedWidth=o.maxWidth||o.minWidth||k),o}))},t.prototype._getJustifiedColumns=function(e,t,o){var r=this,i=o.selectionMode,s=void 0===i?this._selection.mode:i,l=o.checkboxVisibility,c=o.skipViewportMeasures,u=s!==d.SelectionMode.none&&l!==a.CheckboxVisibility.hidden?b.CHECK_CELL_WIDTH:0,p=this._getGroupNestingDepth()*y.SPACER_WIDTH,m=0,g=0,h=t-(u+p),f=e.map((function(e,t){var i=n.__assign(n.__assign({},e),{calculatedWidth:e.minWidth||k}),a=n.__assign(n.__assign({},i),r._columnOverrides[e.key]);return i.isCollapsible||i.isCollapsable||(g+=M(i,o)),m+=M(a,o),a}));if(c)return f;for(var v=f.length-1;v>=0&&m>h;){var _=(P=f[v]).minWidth||k,S=m-h;if(P.calculatedWidth-_>=S||!P.isCollapsible&&!P.isCollapsable){var C=P.calculatedWidth;g{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DetailsList=void 0;var n=o(71061),r=o(90130),i=o(13521);t.DetailsList=(0,n.styled)(r.DetailsListBase,i.getDetailsListStyles,void 0,{scope:"DetailsList"})},13521:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getDetailsListStyles=void 0;var n=o(15019),r={root:"ms-DetailsList",compact:"ms-DetailsList--Compact",contentWrapper:"ms-DetailsList-contentWrapper",headerWrapper:"ms-DetailsList-headerWrapper",isFixed:"is-fixed",isHorizontalConstrained:"is-horizontalConstrained",listCell:"ms-List-cell"};t.getDetailsListStyles=function(e){var t,o,i=e.theme,a=e.className,s=e.isHorizontalConstrained,l=e.compact,c=e.isFixed,u=i.semanticColors,d=(0,n.getGlobalClassNames)(r,i);return{root:[d.root,i.fonts.small,{position:"relative",color:u.listText,selectors:(t={},t["& .".concat(d.listCell)]={minHeight:38,wordBreak:"break-word"},t)},c&&d.isFixed,l&&[d.compact,{selectors:(o={},o[".".concat(d.listCell)]={minHeight:32},o)}],s&&[d.isHorizontalConstrained,{overflowX:"auto",overflowY:"visible",WebkitOverflowScrolling:"touch"}],a],focusZone:[{display:"inline-block",minWidth:"100%",minHeight:1}],headerWrapper:d.headerWrapper,contentWrapper:d.contentWrapper}}},29638:(e,t)=>{"use strict";var o,n,r,i,a;Object.defineProperty(t,"__esModule",{value:!0}),t.CheckboxVisibility=t.DetailsListLayoutMode=t.ColumnDragEndLocation=t.ConstrainMode=t.ColumnActionsMode=void 0,(a=t.ColumnActionsMode||(t.ColumnActionsMode={}))[a.disabled=0]="disabled",a[a.clickable=1]="clickable",a[a.hasDropdown=2]="hasDropdown",(i=t.ConstrainMode||(t.ConstrainMode={}))[i.unconstrained=0]="unconstrained",i[i.horizontalConstrained=1]="horizontalConstrained",(r=t.ColumnDragEndLocation||(t.ColumnDragEndLocation={}))[r.outside=0]="outside",r[r.surface=1]="surface",r[r.header=2]="header",(n=t.DetailsListLayoutMode||(t.DetailsListLayoutMode={}))[n.fixedColumns=0]="fixedColumns",n[n.justified=1]="justified",(o=t.CheckboxVisibility||(t.CheckboxVisibility={}))[o.onHover=0]="onHover",o[o.always=1]="always",o[o.hidden=2]="hidden"},19042:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DetailsRowBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(29638),s=o(8229),l=o(30396),c=o(72924),u=o(80371),d=o(18055),p=o(71061),m=o(71061),g=(0,p.classNamesFunction)(),h=[],f=function(e){function t(t){var o=e.call(this,t)||this;return o._root=r.createRef(),o._cellMeasurer=r.createRef(),o._focusZone=r.createRef(),o._onSelectionChanged=function(){var e=v(o.props);(0,i.shallowCompare)(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,i.initializeComponentRef)(o),o._events=new i.EventGroup(o),o.state={selectionState:v(t),columnMeasureInfo:void 0,isDropping:!1},o._droppingClassNames="",o}return n.__extends(t,e),t.getDerivedStateFromProps=function(e,t){return n.__assign(n.__assign({},t),{selectionState:v(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,d.SELECTION_CHANGE,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=v(e);return this.state.selectionState.isSelected!==o.isSelected||!(0,i.shallowCompare)(this.props,e)}return!0},t.prototype.render=function(){var e,t=this.props,o=t.className,s=t.columns,p=void 0===s?h:s,f=t.dragDropEvents,v=t.item,b=t.itemIndex,y=t.id,_=t.flatIndexOffset,S=void 0===_?2:_,C=t.onRenderCheck,x=void 0===C?this._onRenderCheck:C,P=t.onRenderDetailsCheckbox,k=t.onRenderItemColumn,I=t.onRenderField,w=t.getCellValueKey,T=t.selectionMode,E=t.checkboxVisibility,D=t.getRowAriaLabel,M=t.getRowAriaDescription,O=t.getRowAriaDescribedBy,R=t.isGridRow,F=t.checkButtonAriaLabel,B=t.checkboxCellClassName,A=t.rowFieldsAs,N=t.selection,L=t.indentWidth,H=t.enableUpdateAnimations,j=t.compact,z=t.theme,W=t.styles,V=t.cellsByColumn,K=t.groupNestingDepth,G=t.useFastIcons,U=void 0===G||G,Y=t.cellStyleProps,q=t.group,X=t.focusZoneProps,Z=t.disabled,Q=void 0!==Z&&Z,J=this.state,$=J.columnMeasureInfo,ee=J.isDropping,te=this.state.selectionState,oe=te.isSelected,ne=void 0!==oe&&oe,re=te.isSelectionModal,ie=void 0!==re&&re,ae=f?!(!f.canDrag||!f.canDrag(v)):void 0,se=ee?this._droppingClassNames||"is-dropping":"",le=D?D(v):void 0,ce=M?M(v):void 0,ue=O?O(v):void 0,de=!!N&&N.canSelectItem(v,b)&&!Q,pe=T===d.SelectionMode.multiple,me=T!==d.SelectionMode.none&&E!==a.CheckboxVisibility.hidden,ge=T===d.SelectionMode.none?void 0:ne,he=q?b-q.startIndex+1:void 0,fe=q?q.count:void 0,ve=X?X.direction:u.FocusZoneDirection.horizontal;this._classNames=n.__assign(n.__assign({},this._classNames),g(W,{theme:z,isSelected:ne,canSelect:!pe,anySelected:ie,checkboxCellClassName:B,droppingClassName:se,className:o,compact:j,enableUpdateAnimations:H,cellStyleProps:Y,disabled:Q}));var be={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,i.shallowCompare)(this._rowClassNames||{},be)||(this._rowClassNames=be);var ye=A?(0,i.composeComponentAs)(A,c.DetailsRowFields):c.DetailsRowFields,_e=r.createElement(ye,{rowClassNames:this._rowClassNames,rowHeaderId:"".concat(y,"-header"),cellsByColumn:V,columns:p,item:v,itemIndex:b,isSelected:ne,columnStartIndex:(me?1:0)+(K?1:0),onRenderItemColumn:k,onRenderField:I,getCellValueKey:w,enableUpdateAnimations:H,cellStyleProps:Y}),Se=this.props.role?this.props.role:"row";this._ariaRowDescriptionId=(0,m.getId)("DetailsRow-description");var Ce=p.some((function(e){return!!e.isRowHeader})),xe="".concat(y,"-checkbox")+(Ce?" ".concat(y,"-header"):""),Pe=R?{}:{"aria-level":K&&K+1||void 0,"aria-posinset":he,"aria-setsize":fe};return r.createElement(u.FocusZone,n.__assign({"data-is-focusable":!0},(0,i.getNativeProps)(this.props,i.divProperties),"boolean"==typeof ae?{"data-is-draggable":ae,draggable:ae}:{},X,Pe,{direction:ve,elementRef:this._root,componentRef:this._focusZone,role:Se,"aria-label":le,"aria-disabled":Q||void 0,"aria-describedby":ce?this._ariaRowDescriptionId:ue,className:this._classNames.root,"data-selection-index":b,"data-selection-touch-invoke":!0,"data-selection-disabled":null!==(e=this.props["data-selection-disabled"])&&void 0!==e?e:Q||void 0,"data-item-index":b,"aria-rowindex":void 0===he?b+S:void 0,"data-automationid":"DetailsRow","aria-selected":ge,allowFocusRoot:!0}),ce?r.createElement("span",{key:"description",role:"presentation",hidden:!0,id:this._ariaRowDescriptionId},ce):null,me&&r.createElement("div",{role:"gridcell","data-selection-toggle":!0,className:this._classNames.checkCell},x({id:y?"".concat(y,"-checkbox"):void 0,selected:ne,selectionMode:T,anySelected:ie,"aria-label":F,"aria-labelledby":y?xe:void 0,canSelect:de,compact:j,className:this._classNames.check,theme:z,isVisible:E===a.CheckboxVisibility.always,onRenderDetailsCheckbox:P,useFastIcons:U})),r.createElement(l.GroupSpacer,{indentWidth:L,role:"gridcell",count:0===K?-1:K}),v&&_e,$&&r.createElement("span",{role:"presentation",className:(0,i.css)(this._classNames.cellMeasurer,this._classNames.cell),ref:this._cellMeasurer},r.createElement(ye,{rowClassNames:this._rowClassNames,rowHeaderId:"".concat(y,"-header"),columns:[$.column],item:v,itemIndex:b,columnStartIndex:(me?1:0)+(K?1:0)+p.length,onRenderItemColumn:k,getCellValueKey:w})))},t.prototype.measureCell=function(e,t){var o=this.props.columns,r=void 0===o?h:o,i=n.__assign({},r[e]);i.minWidth=0,i.maxWidth=999999,delete i.calculatedWidth,this.setState({columnMeasureInfo:{index:e,column:i,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 r.createElement(s.DetailsRowCheck,n.__assign({},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}(r.Component);function v(e){var t,o=e.itemIndex,n=e.selection;return{isSelected:!!(null==n?void 0:n.isIndexSelected(o)),isSelectionModal:!!(null===(t=null==n?void 0:n.isModal)||void 0===t?void 0:t.call(n))}}t.DetailsRowBase=f},47765:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DetailsRow=void 0;var n=o(71061),r=o(19042),i=o(43937);t.DetailsRow=(0,n.styled)(r.DetailsRowBase,i.getDetailsRowStyles,void 0,{scope:"DetailsRow"})},43937:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getDetailsRowStyles=t.DEFAULT_ROW_HEIGHTS=t.DEFAULT_CELL_STYLE_PROPS=t.DetailsRowGlobalClassNames=void 0;var n=o(31635),r=o(15019),i=o(71061),a=o(69303);t.DetailsRowGlobalClassNames={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"},t.DEFAULT_CELL_STYLE_PROPS={cellLeftPadding:12,cellRightPadding:8,cellExtraRightPadding:24},t.DEFAULT_ROW_HEIGHTS={rowHeight:42,compactRowHeight:32};var s=n.__assign(n.__assign({},t.DEFAULT_ROW_HEIGHTS),{rowVerticalPadding:11,compactRowVerticalPadding:6});t.getDetailsRowStyles=function(e){var o,l,c,u,d,p,m,g,h,f,v,b,y,_,S=e.theme,C=e.isSelected,x=e.canSelect,P=e.droppingClassName,k=e.isCheckVisible,I=e.checkboxCellClassName,w=e.compact,T=e.className,E=e.cellStyleProps,D=void 0===E?t.DEFAULT_CELL_STYLE_PROPS:E,M=e.enableUpdateAnimations,O=e.disabled,R=S.palette,F=S.fonts,B=R.neutralPrimary,A=R.white,N=R.neutralSecondary,L=R.neutralLighter,H=R.neutralLight,j=R.neutralDark,z=R.neutralQuaternaryAlt,W=S.semanticColors,V=W.focusBorder,K=W.linkHovered,G=(0,r.getGlobalClassNames)(t.DetailsRowGlobalClassNames,S),U={defaultHeaderText:B,defaultMetaText:N,defaultBackground:A,defaultHoverHeaderText:j,defaultHoverMetaText:B,defaultHoverBackground:L,selectedHeaderText:j,selectedMetaText:B,selectedBackground:H,selectedHoverHeaderText:j,selectedHoverMetaText:B,selectedHoverBackground:z,focusHeaderText:j,focusMetaText:B,focusBackground:H,focusHoverBackground:z},Y=[(0,r.getFocusStyle)(S,{inset:-1,borderColor:V,outlineColor:A,highContrastStyle:{top:2,right:2,bottom:2,left:2},pointerEvents:"none"}),G.isSelected,{color:U.selectedMetaText,background:U.selectedBackground,borderBottom:"1px solid ".concat(A),selectors:(o={"&:before":{position:"absolute",display:"block",top:-1,height:1,bottom:0,left:0,right:0,content:"",borderTop:"1px solid ".concat(A)}},o[".".concat(G.cell," > .").concat(a.GlobalClassNames.root)]={color:K,selectors:(l={},l[r.HighContrastSelector]={color:"HighlightText"},l)},o["&:hover"]={background:U.selectedHoverBackground,color:U.selectedHoverMetaText,selectors:(c={},c[r.HighContrastSelector]={background:"Highlight",selectors:(u={},u[".".concat(G.cell)]={color:"HighlightText"},u[".".concat(G.cell," > .").concat(a.GlobalClassNames.root)]={forcedColorAdjust:"none",color:"HighlightText"},u)},c[".".concat(G.isRowHeader)]={color:U.selectedHoverHeaderText,selectors:(d={},d[r.HighContrastSelector]={color:"HighlightText"},d)},c)},o["&:focus"]={background:U.focusBackground,selectors:(p={},p[".".concat(G.cell)]={color:U.focusMetaText,selectors:(m={},m[r.HighContrastSelector]={color:"HighlightText",selectors:{"> a":{color:"HighlightText"}}},m)},p[".".concat(G.isRowHeader)]={color:U.focusHeaderText,selectors:(g={},g[r.HighContrastSelector]={color:"HighlightText"},g)},p[r.HighContrastSelector]={background:"Highlight"},p)},o[r.HighContrastSelector]=n.__assign(n.__assign({background:"Highlight",color:"HighlightText"},(0,r.getHighContrastNoAdjustStyle)()),{selectors:{a:{color:"HighlightText"}}}),o["&:focus:hover"]={background:U.focusHoverBackground},o)}],q=[G.isContentUnselectable,{userSelect:"none",cursor:"default"}],X={minHeight:s.compactRowHeight,border:0},Z={minHeight:s.compactRowHeight,paddingTop:s.compactRowVerticalPadding,paddingBottom:s.compactRowVerticalPadding,paddingLeft:"".concat(D.cellLeftPadding,"px")},Q=[(0,r.getFocusStyle)(S,{inset:-1}),G.cell,{display:"inline-block",position:"relative",boxSizing:"border-box",minHeight:s.rowHeight,verticalAlign:"top",whiteSpace:"nowrap",overflow:"hidden",textOverflow:"ellipsis",paddingTop:s.rowVerticalPadding,paddingBottom:s.rowVerticalPadding,paddingLeft:"".concat(D.cellLeftPadding,"px"),selectors:(h={"& > button":{maxWidth:"100%"}},h["[data-is-focusable='true']"]=(0,r.getFocusStyle)(S,{inset:-1,borderColor:N,outlineColor:A}),h)},C&&{selectors:(f={},f[r.HighContrastSelector]=n.__assign({background:"Highlight",color:"HighlightText"},(0,r.getHighContrastNoAdjustStyle)()),f)},w&&Z,O&&{opacity:.5}];return{root:[G.root,r.AnimationClassNames.fadeIn400,P,S.fonts.small,k&&G.isCheckVisible,(0,r.getFocusStyle)(S,{borderColor:V,outlineColor:A}),{borderBottom:"1px solid ".concat(L),background:U.defaultBackground,color:U.defaultMetaText,display:"inline-flex",minWidth:"100%",minHeight:s.rowHeight,whiteSpace:"nowrap",padding:0,boxSizing:"border-box",verticalAlign:"top",textAlign:"left",selectors:(v={},v[".".concat(G.listCellFirstChild," &:before")]={display:"none"},v["&:hover"]={background:U.defaultHoverBackground,color:U.defaultHoverMetaText,selectors:(b={},b[".".concat(G.isRowHeader)]={color:U.defaultHoverHeaderText},b[".".concat(G.cell," > .").concat(a.GlobalClassNames.root)]={color:K},b)},v["&:hover .".concat(G.check)]={opacity:1},v[".".concat(i.IsFocusVisibleClassName," &:focus .").concat(G.check,", :host(.").concat(i.IsFocusVisibleClassName,") &:focus .").concat(G.check)]={opacity:1},v[".ms-GroupSpacer"]={flexShrink:0,flexGrow:0},v)},C&&Y,!x&&q,w&&X,T],cellUnpadded:{paddingRight:"".concat(D.cellRightPadding,"px")},cellPadded:{paddingRight:"".concat(D.cellExtraRightPadding+D.cellRightPadding,"px"),selectors:(y={},y["&.".concat(G.cellCheck)]={paddingRight:0},y)},cell:Q,cellAnimation:M&&r.AnimationStyles.slideLeftIn40,cellMeasurer:[G.cellMeasurer,{overflow:"visible",whiteSpace:"nowrap"}],checkCell:[Q,G.cellCheck,I,{padding:0,paddingTop:1,marginTop:-1,flexShrink:0}],fields:[G.fields,{display:"flex",alignItems:"stretch"}],isRowHeader:[G.isRowHeader,{color:U.defaultHeaderText,fontSize:F.medium.fontSize},C&&{color:U.selectedHeaderText,fontWeight:r.FontWeights.semibold,selectors:(_={},_[r.HighContrastSelector]={color:"HighlightText"},_)}],isMultiline:[Q,{whiteSpace:"normal",wordBreak:"break-word",textOverflow:"clip"}],check:[G.check]}}},8278:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},8229:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DetailsRowCheck=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(12945),s=o(45041),l=o(18055),c=(0,i.classNamesFunction)(),u=r.memo((function(e){return r.createElement(a.Check,{theme:e.theme,checked:e.checked,className:e.className,useFastIcons:!0})}));function d(e){return r.createElement(a.Check,{checked:e.checked})}function p(e){return r.createElement(u,{theme:e.theme,checked:e.checked})}t.DetailsRowCheck=(0,i.styled)((function(e){var t=e.isVisible,o=void 0!==t&&t,a=e.canSelect,s=void 0!==a&&a,u=e.anySelected,m=void 0!==u&&u,g=e.selected,h=void 0!==g&&g,f=e.selectionMode,v=e.isHeader,b=void 0!==v&&v,y=e.className,_=(e.checkClassName,e.styles),S=e.theme,C=e.compact,x=e.onRenderDetailsCheckbox,P=e.useFastIcons,k=void 0===P||P,I=n.__rest(e,["isVisible","canSelect","anySelected","selected","selectionMode","isHeader","className","checkClassName","styles","theme","compact","onRenderDetailsCheckbox","useFastIcons"]),w=k?p:d,T=x?(0,i.composeRenderFunction)(x,w):w,E=c(_,{theme:S,canSelect:s,selected:h,anySelected:m,className:y,isHeader:b,isVisible:o,compact:C}),D={checked:h,theme:S},M=(0,i.getNativeElementProps)("div",I,["aria-label","aria-labelledby","aria-describedby"]),O=f===l.SelectionMode.single?"radio":"checkbox";return s?r.createElement("div",n.__assign({},I,{role:O,className:(0,i.css)(E.root,E.check),"aria-checked":h,"data-selection-toggle":!0,"data-automationid":"DetailsRowCheck",tabIndex:-1}),T(D)):r.createElement("div",n.__assign({},M,{className:(0,i.css)(E.root,E.check)}))}),s.getDetailsRowCheckStyles,void 0,{scope:"DetailsRowCheck"},!0)},45041:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getDetailsRowCheckStyles=t.CHECK_CELL_WIDTH=void 0;var n=o(15019),r=o(43937),i=o(42606),a=o(10569),s={root:"ms-DetailsRow-check",isDisabled:"ms-DetailsRow-check--isDisabled",isHeader:"ms-DetailsRow-check--isHeader"};t.CHECK_CELL_WIDTH=48,t.getDetailsRowCheckStyles=function(e){var o=e.theme,l=e.className,c=e.isHeader,u=e.selected,d=e.anySelected,p=e.canSelect,m=e.compact,g=e.isVisible,h=(0,n.getGlobalClassNames)(s,o),f=r.DEFAULT_ROW_HEIGHTS.rowHeight,v=r.DEFAULT_ROW_HEIGHTS.compactRowHeight,b=c?i.HEADER_HEIGHT:m?v:f,y=g||u||d;return{root:[h.root,l],check:[!p&&h.isDisabled,c&&h.isHeader,(0,n.getFocusStyle)(o),o.fonts.small,a.CheckGlobalClassNames.checkHost,{display:"flex",alignItems:"center",justifyContent:"center",cursor:"default",boxSizing:"border-box",verticalAlign:"top",background:"none",backgroundColor:"transparent",border:"none",opacity:y?1:0,height:b,width:t.CHECK_CELL_WIDTH,padding:0,margin:0}],isDisabled:[]}}},80390:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},72924:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DetailsRowFields=void 0;var n=o(83923),r=o(71061),i=o(43937);function a(e,t,o){return e&&o?function(e,t){var o=e&&t&&t.fieldName?e[t.fieldName]:"";return null==o&&(o=""),"boolean"==typeof o?o.toString():o}(e,o):null}t.DetailsRowFields=function(e){var t=e.columns,o=e.rowClassNames,s=e.cellStyleProps,l=void 0===s?i.DEFAULT_CELL_STYLE_PROPS:s,c=e.item,u=e.itemIndex,d=e.isSelected,p=e.onRenderItemColumn,m=e.getCellValueKey,g=e.onRenderField,h=e.cellsByColumn,f=e.enableUpdateAnimations,v=e.rowHeaderId,b=n.useRef(),y=b.current||(b.current={}),_=n.useCallback((function(e){var t=e.column,i=e.cellValueKey,a=e.className,s=e.onRender,c=e.item,u=e.itemIndex,d=void 0===t.calculatedWidth?"auto":t.calculatedWidth+l.cellLeftPadding+l.cellRightPadding+(t.isPadded?l.cellExtraRightPadding:0),p="".concat(t.key).concat(void 0!==i?"-".concat(i):"");return n.createElement("div",{key:p,id:t.isRowHeader?v:void 0,role:t.isRowHeader?"rowheader":"gridcell",className:(0,r.css)(t.className,t.isMultiline&&o.isMultiline,t.isRowHeader&&o.isRowHeader,o.cell,t.isPadded?o.cellPadded:o.cellUnpadded,a),style:{width:d},"data-automationid":"DetailsRowCell","data-automation-key":t.key},s(c,u,t))}),[o,l,v]);return n.createElement("div",{className:o.fields,"data-automationid":"DetailsRowFields",role:"presentation"},t.map((function(e){var t=e.getValueKey,n=void 0===t?m:t,i=h&&e.key in h&&function(){return h[e.key]}||e.onRender||p||a,s=_;e.onRenderField&&(s=(0,r.composeRenderFunction)(e.onRenderField,s)),g&&(s=(0,r.composeRenderFunction)(g,s));var l=y[e.key],v=f&&n?n(c,u,e):void 0,b=!1;return void 0!==v&&void 0!==l&&v!==l&&(b=!0),y[e.key]=v,s({item:c,itemIndex:u,isSelected:d,column:e,cellValueKey:v,className:b?o.cellAnimation:void 0,onRender:i})})))}},62367:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},49660:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ShimmeredDetailsListBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(18055),s=o(98341),l=o(62662),c=o(29638),u=o(43937),d=(0,i.classNamesFunction)(),p=function(e){function t(t){var o=e.call(this,t)||this;return o._onRenderShimmerPlaceholder=function(e,t){var n=o.props.onRenderCustomPlaceholder,i=n?n(t,e,o._renderDefaultShimmerPlaceholder):o._renderDefaultShimmerPlaceholder(t);return r.createElement(l.Shimmer,{customElementsGroup:i})},o._renderDefaultShimmerPlaceholder=function(e){var t=e.columns,o=e.compact,n=e.selectionMode,i=e.checkboxVisibility,s=e.cellStyleProps,d=void 0===s?u.DEFAULT_CELL_STYLE_PROPS:s,p=u.DEFAULT_ROW_HEIGHTS.rowHeight,m=u.DEFAULT_ROW_HEIGHTS.compactRowHeight,g=o?m:p+1,h=[];return n!==a.SelectionMode.none&&i!==c.CheckboxVisibility.hidden&&h.push(r.createElement(l.ShimmerElementsGroup,{key:"checkboxGap",shimmerElements:[{type:l.ShimmerElementType.gap,width:"40px",height:g}]})),t.forEach((function(e,t){var o=[],n=d.cellLeftPadding+d.cellRightPadding+e.calculatedWidth+(e.isPadded?d.cellExtraRightPadding:0);o.push({type:l.ShimmerElementType.gap,width:d.cellLeftPadding,height:g}),e.isIconOnly?(o.push({type:l.ShimmerElementType.line,width:e.calculatedWidth,height:e.calculatedWidth}),o.push({type:l.ShimmerElementType.gap,width:d.cellRightPadding,height:g})):(o.push({type:l.ShimmerElementType.line,width:.95*e.calculatedWidth,height:7}),o.push({type:l.ShimmerElementType.gap,width:d.cellRightPadding+(e.calculatedWidth-.95*e.calculatedWidth)+(e.isPadded?d.cellExtraRightPadding:0),height:g})),h.push(r.createElement(l.ShimmerElementsGroup,{key:t,width:"".concat(n,"px"),shimmerElements:o}))})),h.push(r.createElement(l.ShimmerElementsGroup,{key:"endGap",width:"100%",shimmerElements:[{type:l.ShimmerElementType.gap,width:"100%",height:g}]})),r.createElement("div",{style:{display:"flex"}},h)},o._shimmerItems=t.shimmerLines?new Array(t.shimmerLines):new Array(10),o}return n.__extends(t,e),t.prototype.render=function(){var e=this.props,t=e.detailsListStyles,o=e.enableShimmer,a=e.items,l=e.listProps,c=(e.onRenderCustomPlaceholder,e.removeFadingOverlay),u=(e.shimmerLines,e.styles),p=e.theme,m=e.ariaLabelForGrid,g=e.ariaLabelForShimmer,h=n.__rest(e,["detailsListStyles","enableShimmer","items","listProps","onRenderCustomPlaceholder","removeFadingOverlay","shimmerLines","styles","theme","ariaLabelForGrid","ariaLabelForShimmer"]),f=l&&l.className;this._classNames=d(u,{theme:p});var v=n.__assign(n.__assign({},l),{className:o&&!c?(0,i.css)(this._classNames.root,f):f});return r.createElement(s.DetailsList,n.__assign({},h,{styles:t,items:o?this._shimmerItems:a,isPlaceholderData:o,ariaLabelForGrid:o&&g||m,onRenderMissingItem:this._onRenderShimmerPlaceholder,listProps:v}))},t}(r.Component);t.ShimmeredDetailsListBase=p},9615:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ShimmeredDetailsList=void 0;var n=o(71061),r=o(49660),i=o(40755);t.ShimmeredDetailsList=(0,n.styled)(r.ShimmeredDetailsListBase,i.getShimmeredDetailsListStyles,void 0,{scope:"ShimmeredDetailsList"})},40755:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getShimmeredDetailsListStyles=void 0,t.getShimmeredDetailsListStyles=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%, ".concat(t.whiteTranslucent40," 65%,").concat(t.white," 100%)")}}}}}},95608:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},71963:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(18055),t),n.__exportStar(o(88578),t),n.__exportStar(o(64524),t),n.__exportStar(o(54449),t),n.__exportStar(o(42606),t),n.__exportStar(o(89263),t),n.__exportStar(o(98341),t),n.__exportStar(o(90130),t),n.__exportStar(o(13521),t),n.__exportStar(o(29638),t),n.__exportStar(o(47765),t),n.__exportStar(o(19042),t),n.__exportStar(o(8278),t),n.__exportStar(o(43937),t),n.__exportStar(o(8229),t),n.__exportStar(o(45041),t),n.__exportStar(o(80390),t),n.__exportStar(o(72924),t),n.__exportStar(o(62367),t),n.__exportStar(o(62485),t),n.__exportStar(o(73275),t),n.__exportStar(o(73936),t),n.__exportStar(o(29975),t),n.__exportStar(o(66428),t)},38680:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DialogBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(38557),s=o(52252),l=o(4324),c=(0,i.classNamesFunction)(),u=o(59290),d={isDarkOverlay:!1,isBlocking:!1,className:"",containerClassName:"",topOffsetFixed:!1,enableAriaHiddenSiblings:!0},p={type:a.DialogType.normal,className:"",topButtonsProps:[]},m=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,i.getId)("Dialog"),o._defaultTitleTextId=o._id+"-title",o._defaultSubTextId=o._id+"-subText",o}return n.__extends(t,e),t.prototype.render=function(){var e,t,o,i,a,l=this.props,m=l.className,g=l.containerClassName,h=l.contentClassName,f=l.elementToFocusOnDismiss,v=l.firstFocusableSelector,b=l.forceFocusInsideTrap,y=l.styles,_=l.hidden,S=l.disableRestoreFocus,C=void 0===S?l.ignoreExternalFocusing:S,x=l.isBlocking,P=l.isClickableOutsideFocusTrap,k=l.isDarkOverlay,I=l.isOpen,w=void 0===I?!_:I,T=l.onDismiss,E=l.onDismissed,D=l.onLayerDidMount,M=l.responsiveMode,O=l.subText,R=l.theme,F=l.title,B=l.topButtonsProps,A=l.type,N=l.minWidth,L=l.maxWidth,H=l.modalProps,j=n.__assign({onLayerDidMount:D},null==H?void 0:H.layerProps);(null==H?void 0:H.dragOptions)&&!(null===(e=H.dragOptions)||void 0===e?void 0:e.dragHandleSelector)&&(i="ms-Dialog-draggable-header",(a=n.__assign({},H.dragOptions)).dragHandleSelector=".".concat(i));var z=n.__assign(n.__assign(n.__assign(n.__assign({},d),{elementToFocusOnDismiss:f,firstFocusableSelector:v,forceFocusInsideTrap:b,disableRestoreFocus:C,isClickableOutsideFocusTrap:P,responsiveMode:M,className:m,containerClassName:g,isBlocking:x,isDarkOverlay:k,onDismissed:E}),H),{dragOptions:a,layerProps:j,isOpen:w}),W=n.__assign(n.__assign(n.__assign({className:h,subText:O,title:F,topButtonsProps:B,type:A},p),l.dialogContentProps),{draggableHeaderClassName:i,titleProps:n.__assign({id:(null===(t=l.dialogContentProps)||void 0===t?void 0:t.titleId)||this._defaultTitleTextId},null===(o=l.dialogContentProps)||void 0===o?void 0:o.titleProps)}),V=c(y,{theme:R,className:z.className,containerClassName:z.containerClassName,hidden:_,dialogDefaultMinWidth:N,dialogDefaultMaxWidth:L});return r.createElement(s.Modal,n.__assign({},z,{className:V.root,containerClassName:V.main,onDismiss:T||z.onDismiss,subtitleAriaId:this._getSubTextId(),titleAriaId:this._getTitleTextId()}),r.createElement(u.DialogContent,n.__assign({subTextId:this._defaultSubTextId,showCloseButton:z.isBlocking,onDismiss:T},W),l.children))},t.defaultProps={hidden:!0},n.__decorate([l.withResponsiveMode],t)}(r.Component);t.DialogBase=m},931:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Dialog=void 0;var n=o(71061),r=o(38680),i=o(23743);t.Dialog=(0,n.styled)(r.DialogBase,i.getStyles,void 0,{scope:"Dialog"}),t.Dialog.displayName="Dialog"},23743:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r={root:"ms-Dialog"};t.getStyles=function(e){var t,o=e.className,i=e.containerClassName,a=e.dialogDefaultMinWidth,s=void 0===a?"288px":a,l=e.dialogDefaultMaxWidth,c=void 0===l?"340px":l,u=e.hidden,d=e.theme;return{root:[(0,n.getGlobalClassNames)(r,d).root,d.fonts.medium,o],main:[{width:s,outline:"3px solid transparent",selectors:(t={},t["@media (min-width: ".concat(n.ScreenWidthMinMedium,"px)")]={width:"auto",maxWidth:c,minWidth:s},t)},!u&&{display:"flex"},i]}}},32676:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},28855:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DialogContentBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(38557),s=o(74393),l=o(16764),c=o(4324),u=(0,i.classNamesFunction)(),d=r.createElement(l.DialogFooter,null).type,p=function(e){function t(t){var o=e.call(this,t)||this;return(0,i.initializeComponentRef)(o),(0,i.warnDeprecations)("DialogContent",t,{titleId:"titleProps.id"}),o}return n.__extends(t,e),t.prototype.render=function(){var e,t=this.props,o=t.showCloseButton,l=t.className,c=t.closeButtonAriaLabel,d=t.onDismiss,p=t.subTextId,m=t.subText,g=t.titleProps,h=void 0===g?{}:g,f=t.titleId,v=t.title,b=t.type,y=t.styles,_=t.theme,S=t.draggableHeaderClassName,C=u(y,{theme:_,className:l,isLargeHeader:b===a.DialogType.largeHeader,isClose:b===a.DialogType.close,draggableHeaderClassName:S}),x=this._groupChildren();return m&&(e=r.createElement("p",{className:C.subText,id:p},m)),r.createElement("div",{className:C.content},r.createElement("div",{className:C.header},r.createElement("div",n.__assign({id:f,role:"heading","aria-level":1},h,{className:(0,i.css)(C.title,h.className)}),v),r.createElement("div",{className:C.topButton},this.props.topButtonsProps.map((function(e,t){return r.createElement(s.IconButton,n.__assign({key:e.uniqueId||t},e))})),(b===a.DialogType.close||o&&b!==a.DialogType.largeHeader)&&r.createElement(s.IconButton,{className:C.button,iconProps:{iconName:"Cancel"},ariaLabel:c,onClick:d}))),r.createElement("div",{className:C.inner},r.createElement("div",{className:C.innerContent},e,x.contents),x.footers))},t.prototype._groupChildren=function(){var e={footers:[],contents:[]};return r.Children.map(this.props.children,(function(t){"object"==typeof t&&null!==t&&t.type===d?e.footers.push(t):e.contents.push(t)})),e},t.defaultProps={showCloseButton:!1,className:"",topButtonsProps:[],closeButtonAriaLabel:"Close"},n.__decorate([c.withResponsiveMode],t)}(r.Component);t.DialogContentBase=p},59290:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DialogContent=void 0;var n=o(71061),r=o(28855),i=o(49436);t.DialogContent=(0,n.styled)(r.DialogContentBase,i.getStyles,void 0,{scope:"DialogContent"}),t.DialogContent.displayName="DialogContent"},49436:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r={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"};t.getStyles=function(e){var t,o,i,a=e.className,s=e.theme,l=e.isLargeHeader,c=e.isClose,u=e.hidden,d=e.isMultiline,p=e.draggableHeaderClassName,m=s.palette,g=s.fonts,h=s.effects,f=s.semanticColors,v=(0,n.getGlobalClassNames)(r,s);return{content:[l&&[v.contentLgHeader,{borderTop:"4px solid ".concat(m.themePrimary)}],c&&v.close,{flexGrow:1,overflowY:"hidden"},a],subText:[v.subText,g.medium,{margin:"0 0 24px 0",color:f.bodySubtext,lineHeight:"1.5",wordWrap:"break-word",fontWeight:n.FontWeights.regular}],header:[v.header,{position:"relative",width:"100%",boxSizing:"border-box"},c&&v.close,p&&[p,{cursor:"move"}]],button:[v.button,u&&{selectors:{".ms-Icon.ms-Icon--Cancel":{color:f.buttonText,fontSize:n.IconFontSizes.medium}}}],inner:[v.inner,{padding:"0 24px 24px",selectors:(t={},t["@media (min-width: ".concat(n.ScreenWidthMinSmall,"px) and (max-width: ").concat(n.ScreenWidthMaxSmall,"px)")]={padding:"0 16px 16px"},t)}],innerContent:[v.content,{position:"relative",width:"100%"}],title:[v.title,g.xLarge,{color:f.bodyText,margin:"0",minHeight:g.xLarge.fontSize,padding:"16px 46px 20px 24px",lineHeight:"normal",selectors:(o={},o["@media (min-width: ".concat(n.ScreenWidthMinSmall,"px) and (max-width: ").concat(n.ScreenWidthMaxSmall,"px)")]={padding:"16px 46px 16px 16px"},o)},l&&{color:f.menuHeader},d&&{fontSize:g.xxLarge.fontSize}],topButton:[{display:"flex",flexDirection:"row",flexWrap:"nowrap",position:"absolute",top:"0",right:"0",padding:"15px 15px 0 0",selectors:(i={"> *":{flex:"0 0 auto"},".ms-Dialog-button":{color:f.buttonText},".ms-Dialog-button:hover":{color:f.buttonTextHovered,borderRadius:h.roundedCorner2}},i["@media (min-width: ".concat(n.ScreenWidthMinSmall,"px) and (max-width: ").concat(n.ScreenWidthMaxSmall,"px)")]={padding:"15px 8px 0 0"},i)}]}}},38557:(e,t)=>{"use strict";var o;Object.defineProperty(t,"__esModule",{value:!0}),t.DialogType=void 0,(o=t.DialogType||(t.DialogType={}))[o.normal=0]="normal",o[o.largeHeader=1]="largeHeader",o[o.close=2]="close"},47777:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DialogFooterBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=(0,i.classNamesFunction)(),s=function(e){function t(t){var o=e.call(this,t)||this;return(0,i.initializeComponentRef)(o),o}return n.__extends(t,e),t.prototype.render=function(){var e=this.props,t=e.className,o=e.styles,n=e.theme;return this._classNames=a(o,{theme:n,className:t}),r.createElement("div",{className:this._classNames.actions},r.createElement("div",{className:this._classNames.actionsRight},this._renderChildrenAsActions()))},t.prototype._renderChildrenAsActions=function(){var e=this;return r.Children.map(this.props.children,(function(t){return t?r.createElement("span",{className:e._classNames.action},t):null}))},t}(r.Component);t.DialogFooterBase=s},16764:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DialogFooter=void 0;var n=o(71061),r=o(47777),i=o(8286);t.DialogFooter=(0,n.styled)(r.DialogFooterBase,i.getStyles,void 0,{scope:"DialogFooter"}),t.DialogFooter.displayName="DialogFooter"},8286:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r={actions:"ms-Dialog-actions",action:"ms-Dialog-action",actionsRight:"ms-Dialog-actionsRight"};t.getStyles=function(e){var t=e.className,o=e.theme,i=(0,n.getGlobalClassNames)(r,o);return{actions:[i.actions,{position:"relative",width:"100%",minHeight:"24px",lineHeight:"24px",margin:"16px 0 0",fontSize:"0",selectors:{".ms-Button":{lineHeight:"normal",verticalAlign:"middle"}}},t],action:[i.action,{margin:"0 4px"}],actionsRight:[i.actionsRight,{alignItems:"center",display:"flex",fontSize:"0",justifyContent:"flex-end",marginRight:"-4px"}]}}},44959:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},58007:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(931),t),n.__exportStar(o(38680),t),n.__exportStar(o(59290),t),n.__exportStar(o(28855),t),n.__exportStar(o(16764),t),n.__exportStar(o(47777),t),n.__exportStar(o(32676),t),n.__exportStar(o(38557),t),n.__exportStar(o(44959),t)},79128:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.VerticalDividerBase=void 0;var n=o(83923),r=(0,o(71061).classNamesFunction)();t.VerticalDividerBase=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}))})),t.VerticalDividerBase.displayName="VerticalDividerBase"},64485:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getDividerClassNames=void 0;var n=o(71061),r=o(15019);t.getDividerClassNames=(0,n.memoizeFunction)((function(e){return(0,r.mergeStyleSets)({wrapper:{display:"inline-flex",height:"100%",alignItems:"center"},divider:{width:1,height:"100%",backgroundColor:e.palette.neutralTertiaryAlt}})}))},67779:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.VerticalDivider=void 0;var n=o(11903),r=o(79128),i=o(71061);t.VerticalDivider=(0,i.styled)(r.VerticalDividerBase,n.getStyles,void 0,{scope:"VerticalDivider"})},11903:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0,t.getStyles=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}]}}},13092:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},77620:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(67779),t),n.__exportStar(o(13092),t)},11490:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DocumentCardBase=t.DocumentCardContext=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(81814),s=o(97156),l=o(50478),c=(0,i.classNamesFunction)();t.DocumentCardContext=r.createContext({});var u=function(e){function o(t){var o=e.call(this,t)||this;return o._rootElement=r.createRef(),o._onClick=function(e){o._onAction(e)},o._onKeyDown=function(e){e.which!==i.KeyCodes.enter&&e.which!==i.KeyCodes.space||o._onAction(e)},o._onAction=function(e){var t=o.props,n=t.onClick,r=t.onClickHref,i=t.onClickTarget,a=(0,l.getWindowEx)(o.context);n?n(e):!n&&r&&(i?a.open(r,i,"noreferrer noopener nofollow"):a.location.href=r,e.preventDefault(),e.stopPropagation())},(0,i.initializeComponentRef)(o),(0,i.warnDeprecations)("DocumentCard",t,{accentColor:void 0}),o}return n.__extends(o,e),o.prototype.render=function(){var e,o=this.props,s=o.onClick,l=o.onClickHref,u=o.children,d=o.type,p=o.accentColor,m=o.styles,g=o.theme,h=o.className,f=(0,i.getNativeProps)(this.props,i.divProperties,["className","onClick","type","role"]),v=!(!s&&!l);this._classNames=c(m,{theme:g,className:h,actionable:v,compact:d===a.DocumentCardType.compact}),d===a.DocumentCardType.compact&&p&&(e={borderBottomColor:p});var b={role:this.props.role||(v?s?"button":"link":void 0),tabIndex:v?0:void 0};return r.createElement("div",n.__assign({ref:this._rootElement,role:"group",className:this._classNames.root,onKeyDown:v?this._onKeyDown:void 0,onClick:v?this._onClick:void 0,style:e},f),r.createElement(t.DocumentCardContext.Provider,{value:b},u))},o.prototype.focus=function(){this._rootElement.current&&this._rootElement.current.focus()},o.defaultProps={type:a.DocumentCardType.normal},o.contextType=s.WindowContext,o}(r.Component);t.DocumentCardBase=u},56117:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DocumentCard=void 0;var n=o(71061),r=o(11490),i=o(4161);t.DocumentCard=(0,n.styled)(r.DocumentCardBase,i.getStyles,void 0,{scope:"DocumentCard"})},4161:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r=o(71061),i=o(20245),a=o(84006),s=o(16751),l=o(85092),c={root:"ms-DocumentCard",rootActionable:"ms-DocumentCard--actionable",rootCompact:"ms-DocumentCard--compact"};t.getStyles=function(e){var t,o,u=e.className,d=e.theme,p=e.actionable,m=e.compact,g=d.palette,h=d.fonts,f=d.effects,v=(0,n.getGlobalClassNames)(c,d);return{root:[v.root,{WebkitFontSmoothing:"antialiased",backgroundColor:g.white,border:"1px solid ".concat(g.neutralLight),maxWidth:"320px",minWidth:"206px",userSelect:"none",position:"relative",selectors:(t={":focus":{outline:"0px solid"}},t[".".concat(r.IsFocusVisibleClassName," &:focus, :host(.").concat(r.IsFocusVisibleClassName,") &:focus")]=(0,n.getInputFocusStyle)(g.neutralSecondary,f.roundedCorner2),t[".".concat(l.DocumentCardLocationGlobalClassNames.root," + .").concat(s.DocumentCardTitleGlobalClassNames.root)]={paddingTop:"4px"},t)},p&&[v.rootActionable,{selectors:{":hover":{cursor:"pointer",borderColor:g.neutralTertiaryAlt},":hover:after":{content:'" "',position:"absolute",top:0,right:0,bottom:0,left:0,border:"1px solid ".concat(g.neutralTertiaryAlt),pointerEvents:"none"}}}],m&&[v.rootCompact,{display:"flex",maxWidth:"480px",height:"108px",selectors:(o={},o[".".concat(i.DocumentCardPreviewGlobalClassNames.root)]={borderRight:"1px solid ".concat(g.neutralLight),borderBottom:0,maxHeight:"106px",maxWidth:"144px"},o[".".concat(i.DocumentCardPreviewGlobalClassNames.icon)]={maxHeight:"32px",maxWidth:"32px"},o[".".concat(a.DocumentCardActivityGlobalClassNames.root)]={paddingBottom:"12px"},o[".".concat(s.DocumentCardTitleGlobalClassNames.root)]={paddingBottom:"12px 16px 8px 16px",fontSize:h.mediumPlus.fontSize,lineHeight:"16px"},o)}],u]}}},81814:(e,t)=>{"use strict";var o;Object.defineProperty(t,"__esModule",{value:!0}),t.DocumentCardType=void 0,(o=t.DocumentCardType||(t.DocumentCardType={}))[o.normal=0]="normal",o[o.compact=1]="compact"},15471:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DocumentCardActionsBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(30936),s=o(74393),l=(0,i.classNamesFunction)(),c=function(e){function t(t){var o=e.call(this,t)||this;return(0,i.initializeComponentRef)(o),o}return n.__extends(t,e),t.prototype.render=function(){var e=this,t=this.props,o=t.actions,i=t.views,c=t.styles,u=t.theme,d=t.className;return this._classNames=l(c,{theme:u,className:d}),r.createElement("div",{className:this._classNames.root},o&&o.map((function(t,o){return r.createElement("div",{className:e._classNames.action,key:o},r.createElement(s.IconButton,n.__assign({},t)))})),i>0&&r.createElement("div",{className:this._classNames.views},r.createElement(a.Icon,{iconName:"View",className:this._classNames.viewsIcon}),i))},t}(r.Component);t.DocumentCardActionsBase=c},84818:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DocumentCardActions=void 0;var n=o(71061),r=o(15471),i=o(92308);t.DocumentCardActions=(0,n.styled)(r.DocumentCardActionsBase,i.getStyles,void 0,{scope:"DocumentCardActions"})},92308:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r={root:"ms-DocumentCardActions",action:"ms-DocumentCardActions-action",views:"ms-DocumentCardActions-views"};t.getStyles=function(e){var t=e.className,o=e.theme,i=o.palette,a=o.fonts,s=(0,n.getGlobalClassNames)(r,o);return{root:[s.root,{height:"".concat(34,"px"),padding:"".concat(4,"px ").concat(12,"px"),position:"relative"},t],action:[s.action,{float:"left",marginRight:"4px",color:i.neutralSecondary,cursor:"pointer",selectors:{".ms-Button":{fontSize:a.mediumPlus.fontSize,height:34,width:34},".ms-Button:hover .ms-Button-icon":{color:o.semanticColors.buttonText,cursor:"pointer"}}}],views:[s.views,{textAlign:"right",lineHeight:34}],viewsIcon:{marginRight:"8px",fontSize:a.medium.fontSize,verticalAlign:"top"}}}},4373:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},19625:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DocumentCardActivityBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(48377),s=o(18596),l=(0,i.classNamesFunction)(),c=function(e){function t(t){var o=e.call(this,t)||this;return(0,i.initializeComponentRef)(o),o}return n.__extends(t,e),t.prototype.render=function(){var e=this.props,t=e.activity,o=e.people,n=e.styles,i=e.theme,a=e.className;return this._classNames=l(n,{theme:i,className:a,multiplePeople:o.length>1}),o&&0!==o.length?r.createElement("div",{className:this._classNames.root},this._renderAvatars(o),r.createElement("div",{className:this._classNames.details},r.createElement("span",{className:this._classNames.name},this._getNameString(o)),r.createElement("span",{className:this._classNames.activity},t))):null},t.prototype._renderAvatars=function(e){return r.createElement("div",{className:this._classNames.avatars},e.length>1?this._renderAvatar(e[1]):null,this._renderAvatar(e[0]))},t.prototype._renderAvatar=function(e){return r.createElement("div",{className:this._classNames.avatar},r.createElement(s.PersonaCoin,{imageInitials:e.initials,text:e.name,imageUrl:e.profileImageSrc,initialsColor:e.initialsColor,allowPhoneInitials:e.allowPhoneInitials,role:"presentation",size:a.PersonaSize.size32}))},t.prototype._getNameString=function(e){var t=e[0].name;return e.length>=2&&(t+=" +"+(e.length-1)),t},t}(r.Component);t.DocumentCardActivityBase=c},59140:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DocumentCardActivity=void 0;var n=o(71061),r=o(19625),i=o(84006);t.DocumentCardActivity=(0,n.styled)(r.DocumentCardActivityBase,i.getStyles,void 0,{scope:"DocumentCardActivity"})},84006:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=t.DocumentCardActivityGlobalClassNames=void 0;var n=o(15019);t.DocumentCardActivityGlobalClassNames={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"},t.getStyles=function(e){var o=e.theme,r=e.className,i=e.multiplePeople,a=o.palette,s=o.fonts,l=(0,n.getGlobalClassNames)(t.DocumentCardActivityGlobalClassNames,o);return{root:[l.root,i&&l.multiplePeople,{padding:"".concat(8,"px ").concat(16,"px"),position:"relative"},r],avatars:[l.avatars,{marginLeft:"-2px",height:"32px"}],avatar:[l.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 ".concat(a.white),borderRadius:"50%"},":nth-of-type(2)":i&&{marginLeft:"-16px"}}}],details:[l.details,{left:"".concat(i?72:56,"px"),height:32,position:"absolute",top:8,width:"calc(100% - ".concat(72,"px)")}],name:[l.name,{display:"block",fontSize:s.small.fontSize,lineHeight:"15px",height:"15px",overflow:"hidden",textOverflow:"ellipsis",whiteSpace:"nowrap",color:a.neutralPrimary,fontWeight:n.FontWeights.semibold}],activity:[l.activity,{display:"block",fontSize:s.small.fontSize,lineHeight:"15px",height:"15px",overflow:"hidden",textOverflow:"ellipsis",whiteSpace:"nowrap",color:a.neutralSecondary}]}}},72519:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},40676:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DocumentCardDetailsBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=(0,i.classNamesFunction)(),s=function(e){function t(t){var o=e.call(this,t)||this;return(0,i.initializeComponentRef)(o),o}return n.__extends(t,e),t.prototype.render=function(){var e=this.props,t=e.children,o=e.styles,n=e.theme,i=e.className;return this._classNames=a(o,{theme:n,className:i}),r.createElement("div",{className:this._classNames.root},t)},t}(r.Component);t.DocumentCardDetailsBase=s},99767:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DocumentCardDetails=void 0;var n=o(71061),r=o(40676),i=o(5563);t.DocumentCardDetails=(0,n.styled)(r.DocumentCardDetailsBase,i.getStyles,void 0,{scope:"DocumentCardDetails"})},5563:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r={root:"ms-DocumentCardDetails"};t.getStyles=function(e){var t=e.className,o=e.theme;return{root:[(0,n.getGlobalClassNames)(r,o).root,{display:"flex",flexDirection:"column",flex:1,justifyContent:"space-between",overflow:"hidden"},t]}}},46080:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},65081:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DocumentCardImageBase=void 0;var n=o(31635),r=o(83923),i=o(30936),a=o(38992),s=o(71061),l=(0,s.classNamesFunction)(),c=function(e){function t(t){var o=e.call(this,t)||this;return o._onImageLoad=function(){o.setState({imageHasLoaded:!0})},(0,s.initializeComponentRef)(o),o.state={imageHasLoaded:!1},o}return n.__extends(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.width,n=e.height,i=e.imageFit,s=e.imageSrc;return this._classNames=l(t,this.props),r.createElement("div",{className:this._classNames.root},s&&r.createElement(a.Image,{width:o,height:n,imageFit:i,src:s,role:"presentation",alt:"",onLoad:this._onImageLoad}),this.state.imageHasLoaded?this._renderCornerIcon():this._renderCenterIcon())},t.prototype._renderCenterIcon=function(){var e=this.props.iconProps;return r.createElement("div",{className:this._classNames.centeredIconWrapper},r.createElement(i.Icon,n.__assign({className:this._classNames.centeredIcon},e)))},t.prototype._renderCornerIcon=function(){var e=this.props.iconProps;return r.createElement(i.Icon,n.__assign({className:this._classNames.cornerIcon},e))},t}(r.Component);t.DocumentCardImageBase=c},63188:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DocumentCardImage=void 0;var n=o(71061),r=o(65081),i=o(80214);t.DocumentCardImage=(0,n.styled)(r.DocumentCardImageBase,i.getStyles,void 0,{scope:"DocumentCardImage"})},80214:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var o="42px",n="32px";t.getStyles=function(e){var t=e.theme,r=e.className,i=e.height,a=e.width,s=t.palette;return{root:[{borderBottom:"1px solid ".concat(s.neutralLight),position:"relative",backgroundColor:s.neutralLighterAlt,overflow:"hidden",height:i&&"".concat(i,"px"),width:a&&"".concat(a,"px")},r],centeredIcon:[{height:o,width:o,fontSize:o}],centeredIconWrapper:[{display:"flex",alignItems:"center",justifyContent:"center",height:"100%",width:"100%",position:"absolute",top:0,left:0}],cornerIcon:[{left:"10px",bottom:"10px",height:n,width:n,fontSize:n,position:"absolute",overflow:"visible"}]}}},75319:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},46559:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DocumentCardLocationBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=(0,i.classNamesFunction)(),s=function(e){function t(t){var o=e.call(this,t)||this;return(0,i.initializeComponentRef)(o),o}return n.__extends(t,e),t.prototype.render=function(){var e=this.props,t=e.location,o=e.locationHref,n=e.ariaLabel,i=e.onClick,s=e.styles,l=e.theme,c=e.className;return this._classNames=a(s,{theme:l,className:c}),r.createElement("a",{className:this._classNames.root,href:o,onClick:i,"aria-label":n},t)},t}(r.Component);t.DocumentCardLocationBase=s},18306:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DocumentCardLocation=void 0;var n=o(71061),r=o(46559),i=o(85092);t.DocumentCardLocation=(0,n.styled)(r.DocumentCardLocationBase,i.getStyles,void 0,{scope:"DocumentCardLocation"})},85092:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=t.DocumentCardLocationGlobalClassNames=void 0;var n=o(15019);t.DocumentCardLocationGlobalClassNames={root:"ms-DocumentCardLocation"},t.getStyles=function(e){var o=e.theme,r=e.className,i=o.palette,a=o.fonts;return{root:[(0,n.getGlobalClassNames)(t.DocumentCardLocationGlobalClassNames,o).root,a.small,{color:i.themePrimary,display:"block",fontWeight:n.FontWeights.semibold,overflow:"hidden",padding:"8px 16px",position:"relative",textDecoration:"none",textOverflow:"ellipsis",whiteSpace:"nowrap",selectors:{":hover":{color:i.themePrimary,cursor:"pointer"}}},r]}}},81893:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},27467:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DocumentCardLogoBase=void 0;var n=o(31635),r=o(83923),i=o(30936),a=o(71061),s=(0,a.classNamesFunction)(),l=function(e){function t(t){var o=e.call(this,t)||this;return(0,a.initializeComponentRef)(o),o}return n.__extends(t,e),t.prototype.render=function(){var e=this.props,t=e.logoIcon,o=e.styles,n=e.theme,a=e.className;return this._classNames=s(o,{theme:n,className:a}),r.createElement("div",{className:this._classNames.root},r.createElement(i.Icon,{iconName:t}))},t}(r.Component);t.DocumentCardLogoBase=l},88550:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DocumentCardLogo=void 0;var n=o(71061),r=o(27467),i=o(29760);t.DocumentCardLogo=(0,n.styled)(r.DocumentCardLogoBase,i.getStyles,void 0,{scope:"DocumentCardLogo"})},29760:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r={root:"ms-DocumentCardLogo"};t.getStyles=function(e){var t=e.theme,o=e.className,i=t.palette,a=t.fonts;return{root:[(0,n.getGlobalClassNames)(r,t).root,{fontSize:a.xxLargePlus.fontSize,color:i.themePrimary,display:"block",padding:"16px 16px 0 16px"},o]}}},65537:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},94790:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DocumentCardPreviewBase=void 0;var n=o(31635),r=o(83923),i=o(30936),a=o(38992),s=o(12329),l=o(71061),c=(0,l.classNamesFunction)(),u=function(e){function t(t){var o=e.call(this,t)||this;return o._renderPreviewList=function(e){var t=o.props,i=t.getOverflowDocumentCountText,l=t.maxDisplayCount,c=void 0===l?3:l,u=e.length-c,d=u?i?i(u):"+"+u:null,p=e.slice(0,c).map((function(e,t){return r.createElement("li",{key:t},r.createElement(a.Image,{className:o._classNames.fileListIcon,src:e.iconSrc,role:"presentation",alt:"",width:"16px",height:"16px"}),r.createElement(s.Link,n.__assign({className:o._classNames.fileListLink,href:e.url},e.linkProps),e.name))}));return r.createElement("div",null,r.createElement("ul",{className:o._classNames.fileList},p),d&&r.createElement("span",{className:o._classNames.fileListOverflowText},d))},(0,l.initializeComponentRef)(o),o}return n.__extends(t,e),t.prototype.render=function(){var e,t,o=this.props,n=o.previewImages,i=o.styles,a=o.theme,s=o.className,l=n.length>1;return this._classNames=c(i,{theme:a,className:s,isFileList:l}),n.length>1?t=this._renderPreviewList(n):1===n.length&&(t=this._renderPreviewImage(n[0]),n[0].accentColor&&(e={borderBottomColor:n[0].accentColor})),r.createElement("div",{className:this._classNames.root,style:e},t)},t.prototype._renderPreviewImage=function(e){var t=e.width,o=e.height,s=e.imageFit,c=e.previewIconProps,u=e.previewIconContainerClass;if(c)return r.createElement("div",{className:(0,l.css)(this._classNames.previewIcon,u),style:{width:t,height:o}},r.createElement(i.Icon,n.__assign({},c)));var d,p=r.createElement(a.Image,{width:t,height:o,imageFit:s,src:e.previewImageSrc,role:"presentation",alt:""});return e.iconSrc&&(d=r.createElement(a.Image,{className:this._classNames.icon,src:e.iconSrc,role:"presentation",alt:""})),r.createElement("div",null,p,d)},t}(r.Component);t.DocumentCardPreviewBase=u},75521:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DocumentCardPreview=void 0;var n=o(71061),r=o(94790),i=o(20245);t.DocumentCardPreview=(0,n.styled)(r.DocumentCardPreviewBase,i.getStyles,void 0,{scope:"DocumentCardPreview"})},20245:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=t.DocumentCardPreviewGlobalClassNames=void 0;var n=o(15019),r=o(71061);t.DocumentCardPreviewGlobalClassNames={root:"ms-DocumentCardPreview",icon:"ms-DocumentCardPreview-icon",iconContainer:"ms-DocumentCardPreview-iconContainer"},t.getStyles=function(e){var o,i,a=e.theme,s=e.className,l=e.isFileList,c=a.palette,u=a.fonts,d=(0,n.getGlobalClassNames)(t.DocumentCardPreviewGlobalClassNames,a);return{root:[d.root,u.small,{backgroundColor:l?c.white:c.neutralLighterAlt,borderBottom:"1px solid ".concat(c.neutralLight),overflow:"hidden",position:"relative"},s],previewIcon:[d.iconContainer,{display:"flex",alignItems:"center",justifyContent:"center",height:"100%"}],icon:[d.icon,{left:"10px",bottom:"10px",position:"absolute"}],fileList:{padding:"16px 16px 0 16px",listStyleType:"none",margin:0,selectors:{li:{height:"16px",lineHeight:"16px",display:"flex",flexWrap:"nowrap",alignItems:"center",marginBottom:"8px",overflow:"hidden"}}},fileListIcon:{display:"inline-block",flexShrink:0,marginRight:"8px"},fileListLink:[(0,n.getFocusStyle)(a,{highContrastStyle:{border:"1px solid WindowText",outline:"none"}}),{boxSizing:"border-box",color:c.neutralDark,flexGrow:1,overflow:"hidden",display:"inline-block",textDecoration:"none",textOverflow:"ellipsis",whiteSpace:"nowrap",selectors:(o={":hover":{color:c.themePrimary}},o[".".concat(r.IsFocusVisibleClassName," &:focus, :host(.").concat(r.IsFocusVisibleClassName,") &:focus")]={selectors:(i={},i[n.HighContrastSelector]={outline:"none"},i)},o)}],fileListOverflowText:{padding:"0px 16px 8px 16px",display:"block"}}}},5194:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},4016:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DocumentCardStatusBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(30936),s=(0,i.classNamesFunction)(),l=function(e){function t(t){var o=e.call(this,t)||this;return(0,i.initializeComponentRef)(o),o}return n.__extends(t,e),t.prototype.render=function(){var e=this.props,t=e.statusIcon,o=e.status,i=e.styles,l=e.theme,c=e.className,u={iconName:t,styles:{root:{padding:"8px"}}};return this._classNames=s(i,{theme:l,className:c}),r.createElement("div",{className:this._classNames.root},t&&r.createElement(a.Icon,n.__assign({},u)),o)},t}(r.Component);t.DocumentCardStatusBase=l},5339:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DocumentCardStatus=void 0;var n=o(71061),r=o(4016),i=o(96087);t.DocumentCardStatus=(0,n.styled)(r.DocumentCardStatusBase,i.getStyles,void 0,{scope:"DocumentCardStatus"})},96087:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r={root:"ms-DocumentCardStatus"};t.getStyles=function(e){var t=e.className,o=e.theme,i=o.palette,a=o.fonts;return{root:[(0,n.getGlobalClassNames)(r,o).root,a.medium,{margin:"8px 16px",color:i.neutralPrimary,backgroundColor:i.neutralLighter,height:"32px"},t]}}},6588:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},74952:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DocumentCardTitleBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(52332),s=o(11490),l=o(97156),c=o(50478),u=(0,i.classNamesFunction)(),d=function(e){function t(t){var o=e.call(this,t)||this;return o._titleElement=r.createRef(),o._truncateTitle=function(){o._needMeasurement&&o._async.requestAnimationFrame(o._truncateWhenInAnimation)},o._truncateWhenInAnimation=function(){var e=o.props.title,t=o._titleElement.current;if(t){var n=getComputedStyle(t);if(n.width&&n.lineHeight&&n.height){var r=t.clientWidth,i=t.scrollWidth;o._clientWidth=r;var a=Math.floor((parseInt(n.height,10)+5)/parseInt(n.lineHeight,10));t.style.whiteSpace="";var 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)})}}}},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,a.initializeComponentRef)(o),o._async=new i.Async(o),o._events=new i.EventGroup(o),o._clientWidth=void 0,o.state={truncatedTitleFirstPiece:void 0,truncatedTitleSecondPiece:void 0},o}return n.__extends(t,e),t.prototype.componentDidUpdate=function(e){var t=this;if(this.props.title!==e.title&&this.setState({truncatedTitleFirstPiece:void 0,truncatedTitleSecondPiece:void 0}),e.shouldTruncate!==this.props.shouldTruncate){var o=(0,c.getWindowEx)(this.context);this.props.shouldTruncate?(this._truncateTitle(),this._async.requestAnimationFrame(this._shrinkTitle),this._events.on(o,"resize",this._updateTruncation)):this._events.off(o,"resize",this._updateTruncation)}else this._needMeasurement&&this._async.requestAnimationFrame((function(){t._truncateWhenInAnimation(),t._shrinkTitle()}))},t.prototype.componentDidMount=function(){if(this.props.shouldTruncate){this._truncateTitle();var e=(0,c.getWindowEx)(this.context);this._events.on(e,"resize",this._updateTruncation)}},t.prototype.componentWillUnmount=function(){this._events.dispose(),this._async.dispose()},t.prototype.render=function(){var e=this,t=this.props,o=t.title,n=t.shouldTruncate,i=t.showAsSecondaryTitle,a=t.styles,l=t.theme,c=t.className,d=this.state,p=d.truncatedTitleFirstPiece,m=d.truncatedTitleSecondPiece;return this._classNames=u(a,{theme:l,className:c,showAsSecondaryTitle:i}),n&&p&&m?r.createElement(s.DocumentCardContext.Consumer,null,(function(t){var n=t.role,i=t.tabIndex;return r.createElement("div",{className:e._classNames.root,ref:e._titleElement,title:o,tabIndex:i,role:n},p,"…",m)})):r.createElement(s.DocumentCardContext.Consumer,null,(function(t){var n=t.role,i=t.tabIndex;return r.createElement("div",{className:e._classNames.root,ref:e._titleElement,title:o,tabIndex:i,role:n,style:e._needMeasurement?{whiteSpace:"nowrap"}:void 0},o)}))},Object.defineProperty(t.prototype,"_needMeasurement",{get:function(){return!!this.props.shouldTruncate&&void 0===this._clientWidth},enumerable:!1,configurable:!0}),t.prototype._updateTruncation=function(){var e=this;this._timerId||(this._timerId=this._async.setTimeout((function(){delete e._timerId,e._clientWidth=void 0,e.setState({truncatedTitleFirstPiece:void 0,truncatedTitleSecondPiece:void 0})}),250))},t.contextType=l.WindowContext,t}(r.Component);t.DocumentCardTitleBase=d},18451:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DocumentCardTitle=void 0;var n=o(71061),r=o(74952),i=o(16751);t.DocumentCardTitle=(0,n.styled)(r.DocumentCardTitleBase,i.getStyles,void 0,{scope:"DocumentCardTitle"})},16751:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=t.DocumentCardTitleGlobalClassNames=void 0;var n=o(15019),r=o(71061);t.DocumentCardTitleGlobalClassNames={root:"ms-DocumentCardTitle"},t.getStyles=function(e){var o,i=e.theme,a=e.className,s=e.showAsSecondaryTitle,l=i.palette,c=i.fonts,u=i.effects;return{root:[(0,n.getGlobalClassNames)(t.DocumentCardTitleGlobalClassNames,i).root,s?c.medium:c.large,{padding:"8px 16px",display:"block",overflow:"hidden",position:"relative",wordWrap:"break-word",height:s?"45px":"38px",lineHeight:s?"18px":"21px",color:s?l.neutralSecondary:l.neutralPrimary,selectors:(o={":focus":{outline:"0px solid"}},o[".".concat(r.IsFocusVisibleClassName," &:focus, :host(.").concat(r.IsFocusVisibleClassName,") &:focus")]=(0,n.getInputFocusStyle)(l.neutralSecondary,u.roundedCorner2),o)},a]}}},97268:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},44376:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(56117),t),n.__exportStar(o(81814),t),n.__exportStar(o(84818),t),n.__exportStar(o(4373),t),n.__exportStar(o(59140),t),n.__exportStar(o(72519),t),n.__exportStar(o(99767),t),n.__exportStar(o(46080),t),n.__exportStar(o(18306),t),n.__exportStar(o(81893),t),n.__exportStar(o(75521),t),n.__exportStar(o(5194),t),n.__exportStar(o(63188),t),n.__exportStar(o(75319),t),n.__exportStar(o(18451),t),n.__exportStar(o(97268),t),n.__exportStar(o(88550),t),n.__exportStar(o(65537),t),n.__exportStar(o(5339),t),n.__exportStar(o(6588),t)},41858:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DropdownBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(16473),s=o(74393),l=o(90102),c=o(15305),u=o(80371),d=o(30936),p=o(47795),m=o(49307),g=o(4324),h=o(30628),f=o(71688),v=o(52332),b=o(25698),y=o(97156),_=o(50478),S=(0,i.classNamesFunction)(),C={options:[]};t.DropdownBase=r.forwardRef((function(e,t){var o=(0,v.getPropsWithDefaults)(C,e),a=r.useRef(null),s=(0,b.useMergedRefs)(t,a),l=(0,g.useResponsiveMode)(a,o.responsiveMode),c=function(e){var t,o=e.defaultSelectedKeys,n=e.selectedKeys,a=e.defaultSelectedKey,s=e.selectedKey,l=e.options,c=e.multiSelect,u=(0,b.usePrevious)(l),d=r.useState([]),p=d[0],m=d[1],g=l!==u;t=c?g&&void 0!==o?o:n:g&&void 0!==a?a:s;var h=(0,b.usePrevious)(t);return r.useEffect((function(){var e=function(e){return(0,i.findIndex)(l,(function(t){return null!=e?t.key===e:!!t.selected||!!t.isSelected}))};void 0===t&&u||t===h&&!g||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(n.__assign(n.__assign({id:r},e),{index:t}),o._onRenderItem)),a.id=r;break;case h.SelectableOptionMenuItemType.Divider:t>0&&a.items.push(i(n.__assign(n.__assign({},e),{index:t}),o._onRenderItem)),a.items.length>0&&l();break;default:a.items.push(i(n.__assign(n.__assign({},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 h.SelectableOptionMenuItemType.Divider:return o._renderSeparator(e);case h.SelectableOptionMenuItemType.Header:return o._renderHeader(e);default:return o._renderOption(e)}},o._renderOption=function(e){var t,a=o.props,l=a.onRenderOption,c=void 0===l?o._onRenderOption:l,u=a.hoisted.selectedIndices,d=void 0===u?[]:u,p=!(void 0===e.index||!d)&&d.indexOf(e.index)>-1,m=e.hidden?o._classNames.dropdownItemHidden:p&&!0===e.disabled?o._classNames.dropdownItemSelectedAndDisabled:p?o._classNames.dropdownItemSelected:!0===e.disabled?o._classNames.dropdownItemDisabled:o._classNames.dropdownItem,g=e.title,h=o._listId+e.index,v=null!==(t=e.id)&&void 0!==t?t:h+"-label",b=o._classNames.subComponentStyles?o._classNames.subComponentStyles.multiSelectItem:void 0;return o.props.multiSelect?r.createElement(f.Checkbox,{id:h,key:e.key,disabled:e.disabled,onChange:o._onItemClick(e),inputProps:n.__assign({"aria-selected":p,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||e.hidden)}),label:e.text,title:g,onRenderLabel:o._onRenderItemLabel.bind(o,n.__assign(n.__assign({},e),{id:v})),className:(0,i.css)(m,"is-multi-select"),checked:p,styles:b,ariaPositionInSet:e.hidden?void 0:o._sizePosCache.positionInSet(e.index),ariaSetSize:e.hidden?void 0:o._sizePosCache.optionSetSize,ariaLabel:e.ariaLabel,ariaLabelledBy:e.ariaLabel?void 0:v}):r.createElement(s.CommandButton,{id:h,key:e.key,"data-index":e.index,"data-is-focusable":!e.disabled,disabled:e.disabled,className:m,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":p?"true":"false",ariaLabel:e.ariaLabel,title:g,"aria-posinset":o._sizePosCache.positionInSet(e.index),"aria-setsize":o._sizePosCache.optionSetSize},c(e,o._onRenderOption))},o._onRenderOption=function(e){return r.createElement("span",{className:o._classNames.dropdownOptionText},e.text)},o._onRenderMultiselectOption=function(e){return r.createElement("span",{id:e.id,"aria-hidden":"true",className:o._classNames.dropdownOptionText},e.text)},o._onRenderItemLabel=function(e){var t=o.props.onRenderOption;return(void 0===t?o._onRenderMultiselectOption:t)(e,o._onRenderMultiselectOption)},o._onPositioned=function(e){o._focusZone.current&&o._requestAnimationFrame((function(){var e=o.props.hoisted.selectedIndices;if(o._focusZone.current)if(!o._hasBeenPositioned&&e&&e[0]&&!o.props.options[e[0]].disabled){var t=(0,i.getDocument)().getElementById("".concat(o._id,"-list").concat(e[0]));t&&o._focusZone.current.focusElement(t),o._hasBeenPositioned=!0}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(){var e=(0,_.getWindowEx)(o.context);o._isScrollIdle||void 0===o._scrollIdleTimeoutId?o._isScrollIdle=!1:(e.clearTimeout(o._scrollIdleTimeoutId),o._scrollIdleTimeoutId=void 0),o._scrollIdleTimeoutId=e.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.state.isOpen||(o.setState({hasFocus:!1}),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,a=o.state.isOpen;switch(e.which){case i.KeyCodes.enter:o.setState({isOpen:!a});break;case i.KeyCodes.escape:if(!a)return;o.setState({isOpen:!1});break;case i.KeyCodes.up:if(r){if(a){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 i.KeyCodes.down:r&&(e.stopPropagation(),e.preventDefault()),r&&!a||o.props.multiSelect?o.setState({isOpen:!0}):o._isDisabled()||(t=o._moveIndex(e,1,n+1,n));break;case i.KeyCodes.home:o.props.multiSelect||(t=o._moveIndex(e,1,0,n));break;case i.KeyCodes.end:o.props.multiSelect||(t=o._moveIndex(e,-1,o.props.options.length-1,n));break;case i.KeyCodes.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;o.props.onKeyUp&&(o.props.onKeyUp(e),e.defaultPrevented)||(e.which===i.KeyCodes.space?(o.setState({isOpen:!n}),e.stopPropagation(),e.preventDefault()):t&&n&&o.setState({isOpen:!1}))}},o._onZoneKeyDown=function(e){var t,n,r;o._lastKeyDownWasAltOrMeta=o._isAltOrMeta(e);var a=e.altKey||e.metaKey;switch(e.which){case i.KeyCodes.up:a?o.setState({isOpen:!1}):o._host.current&&(r=(0,i.getLastFocusable)(o._host.current,o._host.current.lastChild,!0));break;case i.KeyCodes.home:case i.KeyCodes.end:case i.KeyCodes.pageUp:case i.KeyCodes.pageDown:break;case i.KeyCodes.down:!a&&o._host.current&&(r=(0,i.getFirstFocusable)(o._host.current,o._host.current.firstChild,!0));break;case i.KeyCodes.escape:o.setState({isOpen:!1});break;case i.KeyCodes.tab:o.setState({isOpen:!1});var s=(0,i.getDocument)();s&&(e.shiftKey?null===(t=(0,v.getPreviousElement)(s.body,o._dropDown.current,!1,!1,!0,!0))||void 0===t||t.focus():null===(n=(0,v.getNextElement)(s.body,o._dropDown.current,!1,!1,!0,!0))||void 0===n||n.focus());break;default:return}r&&r.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){if(!o._isDisabled()){o.props.onFocus&&o.props.onFocus(e);var t={hasFocus:!0};o._shouldOpenOnFocus()&&(t.isOpen=!0),o.setState(t)}},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(p.Label,{className:o._classNames.label,id:o._labelId,required:n,styles:a,disabled:i},t):null},(0,i.initializeComponentRef)(o),t.multiSelect,t.selectedKey,t.selectedKeys,t.defaultSelectedKey,t.defaultSelectedKeys;var l=t.options;return o._id=t.id||(0,i.getId)("Dropdown"),o._labelId=o._id+"-label",o._listId=o._id+"-list",o._optionId=o._id+"-option",o._isScrollIdle=!0,o._hasBeenPositioned=!1,o._sizePosCache.updateOptions(l),o.state={isOpen:!1,hasFocus:!1,calloutRenderEdge:void 0},o}return n.__extends(t,e),Object.defineProperty(t.prototype,"selectedOptions",{get:function(){var e=this.props,t=e.options,o=e.hoisted.selectedIndices;return(0,h.getAllSelectedOptions)(t,o)},enumerable:!1,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._hasBeenPositioned=!1,this.props.onDismiss&&this.props.onDismiss())},t.prototype.render=function(){var e=this._id,t=this.props,o=t.className,a=t.label,s=t.options,l=t.ariaLabel,c=t.required,u=t.errorMessage,d=t.styles,p=t.theme,m=t.panelProps,g=t.calloutProps,f=t.onRenderTitle,v=void 0===f?this._getTitle:f,b=t.onRenderContainer,y=void 0===b?this._onRenderContainer:b,_=t.onRenderCaretDown,C=void 0===_?this._onRenderCaretDown:_,x=t.onRenderLabel,P=void 0===x?this._onRenderLabel:x,k=t.onRenderItem,I=void 0===k?this._onRenderItem:k,w=t.hoisted.selectedIndices,T=this.state,E=T.isOpen,D=T.calloutRenderEdge,M=T.hasFocus,O=t.onRenderPlaceholder||t.onRenderPlaceHolder||this._getPlaceholder;s!==this._sizePosCache.cachedOptions&&this._sizePosCache.updateOptions(s);var R=(0,h.getAllSelectedOptions)(s,w),F=(0,i.getNativeProps)(t,i.divProperties),B=this._isDisabled(),A=e+"-errorMessage";this._classNames=S(d,{theme:p,className:o,hasError:!!(u&&u.length>0),hasLabel:!!a,isOpen:E,required:c,disabled:B,isRenderingPlaceholder:!R.length,panelClassName:m?m.className:void 0,calloutClassName:g?g.className:void 0,calloutRenderEdge:D});var N=!!u&&u.length>0;return r.createElement("div",{className:this._classNames.root,ref:this.props.hoisted.rootRef,"aria-owns":E?this._listId:void 0},P(this.props,this._onRenderLabel),r.createElement("div",n.__assign({"data-is-focusable":!B,"data-ktp-target":!0,ref:this._dropDown,id:e,tabIndex:B?-1:0,role:"combobox","aria-haspopup":"listbox","aria-expanded":E?"true":"false","aria-label":l,"aria-labelledby":a&&!l?(0,i.mergeAriaAttributeValues)(this._labelId,this._optionId):void 0,"aria-describedby":N?this._id+"-errorMessage":void 0,"aria-required":c,"aria-disabled":B,"aria-controls":E?this._listId:void 0},F,{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":M?"polite":void 0,"aria-atomic":!!M||void 0,"aria-invalid":N},R.length?v(R,this._onRenderTitle):O(t,this._onRenderPlaceholder)),r.createElement("span",{className:this._classNames.caretDownWrapper},C(t,this._onRenderCaretDown))),E&&y(n.__assign(n.__assign({},t),{onDismiss:this._onDismiss,onRenderItem:I}),this._onRenderContainer),N&&r.createElement("div",{role:"alert",id:A,className:this._classNames.errorMessage},u))},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===l.DropdownMenuItemType.Header||r[o].itemType===l.DropdownMenuItemType.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(u.FocusZone,{ref:this._focusZone,direction:u.FocusZoneDirection.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,n=e.hidden?this._classNames.dropdownDividerHidden:this._classNames.dropdownDivider;return t>0?r.createElement("div",{role:"presentation",key:o,className:n}):null},t.prototype._renderHeader=function(e){var t=this.props.onRenderOption,o=void 0===t?this._onRenderOption:t,n=e.key,i=e.id,a=e.hidden?this._classNames.dropdownItemHeaderHidden:this._classNames.dropdownItemHeader;return r.createElement("div",{id:i,key:n,className:a},o(e,this._onRenderOption))},t.prototype._onItemMouseEnter=function(e,t){this._shouldIgnoreMouseEvent()||t.currentTarget.focus()},t.prototype._onItemMouseMove=function(e,t){var o=(0,_.getDocumentEx)(this.context),n=t.currentTarget;this._gotMouseMove=!0,this._isScrollIdle&&o.activeElement!==n&&n.focus()},t.prototype._shouldIgnoreMouseEvent=function(){return!this._isScrollIdle||!this._gotMouseMove},t.prototype._isAltOrMeta=function(e){return e.which===i.KeyCodes.alt||"Meta"===e.key},t.prototype._shouldHandleKeyUp=function(e){var t=this._lastKeyDownWasAltOrMeta&&this._isAltOrMeta(e);return this._lastKeyDownWasAltOrMeta=!1,!!t&&!((0,i.isMac)()||(0,i.isIOS)())},t.prototype._shouldOpenOnFocus=function(){var e=this.state.hasFocus,t=this.props.openOnKeyboardFocus;return!this._isFocusedByClick&&!0===t&&!e},t.defaultProps={options:[]},t.contextType=y.WindowContext,t}(r.Component)},21749:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Dropdown=void 0;var n=o(71061),r=o(41858),i=o(77793);t.Dropdown=(0,n.styled)(r.DropdownBase,i.getStyles,void 0,{scope:"Dropdown"}),t.Dropdown.displayName="Dropdown"},77793:(e,t,o)=>{"use strict";var n,r,i,a,s;Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var l=o(31635),c=o(71061),u=o(43300),d=o(15019),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={})["".concat(d.HighContrastSelector,", ").concat(d.HighContrastSelectorWhite.replace("@media ",""))]=l.__assign({},(0,d.getHighContrastNoAdjustStyle)()),n),g={selectors:l.__assign((r={},r[d.HighContrastSelector]=(i={backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},i[".".concat(c.IsFocusVisibleClassName," &:focus:after")]={borderColor:"HighlightText"},i),r[".ms-Checkbox-checkbox"]=(a={},a[d.HighContrastSelector]={borderColor:"HighlightText"},a),r),m)},h={selectors:(s={},s[d.HighContrastSelector]={borderColor:"Highlight"},s)},f=(0,d.getScreenSelector)(0,d.ScreenWidthMinMedium);t.getStyles=function(e){var t,o,n,r,i,a,s,m,v,b,y,_,S=e.theme,C=e.hasError,x=e.hasLabel,P=e.className,k=e.isOpen,I=e.disabled,w=e.required,T=e.isRenderingPlaceholder,E=e.panelClassName,D=e.calloutClassName,M=e.calloutRenderEdge;if(!S)throw new Error("theme is undefined or null in base Dropdown getStyles function.");var O=(0,d.getGlobalClassNames)(p,S),R=S.palette,F=S.semanticColors,B=S.effects,A=S.fonts,N={color:F.menuItemTextHovered},L={color:F.menuItemText},H={borderColor:F.errorText},j=[O.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%"}}],z=[O.dropdownItemHeader,l.__assign(l.__assign({},A.medium),{fontWeight:d.FontWeights.semibold,color:F.menuHeader,background:"none",backgroundColor:"transparent",border:"none",height:36,lineHeight:36,cursor:"default",padding:"0 8px",userSelect:"none",textAlign:"left",selectors:(t={},t[d.HighContrastSelector]=l.__assign({color:"GrayText"},(0,d.getHighContrastNoAdjustStyle)()),t)})],W=F.menuItemBackgroundPressed,V=function(e){var t,o;return void 0===e&&(e=!1),{selectors:(t={"&:hover":[{color:F.menuItemTextHovered,backgroundColor:e?W:F.menuItemBackgroundHovered},g],"&.is-multi-select:hover":[{backgroundColor:e?W:"transparent"},g],"&:active:hover":[{color:F.menuItemTextHovered,backgroundColor:e?F.menuItemBackgroundHovered:F.menuItemBackgroundPressed},g]},t[".".concat(c.IsFocusVisibleClassName," &:focus:after, :host(.").concat(c.IsFocusVisibleClassName,") &:focus:after")]=(o={left:0,top:0,bottom:0,right:0},o[d.HighContrastSelector]={inset:"2px"},o),t[d.HighContrastSelector]={border:"none"},t)}},K=l.__spreadArray(l.__spreadArray([],j,!0),[{backgroundColor:W,color:F.menuItemTextHovered},V(!0),g],!1),G=l.__spreadArray(l.__spreadArray([],j,!0),[{color:F.disabledText,cursor:"default",selectors:(o={},o[d.HighContrastSelector]={color:"GrayText",border:"none"},o)}],!1),U=M===u.RectangleEdge.bottom?"".concat(B.roundedCorner2," ").concat(B.roundedCorner2," 0 0"):"0 0 ".concat(B.roundedCorner2," ").concat(B.roundedCorner2),Y=M===u.RectangleEdge.bottom?"0 0 ".concat(B.roundedCorner2," ").concat(B.roundedCorner2):"".concat(B.roundedCorner2," ").concat(B.roundedCorner2," 0 0");return{root:[O.root,P],label:O.label,dropdown:[O.dropdown,d.normalize,A.medium,{color:F.menuItemText,borderColor:F.focusBorder,position:"relative",outline:0,userSelect:"none",selectors:(n={},n["&:hover ."+O.title]=[!I&&N,{borderColor:k?R.neutralSecondary:R.neutralPrimary},h],n["&:focus ."+O.title]=[!I&&N,{selectors:(r={},r[d.HighContrastSelector]={color:"Highlight"},r)}],n["&:focus:after"]=[{pointerEvents:"none",content:"''",position:"absolute",boxSizing:"border-box",top:"0px",left:"0px",width:"100%",height:"100%",border:I?"none":"2px solid ".concat(R.themePrimary),borderRadius:"2px",selectors:(i={},i[d.HighContrastSelector]={color:"Highlight"},i)}],n["&:active ."+O.title]=[!I&&N,{borderColor:R.themePrimary},h],n["&:hover ."+O.caretDown]=!I&&L,n["&:focus ."+O.caretDown]=[!I&&L,{selectors:(a={},a[d.HighContrastSelector]={color:"Highlight"},a)}],n["&:active ."+O.caretDown]=!I&&L,n["&:hover ."+O.titleIsPlaceHolder]=!I&&L,n["&:focus ."+O.titleIsPlaceHolder]=!I&&L,n["&:active ."+O.titleIsPlaceHolder]=!I&&L,n["&:hover ."+O.titleHasError]=H,n["&:active ."+O.titleHasError]=H,n)},k&&"is-open",I&&"is-disabled",w&&"is-required",w&&!x&&{selectors:(s={":before":{content:"'*'",color:F.errorText,position:"absolute",top:-5,right:-10}},s[d.HighContrastSelector]={selectors:{":after":{right:-14}}},s)}],title:[O.title,d.normalize,{backgroundColor:F.inputBackground,borderWidth:1,borderStyle:"solid",borderColor:F.inputBorder,borderRadius:k?U:B.roundedCorner2,cursor:"pointer",display:"block",height:32,lineHeight:30,padding:"0 28px 0 8px",position:"relative",overflow:"hidden",whiteSpace:"nowrap",textOverflow:"ellipsis"},T&&[O.titleIsPlaceHolder,{color:F.inputPlaceholderText}],C&&[O.titleHasError,H],I&&{backgroundColor:F.disabledBackground,border:"none",color:F.disabledText,cursor:"default",selectors:(m={},m[d.HighContrastSelector]=l.__assign({border:"1px solid GrayText",color:"GrayText",backgroundColor:"Window"},(0,d.getHighContrastNoAdjustStyle)()),m)}],caretDownWrapper:[O.caretDownWrapper,{height:32,lineHeight:30,paddingTop:1,position:"absolute",right:8,top:0},!I&&{cursor:"pointer"}],caretDown:[O.caretDown,{color:R.neutralSecondary,fontSize:A.small.fontSize,pointerEvents:"none"},I&&{color:F.disabledText,selectors:(v={},v[d.HighContrastSelector]=l.__assign({color:"GrayText"},(0,d.getHighContrastNoAdjustStyle)()),v)}],errorMessage:l.__assign(l.__assign({color:F.errorText},S.fonts.small),{paddingTop:5}),callout:[O.callout,{boxShadow:B.elevation8,borderRadius:Y,selectors:(b={},b[".ms-Callout-main"]={borderRadius:Y},b)},D],dropdownItemsWrapper:{selectors:{"&:focus":{outline:0}}},dropdownItems:[O.dropdownItems,{display:"block"}],dropdownItem:l.__spreadArray(l.__spreadArray([],j,!0),[V()],!1),dropdownItemSelected:K,dropdownItemDisabled:G,dropdownItemSelectedAndDisabled:[K,G,{backgroundColor:"transparent"}],dropdownItemHidden:l.__spreadArray(l.__spreadArray([],j,!0),[{display:"none"}],!1),dropdownDivider:[O.dropdownDivider,{height:1,backgroundColor:F.bodyDivider}],dropdownDividerHidden:[O.dropdownDivider,{display:"none"}],dropdownOptionText:[O.dropdownOptionText,{overflow:"hidden",whiteSpace:"nowrap",textOverflow:"ellipsis",minWidth:0,maxWidth:"100%",wordWrap:"break-word",overflowWrap:"break-word",margin:"1px"}],dropdownItemHeader:z,dropdownItemHeaderHidden:l.__spreadArray(l.__spreadArray([],z,!0),[{display:"none"}],!1),subComponentStyles:{label:{root:{display:"inline-block"}},multiSelectItem:{root:{padding:0},label:{alignSelf:"stretch",padding:"0 8px",width:"100%"},input:{selectors:(y={},y[".".concat(c.IsFocusVisibleClassName," &:focus + label::before, :host(.").concat(c.IsFocusVisibleClassName,") &:focus + label::before")]={outlineOffset:"0px"},y)}},panel:{root:[E],main:{selectors:(_={},_[f]={width:272},_)},contentInner:{padding:"0 0 20px"}}}}}},90102:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DropdownMenuItemType=void 0;var n=o(30628);Object.defineProperty(t,"DropdownMenuItemType",{enumerable:!0,get:function(){return n.SelectableOptionMenuItemType}})},84322:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(21749),t),n.__exportStar(o(41858),t),n.__exportStar(o(90102),t)},15305:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DropdownSizePosCache=void 0;var n=o(31635),r=o(90102),i=function(){function e(){this._size=0}return e.prototype.updateOptions=function(e){for(var t=[],o=[],i=0,a=0;athis._notSelectableOptionsCache[t];)t++;if(this._displayOnlyOptionsCache[t]===e)throw new Error("Unexpected: Option at index ".concat(e," is not a selectable element."));if(this._notSelectableOptionsCache[t]!==e)return e-t+1}},e}();t.DropdownSizePosCache=i},25876:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.BaseExtendedPicker=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(95643),s=o(97388),l=o(80371),c=o(18055),u=s,d=function(e){function t(t){var o=e.call(this,t)||this;return o.floatingPicker=r.createRef(),o.selectedItemsList=r.createRef(),o.root=r.createRef(),o.input=r.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===i.KeyCodes.backspace&&o.selectedItemsList.current&&o.items.length&&(o.input.current&&!o.input.current.isValueSelected&&o.input.current.inputElement===e.currentTarget.ownerDocument.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,i.initializeComponentRef)(o),o.selection=new c.Selection({onSelectionChanged:function(){return o.onSelectionChange()}}),o.state={queryString:""},o}return n.__extends(t,e),Object.defineProperty(t.prototype,"items",{get:function(){var e,t,o,n;return null!==(n=null!==(o=null!==(e=this.props.selectedItems)&&void 0!==e?e:null===(t=this.selectedItemsList.current)||void 0===t?void 0:t.items)&&void 0!==o?o:this.props.defaultSelectedItems)&&void 0!==n?n:null},enumerable:!1,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:!1,configurable:!0}),Object.defineProperty(t.prototype,"highlightedItems",{get:function(){return this.selectedItemsList.current?this.selectedItemsList.current.highlightedItems():[]},enumerable:!1,configurable:!0}),t.prototype.render=function(){var e=this.props,t=e.className,o=e.inputProps,s=e.disabled,d=e.focusZoneProps,p=this.floatingPicker.current&&-1!==this.floatingPicker.current.currentSelectedSuggestionIndex?"sug-"+this.floatingPicker.current.currentSelectedSuggestionIndex:void 0,m=!!this.floatingPicker.current&&this.floatingPicker.current.isSuggestionsShown;return r.createElement("div",{ref:this.root,className:(0,i.css)("ms-BasePicker ms-BaseExtendedPicker",t||""),onKeyDown:this.onBackspace,onCopy:this.onCopy},r.createElement(l.FocusZone,n.__assign({direction:l.FocusZoneDirection.bidirectional},d),r.createElement(c.SelectionZone,{selection:this.selection,selectionMode:c.SelectionMode.multiple},r.createElement("div",{className:(0,i.css)("ms-BasePicker-text",u.pickerText),role:"list"},this.props.headerComponent,this.renderSelectedItemsList(),this.canAddItems()&&r.createElement(a.Autofill,n.__assign({},o,{className:(0,i.css)("ms-BasePicker-input",u.pickerInput),ref:this.input,onFocus:this.onInputFocus,onClick:this.onInputClick,onInputValueChange:this.onInputChange,"aria-activedescendant":p,"aria-owns":m?"suggestion-list":void 0,"aria-expanded":m,"aria-haspopup":"true",role:"combobox",disabled:s,onPaste:this.onPaste}))))),this.renderFloatingPicker())},Object.defineProperty(t.prototype,"floatingPickerProps",{get:function(){return this.props.floatingPickerProps},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"selectedItemsListProps",{get:function(){return this.props.selectedItemsListProps},enumerable:!1,configurable:!0}),t.prototype.canAddItems=function(){var e=this.props.itemLimit;return void 0===e||this.items.length{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.pickerInput=t.pickerText=void 0,(0,o(65715).loadStyles)([{rawString:".pickerText_9f838726{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_9f838726:hover{border-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:"}.pickerInput_9f838726{height:34px;border:none;-webkit-box-flex:1;-ms-flex-positive:1;flex-grow:1;outline:0;padding:0 6px 0;margin:1px}.pickerInput_9f838726::-ms-clear{display:none}"}]),t.pickerText="pickerText_9f838726",t.pickerInput="pickerInput_9f838726"},759:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},7586:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ExtendedPeoplePicker=t.BaseExtendedPeoplePicker=void 0;var n=o(31635);o(48306);var r=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return n.__extends(t,e),t}(o(25876).BaseExtendedPicker);t.BaseExtendedPeoplePicker=r;var i=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return n.__extends(t,e),t}(r);t.ExtendedPeoplePicker=i},48306:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.peoplePickerPersonaContent=t.peoplePicker=t.peoplePickerPersona=t.resultItem=t.resultContent=void 0,(0,o(65715).loadStyles)([{rawString:".resultContent_4cc31f3f{display:table-row}.resultContent_4cc31f3f .resultItem_4cc31f3f{display:table-cell;vertical-align:bottom}.peoplePickerPersona_4cc31f3f{width:180px}.peoplePickerPersona_4cc31f3f .ms-Persona-details{width:100%}.peoplePicker_4cc31f3f .ms-BasePicker-text{min-height:40px}.peoplePickerPersonaContent_4cc31f3f{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}"}]),t.resultContent="resultContent_4cc31f3f",t.resultItem="resultItem_4cc31f3f",t.peoplePickerPersona="peoplePickerPersona_4cc31f3f",t.peoplePicker="peoplePicker_4cc31f3f",t.peoplePickerPersonaContent="peoplePickerPersonaContent_4cc31f3f"},55204:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(25876),t),n.__exportStar(o(759),t),n.__exportStar(o(7586),t)},84874:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.FabricBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(15019),s=o(25698),l=(0,i.classNamesFunction)(),c=(0,i.memoizeFunction)((function(e,t){return(0,a.createTheme)(n.__assign(n.__assign({},e),{rtl:t}))}));t.FabricBase=r.forwardRef((function(e,t){var o=e.className,a=e.theme,u=e.applyTheme,d=e.applyThemeToBody,p=e.styles,m=l(p,{theme:a,applyTheme:u,className:o}),g=r.useRef(null);return function(e,t,o){var n=t.bodyThemed;r.useEffect((function(){if(e){var t=(0,i.getDocument)(o.current);if(t)return t.body.classList.add(n),function(){t.body.classList.remove(n)}}}),[n,e,o])}(d,m,g),r.createElement(r.Fragment,null,function(e,t,o,a){var l=t.root,u=e.as,d=void 0===u?"div":u,p=e.dir,m=e.theme,g=(0,i.getNativeProps)(e,i.divProperties,["dir"]),h=function(e){var t=e.theme,o=e.dir,n=(0,i.getRTL)(t)?"rtl":"ltr",r=(0,i.getRTL)()?"rtl":"ltr",a=o||n;return{rootDir:a!==n||a!==r?a:o,needsTheme:a!==n}}(e),f=h.rootDir,v=h.needsTheme,b=r.createElement(i.FocusRectsProvider,{providerRef:o},r.createElement(d,n.__assign({dir:f},g,{className:l,ref:(0,s.useMergedRefs)(o,a)})));return v&&(b=r.createElement(i.Customizer,{settings:{theme:c(m,"rtl"===p)}},b)),b}(e,m,g,t))})),t.FabricBase.displayName="FabricBase"},23293:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Fabric=void 0;var n=o(71061),r=o(84874),i=o(75497);t.Fabric=(0,n.styled)(r.FabricBase,i.getStyles,void 0,{scope:"Fabric"})},75497:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r={fontFamily:"inherit"},i={root:"ms-Fabric",bodyThemed:"ms-Fabric-bodyThemed"};t.getStyles=function(e){var t=e.applyTheme,o=e.className,a=e.preventBlanketFontInheritance,s=e.theme;return{root:[(0,n.getGlobalClassNames)(i,s).root,s.fonts.medium,{color:s.palette.neutralPrimary},!a&&{"& button":r,"& input":r,"& textarea":r},t&&{color:s.semanticColors.bodyText,backgroundColor:s.semanticColors.bodyBackground},o],bodyThemed:[{backgroundColor:s.semanticColors.bodyBackground}]}}},8670:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},25026:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(23293),t),n.__exportStar(o(84874),t),n.__exportStar(o(8670),t)},91938:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.FacepileBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(13078),s=o(81685),l=o(30936),c=o(48377),u=o(18596),d=(0,i.classNamesFunction)(),p=function(e){function t(t){var o=e.call(this,t)||this;return o._classNames=d(o.props.styles,{theme:o.props.theme,className:o.props.className}),o._getPersonaControl=function(e){var t=o.props,i=t.getPersonaProps,a=t.personaSize;return r.createElement(c.Persona,n.__assign({imageInitials:e.imageInitials,imageUrl:e.imageUrl,initialsColor:e.initialsColor,allowPhoneInitials:e.allowPhoneInitials,text:e.personaName,size:a},i?i(e):null,{styles:{details:{flex:"1 0 auto"}}}))},o._getPersonaCoinControl=function(e){var t=o.props,i=t.getPersonaProps,a=t.personaSize;return r.createElement(u.PersonaCoin,n.__assign({imageInitials:e.imageInitials,imageUrl:e.imageUrl,initialsColor:e.initialsColor,allowPhoneInitials:e.allowPhoneInitials,text:e.personaName,size:a},i?i(e):null))},(0,i.initializeComponentRef)(o),o._ariaDescriptionId=(0,i.getId)(),o}return n.__extends(t,e),t.prototype.render=function(){var e=this.props.overflowButtonProps,t=this.props,o=t.chevronButtonProps,n=t.maxDisplayablePersonas,i=t.personas,a=t.overflowPersonas,s=t.showAddButton,l=t.ariaLabel,c=t.showTooltip,u=void 0===c||c,d=this._classNames,p="number"==typeof n?Math.min(i.length,n):i.length;o&&!e&&(e=o);var m=a&&a.length>0,g=m?i:i.slice(0,p),h=(m?a:i.slice(p))||[];return r.createElement("div",{className:d.root},this.onRenderAriaDescription(),r.createElement("div",{className:d.itemContainer},s?this._getAddNewElement():null,r.createElement("ul",{className:d.members,"aria-label":l},this._onRenderVisiblePersonas(g,0===h.length&&1===i.length,u)),e?this._getOverflowElement(h):null))},t.prototype.onRenderAriaDescription=function(){var e=this.props.ariaDescription,t=this._classNames;return e&&r.createElement("span",{className:t.screenReaderOnly,id:this._ariaDescriptionId},e)},t.prototype._onRenderVisiblePersonas=function(e,t,o){var n=this,i=this.props,a=i.onRenderPersona,s=void 0===a?this._getPersonaControl:a,l=i.onRenderPersonaCoin,c=void 0===l?this._getPersonaCoinControl:l,u=i.onRenderPersonaWrapper;return e.map((function(e,i){var a=t?s(e,n._getPersonaControl):c(e,n._getPersonaCoinControl),l=e.onClick?function(){return n._getElementWithOnClickEvent(a,e,o,i)}:function(){return n._getElementWithoutOnClickEvent(a,e,o,i)};return r.createElement("li",{key:"".concat(t?"persona":"personaCoin","-").concat(i),className:n._classNames.member},u?u(e,l):l())}))},t.prototype._getElementWithOnClickEvent=function(e,t,o,a){var l=t.keytipProps;return r.createElement(s.FacepileButton,n.__assign({},(0,i.getNativeProps)(t,i.buttonProperties),this._getElementProps(t,o,a),{keytipProps:l,onClick:this._onPersonaClick.bind(this,t)}),e)},t.prototype._getElementWithoutOnClickEvent=function(e,t,o,a){return r.createElement("div",n.__assign({},(0,i.getNativeProps)(t,i.buttonProperties),this._getElementProps(t,o,a)),e)},t.prototype._getElementProps=function(e,t,o){var n=this._classNames;return{key:(e.imageUrl?"i":"")+o,"data-is-focusable":!0,className:n.itemButton,title:t?e.personaName:void 0,onMouseMove:this._onPersonaMouseMove.bind(this,e),onMouseOut:this._onPersonaMouseOut.bind(this,e)}},t.prototype._getOverflowElement=function(e){switch(this.props.overflowButtonType){case a.OverflowButtonType.descriptive:return this._getDescriptiveOverflowElement(e);case a.OverflowButtonType.downArrow:return this._getIconElement("ChevronDown");case a.OverflowButtonType.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(", "),i=n.__assign({title:o},this.props.overflowButtonProps),a=Math.max(e.length,0),l=this._classNames;return r.createElement(s.FacepileButton,n.__assign({},i,{ariaDescription:i.title,className:l.descriptiveOverflowButton}),r.createElement(u.PersonaCoin,{size:t,onRenderInitials:this._renderInitialsNotPictured(a),initialsColor:u.PersonaInitialsColor.transparent}))},t.prototype._getIconElement=function(e){var t=this.props,o=t.overflowButtonProps,i=t.personaSize,a=this._classNames;return r.createElement(s.FacepileButton,n.__assign({},o,{className:a.overflowButton}),r.createElement(u.PersonaCoin,{size:i,onRenderInitials:this._renderInitials(e,!0),initialsColor:u.PersonaInitialsColor.transparent}))},t.prototype._getAddNewElement=function(){var e=this.props,t=e.addButtonProps,o=e.personaSize,i=this._classNames;return r.createElement(s.FacepileButton,n.__assign({},t,{className:i.addButton}),r.createElement(u.PersonaCoin,{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 r.createElement(l.Icon,{iconName:e,className:t?o.overflowInitialsIcon:""})}},t.prototype._renderInitialsNotPictured=function(e){var t=this._classNames;return function(){return r.createElement("span",{className:t.overflowInitialsIcon},e<100?"+"+e:"99+")}},t.defaultProps={maxDisplayablePersonas:5,personas:[],overflowPersonas:[],personaSize:u.PersonaSize.size32},t}(r.Component);t.FacepileBase=p},30165:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Facepile=void 0;var n=o(71061),r=o(91938),i=o(89089);t.Facepile=(0,n.styled)(r.FacepileBase,i.styles,void 0,{scope:"Facepile"})},89089:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.styles=void 0;var n=o(15019),r={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"};t.styles=function(e){var t,o=e.className,i=e.theme,a=e.spacingAroundItemButton,s=void 0===a?2:a,l=i.palette,c=i.fonts,u=(0,n.getGlobalClassNames)(r,i),d={textAlign:"center",padding:0,borderRadius:"50%",verticalAlign:"top",display:"inline",backgroundColor:"transparent",border:"none",selectors:{"&::-moz-focus-inner":{padding:0,border:0}}};return{root:[u.root,i.fonts.medium,{width:"auto"},o],addButton:[u.addButton,(0,n.getFocusStyle)(i,{inset:-1}),d,{fontSize:c.medium.fontSize,color:l.white,backgroundColor:l.themePrimary,marginRight:2*s+"px",selectors:{"&:hover":{backgroundColor:l.themeDark},"&:focus":{backgroundColor:l.themeDark},"&:active":{backgroundColor:l.themeDarker},"&:disabled":{backgroundColor:l.neutralTertiaryAlt}}}],descriptiveOverflowButton:[u.descriptiveOverflowButton,(0,n.getFocusStyle)(i,{inset:-1}),d,{fontSize:c.small.fontSize,color:l.neutralSecondary,backgroundColor:l.neutralLighter,marginLeft:"".concat(2*s,"px")}],itemButton:[u.itemButton,d],itemContainer:[u.itemContainer,{display:"flex"}],members:[u.members,{display:"flex",overflow:"hidden",listStyleType:"none",padding:0,margin:"-".concat(s,"px")}],member:[u.member,{display:"inline-flex",flex:"0 0 auto",margin:"".concat(s,"px")}],overflowButton:[u.overflowButton,(0,n.getFocusStyle)(i,{inset:-1}),d,{fontSize:c.medium.fontSize,color:l.neutralSecondary,backgroundColor:l.neutralLighter,marginLeft:"".concat(2*s,"px")}],overflowInitialsIcon:[{color:l.neutralPrimary,selectors:(t={},t[n.HighContrastSelector]={color:"WindowText"},t)}],screenReaderOnly:n.hiddenContentStyle}}},13078:(e,t)=>{"use strict";var o;Object.defineProperty(t,"__esModule",{value:!0}),t.OverflowButtonType=void 0,(o=t.OverflowButtonType||(t.OverflowButtonType={}))[o.none=0]="none",o[o.descriptive=1]="descriptive",o[o.more=2]="more",o[o.downArrow=3]="downArrow"},81685:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.FacepileButton=void 0;var n=o(31635),r=o(83923),i=o(74393),a=o(71061),s=o(71009),l=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return n.__extends(t,e),t.prototype.render=function(){var e=this.props,t=e.className,o=e.styles,l=n.__rest(e,["className","styles"]),c=(0,s.getStyles)(this.props.theme,t,o);return r.createElement(i.BaseButton,n.__assign({},l,{variantClassName:"ms-Button--facepile",styles:c,onRenderDescription:a.nullRender}))},n.__decorate([(0,a.customizable)("FacepileButton",["theme","styles"],!0)],t)}(r.Component);t.FacepileButton=l},71009:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(31635),r=o(15019),i=o(71061),a=o(60500);t.getStyles=(0,i.memoizeFunction)((function(e,t,o){var i=(0,a.getStyles)(e),s=(0,r.concatStyleSets)(i,o);return n.__assign(n.__assign({},s),{root:[i.root,t,e.fonts.medium,o&&o.root]})}))},84602:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(13078),t),n.__exportStar(o(91938),t),n.__exportStar(o(30165),t)},54754:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.BaseFloatingPicker=void 0;var n=o(31635),r=o(83923),i=o(19250),a=o(71061),s=o(42502),l=o(16473),c=o(58459),u=i,d=function(e){function t(t){var o=e.call(this,t)||this;return o.root=r.createRef(),o.suggestionsControl=r.createRef(),o.SuggestionsControlOfProperType=c.SuggestionsControl,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 a.KeyCodes.escape:o.hidePicker(),e.preventDefault(),e.stopPropagation();break;case a.KeyCodes.tab:case a.KeyCodes.enter:!e.shiftKey&&!e.ctrlKey&&o.suggestionsControl.current&&o.suggestionsControl.current.handleKeyDown(t)?(e.preventDefault(),e.stopPropagation()):o._onValidateInput();break;case a.KeyCodes.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 a.KeyCodes.up:case a.KeyCodes.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 a.Async(o),(0,a.initializeComponentRef)(o),o.suggestionStore=t.suggestionsStore,o.state={queryString:"",didBind:!1},o}return n.__extends(t,e),Object.defineProperty(t.prototype,"inputText",{get:function(){return this.state.queryString},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"suggestions",{get:function(){return this.suggestionStore.suggestions},enumerable:!1,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:!1,configurable:!0}),Object.defineProperty(t.prototype,"isSuggestionsShown",{get:function(){return void 0!==this.state.suggestionsVisible&&this.state.suggestionsVisible},enumerable:!1,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 r.createElement("div",{ref:this.root,className:(0,a.css)("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?r.createElement(l.Callout,n.__assign({className:u.callout,isBeakVisible:!1,gapSpace:5,target:this.props.inputElement,onDismiss:this.hidePicker,directionalHint:s.DirectionalHint.bottomLeftEdge,directionalHintForRTL:s.DirectionalHint.bottomRightEdge,calloutWidth:this.props.calloutWidth?this.props.calloutWidth:0},this.props.pickerCalloutProps),r.createElement(e,n.__assign({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;Array.isArray(e)?this.updateSuggestions(e,!0):e&&e.then&&(this.currentPromise=e,e.then((function(o){e===t.currentPromise&&t.isComponentMounted&&t.updateSuggestions(o,!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}(r.Component);t.BaseFloatingPicker=d},19250:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.callout=void 0,(0,o(65715).loadStyles)([{rawString:".callout_ad5629e1 .ms-Suggestions-itemButton{padding:0;border:none}.callout_ad5629e1 .ms-Suggestions{min-width:300px}"}]),t.callout="callout_ad5629e1"},19045:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},42458:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.createItem=t.FloatingPeoplePicker=t.BaseFloatingPeoplePicker=void 0;var n=o(31635),r=o(71061),i=o(54754),a=o(57629);o(29352);var s=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return n.__extends(t,e),t}(i.BaseFloatingPicker);t.BaseFloatingPeoplePicker=s;var l=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return n.__extends(t,e),t.defaultProps={onRenderSuggestionsItem:function(e,t){return(0,a.SuggestionItemNormal)(n.__assign({},e),n.__assign({},t))},createGenericItem:c},t}(s);function c(e,t){var o={key:e,primaryText:e,imageInitials:"!",isValid:t};return t||(o.imageInitials=(0,r.getInitials)(e,(0,r.getRTL)())),o}t.FloatingPeoplePicker=l,t.createItem=c},29352:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.peoplePickerPersonaContent=t.peoplePicker=t.peoplePickerPersona=t.resultItem=t.resultContent=void 0,(0,o(65715).loadStyles)([{rawString:".resultContent_f73be5be{display:table-row}.resultContent_f73be5be .resultItem_f73be5be{display:table-cell;vertical-align:bottom}.peoplePickerPersona_f73be5be{width:180px}.peoplePickerPersona_f73be5be .ms-Persona-details{width:100%}.peoplePicker_f73be5be .ms-BasePicker-text{min-height:40px}.peoplePickerPersonaContent_f73be5be{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}"}]),t.resultContent="resultContent_f73be5be",t.resultItem="resultItem_f73be5be",t.peoplePickerPersona="peoplePickerPersona_f73be5be",t.peoplePicker="peoplePicker_f73be5be",t.peoplePickerPersonaContent="peoplePickerPersonaContent_f73be5be"},57629:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.SuggestionItemNormal=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(48377),s=o(29352);t.SuggestionItemNormal=function(e,t){return r.createElement("div",{className:(0,i.css)("ms-PeoplePicker-personaContent",s.peoplePickerPersonaContent)},r.createElement(a.Persona,n.__assign({presence:void 0!==e.presence?e.presence:a.PersonaPresence.none,size:a.PersonaSize.size40,className:(0,i.css)("ms-PeoplePicker-Persona",s.peoplePickerPersona),showSecondaryText:!0},e)))}},24707:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},58459:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.SuggestionsControl=t.SuggestionsHeaderFooterItem=t.SuggestionItemType=void 0;var n,r=o(31635),i=o(83923),a=o(71061),s=o(56039),l=o(68621),c=o(15019),u=l;!function(e){e[e.header=0]="header",e[e.suggestion=1]="suggestion",e[e.footer=2]="footer"}(n=t.SuggestionItemType||(t.SuggestionItemType={}));var d=function(e){function t(t){var o=e.call(this,t)||this;return(0,a.initializeComponentRef)(o),o}return r.__extends(t,e),t.prototype.render=function(){var e,t=this.props,o=t.renderItem,n=t.onExecute,r=t.isSelected,s=t.id,l=t.className;return n?i.createElement("div",{id:s,onClick:n,className:(0,a.css)("ms-Suggestions-sectionButton",l,u.actionButton,(e={},e["is-selected "+u.buttonSelected]=r,e))},o()):i.createElement("div",{id:s,className:(0,a.css)("ms-Suggestions-section",l,u.suggestionsTitle)},o())},t}(i.Component);t.SuggestionsHeaderFooterItem=d;var p=function(e){function t(t){var o=e.call(this,t)||this;return o._selectedElement=i.createRef(),o._suggestions=i.createRef(),o.SuggestionsOfProperType=s.SuggestionsCore,(0,a.initializeComponentRef)(o),o.state={selectedHeaderIndex:-1,selectedFooterIndex:-1,suggestions:t.suggestions},o}return r.__extends(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,s=(0,c.mergeStyles)(c.hiddenContentStyle),l=this.state.suggestions&&this.state.suggestions.length>0&&r;return i.createElement("div",{className:(0,a.css)("ms-Suggestions",t||"",u.root)},o&&this.renderHeaderItems(),this._renderSuggestions(),n&&this.renderFooterItems(),l?i.createElement("span",{role:"alert","aria-live":"polite",className:s},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:!1,configurable:!0}),Object.defineProperty(t.prototype,"currentSuggestionIndex",{get:function(){return this._suggestions.current?this._suggestions.current.currentIndex:-1},enumerable:!1,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:!1,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 i=e===n.header,a=i?this.props.headerItemsProps:this.props.footerItemsProps;if(a&&a.length>t+1)for(var s=t+1;s0)return null===(o=this._suggestions.current)||void 0===o||o.setSelectedSuggestion(i-1),this.setState({selectedHeaderIndex:-1,selectedFooterIndex:-1}),!0}else{var i,a=e===n.header,s=a?this.props.headerItemsProps:this.props.footerItemsProps;if(s&&(i=void 0!==t?t:s.length)>0)for(var l=i-1;l>=0;l--){var c=s[l];if(c.onExecute&&c.shouldShow())return this.setState({selectedHeaderIndex:a?l:-1}),this.setState({selectedFooterIndex:a?-1:l}),null===(r=this._suggestions.current)||void 0===r||r.deselectAllSuggestions(),!0}}return!1},t.prototype._getCurrentIndexForType=function(e){switch(e){case n.header:return this.state.selectedHeaderIndex;case n.suggestion:return this._suggestions.current.currentIndex;case n.footer:return this.state.selectedFooterIndex}},t.prototype._getNextItemSectionType=function(e){switch(e){case n.header:return n.suggestion;case n.suggestion:return n.footer;case n.footer:return n.header}},t.prototype._getPreviousItemSectionType=function(e){switch(e){case n.header:return n.footer;case n.suggestion:return n.header;case n.footer:return n.suggestion}},t}(i.Component);t.SuggestionsControl=p},68621:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.screenReaderOnly=t.itemButton=t.suggestionsSpinner=t.suggestionsTitle=t.buttonSelected=t.actionButton=t.root=void 0,(0,o(65715).loadStyles)([{rawString:".root_ade399af{min-width:260px}.actionButton_ade399af{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_ade399af{text-align:left}html[dir=rtl] .actionButton_ade399af{text-align:right}.actionButton_ade399af:hover{background-color:"},{theme:"neutralLighter",defaultValue:"#f3f2f1"},{rawString:";cursor:pointer}.actionButton_ade399af:active,.actionButton_ade399af:focus{background-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:"}.actionButton_ade399af .ms-Button-icon{font-size:16px;width:25px}.actionButton_ade399af .ms-Button-label{margin:0 4px 0 9px}html[dir=rtl] .actionButton_ade399af .ms-Button-label{margin:0 9px 0 4px}.buttonSelected_ade399af{background-color:"},{theme:"themeLighter",defaultValue:"#deecf9"},{rawString:"}.buttonSelected_ade399af:hover{background-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:";cursor:pointer}@media screen and (-ms-high-contrast:active),screen and (forced-colors:active){.buttonSelected_ade399af:hover{background-color:Highlight;color:HighlightText}}@media screen and (-ms-high-contrast:active),screen and (forced-colors:active){.buttonSelected_ade399af{background-color:Highlight;color:HighlightText;-ms-high-contrast-adjust:none}}.suggestionsTitle_ade399af{font-size:12px}.suggestionsSpinner_ade399af{margin:5px 0;white-space:nowrap;line-height:20px;font-size:12px}html[dir=ltr] .suggestionsSpinner_ade399af{padding-left:14px}html[dir=rtl] .suggestionsSpinner_ade399af{padding-right:14px}html[dir=ltr] .suggestionsSpinner_ade399af{text-align:left}html[dir=rtl] .suggestionsSpinner_ade399af{text-align:right}.suggestionsSpinner_ade399af .ms-Spinner-circle{display:inline-block;vertical-align:middle}.suggestionsSpinner_ade399af .ms-Spinner-label{display:inline-block;margin:0 10px 0 16px;vertical-align:middle}html[dir=rtl] .suggestionsSpinner_ade399af .ms-Spinner-label{margin:0 16px 0 10px}.itemButton_ade399af{height:100%;width:100%;padding:7px 12px}@media screen and (-ms-high-contrast:active),screen and (forced-colors:active){.itemButton_ade399af{color:WindowText}}.screenReaderOnly_ade399af{position:absolute;width:1px;height:1px;padding:0;margin:-1px;overflow:hidden;clip:rect(0,0,0,0);border:0}"}]),t.root="root_ade399af",t.actionButton="actionButton_ade399af",t.buttonSelected="buttonSelected_ade399af",t.suggestionsTitle="suggestionsTitle_ade399af",t.suggestionsSpinner="suggestionsSpinner_ade399af",t.itemButton="itemButton_ade399af",t.screenReaderOnly="screenReaderOnly_ade399af"},56039:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.SuggestionsCore=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(31518),s=o(65161),l=function(e){function t(t){var o=e.call(this,t)||this;return o._selectedElement=r.createRef(),o.SuggestionsItemOfProperType=a.SuggestionsItem,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,i.initializeComponentRef)(o),o.currentIndex=-1,o}return n.__extends(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:!1,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,a=t.resultsMaximumNumber,l=t.showRemoveButtons,c=t.suggestionsContainerAriaLabel,u=this.SuggestionsItemOfProperType,d=this.props.suggestions;return a&&(d=d.slice(0,a)),r.createElement("div",{className:(0,i.css)("ms-Suggestions-container",s.suggestionsContainer),id:"suggestion-list",role:"listbox","aria-label":c},d.map((function(t,i){return r.createElement("div",{ref:t.selected||i===e.currentIndex?e._selectedElement:void 0,key:t.item.key?t.item.key:i,id:"sug-"+i},r.createElement(u,{id:"sug-item"+i,suggestionModel:t,RenderSuggestion:o,onClick:e._onClickTypedSuggestionsItem(t.item,i),className:n,showRemoveButton:l,onRemoveItem:e._onRemoveTypedSuggestionsItem(t.item,i),isSelectedOverride:i===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}(r.Component);t.SuggestionsCore=l},65161:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.suggestionsContainer=void 0,(0,o(65715).loadStyles)([{rawString:".suggestionsContainer_44c59fda{overflow-y:auto;overflow-x:hidden;max-height:300px}.suggestionsContainer_44c59fda .ms-Suggestion-item:hover{background-color:"},{theme:"neutralLighter",defaultValue:"#f3f2f1"},{rawString:";cursor:pointer}.suggestionsContainer_44c59fda .is-suggested{background-color:"},{theme:"themeLighter",defaultValue:"#deecf9"},{rawString:"}.suggestionsContainer_44c59fda .is-suggested:hover{background-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:";cursor:pointer}"}]),t.suggestionsContainer="suggestionsContainer_44c59fda"},91523:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.SuggestionsStore=void 0;var o=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}();t.SuggestionsStore=o},41587:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(54754),t),n.__exportStar(o(19045),t),n.__exportStar(o(42458),t),n.__exportStar(o(91523),t),n.__exportStar(o(58459),t),n.__exportStar(o(56039),t),n.__exportStar(o(24707),t)},79813:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.FocusTrapZone=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(25698),s=o(71628),l=o(50478),c={disabled:!1,disableFirstFocus:!1,forceFocusInsideTrap:!0,isClickableOutsideFocusTrap:!1,"data-tabster":'{"uncontrolled": {"completely": true}}'};t.FocusTrapZone=r.forwardRef((function(e,o){var u,d=r.useRef(null),p=r.useRef(null),m=r.useRef(null),g=(0,a.useMergedRefs)(d,o),h=(0,s.useDocument)(),f=(0,l.useWindowEx)(),v=(0,i.useHasMergeStylesShadowRootContext)(),b=null===(u=(0,a.usePrevious)(!1))||void 0===u||u,y=(0,i.getPropsWithDefaults)(c,e),_=(0,a.useConst)({hasFocus:!1,focusStackId:(0,a.useId)("ftz-",y.id)}),S=y.children,C=y.componentRef,x=y.disabled,P=y.disableFirstFocus,k=y.forceFocusInsideTrap,I=y.focusPreviouslyFocusedInnerElement,w=y.firstFocusableSelector,T=y.firstFocusableTarget,E=y.disableRestoreFocus,D=void 0===E?y.ignoreExternalFocusing:E,M=y.isClickableOutsideFocusTrap,O=y.enableAriaHiddenSiblings,R={"aria-hidden":!0,style:{pointerEvents:"none",position:"fixed"},tabIndex:x?-1:0,"data-is-visible":!0,"data-is-focus-trap-zone-bumper":!0},F=r.useCallback((function(e){e!==p.current&&e!==m.current&&(0,i.focusAsync)(e)}),[]),B=(0,a.useEventCallback)((function(){if(d.current){var e=_.previouslyFocusedElementInTrapZone;if(I&&e&&(0,i.elementContains)(d.current,e))F(e);else{var t=null;if("string"==typeof T)t=d.current.querySelector(T);else if(T)t=T(d.current);else if(w){var o="string"==typeof w?w:w();t=d.current.querySelector("."+o)}t||(t=(0,i.getNextElement)(d.current,d.current.firstChild,!1,!1,!1,!0,void 0,void 0,void 0,v)),t&&F(t)}}})),A=function(e){if(!x&&d.current){var t=e===_.hasFocus?(0,i.getLastTabbable)(d.current,m.current,!0,!1,v):(0,i.getFirstTabbable)(d.current,p.current,!0,!1,v);t&&(t===p.current||t===m.current?B():t.focus())}},N=(0,a.useEventCallback)((function(e){if(t.FocusTrapZone.focusStack=t.FocusTrapZone.focusStack.filter((function(e){return _.focusStackId!==e})),h){var o=h.activeElement;D||"function"!=typeof(null==e?void 0:e.focus)||!(0,i.elementContains)(d.current,o)&&o!==h.body&&!o.shadowRoot||F(e)}})),L=(0,a.useEventCallback)((function(e){if(!x&&_.focusStackId===t.FocusTrapZone.focusStack.slice(-1)[0]){var o=(0,i.getEventTarget)(e);o&&!(0,i.elementContains)(d.current,o)&&(h&&(0,i.getActiveElement)(h)===h.body?setTimeout((function(){h&&(0,i.getActiveElement)(h)===h.body&&(B(),_.hasFocus=!0)}),0):(B(),_.hasFocus=!0),e.preventDefault(),e.stopPropagation())}}));return r.useEffect((function(){var e=[];return k&&e.push((0,i.on)(f,"focus",L,!0)),M||e.push((0,i.on)(f,"click",L,!0)),function(){e.forEach((function(e){return e()}))}}),[k,M,f]),r.useEffect((function(){if(!x&&(b||k)&&d.current){t.FocusTrapZone.focusStack.push(_.focusStackId);var e=y.elementToFocusOnDismiss||(0,i.getActiveElement)(h);return P||(0,i.elementContains)(d.current,e)||B(),function(){return N(e)}}}),[k,x]),r.useEffect((function(){if(!x&&O)return(0,i.modalize)(d.current)}),[x,O,d]),(0,a.useUnmount)((function(){delete _.previouslyFocusedElementInTrapZone})),function(e,t,o){r.useImperativeHandle(e,(function(){return{get previouslyFocusedElement(){return t},focus:o}}),[o,t])}(C,_.previouslyFocusedElementInTrapZone,B),r.createElement("div",n.__assign({"aria-labelledby":y.ariaLabelledBy},(0,i.getNativeProps)(y,i.divProperties),{ref:g,onFocusCapture:function(e){var t;null===(t=y.onFocusCapture)||void 0===t||t.call(y,e),e.target===p.current?A(!0):e.target===m.current&&A(!1),_.hasFocus=!0,e.target!==e.currentTarget&&e.target!==p.current&&e.target!==m.current&&(_.previouslyFocusedElementInTrapZone=(0,i.getEventTarget)(e.nativeEvent))},onBlurCapture:function(e){var t;null===(t=y.onBlurCapture)||void 0===t||t.call(y,e);var o=e.relatedTarget;null===e.relatedTarget&&(o=(0,i.getActiveElement)(h)),(0,i.elementContains)(d.current,o)||(_.hasFocus=!1)}}),r.createElement("div",n.__assign({},R,{ref:p})),S,r.createElement("div",n.__assign({},R,{ref:m})))})),t.FocusTrapZone.displayName="FocusTrapZone",t.FocusTrapZone.focusStack=[]},14566:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},51600:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(79813),t),n.__exportStar(o(14566),t)},30844:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.GroupFooterBase=void 0;var n=o(83923),r=o(71061),i=o(30396),a=(0,r.classNamesFunction)();t.GroupFooterBase=function(e){var t=e.group,o=e.groupLevel,r=e.footerText,s=e.indentWidth,l=e.styles,c=e.theme,u=a(l,{theme:c});return t&&r?n.createElement("div",{className:u.root},n.createElement(i.GroupSpacer,{indentWidth:s,count:o}),r):null}},48143:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.GroupFooter=void 0;var n=o(71061),r=o(15059),i=o(30844);t.GroupFooter=(0,n.styled)(i.GroupFooterBase,r.getStyles,void 0,{scope:"GroupFooter"})},15059:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r={root:"ms-groupFooter"};t.getStyles=function(e){var t=e.theme,o=e.className,i=(0,n.getGlobalClassNames)(r,t);return{root:[t.fonts.medium,i.root,{position:"relative",padding:"5px 38px"},o]}}},55066:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.GroupHeaderBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(18055),s=o(12945),l=o(30936),c=o(30396),u=o(66044),d=o(45041),p=(0,i.classNamesFunction)(),m=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 a=o.state.isCollapsed&&e.which===(0,i.getRTLSafeKeyCode)(i.KeyCodes.right,o.props.theme);(!o.state.isCollapsed&&e.which===(0,i.getRTLSafeKeyCode)(i.KeyCodes.left,o.props.theme)||a)&&(o._toggleCollapse(),e.stopPropagation(),e.preventDefault())}},o._onToggleClick=function(e){o._toggleCollapse(),e.stopPropagation(),e.preventDefault()},o._onHeaderClick=function(){var e=o.props,t=e.group,n=e.onGroupHeaderClick;n&&n(t)},o._onRenderTitle=function(e){if(!e.group)return null;var t=e.onRenderName?(0,i.composeRenderFunction)(e.onRenderName,o._onRenderName):o._onRenderName;return r.createElement("div",{className:o._classNames.title,id:o._id,onClick:o._onHeaderClick,role:"gridcell","aria-colspan":o.props.ariaColSpan,"data-selection-invoke":!0},t(e))},o._onRenderName=function(e){var t=e.group;return t?r.createElement(r.Fragment,null,r.createElement("span",null,t.name),r.createElement("span",{className:o._classNames.headerCount},"(",t.count,t.hasMoreData&&"+",")")):null},o._id=(0,i.getId)("GroupHeader"),o.state={isCollapsed:o.props.group&&o.props.group.isCollapsed,isLoadingVisible:!1},o}return n.__extends(t,e),t.getDerivedStateFromProps=function(e,t){if(e.group){var o=e.group.isCollapsed,r=e.isGroupLoading,i=!o&&r&&r(e.group);return n.__assign(n.__assign({},t),{isCollapsed:o||!1,isLoadingVisible:i||!1})}return t},t.prototype.render=function(){var e=this.props,t=e.group,o=e.groupLevel,s=void 0===o?0:o,m=e.viewport,g=e.selectionMode,h=e.loadingText,f=e.isSelected,v=void 0!==f&&f,b=e.selected,y=void 0!==b&&b,_=e.indentWidth,S=e.onRenderGroupHeaderCheckbox,C=e.isCollapsedGroupSelectVisible,x=void 0===C||C,P=e.expandButtonProps,k=e.expandButtonIcon,I=e.selectAllButtonProps,w=e.theme,T=e.styles,E=e.className,D=e.compact,M=e.ariaLevel,O=e.ariaPosInSet,R=e.ariaSetSize,F=e.ariaRowIndex,B=e.useFastIcons,A=this.props.onRenderTitle?(0,i.composeRenderFunction)(this.props.onRenderTitle,this._onRenderTitle):this._onRenderTitle,N=B?this._fastDefaultCheckboxRender:this._defaultCheckboxRender,L=S?(0,i.composeRenderFunction)(S,N):N,H=this.state,j=H.isCollapsed,z=H.isLoadingVisible,W=g===a.SelectionMode.multiple,V=W&&(x||!(t&&t.isCollapsed)),K=y||v,G=(0,i.getRTL)(w);return this._classNames=p(T,{theme:w,className:E,selected:K,isCollapsed:j,compact:D}),t?r.createElement("div",{className:this._classNames.root,style:m?{minWidth:m.width}:{},role:"row","aria-level":M,"aria-setsize":R,"aria-posinset":O,"aria-rowindex":F,"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":W?K:void 0,"data-selection-index":t.startIndex,"data-selection-span":t.count},r.createElement("div",{className:this._classNames.groupHeaderContainer,role:"presentation"},V?r.createElement("div",{role:"gridcell"},r.createElement("button",n.__assign({"data-is-focusable":!1,type:"button",className:this._classNames.check,role:"checkbox",id:"".concat(this._id,"-check"),"aria-checked":K,"aria-labelledby":"".concat(this._id,"-check ").concat(this._id),"data-selection-toggle":!0},I),L({checked:K,theme:w},L))):g!==a.SelectionMode.none&&r.createElement(c.GroupSpacer,{indentWidth:d.CHECK_CELL_WIDTH,count:1}),r.createElement(c.GroupSpacer,{indentWidth:_,count:s}),r.createElement("div",{className:this._classNames.dropIcon,role:"presentation"},r.createElement(l.Icon,{iconName:"Tag"})),r.createElement("div",{role:"gridcell"},r.createElement("button",n.__assign({"data-is-focusable":!1,"data-selection-disabled":!0,type:"button",className:this._classNames.expand,onClick:this._onToggleClick,"aria-expanded":!this.state.isCollapsed},P),r.createElement(l.Icon,{className:this._classNames.expandIsCollapsed,iconName:k||(G?"ChevronLeftMed":"ChevronRightMed")}))),A(this.props),z&&r.createElement(u.Spinner,{label:h}))):null},t.prototype._defaultCheckboxRender=function(e){return r.createElement(s.Check,{checked:e.checked})},t.prototype._fastDefaultCheckboxRender=function(e){return r.createElement(g,{theme:e.theme,checked:e.checked})},t.defaultProps={expandButtonProps:{"aria-label":"expand collapse group"}},t}(r.Component);t.GroupHeaderBase=m;var g=r.memo((function(e){return r.createElement(s.Check,{theme:e.theme,checked:e.checked,className:e.className,useFastIcons:!0})}))},89965:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.GroupHeader=void 0;var n=o(71061),r=o(22585),i=o(55066);t.GroupHeader=(0,n.styled)(i.GroupHeaderBase,r.getStyles,void 0,{scope:"GroupHeader"})},22585:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r=o(71061),i=o(43937),a=o(45041),s=o(30396),l={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"},c="cubic-bezier(0.390, 0.575, 0.565, 1.000)";t.getStyles=function(e){var t,o,u,d,p,m=e.theme,g=e.className,h=e.selected,f=e.isCollapsed,v=e.compact,b=i.DEFAULT_CELL_STYLE_PROPS.cellLeftPadding,y=v?40:48,_=m.semanticColors,S=m.palette,C=m.fonts,x=(0,n.getGlobalClassNames)(l,m),P=[(0,n.getFocusStyle)(m),{cursor:"default",background:"none",backgroundColor:"transparent",border:"none",padding:0}];return{root:[x.root,(0,n.getFocusStyle)(m),m.fonts.medium,{borderBottom:"1px solid ".concat(_.listBackground),cursor:"default",userSelect:"none",selectors:(t={":hover":{background:_.listItemBackgroundHovered,color:_.actionLinkHovered}},t["&:hover .".concat(x.check)]={opacity:1},t[".".concat(r.IsFocusVisibleClassName," &:focus .").concat(x.check,", :host(.").concat(r.IsFocusVisibleClassName,") &:focus .").concat(x.check)]={opacity:1},t[":global(.".concat(x.group,".").concat(x.isDropping,")")]={selectors:(o={},o["& > .".concat(x.root," .").concat(x.dropIcon)]={transition:"transform ".concat(n.AnimationVariables.durationValue4," ").concat("cubic-bezier(0.075, 0.820, 0.165, 1.000)"," ")+"opacity ".concat(n.AnimationVariables.durationValue1," ").concat(c),transitionDelay:n.AnimationVariables.durationValue3,opacity:1,transform:"rotate(0.2deg) scale(1);"},o[".".concat(x.check)]={opacity:0},o)},t)},h&&[x.isSelected,{background:_.listItemBackgroundChecked,selectors:(u={":hover":{background:_.listItemBackgroundCheckedHovered}},u["".concat(x.check)]={opacity:1},u)}],v&&[x.compact,{border:"none"}],g],groupHeaderContainer:[{display:"flex",alignItems:"center",height:y}],headerCount:[{padding:"0px 4px"}],check:[x.check,P,{display:"flex",alignItems:"center",justifyContent:"center",paddingTop:1,marginTop:-1,opacity:0,width:a.CHECK_CELL_WIDTH,height:y,selectors:(d={},d[".".concat(r.IsFocusVisibleClassName," &:focus, :host(.").concat(r.IsFocusVisibleClassName,") &:focus")]={opacity:1},d)}],expand:[x.expand,P,{display:"flex",flexShrink:0,alignItems:"center",justifyContent:"center",fontSize:C.small.fontSize,width:s.SPACER_WIDTH,height:y,color:h?S.neutralPrimary:S.neutralSecondary,selectors:{":hover":{backgroundColor:h?S.neutralQuaternary:S.neutralLight},":active":{backgroundColor:h?S.neutralTertiaryAlt:S.neutralQuaternaryAlt}}}],expandIsCollapsed:[f?[x.isCollapsed,{transform:"rotate(0deg)",transformOrigin:"50% 50%",transition:"transform .1s linear"}]:{transform:(0,r.getRTL)(m)?"rotate(-90deg)":"rotate(90deg)",transformOrigin:"50% 50%",transition:"transform .1s linear"}],title:[x.title,{paddingLeft:b,fontSize:v?C.medium.fontSize:C.mediumPlus.fontSize,fontWeight:f?n.FontWeights.regular:n.FontWeights.semibold,cursor:"pointer",outline:0,whiteSpace:"nowrap",textOverflow:"ellipsis",overflow:"hidden"}],dropIcon:[x.dropIcon,{position:"absolute",left:-26,fontSize:n.IconFontSizes.large,color:S.neutralSecondary,transition:"transform ".concat(n.AnimationVariables.durationValue2," ").concat("cubic-bezier(0.600, -0.280, 0.735, 0.045)",", ")+"opacity ".concat(n.AnimationVariables.durationValue4," ").concat(c),opacity:0,transform:"rotate(0.2deg) scale(0.65)",transformOrigin:"10px 10px",selectors:(p={},p[":global(.".concat(x.iconTag,")")]={position:"absolute"},p)}]}}},49523:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.GroupShowAllBase=void 0;var n=o(83923),r=o(83923),i=o(71061),a=o(12329),s=o(30396),l=(0,i.classNamesFunction)();t.GroupShowAllBase=function(e){var t=e.group,o=e.groupLevel,i=e.showAllLinkText,c=void 0===i?"Show All":i,u=e.styles,d=e.theme,p=e.onToggleSummarize,m=l(u,{theme:d}),g=(0,r.useCallback)((function(e){p(t),e.stopPropagation(),e.preventDefault()}),[p,t]);return t?n.createElement("div",{className:m.root},n.createElement(s.GroupSpacer,{count:o}),n.createElement(a.Link,{onClick:g},c)):null}},54414:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.GroupShowAll=void 0;var n=o(71061),r=o(25992),i=o(49523);t.GroupShowAll=(0,n.styled)(i.GroupShowAllBase,r.getStyles,void 0,{scope:"GroupShowAll"})},25992:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r={root:"ms-GroupShowAll",link:"ms-Link"};t.getStyles=function(e){var t,o=e.theme,i=o.fonts,a=(0,n.getGlobalClassNames)(r,o);return{root:[a.root,{position:"relative",padding:"10px 84px",cursor:"pointer",selectors:(t={},t[".".concat(a.link)]={fontSize:i.small.fontSize},t)}]}}},30396:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.GroupSpacer=t.SPACER_WIDTH=void 0;var n=o(83923);t.SPACER_WIDTH=36,t.GroupSpacer=function(e){var o=e.count,r=e.indentWidth,i=void 0===r?t.SPACER_WIDTH:r,a=e.role,s=void 0===a?"presentation":a,l=o*i;return o>0?n.createElement("span",{className:"ms-GroupSpacer",style:{display:"inline-block",width:l},role:s}):null}},60767:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},96254:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.GroupedListBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(67154),s=o(2133),l=o(18055),c=o(43937),u=o(80371),d=(0,i.classNamesFunction)(),p=c.DEFAULT_ROW_HEIGHTS.rowHeight,m=c.DEFAULT_ROW_HEIGHTS.compactRowHeight,g=function(e){function t(t){var o=e.call(this,t)||this;o._list=r.createRef(),o._renderGroup=function(e,t){var i=o.props,s=i.dragDropEvents,l=i.dragDropHelper,c=i.eventsToRegister,u=i.groupProps,d=i.items,p=i.listProps,m=i.onRenderCell,g=i.selectionMode,h=i.selection,f=i.viewport,v=i.onShouldVirtualize,b=i.groups,y=i.compact,_={onToggleSelectGroup:o._onToggleSelectGroup,onToggleCollapse:o._onToggleCollapse,onToggleSummarize:o._onToggleSummarize},S=n.__assign(n.__assign({},u.headerProps),_),C=n.__assign(n.__assign({},u.showAllProps),_),x=n.__assign(n.__assign({},u.footerProps),_),P=o._getGroupNestingDepth();if(!u.showEmptyGroups&&e&&0===e.count)return null;var k=n.__assign(n.__assign({},p||{}),{version:o.state.version});return r.createElement(a.GroupedListSection,{key:o._getGroupKey(e,t),dragDropEvents:s,dragDropHelper:l,eventsToRegister:c,footerProps:x,getGroupItemLimit:u&&u.getGroupItemLimit,group:e,groupIndex:t,groupNestingDepth:P,groupProps:u,headerProps:S,listProps:k,items:d,onRenderCell:m,onRenderGroupHeader:u.onRenderHeader,onRenderGroupShowAll:u.onRenderShowAll,onRenderGroupFooter:u.onRenderFooter,selectionMode:g,selection:h,showAllProps:C,viewport:f,onShouldVirtualize:v,groupedListClassNames:o._classNames,groups:b,compact:y})},o._getDefaultGroupItemLimit=function(e){return e.children&&e.children.length>0?e.children.length:e.count},o._getGroupItemLimit=function(e){var t=o.props.groupProps;return(t&&t.getGroupItemLimit?t.getGroupItemLimit:o._getDefaultGroupItemLimit)(e)},o._getGroupHeight=function(e){var t=o.props.compact?m:p;return t+(e.isCollapsed?0:t*o._getGroupItemLimit(e))},o._getPageHeight=function(e){var t=o.state.groups,n=o.props.getGroupHeight,r=void 0===n?o._getGroupHeight:n,i=t&&t[e];return i?r(i,e):0},o._onToggleCollapse=function(e){var t=o.props.groupProps,n=t&&t.headerProps&&t.headerProps.onToggleCollapse;e&&(n&&n(e),e.isCollapsed=!e.isCollapsed,o._updateIsSomeGroupExpanded(),o.forceUpdate())},o._onToggleSelectGroup=function(e){var t=o.props,n=t.selection,r=t.selectionMode;e&&n&&r===l.SelectionMode.multiple&&n.toggleRangeSelected(e.startIndex,e.count)},o._isInnerZoneKeystroke=function(e){return e.which===(0,i.getRTLSafeKeyCode)(i.KeyCodes.right)},o._onToggleSummarize=function(e){var t=o.props.groupProps,n=t&&t.showAllProps&&t.showAllProps.onToggleSummarize;n?n(e):(e&&(e.isShowingAll=!e.isShowingAll),o.forceUpdate())},o._getPageSpecification=function(e){var t=o.state.groups,n=t&&t[e];return{key:n&&n.key}},(0,i.initializeComponentRef)(o),o._isSomeGroupExpanded=o._computeIsSomeGroupExpanded(t.groups);var s=t.listProps,c=(void 0===s?{}:s).version,u=void 0===c?{}:c;return o.state={groups:t.groups,items:t.items,listProps:t.listProps,version:u},o}return n.__extends(t,e),t.getDerivedStateFromProps=function(e,t){var o=e.groups,r=e.selectionMode,i=e.compact,a=e.items,s=e.listProps,l=s&&s.version,c=n.__assign(n.__assign({},t),{selectionMode:r,compact:i,groups:o,listProps:s,items:a}),u=!1;return l===(t.listProps&&t.listProps.version)&&a===t.items&&o===t.groups&&r===t.selectionMode&&i===t.compact||(u=!0),u&&(c=n.__assign(n.__assign({},c),{version:{}})),c},t.prototype.scrollToIndex=function(e,t,o){this._list.current&&this._list.current.scrollToIndex(e,t,o)},t.prototype.getStartItemIndexInView=function(){return this._list.current.getStartItemIndexInView()||0},t.prototype.componentDidMount=function(){var e=this.props,t=e.groupProps,o=e.groups,n=void 0===o?[]:o;t&&t.isAllGroupsCollapsed&&this._setGroupsCollapsedState(n,t.isAllGroupsCollapsed)},t.prototype.render=function(){var e=this.props,t=e.className,o=e.usePageCache,a=e.onShouldVirtualize,l=e.theme,c=e.role,p=void 0===c?"treegrid":c,m=e.styles,g=e.compact,h=e.focusZoneProps,f=void 0===h?{}:h,v=e.rootListProps,b=void 0===v?{}:v,y=this.state,_=y.groups,S=y.version;this._classNames=d(m,{theme:l,className:t,compact:g});var C=f.shouldEnterInnerZone,x=void 0===C?this._isInnerZoneKeystroke:C;return r.createElement(u.FocusZone,n.__assign({direction:u.FocusZoneDirection.vertical,"data-automationid":"GroupedList","data-is-scrollable":"false",role:"presentation"},f,{shouldEnterInnerZone:x,className:(0,i.css)(this._classNames.root,f.className)}),r.createElement(i.FocusRects,null),_?r.createElement(s.List,n.__assign({ref:this._list,role:p,items:_,onRenderCell:this._renderGroup,getItemCountForPage:this._returnOne,getPageHeight:this._getPageHeight,getPageSpecification:this._getPageSpecification,usePageCache:o,onShouldVirtualize:a,version:S},b)):this._renderGroup(void 0,0))},t.prototype.forceUpdate=function(){e.prototype.forceUpdate.call(this),this._forceListUpdates()},t.prototype.toggleCollapseAll=function(e){var t=this.state.groups,o=void 0===t?[]:t,n=this.props.groupProps,r=n&&n.onToggleCollapseAll;o.length>0&&(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:l.SelectionMode.multiple,isHeaderVisible:!0,groupProps:{},compact:!1},t}(r.Component);t.GroupedListBase=g},13849:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.GroupedList=void 0;var n=o(71061),r=o(24781),i=o(96254);t.GroupedList=(0,n.styled)(i.GroupedListBase,r.getStyles,void 0,{scope:"GroupedList"})},24781:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r={root:"ms-GroupedList",compact:"ms-GroupedList--Compact",group:"ms-GroupedList-group",link:"ms-Link",listCell:"ms-List-cell"};t.getStyles=function(e){var t,o,i=e.theme,a=e.className,s=e.compact,l=i.palette,c=(0,n.getGlobalClassNames)(r,i);return{root:[c.root,i.fonts.small,{position:"relative",selectors:(t={},t[".".concat(c.listCell)]={minHeight:38},t)},s&&[c.compact,{selectors:(o={},o[".".concat(c.listCell)]={minHeight:32},o)}],a],group:[c.group,{transition:"background-color ".concat(n.AnimationVariables.durationValue2," ").concat("cubic-bezier(0.445, 0.050, 0.550, 0.950)")}],groupIsDropping:{backgroundColor:l.neutralLight}}}},88578:(e,t)=>{"use strict";var o;Object.defineProperty(t,"__esModule",{value:!0}),t.CollapseAllVisibility=void 0,(o=t.CollapseAllVisibility||(t.CollapseAllVisibility={}))[o.hidden=0]="hidden",o[o.visible=1]="visible"},67154:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.GroupedListSection=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(18055),s=o(89965),l=o(54414),c=o(48143),u=o(2133),d=function(e){function t(o){var a=e.call(this,o)||this;a._root=r.createRef(),a._list=r.createRef(),a._subGroupRefs={},a._droppingClassName="",a._onRenderGroupHeader=function(e){return r.createElement(s.GroupHeader,n.__assign({},e))},a._onRenderGroupShowAll=function(e){return r.createElement(l.GroupShowAll,n.__assign({},e))},a._onRenderGroupFooter=function(e){return r.createElement(c.GroupFooter,n.__assign({},e))},a._renderSubGroup=function(e,o){var n=a.props,i=n.dragDropEvents,s=n.dragDropHelper,l=n.eventsToRegister,c=n.getGroupItemLimit,u=n.groupNestingDepth,d=n.groupProps,p=n.items,m=n.headerProps,g=n.showAllProps,h=n.footerProps,f=n.listProps,v=n.onRenderCell,b=n.selection,y=n.selectionMode,_=n.viewport,S=n.onRenderGroupHeader,C=n.onRenderGroupShowAll,x=n.onRenderGroupFooter,P=n.onShouldVirtualize,k=n.group,I=n.compact,w=e.level?e.level+1:u;return!e||e.count>0||d&&d.showEmptyGroups?r.createElement(t,{ref:function(e){return a._subGroupRefs["subGroup_"+o]=e},key:a._getGroupKey(e,o),dragDropEvents:i,dragDropHelper:s,eventsToRegister:l,footerProps:h,getGroupItemLimit:c,group:e,groupIndex:o,groupNestingDepth:w,groupProps:d,headerProps:m,items:p,listProps:f,onRenderCell:v,selection:b,selectionMode:y,showAllProps:g,viewport:_,onRenderGroupHeader:S,onRenderGroupShowAll:C,onRenderGroupFooter:x,onShouldVirtualize:P,groups:k?k.children:[],compact:I}):null},a._getGroupDragDropOptions=function(){var e=a.props,t=e.group,o=e.groupIndex,n=e.dragDropEvents;return{eventMap:e.eventsToRegister,selectionIndex:-1,context:{data:t,index:o,isGroup:!0},updateDropState:a._updateDroppingState,canDrag:n.canDrag,canDrop:n.canDrop,onDrop:n.onDrop,onDragStart:n.onDragStart,onDragEnter:n.onDragEnter,onDragLeave:n.onDragLeave,onDragEnd:n.onDragEnd,onDragOver:n.onDragOver}},a._updateDroppingState=function(e,t){var o=a.state.isDropping,n=a.props,r=n.dragDropEvents,i=n.group;o!==e&&(o?r&&r.onDragLeave&&r.onDragLeave(i,t):r&&r.onDragEnter&&(a._droppingClassName=r.onDragEnter(i,t)),a.setState({isDropping:e}))};var u=o.selection,d=o.group;return(0,i.initializeComponentRef)(a),a._id=(0,i.getId)("GroupedListSection"),a.state={isDropping:!1,isSelected:!(!u||!d)&&u.isRangeSelected(d.startIndex,d.count)},a._events=new i.EventGroup(a),a}return n.__extends(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,a.SELECTION_CHANGE,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,a=e.groupIndex,s=e.headerProps,l=e.showAllProps,c=e.footerProps,d=e.viewport,p=e.selectionMode,m=e.onRenderGroupHeader,g=void 0===m?this._onRenderGroupHeader:m,h=e.onRenderGroupShowAll,f=void 0===h?this._onRenderGroupShowAll:h,v=e.onRenderGroupFooter,b=void 0===v?this._onRenderGroupFooter:v,y=e.onShouldVirtualize,_=e.groupedListClassNames,S=e.groups,C=e.compact,x=e.listProps,P=void 0===x?{}:x,k=this.state.isSelected,I=o&&t?t(o):1/0,w=o&&!o.children&&!o.isCollapsed&&!o.isShowingAll&&(o.count>I||o.hasMoreData),T=o&&o.children&&o.children.length>0,E=P.version,D={group:o,groupIndex:a,groupLevel:o?o.level:0,isSelected:k,selected:k,viewport:d,selectionMode:p,groups:S,compact:C},M={groupedListId:this._id,ariaLevel:(null==o?void 0:o.level)?o.level+1:1,ariaSetSize:S?S.length:void 0,ariaPosInSet:void 0!==a?a+1:void 0},O=n.__assign(n.__assign(n.__assign({},s),D),M),R=n.__assign(n.__assign({},l),D),F=n.__assign(n.__assign({},c),D),B=!!this.props.dragDropHelper&&this._getGroupDragDropOptions().canDrag(o)&&!!this.props.dragDropEvents.canDragGroups;return r.createElement("div",n.__assign({ref:this._root},B&&{draggable:!0},{className:(0,i.css)(_&&_.group,this._getDroppingClassName()),role:"presentation"}),g(O,this._onRenderGroupHeader),o&&o.isCollapsed?null:T?r.createElement(u.List,{role:"presentation",ref:this._list,items:o?o.children:[],onRenderCell:this._renderSubGroup,getItemCountForPage:this._returnOne,onShouldVirtualize:y,version:E,id:this._id}):this._onRenderGroup(I),o&&o.isCollapsed?null:w&&f(R,this._onRenderGroupShowAll),b(F,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;o=0;)i.push({group:e[s],groupIndex:s+1}),s--;for(;i.length>0;){var l=i.pop(),c=l.group,u=l.groupIndex;for(o[r]={group:c,groupId:(0,a.getId)("GroupedListSection"),type:"header",groupIndex:u},r++;!0!==c.isCollapsed&&(null==c?void 0:c.children)&&c.children.length>0;){for(s=c.children.length-1;s>0;)i.push({group:c.children[s],groupIndex:s+1}),s--;c=c.children[0],o[r]={group:c,groupId:(0,a.getId)("GroupedListSection"),type:"header",groupIndex:1},r++}if(!0!==c.isCollapsed){for(var d=c.startIndex,p=n?n(c):1/0,m=c.isShowingAll?t.length:c.count,g=d+Math.min(m,p);dp||c.hasMoreData)&&(o[r]={group:c,type:"showAll"},r++)}o[r]={group:c,type:"footer"},r++}return o.length=r,o}(I,k,$.current,null==p?void 0:p.getGroupItemLimit)}),[I,null==p?void 0:p.getGroupItemLimit,k,ae,$,V]),de=i.useCallback((function(e){var t=ue[e];return{key:"header"===t.type?t.group.key:void 0}}),[ue]);i.useImperativeHandle(W,(function(){var e;return{scrollToIndex:function(t,o,n){var r,i=(e=null!=e?e:ue.reduce((function(e,t,o){return"item"===t.type&&(e[t.itemIndex]=o),e}),[]))[t],a="function"==typeof o?function(e){var t;return"item"===(null===(t=ue[e])||void 0===t?void 0:t.type)?o(ue[e].itemIndex):0}:void 0;null===(r=te.current)||void 0===r||r.scrollToIndex(i,a,n)},getStartItemIndexInView:function(){var e;return(null===(e=te.current)||void 0===e?void 0:e.getStartItemIndexInView())||0}}}),[ue,te]),i.useEffect((function(){return(null==p?void 0:p.isAllGroupsCollapsed)&&g(I,p.isAllGroupsCollapsed),J.current=new a.EventGroup(n),function(){var e;null===(e=J.current)||void 0===e||e.dispose(),J.current=void 0}}),[]),i.useEffect((function(){re({})}),[K]),i.useEffect((function(){var e=m(I);e!==ee.current&&(ee.current=e,null==w||w(e))}),[I,ae,w,V]);var pe=i.useCallback((function(e){var t,o=null===(t=null==p?void 0:p.headerProps)||void 0===t?void 0:t.onToggleCollapse;e&&(null==o||o(e),e.isCollapsed=!e.isCollapsed,se({}),re({}))}),[se,p]),me=function(e){e&&t&&u===l.SelectionMode.multiple&&t.toggleRangeSelected(e.startIndex,e.count)},ge=function(e){var t,o=null===(t=null==p?void 0:p.showAllProps)||void 0===t?void 0:t.onToggleSummarize;o?o(e):(e&&(e.isShowingAll=!e.isShowingAll),re({}),se({}))},he=function(e,t){var o;return{group:e,groupIndex:t,groupLevel:null!==(o=e.level)&&void 0!==o?o:0,viewport:z,selectionMode:u,groups:I,compact:x,onToggleSelectGroup:me,onToggleCollapse:pe,onToggleSummarize:ge}};return i.createElement(c.FocusZone,r.__assign({direction:c.FocusZoneDirection.vertical,"data-automationid":"GroupedList","data-is-scrollable":"false",role:"presentation"},N,{shouldEnterInnerZone:ce,className:(0,a.css)(Q.root,N.className)}),i.createElement(s.List,r.__assign({ref:te,role:F,items:ue,onRenderCellConditional:function(e,o){var n;if("header"===e.type)return function(e,o){var n,a=e.group;n="treegrid"===F?{ariaLevel:a.level?a.level+1:1,ariaSetSize:I?I.length:void 0,ariaPosInSet:e.groupIndex}:{ariaRowIndex:o};var s=r.__assign(r.__assign(r.__assign(r.__assign({},p.headerProps),he(e.group,o)),{key:a.key,groupedListId:e.groupId}),n);return i.createElement(S,{render:U,defaultRender:b,item:e,selection:t,eventGroup:J.current,props:s})}(e,o);if("showAll"===e.type)return function(e,t){var o=e.group,n=r.__assign(r.__assign(r.__assign({},p.showAllProps),he(o,t)),{key:o.key?"".concat(o.key,"-show-all"):void 0});return Z(n,y)}(e,o);if("footer"===e.type)return function(e,t){var o=e.group,n=r.__assign(r.__assign(r.__assign({},p.footerProps),he(o,t)),{key:o.key?"".concat(o.key,"-footer"):void 0});return q(n,_)}(e,o);var a=e.group.level?e.group.level+1:1;return j(a,e.item,null!==(n=e.itemIndex)&&void 0!==n?n:o,e.group)},usePageCache:D,onShouldVirtualize:M,getPageSpecification:de,version:ne,getKey:v},T,H)))};var S=function(e){var t=e.render,o=e.defaultRender,n=e.item,a=e.selection,s=e.eventGroup,c=e.props,u=n.group,d=function(e,t,o,n){var r=i.useState((function(){var n;return null!==(n=null==o?void 0:o.isRangeSelected(e,t))&&void 0!==n&&n})),a=r[0],s=r[1];return i.useEffect((function(){if(o&&n){var r=function(){var n;s(null!==(n=null==o?void 0:o.isRangeSelected(e,t))&&void 0!==n&&n)};return n.on(o,l.SELECTION_CHANGE,r),function(){null==n||n.off(o,l.SELECTION_CHANGE,r)}}}),[e,t,o,n]),a}(u.startIndex,u.count,a,s);return t(r.__assign(r.__assign({},c),{isSelected:d,selected:d}),o)},C=function(e){function o(t){var o=e.call(this,t)||this;o._groupedList=i.createRef(),(0,a.initializeComponentRef)(o);var n=t.listProps,r=(void 0===n?{}:n).version,s=void 0===r?{}:r,l=t.groups;return o.state={version:s,groupExpandedVersion:{},groups:l},o}return r.__extends(o,e),o.getDerivedStateFromProps=function(e,t){var o=e.groups,n=e.selectionMode,i=e.compact,a=e.items,s=e.listProps,l=s&&s.version,c=r.__assign(r.__assign({},t),{groups:o});return l===t.version&&a===t.items&&o===t.groups&&n===t.selectionMode&&i===t.compact||(c.version={}),c},o.prototype.scrollToIndex=function(e,t,o){var n;null===(n=this._groupedList.current)||void 0===n||n.scrollToIndex(e,t,o)},o.prototype.getStartItemIndexInView=function(){var e;return(null===(e=this._groupedList.current)||void 0===e?void 0:e.getStartItemIndexInView())||0},o.prototype.render=function(){return i.createElement(t.GroupedListV2FC,r.__assign({},this.props,this.state,{groupedListRef:this._groupedList}))},o.prototype.forceUpdate=function(){e.prototype.forceUpdate.call(this),this._forceListUpdate()},o.prototype.toggleCollapseAll=function(e){var t,o=this.state.groups,n=this.props.groupProps;o&&o.length>0&&(null===(t=null==n?void 0:n.onToggleCollapseAll)||void 0===t||t.call(n,e),g(o,e),this.setState({groupExpandedVersion:{}}),this.forceUpdate())},o.prototype._forceListUpdate=function(){this.setState({version:{}})},o.displayName="GroupedListV2",o}(i.Component);t.GroupedListV2Wrapper=C},68961:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.GroupedListV2_unstable=void 0;var n=o(71061),r=o(24781),i=o(45350),a=(0,n.styled)(i.GroupedListV2Wrapper,r.getStyles,void 0,{scope:"GroupedListV2"});t.GroupedListV2_unstable=a,a.displayName="GroupedListV2_unstable"},48170:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},54659:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.GroupSpacer=void 0;var n=o(31635);n.__exportStar(o(13849),t),n.__exportStar(o(96254),t),n.__exportStar(o(88578),t),n.__exportStar(o(89965),t),n.__exportStar(o(48143),t),n.__exportStar(o(54414),t);var r=o(30396);Object.defineProperty(t,"GroupSpacer",{enumerable:!0,get:function(){return r.GroupSpacer}}),n.__exportStar(o(60767),t),n.__exportStar(o(67154),t),n.__exportStar(o(68961),t),n.__exportStar(o(45350),t),n.__exportStar(o(48170),t)},51158:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.CardCallout=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(42502),s=o(16473);t.CardCallout=function(e){var t=e.gapSpace,o=void 0===t?0:t,l=e.directionalHint,c=void 0===l?a.DirectionalHint.bottomLeftEdge:l,u=e.directionalHintFixed,d=e.targetElement,p=e.firstFocus,m=e.trapFocus,g=e.onLeave,h=e.className,f=e.finalHeight,v=e.content,b=e.calloutProps,y=n.__assign(n.__assign(n.__assign({},(0,i.getNativeProps)(e,i.divProperties)),{className:h,target:d,isBeakVisible:!1,directionalHint:c,directionalHintFixed:u,finalHeight:f,minPagePadding:24,onDismiss:g,gapSpace:o}),b);return r.createElement(r.Fragment,null,m?r.createElement(s.FocusTrapCallout,n.__assign({},y,{focusTrapProps:{forceFocusInsideTrap:!1,isClickableOutsideFocusTrap:!0,disableFirstFocus:!p}}),v):r.createElement(s.Callout,n.__assign({},y),v))}},36876:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ExpandingCardBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(87688),s=o(51158),l=(0,i.classNamesFunction)(),c=function(e){function t(t){var o=e.call(this,t)||this;return o._expandedElem=r.createRef(),o._onKeyDown=function(e){e.which===i.KeyCodes.escape&&o.props.onLeave&&o.props.onLeave(e)},o._onRenderCompactCard=function(){return r.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})})),r.createElement("div",{className:o._classNames.expandedCard,ref:o._expandedElem},r.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 i.Async(o),(0,i.initializeComponentRef)(o),o.state={firstFrameRendered:!1,needsScroll:!1},o}return n.__extends(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,i=e.expandedCardHeight,c=e.theme,u=e.mode,d=e.className,p=this.state,m=p.needsScroll,g=p.firstFrameRendered,h=o+i;this._classNames=l(t,{theme:c,compactCardHeight:o,className:d,expandedCardHeight:i,needsScroll:m,expandedCardFirstFrameRendered:u===a.ExpandingCardMode.expanded&&g});var f=r.createElement("div",{onMouseEnter:this.props.onEnter,onMouseLeave:this.props.onLeave,onKeyDown:this._onKeyDown},this._onRenderCompactCard(),this._onRenderExpandedCard());return r.createElement(s.CardCallout,n.__assign({},this.props,{content:f,finalHeight:h,className:this._classNames.root}))},t.defaultProps={compactCardHeight:156,expandedCardHeight:384,directionalHintFixed:!0},t}(r.Component);t.ExpandingCardBase=c},8383:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ExpandingCard=void 0;var n=o(71061),r=o(51459),i=o(36876);t.ExpandingCard=(0,n.styled)(i.ExpandingCardBase,r.getStyles,void 0,{scope:"ExpandingCard"})},51459:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r={root:"ms-ExpandingCard-root",compactCard:"ms-ExpandingCard-compactCard",expandedCard:"ms-ExpandingCard-expandedCard",expandedCardScroll:"ms-ExpandingCard-expandedCardScrollRegion"};t.getStyles=function(e){var t,o=e.theme,i=e.needsScroll,a=e.expandedCardFirstFrameRendered,s=e.compactCardHeight,l=e.expandedCardHeight,c=e.className,u=o.palette,d=(0,n.getGlobalClassNames)(r,o);return{root:[d.root,{width:320,pointerEvents:"none",selectors:(t={},t[n.HighContrastSelector]={border:"1px solid WindowText"},t)},c],compactCard:[d.compactCard,{pointerEvents:"auto",position:"relative",height:s}],expandedCard:[d.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:u.neutralLighter}}},a&&{height:l}],expandedCardScroll:[d.expandedCardScroll,i&&{height:"100%",boxSizing:"border-box",overflowY:"auto"}]}}},87688:(e,t)=>{"use strict";var o;Object.defineProperty(t,"__esModule",{value:!0}),t.ExpandingCardMode=void 0,(o=t.ExpandingCardMode||(t.ExpandingCardMode={}))[o.compact=0]="compact",o[o.expanded=1]="expanded"},67530:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.HoverCardBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(61534),s=o(8383),l=o(87688),c=o(97734),u=(0,i.classNamesFunction)(),d=function(e){function t(t){var o=e.call(this,t)||this;return o._hoverCard=r.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:l.ExpandingCardMode.compact,openMode:"keydown"===e.type?a.OpenCardMode.hotKey:a.OpenCardMode.hover}}))}),o.props.cardOpenDelay)},o._cardDismiss=function(e,t){if(e){if(!(t instanceof MouseEvent))return;if("keydown"===t.type&&t.which!==i.KeyCodes.escape)return;o.props.sticky||o._currentMouseTarget!==t.currentTarget&&t.which!==i.KeyCodes.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:l.ExpandingCardMode.compact,openMode:a.OpenCardMode.hover})},o._instantOpenAsExpanded=function(e){o._async.clearTimeout(o._dismissTimerId),o.setState((function(e){return e.isHoverCardVisible?e:{isHoverCardVisible:!0,mode:l.ExpandingCardMode.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,i.initializeComponentRef)(o),o._async=new i.Async(o),o._events=new i.EventGroup(o),o._nativeDismissEvent=o._cardDismiss.bind(o,!0),o._childDismissEvent=o._cardDismiss.bind(o,!1),o.state={isHoverCardVisible:!1,mode:l.ExpandingCardMode.compact,openMode:a.OpenCardMode.hover},o}return n.__extends(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:l.ExpandingCardMode.expanded},(function(){o.props.onCardExpand&&o.props.onCardExpand()}))}),this.props.expandedCardOpenDelay),this.props.onCardVisible&&this.props.onCardVisible()):(this.setState({mode:l.ExpandingCardMode.compact}),this.props.onCardHide&&this.props.onCardHide()))},t.prototype.render=function(){var e=this.props,t=e.expandingCardProps,o=e.children,l=e.id,d=e.setAriaDescribedBy,p=void 0===d||d,m=e.styles,g=e.theme,h=e.className,f=e.type,v=e.plainCardProps,b=e.trapFocus,y=e.setInitialFocus,_=this.state,S=_.isHoverCardVisible,C=_.mode,x=_.openMode,P=l||(0,i.getId)("hoverCard");this._classNames=u(m,{theme:g,className:h});var k=n.__assign(n.__assign({},(0,i.getNativeProps)(this.props,i.divProperties)),{id:P,trapFocus:!!b,firstFocus:y||x===a.OpenCardMode.hotKey,targetElement:this._getTargetElement(this.props.target),onEnter:this._cardOpen,onLeave:this._childDismissEvent}),I=n.__assign(n.__assign(n.__assign({},t),k),{mode:C}),w=n.__assign(n.__assign({},v),k);return r.createElement("div",{className:this._classNames.host,ref:this._hoverCard,"aria-describedby":p&&S?P:void 0,"data-is-focusable":!this.props.target},o,S&&(f===a.HoverCardType.expanding?r.createElement(s.ExpandingCard,n.__assign({},I)):r.createElement(c.PlainCard,n.__assign({},w))))},t.prototype._getTargetElement=function(e){switch(typeof e){case"string":return(0,i.getDocument)().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:i.KeyCodes.c,type:a.HoverCardType.expanding},t}(r.Component);t.HoverCardBase=d},95741:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.HoverCard=void 0;var n=o(71061),r=o(56265),i=o(67530);t.HoverCard=(0,n.styled)(i.HoverCardBase,r.getStyles,void 0,{scope:"HoverCard"})},56265:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r={host:"ms-HoverCard-host"};t.getStyles=function(e){var t=e.className,o=e.theme;return{host:[(0,n.getGlobalClassNames)(r,o).host,t]}}},61534:(e,t)=>{"use strict";var o,n;Object.defineProperty(t,"__esModule",{value:!0}),t.HoverCardType=t.OpenCardMode=void 0,(n=t.OpenCardMode||(t.OpenCardMode={}))[n.hover=0]="hover",n[n.hotKey=1]="hotKey",(o=t.HoverCardType||(t.HoverCardType={})).plain="PlainCard",o.expanding="ExpandingCard"},61067:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.PlainCardBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(51158),s=(0,i.classNamesFunction)(),l=function(e){function t(t){var o=e.call(this,t)||this;return o._onKeyDown=function(e){e.which===i.KeyCodes.escape&&o.props.onLeave&&o.props.onLeave(e)},(0,i.initializeComponentRef)(o),o}return n.__extends(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.theme,i=e.className;this._classNames=s(t,{theme:o,className:i});var l=r.createElement("div",{onMouseEnter:this.props.onEnter,onMouseLeave:this.props.onLeave,onKeyDown:this._onKeyDown},this.props.onRenderPlainCard(this.props.renderData));return r.createElement(a.CardCallout,n.__assign({},this.props,{content:l,className:this._classNames.root}))},t}(r.Component);t.PlainCardBase=l},97734:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.PlainCard=void 0;var n=o(71061),r=o(3168),i=o(61067);t.PlainCard=(0,n.styled)(i.PlainCardBase,r.getStyles,void 0,{scope:"PlainCard"})},3168:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r={root:"ms-PlainCard-root"};t.getStyles=function(e){var t,o=e.theme,i=e.className;return{root:[(0,n.getGlobalClassNames)(r,o).root,{pointerEvents:"auto",selectors:(t={},t[n.HighContrastSelector]={border:"1px solid WindowText"},t)},i]}}},27201:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},39801:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(95741),t),n.__exportStar(o(67530),t),n.__exportStar(o(61534),t),n.__exportStar(o(8383),t),n.__exportStar(o(36876),t),n.__exportStar(o(87688),t),n.__exportStar(o(97734),t),n.__exportStar(o(61067),t),n.__exportStar(o(27201),t)},56756:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getFontIcon=t.FontIcon=t.getIconContent=void 0;var n=o(31635),r=o(83923),i=o(10065),a=o(71061),s=o(15019);t.getIconContent=(0,a.memoizeFunction)((function(e){var t=(0,s.getIcon)(e)||{subset:{},code:void 0},o=t.code,n=t.subset;return o?{children:o,iconClassName:n.className,fontFamily:n.fontFace&&n.fontFace.fontFamily,mergeImageProps:n.mergeImageProps}:null}),void 0,!0),t.FontIcon=function(e){var o=e.iconName,s=e.className,l=e.style,c=void 0===l?{}:l,u=(0,t.getIconContent)(o)||{},d=u.iconClassName,p=u.children,m=u.fontFamily,g=u.mergeImageProps,h=(0,a.getNativeProps)(e,a.htmlElementProperties),f=e["aria-label"]||e.title,v=e["aria-label"]||e["aria-labelledby"]||e.title?{role:g?void 0:"img"}:{"aria-hidden":!0},b=p;return g&&"object"==typeof p&&"object"==typeof p.props&&f&&(b=r.cloneElement(p,{alt:f})),r.createElement("i",n.__assign({"data-icon-name":o},v,h,g?{title:void 0,"aria-label":void 0}:{},{className:(0,a.css)(i.MS_ICON,i.classNames.root,d,!o&&i.classNames.placeholder,s),style:n.__assign({fontFamily:m},c)}),b)},t.getFontIcon=(0,a.memoizeFunction)((function(e,o,n){return(0,t.FontIcon)({iconName:e,className:o,"aria-label":n})}))},38802:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.IconBase=void 0;var n=o(31635),r=o(83923),i=o(69318),a=o(60305),s=o(64186),l=o(71061),c=o(56756),u=(0,l.classNamesFunction)({cacheSize:100}),d=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.ImageLoadState.error&&o.setState({imageLoadError:!0})},o.state={imageLoadError:!1},o}return n.__extends(t,e),t.prototype.render=function(){var e=this.props,t=e.children,o=e.className,s=e.styles,d=e.iconName,p=e.imageErrorAs,m=e.theme,g="string"==typeof d&&0===d.length,h=!!this.props.imageProps||this.props.iconType===i.IconType.image||this.props.iconType===i.IconType.Image,f=(0,c.getIconContent)(d)||{},v=f.iconClassName,b=f.children,y=f.mergeImageProps,_=u(s,{theme:m,className:o,iconClassName:v,isImage:h,isPlaceholder:g}),S=h?"span":"i",C=(0,l.getNativeProps)(this.props,l.htmlElementProperties,["aria-label"]),x=this.state.imageLoadError,P=n.__assign(n.__assign({},this.props.imageProps),{onLoadingStateChange:this._onImageLoadingStateChange}),k=x&&p||a.Image,I=this.props["aria-label"]||this.props.ariaLabel,w=P.alt||I||this.props.title,T=w||this.props["aria-labelledby"]||P["aria-label"]||P["aria-labelledby"]?{role:h||y?void 0:"img","aria-label":h||y?void 0:w}:{"aria-hidden":!0},E=b;return y&&b&&"object"==typeof b&&w&&(E=r.cloneElement(b,{alt:w})),r.createElement(S,n.__assign({"data-icon-name":d},T,C,y?{title:void 0,"aria-label":void 0}:{},{className:_.root}),h?r.createElement(k,n.__assign({},P)):t||E)},t}(r.Component);t.IconBase=d},57573:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Icon=void 0;var n=o(71061),r=o(38802),i=o(10065);t.Icon=(0,n.styled)(r.IconBase,i.getStyles,void 0,{scope:"Icon"},!0),t.Icon.displayName="Icon"},10065:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=t.MS_ICON=t.classNames=void 0;var n=o(15019);t.classNames=(0,n.mergeStyleSets)({root:{display:"inline-block"},placeholder:["ms-Icon-placeHolder",{width:"1em"}],image:["ms-Icon-imageContainer",{overflow:"hidden"}]}),t.MS_ICON="ms-Icon",t.getStyles=function(e){var o=e.className,n=e.iconClassName,r=e.isPlaceholder,i=e.isImage,a=e.styles;return{root:[r&&t.classNames.placeholder,t.classNames.root,i&&t.classNames.image,n,o,a&&a.root,a&&a.imageContainer]}}},69318:(e,t)=>{"use strict";var o;Object.defineProperty(t,"__esModule",{value:!0}),t.IconType=void 0,(o=t.IconType||(t.IconType={}))[o.default=0]="default",o[o.image=1]="image",o[o.Default=1e5]="Default",o[o.Image=100001]="Image"},83538:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ImageIcon=void 0;var n=o(31635),r=o(83923),i=o(60305),a=o(71061),s=o(10065);t.ImageIcon=function(e){var t=e.className,o=e.imageProps,l=(0,a.getNativeProps)(e,a.htmlElementProperties,["aria-label","aria-labelledby","title","aria-describedby"]),c=o.alt||e["aria-label"],u=c||e["aria-labelledby"]||e.title||o["aria-label"]||o["aria-labelledby"]||o.title,d={"aria-labelledby":e["aria-labelledby"],"aria-describedby":e["aria-describedby"],title:e.title},p=u?{}:{"aria-hidden":!0};return r.createElement("div",n.__assign({},p,l,{className:(0,a.css)(s.MS_ICON,s.classNames.root,s.classNames.image,t)}),r.createElement(i.Image,n.__assign({},d,o,{alt:u?c:""})))}},6322:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(57573),t),n.__exportStar(o(38802),t),n.__exportStar(o(69318),t),n.__exportStar(o(56756),t),n.__exportStar(o(83538),t)},89206:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ImageBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(64186),s=o(25698),l=(0,i.classNamesFunction)(),c=/\.svg$/i;t.ImageBase=r.forwardRef((function(e,t){var o=r.useRef(),u=r.useRef(),d=function(e,t){var o=e.onLoadingStateChange,n=e.onLoad,i=e.onError,l=e.src,u=r.useState(a.ImageLoadState.notLoaded),d=u[0],p=u[1];(0,s.useIsomorphicLayoutEffect)((function(){p(a.ImageLoadState.notLoaded)}),[l]),r.useEffect((function(){d===a.ImageLoadState.notLoaded&&t.current&&(l&&t.current.naturalWidth>0&&t.current.naturalHeight>0||t.current.complete&&c.test(l))&&p(a.ImageLoadState.loaded)})),r.useEffect((function(){null==o||o(d)}),[d]);var m=r.useCallback((function(e){null==n||n(e),l&&p(a.ImageLoadState.loaded)}),[l,n]),g=r.useCallback((function(e){null==i||i(e),p(a.ImageLoadState.error)}),[i]);return[d,m,g]}(e,u),p=d[0],m=d[1],g=d[2],h=(0,i.getNativeProps)(e,i.imgProperties,["width","height"]),f=e.src,v=e.alt,b=e.width,y=e.height,_=e.shouldFadeIn,S=void 0===_||_,C=e.shouldStartVisible,x=e.className,P=e.imageFit,k=e.role,I=e.maximizeFrame,w=e.styles,T=e.theme,E=e.loading,D=function(e,t,o,n){var i=r.useRef(t),s=r.useRef();return(void 0===s||i.current===a.ImageLoadState.notLoaded&&t===a.ImageLoadState.loaded)&&(s.current=function(e,t,o,n){var r=e.imageFit,i=e.width,s=e.height;if(void 0!==e.coverStyle)return e.coverStyle;if(t===a.ImageLoadState.loaded&&(r===a.ImageFit.cover||r===a.ImageFit.contain||r===a.ImageFit.centerContain||r===a.ImageFit.centerCover)&&o.current&&n.current){var l;if(l="number"==typeof i&&"number"==typeof s&&r!==a.ImageFit.centerContain&&r!==a.ImageFit.centerCover?i/s:n.current.clientWidth/n.current.clientHeight,o.current.naturalWidth/o.current.naturalHeight>l)return a.ImageCoverStyle.landscape}return a.ImageCoverStyle.portrait}(e,t,o,n)),i.current=t,s.current}(e,p,u,o),M=l(w,{theme:T,className:x,width:b,height:y,maximizeFrame:I,shouldFadeIn:S,shouldStartVisible:C,isLoaded:p===a.ImageLoadState.loaded||p===a.ImageLoadState.notLoaded&&e.shouldStartVisible,isLandscape:D===a.ImageCoverStyle.landscape,isCenter:P===a.ImageFit.center,isCenterContain:P===a.ImageFit.centerContain,isCenterCover:P===a.ImageFit.centerCover,isContain:P===a.ImageFit.contain,isCover:P===a.ImageFit.cover,isNone:P===a.ImageFit.none,isError:p===a.ImageLoadState.error,isNotImageFit:void 0===P});return r.createElement("div",{className:M.root,style:{width:b,height:y},ref:o},r.createElement("img",n.__assign({},h,{onLoad:m,onError:g,key:"fabricImage"+e.src||"",className:M.image,ref:(0,s.useMergedRefs)(u,t),src:f,alt:v,role:k,loading:E})))})),t.ImageBase.displayName="ImageBase"},60305:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Image=void 0;var n=o(71061),r=o(89206),i=o(44645);t.Image=(0,n.styled)(r.ImageBase,i.getStyles,void 0,{scope:"Image"},!0),t.Image.displayName="Image"},44645:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r=o(71061),i={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"};t.getStyles=function(e){var t=e.className,o=e.width,a=e.height,s=e.maximizeFrame,l=e.isLoaded,c=e.shouldFadeIn,u=e.shouldStartVisible,d=e.isLandscape,p=e.isCenter,m=e.isContain,g=e.isCover,h=e.isCenterContain,f=e.isCenterCover,v=e.isNone,b=e.isError,y=e.isNotImageFit,_=e.theme,S=(0,n.getGlobalClassNames)(i,_),C={position:"absolute",left:"50% /* @noflip */",top:"50%",transform:"translate(-50%,-50%)"},x=(0,r.getWindow)(),P=void 0!==x&&void 0===x.navigator.msMaxTouchPoints,k=m&&d||g&&!d?{width:"100%",height:"auto"}:{width:"auto",height:"100%"};return{root:[S.root,_.fonts.medium,{overflow:"hidden"},s&&[S.rootMaximizeFrame,{height:"100%",width:"100%"}],l&&c&&!u&&n.AnimationClassNames.fadeIn400,(p||m||g||h||f)&&{position:"relative"},t],image:[S.image,{display:"block",opacity:0},l&&["is-loaded",{opacity:1}],p&&[S.imageCenter,C],m&&[S.imageContain,P&&{width:"100%",height:"100%",objectFit:"contain"},!P&&k,!P&&C],g&&[S.imageCover,P&&{width:"100%",height:"100%",objectFit:"cover"},!P&&k,!P&&C],h&&[S.imageCenterContain,d&&{maxWidth:"100%"},!d&&{maxHeight:"100%"},C],f&&[S.imageCenterCover,d&&{maxHeight:"100%"},!d&&{maxWidth:"100%"},C],v&&[S.imageNone,{width:"auto",height:"auto"}],y&&[!!o&&!a&&{height:"auto",width:"100%"},!o&&!!a&&{height:"100%",width:"auto"},!!o&&!!a&&{height:"100%",width:"100%"}],d&&S.imageLandscape,!d&&S.imagePortrait,!l&&"is-notLoaded",c&&"is-fadeIn",b&&"is-error"]}}},64186:(e,t)=>{"use strict";var o,n,r;Object.defineProperty(t,"__esModule",{value:!0}),t.ImageLoadState=t.ImageCoverStyle=t.ImageFit=void 0,(r=t.ImageFit||(t.ImageFit={}))[r.center=0]="center",r[r.contain=1]="contain",r[r.cover=2]="cover",r[r.none=3]="none",r[r.centerCover=4]="centerCover",r[r.centerContain=5]="centerContain",(n=t.ImageCoverStyle||(t.ImageCoverStyle={}))[n.landscape=0]="landscape",n[n.portrait=1]="portrait",(o=t.ImageLoadState||(t.ImageLoadState={}))[o.notLoaded=0]="notLoaded",o[o.loaded=1]="loaded",o[o.error=2]="error",o[o.errorLoaded=3]="errorLoaded"},61476:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(60305),t),n.__exportStar(o(89206),t),n.__exportStar(o(64186),t)},54959:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Keytip=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(93025),s=o(16473),l=o(52521),c=o(62606),u=o(61939),d=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return n.__extends(t,e),t.prototype.render=function(){var e,t=this.props,o=t.keySequences,d=t.offset,p=t.overflowSetSequence,m=this.props.calloutProps;e=p?(0,a.ktpTargetFromSequences)((0,a.mergeOverflows)(o,p)):(0,a.ktpTargetFromSequences)(o);var g=(0,i.getFirstVisibleElementFromSelector)(e);return g?(e=g,d&&(m=n.__assign({coverTarget:!0,directionalHint:l.DirectionalHint.topLeftEdge},m)),m&&void 0!==m.directionalHint||(m=n.__assign(n.__assign({},m),{directionalHint:l.DirectionalHint.bottomCenter})),r.createElement(s.Callout,n.__assign({},m,{isBeakVisible:!1,doNotLayer:!0,minPagePadding:0,styles:d?(0,u.getCalloutOffsetStyles)(d):u.getCalloutStyles,preventDismissOnScroll:!0,target:e}),r.createElement(c.KeytipContent,n.__assign({},this.props)))):r.createElement(r.Fragment,null)},t}(r.Component);t.Keytip=d},61939:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getCalloutOffsetStyles=t.getCalloutStyles=t.getStyles=void 0;var n=o(15019);t.getStyles=function(e){var t,o=e.theme,r=e.disabled,i=e.visible;return{container:[{backgroundColor:o.palette.neutralDark},r&&{opacity:.5,selectors:(t={},t[n.HighContrastSelector]={color:"GrayText",opacity:1},t)},!i&&{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"},r&&{color:o.palette.neutralTertiaryAlt}]}},t.getCalloutStyles=function(e){return{container:[],root:[{border:"none",boxShadow:"none"}],beak:[],beakCurtain:[],calloutMain:[{backgroundColor:"transparent"}]}},t.getCalloutOffsetStyles=function(e){return function(o){return(0,n.mergeStyleSets)((0,t.getCalloutStyles)(o),{root:[{marginLeft:e.left||e.x,marginTop:e.top||e.y}]})}}},18008:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},98483:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.KeytipContentBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return n.__extends(t,e),t.prototype.render=function(){var e=this.props,t=e.content,o=e.styles,n=e.theme,a=e.disabled,s=e.visible,l=(0,i.classNamesFunction)()(o,{theme:n,disabled:a,visible:s});return r.createElement("div",{className:l.container},r.createElement("span",{className:l.root},t))},t}(r.Component);t.KeytipContentBase=a},62606:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.KeytipContent=void 0;var n=o(71061),r=o(98483),i=o(61939);t.KeytipContent=(0,n.styled)(r.KeytipContentBase,i.getStyles,void 0,{scope:"KeytipContent"})},93259:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(54959),t),n.__exportStar(o(18008),t)},78927:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.KeytipData=void 0;var n=o(31635),r=o(30572),i=o(34400);t.KeytipData=function(e){var t,o=e.children,a=n.__rest(e,["children"]),s=(0,i.useKeytipData)(a),l=s.keytipId,c=s.ariaDescribedBy;return o(((t={})[r.DATAKTP_TARGET]=l,t[r.DATAKTP_EXECUTE_TARGET]=l,t["aria-describedby"]=c,t))}},49304:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},31507:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useKeytipRef=void 0;var n=o(31635);n.__exportStar(o(78927),t),n.__exportStar(o(49304),t);var r=o(52507);Object.defineProperty(t,"useKeytipRef",{enumerable:!0,get:function(){return r.useKeytipRef}})},34400:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useKeytipData=void 0;var n=o(31635),r=o(83923),i=o(25698),a=o(71061),s=o(30572);t.useKeytipData=function(e){var t=r.useRef(),o=e.keytipProps?n.__assign({disabled:e.disabled},e.keytipProps):void 0,l=(0,i.useConst)(s.KeytipManager.getInstance()),c=(0,i.usePrevious)(e);(0,i.useIsomorphicLayoutEffect)((function(){t.current&&o&&((null==c?void 0:c.keytipProps)!==e.keytipProps||(null==c?void 0:c.disabled)!==e.disabled)&&l.update(o,t.current)})),(0,i.useIsomorphicLayoutEffect)((function(){return o&&(t.current=l.register(o)),function(){o&&l.unregister(o,t.current)}}),[]);var u={ariaDescribedBy:void 0,keytipId:void 0};return o&&(u=function(e,t,o){var r=e.addParentOverflow(t),i=(0,a.mergeAriaAttributeValues)(o,(0,s.getAriaDescribedBy)(r.keySequences)),l=n.__spreadArray([],r.keySequences,!0);return r.overflowSetSequence&&(l=(0,s.mergeOverflows)(l,r.overflowSetSequence)),{ariaDescribedBy:i,keytipId:(0,s.sequencesToID)(l)}}(l,o,e.ariaDescribedBy)),u}},52507:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.setAttribute=t.useKeytipRef=void 0;var n=o(83923),r=o(30572),i=o(34400);function a(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="".concat(i," ").concat(o))}e.setAttribute(t,r)}}function s(e,t){return e.querySelector("[".concat(t,"]"))}t.useKeytipRef=function(e){var t=(0,i.useKeytipData)(e),o=t.keytipId,l=t.ariaDescribedBy;return n.useCallback((function(e){if(e){var t=s(e,r.DATAKTP_TARGET)||e,n=s(e,r.DATAKTP_EXECUTE_TARGET)||t,i=s(e,r.DATAKTP_ARIA_TARGET)||n;a(t,r.DATAKTP_TARGET,o),a(n,r.DATAKTP_EXECUTE_TARGET,o),a(i,"aria-describedby",l,!0)}}),[o,l])},t.setAttribute=a},38866:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.KeytipLayerBase=void 0;var n=o(31635),r=o(83923),i=o(36049),a=o(38341),s=o(44472),l=o(71061),c=o(49683),u=o(810),d=o(93025),p=o(94181),m=o(12429),g=o(97156),h=o(50478),f={key:(0,l.isMac)()?"Control":"Meta",modifierKeys:[l.KeyCodes.alt]},v=f,b={key:"Escape"},y=(0,l.classNamesFunction)(),_=function(e){function t(t,o){var n=e.call(this,t,o)||this;n._keytipManager=c.KeytipManager.getInstance(),n._delayedKeytipQueue=[],n._keyHandled=!1,n._isKeytipInstanceTargetVisible=function(e,t){var o,r=(0,h.getDocumentEx)(n.context),i=(0,h.getWindowEx)(n.context),a=(0,d.ktpTargetFromSequences)(e),s=null!==(o=null==r?void 0:r.querySelectorAll(a))&&void 0!==o?o:[];return s.length>1&&t<=s.length?(0,l.isElementVisibleAndNotHidden)(s[t-1],null!=i?i:void 0):1===t},n._onDismiss=function(e){n.state.inKeytipMode&&n._exitKeytipMode(e)},n._onKeyDown=function(e){n._keyHandled=!1;var t=e.key;switch(t){case"Tab":case"Enter":case"Spacebar":case" ":case"ArrowUp":case"Up":case"ArrowDown":case"Down":case"ArrowLeft":case"Left":case"ArrowRight":case"Right":n.state.inKeytipMode&&(n._keyHandled=!0,n._exitKeytipMode(e));break;default:"Esc"===t?t="Escape":"OS"!==t&&"Win"!==t||(t="Meta");var o={key:t};o.modifierKeys=n._getModifierKey(t,e),n.processTransitionInput(o,e)}},n._onKeyPress=function(e){n.state.inKeytipMode&&!n._keyHandled&&(n.processInput(e.key.toLocaleLowerCase(),e),e.preventDefault(),e.stopPropagation())},n._onKeytipAdded=function(e){var t,o=e.keytip,r=e.uniqueID;if(n._keytipTree.addNode(o,r),n._setKeytips(),n._keytipTree.isCurrentKeytipParent(o)&&(n._delayedKeytipQueue=n._delayedKeytipQueue.concat((null===(t=n._keytipTree.currentKeytip)||void 0===t?void 0:t.children)||[]),n._addKeytipToQueue((0,d.sequencesToID)(o.keySequences)),n._keytipTree.currentKeytip&&n._keytipTree.currentKeytip.hasDynamicChildren&&n._keytipTree.currentKeytip.children.indexOf(o.id)<0)){var i=n._keytipTree.getNode(n._keytipTree.currentKeytip.id);i&&(n._keytipTree.currentKeytip=i)}n._persistedKeytipChecks(o)},n._onKeytipUpdated=function(e){var t,o=e.keytip,r=e.uniqueID;n._keytipTree.updateNode(o,r),n._setKeytips(),n._keytipTree.isCurrentKeytipParent(o)&&(n._delayedKeytipQueue=n._delayedKeytipQueue.concat((null===(t=n._keytipTree.currentKeytip)||void 0===t?void 0:t.children)||[]),n._addKeytipToQueue((0,d.sequencesToID)(o.keySequences))),n._persistedKeytipChecks(o)},n._persistedKeytipChecks=function(e){if(n._newCurrentKeytipSequences&&(0,l.arraysEqual)(e.keySequences,n._newCurrentKeytipSequences)&&n._triggerKeytipImmediately(e),n._isCurrentKeytipAnAlias(e)){var t=e.keySequences;e.overflowSetSequence&&(t=(0,d.mergeOverflows)(t,e.overflowSetSequence)),n._keytipTree.currentKeytip=n._keytipTree.getNode((0,d.sequencesToID)(t))}},n._onKeytipRemoved=function(e){var t=e.keytip,o=e.uniqueID;n._removeKeytipFromQueue((0,d.sequencesToID)(t.keySequences)),n._keytipTree.removeNode(t,o),n._setKeytips()},n._onPersistedKeytipAdded=function(e){var t=e.keytip,o=e.uniqueID;n._keytipTree.addNode(t,o,!0)},n._onPersistedKeytipRemoved=function(e){var t=e.keytip,o=e.uniqueID;n._keytipTree.removeNode(t,o)},n._onPersistedKeytipExecute=function(e){n._persistedKeytipExecute(e.overflowButtonSequences,e.keytipSequences)},n._setInKeytipMode=function(e){n.setState({inKeytipMode:e}),n._keytipManager.inKeytipMode=e},n._warnIfDuplicateKeytips=function(){var e=n._getDuplicateIds(n._keytipTree.getChildren());e.length&&(0,l.warn)("Duplicate keytips found for "+e.join(", "))},n._getDuplicateIds=function(e){var t={};return e.filter((function(e){return t[e]=t[e]?t[e]+1:1,2===t[e]}))},(0,l.initializeComponentRef)(n),n._events=new l.EventGroup(n),n._async=new l.Async(n);var r=n._keytipManager.getKeytips();return n.state={inKeytipMode:!1,keytips:r,visibleKeytips:n._getVisibleKeytips(r)},n._buildTree(),n._currentSequence="",n._events.on(n._keytipManager,m.KeytipEvents.KEYTIP_ADDED,n._onKeytipAdded),n._events.on(n._keytipManager,m.KeytipEvents.KEYTIP_UPDATED,n._onKeytipUpdated),n._events.on(n._keytipManager,m.KeytipEvents.KEYTIP_REMOVED,n._onKeytipRemoved),n._events.on(n._keytipManager,m.KeytipEvents.PERSISTED_KEYTIP_ADDED,n._onPersistedKeytipAdded),n._events.on(n._keytipManager,m.KeytipEvents.PERSISTED_KEYTIP_REMOVED,n._onPersistedKeytipRemoved),n._events.on(n._keytipManager,m.KeytipEvents.PERSISTED_KEYTIP_EXECUTE,n._onPersistedKeytipExecute),n}return n.__extends(t,e),t.prototype.render=function(){var e=this,t=this.props,o=t.content,l=t.styles,c=this.state,u=c.keytips,p=c.visibleKeytips;return this._classNames=y(l,{}),r.createElement(s.Layer,{styles:i.getLayerStyles},r.createElement("span",{id:m.KTP_LAYER_ID,className:this._classNames.innerContent},"".concat(o).concat(m.KTP_ARIA_SEPARATOR)),u&&u.map((function(t,o){return r.createElement("span",{key:o,id:(0,d.sequencesToID)(t.keySequences),className:e._classNames.innerContent},t.keySequences.join(m.KTP_ARIA_SEPARATOR))})),p&&p.map((function(e){return r.createElement(a.Keytip,n.__assign({key:(0,d.sequencesToID)(e.keySequences)},e))})))},t.prototype.componentDidMount=function(){var e=(0,h.getWindowEx)(this.context);this._events.on(e,"mouseup",this._onDismiss,!0),this._events.on(e,"pointerup",this._onDismiss,!0),this._events.on(e,"resize",this._onDismiss),this._events.on(e,"keydown",this._onKeyDown,!0),this._events.on(e,"keypress",this._onKeyPress,!0),this._events.on(e,"scroll",this._onDismiss,!0),this._events.on(this._keytipManager,m.KeytipEvents.ENTER_KEYTIP_MODE,this._enterKeytipMode),this._events.on(this._keytipManager,m.KeytipEvents.EXIT_KEYTIP_MODE,this._exitKeytipMode)},t.prototype.componentWillUnmount=function(){this._async.dispose(),this._events.dispose()},t.prototype.getCurrentSequence=function(){return this._currentSequence},t.prototype.getKeytipTree=function(){return this._keytipTree},t.prototype.processTransitionInput=function(e,t){var o=this._keytipTree.currentKeytip;(0,p.transitionKeysContain)(this.props.keytipExitSequences,e)&&o?(this._keyHandled=!0,this._exitKeytipMode(t)):(0,p.transitionKeysContain)(this.props.keytipReturnSequences,e)?o&&(this._keyHandled=!0,o.id===this._keytipTree.root.id?this._exitKeytipMode(t):(o.onReturn&&o.onReturn(this._getKtpExecuteTarget(o),this._getKtpTarget(o)),this._currentSequence="",this._keytipTree.currentKeytip=this._keytipTree.getNode(o.parent),this.showKeytips(this._keytipTree.getChildren()),this._warnIfDuplicateKeytips())):(0,p.transitionKeysContain)(this.props.keytipStartSequences,e)&&!o&&(this._keyHandled=!0,this._enterKeytipMode(e),this._warnIfDuplicateKeytips())},t.prototype.processInput=function(e,t){var o=this._currentSequence+e,n=this._keytipTree.currentKeytip;if(n){var r=this._keytipTree.getExactMatchedNode(o,n);if(r){this._keytipTree.currentKeytip=n=r;var i=this._keytipTree.getChildren();return n.onExecute&&(n.onExecute(this._getKtpExecuteTarget(n),this._getKtpTarget(n)),n=this._keytipTree.currentKeytip),0!==i.length||n.hasDynamicChildren||n.hasMenu?(this.showKeytips(i),this._warnIfDuplicateKeytips()):this._exitKeytipMode(t),void(this._currentSequence="")}var a=this._keytipTree.getPartiallyMatchedNodes(o,n);if(a.length>0){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(e){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(e))},t.prototype._buildTree=function(){this._keytipTree=new u.KeytipTree;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,l.getDocument)().querySelector((0,d.ktpTargetFromId)(e.id))},t.prototype._getKtpTarget=function(e){return(0,l.getDocument)().querySelector((0,d.ktpTargetFromSequences)(e.keySequences))},t.prototype._isCurrentKeytipAnAlias=function(e){var t=this._keytipTree.currentKeytip;return!(!t||!t.overflowSetSequence&&!t.persisted||!(0,l.arraysEqual)(e.keySequences,t.keySequences))},t.defaultProps={keytipStartSequences:[f],keytipExitSequences:[v],keytipReturnSequences:[b],content:""},t.contextType=g.WindowContext,t}(r.Component);t.KeytipLayerBase=_},5477:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.KeytipLayer=void 0;var n=o(71061),r=o(38866),i=o(36049);t.KeytipLayer=(0,n.styled)(r.KeytipLayerBase,i.getStyles,void 0,{scope:"KeytipLayer"})},36049:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=t.getLayerStyles=void 0;var n=o(15019);t.getLayerStyles=function(e){return{root:[{zIndex:n.ZIndexes.KeytipLayer}]}},t.getStyles=function(e){return{innerContent:[{position:"absolute",width:0,height:0,margin:0,padding:0,border:0,overflow:"hidden",visibility:"hidden"}]}}},95782:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},810:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.KeytipTree=void 0;var n=o(31635),r=o(71061),i=o(93025),a=o(12429),s=function(){function e(){this.nodeMap={},this.root={id:a.KTP_LAYER_ID,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,i.sequencesToID)(n);n.pop();var a=this._getParentID(n),s=this._createNode(r,a,[],e,o);this.nodeMap[t]=s,this.getNodes([a]).forEach((function(e){return e.children.push(r)}))},e.prototype.updateNode=function(e,t){var o=this._getFullSequence(e),n=(0,i.sequencesToID)(o);o.pop();var r=this._getParentID(o),a=this.nodeMap[t],s=a.parent;a&&(s!==r&&this._removeChildFromParents(s,a.id),a.id!==n&&this.getNodes([r]).forEach((function(e){var t=e.children.indexOf(a.id);t>=0?e.children[t]=n:e.children.push(n)})),a.id=n,a.keySequences=e.keySequences,a.overflowSetSequence=e.overflowSetSequence,a.onExecute=e.onExecute,a.onReturn=e.onReturn,a.hasDynamicChildren=e.hasDynamicChildren,a.hasMenu=e.hasMenu,a.parent=r,a.disabled=e.disabled)},e.prototype.removeNode=function(e,t){var o=this._getFullSequence(e),n=(0,i.sequencesToID)(o);o.pop(),this._removeChildFromParents(this._getParentID(o),n),this.nodeMap[t]&&delete this.nodeMap[t]},e.prototype.getExactMatchedNode=function(e,t,o){var n=this,a=null!=o?o:(0,r.getDocument)(),s=this.getNodes(t.children).filter((function(t){return n._getNodeSequence(t)===e&&!t.disabled}));if(0!==s.length){var l=s[0];if(1===s.length)return l;var c=l.keySequences,u=l.overflowSetSequence,d=u?(0,i.mergeOverflows)(c,u):c,p=(0,i.ktpTargetFromSequences)(d),m=a.querySelectorAll(p);if(s.length=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,r.values)(this.nodeMap);return(0,r.find)(t,(function(t){return t.id===e}))},e.prototype.isCurrentKeytipParent=function(e){if(this.currentKeytip){var t=n.__spreadArray([],e.keySequences,!0);e.overflowSetSequence&&(t=(0,i.mergeOverflows)(t,e.overflowSetSequence)),t.pop();var o=0===t.length?this.root.id:(0,i.sequencesToID)(t),r=!1;return this.currentKeytip.overflowSetSequence&&(r=(0,i.sequencesToID)(this.currentKeytip.keySequences)===o),r||this.currentKeytip.id===o}return!1},e.prototype._getParentID=function(e){return 0===e.length?this.root.id:(0,i.sequencesToID)(e)},e.prototype._getFullSequence=function(e){var t=n.__spreadArray([],e.keySequences,!0);return e.overflowSetSequence&&(t=(0,i.mergeOverflows)(t,e.overflowSetSequence)),t},e.prototype._getNodeSequence=function(e){var t=n.__spreadArray([],e.keySequences,!0);return e.overflowSetSequence&&(t=(0,i.mergeOverflows)(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=n.hasOverflowSubMenu,g={id:e,keySequences:a,overflowSetSequence:l,parent:t,children:o,onExecute:u,onReturn:d,hasDynamicChildren:s,hasMenu:c,disabled:p,persisted:r,hasOverflowSubMenu:m};return g.children=Object.keys(this.nodeMap).reduce((function(t,o){return i.nodeMap[o].parent===e&&t.push(i.nodeMap[o].id),t}),[]),g},e.prototype._removeChildFromParents=function(e,t){this.getNodes([e]).forEach((function(e){var o=e.children.indexOf(t);o>=0&&e.children.splice(o,1)}))},e}();t.KeytipTree=s},16552:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(5477),t),n.__exportStar(o(38866),t),n.__exportStar(o(95782),t)},77638:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.LabelBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=(0,o(71061).classNamesFunction)({cacheSize:100}),s=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return n.__extends(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,n.__assign({},(0,i.getNativeProps)(this.props,i.divProperties),{className:m.root}),s)},t}(r.Component);t.LabelBase=s},21505:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Label=void 0;var n=o(71061),r=o(77638),i=o(47829);t.Label=(0,n.styled)(r.LabelBase,i.getStyles,void 0,{scope:"Label"})},47829:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(31635),r=o(15019);t.getStyles=function(e){var t,o=e.theme,i=e.className,a=e.disabled,s=e.required,l=o.semanticColors,c=r.FontWeights.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"},a&&{color:d,selectors:(t={},t[r.HighContrastSelector]=n.__assign({color:"GrayText"},(0,r.getHighContrastNoAdjustStyle)()),t)},s&&{selectors:{"::after":{content:"' *'",color:p,paddingRight:12}}},i]}}},1130:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},6347:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(77638),t),n.__exportStar(o(1130),t),n.__exportStar(o(21505),t)},13006:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.LayerBase=void 0;var n,r=o(31635),i=o(1249),a=o(83923),s=o(76324),l=o(25644),c=o(71061),u=o(2052),d=o(25698),p=(0,c.classNamesFunction)();t.LayerBase=a.forwardRef((function(e,t){var o=(0,i.usePortalCompat)(),g=a.useRef(null),h=(0,d.useMergedRefs)(g,t),f=a.useRef(),v=a.useRef(null),b=a.useContext(c.FocusRectsContext),y=a.useState(!1),_=y[0],S=y[1],C=a.useCallback((function(e){var t,o=!!(null==(t=null==b?void 0:b.providerRef)?void 0:t.current)&&t.current.classList.contains(c.IsFocusVisibleClassName);e&&o&&e.classList.add(c.IsFocusVisibleClassName)}),[b]),x=e.children,P=e.className,k=e.eventBubblingEnabled,I=e.fabricProps,w=e.hostId,T=e.insertFirst,E=e.onLayerDidMount,D=void 0===E?function(){}:E,M=e.onLayerMounted,O=void 0===M?function(){}:M,R=e.onLayerWillUnmount,F=e.styles,B=e.theme,A=(0,d.useMergedRefs)(v,null==I?void 0:I.ref,C),N=p(F,{theme:B,className:P,isNotHost:!w}),L=function(){null==R||R();var e=f.current;f.current=void 0,e&&e.parentNode&&e.parentNode.removeChild(e)},H=function(){var e,t,o,n,r=(0,c.getDocument)(g.current),i=(null===(t=null===(e=g.current)||void 0===e?void 0:e.getRootNode())||void 0===t?void 0:t.host)?null===(o=null==g?void 0:g.current)||void 0===o?void 0:o.getRootNode():void 0;if(r&&(r||i)){var a=function(e,t){var o,n;void 0===t&&(t=null);var r=null!=t?t:e;if(w){var i=(0,u.getLayerHost)(w);return i?null!==(o=i.rootRef.current)&&void 0!==o?o:null:null!==(n=r.getElementById(w))&&void 0!==n?n:null}var a=(0,u.getDefaultTarget)(),s=a?r.querySelector(a):null;return s||(s=(0,u.createDefaultLayerHost)(e,t)),s}(r,i);if(a){a.__tabsterElementFlags||(a.__tabsterElementFlags={}),a.__tabsterElementFlags.noDirectAriaHidden=!0,L();var s=(null!==(n=a.ownerDocument)&&void 0!==n?n:r).createElement("div");s.className=N.root,(0,c.setPortalAttribute)(s),(0,c.setVirtualParent)(s,g.current),T?a.insertBefore(s,a.firstChild):a.appendChild(s),f.current=s,S(!0)}}};return(0,d.useIsomorphicLayoutEffect)((function(){H(),w&&(0,u.registerLayer)(w,H);var e=f.current?o(f.current):void 0;return function(){e&&e(),L(),w&&(0,u.unregisterLayer)(w,H)}}),[w]),a.useEffect((function(){f.current&&_&&(null==O||O(),null==D||D(),S(!1))}),[_,O,D]),a.createElement("span",{className:"ms-layer",ref:h},f.current&&s.createPortal(a.createElement(c.FocusRectsProvider,{layerRoot:!0,providerRef:A},a.createElement(l.Fabric,r.__assign({},!k&&(n||(n={},["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 n[e]=m}))),n),I,{className:(0,c.css)(N.content,null==I?void 0:I.className),ref:A}),x)),f.current))})),t.LayerBase.displayName="LayerBase";var m=function(e){e.eventPhase===Event.BUBBLING_PHASE&&"mouseenter"!==e.type&&"mouseleave"!==e.type&&"touchstart"!==e.type&&"touchend"!==e.type&&e.stopPropagation()}},71497:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Layer=void 0;var n=o(71061),r=o(13006),i=o(76797);t.Layer=(0,n.styled)(r.LayerBase,i.getStyles,void 0,{scope:"Layer",fields:["hostId","theme","styles"]})},2052:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getDefaultTarget=t.setDefaultTarget=t.notifyHostChanged=t.cleanupDefaultLayerHost=t.createDefaultLayerHost=t.unregisterLayerHost=t.registerLayerHost=t.getLayerHost=t.getLayerCount=t.unregisterLayer=t.registerLayer=void 0;var o={},n={},r="fluent-default-layer-host",i="#".concat(r);t.registerLayer=function(e,t){o[e]||(o[e]=[]),o[e].push(t);var r=n[e];if(r)for(var i=0,a=r;i=0&&(r.splice(i,1),0===r.length&&delete o[e])}var a=n[e];if(a)for(var s=0,l=a;s=0&&o.splice(r,1),0===o.length&&delete n[e]}},t.createDefaultLayerHost=function(e,t){void 0===t&&(t=null);var o=e.createElement("div");return o.setAttribute("id",r),o.style.cssText="position:fixed;z-index:1000000",t?t.appendChild(o):null==e||e.body.appendChild(o),o},t.cleanupDefaultLayerHost=function(e,t){void 0===t&&(t=null);var o=null!=t?t:e,n=o.querySelector("#".concat(r));n&&o.removeChild(n)},t.notifyHostChanged=function(e){o[e]&&o[e].forEach((function(e){return e()}))},t.setDefaultTarget=function(e){i=e},t.getDefaultTarget=function(){return i}},76797:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r={root:"ms-Layer",rootNoHost:"ms-Layer--fixed",content:"ms-Layer-content"};t.getStyles=function(e){var t=e.className,o=e.isNotHost,i=e.theme,a=(0,n.getGlobalClassNames)(r,i);return{root:[a.root,i.fonts.medium,o&&[a.rootNoHost,{position:"fixed",zIndex:n.ZIndexes.Layer,top:0,left:0,bottom:0,right:0,visibility:"hidden"}],t],content:[a.content,{visibility:"visible"}]}}},69394:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},26103:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.LayerHost=void 0;var n=o(31635),r=o(83923),i=o(25698),a=o(71061),s=o(2052);t.LayerHost=function(e){var t=e.className,o=r.useState((function(){return(0,a.getId)()}))[0],l=e.id,c=void 0===l?o:l,u=r.useRef({hostId:c,rootRef:r.useRef(null),notifyLayersChanged:function(){}});return r.useImperativeHandle(e.componentRef,(function(){return u.current})),r.useEffect((function(){(0,s.registerLayerHost)(c,u.current),(0,s.notifyHostChanged)(c)}),[]),(0,i.useUnmount)((function(){(0,s.unregisterLayerHost)(c,u.current),(0,s.notifyHostChanged)(c)})),r.createElement("div",n.__assign({},e,{className:(0,a.css)("ms-LayerHost",t),ref:u.current.rootRef}))}},51968:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},53408:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getLayerStyles=t.unregisterLayerHost=t.unregisterLayer=t.setLayerHostSelector=t.registerLayerHost=t.registerLayer=t.notifyHostChanged=t.getLayerHost=t.getLayerCount=t.getLayerHostSelector=t.cleanupDefaultLayerHost=t.createDefaultLayerHost=void 0;var n=o(31635);n.__exportStar(o(71497),t),n.__exportStar(o(13006),t),n.__exportStar(o(69394),t),n.__exportStar(o(26103),t),n.__exportStar(o(51968),t);var r=o(2052);Object.defineProperty(t,"createDefaultLayerHost",{enumerable:!0,get:function(){return r.createDefaultLayerHost}}),Object.defineProperty(t,"cleanupDefaultLayerHost",{enumerable:!0,get:function(){return r.cleanupDefaultLayerHost}}),Object.defineProperty(t,"getLayerHostSelector",{enumerable:!0,get:function(){return r.getDefaultTarget}}),Object.defineProperty(t,"getLayerCount",{enumerable:!0,get:function(){return r.getLayerCount}}),Object.defineProperty(t,"getLayerHost",{enumerable:!0,get:function(){return r.getLayerHost}}),Object.defineProperty(t,"notifyHostChanged",{enumerable:!0,get:function(){return r.notifyHostChanged}}),Object.defineProperty(t,"registerLayer",{enumerable:!0,get:function(){return r.registerLayer}}),Object.defineProperty(t,"registerLayerHost",{enumerable:!0,get:function(){return r.registerLayerHost}}),Object.defineProperty(t,"setLayerHostSelector",{enumerable:!0,get:function(){return r.setDefaultTarget}}),Object.defineProperty(t,"unregisterLayer",{enumerable:!0,get:function(){return r.unregisterLayer}}),Object.defineProperty(t,"unregisterLayerHost",{enumerable:!0,get:function(){return r.unregisterLayerHost}});var i=o(76797);Object.defineProperty(t,"getLayerStyles",{enumerable:!0,get:function(){return i.getStyles}})},43120:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.LinkBase=void 0;var n=o(31635),r=o(83923),i=o(6080);t.LinkBase=r.forwardRef((function(e,t){var o=(0,i.useLink)(e,t),a=o.slots,s=o.slotProps;return r.createElement(a.root,n.__assign({},s.root))})),t.LinkBase.displayName="LinkBase"},34811:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Link=void 0;var n=o(52332),r=o(43120),i=o(69303);t.Link=(0,n.styled)(r.LinkBase,i.getStyles,void 0,{scope:"Link"})},69303:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=t.GlobalClassNames=void 0;var n=o(83048),r=o(52332);t.GlobalClassNames={root:"ms-Link"},t.getStyles=function(e){var o,i,a,s,l,c,u,d=e.className,p=e.isButton,m=e.isDisabled,g=e.isUnderlined,h=e.theme,f=h.semanticColors,v=f.link,b=f.linkHovered,y=f.disabledText,_=f.focusBorder,S=(0,n.getGlobalClassNames)(t.GlobalClassNames,h);return{root:[S.root,h.fonts.medium,{color:v,outline:"none",fontSize:"inherit",fontWeight:"inherit",textDecoration:g?"underline":"none",selectors:(o={},o[".".concat(r.IsFocusVisibleClassName," &:focus, :host(.").concat(r.IsFocusVisibleClassName,") &:focus")]={boxShadow:"0 0 0 1px ".concat(_," inset"),outline:"1px auto ".concat(_),selectors:(i={},i[n.HighContrastSelector]={outline:"1px solid WindowText"},i)},o[n.HighContrastSelector]={borderBottom:"none"},o)},p&&{background:"none",backgroundColor:"transparent",border:"none",cursor:"pointer",display:"inline",margin:0,overflow:"inherit",padding:0,textAlign:"left",textOverflow:"inherit",userSelect:"text",borderBottom:"1px solid transparent",selectors:(a={},a[n.HighContrastSelector]={color:"LinkText",forcedColorAdjust:"none"},a)},!p&&{selectors:(s={},s[n.HighContrastSelector]={MsHighContrastAdjust:"auto",forcedColorAdjust:"auto"},s)},m&&["is-disabled",{color:y,cursor:"default"},{selectors:(l={"&:link, &:visited":{pointerEvents:"none"}},l[n.HighContrastSelector]={color:"GrayText"},l)}],!m&&{selectors:{"&:active, &:hover, &:active:hover":{color:b,textDecoration:"underline",selectors:(c={},c[n.HighContrastSelector]={color:"LinkText"},c)},"&:focus":{color:v,selectors:(u={},u[n.HighContrastSelector]={color:"LinkText"},u)}}},S.root,d]}}},81852:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},83967:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(34811),t),n.__exportStar(o(43120),t),n.__exportStar(o(81852),t)},6080:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useLink=void 0;var n=o(31635),r=o(83923),i=o(25698),a=o(52332),s=(0,a.classNamesFunction)();t.useLink=function(e,t){var o=e.as,u=e.className,d=e.disabled,p=e.href,m=e.onClick,g=e.styles,h=e.theme,f=e.underline,v=r.useRef(null),b=(0,i.useMergedRefs)(v,t);l(e,v),(0,a.useFocusRects)(v);var y=s(g,{className:u,isButton:!p,isDisabled:d,isUnderlined:f,theme:h}),_=o||(p?"a":"button");return{state:{},slots:{root:_},slotProps:{root:n.__assign(n.__assign({},c(_,e)),{"aria-disabled":d,className:y.root,onClick:function(e){d?e.preventDefault():m&&m(e)},ref:b})}}};var l=function(e,t){r.useImperativeHandle(e.componentRef,(function(){return{focus:function(){t.current&&t.current.focus()}}}),[t])},c=function(e,t){t.as;var o=t.disabled,r=t.target,i=t.href,a=(t.theme,t.getStyles,t.styles,t.componentRef,t.underline,n.__rest(t,["as","disabled","target","href","theme","getStyles","styles","componentRef","underline"]));return"string"==typeof e?"a"===e?n.__assign({target:r,href:o?void 0:i},a):"button"===e?n.__assign({type:"button",disabled:o},a):n.__assign(n.__assign({},a),{disabled:o}):n.__assign({target:r,href:i,disabled:o},a)}},65951:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.List=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(60104),s=o(71061),l=o(5524),c=o(97156),u=o(50478),d="spacer-",p=1/3,m={top:-1,bottom:-1,left:-1,right:-1,width:0,height:0},g=function(e){return e.getBoundingClientRect()},h=g,f=g,v=function(e){function t(t){var o=e.call(this,t)||this;return o._root=r.createRef(),o._surface=r.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||!t.hasMounted&&o.props.renderEarly&&(0,i.canUseDOM)()?(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,i=e.divProps;return r.createElement("div",n.__assign({ref:t},i),o)},o._onRenderSurface=function(e){var t=e.surfaceRef,o=e.pageElements,i=e.divProps;return r.createElement("div",n.__assign({ref:t},i),o)},o._onRenderPage=function(e,t){for(var i,a=o.props,s=a.onRenderCell,l=a.onRenderCellConditional,c=a.role,u=e.page,d=u.items,p=void 0===d?[]:d,m=u.startIndex,g=n.__rest(e,["page"]),h=void 0===c?"listitem":"presentation",f=[],v=0;ve){if(t&&this._scrollElement){for(var m=f(this._scrollElement),g=(0,l.getScrollYPosition)(this._scrollElement),h={top:g,bottom:g+m.height},v=e-u,b=0;b=h.top&&y<=h.bottom)return;sh.bottom&&(s=y-m.height)}return void(this._scrollElement&&(0,l.setScrollYPosition)(this._scrollElement,s))}s+=p}},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?r:void 0,"aria-label":d.length>0?p["aria-label"]: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 n.__assign(n.__assign({},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,i.getParent)(t)}},t.prototype._onScroll=function(){this.state.isScrolling||this.props.ignoreScrollingState||this.setState({isScrolling:!0}),this._resetRequiredWindows(),this._onScrollingDoneDebounced()},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._onAsyncIdleDebounced()},t.prototype._onScrollingDone=function(){this.props.ignoreScrollingState||(this.setState({isScrolling:!1}),this._onAsyncIdle())},t.prototype._onAsyncResize=function(){this.forceUpdate()},t.prototype._updatePages=function(e,t){this._requiredRect||this._updateRenderRects(e,t);var o=this._buildPages(e,t),r=t.pages;return this._notifyPageChanges(r,o.pages,this.props),n.__assign(n.__assign(n.__assign({},t),o),{pagesVersion:{}})},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,I=!y||P>=y.top&&p<=y.bottom,w=!S._requiredRect||P>=S._requiredRect.top&&p<=S._requiredRect.bottom;if(!b&&(w||I&&k)||!v||h>=o&&h=S._visibleRect.top&&p<=S._visibleRect.bottom),c.push(E),w&&S._allowedRect&&(C=l,x={top:p,bottom:P,height:s,left:y.left,right:y.right,width:y.width},C.top=x.topC.bottom||-1===C.bottom?x.bottom:C.bottom,C.right=x.right>C.right||-1===C.right?x.right:C.right,C.width=C.right-C.left+1,C.height=C.bottom-C.top+1)}else g||(g=S._createPage(d+o,void 0,o,0,void 0,m,!0)),g.height=(g.height||0)+(P-p)+1,g.itemCount+=u;if(p+=P-p+1,b&&v)return"break"},S=this,C=a;Cthis._estimatedPageHeight*p)&&(c=this._surfaceRect=h(this._surface.current),this._scrollTop=d),!o&&u&&u===this._scrollHeight||this._measureVersion++,this._scrollHeight=u||0;var g=Math.max(0,-c.top),f=(0,i.getWindow)(this._root.current),v={top:g,left:c.left,bottom:g+f.innerHeight,right:c.right,width:c.width,height:f.innerHeight};this._requiredRect=b(v,this._requiredWindowsBehind,this._requiredWindowsAhead),this._allowedRect=b(v,a,r),this._visibleRect=v}},t.defaultProps={startIndex:0,onRenderCell:function(e,t,o){return r.createElement(r.Fragment,null,e&&e.name||"")},onRenderCellConditional:void 0,renderedWindowsAhead:2,renderedWindowsBehind:2},t.contextType=c.WindowContext,t}(r.Component);function b(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}}t.List=v},60104:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ScrollToMode=void 0,t.ScrollToMode={auto:0,top:1,bottom:2,center:3}},99195:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(65951),t),n.__exportStar(o(60104),t)},5524:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.setScrollYPosition=t.getScrollYPosition=t.getScrollHeight=void 0,t.getScrollHeight=function(e){if(void 0===e)return 0;var t=0;return"scrollHeight"in e?t=e.scrollHeight:"document"in e&&(t=e.document.documentElement.scrollHeight),t},t.getScrollYPosition=function(e){if(void 0===e)return 0;var t=0;return"scrollTop"in e?t=e.scrollTop:"scrollY"in e&&(t=e.scrollY),Math.ceil(t)},t.setScrollYPosition=function(e,t){"scrollTop"in e?e.scrollTop=t:"scrollY"in e&&e.scrollTo(e.scrollX,t)}},11604:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.MarqueeSelectionBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(97156),s=o(50478),l=(0,i.classNamesFunction)(),c=function(e){function t(t){var o=e.call(this,t)||this;return o._root=r.createRef(),o._onMouseDown=function(e){var t=o.props,n=t.isEnabled,r=t.onShouldStartSelection;if(!o._isMouseEventOnScrollbar(e)&&!o._isInSelectionToggle(e)&&!o._isTouch&&n&&!o._isDragStartInSelection(e)&&(!r||r(e))&&o._scrollableSurface&&0===e.button&&o._root.current){var a=(0,s.getWindowEx)(o.context);o._selectedIndicies={},o._preservedIndicies=void 0,o._events.on(a,"mousemove",o._onAsyncMouseMove,!0),o._events.on(o._scrollableParent,"scroll",o._onAsyncMouseMove),o._events.on(a,"click",o._onMouseUp,!0),o._autoScroll=new i.AutoScroll(o._root.current,a),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,i.initializeComponentRef)(o),o._async=new i.Async(o),o._events=new i.EventGroup(o),o.state={dragRect:void 0},o}return n.__extends(t,e),t.prototype.componentDidMount=function(){var e=(0,s.getWindowEx)(this.context),t=(0,s.getDocumentEx)(this.context);this._scrollableParent=(0,i.findScrollableParent)(this._root.current),this._scrollableSurface=this._scrollableParent===e?null==t?void 0:t.body:this._scrollableParent;var o=this.props.isDraggingConstrainedToRoot?this._root.current:this._scrollableSurface;this._events.on(o,"mousedown",this._onMouseDown),this._events.on(o,"touchstart",this._onTouchStart,!0),this._events.on(o,"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,i=e.theme,a=e.className,s=e.styles,c=this.state.dragRect,u=l(s,{theme:i,className:a});return r.createElement("div",n.__assign({},t,{className:u.root,ref:this._root}),o,c&&r.createElement("div",{className:u.dragMask}),c&&r.createElement("div",{className:u.box,style:c},r.createElement("div",{className:u.boxFill})))},t.prototype._isMouseEventOnScrollbar=function(e){var t=e.target,o=t.offsetWidth-t.clientWidth,n=t.offsetHeight-t.clientHeight;if(o||n){var r=t.getBoundingClientRect();if((0,i.getRTL)(this.props.theme)){if(e.clientXr.left+t.clientWidth)return!0;if(e.clientY>r.top+t.clientHeight)return!0}return!1},t.prototype._getRootRect=function(){return{left:this._rootRect.left+(this._scrollableSurface?this._scrollLeft-this._scrollableSurface.scrollLeft:this._scrollLeft),top:this._rootRect.top+(this._scrollableSurface?this._scrollTop-this._scrollableSurface.scrollTop:this._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,i.getDistanceBetweenPoints)(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},a={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(a,t),this.setState({dragRect:a})}return!1}},t.prototype._onMouseUp=function(e){var t=(0,s.getWindowEx)(this.context);this._events.off(t),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;c{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.MarqueeSelection=void 0;var n=o(71061),r=o(11604),i=o(77675);t.MarqueeSelection=(0,n.styled)(r.MarqueeSelectionBase,i.getStyles,void 0,{scope:"MarqueeSelection"})},77675:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019);t.getStyles=function(e){var t,o,r,i=e.theme,a=e.className,s=i.palette;return{root:[a,{position:"relative",cursor:"default"}],dragMask:[{position:"absolute",background:"rgba(255, 0, 0, 0)",left:0,top:0,right:0,bottom:0,selectors:(t={},t[n.HighContrastSelector]={background:"none",backgroundColor:"transparent"},t)}],box:[{position:"absolute",boxSizing:"border-box",border:"1px solid ".concat(s.themePrimary),pointerEvents:"none",zIndex:10,selectors:(o={},o[n.HighContrastSelector]={borderColor:"Highlight"},o)}],boxFill:[{position:"absolute",boxSizing:"border-box",backgroundColor:s.themePrimary,opacity:.1,left:0,top:0,right:0,bottom:0,selectors:(r={},r[n.HighContrastSelector]={background:"none",backgroundColor:"transparent"},r)}]}}},53200:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},16348:(e,t,o)=>{"use strict";var n;Object.defineProperty(t,"__esModule",{value:!0}),t.MessageBarBase=void 0;var r=o(31635),i=o(83923),a=o(71061),s=o(74393),l=o(30936),c=o(24312),u=o(25698),d=((n={})[c.MessageBarType.info]="Info",n[c.MessageBarType.warning]="Info",n[c.MessageBarType.error]="ErrorBadge",n[c.MessageBarType.blocked]="Blocked2",n[c.MessageBarType.severeWarning]="Warning",n[c.MessageBarType.success]="Completed",n),p=(0,a.classNamesFunction)(),m=function(e){switch(e){case c.MessageBarType.blocked:case c.MessageBarType.error:case c.MessageBarType.severeWarning:return"assertive"}return"polite"},g=function(e){switch(e){case c.MessageBarType.blocked:case c.MessageBarType.error:case c.MessageBarType.severeWarning:return"alert"}return"status"};t.MessageBarBase=i.forwardRef((function(e,t){var o=(0,u.useBoolean)(!1),n=o[0],h=o[1].toggle,f=(0,u.useId)("MessageBar"),v=e.actions,b=e.className,y=e.children,_=e.overflowButtonAriaLabel,S=e.dismissIconProps,C=e.styles,x=e.theme,P=e.messageBarType,k=void 0===P?c.MessageBarType.info:P,I=e.onDismiss,w=void 0===I?void 0:I,T=e.isMultiline,E=void 0===T||T,D=e.truncated,M=e.dismissButtonAriaLabel,O=e.messageBarIconProps,R=e.role,F=e.delayedRender,B=void 0===F||F,A=e.expandButtonProps,N=e.onExpandButtonToggled,L=void 0===N?void 0:N,H=i.useCallback((function(){h(),L&&L(!n)}),[n,L,h]),j=(0,a.getNativeProps)(e,a.htmlElementProperties,["className","role"]),z=p(C,{theme:x,messageBarType:k||c.MessageBarType.info,onDismiss:void 0!==w,actions:void 0!==v,truncated:D,isMultiline:E,expandSingleLine:n,className:b}),W={iconName:n?"DoubleChevronUp":"DoubleChevronDown"},V=v||w?{"aria-describedby":f,role:"region"}:{},K=v?i.createElement("div",{className:z.actions},v):null,G=w?i.createElement(s.IconButton,{disabled:!1,className:z.dismissal,onClick:w,iconProps:S||{iconName:"Clear"},title:M,ariaLabel:M}):null;return i.createElement("div",r.__assign({ref:t,className:z.root},V),i.createElement("div",{className:z.content},i.createElement("div",{className:z.iconContainer,"aria-hidden":!0},O?i.createElement(l.Icon,r.__assign({},O,{className:(0,a.css)(z.icon,O.className)})):i.createElement(l.Icon,{iconName:d[k],className:z.icon})),i.createElement("div",{className:z.text,id:f,role:R||g(k),"aria-live":m(k)},i.createElement("span",r.__assign({className:z.innerText},j),B?i.createElement(a.DelayedRender,null,i.createElement("span",null,y)):i.createElement("span",null,y))),!E&&!K&&D&&i.createElement("div",{className:z.expandSingleLine},i.createElement(s.IconButton,r.__assign({disabled:!1,className:z.expand,onClick:H,iconProps:W,ariaLabel:_,"aria-expanded":n},A))),!E&&K,!E&&G&&i.createElement("div",{className:z.dismissSingleLine},G),E&&G),E&&K)})),t.MessageBarBase.displayName="MessageBar"},84623:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.MessageBar=void 0;var n=o(71061),r=o(16348),i=o(22035);t.MessageBar=(0,n.styled)(r.MessageBarBase,i.getStyles,void 0,{scope:"MessageBar"})},22035:(e,t,o)=>{"use strict";var n,r,i,a;Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var s=o(31635),l=o(15019),c=o(24312),u={root:"ms-MessageBar",error:"ms-MessageBar--error",blocked:"ms-MessageBar--blocked",severeWarning:"ms-MessageBar--severeWarning",success:"ms-MessageBar--success",warning:"ms-MessageBar--warning",multiline:"ms-MessageBar-multiline",singleline:"ms-MessageBar-singleline",dismissalSingleLine:"ms-MessageBar-dismissalSingleLine",expandingSingleLine:"ms-MessageBar-expandingSingleLine",content:"ms-MessageBar-content",iconContainer:"ms-MessageBar-icon",text:"ms-MessageBar-text",innerText:"ms-MessageBar-innerText",dismissSingleLine:"ms-MessageBar-dismissSingleLine",expandSingleLine:"ms-MessageBar-expandSingleLine",dismissal:"ms-MessageBar-dismissal",expand:"ms-MessageBar-expand",actions:"ms-MessageBar-actions",actionsSingleline:"ms-MessageBar-actionsSingleLine"},d=((n={})[c.MessageBarType.error]="errorBackground",n[c.MessageBarType.blocked]="errorBackground",n[c.MessageBarType.success]="successBackground",n[c.MessageBarType.warning]="warningBackground",n[c.MessageBarType.severeWarning]="severeWarningBackground",n[c.MessageBarType.info]="infoBackground",n),p=((r={})[c.MessageBarType.error]="errorIcon",r[c.MessageBarType.blocked]="errorIcon",r[c.MessageBarType.success]="successIcon",r[c.MessageBarType.warning]="warningIcon",r[c.MessageBarType.severeWarning]="severeWarningIcon",r[c.MessageBarType.info]="infoIcon",r),m=((i={})[c.MessageBarType.error]="#ff0000",i[c.MessageBarType.blocked]="#ff0000",i[c.MessageBarType.success]="#bad80a",i[c.MessageBarType.warning]="#fff100",i[c.MessageBarType.severeWarning]="#ff0000",i[c.MessageBarType.info]="WindowText",i),g=((a={})[c.MessageBarType.error]="#e81123",a[c.MessageBarType.blocked]="#e81123",a[c.MessageBarType.success]="#107c10",a[c.MessageBarType.warning]="#966400",a[c.MessageBarType.severeWarning]="#d83b01",a[c.MessageBarType.info]="WindowText",a);t.getStyles=function(e){var t,o,n,r,i,a,h,f,v,b,y,_=e.theme,S=e.className,C=e.onDismiss,x=e.truncated,P=e.isMultiline,k=e.expandSingleLine,I=e.messageBarType,w=void 0===I?c.MessageBarType.info:I,T=_.semanticColors,E=_.fonts,D=(0,l.getScreenSelector)(0,l.ScreenWidthMaxSmall),M=(0,l.getGlobalClassNames)(u,_),O={fontSize:l.IconFontSizes.xSmall,height:10,lineHeight:"10px",color:T.messageText,selectors:(t={},t[l.HighContrastSelector]=s.__assign(s.__assign({},(0,l.getHighContrastNoAdjustStyle)()),{color:"WindowText"}),t)},R=[(0,l.getFocusStyle)(_,{inset:1,highContrastStyle:{outlineOffset:"-6px",outline:"1px solid Highlight"},borderColor:"transparent"}),{flexShrink:0,width:32,height:32,padding:"8px 12px",selectors:{"& .ms-Button-icon":O,":hover":{backgroundColor:"transparent"},":active":{backgroundColor:"transparent"}}}];return{root:[M.root,E.medium,w===c.MessageBarType.error&&M.error,w===c.MessageBarType.blocked&&M.blocked,w===c.MessageBarType.severeWarning&&M.severeWarning,w===c.MessageBarType.success&&M.success,w===c.MessageBarType.warning&&M.warning,P?M.multiline:M.singleline,!P&&C&&M.dismissalSingleLine,!P&&x&&M.expandingSingleLine,{background:T[d[w]],boxSizing:"border-box",color:T.messageText,minHeight:32,width:"100%",display:"flex",wordBreak:"break-word",selectors:(o={".ms-Link":{color:T.messageLink,selectors:{":hover":{color:T.messageLinkHovered}}}},o[l.HighContrastSelector]=s.__assign(s.__assign({},(0,l.getHighContrastNoAdjustStyle)()),{background:"transparent",border:"1px solid ".concat(m[w]),color:"WindowText"}),o[l.HighContrastSelectorWhite]={border:"1px solid ".concat(g[w])},o)},P&&{flexDirection:"column"},S],content:[M.content,(n={display:"flex",width:"100%",lineHeight:"normal"},n[D]={display:"grid",gridTemplateColumns:"auto 1fr auto",gridTemplateRows:"1fr auto",gridTemplateAreas:'\n "icon text close"\n "action action action"\n '},n)],iconContainer:[M.iconContainer,(r={fontSize:l.IconFontSizes.medium,minWidth:16,minHeight:16,display:"flex",flexShrink:0,margin:"8px 0 8px 12px"},r[D]={gridArea:"icon"},r)],icon:{color:T[p[w]],selectors:(i={},i[l.HighContrastSelector]=s.__assign(s.__assign({},(0,l.getHighContrastNoAdjustStyle)()),{color:"WindowText"}),i)},text:[M.text,s.__assign(s.__assign({minWidth:0,display:"flex",flexGrow:1,margin:8},E.small),(a={},a[D]={gridArea:"text"},a.selectors=(h={},h[l.HighContrastSelector]=s.__assign({},(0,l.getHighContrastNoAdjustStyle)()),h),a)),!C&&{marginRight:12}],innerText:[M.innerText,{lineHeight:16,selectors:{"& span a:last-child":{paddingLeft:4}}},x&&{overflow:"visible",whiteSpace:"pre-wrap"},!P&&{overflow:"hidden",textOverflow:"ellipsis",whiteSpace:"nowrap"},!P&&!x&&{selectors:(f={},f[D]={overflow:"visible",whiteSpace:"pre-wrap"},f)},k&&{overflow:"visible",whiteSpace:"pre-wrap"}],dismissSingleLine:[M.dismissSingleLine,(v={},v[D]={gridArea:"close"},v)],expandSingleLine:M.expandSingleLine,dismissal:[M.dismissal,R],expand:[M.expand,R],actions:[P?M.actions:M.actionsSingleline,(b={display:"flex",flexGrow:0,flexShrink:0,flexBasis:"auto",flexDirection:"row-reverse",alignItems:"center",margin:"0 12px 0 8px",forcedColorAdjust:"auto",MsHighContrastAdjust:"auto"},b[D]={gridArea:"action",marginRight:8,marginBottom:8},b.selectors={"& button:nth-child(n+2)":(y={marginLeft:8},y[D]={marginBottom:0},y)},b),P&&{marginBottom:8},C&&!P&&{marginRight:0}]}}},24312:(e,t)=>{"use strict";var o;Object.defineProperty(t,"__esModule",{value:!0}),t.MessageBarType=void 0,(o=t.MessageBarType||(t.MessageBarType={}))[o.info=0]="info",o[o.error=1]="error",o[o.blocked=2]="blocked",o[o.severeWarning=3]="severeWarning",o[o.success=4]="success",o[o.warning=5]="warning"},8843:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(84623),t),n.__exportStar(o(16348),t),n.__exportStar(o(24312),t)},41646:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ModalBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(34464),s=o(80029),l=o(63409),c=o(44472),u=o(42183),d=o(4324),p=o(42502),m=o(30936),g=o(37996),h=o(97156),f=o(25698),v={x:0,y:0},b={isOpen:!1,isDarkOverlay:!0,className:"",containerClassName:"",enableAriaHiddenSiblings:!0},y=(0,i.classNamesFunction)();t.ModalBase=r.forwardRef((function(e,t){var o,_,S,C,x,P=(0,i.getPropsWithDefaults)(b,e),k=P.allowTouchBodyScroll,I=P.className,w=P.children,T=P.containerClassName,E=P.scrollableContentClassName,D=P.elementToFocusOnDismiss,M=P.firstFocusableSelector,O=P.focusTrapZoneProps,R=P.forceFocusInsideTrap,F=P.disableRestoreFocus,B=void 0===F?P.ignoreExternalFocusing:F,A=P.isBlocking,N=P.isAlert,L=P.isClickableOutsideFocusTrap,H=P.isDarkOverlay,j=P.onDismiss,z=P.layerProps,W=P.overlay,V=P.isOpen,K=P.titleAriaId,G=P.styles,U=P.subtitleAriaId,Y=P.theme,q=P.topOffsetFixed,X=P.responsiveMode,Z=P.onLayerDidMount,Q=P.isModeless,J=P.dragOptions,$=P.onDismissed,ee=P.enableAriaHiddenSiblings,te=P.popupProps,oe=r.useRef(null),ne=r.useRef(null),re=(0,f.useMergedRefs)(ne,null==O?void 0:O.componentRef),ie=r.useRef(null),ae=(0,f.useMergedRefs)(oe,t),se=(0,d.useResponsiveMode)(ae),le=(0,f.useId)("ModalFocusTrapZone",null==O?void 0:O.id),ce=(0,h.useWindow)(),ue=(0,f.useSetTimeout)(),de=ue.setTimeout,pe=ue.clearTimeout,me=r.useState(V),ge=me[0],he=me[1],fe=r.useState(V),ve=fe[0],be=fe[1],ye=r.useState(v),_e=ye[0],Se=ye[1],Ce=r.useState(),xe=Ce[0],Pe=Ce[1],ke=(0,f.useBoolean)(!1),Ie=ke[0],we=ke[1],Te=we.toggle,Ee=we.setFalse,De=(0,f.useConst)((function(){return{onModalCloseTimer:0,allowTouchBodyScroll:k,scrollableContent:null,lastSetCoordinates:v,events:new i.EventGroup({})}})),Me=(J||{}).keepInBounds,Oe=null!=N?N:A&&!Q,Re=void 0===z?"":z.className,Fe=y(G,{theme:Y,className:I,containerClassName:T,scrollableContentClassName:E,isOpen:V,isVisible:ve,hasBeenOpened:De.hasBeenOpened,modalRectangleTop:xe,topOffsetFixed:q,isModeless:Q,layerClassName:Re,windowInnerHeight:null==ce?void 0:ce.innerHeight,isDefaultDragHandle:J&&!J.dragHandleSelector}),Be=n.__assign(n.__assign({eventBubblingEnabled:!1},z),{onLayerDidMount:z&&z.onLayerDidMount?z.onLayerDidMount:Z,insertFirst:(null==z?void 0:z.insertFirst)||Q,className:Fe.layer}),Ae=r.useCallback((function(e){e?De.allowTouchBodyScroll?(0,i.allowOverscrollOnElement)(e,De.events):(0,i.allowScrollOnElement)(e,De.events):De.events.off(De.scrollableContent),De.scrollableContent=e}),[De]),Ne=function(){var e=ie.current,t=null==e?void 0:e.getBoundingClientRect();t&&(q&&Pe(t.top),Me&&(De.minPosition={x:-t.left,y:-t.top},De.maxPosition={x:t.left,y:t.top}))},Le=r.useCallback((function(e,t){var o=De.minPosition,n=De.maxPosition;return Me&&o&&n&&(t=Math.max(o[e],t),t=Math.min(n[e],t)),t}),[Me,De]),He=function(){var e;De.lastSetCoordinates=v,Ee(),De.isInKeyboardMoveMode=!1,he(!1),Se(v),null===(e=De.disposeOnKeyUp)||void 0===e||e.call(De),null==$||$()},je=r.useCallback((function(){Ee(),De.isInKeyboardMoveMode=!1}),[De,Ee]),ze=r.useCallback((function(e,t){Se((function(e){return{x:Le("x",e.x+t.delta.x),y:Le("y",e.y+t.delta.y)}}))}),[Le]),We=r.useCallback((function(){ne.current&&ne.current.focus()}),[]);r.useEffect((function(){var e;pe(De.onModalCloseTimer),V&&(requestAnimationFrame((function(){return de(Ne,0)})),he(!0),J&&(e=function(e){e.altKey&&e.ctrlKey&&e.keyCode===i.KeyCodes.space&&(0,i.elementContains)(De.scrollableContent,e.target)&&(Te(),e.preventDefault(),e.stopPropagation())},De.disposeOnKeyUp||(De.events.on(ce,"keyup",e,!0),De.disposeOnKeyUp=function(){De.events.off(ce,"keyup",e,!0),De.disposeOnKeyUp=void 0})),De.hasBeenOpened=!0,be(!0)),!V&&ge&&(De.onModalCloseTimer=de(He,1e3*parseFloat(s.animationDuration)),be(!1))}),[ge,V]),(0,f.useUnmount)((function(){De.events.dispose()})),function(e,t){r.useImperativeHandle(e.componentRef,(function(){return{focus:function(){t.current&&t.current.focus()}}}),[t])}(P,ne);var Ve=r.createElement(a.FocusTrapZone,n.__assign({},O,{id:le,ref:ie,componentRef:re,className:(0,i.css)(Fe.main,null==O?void 0:O.className),elementToFocusOnDismiss:null!==(o=null==O?void 0:O.elementToFocusOnDismiss)&&void 0!==o?o:D,isClickableOutsideFocusTrap:null!==(_=null==O?void 0:O.isClickableOutsideFocusTrap)&&void 0!==_?_:Q||L||!A,disableRestoreFocus:null!==(S=null==O?void 0:O.disableRestoreFocus)&&void 0!==S?S:B,forceFocusInsideTrap:(null!==(C=null==O?void 0:O.forceFocusInsideTrap)&&void 0!==C?C:R)&&!Q,firstFocusableSelector:(null==O?void 0:O.firstFocusableSelector)||M,focusPreviouslyFocusedInnerElement:null===(x=null==O?void 0:O.focusPreviouslyFocusedInnerElement)||void 0===x||x,onBlur:De.isInKeyboardMoveMode?function(e){var t,o;null===(t=null==O?void 0:O.onBlur)||void 0===t||t.call(O,e),De.lastSetCoordinates=v,De.isInKeyboardMoveMode=!1,null===(o=De.disposeOnKeyDown)||void 0===o||o.call(De)}:void 0}),J&&De.isInKeyboardMoveMode&&r.createElement("div",{className:Fe.keyboardMoveIconContainer},J.keyboardMoveIconProps?r.createElement(m.Icon,n.__assign({},J.keyboardMoveIconProps)):r.createElement(m.Icon,{iconName:"move",className:Fe.keyboardMoveIcon})),r.createElement("div",{ref:Ae,className:Fe.scrollableContent,"data-is-scrollable":!0},J&&Ie&&r.createElement(J.menu,{items:[{key:"move",text:J.moveMenuItemText,onClick:function(){var e=function(e){if(e.altKey&&e.ctrlKey&&e.keyCode===i.KeyCodes.space)return e.preventDefault(),void e.stopPropagation();var t=e.altKey||e.keyCode===i.KeyCodes.escape;if(Ie&&t&&Ee(),!De.isInKeyboardMoveMode||e.keyCode!==i.KeyCodes.escape&&e.keyCode!==i.KeyCodes.enter||(De.isInKeyboardMoveMode=!1,e.preventDefault(),e.stopPropagation()),De.isInKeyboardMoveMode){var o=!0,n=function(e){var t=10;return e.shiftKey?e.ctrlKey||(t=50):e.ctrlKey&&(t=1),t}(e);switch(e.keyCode){case i.KeyCodes.escape:Se(De.lastSetCoordinates);case i.KeyCodes.enter:De.lastSetCoordinates=v;break;case i.KeyCodes.up:Se((function(e){return{x:e.x,y:Le("y",e.y-n)}}));break;case i.KeyCodes.down:Se((function(e){return{x:e.x,y:Le("y",e.y+n)}}));break;case i.KeyCodes.left:Se((function(e){return{x:Le("x",e.x-n),y:e.y}}));break;case i.KeyCodes.right:Se((function(e){return{x:Le("x",e.x+n),y:e.y}}));break;default:o=!1}o&&(e.preventDefault(),e.stopPropagation())}};De.lastSetCoordinates=_e,Ee(),De.isInKeyboardMoveMode=!0,De.events.on(ce,"keydown",e,!0),De.disposeOnKeyDown=function(){De.events.off(ce,"keydown",e,!0),De.disposeOnKeyDown=void 0}}},{key:"close",text:J.closeMenuItemText,onClick:He}],onDismiss:Ee,alignTargetEdge:!0,coverTarget:!0,directionalHint:p.DirectionalHint.topLeftEdge,directionalHintFixed:!0,shouldFocusOnMount:!0,target:De.scrollableContent}),w));return ge&&se>=(X||d.ResponsiveMode.small)&&r.createElement(c.Layer,n.__assign({ref:ae},Be),r.createElement(u.Popup,n.__assign({role:Oe?"alertdialog":"dialog",ariaLabelledBy:K,ariaDescribedBy:U,onDismiss:j,shouldRestoreFocus:!B,enableAriaHiddenSiblings:ee,"aria-modal":!Q},te),r.createElement("div",{className:Fe.root,role:Q?void 0:"document"},!Q&&r.createElement(l.Overlay,n.__assign({"aria-hidden":!0,isDarkThemed:H,onClick:A?void 0:j,allowTouchBodyScroll:k},W)),J?r.createElement(g.DraggableZone,{handleSelector:J.dragHandleSelector||"#".concat(le),preventDragSelector:"button",onStart:je,onDragChange:ze,onStop:We,position:_e},Ve):Ve)))||null})),t.ModalBase.displayName="Modal"},14793:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Modal=void 0;var n=o(71061),r=o(41646),i=o(80029);t.Modal=(0,n.styled)(r.ModalBase,i.getStyles,void 0,{scope:"Modal",fields:["theme","styles","enableAriaHiddenSiblings"]}),t.Modal.displayName="Modal"},80029:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=t.animationDuration=void 0;var n=o(15019);t.animationDuration=n.AnimationVariables.durationValue2;var r={root:"ms-Modal",main:"ms-Dialog-main",scrollableContent:"ms-Modal-scrollableContent",isOpen:"is-open",layer:"ms-Modal-Layer"};t.getStyles=function(e){var o,i=e.className,a=e.containerClassName,s=e.scrollableContentClassName,l=e.isOpen,c=e.isVisible,u=e.hasBeenOpened,d=e.modalRectangleTop,p=e.theme,m=e.topOffsetFixed,g=e.isModeless,h=e.layerClassName,f=e.isDefaultDragHandle,v=e.windowInnerHeight,b=p.palette,y=p.effects,_=p.fonts,S=(0,n.getGlobalClassNames)(r,p);return{root:[S.root,_.medium,{backgroundColor:"transparent",position:"fixed",height:"100%",width:"100%",display:"flex",alignItems:"center",justifyContent:"center",opacity:0,pointerEvents:"none",transition:"opacity ".concat(t.animationDuration)},m&&"number"==typeof d&&u&&{alignItems:"flex-start"},l&&S.isOpen,c&&{opacity:1},c&&!g&&{pointerEvents:"auto"},i],main:[S.main,{boxShadow:y.elevation64,borderRadius:y.roundedCorner2,backgroundColor:b.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:g?n.ZIndexes.Layer:void 0},g&&{pointerEvents:"auto"},m&&"number"==typeof d&&u&&{top:d},f&&{cursor:"move"},a],scrollableContent:[S.scrollableContent,{overflowY:"auto",flexGrow:1,maxHeight:"100vh",selectors:(o={},o["@supports (-webkit-overflow-scrolling: touch)"]={maxHeight:v},o)},s],layer:g&&[h,S.layer,{pointerEvents:"none"}],keyboardMoveIconContainer:{position:"absolute",display:"flex",justifyContent:"center",width:"100%",padding:"3px 0px"},keyboardMoveIcon:{fontSize:_.xLargePlus.fontSize,width:"24px"}}}},36274:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},83144:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(14793),t),n.__exportStar(o(41646),t),n.__exportStar(o(36274),t)},31594:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.NavBase=t.isRelativeUrl=void 0;var n,r=o(31635),i=o(83923),a=o(74393),s=o(31305),l=o(71061),c=o(80371),u=o(30936),d=o(52332),p=o(97156),m=o(50478);function g(e){return!!e&&!/^[a-z0-9+-.]+:\/\//i.test(e)}t.isRelativeUrl=g;var h=(0,l.classNamesFunction)(),f=function(e){function t(t){var o=e.call(this,t)||this;return o._focusZone=i.createRef(),o._onRenderLink=function(e){var t=o.props,n=t.styles,r=t.groups,a=t.theme,s=h(n,{theme:a,groups:r});return i.createElement("div",{className:s.linkText},e.name)},o._renderGroup=function(e,t){var n=o.props,a=n.styles,s=n.groups,l=n.theme,c=n.onRenderGroupHeader,u=void 0===c?o._renderGroupHeader:c,d=o._isGroupExpanded(e),p=h(a,{theme:l,isGroup:!0,isExpanded:d,groups:s}),m=r.__assign(r.__assign({},e),{isExpanded:d,onHeaderClick:function(t,n){o._onGroupHeaderClicked(e,t)}});return i.createElement("div",{key:t,className:p.group},m.name?u(m,o._renderGroupHeader):null,i.createElement("div",{className:p.groupContent},o._renderLinks(m.links,0)))},o._renderGroupHeader=function(e){var t,n=o.props,r=n.styles,a=n.groups,s=n.theme,l=n.expandButtonAriaLabel,c=e.isExpanded,d=h(r,{theme:s,isGroup:!0,isExpanded:c,groups:a}),p=null!==(t=e.collapseAriaLabel)&&void 0!==t?t:e.expandAriaLabel,m=(c?p:e.expandAriaLabel)||l,g=e.onHeaderClick,f=g?function(e){g(e,c)}:void 0;return i.createElement("button",{className:d.chevronButton,onClick:f,"aria-label":m,"aria-expanded":c},i.createElement(u.Icon,{className:d.chevronIcon,iconName:"ChevronDown"}),e.name)},(0,l.initializeComponentRef)(o),o.state={isGroupCollapsed:{},isLinkExpandStateChanged:!1,selectedKey:t.initialSelectedKey||t.selectedKey},o}return r.__extends(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.groups,n=e.className,a=e.isOnTop,s=e.role,l=void 0===s?"navigation":s,u=e.theme;if(!o)return null;var d=o.map(this._renderGroup),p=h(t,{theme:u,className:n,isOnTop:a,groups:o});return i.createElement(c.FocusZone,r.__assign({direction:c.FocusZoneDirection.vertical,componentRef:this._focusZone},this.props.focusZoneProps),i.createElement("nav",{role:l,className:p.root,"aria-label":this.props.ariaLabel},d))},Object.defineProperty(t.prototype,"selectedKey",{get:function(){return this.state.selectedKey},enumerable:!1,configurable:!0}),t.prototype.focus=function(e){return void 0===e&&(e=!1),!(!this._focusZone||!this._focusZone.current)&&this._focusZone.current.focus(e)},t.prototype._renderNavLink=function(e,t,o){var n=this.props,r=n.styles,l=n.groups,c=n.theme,u=e.icon||e.iconProps,p=this._isLinkSelected(e),m=e.ariaCurrent,f=void 0===m?"page":m,v=h(r,{theme:c,isSelected:p,isDisabled:e.disabled,isButtonEntry:e.onClick&&!e.forceAnchor,leftPadding:14*o+3+(u?0:24),groups:l}),b=e.url&&e.target&&!g(e.url)?"noopener noreferrer":void 0,y=this.props.linkAs?(0,d.composeComponentAs)(this.props.linkAs,a.ActionButton):a.ActionButton,_=this.props.onRenderLink?(0,d.composeRenderFunction)(this.props.onRenderLink,this._onRenderLink):this._onRenderLink;return i.createElement(y,{className:v.link,styles:s.buttonStyles,href:e.url||(e.forceAnchor?"#":void 0),iconProps:e.iconProps||{iconName:e.icon},onClick:e.onClick?this._onNavButtonLinkClicked.bind(this,e):this._onNavAnchorLinkClicked.bind(this,e),title:void 0!==e.title?e.title:e.name,target:e.target,rel:b,disabled:e.disabled,"aria-current":p?f:void 0,"aria-label":e.ariaLabel?e.ariaLabel:void 0,link:e},_(e))},t.prototype._renderCompositeLink=function(e,t,o){var n,a=r.__assign({},(0,l.getNativeProps)(e,l.divProperties,["onClick"])),s=this.props,c=s.expandButtonAriaLabel,d=s.styles,p=s.groups,m=s.theme,g=h(d,{theme:m,isExpanded:!!e.isExpanded,isSelected:this._isLinkSelected(e),isLink:!0,isDisabled:e.disabled,position:14*o+1,groups:p}),f="";if(e.links&&e.links.length>0)if(e.collapseAriaLabel||e.expandAriaLabel){var v=null!==(n=e.collapseAriaLabel)&&void 0!==n?n:e.expandAriaLabel;f=e.isExpanded?v:e.expandAriaLabel}else f=c?"".concat(e.name," ").concat(c):e.name;return i.createElement("div",r.__assign({},a,{key:e.key||t,className:g.compositeLink}),e.links&&e.links.length>0?i.createElement("button",{className:g.chevronButton,onClick:this._onLinkExpandClicked.bind(this,e),"aria-label":f,"aria-expanded":e.isExpanded?"true":"false"},i.createElement(u.Icon,{className:g.chevronIcon,iconName:"ChevronDown"})):null,this._renderNavLink(e,t,o))},t.prototype._renderLink=function(e,t,o){var n=this.props,r=n.styles,a=n.groups,s=n.theme,l=h(r,{theme:s,groups:a});return i.createElement("li",{key:e.key||t,role:"listitem",className:l.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,a=r.styles,s=r.groups,l=r.theme,c=h(a,{theme:l,groups:s});return i.createElement("ul",{role:"list",className:c.navItems},n)},t.prototype._onGroupHeaderClicked=function(e,t){e.onHeaderClick&&e.onHeaderClick(t,this._isGroupExpanded(e)),void 0===e.isExpanded&&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,l.getWindow)()||!e.url)return!1;var t=(0,m.getDocumentEx)(this.context);(n=n||t.createElement("a")).href=e.url||"";var o=n.href;return location.href===o||location.protocol+"//"+location.host+location.pathname===o||!!location.hash&&(location.hash===e.url||(n.href=location.hash.substring(1),n.href===o))},t.prototype._isGroupExpanded=function(e){return void 0!==e.isExpanded?e.isExpanded: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=r.__assign(r.__assign({},this.state.isGroupCollapsed),((t={})[e.name]=this._isGroupExpanded(e),t));this.setState({isGroupCollapsed:o})}},t.defaultProps={groups:null},t.contextType=p.WindowContext,t}(i.Component);t.NavBase=f},61501:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Nav=void 0;var n=o(71061),r=o(31594),i=o(31305);t.Nav=(0,n.styled)(r.NavBase,i.getStyles,void 0,{scope:"Nav"})},31305:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=t.buttonStyles=void 0;var n=o(15019),r={root:"ms-Nav",linkText:"ms-Nav-linkText",compositeLink:"ms-Nav-compositeLink",link:"ms-Nav-link",chevronButton:"ms-Nav-chevronButton",chevronIcon:"ms-Nav-chevron",navItem:"ms-Nav-navItem",navItems:"ms-Nav-navItems",group:"ms-Nav-group",groupContent:"ms-Nav-groupContent"};t.buttonStyles={textContainer:{overflow:"hidden"},label:{whiteSpace:"nowrap",textOverflow:"ellipsis",overflow:"hidden"}},t.getStyles=function(e){var t,o=e.className,i=e.theme,a=e.isOnTop,s=e.isExpanded,l=e.isGroup,c=e.isLink,u=e.isSelected,d=e.isDisabled,p=e.isButtonEntry,m=e.navHeight,g=void 0===m?44:m,h=e.position,f=e.leftPadding,v=void 0===f?20:f,b=e.leftPaddingExpanded,y=void 0===b?28:b,_=e.rightPadding,S=void 0===_?20:_,C=i.palette,x=i.semanticColors,P=i.fonts,k=(0,n.getGlobalClassNames)(r,i);return{root:[k.root,o,P.medium,{overflowY:"auto",userSelect:"none",WebkitOverflowScrolling:"touch"},a&&[{position:"absolute"},n.AnimationClassNames.slideRightIn40]],linkText:[k.linkText,{margin:"0 4px",overflow:"hidden",verticalAlign:"middle",textAlign:"left",textOverflow:"ellipsis"}],compositeLink:[k.compositeLink,{display:"block",position:"relative",color:x.bodyText},s&&"is-expanded",u&&"is-selected",d&&"is-disabled",d&&{color:x.disabledText}],link:[k.link,(0,n.getFocusStyle)(i),{display:"block",position:"relative",height:g,width:"100%",lineHeight:"".concat(g,"px"),textDecoration:"none",cursor:"pointer",textOverflow:"ellipsis",whiteSpace:"nowrap",overflow:"hidden",paddingLeft:v,paddingRight:S,color:x.bodyText,selectors:(t={},t[n.HighContrastSelector]={border:0,selectors:{":focus":{border:"1px solid WindowText"}}},t)},!d&&{selectors:{".ms-Nav-compositeLink:hover &":{backgroundColor:x.bodyBackgroundHovered}}},u&&{color:x.bodyTextChecked,fontWeight:n.FontWeights.semibold,backgroundColor:x.bodyBackgroundChecked,selectors:{"&:after":{borderLeft:"2px solid ".concat(C.themePrimary),content:'""',position:"absolute",top:0,right:0,bottom:0,left:0,pointerEvents:"none"}}},d&&{color:x.disabledText},p&&{color:C.themePrimary}],chevronButton:[k.chevronButton,(0,n.getFocusStyle)(i),P.small,{display:"block",textAlign:"left",lineHeight:"".concat(g,"px"),margin:"5px 0",padding:"0px, ".concat(S,"px, 0px, ").concat(y,"px"),border:"none",textOverflow:"ellipsis",whiteSpace:"nowrap",overflow:"hidden",cursor:"pointer",color:x.bodyText,backgroundColor:"transparent",selectors:{"&:visited":{color:x.bodyText}}},l&&{fontSize:P.large.fontSize,width:"100%",height:g,borderBottom:"1px solid ".concat(x.bodyDivider)},c&&{display:"block",width:y-2,height:g-2,position:"absolute",top:"1px",left:"".concat(h,"px"),zIndex:n.ZIndexes.Nav,padding:0,margin:0}],chevronIcon:[k.chevronIcon,{position:"absolute",left:"8px",height:g,display:"inline-flex",alignItems:"center",lineHeight:"".concat(g,"px"),fontSize:P.small.fontSize,transition:"transform .1s linear"},s&&{transform:"rotate(-180deg)"},c&&{top:0}],navItem:[k.navItem,{padding:0}],navItems:[k.navItems,{listStyleType:"none",padding:0,margin:0}],group:[k.group,s&&"is-expanded"],groupContent:[k.groupContent,{display:"none",marginBottom:"40px"},n.AnimationClassNames.slideDownIn20,s&&{display:"block"}]}}},8926:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},90048:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(61501),t),n.__exportStar(o(31594),t),n.__exportStar(o(8926),t)},12301:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.OverflowButton=void 0;var n=o(31635),r=o(83923),i=o(49683),a=o(25698),s=function(e,t,o){for(var n=0,r=e;n{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.OverflowSetBase=void 0;var n=o(31635),r=o(83923),i=o(25698),a=o(71061),s=o(12301),l=o(50478),c=(0,a.classNamesFunction)();t.OverflowSetBase=r.forwardRef((function(e,t){var o=r.useRef(null),u=(0,i.useMergedRefs)(o,t);!function(e,t){var o=(0,l.useDocumentEx)();r.useImperativeHandle(e.componentRef,(function(){return{focus:function(e,o){var n=!1;return t.current&&(n=(0,a.focusFirstChild)(t.current,o)),n},focusElement:function(e){var n=!1;return!!e&&(t.current&&(0,a.elementContains)(t.current,e)&&(e.focus(),n=(null==o?void 0:o.activeElement)===e),n)}}}),[t,o])}(e,o);var d=e.items,p=e.overflowItems,m=e.className,g=e.styles,h=e.vertical,f=e.role,v=e.overflowSide,b=void 0===v?"end":v,y=e.onRenderItem,_=c(g,{className:m,vertical:h}),S=!!p&&p.length>0;return r.createElement("div",n.__assign({},(0,a.getNativeProps)(e,a.divProperties),{role:f||"group","aria-orientation":"menubar"===f?!0===h?"vertical":"horizontal":void 0,className:_.root,ref:u}),"start"===b&&S&&r.createElement(s.OverflowButton,n.__assign({},e,{className:_.overflowButton})),d&&d.map((function(e,t){return r.createElement("div",{className:_.item,key:e.key,role:"none"},y(e))})),"end"===b&&S&&r.createElement(s.OverflowButton,n.__assign({},e,{className:_.overflowButton})))})),t.OverflowSetBase.displayName="OverflowSet"},83301:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.OverflowSet=void 0;var n=o(71061),r=o(76274),i=o(16081);t.OverflowSet=(0,n.styled)(r.OverflowSetBase,i.getStyles,void 0,{scope:"OverflowSet"})},16081:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var o={flexShrink:0,display:"inherit"};t.getStyles=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",o],overflowButton:["ms-OverflowSet-overflowButton",o]}}},56742:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},96255:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(83301),t),n.__exportStar(o(76274),t),n.__exportStar(o(56742),t)},90006:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.OverlayBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=(0,i.classNamesFunction)(),s=function(e){function t(t){var o=e.call(this,t)||this;(0,i.initializeComponentRef)(o);var n=o.props.allowTouchBodyScroll,r=void 0!==n&&n;return o._allowTouchBodyScroll=r,o}return n.__extends(t,e),t.prototype.componentDidMount=function(){!this._allowTouchBodyScroll&&(0,i.disableBodyScroll)()},t.prototype.componentWillUnmount=function(){!this._allowTouchBodyScroll&&(0,i.enableBodyScroll)()},t.prototype.render=function(){var e=this.props,t=e.isDarkThemed,o=e.className,s=e.theme,l=e.styles,c=(0,i.getNativeProps)(this.props,i.divProperties),u=a(l,{theme:s,className:o,isDark:t});return r.createElement("div",n.__assign({},c,{className:u.root}))},t}(r.Component);t.OverlayBase=s},5649:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Overlay=void 0;var n=o(71061),r=o(90006),i=o(54533);t.Overlay=(0,n.styled)(r.OverlayBase,i.getStyles,void 0,{scope:"Overlay"})},54533:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r={root:"ms-Overlay",rootDark:"ms-Overlay--dark"};t.getStyles=function(e){var t,o=e.className,i=e.theme,a=e.isNone,s=e.isDark,l=i.palette,c=(0,n.getGlobalClassNames)(r,i);return{root:[c.root,i.fonts.medium,{backgroundColor:l.whiteTranslucent40,top:0,right:0,bottom:0,left:0,position:"absolute",selectors:(t={},t[n.HighContrastSelector]={border:"1px solid WindowText",opacity:0},t)},a&&{visibility:"hidden"},s&&[c.rootDark,{backgroundColor:l.blackTranslucent40}],o]}}},77357:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},74573:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(5649),t),n.__exportStar(o(90006),t),n.__exportStar(o(77357),t)},70902:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.PanelBase=void 0;var n,r=o(31635),i=o(83923),a=o(74393),s=o(44472),l=o(63409),c=o(42183),u=o(71061),d=o(51600),p=o(76922),m=o(97156),g=o(50478),h=(0,u.classNamesFunction)();!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 f=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.isActive&&o.props.onDismiss(e),(!e||e&&!e.defaultPrevented)&&o.close()},o._allowScrollOnPanel=function(e){e?o._allowTouchBodyScroll?(0,u.allowOverscrollOnElement)(e,o._events):(0,u.allowScrollOnElement)(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.IconButton,{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",r.__assign({id:n,role:"heading","aria-level":1},l,{className:(0,u.css)(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(e)}),200)},o._clearExistingAnimationTimer=function(){null!==o._animationCallback&&o._async.clearTimeout(o._animationCallback)},o._onPanelClick=function(e){o.dismiss(e)},o._onTransitionComplete=function(e){o._updateFooterPosition(),e===n.open&&o.props.onOpened&&o.props.onOpened(),e===n.closed&&o.props.onDismissed&&o.props.onDismissed()};var s=o.props.allowTouchBodyScroll,l=void 0!==s&&s;return o._allowTouchBodyScroll=l,(0,u.initializeComponentRef)(o),(0,u.warnDeprecations)("Panel",t,{ignoreExternalFocusing:"focusTrapZoneProps",forceFocusInsideTrap:"focusTrapZoneProps",firstFocusableSelector:"focusTrapZoneProps"}),o.state={isFooterSticky:!1,visibility:n.closed,id:(0,u.getId)("Panel")},o}return r.__extends(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._async=new u.Async(this),this._events=new u.EventGroup(this);var e=(0,g.getWindowEx)(this.context),t=(0,g.getDocumentEx)(this.context);this._events.on(e,"resize",this._updateFooterPosition),this._shouldListenForOuterClick(this.props)&&this._events.on(null==t?void 0:t.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));var i=(0,g.getDocumentEx)(this.context);o&&!r?this._events.on(null==i?void 0:i.body,"mousedown",this._dismissOnOuterClick,!0):!o&&r&&this._events.off(null==i?void 0:i.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,m=e.firstFocusableSelector,g=e.focusTrapZoneProps,f=e.forceFocusInsideTrap,v=e.hasCloseButton,b=e.headerText,y=e.headerClassName,_=void 0===y?"":y,S=e.ignoreExternalFocusing,C=e.isBlocking,x=e.isFooterAtBottom,P=e.isLightDismiss,k=e.isHiddenOnDismiss,I=e.layerProps,w=e.overlayProps,T=e.popupProps,E=e.type,D=e.styles,M=e.theme,O=e.customWidth,R=e.onLightDismissClick,F=void 0===R?this._onPanelClick:R,B=e.onRenderNavigation,A=void 0===B?this._onRenderNavigation:B,N=e.onRenderHeader,L=void 0===N?this._onRenderHeader:N,H=e.onRenderBody,j=void 0===H?this._onRenderBody:H,z=e.onRenderFooter,W=void 0===z?this._onRenderFooter:z,V=this.state,K=V.isFooterSticky,G=V.visibility,U=V.id,Y=E===p.PanelType.smallFixedNear||E===p.PanelType.customNear,q=(0,u.getRTL)(M)?Y:!Y,X=E===p.PanelType.custom||E===p.PanelType.customNear?{width:O}:{},Z=(0,u.getNativeProps)(this.props,u.divProperties),Q=this.isActive,J=G===n.animatingClosed||G===n.animatingOpen;if(this._headerTextId=b&&U+"-headerText",!Q&&!J&&!k)return null;this._classNames=h(D,{theme:M,className:o,focusTrapZoneClassName:g?g.className:void 0,hasCloseButton:v,headerClassName:_,isAnimating:J,isFooterSticky:K,isFooterAtBottom:x,isOnRightSide:q,isOpen:Q,isHiddenOnDismiss:k,type:E,hasCustomNavigation:this._hasCustomNavigation});var $,ee=this._classNames,te=this._allowTouchBodyScroll;return C&&Q&&($=i.createElement(l.Overlay,r.__assign({className:ee.overlay,isDarkThemed:!1,onClick:P?F:void 0,allowTouchBodyScroll:te},w))),i.createElement(s.Layer,r.__assign({},I),i.createElement(c.Popup,r.__assign({role:"dialog","aria-modal":C?"true":void 0,ariaLabelledBy:this._headerTextId?this._headerTextId:void 0,onDismiss:this.dismiss,className:ee.hiddenPanel,enableAriaHiddenSiblings:!!Q},T),i.createElement("div",r.__assign({"aria-hidden":!Q&&J},Z,{ref:this._panel,className:ee.root}),$,i.createElement(d.FocusTrapZone,r.__assign({ignoreExternalFocusing:S,forceFocusInsideTrap:!(!C||k&&!Q)&&f,firstFocusableSelector:m,isClickableOutsideFocusTrap:!0},g,{className:ee.main,style:X,elementToFocusOnDismiss:a}),i.createElement("div",{className:ee.contentInner},i.createElement("div",{ref:this._allowScrollOnPanel,className:ee.scrollableContent,"data-is-scrollable":!0},i.createElement("div",{className:ee.commands,"data-is-visible":!0},A(this.props,this._onRenderNavigation)),(this._hasCustomNavigation||!v)&&L(this.props,this._onRenderHeader,this._headerTextId),j(this.props,this._onRenderBody),W(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:!1,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";Object.defineProperty(t,"__esModule",{value:!0}),t.Panel=void 0;var n=o(71061),r=o(70902),i=o(86661);t.Panel=(0,n.styled)(r.PanelBase,i.getStyles,void 0,{scope:"Panel"})},86661:(e,t,o)=>{"use strict";var n,r,i,a,s;Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var l=o(31635),c=o(76922),u=o(15019),d={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"},p="auto",m=((n={})["@media (min-width: ".concat(u.ScreenWidthMinMedium,"px)")]={width:340},n),g=((r={})["@media (min-width: ".concat(u.ScreenWidthMinLarge,"px)")]={width:592},r["@media (min-width: ".concat(u.ScreenWidthMinXLarge,"px)")]={width:644},r),h=((i={})["@media (min-width: ".concat(u.ScreenWidthMinUhfMobile,"px)")]={left:48,width:"auto"},i["@media (min-width: ".concat(u.ScreenWidthMinXXLarge,"px)")]={left:428},i),f=((a={})["@media (min-width: ".concat(u.ScreenWidthMinXXLarge,"px)")]={left:p,width:940},a),v=((s={})["@media (min-width: ".concat(u.ScreenWidthMinXXLarge,"px)")]={left:176},s),b=function(e){var t;switch(e){case c.PanelType.smallFixedFar:t=l.__assign({},m);break;case c.PanelType.medium:t=l.__assign(l.__assign({},m),g);break;case c.PanelType.large:t=l.__assign(l.__assign(l.__assign({},m),g),h);break;case c.PanelType.largeFixed:t=l.__assign(l.__assign(l.__assign(l.__assign({},m),g),h),f);break;case c.PanelType.extraLarge:t=l.__assign(l.__assign(l.__assign(l.__assign({},m),g),h),v)}return t},y={paddingLeft:"24px",paddingRight:"24px"};t.getStyles=function(e){var t,o,n,r,i=e.className,a=e.focusTrapZoneClassName,s=e.hasCloseButton,m=e.headerClassName,g=e.isAnimating,h=e.isFooterSticky,f=e.isFooterAtBottom,v=e.isOnRightSide,_=e.isOpen,S=e.isHiddenOnDismiss,C=e.hasCustomNavigation,x=e.theme,P=e.type,k=void 0===P?c.PanelType.smallFixedFar:P,I=x.effects,w=x.fonts,T=x.semanticColors,E=(0,u.getGlobalClassNames)(d,x),D=k===c.PanelType.custom||k===c.PanelType.customNear;return{root:[E.root,x.fonts.medium,_&&E.isOpen,s&&E.hasCloseButton,{pointerEvents:"none",position:"absolute",top:0,left:0,right:0,bottom:0},D&&v&&E.custom,D&&!v&&E.customNear,i],overlay:[{pointerEvents:"auto",cursor:"pointer"},_&&g&&u.AnimationClassNames.fadeIn100,!_&&g&&u.AnimationClassNames.fadeOut100],hiddenPanel:[!_&&!g&&S&&{visibility:"hidden"}],main:[E.main,{backgroundColor:T.bodyBackground,boxShadow:I.elevation64,pointerEvents:"auto",position:"absolute",display:"flex",flexDirection:"column",overflowX:"hidden",overflowY:"auto",WebkitOverflowScrolling:"touch",bottom:0,top:0,left:p,right:0,width:"100%",selectors:l.__assign((t={},t[u.HighContrastSelector]={borderLeft:"3px solid ".concat(T.variantBorder),borderRight:"3px solid ".concat(T.variantBorder)},t),b(k))},k===c.PanelType.smallFluid&&{left:0},k===c.PanelType.smallFixedNear&&{left:0,right:p,width:272},k===c.PanelType.customNear&&{right:"auto",left:0},D&&{maxWidth:"100vw"},_&&g&&!v&&u.AnimationClassNames.slideRightIn40,_&&g&&v&&u.AnimationClassNames.slideLeftIn40,!_&&g&&!v&&u.AnimationClassNames.slideLeftOut40,!_&&g&&v&&u.AnimationClassNames.slideRightOut40,a],commands:[E.commands,{backgroundColor:T.bodyBackground,paddingTop:18,selectors:(o={},o["@media (min-height: ".concat(u.ScreenWidthMinMedium,"px)")]={position:"sticky",top:0,zIndex:1},o)},C&&{paddingTop:"inherit"}],navigation:[E.navigation,{display:"flex",justifyContent:"flex-end"},C&&{height:"44px"}],contentInner:[E.contentInner,{display:"flex",flexDirection:"column",flexGrow:1,overflowY:"hidden"}],header:[E.header,y,{alignSelf:"flex-start"},s&&!C&&{flexGrow:1},C&&{flexShrink:0}],headerText:[E.headerText,w.xLarge,{color:T.bodyText,lineHeight:"27px",overflowWrap:"break-word",wordWrap:"break-word",wordBreak:"break-word",hyphens:"auto"},m],scrollableContent:[E.scrollableContent,{overflowY:"auto"},f&&{flexGrow:1,display:"inherit",flexDirection:"inherit"}],content:[E.content,y,{paddingBottom:20},f&&{selectors:(n={},n["@media (min-height: ".concat(u.ScreenWidthMinMedium,"px)")]={flexGrow:1},n)}],footer:[E.footer,{flexShrink:0,borderTop:"1px solid transparent",transition:"opacity ".concat(u.AnimationVariables.durationValue3," ").concat(u.AnimationVariables.easeFunction2),selectors:(r={},r["@media (min-height: ".concat(u.ScreenWidthMinMedium,"px)")]={position:"sticky",bottom:0},r)},h&&{backgroundColor:T.bodyBackground,borderTopColor:T.variantBorder}],footerInner:[E.footerInner,y,{paddingBottom:16,paddingTop:16}],subComponentStyles:{closeButton:{root:[E.closeButton,{marginRight:14,color:x.palette.neutralSecondary,fontSize:u.IconFontSizes.large},C&&{marginRight:0,height:"auto",width:"44px"}],rootHovered:{color:x.palette.neutralPrimary}}}}}},76922:(e,t)=>{"use strict";var o;Object.defineProperty(t,"__esModule",{value:!0}),t.PanelType=void 0,(o=t.PanelType||(t.PanelType={}))[o.smallFluid=0]="smallFluid",o[o.smallFixedFar=1]="smallFixedFar",o[o.smallFixedNear=2]="smallFixedNear",o[o.medium=3]="medium",o[o.large=4]="large",o[o.largeFixed=5]="largeFixed",o[o.extraLarge=6]="extraLarge",o[o.custom=7]="custom",o[o.customNear=8]="customNear"},1451:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(28081),t),n.__exportStar(o(70902),t),n.__exportStar(o(76922),t)},99738:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.PersonaBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(34718),s=o(96558),l=o(27566),c=o(25698),u=o(42502),d=(0,i.classNamesFunction)(),p={size:l.PersonaSize.size48,presence:l.PersonaPresence.none,imageAlt:"",showOverflowTooltip:!0};t.PersonaBase=r.forwardRef((function(e,t){var o=(0,i.getPropsWithDefaults)(p,e),m=r.useRef(null),g=(0,c.useMergedRefs)(t,m),h=function(){return o.text||o.primaryText||""},f=function(e,t,n){var i=t&&t(o,n);return i?r.createElement("div",{dir:"auto",className:e},i):void 0},v=function(e,t){return void 0===t&&(t=!0),e?t?function(){return r.createElement(a.TooltipHost,{content:e,overflowMode:a.TooltipOverflowMode.Parent,directionalHint:u.DirectionalHint.topLeftEdge},e)}:function(){return r.createElement(r.Fragment,null,e)}:void 0},b=v(h(),o.showOverflowTooltip),y=v(o.secondaryText,o.showOverflowTooltip),_=v(o.tertiaryText,o.showOverflowTooltip),S=v(o.optionalText,o.showOverflowTooltip),C=o.hidePersonaDetails,x=o.onRenderOptionalText,P=void 0===x?S:x,k=o.onRenderPrimaryText,I=void 0===k?b:k,w=o.onRenderSecondaryText,T=void 0===w?y:w,E=o.onRenderTertiaryText,D=void 0===E?_:E,M=o.onRenderPersonaCoin,O=void 0===M?function(e){return r.createElement(s.PersonaCoin,n.__assign({},e))}:M,R=o.size,F=o.allowPhoneInitials,B=o.className,A=o.coinProps,N=o.showUnknownPersonaCoin,L=o.coinSize,H=o.styles,j=o.imageAlt,z=o.imageInitials,W=o.imageShouldFadeIn,V=o.imageShouldStartVisible,K=o.imageUrl,G=o.initialsColor,U=o.initialsTextColor,Y=o.isOutOfOffice,q=o.onPhotoLoadingStateChange,X=o.onRenderCoin,Z=o.onRenderInitials,Q=o.presence,J=o.presenceTitle,$=o.presenceColors,ee=o.showInitialsUntilImageLoads,te=o.showSecondaryText,oe=o.theme,ne=n.__assign({allowPhoneInitials:F,showUnknownPersonaCoin:N,coinSize:L,imageAlt:j,imageInitials:z,imageShouldFadeIn:W,imageShouldStartVisible:V,imageUrl:K,initialsColor:G,initialsTextColor:U,onPhotoLoadingStateChange:q,onRenderCoin:X,onRenderInitials:Z,presence:Q,presenceTitle:J,showInitialsUntilImageLoads:ee,size:R,text:h(),isOutOfOffice:Y,presenceColors:$},A),re=d(H,{theme:oe,className:B,showSecondaryText:te,presence:Q,size:R}),ie=(0,i.getNativeProps)(o,i.divProperties),ae=r.createElement("div",{className:re.details},f(re.primaryText,I,b),f(re.secondaryText,T,y),f(re.tertiaryText,D,_),f(re.optionalText,P,S),o.children);return r.createElement("div",n.__assign({},ie,{ref:g,className:re.root,style:L?{height:L,minWidth:L}:void 0}),O(ne,O),(!C||R===l.PersonaSize.size8||R===l.PersonaSize.size10||R===l.PersonaSize.tiny)&&ae)})),t.PersonaBase.displayName="PersonaBase"},42381:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Persona=void 0;var n=o(71061),r=o(99738),i=o(59161);t.Persona=(0,n.styled)(r.PersonaBase,i.getStyles,void 0,{scope:"Persona"})},59161:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r=o(80473),i={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"};t.getStyles=function(e){var t=e.className,o=e.showSecondaryText,a=e.theme,s=a.semanticColors,l=a.fonts,c=(0,n.getGlobalClassNames)(i,a),u=(0,r.sizeBoolean)(e.size),d=(0,r.presenceBoolean)(e.presence),p="16px",m={color:s.bodySubtext,fontWeight:n.FontWeights.regular,fontSize:l.small.fontSize};return{root:[c.root,a.fonts.medium,n.normalize,{color:s.bodyText,position:"relative",height:r.personaSize.size48,minWidth:r.personaSize.size48,display:"flex",alignItems:"center",selectors:{".contextualHost":{display:"none"}}},u.isSize8&&[c.size8,{height:r.personaSize.size8,minWidth:r.personaSize.size8}],u.isSize10&&[c.size10,{height:r.personaSize.size10,minWidth:r.personaSize.size10}],u.isSize16&&[c.size16,{height:r.personaSize.size16,minWidth:r.personaSize.size16}],u.isSize24&&[c.size24,{height:r.personaSize.size24,minWidth:r.personaSize.size24}],u.isSize24&&o&&{height:"36px"},u.isSize28&&[c.size28,{height:r.personaSize.size28,minWidth:r.personaSize.size28}],u.isSize28&&o&&{height:"32px"},u.isSize32&&[c.size32,{height:r.personaSize.size32,minWidth:r.personaSize.size32}],u.isSize40&&[c.size40,{height:r.personaSize.size40,minWidth:r.personaSize.size40}],u.isSize48&&c.size48,u.isSize56&&[c.size56,{height:r.personaSize.size56,minWidth:r.personaSize.size56}],u.isSize72&&[c.size72,{height:r.personaSize.size72,minWidth:r.personaSize.size72}],u.isSize100&&[c.size100,{height:r.personaSize.size100,minWidth:r.personaSize.size100}],u.isSize120&&[c.size120,{height:r.personaSize.size120,minWidth:r.personaSize.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,n.noWrap,{color:s.bodyText,fontWeight:n.FontWeights.regular,fontSize:l.medium.fontSize,selectors:{":hover":{color:s.inputTextHovered}}},o&&{height:p,lineHeight:p,overflowX:"hidden"},(u.isSize8||u.isSize10)&&{fontSize:l.small.fontSize,lineHeight:r.personaSize.size8},u.isSize16&&{lineHeight:r.personaSize.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,n.noWrap,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,n.noWrap,m,{display:"none",fontSize:l.medium.fontSize},(u.isSize72||u.isSize100||u.isSize120)&&{display:"block"}],optionalText:[c.optionalText,n.noWrap,m,{display:"none",fontSize:l.medium.fontSize},(u.isSize100||u.isSize120)&&{display:"block"}],textContent:[c.textContent,n.noWrap]}}},27566:(e,t)=>{"use strict";var o,n,r;Object.defineProperty(t,"__esModule",{value:!0}),t.PersonaInitialsColor=t.PersonaPresence=t.PersonaSize=void 0,(r=t.PersonaSize||(t.PersonaSize={}))[r.tiny=0]="tiny",r[r.extraExtraSmall=1]="extraExtraSmall",r[r.extraSmall=2]="extraSmall",r[r.small=3]="small",r[r.regular=4]="regular",r[r.large=5]="large",r[r.extraLarge=6]="extraLarge",r[r.size8=17]="size8",r[r.size10=9]="size10",r[r.size16=8]="size16",r[r.size24=10]="size24",r[r.size28=7]="size28",r[r.size32=11]="size32",r[r.size40=12]="size40",r[r.size48=13]="size48",r[r.size56=16]="size56",r[r.size72=14]="size72",r[r.size100=15]="size100",r[r.size120=18]="size120",(n=t.PersonaPresence||(t.PersonaPresence={}))[n.none=0]="none",n[n.offline=1]="offline",n[n.online=2]="online",n[n.away=3]="away",n[n.dnd=4]="dnd",n[n.blocked=5]="blocked",n[n.busy=6]="busy",(o=t.PersonaInitialsColor||(t.PersonaInitialsColor={}))[o.lightBlue=0]="lightBlue",o[o.blue=1]="blue",o[o.darkBlue=2]="darkBlue",o[o.teal=3]="teal",o[o.lightGreen=4]="lightGreen",o[o.green=5]="green",o[o.darkGreen=6]="darkGreen",o[o.lightPink=7]="lightPink",o[o.pink=8]="pink",o[o.magenta=9]="magenta",o[o.purple=10]="purple",o[o.black=11]="black",o[o.orange=12]="orange",o[o.red=13]="red",o[o.darkRed=14]="darkRed",o[o.transparent=15]="transparent",o[o.violet=16]="violet",o[o.lightRed=17]="lightRed",o[o.gold=18]="gold",o[o.burgundy=19]="burgundy",o[o.warmGray=20]="warmGray",o[o.coolGray=21]="coolGray",o[o.gray=22]="gray",o[o.cyan=23]="cyan",o[o.rust=24]="rust"},30099:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.PersonaCoinBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(15019),s=o(89347),l=o(30936),c=o(38992),u=o(27566),d=o(86641),p=o(80473),m=(o(25698),(0,i.classNamesFunction)({cacheSize:100})),g=(0,i.memoizeFunction)((function(e,t,o,n,r,i){return(0,a.mergeStyles)(e,!i&&{backgroundColor:(0,d.getPersonaInitialsColor)({text:n,initialsColor:t,primaryText:r}),color:o})})),h={size:u.PersonaSize.size48,presence:u.PersonaPresence.none,imageAlt:""};t.PersonaCoinBase=r.forwardRef((function(e,t){var o=(0,i.getPropsWithDefaults)(h,e),a=function(e){var t=e.onPhotoLoadingStateChange,o=e.imageUrl,n=r.useState(c.ImageLoadState.notLoaded),i=n[0],a=n[1];return r.useEffect((function(){a(c.ImageLoadState.notLoaded)}),[o]),[i,function(e){a(e),null==t||t(e)}]}(o),d=a[0],p=a[1],b=f(p),y=o.className,_=o.coinProps,S=o.showUnknownPersonaCoin,C=o.coinSize,x=o.styles,P=o.imageUrl,k=o.initialsColor,I=o.initialsTextColor,w=o.isOutOfOffice,T=o.onRenderCoin,E=void 0===T?b:T,D=o.onRenderPersonaCoin,M=void 0===D?E:D,O=o.onRenderInitials,R=void 0===O?v:O,F=o.presence,B=o.presenceTitle,A=o.presenceColors,N=o.primaryText,L=o.showInitialsUntilImageLoads,H=o.text,j=o.theme,z=o.size,W=(0,i.getNativeProps)(o,i.divProperties),V=(0,i.getNativeProps)(_||{},i.divProperties),K=C?{width:C,height:C}:void 0,G=S,U={coinSize:C,isOutOfOffice:w,presence:F,presenceTitle:B,presenceColors:A,size:z,theme:j},Y=m(x,{theme:j,className:_&&_.className?_.className:y,size:z,coinSize:C,showUnknownPersonaCoin:S}),q=Boolean(d!==c.ImageLoadState.loaded&&(L&&P||!P||d===c.ImageLoadState.error||G));return r.createElement("div",n.__assign({role:"presentation"},W,{className:Y.coin,ref:t}),z!==u.PersonaSize.size8&&z!==u.PersonaSize.size10&&z!==u.PersonaSize.tiny?r.createElement("div",n.__assign({role:"presentation"},V,{className:Y.imageArea,style:K}),q&&r.createElement("div",{className:g(Y.initials,k,I,H,N,S),style:K,"aria-hidden":"true"},R(o,v)),!G&&M(o,b),r.createElement(s.PersonaPresence,n.__assign({},U))):o.presence?r.createElement(s.PersonaPresence,n.__assign({},U)):r.createElement(l.Icon,{iconName:"Contact",className:Y.size10WithoutPresenceIcon}),o.children)})),t.PersonaCoinBase.displayName="PersonaCoinBase";var f=function(e){return function(t){var o=t.coinSize,n=t.styles,i=t.imageUrl,a=t.imageAlt,s=t.imageShouldFadeIn,l=t.imageShouldStartVisible,u=t.theme,d=t.showUnknownPersonaCoin,g=t.size,f=void 0===g?h.size:g;if(!i)return null;var v=m(n,{theme:u,size:f,showUnknownPersonaCoin:d}),b=o||p.sizeToPixels[f];return r.createElement(c.Image,{className:v.image,imageFit:c.ImageFit.cover,src:i,width:b,height:b,alt:a,shouldFadeIn:s,shouldStartVisible:l,onLoadingStateChange:e})}},v=function(e){var t=e.imageInitials,o=e.allowPhoneInitials,n=e.showUnknownPersonaCoin,a=e.text,s=e.primaryText,c=e.theme;if(n)return r.createElement(l.Icon,{iconName:"Help"});var u=(0,i.getRTL)(c);return""!==(t=t||(0,i.getInitials)(a||s||"",u,o))?r.createElement("span",null,t):r.createElement(l.Icon,{iconName:"Contact"})}},96558:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.PersonaCoin=void 0;var n=o(71061),r=o(30099),i=o(74504);t.PersonaCoin=(0,n.styled)(r.PersonaCoinBase,i.getStyles,void 0,{scope:"PersonaCoin"})},74504:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(31635),r=o(15019),i=o(80473),a={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"};t.getStyles=function(e){var t,o=e.className,s=e.theme,l=e.coinSize,c=s.palette,u=s.fonts,d=(0,i.sizeBoolean)(e.size),p=(0,r.getGlobalClassNames)(a,s),m=l||e.size&&i.sizeToPixels[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:r.FontWeights.semibold,lineHeight:48===m?46:m,height:m,selectors:(t={},t[r.HighContrastSelector]=n.__assign(n.__assign({border:"1px solid WindowText"},(0,r.getHighContrastNoAdjustStyle)()),{color:"WindowText",boxSizing:"border-box",backgroundColor:"Window !important"}),t.i={fontWeight:r.FontWeights.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}]}}},90495:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(96558),t),n.__exportStar(o(30099),t)},80473:(e,t,o)=>{"use strict";var n;Object.defineProperty(t,"__esModule",{value:!0}),t.presenceBoolean=t.sizeToPixels=t.sizeBoolean=t.personaPresenceSize=t.personaSize=void 0;var r,i,a=o(27566);(i=t.personaSize||(t.personaSize={})).size8="20px",i.size10="20px",i.size16="16px",i.size24="24px",i.size28="28px",i.size32="32px",i.size40="40px",i.size48="48px",i.size56="56px",i.size72="72px",i.size100="100px",i.size120="120px",(r=t.personaPresenceSize||(t.personaPresenceSize={})).size6="6px",r.size8="8px",r.size12="12px",r.size16="16px",r.size20="20px",r.size28="28px",r.size32="32px",r.border="2px",t.sizeBoolean=function(e){return{isSize8:e===a.PersonaSize.size8,isSize10:e===a.PersonaSize.size10||e===a.PersonaSize.tiny,isSize16:e===a.PersonaSize.size16,isSize24:e===a.PersonaSize.size24||e===a.PersonaSize.extraExtraSmall,isSize28:e===a.PersonaSize.size28||e===a.PersonaSize.extraSmall,isSize32:e===a.PersonaSize.size32,isSize40:e===a.PersonaSize.size40||e===a.PersonaSize.small,isSize48:e===a.PersonaSize.size48||e===a.PersonaSize.regular,isSize56:e===a.PersonaSize.size56,isSize72:e===a.PersonaSize.size72||e===a.PersonaSize.large,isSize100:e===a.PersonaSize.size100||e===a.PersonaSize.extraLarge,isSize120:e===a.PersonaSize.size120}},t.sizeToPixels=((n={})[a.PersonaSize.tiny]=10,n[a.PersonaSize.extraExtraSmall]=24,n[a.PersonaSize.extraSmall]=28,n[a.PersonaSize.small]=40,n[a.PersonaSize.regular]=48,n[a.PersonaSize.large]=72,n[a.PersonaSize.extraLarge]=100,n[a.PersonaSize.size8]=8,n[a.PersonaSize.size10]=10,n[a.PersonaSize.size16]=16,n[a.PersonaSize.size24]=24,n[a.PersonaSize.size28]=28,n[a.PersonaSize.size32]=32,n[a.PersonaSize.size40]=40,n[a.PersonaSize.size48]=48,n[a.PersonaSize.size56]=56,n[a.PersonaSize.size72]=72,n[a.PersonaSize.size100]=100,n[a.PersonaSize.size120]=120,n),t.presenceBoolean=function(e){return{isAvailable:e===a.PersonaPresence.online,isAway:e===a.PersonaPresence.away,isBlocked:e===a.PersonaPresence.blocked,isBusy:e===a.PersonaPresence.busy,isDoNotDisturb:e===a.PersonaPresence.dnd,isOffline:e===a.PersonaPresence.offline}}},86641:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getPersonaInitialsColor=t.initialsColorPropToColorCode=void 0;var n=o(27566),r=[n.PersonaInitialsColor.lightBlue,n.PersonaInitialsColor.blue,n.PersonaInitialsColor.darkBlue,n.PersonaInitialsColor.teal,n.PersonaInitialsColor.green,n.PersonaInitialsColor.darkGreen,n.PersonaInitialsColor.lightPink,n.PersonaInitialsColor.pink,n.PersonaInitialsColor.magenta,n.PersonaInitialsColor.purple,n.PersonaInitialsColor.orange,n.PersonaInitialsColor.lightRed,n.PersonaInitialsColor.darkRed,n.PersonaInitialsColor.violet,n.PersonaInitialsColor.gold,n.PersonaInitialsColor.burgundy,n.PersonaInitialsColor.warmGray,n.PersonaInitialsColor.cyan,n.PersonaInitialsColor.rust,n.PersonaInitialsColor.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.PersonaInitialsColor.lightBlue:return"#4F6BED";case n.PersonaInitialsColor.blue:return"#0078D4";case n.PersonaInitialsColor.darkBlue:return"#004E8C";case n.PersonaInitialsColor.teal:return"#038387";case n.PersonaInitialsColor.lightGreen:case n.PersonaInitialsColor.green:return"#498205";case n.PersonaInitialsColor.darkGreen:return"#0B6A0B";case n.PersonaInitialsColor.lightPink:return"#C239B3";case n.PersonaInitialsColor.pink:return"#E3008C";case n.PersonaInitialsColor.magenta:return"#881798";case n.PersonaInitialsColor.purple:return"#5C2E91";case n.PersonaInitialsColor.orange:return"#CA5010";case n.PersonaInitialsColor.red:return"#EE1111";case n.PersonaInitialsColor.lightRed:return"#D13438";case n.PersonaInitialsColor.darkRed:return"#A4262C";case n.PersonaInitialsColor.transparent:return"transparent";case n.PersonaInitialsColor.violet:return"#8764B8";case n.PersonaInitialsColor.gold:return"#986F0B";case n.PersonaInitialsColor.burgundy:return"#750B1C";case n.PersonaInitialsColor.warmGray:return"#7A7574";case n.PersonaInitialsColor.cyan:return"#005B70";case n.PersonaInitialsColor.rust:return"#8E562E";case n.PersonaInitialsColor.coolGray:return"#69797E";case n.PersonaInitialsColor.black:return"#1D1D1D";case n.PersonaInitialsColor.gray:return"#393939"}}(a=void 0!==a?a:function(e){var t=n.PersonaInitialsColor.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))}t.initialsColorPropToColorCode=function(e){return a(e)},t.getPersonaInitialsColor=a},47247:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.PersonaPresenceBase=void 0;var n=o(83923),r=o(71061),i=o(30936),a=o(27566),s=o(80473),l=o(25698),c=(0,r.classNamesFunction)({cacheSize:100});function u(e,t){if(e){var o="SkypeArrow";switch(a.PersonaPresence[e]){case"online":return"SkypeCheck";case"away":return t?o:"SkypeClock";case"dnd":return"SkypeMinus";case"offline":return t?o:""}return""}}t.PersonaPresenceBase=n.forwardRef((function(e,t){var o=e.coinSize,r=e.isOutOfOffice,d=e.styles,p=e.presence,m=e.theme,g=e.presenceTitle,h=e.presenceColors,f=n.useRef(null),v=(0,l.useMergedRefs)(t,f),b=(0,s.sizeBoolean)(e.size),y=!(b.isSize8||b.isSize10||b.isSize16||b.isSize24||b.isSize28||b.isSize32)&&(!o||o>32),_=o?o/3<40?o/3+"px":"40px":"",S=o?{fontSize:o?o/6<20?o/6+"px":"20px":"",lineHeight:_}:void 0,C=o?{width:_,height:_}:void 0,x=c(d,{theme:m,presence:p,size:e.size,isOutOfOffice:r,presenceColors:h});return p===a.PersonaPresence.none?null:n.createElement("div",{role:"presentation",className:x.presence,style:C,title:g,ref:v},y&&n.createElement(i.Icon,{className:x.presenceIcon,iconName:u(e.presence,e.isOutOfOffice),style:S}))})),t.PersonaPresenceBase.displayName="PersonaPresenceBase"},37170:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.PersonaPresence=void 0;var n=o(71061),r=o(47247),i=o(94356);t.PersonaPresence=(0,n.styled)(r.PersonaPresenceBase,i.getStyles,void 0,{scope:"PersonaPresence"})},94356:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(31635),r=o(15019),i=o(80473),a={presence:"ms-Persona-presence",presenceIcon:"ms-Persona-presenceIcon"};function s(e){return{color:e,borderColor:e}}function l(e,t){return{selectors:{":before":{border:"".concat(e," solid ").concat(t)}}}}function c(e){return{height:e,width:e}}function u(e){return{backgroundColor:e}}t.getStyles=function(e){var t,o,d,p,m,g,h=e.theme,f=e.presenceColors,v=h.semanticColors,b=h.fonts,y=(0,r.getGlobalClassNames)(a,h),_=(0,i.sizeBoolean)(e.size),S=(0,i.presenceBoolean)(e.presence),C=f&&f.available||"#6BB700",x=f&&f.away||"#FFAA44",P=f&&f.busy||"#C43148",k=f&&f.dnd||"#C50F1F",I=f&&f.offline||"#8A8886",w=f&&f.oof||"#B4009E",T=f&&f.background||v.bodyBackground,E=S.isOffline||e.isOutOfOffice&&(S.isAvailable||S.isBusy||S.isAway||S.isDoNotDisturb),D=_.isSize72||_.isSize100?"2px":"1px";return{presence:[y.presence,n.__assign(n.__assign({position:"absolute",height:i.personaPresenceSize.size12,width:i.personaPresenceSize.size12,borderRadius:"50%",top:"auto",right:"-2px",bottom:"-2px",border:"2px solid ".concat(T),textAlign:"center",boxSizing:"content-box",backgroundClip:"border-box"},(0,r.getHighContrastNoAdjustStyle)()),{selectors:(t={},t[r.HighContrastSelector]={borderColor:"Window",backgroundColor:"WindowText"},t)}),(_.isSize8||_.isSize10)&&{right:"auto",top:"7px",left:0,border:0,selectors:(o={},o[r.HighContrastSelector]={top:"9px",border:"1px solid WindowText"},o)},(_.isSize8||_.isSize10||_.isSize24||_.isSize28||_.isSize32)&&c(i.personaPresenceSize.size8),(_.isSize40||_.isSize48)&&c(i.personaPresenceSize.size12),_.isSize16&&{height:i.personaPresenceSize.size6,width:i.personaPresenceSize.size6,borderWidth:"1.5px"},_.isSize56&&c(i.personaPresenceSize.size16),_.isSize72&&c(i.personaPresenceSize.size20),_.isSize100&&c(i.personaPresenceSize.size28),_.isSize120&&c(i.personaPresenceSize.size32),S.isAvailable&&{backgroundColor:C,selectors:(d={},d[r.HighContrastSelector]=u("Highlight"),d)},S.isAway&&u(x),S.isBlocked&&[{selectors:(p={":after":_.isSize40||_.isSize48||_.isSize72||_.isSize100?{content:'""',width:"100%",height:D,backgroundColor:P,transform:"translateY(-50%) rotate(-45deg)",position:"absolute",top:"50%",left:0}:void 0},p[r.HighContrastSelector]={selectors:{":after":{width:"calc(100% - 4px)",left:"2px",backgroundColor:"Window"}}},p)}],S.isBusy&&u(P),S.isDoNotDisturb&&u(k),S.isOffline&&u(I),(E||S.isBlocked)&&[{backgroundColor:T,selectors:(m={":before":{content:'""',width:"100%",height:"100%",position:"absolute",top:0,left:0,border:"".concat(D," solid ").concat(P),borderRadius:"50%",boxSizing:"border-box"}},m[r.HighContrastSelector]={backgroundColor:"WindowText",selectors:{":before":{width:"calc(100% - 2px)",height:"calc(100% - 2px)",top:"1px",left:"1px",borderColor:"Window"}}},m)}],E&&S.isAvailable&&l(D,C),E&&S.isBusy&&l(D,P),E&&S.isAway&&l(D,w),E&&S.isDoNotDisturb&&l(D,k),E&&S.isOffline&&l(D,I),E&&S.isOffline&&e.isOutOfOffice&&l(D,w)],presenceIcon:[y.presenceIcon,{color:T,fontSize:"6px",lineHeight:i.personaPresenceSize.size12,verticalAlign:"top",selectors:(g={},g[r.HighContrastSelector]={color:"Window"},g)},_.isSize56&&{fontSize:"8px",lineHeight:i.personaPresenceSize.size16},_.isSize72&&{fontSize:b.small.fontSize,lineHeight:i.personaPresenceSize.size20},_.isSize100&&{fontSize:b.medium.fontSize,lineHeight:i.personaPresenceSize.size28},_.isSize120&&{fontSize:b.medium.fontSize,lineHeight:i.personaPresenceSize.size32},S.isAway&&{position:"relative",left:E?void 0:"1px"},E&&S.isAvailable&&s(C),E&&S.isBusy&&s(P),E&&S.isAway&&s(w),E&&S.isDoNotDisturb&&s(k),E&&S.isOffline&&s(I),E&&S.isOffline&&e.isOutOfOffice&&s(w)]}}},89347:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(37170),t),n.__exportStar(o(47247),t)},32449:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getPersonaInitialsColor=void 0;var n=o(31635);n.__exportStar(o(42381),t),n.__exportStar(o(99738),t),n.__exportStar(o(27566),t),n.__exportStar(o(90495),t),n.__exportStar(o(80473),t);var r=o(86641);Object.defineProperty(t,"getPersonaInitialsColor",{enumerable:!0,get:function(){return r.getPersonaInitialsColor}})},89446:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.PivotBase=void 0;var n=o(31635),r=o(83923),i=o(25698),a=o(52332),s=o(74393),l=o(64867),c=o(80371),u=o(3668),d=o(57573),p=o(23534),m=(0,a.classNamesFunction)(),g=function(e,t){var o={links:[],keyToIndexMapping:{},keyToTabIdMapping:{}};return r.Children.forEach(r.Children.toArray(e.children),(function(r,i){if(h(r)){var s=r.props,l=s.linkText,c=n.__rest(s,["linkText"]),u=r.props.itemKey||i.toString();o.links.push(n.__assign(n.__assign({headerText:l},c),{itemKey:u})),o.keyToIndexMapping[u]=i,o.keyToTabIdMapping[u]=function(e,t,o,n){return e.getTabId?e.getTabId(o,n):t+"-Tab".concat(n)}(e,t,u,i)}else r&&(0,a.warn)("The children of a Pivot component must be of type PivotItem to be rendered.")})),o},h=function(e){var t;return r.isValidElement(e)&&(null===(t=e.type)||void 0===t?void 0:t.name)===p.PivotItem.name};t.PivotBase=r.forwardRef((function(e,t){var o,p=r.useRef(null),f=r.useRef(null),v=(0,i.useId)("Pivot"),b=(0,i.useControllableValue)(e.selectedKey,e.defaultSelectedKey),y=b[0],_=b[1],S=e.componentRef,C=e.theme,x=e.linkSize,P=e.linkFormat,k=e.overflowBehavior,I=e.overflowAriaLabel,w=e.focusZoneProps,T=e.overflowButtonAs,E={"aria-label":e["aria-label"],"aria-labelledby":e["aria-labelledby"]},D=(0,a.getNativeProps)(e,a.divProperties,["aria-label","aria-labelledby"]),M=g(e,v);r.useImperativeHandle(S,(function(){return{focus:function(){var e;null===(e=p.current)||void 0===e||e.focus()}}}));var O=function(e){if(!e)return null;var t=e.itemCount,n=e.itemIcon,i=e.headerText;return r.createElement("span",{className:o.linkContent},void 0!==n&&r.createElement("span",{className:o.icon},r.createElement(d.Icon,{iconName:n})),void 0!==i&&r.createElement("span",{className:o.text}," ",e.headerText),void 0!==t&&r.createElement("span",{className:o.count}," (",t,")"))},R=function(e,t,i,l){var c,u=t.itemKey,d=t.headerButtonProps,p=t.onRenderItemLink,m=e.keyToTabIdMapping[u],g=i===u;c=p?p(t,O):O(t);var h=t.headerText||"";h+=t.itemCount?" ("+t.itemCount+")":"",h+=t.itemIcon?" xx":"";var f=t.role&&"tab"!==t.role?{role:t.role}:{role:"tab","aria-selected":g};return r.createElement(s.CommandButton,n.__assign({},d,f,{id:m,key:u,className:(0,a.css)(l,g&&o.linkIsSelected),onClick:function(e){return F(u,e)},onKeyDown:function(e){return B(u,e)},"aria-label":t.ariaLabel,name:t.headerText,keytipProps:t.keytipProps,"data-content":h}),c)},F=function(e,t){t.preventDefault(),A(e,t)},B=function(e,t){t.which===a.KeyCodes.enter&&(t.preventDefault(),A(e))},A=function(t,o){var n;if(_(t),M=g(e,v),e.onLinkClick&&M.keyToIndexMapping[t]>=0){var i=M.keyToIndexMapping[t],a=r.Children.toArray(e.children)[i];h(a)&&e.onLinkClick(a,o)}null===(n=f.current)||void 0===n||n.dismissMenu()};o=m(e.styles,{theme:C,linkSize:x,linkFormat:P});var N,L=null===(N=y)||void 0!==N&&void 0!==M.keyToIndexMapping[N]?y:M.links.length?M.links[0].itemKey:void 0,H=L?M.keyToIndexMapping[L]:0,j=M.links.map((function(e){return R(M,e,L,o.link)})),z=r.useMemo((function(){return{items:[],alignTargetEdge:!0,directionalHint:u.DirectionalHint.bottomRightEdge}}),[]),W=(0,l.useOverflow)({onOverflowItemsChanged:function(e,t){t.forEach((function(e){var t=e.ele,o=e.isOverflowing;return t.dataset.isOverflowing="".concat(o)})),z.items=M.links.slice(e).filter((function(e){return e.itemKey!==L})).map((function(t,n){return t.role="menuitem",{key:t.itemKey||"".concat(e+n),onRender:function(){return R(M,t,L,o.linkInMenu)}}}))},rtl:(0,a.getRTL)(C),pinnedIndex:H}).menuButtonRef,V=T||s.CommandButton;return r.createElement("div",n.__assign({ref:t},D),r.createElement(c.FocusZone,n.__assign({componentRef:p,role:"tablist"},E,{direction:c.FocusZoneDirection.horizontal},w,{className:(0,a.css)(o.root,null==w?void 0:w.className)}),j,"menu"===k&&r.createElement(V,{className:(0,a.css)(o.link,o.overflowMenuButton),elementRef:W,componentRef:f,menuProps:z,menuIconProps:{iconName:"More",style:{color:"inherit"}},ariaLabel:I,role:"tab"})),L&&M.links.map((function(t){return(!0===t.alwaysRender||L===t.itemKey)&&function(t,n){if(e.headersOnly||!t)return null;var i=M.keyToIndexMapping[t],a=M.keyToTabIdMapping[t];return r.createElement("div",{role:"tabpanel",hidden:!n,key:t,"aria-hidden":!n,"aria-labelledby":a,className:o.itemContainer},r.Children.toArray(e.children)[i])}(t.itemKey,L===t.itemKey)})))})),t.PivotBase.displayName="Pivot"},68001:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Pivot=void 0;var n=o(52332),r=o(89446),i=o(14101);t.Pivot=(0,n.styled)(r.PivotBase,i.getStyles,void 0,{scope:"Pivot"})},14101:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(31635),r=o(83048),i=o(52332),a={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"},s=function(e,t,o){var a,s,l;void 0===o&&(o=!1);var c=e.linkSize,u=e.linkFormat,d=e.theme,p=d.semanticColors,m=d.fonts,g="large"===c,h="tabs"===u;return[m.medium,{color:p.actionLink,padding:"0 8px",position:"relative",backgroundColor:"transparent",border:0,borderRadius:0,selectors:{":hover":{backgroundColor:p.buttonBackgroundHovered,color:p.buttonTextHovered,cursor:"pointer"},":active":{backgroundColor:p.buttonBackgroundPressed,color:p.buttonTextHovered},":focus":{outline:"none"}}},!o&&[{display:"inline-block",lineHeight:44,height:44,marginRight:8,textAlign:"center",selectors:(a={},a[".".concat(i.IsFocusVisibleClassName," &:focus, :host(.").concat(i.IsFocusVisibleClassName,") &:focus")]={outline:"1px solid ".concat(p.focusBorder)},a[".".concat(i.IsFocusVisibleClassName," &:focus:after, :host(.").concat(i.IsFocusVisibleClassName,") &:focus:after")]={content:"attr(data-content)",position:"relative",border:0},a[":before"]={backgroundColor:"transparent",bottom:0,content:'""',height:2,left:8,position:"absolute",right:8,transition:"left ".concat(r.AnimationVariables.durationValue2," ").concat(r.AnimationVariables.easeFunction2,",\n right ").concat(r.AnimationVariables.durationValue2," ").concat(r.AnimationVariables.easeFunction2)},a[":after"]={color:"transparent",content:"attr(data-content)",display:"block",fontWeight:r.FontWeights.bold,height:1,overflow:"hidden",visibility:"hidden"},a)},g&&{fontSize:m.large.fontSize},h&&[{marginRight:0,height:44,lineHeight:44,backgroundColor:p.buttonBackground,padding:"0 10px",verticalAlign:"top",selectors:(s={":focus":{outlineOffset:"-2px"}},s[".".concat(i.IsFocusVisibleClassName," &:focus::before, :host(.").concat(i.IsFocusVisibleClassName,") &:focus::before")]={height:"auto",background:"transparent",transition:"none"},s["&:hover, &:focus"]={color:p.buttonTextCheckedHovered},s["&:active, &:hover"]={color:p.primaryButtonText,backgroundColor:p.primaryButtonBackground},s["&.".concat(t.linkIsSelected)]={backgroundColor:p.primaryButtonBackground,color:p.primaryButtonText,fontWeight:r.FontWeights.regular,selectors:(l={":before":{backgroundColor:"transparent",transition:"none",position:"absolute",top:0,left:0,right:0,bottom:0,content:'""',height:0},":hover":{backgroundColor:p.primaryButtonBackgroundHovered,color:p.primaryButtonText},":active":{backgroundColor:p.primaryButtonBackgroundPressed,color:p.primaryButtonText}},l[r.HighContrastSelector]=n.__assign({fontWeight:r.FontWeights.semibold,color:"HighlightText",background:"Highlight"},(0,r.getHighContrastNoAdjustStyle)()),l)},s[".".concat(i.IsFocusVisibleClassName," &.").concat(t.linkIsSelected,":focus, :host(.").concat(i.IsFocusVisibleClassName,") &.").concat(t.linkIsSelected,":focus")]={outlineColor:p.primaryButtonText},s)}]]]};t.getStyles=function(e){var t,o,i,l,c=e.className,u=e.linkSize,d=e.linkFormat,p=e.theme,m=p.semanticColors,g=p.fonts,h=(0,r.getGlobalClassNames)(a,p),f="large"===u,v="tabs"===d;return{root:[h.root,g.medium,r.normalize,{position:"relative",color:m.link,whiteSpace:"nowrap"},f&&h.rootIsLarge,v&&h.rootIsTabs,c],itemContainer:{selectors:{"&[hidden]":{display:"none"}}},link:n.__spreadArray(n.__spreadArray([h.link],s(e,h),!0),[(t={},t["&[data-is-overflowing='true']"]={display:"none"},t)],!1),overflowMenuButton:[h.overflowMenuButton,(o={visibility:"hidden",position:"absolute",right:0},o[".".concat(h.link,"[data-is-overflowing='true'] ~ &")]={visibility:"visible",position:"relative"},o)],linkInMenu:n.__spreadArray(n.__spreadArray([h.linkInMenu],s(e,h,!0),!0),[{textAlign:"left",width:"100%",height:36,lineHeight:36}],!1),linkIsSelected:[h.link,h.linkIsSelected,{fontWeight:r.FontWeights.semibold,selectors:(i={":before":{backgroundColor:m.inputBackgroundChecked,selectors:(l={},l[r.HighContrastSelector]={backgroundColor:"Highlight"},l)},":hover::before":{left:0,right:0}},i[r.HighContrastSelector]={color:"Highlight"},i)}],linkContent:[h.linkContent,{flex:"0 1 100%",selectors:{"& > * ":{marginLeft:4},"& > *:first-child":{marginLeft:0}}}],text:[h.text,{display:"inline-block",verticalAlign:"top"}],count:[h.count,{display:"inline-block",verticalAlign:"top"}],icon:h.icon}}},90986:(e,t)=>{"use strict";var o,n;Object.defineProperty(t,"__esModule",{value:!0}),t.PivotLinkSize=t.PivotLinkFormat=void 0,(n=t.PivotLinkFormat||(t.PivotLinkFormat={})).links="links",n.tabs="tabs",(o=t.PivotLinkSize||(t.PivotLinkSize={})).normal="normal",o.large="large"},23534:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.PivotItem=void 0;var n=o(31635),r=o(83923),i=o(52332),a=function(e){function t(t){var o=e.call(this,t)||this;return(0,i.initializeComponentRef)(o),(0,i.warnDeprecations)("PivotItem",t,{linkText:"headerText"}),o}return n.__extends(t,e),t.prototype.render=function(){return r.createElement("div",n.__assign({},(0,i.getNativeProps)(this.props,i.divProperties)),this.props.children)},t}(r.Component);t.PivotItem=a},97065:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},82453:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.PivotItem=void 0;var n=o(31635);n.__exportStar(o(68001),t),n.__exportStar(o(89446),t);var r=o(23534);Object.defineProperty(t,"PivotItem",{enumerable:!0,get:function(){return r.PivotItem}}),n.__exportStar(o(90986),t),n.__exportStar(o(97065),t)},36149:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Popup=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(25698),s=o(97156);function l(e){var t=e.originalElement,o=e.containsFocus;t&&o&&t!==(0,i.getWindow)()&&setTimeout((function(){var e;null===(e=t.focus)||void 0===e||e.call(t)}),0)}t.Popup=r.forwardRef((function(e,t){var o=(0,i.getPropsWithDefaults)({shouldRestoreFocus:!0,enableAriaHiddenSiblings:!0},e),c=r.useRef(),u=(0,a.useMergedRefs)(c,t);!function(e,t){var o="true"===String(e["aria-modal"]).toLowerCase()&&e.enableAriaHiddenSiblings;r.useEffect((function(){if(o&&t.current)return(0,i.modalize)(t.current)}),[t,o])}(o,c),function(e,t){var o=e.onRestoreFocus,n=void 0===o?l:o,s=r.useRef(),c=r.useRef(!1);r.useEffect((function(){return s.current=(0,i.getDocument)().activeElement,(0,i.doesElementContainFocus)(t.current)&&(c.current=!0),function(){var e;null==n||n({originalElement:s.current,containsFocus:c.current,documentContainsFocus:(null===(e=(0,i.getDocument)())||void 0===e?void 0:e.hasFocus())||!1}),s.current=void 0}}),[]),(0,a.useOnEvent)(t,"focus",r.useCallback((function(){c.current=!0}),[]),!0),(0,a.useOnEvent)(t,"blur",r.useCallback((function(e){t.current&&e.relatedTarget&&!t.current.contains(e.relatedTarget)&&(c.current=!1)}),[]),!0)}(o,c);var d=o.role,p=o.className,m=o.ariaLabel,g=o.ariaLabelledBy,h=o.ariaDescribedBy,f=o.style,v=o.children,b=o.onDismiss,y=function(e,t){var o=(0,a.useAsync)(),n=r.useState(!1),i=n[0],s=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,a=t.current.firstElementChild.clientHeight;r>0&&a>r&&(n=a-r>1)}i!==n&&s(n)}})),function(){return o.dispose()}})),i}(o,c),_=r.useCallback((function(e){e.which===i.KeyCodes.escape&&b&&(b(e),e.preventDefault(),e.stopPropagation())}),[b]),S=(0,s.useWindow)();return(0,a.useOnEvent)(S,"keydown",_),r.createElement("div",n.__assign({ref:u},(0,i.getNativeProps)(o,i.divProperties),{className:p,role:d,"aria-label":m,"aria-labelledby":g,"aria-describedby":h,onKeyDown:_,style:n.__assign({overflowY:y?"scroll":void 0,outline:"none"},f)}),v)})),t.Popup.displayName="Popup"},59478:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},93739:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(36149),t),n.__exportStar(o(59478),t)},92094:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ProgressIndicatorBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=(0,i.classNamesFunction)(),s=function(e){function t(t){var o=e.call(this,t)||this;o._onRenderProgress=function(e){var t=o.props,n=t.ariaLabel,i=t.ariaValueText,s=t.barHeight,l=t.className,c=t.description,u=t.label,d=void 0===u?o.props.title:u,p=t.styles,m=t.theme,g="number"==typeof o.props.percentComplete?Math.min(100,Math.max(0,100*o.props.percentComplete)):void 0,h=a(p,{theme:m,className:l,barHeight:s,indeterminate:void 0===g}),f={width:void 0!==g?g+"%":void 0,transition:void 0!==g&&g<.01?"none":void 0},v=void 0!==g?0:void 0,b=void 0!==g?100:void 0,y=void 0!==g?Math.floor(g):void 0;return r.createElement("div",{className:h.itemProgress},r.createElement("div",{className:h.progressTrack}),r.createElement("div",{className:h.progressBar,style:f,role:"progressbar","aria-describedby":c?o._descriptionId:void 0,"aria-label":n,"aria-labelledby":d?o._labelId:void 0,"aria-valuemin":v,"aria-valuemax":b,"aria-valuenow":y,"aria-valuetext":i}))};var n=(0,i.getId)("progress-indicator");return o._labelId=n+"-label",o._descriptionId=n+"-description",o}return n.__extends(t,e),t.prototype.render=function(){var e=this.props,t=e.barHeight,o=e.className,i=e.label,s=void 0===i?this.props.title:i,l=e.description,c=e.styles,u=e.theme,d=e.progressHidden,p=e.onRenderProgress,m=void 0===p?this._onRenderProgress:p,g="number"==typeof this.props.percentComplete?Math.min(100,Math.max(0,100*this.props.percentComplete)):void 0,h=a(c,{theme:u,className:o,barHeight:t,indeterminate:void 0===g});return r.createElement("div",{className:h.root},s?r.createElement("div",{id:this._labelId,className:h.itemName},s):null,d?null:m(n.__assign(n.__assign({},this.props),{percentComplete:g}),this._onRenderProgress),l?r.createElement("div",{id:this._descriptionId,className:h.itemDescription},l):null)},t.defaultProps={label:"",description:"",width:180},t}(r.Component);t.ProgressIndicatorBase=s},26777:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ProgressIndicator=void 0;var n=o(71061),r=o(92094),i=o(50125);t.ProgressIndicator=(0,n.styled)(r.ProgressIndicatorBase,i.getStyles,void 0,{scope:"ProgressIndicator"})},50125:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(31635),r=o(15019),i=o(71061),a={root:"ms-ProgressIndicator",itemName:"ms-ProgressIndicator-itemName",itemDescription:"ms-ProgressIndicator-itemDescription",itemProgress:"ms-ProgressIndicator-itemProgress",progressTrack:"ms-ProgressIndicator-progressTrack",progressBar:"ms-ProgressIndicator-progressBar"},s=(0,i.memoizeFunction)((function(){return(0,r.keyframes)({"0%":{left:"-30%"},"100%":{left:"100%"}})})),l=(0,i.memoizeFunction)((function(){return(0,r.keyframes)({"100%":{right:"-30%"},"0%":{right:"100%"}})}));t.getStyles=function(e){var t,o,c,u=(0,i.getRTL)(e.theme),d=e.className,p=e.indeterminate,m=e.theme,g=e.barHeight,h=void 0===g?2:g,f=m.palette,v=m.semanticColors,b=m.fonts,y=(0,r.getGlobalClassNames)(a,m),_=f.neutralLight;return{root:[y.root,b.medium,d],itemName:[y.itemName,r.noWrap,{color:v.bodyText,paddingTop:4,lineHeight:20}],itemDescription:[y.itemDescription,{color:v.bodySubtext,fontSize:b.small.fontSize,lineHeight:18}],itemProgress:[y.itemProgress,{position:"relative",overflow:"hidden",height:h,padding:"".concat(8,"px 0")}],progressTrack:[y.progressTrack,{position:"absolute",width:"100%",height:h,backgroundColor:_,selectors:(t={},t[r.HighContrastSelector]={borderBottom:"1px solid WindowText"},t)}],progressBar:[{backgroundColor:f.themePrimary,height:h,position:"absolute",transition:"width .3s ease",width:0,selectors:(o={},o[r.HighContrastSelector]=n.__assign({backgroundColor:"highlight"},(0,r.getHighContrastNoAdjustStyle)()),o)},p?{position:"absolute",minWidth:"33%",background:"linear-gradient(to right, ".concat(_," 0%, ")+"".concat(f.themePrimary," 50%, ").concat(_," 100%)"),animation:"".concat(u?l():s()," 3s infinite"),selectors:(c={},c[r.HighContrastSelector]={background:"highlight"},c)}:{transition:"width .15s linear"},y.progressBar]}}},88802:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},69577:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(26777),t),n.__exportStar(o(92094),t),n.__exportStar(o(88802),t)},24010:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.RatingBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(30936),s=o(80371),l=o(65758),c=o(25698),u=(0,i.classNamesFunction)(),d=function(e){return r.createElement("div",{className:e.classNames.ratingStar},r.createElement(a.Icon,{className:e.classNames.ratingStarBack,iconName:0===e.fillPercentage||100===e.fillPercentage?e.icon:e.unselectedIcon}),!e.disabled&&r.createElement(a.Icon,{className:e.classNames.ratingStarFront,iconName:e.icon,style:{width:e.fillPercentage+"%"}}))},p=function(e,t){return"".concat(e,"-star-").concat(t-1)};t.RatingBase=r.forwardRef((function(e,t){var o=(0,c.useId)("Rating"),a=(0,c.useId)("RatingLabel"),m=e.ariaLabel,g=e.ariaLabelFormat,h=e.disabled,f=e.getAriaLabel,v=e.styles,b=e.min,y=void 0===b?e.allowZeroStars?0:1:b,_=e.max,S=void 0===_?5:_,C=e.readOnly,x=e.size,P=e.theme,k=e.icon,I=void 0===k?"FavoriteStarFill":k,w=e.unselectedIcon,T=void 0===w?"FavoriteStar":w,E=e.onRenderStar,D=Math.max(y,0),M=(0,c.useControllableValue)(e.rating,e.defaultRating,e.onChange),O=M[0],R=M[1],F=function(e,t,o){return Math.min(Math.max(null!=e?e:t,t),o)}(O,D,S);!function(e,t){r.useImperativeHandle(e,(function(){return{rating:t}}),[t])}(e.componentRef,F);var B=r.useRef(null),A=(0,c.useMergedRefs)(B,t);(0,i.useFocusRects)(B);for(var N=(0,i.getNativeProps)(e,i.divProperties),L=u(v,{disabled:h,readOnly:C,theme:P}),H=null==f?void 0:f(F,S),j=m||H,z=[],W=function(e){var t,s,c=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,F);z.push(r.createElement("button",n.__assign({className:(0,i.css)(L.ratingButton,x===l.RatingSize.Large?L.ratingStarIsLarge:L.ratingStarIsSmall),id:p(o,e),key:e},e===Math.ceil(F)&&{"data-is-current":!0},{onKeyDown:function(t){var o=t.which,n=e;switch(o){case i.KeyCodes.right:case i.KeyCodes.down:n=Math.min(S,n+1);break;case i.KeyCodes.left:case i.KeyCodes.up:n=Math.max(1,n-1);break;case i.KeyCodes.home:case i.KeyCodes.pageUp:n=1;break;case i.KeyCodes.end:case i.KeyCodes.pageDown:n=S}n===e||void 0!==O&&Math.ceil(O)===n||R(n,t)},onClick:function(t){void 0!==O&&Math.ceil(O)===e||R(e,t)},disabled:!(!h&&!C),role:"radio","aria-hidden":C?"true":void 0,type:"button","aria-checked":e===Math.ceil(F)}),r.createElement("span",{id:"".concat(a,"-").concat(e),className:L.labelText},(0,i.format)(g||"",e,S)),(t={fillPercentage:c,disabled:h,classNames:L,icon:c>0?I:T,starNum:e,unselectedIcon:T},(s=E)?s(t):r.createElement(d,n.__assign({},t)))))},V=1;V<=S;V++)W(V);var K=x===l.RatingSize.Large?L.rootIsLarge:L.rootIsSmall;return r.createElement("div",n.__assign({ref:A,className:(0,i.css)("ms-Rating-star",L.root,K),"aria-label":C?void 0:j,id:o,role:C?void 0:"radiogroup"},N),r.createElement(s.FocusZone,n.__assign({direction:s.FocusZoneDirection.bidirectional,className:(0,i.css)(L.ratingFocusZone,K),defaultActiveElement:"#"+p(o,Math.ceil(F))},C&&{allowFocusRoot:!0,disabled:!0,role:"textbox","aria-label":H,"aria-readonly":!0,"data-is-focusable":!0,tabIndex:0}),z))})),t.RatingBase.displayName="RatingBase"},58013:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Rating=void 0;var n=o(71061),r=o(40905),i=o(24010);t.Rating=(0,n.styled)(i.RatingBase,r.getStyles,void 0,{scope:"Rating"})},40905:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r={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 i(e,t){var o;return{color:e,selectors:(o={},o[n.HighContrastSelector]={color:t},o)}}t.getStyles=function(e){var t=e.disabled,o=e.readOnly,a=e.theme,s=a.semanticColors,l=a.palette,c=(0,n.getGlobalClassNames)(r,a),u=l.neutralSecondary,d=l.themePrimary,p=l.themeDark,m=l.neutralPrimary,g=s.disabledBodySubtext;return{root:[c.root,a.fonts.medium,!t&&!o&&{selectors:{"&:hover":{selectors:{".ms-RatingStar-back":i(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&&i(g,"GrayText")],ratingStarFront:[c.ratingStarFront,{position:"absolute",height:"100 %",left:"0",top:"0",textAlign:"center",verticalAlign:"middle",overflow:"hidden"},i(m,"Highlight")],ratingButton:[(0,n.getFocusStyle)(a),c.ratingButton,{backgroundColor:"transparent",padding:"".concat(8,"px ").concat(2,"px"),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":i(u,"WindowText"),".ms-RatingStar-front":i(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,n.hiddenContentStyle],ratingFocusZone:[(0,n.getFocusStyle)(a),c.ratingFocusZone,{display:"inline-block"}]}}},65758:(e,t)=>{"use strict";var o;Object.defineProperty(t,"__esModule",{value:!0}),t.RatingSize=void 0,(o=t.RatingSize||(t.RatingSize={}))[o.Small=0]="Small",o[o.Large=1]="Large"},74426:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(58013),t),n.__exportStar(o(24010),t),n.__exportStar(o(65758),t)},60834:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ResizeGroupBase=t.MeasuredContext=t.getNextResizeGroupStateProvider=t.getMeasurementCache=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(23734),s=o(25698),l=o(71628);t.getMeasurementCache=function(){var e={};return{getCachedMeasurement:function(t){if(t&&t.cacheKey&&e.hasOwnProperty(t.cacheKey))return e[t.cacheKey]},addMeasurementToCache:function(t,o){t.cacheKey&&(e[t.cacheKey]=o)}}},t.getNextResizeGroupStateProvider=function(e){void 0===e&&(e=(0,t.getMeasurementCache)());var o,r=e;function i(e,t){var o=r.getCachedMeasurement(e);if(void 0!==o)return o;var n=t();return r.addMeasurementToCache(e,n),n}function a(e,t,n){for(var a=e,s=i(e,n);s>o;){var l=t(a);if(void 0===l)return{renderedData:a,resizeDirection:void 0,dataToMeasure:void 0};if(void 0===(s=r.getCachedMeasurement(l)))return{dataToMeasure:l,resizeDirection:"shrink"};a=l}return{renderedData:a,resizeDirection:void 0,dataToMeasure:void 0}}return{getNextState:function(e,t,s,l){if(void 0!==l||void 0!==t.dataToMeasure){if(l){if(o&&t.renderedData&&!t.dataToMeasure)return n.__assign(n.__assign({},t),function(e,t,r,i){var a;return a=e>o?i?{resizeDirection:"grow",dataToMeasure:i(r)}:{resizeDirection:"shrink",dataToMeasure:t}:{resizeDirection:"shrink",dataToMeasure:r},o=e,n.__assign(n.__assign({},a),{measureContainer:!1})}(l,e.data,t.renderedData,e.onGrowData));o=l}var c=n.__assign(n.__assign({},t),{measureContainer:!1});return t.dataToMeasure&&(c="grow"===t.resizeDirection&&e.onGrowData?n.__assign(n.__assign({},c),function(e,t,s,l){for(var c=e,u=i(e,s);u{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ResizeGroup=void 0;var n=o(60834);t.ResizeGroup=n.ResizeGroupBase},23734:(e,t)=>{"use strict";var o;Object.defineProperty(t,"__esModule",{value:!0}),t.ResizeGroupDirection=void 0,(o=t.ResizeGroupDirection||(t.ResizeGroupDirection={}))[o.horizontal=0]="horizontal",o[o.vertical=1]="vertical"},46578:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(981),t),n.__exportStar(o(60834),t),n.__exportStar(o(23734),t)},14262:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ScrollablePaneBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(95066),s=o(97156),l=o(50478),c=(0,i.classNamesFunction)(),u=function(e){function t(t){var o=e.call(this,t)||this;return o._root=r.createRef(),o._stickyAboveRef=r.createRef(),o._stickyBelowRef=r.createRef(),o._contentContainer=r.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},window:(0,l.getWindowEx)(o.context)}},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 n.__assign(n.__assign({height:e},(0,i.getRTL)(o.props.theme)?{right:"0",left:"".concat(o.state.scrollbarWidth||o._getScrollbarWidth()||0,"px")}:{left:"0",right:"".concat(o.state.scrollbarWidth||o._getScrollbarWidth()||0,"px")}),t?{top:"0"}:{bottom:"".concat(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,i.initializeComponentRef)(o),o._async=new i.Async(o),o._events=new i.EventGroup(o),o.state={stickyTopHeight:0,stickyBottomHeight:0,scrollbarWidth:0,scrollbarHeight:0},o._notifyThrottled=o._async.throttle(o.notifySubscribers,50),o}return n.__extends(t,e),Object.defineProperty(t.prototype,"root",{get:function(){return this._root.current},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"stickyAbove",{get:function(){return this._stickyAboveRef.current},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"stickyBelow",{get:function(){return this._stickyBelowRef.current},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"contentContainer",{get:function(){return this._contentContainer.current},enumerable:!1,configurable:!0}),t.prototype.componentDidMount=function(){var e=this,t=(0,l.getWindowEx)(this.context),o=this.props.initialScrollPosition;this._events.on(this.contentContainer,"scroll",this._onScroll),this._events.on(t,"resize",this._onWindowResize),this.contentContainer&&o&&(this.contentContainer.scrollTop=o),this.setStickiesDistanceFromTop(),this._stickies.forEach((function(t){e.sortSticky(t)})),this.notifySubscribers(),t&&"MutationObserver"in t&&(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.scrollContainerFocus,s=e.scrollContainerAriaLabel,l=e.theme,u=e.styles,d=e.onScroll,p=this.state,m=p.stickyTopHeight,g=p.stickyBottomHeight,h=c(u,{theme:l,className:t,scrollbarVisibility:this.props.scrollbarVisibility}),f=o?{role:"group",tabIndex:0,"aria-label":s,onScroll:d}:{onScroll:d};return r.createElement("div",n.__assign({},(0,i.getNativeProps)(n.__assign({},this.props),i.divProperties,["onScroll"]),{ref:this._root,className:h.root}),r.createElement("div",{ref:this._stickyAboveRef,className:h.stickyAbove,style:this._getStickyContainerStyle(m,!0)}),r.createElement("div",n.__assign({ref:this._contentContainer},f,{className:h.contentContainer,"data-is-scrollable":!0}),r.createElement(a.ScrollablePaneContext.Provider,{value:this._getScrollablePaneContext()},this.props.children)),r.createElement("div",{className:h.stickyBelow,style:this._getStickyContainerStyle(g,!1)},r.createElement("div",{ref:this._stickyBelowRef,className:h.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.contextType=s.WindowContext,t}(r.Component);t.ScrollablePaneBase=u},85489:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ScrollablePane=void 0;var n=o(25093),r=o(14262),i=o(71061);t.ScrollablePane=(0,i.styled)(r.ScrollablePaneBase,n.getStyles,void 0,{scope:"ScrollablePane"})},25093:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r={root:"ms-ScrollablePane",contentContainer:"ms-ScrollablePane--contentContainer"};t.getStyles=function(e){var t,o,i=e.className,a=e.theme,s=(0,n.getGlobalClassNames)(r,a),l={position:"absolute",pointerEvents:"none"},c={position:"absolute",top:0,right:0,bottom:0,left:0,WebkitOverflowScrolling:"touch"};return{root:[s.root,a.fonts.medium,c,i],contentContainer:[s.contentContainer,{overflowY:"always"===e.scrollbarVisibility?"scroll":"auto"},c],stickyAbove:[{top:0,zIndex:1,selectors:(t={},t[n.HighContrastSelector]={borderBottom:"1px solid WindowText"},t)},l],stickyBelow:[{bottom:0,selectors:(o={},o[n.HighContrastSelector]={borderTop:"1px solid WindowText"},o)},l],stickyBelowItems:[{bottom:0},l,{width:"100%"}]}}},95066:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ScrollablePaneContext=t.ScrollbarVisibility=void 0;var n=o(83923);t.ScrollbarVisibility={auto:"auto",always:"always"},t.ScrollablePaneContext=n.createContext({scrollablePane:void 0,window:void 0})},51076:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(85489),t),n.__exportStar(o(14262),t),n.__exportStar(o(95066),t)},54494:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.SearchBoxBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(25698),s=o(74393),l=o(30936),c="SearchBox",u={root:{height:"auto"},icon:{fontSize:"12px"}},d={iconName:"Clear"},p={ariaLabel:"Clear text"},m=(0,i.classNamesFunction)();t.SearchBoxBase=r.forwardRef((function(e,t){var o=e.ariaLabel,g=e.className,h=e.defaultValue,f=void 0===h?"":h,v=e.disabled,b=e.underlined,y=e.styles,_=e.labelText,S=e.placeholder,C=void 0===S?_:S,x=e.theme,P=e.clearButtonProps,k=void 0===P?p:P,I=e.disableAnimation,w=void 0!==I&&I,T=e.showIcon,E=void 0!==T&&T,D=e.onClear,M=e.onBlur,O=e.onEscape,R=e.onSearch,F=e.onKeyDown,B=e.iconProps,A=e.role,N=e.onChange,L=e.onChanged,H=r.useState(!1),j=H[0],z=H[1],W=r.useRef(),V=(0,a.useControllableValue)(e.value,f,(function(e,t){e&&e.timeStamp===W.current||(W.current=null==e?void 0:e.timeStamp,null==N||N(e,t),null==L||L(t))})),K=V[0],G=V[1],U=String(K),Y=r.useRef(null),q=r.useRef(null),X=(0,a.useMergedRefs)(Y,t),Z=(0,a.useId)(c,e.id),Q=k.onClick,J=m(y,{theme:x,className:g,underlined:b,hasFocus:j,disabled:v,hasInput:U.length>0,disableAnimation:w,showIcon:E}),$=(0,i.getNativeProps)(e,i.inputProperties,["className","placeholder","onFocus","onBlur","value","role"]),ee=r.useCallback((function(e){var t;null==D||D(e),e.defaultPrevented||(G(""),null===(t=q.current)||void 0===t||t.focus(),e.stopPropagation(),e.preventDefault())}),[D,G]),te=r.useCallback((function(e){null==Q||Q(e),e.defaultPrevented||ee(e)}),[Q,ee]),oe=r.useCallback((function(e){z(!1),null==M||M(e)}),[M]),ne=function(e){G(e.target.value,e)};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()},blur:function(){var e;return null===(e=t.current)||void 0===e?void 0:e.blur()},hasFocus:function(){return o}}}),[t,o])}(e.componentRef,q,j),r.createElement("div",{role:A,ref:X,className:J.root,onFocusCapture:function(t){var o;z(!0),null===(o=e.onFocus)||void 0===o||o.call(e,t)}},r.createElement("div",{className:J.iconContainer,onClick:function(){q.current&&(q.current.focus(),q.current.selectionStart=q.current.selectionEnd=0)},"aria-hidden":!0},r.createElement(l.Icon,n.__assign({iconName:"Search"},B,{className:J.icon}))),r.createElement("input",n.__assign({},$,{id:Z,className:J.field,placeholder:C,onChange:ne,onInput:ne,onBlur:oe,onKeyDown:function(e){switch(e.which){case i.KeyCodes.escape:null==O||O(e),U&&!e.defaultPrevented&&ee(e);break;case i.KeyCodes.enter:R&&(R(U),e.preventDefault(),e.stopPropagation());break;default:null==F||F(e),e.defaultPrevented&&e.stopPropagation()}},value:U,disabled:v,role:"searchbox","aria-label":o,ref:q})),U.length>0&&r.createElement("div",{className:J.clearButton},r.createElement(s.IconButton,n.__assign({onBlur:oe,styles:u,iconProps:d},k,{onClick:te}))))})),t.SearchBoxBase.displayName=c},91097:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.SearchBox=void 0;var n=o(71061),r=o(54494),i=o(13773);t.SearchBox=(0,n.styled)(r.SearchBoxBase,i.getStyles,void 0,{scope:"SearchBox"})},13773:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r=o(71061),i={root:"ms-SearchBox",iconContainer:"ms-SearchBox-iconContainer",icon:"ms-SearchBox-icon",clearButton:"ms-SearchBox-clearButton",field:"ms-SearchBox-field"};t.getStyles=function(e){var t,o,a,s,l,c=e.theme,u=e.underlined,d=e.disabled,p=e.hasFocus,m=e.className,g=e.hasInput,h=e.disableAnimation,f=e.showIcon,v=c.palette,b=c.fonts,y=c.semanticColors,_=c.effects,S=(0,n.getGlobalClassNames)(i,c),C={color:y.inputPlaceholderText,opacity:1},x=v.neutralSecondary,P=v.neutralPrimary,k=v.neutralLighter,I=v.neutralLighter,w=v.neutralLighter;return{root:[S.root,b.medium,n.normalize,{color:y.inputText,backgroundColor:y.inputBackground,display:"flex",flexDirection:"row",flexWrap:"nowrap",alignItems:"stretch",padding:"1px 0 1px 4px",borderRadius:_.roundedCorner2,border:"1px solid ".concat(y.inputBorder),height:32,selectors:(t={},t[n.HighContrastSelector]={borderColor:"WindowText"},t[":hover"]={borderColor:y.inputBorderHovered,selectors:(o={},o[n.HighContrastSelector]={borderColor:"Highlight"},o)},t[":hover .".concat(S.iconContainer)]={color:y.inputIconHovered},t)},!p&&g&&{selectors:(a={},a[":hover .".concat(S.iconContainer)]={width:4},a[":hover .".concat(S.icon)]={opacity:0,pointerEvents:"none"},a)},p&&["is-active",{position:"relative"},(0,n.getInputFocusStyle)(y.inputFocusBorderAlt,u?0:_.roundedCorner2,u?"borderBottom":"border")],f&&[{selectors:(s={},s[":hover .".concat(S.iconContainer)]={width:32},s[":hover .".concat(S.icon)]={opacity:1},s)}],d&&["is-disabled",{borderColor:k,backgroundColor:w,pointerEvents:"none",cursor:"default",selectors:(l={},l[n.HighContrastSelector]={borderColor:"GrayText"},l)}],u&&["is-underlined",{borderWidth:"0 0 1px 0",borderRadius:0,padding:"1px 0 1px 8px"}],u&&d&&{backgroundColor:"transparent"},g&&"can-clear",m],iconContainer:[S.iconContainer,{display:"flex",flexDirection:"column",justifyContent:"center",flexShrink:0,fontSize:16,width:32,textAlign:"center",color:y.inputIcon,cursor:"text"},p&&{width:4},d&&{color:y.inputIconDisabled},!h&&{transition:"width ".concat(n.AnimationVariables.durationValue1)},f&&p&&{width:32}],icon:[S.icon,{opacity:1},p&&{opacity:0,pointerEvents:"none"},!h&&{transition:"opacity ".concat(n.AnimationVariables.durationValue1," 0s")},f&&p&&{opacity:1}],clearButton:[S.clearButton,{display:"flex",flexDirection:"row",alignItems:"stretch",cursor:"pointer",flexBasis:"32px",flexShrink:0,padding:0,margin:"-1px 0px",selectors:{"&:hover .ms-Button":{backgroundColor:I},"&:hover .ms-Button-icon":{color:P},".ms-Button":{borderRadius:(0,r.getRTL)(c)?"1px 0 0 1px":"0 1px 1px 0"},".ms-Button-icon":{color:x}}}],field:[S.field,n.normalize,(0,n.getPlaceholderStyles)(C),{backgroundColor:"transparent",border:"none",outline:"none",fontWeight:"inherit",fontFamily:"inherit",fontSize:"inherit",color:y.inputText,flex:"1 1 0px",minWidth:"0px",overflow:"hidden",textOverflow:"ellipsis",paddingBottom:.5,selectors:{"::-ms-clear":{display:"none"}}},d&&{color:y.disabledText}]}}},68066:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},32400:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(91097),t),n.__exportStar(o(54494),t),n.__exportStar(o(68066),t)},45526:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.BaseSelectedItemsList=void 0;var n=o(31635),r=o(83923),i=o(18055),a=o(71061),s=o(97156),l=o(50478),c=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,a.initializeComponentRef)(o);var n=t.selectedItems||t.defaultSelectedItems||[];return o.state={items:n},o._defaultSelection=new i.Selection({onSelectionChanged:o.onSelectionChanged}),o}return n.__extends(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:!1,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)&&void 0!==e?e:this._defaultSelection},enumerable:!1,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=(0,l.getDocumentEx)(this.context),n=o.createElement("input");o.body.appendChild(n);try{if(n.value=t,n.select(),!o.execCommand("copy"))throw new Error}catch(e){}finally{o.body.removeChild(n)}}},t.prototype._onSelectedItemsUpdated=function(e,t){this.onChange(e)},t.prototype._canRemoveItem=function(e){return!this.props.canRemoveItem||this.props.canRemoveItem(e)},t.contextType=s.WindowContext,t}(r.Component);t.BaseSelectedItemsList=c},11121:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},32297:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.EditingItem=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(27677),s=function(e){function t(t){var o=e.call(this,t)||this;return o._editingFloatingPicker=r.createRef(),o._renderEditingSuggestions=function(){var e=o.props.onRenderFloatingPicker,t=o.props.floatingPickerProps;return e&&t?r.createElement(e,n.__assign({componentRef:o._editingFloatingPicker,onChange:o._onSuggestionSelected,inputElement:o._editingInput,selectedItems:[]},t)):r.createElement(r.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,i.initializeComponentRef)(o),o.state={contextualMenuVisible:!1},o}return n.__extends(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,i.getId)(),t=(0,i.getNativeProps)(this.props,i.inputProperties),o=(0,i.classNamesFunction)()(a.getStyles);return r.createElement("div",{"aria-labelledby":"editingItemPersona-"+e,className:o.root},r.createElement("input",n.__assign({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!==i.KeyCodes.backspace&&e.which!==i.KeyCodes.del||e.stopPropagation()},t}(r.Component);t.EditingItem=s},27677:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r={root:"ms-EditingItem",input:"ms-EditingItem-input"};t.getStyles=function(e){var t=(0,n.getTheme)();if(!t)throw new Error("theme is undefined or null in Editing item getStyles function.");var o=t.semanticColors,i=(0,n.getGlobalClassNames)(r,t);return{root:[i.root,{margin:"4px"}],input:[i.input,{border:"0px",outline:"none",width:"100%",backgroundColor:o.inputBackground,color:o.inputText,selectors:{"::-ms-clear":{display:"none"}}}]}}},30898:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},23231:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ExtendedSelectedItem=void 0;var n=o(31635),r=o(83923),i=o(74393),a=o(71061),s=o(48377),l=o(70817),c=function(e){function t(t){var o=e.call(this,t)||this;return o.persona=r.createRef(),(0,a.initializeComponentRef)(o),o.state={contextualMenuVisible:!1},o}return n.__extends(t,e),t.prototype.render=function(){var e,t,o=this.props,c=o.item,u=o.onExpandItem,d=o.onRemoveItem,p=o.removeButtonAriaLabel,m=o.index,g=o.selected,h=(0,a.getId)();return r.createElement("div",{ref:this.persona,className:(0,a.css)("ms-PickerPersona-container",l.personaContainer,(e={},e["is-selected "+l.personaContainerIsSelected]=g,e),(t={},t["is-invalid "+l.validationError]=!c.isValid,t)),"data-is-focusable":!0,"data-is-sub-focuszone":!0,"data-selection-index":m,role:"listitem","aria-labelledby":"selectedItemPersona-"+h},r.createElement("div",{hidden:!c.canExpand||void 0===u},r.createElement(i.IconButton,{onClick:this._onClickIconButton(u),iconProps:{iconName:"Add",style:{fontSize:"14px"}},className:(0,a.css)("ms-PickerItem-removeButton",l.expandButton,l.actionButton),ariaLabel:p})),r.createElement("div",{className:(0,a.css)(l.personaWrapper)},r.createElement("div",{className:(0,a.css)("ms-PickerItem-content",l.itemContent),id:"selectedItemPersona-"+h},r.createElement(s.Persona,n.__assign({},c,{onRenderCoin:this.props.renderPersonaCoin,onRenderPrimaryText:this.props.renderPrimaryText,size:s.PersonaSize.size32}))),r.createElement(i.IconButton,{onClick:this._onClickIconButton(d),iconProps:{iconName:"Cancel",style:{fontSize:"14px"}},className:(0,a.css)("ms-PickerItem-removeButton",l.removeButton,l.actionButton),ariaLabel:p})))},t.prototype._onClickIconButton=function(e){return function(t){t.stopPropagation(),t.preventDefault(),e&&e()}},t}(r.Component);t.ExtendedSelectedItem=c},70817:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.itemContainer=t.personaDetails=t.personaWrapper=t.expandButton=t.removeButton=t.itemContent=t.validationError=t.personaContainerIsSelected=t.actionButton=t.hover=t.personaContainer=void 0,(0,o(65715).loadStyles)([{rawString:".personaContainer_6625fd9a{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_6625fd9a::-moz-focus-inner{border:0}.personaContainer_6625fd9a{outline:transparent}.personaContainer_6625fd9a{position:relative}.ms-Fabric--isFocusVisible .personaContainer_6625fd9a: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_6625fd9a .ms-Persona-primaryText{color:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:";font-size:14px;font-weight:400}.personaContainer_6625fd9a .ms-Persona-primaryText.hover_6625fd9a{color:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:"}@media screen and (-ms-high-contrast:active),screen and (forced-colors:active){.personaContainer_6625fd9a .ms-Persona-primaryText{color:HighlightText}}.personaContainer_6625fd9a .actionButton_6625fd9a:hover{background:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:"}.personaContainer_6625fd9a .actionButton_6625fd9a .ms-Button-icon{color:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:"}@media screen and (-ms-high-contrast:active),screen and (forced-colors:active){.personaContainer_6625fd9a .actionButton_6625fd9a .ms-Button-icon{color:HighlightText}}.personaContainer_6625fd9a:hover{background:"},{theme:"themeLighter",defaultValue:"#deecf9"},{rawString:"}.personaContainer_6625fd9a:hover .ms-Persona-primaryText{color:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:";font-size:14px;font-weight:400}@media screen and (-ms-high-contrast:active),screen and (forced-colors:active){.personaContainer_6625fd9a:hover .ms-Persona-primaryText{color:HighlightText}}.personaContainer_6625fd9a.personaContainerIsSelected_6625fd9a{background:"},{theme:"themePrimary",defaultValue:"#0078d4"},{rawString:"}.personaContainer_6625fd9a.personaContainerIsSelected_6625fd9a .ms-Persona-primaryText{color:"},{theme:"white",defaultValue:"#ffffff"},{rawString:"}@media screen and (-ms-high-contrast:active),screen and (forced-colors:active){.personaContainer_6625fd9a.personaContainerIsSelected_6625fd9a .ms-Persona-primaryText{color:HighlightText}}.personaContainer_6625fd9a.personaContainerIsSelected_6625fd9a .actionButton_6625fd9a{color:"},{theme:"white",defaultValue:"#ffffff"},{rawString:"}.personaContainer_6625fd9a.personaContainerIsSelected_6625fd9a .actionButton_6625fd9a .ms-Button-icon{color:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:"}.personaContainer_6625fd9a.personaContainerIsSelected_6625fd9a .actionButton_6625fd9a .ms-Button-icon:hover{background:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:"}@media screen and (-ms-high-contrast:active),screen and (forced-colors:active){.personaContainer_6625fd9a.personaContainerIsSelected_6625fd9a .actionButton_6625fd9a .ms-Button-icon{color:HighlightText}}@media screen and (-ms-high-contrast:active),screen and (forced-colors:active){.personaContainer_6625fd9a.personaContainerIsSelected_6625fd9a{border-color:Highlight;background:Highlight;-ms-high-contrast-adjust:none}}.personaContainer_6625fd9a.validationError_6625fd9a .ms-Persona-primaryText{color:"},{theme:"red",defaultValue:"#e81123"},{rawString:"}.personaContainer_6625fd9a.validationError_6625fd9a .ms-Persona-initials{font-size:20px}@media screen and (-ms-high-contrast:active),screen and (forced-colors:active){.personaContainer_6625fd9a{border:1px solid WindowText}}.personaContainer_6625fd9a .itemContent_6625fd9a{-webkit-box-flex:0;-ms-flex:0 1 auto;flex:0 1 auto;min-width:0;max-width:100%}.personaContainer_6625fd9a .removeButton_6625fd9a{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_6625fd9a .expandButton_6625fd9a{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_6625fd9a .personaWrapper_6625fd9a{position:relative;display:inherit}.personaContainer_6625fd9a .personaWrapper_6625fd9a .ms-Persona-details{padding:0 8px}.personaContainer_6625fd9a .personaDetails_6625fd9a{-webkit-box-flex:0;-ms-flex:0 1 auto;flex:0 1 auto}.itemContainer_6625fd9a{display:inline-block;vertical-align:top}"}]),t.personaContainer="personaContainer_6625fd9a",t.hover="hover_6625fd9a",t.actionButton="actionButton_6625fd9a",t.personaContainerIsSelected="personaContainerIsSelected_6625fd9a",t.validationError="validationError_6625fd9a",t.itemContent="itemContent_6625fd9a",t.removeButton="removeButton_6625fd9a",t.expandButton="expandButton_6625fd9a",t.personaWrapper="personaWrapper_6625fd9a",t.personaDetails="personaDetails_6625fd9a",t.itemContainer="itemContainer_6625fd9a"},29988:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.SelectedItemWithContextMenu=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(52521),s=function(e){function t(t){var o=e.call(this,t)||this;return o.itemElement=r.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,i.initializeComponentRef)(o),o.state={contextualMenuVisible:!1},o}return n.__extends(t,e),t.prototype.render=function(){return r.createElement("div",{ref:this.itemElement,onContextMenu:this._onClick},this.props.renderedItem,this.state.contextualMenuVisible?r.createElement(a.ContextualMenu,{items:this.props.menuItems,shouldFocusOnMount:!0,target:this.itemElement.current,onDismiss:this._onCloseContextualMenu,directionalHint:a.DirectionalHint.bottomLeftEdge}):null)},t}(r.Component);t.SelectedItemWithContextMenu=s},93323:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.SelectedPeopleList=t.BasePeopleSelectedItemsList=void 0;var n=o(31635),r=o(83923),i=o(45526),a=o(23231),s=o(29988),l=o(32297),c=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return n.__extends(t,e),t}(i.BaseSelectedItemsList);t.BasePeopleSelectedItemsList=c;var u=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 n.__extends(t,e),t.prototype._renderItem=function(e,t){var o=this,i=this.props.removeButtonAriaLabel,a=this.props.onExpandGroup,c={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:i,onCopyItem:function(e){return o.copyItems([e])},onExpandItem:a?function(){return a(e)}:void 0,menuItems:this._createMenuItems(e)},u=c.menuItems.length>0;if(e.isEditing&&u)return r.createElement(l.EditingItem,n.__assign({},c,{onRenderFloatingPicker:this.props.onRenderFloatingPicker,floatingPickerProps:this.props.floatingPickerProps,onEditingComplete:this._completeEditing,getEditingItemText:this.props.getEditingItemText}));var d=(0,this.props.onRenderItem)(c);return u?r.createElement(s.SelectedItemWithContextMenu,{key:c.key,renderedItem:d,beginEditing:this._beginEditing,menuItems:this._createMenuItems(c.item),item:c.item}):d},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 r.createElement(a.ExtendedSelectedItem,n.__assign({},e))}},t}(c);t.SelectedPeopleList=u},67226:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(11121),t),n.__exportStar(o(45526),t),n.__exportStar(o(93323),t),n.__exportStar(o(23231),t),n.__exportStar(o(30898),t)},57178:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.SeparatorBase=void 0;var n=o(83923),r=(0,o(71061).classNamesFunction)();t.SeparatorBase=n.forwardRef((function(e,t){var o=e.styles,i=e.theme,a=e.className,s=e.vertical,l=e.alignContent,c=e.children,u=r(o,{theme:i,className:a,alignContent:l,vertical:s});return n.createElement("div",{className:u.root,ref:t},n.createElement("div",{className:u.content,role:"separator","aria-orientation":s?"vertical":"horizontal"},c))}))},10445:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Separator=void 0;var n=o(71061),r=o(34969),i=o(57178);t.Separator=(0,n.styled)(i.SeparatorBase,r.getStyles,void 0,{scope:"Separator"}),t.Separator.displayName="Separator"},34969:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019);t.getStyles=function(e){var t,o,r=e.theme,i=e.alignContent,a=e.vertical,s=e.className,l="start"===i,c="center"===i,u="end"===i;return{root:[r.fonts.medium,{position:"relative"},i&&{textAlign:i},!i&&{textAlign:"center"},a&&(c||!i)&&{verticalAlign:"middle"},a&&l&&{verticalAlign:"top"},a&&u&&{verticalAlign:"bottom"},a&&{padding:"0 4px",height:"inherit",display:"table-cell",zIndex:1,selectors:{":after":(t={backgroundColor:r.palette.neutralLighter,width:"1px",content:'""',position:"absolute",top:"0",bottom:"0",left:"50%",right:"0",zIndex:-1},t[n.HighContrastSelector]={backgroundColor:"WindowText"},t)}},!a&&{padding:"4px 0",selectors:{":before":(o={backgroundColor:r.palette.neutralLighter,height:"1px",content:'""',display:"block",position:"absolute",top:"50%",bottom:"0",left:"0",right:"0"},o[n.HighContrastSelector]={backgroundColor:"WindowText"},o)}},s],content:[{position:"relative",display:"inline-block",padding:"0 12px",color:r.semanticColors.bodyText,background:r.semanticColors.bodyBackground},a&&{padding:"12px 0"}]}}},28526:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},28454:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(57178),t),n.__exportStar(o(10445),t),n.__exportStar(o(28526),t)},69274:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ShimmerBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(59877),s=o(25698),l=(0,i.classNamesFunction)();t.ShimmerBase=r.forwardRef((function(e,t){var o=e.styles,c=e.shimmerElements,u=e.children,d=e.width,p=e.className,m=e.customElementsGroup,g=e.theme,h=e.ariaLabel,f=e.shimmerColors,v=e.isDataLoaded,b=void 0!==v&&v,y=e.improveCSSPerformance,_=(0,i.getNativeProps)(e,i.divProperties),S=l(o,{theme:g,isDataLoaded:b,className:p,transitionAnimationInterval:200,shimmerColor:f&&f.shimmer,shimmerWaveColor:f&&f.shimmerWave,improveCSSPerformance:y||!m}),C=(0,s.useConst)({lastTimeoutId:0}),x=(0,s.useSetTimeout)(),P=x.setTimeout,k=x.clearTimeout,I=r.useState(b),w=I[0],T=I[1],E={width:d||"100%"};return r.useEffect((function(){if(b!==w){if(b)return C.lastTimeoutId=P((function(){T(!0)}),200),function(){return k(C.lastTimeoutId)};T(!1)}}),[b]),r.createElement("div",n.__assign({},_,{className:S.root,ref:t}),!w&&r.createElement("div",{style:E,className:S.shimmerWrapper},r.createElement("div",{className:S.shimmerGradient}),m||r.createElement(a.ShimmerElementsGroup,{shimmerElements:c,backgroundColor:f&&f.background})),u&&r.createElement("div",{className:S.dataWrapper},u),h&&!b&&r.createElement("div",{role:"status","aria-live":"polite"},r.createElement(i.DelayedRender,null,r.createElement("div",{className:S.screenReaderText},h))))})),t.ShimmerBase.displayName="Shimmer"},81805:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Shimmer=void 0;var n=o(71061),r=o(40665),i=o(69274);t.Shimmer=(0,n.styled)(i.ShimmerBase,r.getStyles,void 0,{scope:"Shimmer"})},40665:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(31635),r=o(15019),i=o(71061),a={root:"ms-Shimmer-container",shimmerWrapper:"ms-Shimmer-shimmerWrapper",shimmerGradient:"ms-Shimmer-shimmerGradient",dataWrapper:"ms-Shimmer-dataWrapper"},s="100%",l=(0,i.memoizeFunction)((function(){return(0,r.keyframes)({"0%":{transform:"translateX(-".concat(s,")")},"100%":{transform:"translateX(".concat(s,")")}})})),c=(0,i.memoizeFunction)((function(){return(0,r.keyframes)({"100%":{transform:"translateX(-".concat(s,")")},"0%":{transform:"translateX(".concat(s,")")}})}));t.getStyles=function(e){var t,o=e.isDataLoaded,u=e.className,d=e.theme,p=e.transitionAnimationInterval,m=e.shimmerColor,g=e.shimmerWaveColor,h=e.improveCSSPerformance,f=d.semanticColors,v=(0,r.getGlobalClassNames)(a,d),b=(0,i.getRTL)(d);return{root:[v.root,d.fonts.medium,{position:"relative",height:"auto"},u],shimmerWrapper:[v.shimmerWrapper,{position:"relative",overflow:"hidden",transform:"translateZ(0)",backgroundColor:m||f.disabledBackground,transition:"opacity ".concat(p,"ms"),selectors:(t={},t[r.HighContrastSelector]=n.__assign({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,r.getHighContrastNoAdjustStyle)()),t)},o&&{opacity:"0",position:"absolute",top:"0",bottom:"0",left:"0",right:"0"},h?{selectors:{"> div:last-child":{transform:"translateZ(0)"}}}:{selectors:{"> *":{transform:"translateZ(0)"}}}],shimmerGradient:[v.shimmerGradient,{position:"absolute",top:0,left:0,width:"100%",height:"100%",background:"".concat(m||f.disabledBackground,"\n linear-gradient(\n to right,\n ").concat(m||f.disabledBackground," 0%,\n ").concat(g||f.bodyDivider," 50%,\n ").concat(m||f.disabledBackground," 100%)\n 0 0 / 90% 100%\n no-repeat"),transform:"translateX(-".concat(s,")"),animationDuration:"2s",animationTimingFunction:"ease-in-out",animationDirection:"normal",animationIterationCount:"infinite",animationName:b?c():l()}],dataWrapper:[v.dataWrapper,{position:"absolute",top:"0",bottom:"0",left:"0",right:"0",opacity:"0",background:"none",backgroundColor:"transparent",border:"none",transition:"opacity ".concat(p,"ms")},o&&{opacity:"1",position:"static"}],screenReaderText:r.hiddenContentStyle}}},14190:(e,t)=>{"use strict";var o,n;Object.defineProperty(t,"__esModule",{value:!0}),t.ShimmerElementsDefaultHeights=t.ShimmerElementType=void 0,(n=t.ShimmerElementType||(t.ShimmerElementType={}))[n.line=1]="line",n[n.circle=2]="circle",n[n.gap=3]="gap",(o=t.ShimmerElementsDefaultHeights||(t.ShimmerElementsDefaultHeights={}))[o.line=16]="line",o[o.gap=16]="gap",o[o.circle=24]="circle"},71154:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ShimmerCircleBase=void 0;var n=o(83923),r=(0,o(71061).classNamesFunction)();t.ShimmerCircleBase=function(e){var t=e.height,o=e.styles,i=e.borderStyle,a=e.theme,s=r(o,{theme:a,height:t,borderStyle:i});return n.createElement("div",{className:s.root},n.createElement("svg",{viewBox:"0 0 10 10",width:t,height:t,className:s.svg},n.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"})))}},64965:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ShimmerCircle=void 0;var n=o(71061),r=o(17617),i=o(71154);t.ShimmerCircle=(0,n.styled)(i.ShimmerCircleBase,r.getStyles,void 0,{scope:"ShimmerCircle"})},17617:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r={root:"ms-ShimmerCircle-root",svg:"ms-ShimmerCircle-svg"};t.getStyles=function(e){var t,o,i=e.height,a=e.borderStyle,s=e.theme,l=s.semanticColors,c=(0,n.getGlobalClassNames)(r,s),u=a||{};return{root:[c.root,s.fonts.medium,{width:"".concat(i,"px"),height:"".concat(i,"px"),minWidth:"".concat(i,"px"),boxSizing:"content-box",borderTopStyle:"solid",borderBottomStyle:"solid",borderColor:l.bodyBackground,selectors:(t={},t[n.HighContrastSelector]={borderColor:"Window"},t)},u],svg:[c.svg,{display:"block",fill:l.bodyBackground,selectors:(o={},o[n.HighContrastSelector]={fill:"Window"},o)}]}}},58854:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},51474:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ShimmerElementsGroupBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(14190),s=o(54465),l=o(95805),c=o(64965),u=(0,i.classNamesFunction)();t.ShimmerElementsGroupBase=function(e){var t=e.styles,o=e.width,i=void 0===o?"auto":o,p=e.shimmerElements,m=e.rowHeight,g=void 0===m?function(e){return e.map((function(e){switch(e.type){case a.ShimmerElementType.circle:e.height||(e.height=a.ShimmerElementsDefaultHeights.circle);break;case a.ShimmerElementType.line:e.height||(e.height=a.ShimmerElementsDefaultHeights.line);break;case a.ShimmerElementType.gap:e.height||(e.height=a.ShimmerElementsDefaultHeights.gap)}return e})).reduce((function(e,t){return t.height&&t.height>e?t.height:e}),0)}(p||[]):m,h=e.flexWrap,f=void 0!==h&&h,v=e.theme,b=e.backgroundColor,y=u(t,{theme:v,flexWrap:f});return r.createElement("div",{style:{width:i},className:y.root},function(e,t,o){var i=e?e.map((function(e,i){var u=e.type,p=n.__rest(e,["type"]),m=p.verticalAlign,g=p.height,h=d(m,u,g,t,o);switch(e.type){case a.ShimmerElementType.circle:return r.createElement(c.ShimmerCircle,n.__assign({key:i},p,{styles:h}));case a.ShimmerElementType.gap:return r.createElement(l.ShimmerGap,n.__assign({key:i},p,{styles:h}));case a.ShimmerElementType.line:return r.createElement(s.ShimmerLine,n.__assign({key:i},p,{styles:h}))}})):r.createElement(s.ShimmerLine,{height:a.ShimmerElementsDefaultHeights.line});return i}(p,b,g))};var d=(0,i.memoizeFunction)((function(e,t,o,r,i){var s,l=i&&o?i-o:0;if(e&&"center"!==e?e&&"top"===e?s={borderBottomWidth:"".concat(l,"px"),borderTopWidth:"0px"}:e&&"bottom"===e&&(s={borderBottomWidth:"0px",borderTopWidth:"".concat(l,"px")}):s={borderBottomWidth:"".concat(l?Math.floor(l/2):0,"px"),borderTopWidth:"".concat(l?Math.ceil(l/2):0,"px")},r)switch(t){case a.ShimmerElementType.circle:return{root:n.__assign(n.__assign({},s),{borderColor:r}),svg:{fill:r}};case a.ShimmerElementType.gap:return{root:n.__assign(n.__assign({},s),{borderColor:r,backgroundColor:r})};case a.ShimmerElementType.line:return{root:n.__assign(n.__assign({},s),{borderColor:r}),topLeftCorner:{fill:r},topRightCorner:{fill:r},bottomLeftCorner:{fill:r},bottomRightCorner:{fill:r}}}return{root:s}}))},59877:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ShimmerElementsGroup=void 0;var n=o(71061),r=o(51474),i=o(15665);t.ShimmerElementsGroup=(0,n.styled)(r.ShimmerElementsGroupBase,i.getStyles,void 0,{scope:"ShimmerElementsGroup"})},15665:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r={root:"ms-ShimmerElementsGroup-root"};t.getStyles=function(e){var t=e.flexWrap,o=e.theme;return{root:[(0,n.getGlobalClassNames)(r,o).root,o.fonts.medium,{display:"flex",alignItems:"center",flexWrap:t?"wrap":"nowrap",position:"relative"}]}}},7046:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},21610:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ShimmerGapBase=void 0;var n=o(83923),r=(0,o(71061).classNamesFunction)();t.ShimmerGapBase=function(e){var t=e.height,o=e.styles,i=e.width,a=void 0===i?"10px":i,s=e.borderStyle,l=e.theme,c=r(o,{theme:l,height:t,borderStyle:s});return n.createElement("div",{style:{width:a,minWidth:"number"==typeof a?"".concat(a,"px"):"auto"},className:c.root})}},95805:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ShimmerGap=void 0;var n=o(71061),r=o(21610),i=o(84937);t.ShimmerGap=(0,n.styled)(r.ShimmerGapBase,i.getStyles,void 0,{scope:"ShimmerGap"})},84937:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r={root:"ms-ShimmerGap-root"};t.getStyles=function(e){var t,o=e.height,i=e.borderStyle,a=e.theme,s=a.semanticColors,l=i||{};return{root:[(0,n.getGlobalClassNames)(r,a).root,a.fonts.medium,{backgroundColor:s.bodyBackground,height:"".concat(o,"px"),boxSizing:"content-box",borderTopStyle:"solid",borderBottomStyle:"solid",borderColor:s.bodyBackground,selectors:(t={},t[n.HighContrastSelector]={backgroundColor:"Window",borderColor:"Window"},t)},l]}}},45086:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},17126:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ShimmerLineBase=void 0;var n=o(83923),r=(0,o(71061).classNamesFunction)();t.ShimmerLineBase=function(e){var t=e.height,o=e.styles,i=e.width,a=void 0===i?"100%":i,s=e.borderStyle,l=e.theme,c=r(o,{theme:l,height:t,borderStyle:s});return n.createElement("div",{style:{width:a,minWidth:"number"==typeof a?"".concat(a,"px"):"auto"},className:c.root},n.createElement("svg",{width:"2",height:"2",className:c.topLeftCorner},n.createElement("path",{d:"M0 2 A 2 2, 0, 0, 1, 2 0 L 0 0 Z"})),n.createElement("svg",{width:"2",height:"2",className:c.topRightCorner},n.createElement("path",{d:"M0 0 A 2 2, 0, 0, 1, 2 2 L 2 0 Z"})),n.createElement("svg",{width:"2",height:"2",className:c.bottomRightCorner},n.createElement("path",{d:"M2 0 A 2 2, 0, 0, 1, 0 2 L 2 2 Z"})),n.createElement("svg",{width:"2",height:"2",className:c.bottomLeftCorner},n.createElement("path",{d:"M2 2 A 2 2, 0, 0, 1, 0 0 L 0 2 Z"})))}},54465:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ShimmerLine=void 0;var n=o(71061),r=o(17126),i=o(59381);t.ShimmerLine=(0,n.styled)(r.ShimmerLineBase,i.getStyles,void 0,{scope:"ShimmerLine"})},59381:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r={root:"ms-ShimmerLine-root",topLeftCorner:"ms-ShimmerLine-topLeftCorner",topRightCorner:"ms-ShimmerLine-topRightCorner",bottomLeftCorner:"ms-ShimmerLine-bottomLeftCorner",bottomRightCorner:"ms-ShimmerLine-bottomRightCorner"};t.getStyles=function(e){var t,o=e.height,i=e.borderStyle,a=e.theme,s=a.semanticColors,l=(0,n.getGlobalClassNames)(r,a),c=i||{},u={position:"absolute",fill:s.bodyBackground};return{root:[l.root,a.fonts.medium,{height:"".concat(o,"px"),boxSizing:"content-box",position:"relative",borderTopStyle:"solid",borderBottomStyle:"solid",borderColor:s.bodyBackground,borderWidth:0,selectors:(t={},t[n.HighContrastSelector]={borderColor:"Window",selectors:{"> *":{fill:"Window"}}},t)},c],topLeftCorner:[l.topLeftCorner,{top:"0",left:"0"},u],topRightCorner:[l.topRightCorner,{top:"0",right:"0"},u],bottomRightCorner:[l.bottomRightCorner,{bottom:"0",right:"0"},u],bottomLeftCorner:[l.bottomLeftCorner,{bottom:"0",left:"0"},u]}}},45418:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},92462:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(81805),t),n.__exportStar(o(69274),t),n.__exportStar(o(14190),t),n.__exportStar(o(54465),t),n.__exportStar(o(17126),t),n.__exportStar(o(45418),t),n.__exportStar(o(64965),t),n.__exportStar(o(71154),t),n.__exportStar(o(58854),t),n.__exportStar(o(95805),t),n.__exportStar(o(21610),t),n.__exportStar(o(45086),t),n.__exportStar(o(59877),t),n.__exportStar(o(51474),t),n.__exportStar(o(7046),t)},2202:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.SliderBase=void 0;var n=o(31635),r=o(83923),i=(o(25698),o(52332)),a=o(21505),s=o(1724);t.SliderBase=r.forwardRef((function(e,t){var o=(0,s.useSlider)(e,t);return r.createElement("div",n.__assign({},o.root),o&&r.createElement(a.Label,n.__assign({},o.label)),r.createElement("div",n.__assign({},o.container),e.ranged&&(e.vertical?o.valueLabel&&r.createElement(a.Label,n.__assign({},o.valueLabel)):o.lowerValueLabel&&r.createElement(a.Label,n.__assign({},o.lowerValueLabel))),r.createElement("div",n.__assign({},o.sliderBox),r.createElement("div",n.__assign({},o.sliderLine),e.ranged&&r.createElement("span",n.__assign({},o.lowerValueThumb)),r.createElement("span",n.__assign({},o.thumb)),o.zeroTick&&r.createElement("span",n.__assign({},o.zeroTick)),r.createElement("span",n.__assign({},o.bottomInactiveTrack)),r.createElement("span",n.__assign({},o.activeTrack)),r.createElement("span",n.__assign({},o.topInactiveTrack)))),e.ranged&&e.vertical?o.lowerValueLabel&&r.createElement(a.Label,n.__assign({},o.lowerValueLabel)):o.valueLabel&&r.createElement(a.Label,n.__assign({},o.valueLabel))),r.createElement(i.FocusRects,null))})),t.SliderBase.displayName="SliderBase"},23277:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Slider=void 0;var n=o(52332),r=o(2202),i=o(64313);t.Slider=(0,n.styled)(r.SliderBase,i.getStyles,void 0,{scope:"Slider"})},64313:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(31635),r=o(83048),i=o(52332),a={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"};t.getStyles=function(e){var t,o,s,l,c,u,d,p,m,g,h,f,v,b=e.className,y=e.titleLabelClassName,_=e.theme,S=e.vertical,C=e.disabled,x=e.showTransitions,P=e.showValue,k=e.ranged,I=_.semanticColors,w=_.palette,T=(0,r.getGlobalClassNames)(a,_),E=I.inputBackgroundCheckedHovered,D=I.inputBackgroundChecked,M=w.neutralSecondaryAlt,O=w.neutralPrimary,R=w.neutralSecondaryAlt,F=I.disabledText,B=I.disabledBackground,A=I.inputBackground,N=I.smallInputBorder,L=I.disabledBorder,H=!C&&{backgroundColor:E,selectors:(t={},t[r.HighContrastSelector]={backgroundColor:"Highlight"},t)},j=!C&&{backgroundColor:M,selectors:(o={},o[r.HighContrastSelector]={borderColor:"Highlight"},o)},z=!C&&{backgroundColor:D,selectors:(s={},s[r.HighContrastSelector]={backgroundColor:"Highlight"},s)},W=!C&&{border:"2px solid ".concat(E),selectors:(l={},l[r.HighContrastSelector]={borderColor:"Highlight"},l)},V=!e.disabled&&{backgroundColor:I.inputPlaceholderBackgroundChecked,selectors:(c={},c[r.HighContrastSelector]={backgroundColor:"Highlight"},c)};return{root:n.__spreadArray(n.__spreadArray(n.__spreadArray(n.__spreadArray(n.__spreadArray([T.root,_.fonts.medium,{userSelect:"none"},S&&{marginRight:8}],[C?void 0:T.enabled],!1),[C?T.disabled:void 0],!1),[S?void 0:T.row],!1),[S?T.column:void 0],!1),[b],!1),titleLabel:[{padding:0},y],container:[T.container,{display:"flex",flexWrap:"nowrap",alignItems:"center"},S&&{flexDirection:"column",height:"100%",textAlign:"center",margin:"8px 0"}],slideBox:n.__spreadArray(n.__spreadArray([T.slideBox,!k&&(0,r.getFocusStyle)(_),{background:"transparent",border:"none",flexGrow:1,lineHeight:28,display:"flex",alignItems:"center",selectors:(u={},u[":active .".concat(T.activeSection)]=H,u[":hover .".concat(T.activeSection)]=z,u[":active .".concat(T.inactiveSection)]=j,u[":hover .".concat(T.inactiveSection)]=j,u[":active .".concat(T.thumb)]=W,u[":hover .".concat(T.thumb)]=W,u[":active .".concat(T.zeroTick)]=V,u[":hover .".concat(T.zeroTick)]=V,u[r.HighContrastSelector]={forcedColorAdjust:"none"},u)},S?{height:"100%",width:28,padding:"8px 0"}:{height:28,width:"auto",padding:"0 8px"}],[P?T.showValue:void 0],!1),[x?T.showTransitions:void 0],!1),thumb:[T.thumb,k&&(0,r.getFocusStyle)(_,{inset:-4}),{borderWidth:2,borderStyle:"solid",borderColor:N,borderRadius:10,boxSizing:"border-box",background:A,display:"block",width:16,height:16,position:"absolute"},S?{left:-6,margin:"0 auto",transform:"translateY(8px)"}:{top:-6,transform:(0,i.getRTL)(_)?"translateX(50%)":"translateX(-50%)"},x&&{transition:"left ".concat(r.AnimationVariables.durationValue3," ").concat(r.AnimationVariables.easeFunction1)},C&&{borderColor:L,selectors:(d={},d[r.HighContrastSelector]={borderColor:"GrayText"},d)}],line:[T.line,{display:"flex",position:"relative"},S?{height:"100%",width:4,margin:"0 auto",flexDirection:"column-reverse"}:{width:"100%"}],lineContainer:[{borderRadius:4,boxSizing:"border-box"},S?{width:4,height:"100%"}:{height:4,width:"100%"}],activeSection:[T.activeSection,{background:O,selectors:(p={},p[r.HighContrastSelector]={backgroundColor:"WindowText"},p)},x&&{transition:"width ".concat(r.AnimationVariables.durationValue3," ").concat(r.AnimationVariables.easeFunction1)},C&&{background:F,selectors:(m={},m[r.HighContrastSelector]={backgroundColor:"GrayText",borderColor:"GrayText"},m)}],inactiveSection:[T.inactiveSection,{background:R,selectors:(g={},g[r.HighContrastSelector]={border:"1px solid WindowText"},g)},x&&{transition:"width ".concat(r.AnimationVariables.durationValue3," ").concat(r.AnimationVariables.easeFunction1)},C&&{background:B,selectors:(h={},h[r.HighContrastSelector]={borderColor:"GrayText"},h)}],zeroTick:[T.zeroTick,{position:"absolute",background:I.disabledBorder,selectors:(f={},f[r.HighContrastSelector]={backgroundColor:"WindowText"},f)},e.disabled&&{background:I.disabledBackground,selectors:(v={},v[r.HighContrastSelector]={backgroundColor:"GrayText"},v)},e.vertical?{width:"16px",height:"1px",transform:(0,i.getRTL)(_)?"translateX(6px)":"translateX(-6px)"}:{width:"1px",height:"16px",transform:"translateY(-6px)"}],valueLabel:[T.valueLabel,{flexShrink:1,width:30,lineHeight:"1"},S?{margin:"0 auto",whiteSpace:"nowrap",width:40}:{margin:"0 8px",whiteSpace:"nowrap",width:40}]}}},39950:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},89202:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(23277),t),n.__exportStar(o(2202),t),n.__exportStar(o(39950),t)},1724:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useSlider=t.ONKEYDOWN_TIMEOUT_DURATION=void 0;var n=o(31635),r=o(83923),i=o(25698),a=o(52332),s=o(50478);t.ONKEYDOWN_TIMEOUT_DURATION=1e3;var l=(0,a.classNamesFunction)(),c=function(e){return function(t){var o;return(o={})[e]="".concat(t,"%"),o}},u=function(e,t,o){return o===t?0:(e-t)/(o-t)*100};t.useSlider=function(e,o){var d=e.step,p=void 0===d?1:d,m=e.className,g=e.disabled,h=void 0!==g&&g,f=e.label,v=e.max,b=void 0===v?10:v,y=e.min,_=void 0===y?0:y,S=e.showValue,C=void 0===S||S,x=e.buttonProps,P=void 0===x?{}:x,k=e.vertical,I=void 0!==k&&k,w=e.snapToStep,T=e.valueFormat,E=e.styles,D=e.theme,M=e.originFromZero,O=e["aria-labelledby"],R=e.ariaLabel,F=void 0===R?e["aria-label"]:R,B=e.ranged,A=e.onChange,N=e.onChanged,L=r.useRef([]),H=(0,i.useSetTimeout)(),j=H.setTimeout,z=H.clearTimeout,W=r.useRef(null),V=(0,s.useWindowEx)(),K=(0,i.useControllableValue)(e.value,e.defaultValue,(function(e,t){return null==A?void 0:A(t,B?[J.latestLowerValue,t]:void 0,e)})),G=K[0],U=K[1],Y=(0,i.useControllableValue)(e.lowerValue,e.defaultLowerValue,(function(e,t){return null==A?void 0:A(J.latestValue,[t,J.latestValue],e)})),q=Y[0],X=Y[1],Z=Math.max(_,Math.min(b,G||0)),Q=Math.max(_,Math.min(Z,q||0)),J=(0,i.useConst)({onKeyDownTimer:-1,isAdjustingLowerValue:!1,latestValue:Z,latestLowerValue:Q});J.latestValue=Z,J.latestLowerValue=Q;var $=(0,i.useId)("Slider",e.id||(null==P?void 0:P.id)),ee=l(E,{className:m,disabled:h,vertical:I,showTransitions:!w&&!J.isBetweenSteps,showValue:C,ranged:B,theme:D}),te=(b-_)/p,oe=function(){z(J.onKeyDownTimer),J.onKeyDownTimer=-1},ne=function(e){oe(),N&&(J.onKeyDownTimer=j((function(){N(e,J.latestValue,B?[J.latestLowerValue,J.latestValue]:void 0)}),t.ONKEYDOWN_TIMEOUT_DURATION))},re=function(t){var o=e.ariaValueText;if(void 0!==t)return o?o(t):t.toString()},ie=function(e,t,o){t=Math.min(b,Math.max(_,t)),o=void 0!==o?Math.min(b,Math.max(_,o)):void 0;var n=0;if(isFinite(p))for(;Math.round(p*Math.pow(10,n))/Math.pow(10,n)!==p;)n++;var r=parseFloat(t.toFixed(n));J.isBetweenSteps=void 0!==o&&o!==r,B?J.isAdjustingLowerValue&&(M?r<=0:r<=J.latestValue)?X(r,e):!J.isAdjustingLowerValue&&(M?r>=0:r>=J.latestLowerValue)&&U(r,e):U(r,e)},ae=function(e,t){var o=0;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},se=function(t){var o,n=W.current.getBoundingClientRect(),r=(e.vertical?n.height:n.width)/te;if(e.vertical){var i=ae(t,e.vertical);o=(n.bottom-i)/r}else{var s=ae(t,e.vertical);o=((0,a.getRTL)(e.theme)?n.right-s:s-n.left)/r}return o},le=function(e,t){var o=se(e),n=_+p*o,r=_+p*Math.round(o);ie(e,r,n),t||(e.preventDefault(),e.stopPropagation())},ce=function(e){if(B){var t=se(e),o=_+p*t;J.isAdjustingLowerValue=o<=J.latestLowerValue||o-J.latestLowerValue<=J.latestValue-o}"mousedown"===e.type?L.current.push((0,a.on)(V,"mousemove",le,!0),(0,a.on)(V,"mouseup",ue,!0)):"touchstart"===e.type&&L.current.push((0,a.on)(V,"touchmove",le,!0),(0,a.on)(V,"touchend",ue,!0)),le(e,!0)},ue=function(e){J.isBetweenSteps=void 0,null==N||N(e,J.latestValue,B?[J.latestLowerValue,J.latestValue]:void 0),de()},de=r.useCallback((function(){L.current.forEach((function(e){return e()})),L.current=[]}),[]);r.useEffect((function(){return de}),[de]);var pe=r.useRef(null),me=r.useRef(null),ge=r.useRef(null);!function(e,t,o,n){r.useImperativeHandle(e.componentRef,(function(){return{get value(){return o},get range(){return n},focus:function(){var e;null===(e=t.current)||void 0===e||e.focus()}}}),[n,t,o])}(e,ge,Z,B?[Q,Z]:void 0);var he=c(I?"bottom":(0,a.getRTL)(e.theme)?"right":"left"),fe=c(I?"height":"width"),ve=M?0:_,be=u(Z,_,b),ye=u(Q,_,b),_e=u(ve,_,b),Se=B?be-ye:Math.abs(_e-be),Ce=Math.min(100-be,100-_e),xe=B?ye:Math.min(be,_e),Pe={className:ee.root,ref:o},ke={className:ee.titleLabel,children:f,disabled:h,htmlFor:F?void 0:$},Ie=C?{className:ee.valueLabel,children:T?T(Z):Z,disabled:h,htmlFor:h?$:void 0}:void 0,we=B&&C?{className:ee.valueLabel,children:T?T(Q):Q,disabled:h}:void 0,Te=M?{className:ee.zeroTick,style:he(_e)}:void 0,Ee={className:(0,a.css)(ee.lineContainer,ee.activeSection),style:fe(Se)},De={className:(0,a.css)(ee.lineContainer,ee.inactiveSection),style:fe(Ce)},Me={className:(0,a.css)(ee.lineContainer,ee.inactiveSection),style:fe(xe)},Oe=n.__assign({"aria-disabled":h,role:"slider",tabIndex:h?void 0:0},{"data-is-focusable":!h}),Re=n.__assign(n.__assign(n.__assign({id:$,className:(0,a.css)(ee.slideBox,P.className),ref:ge},!h&&{onMouseDown:ce,onTouchStart:ce,onKeyDown:function(t){var o=J.isAdjustingLowerValue?J.latestLowerValue:J.latestValue,n=0;switch(t.which){case(0,a.getRTLSafeKeyCode)(a.KeyCodes.left,e.theme):case a.KeyCodes.down:n=-p,oe(),ne(t);break;case(0,a.getRTLSafeKeyCode)(a.KeyCodes.right,e.theme):case a.KeyCodes.up:n=p,oe(),ne(t);break;case a.KeyCodes.home:o=_,oe(),ne(t);break;case a.KeyCodes.end:o=b,oe(),ne(t);break;default:return}ie(t,o+n),t.preventDefault(),t.stopPropagation()}}),P&&(0,a.getNativeProps)(P,a.divProperties,["id","className"])),!B&&n.__assign(n.__assign({},Oe),{"aria-valuemin":_,"aria-valuemax":b,"aria-valuenow":Z,"aria-valuetext":re(Z),"aria-label":F||f,"aria-labelledby":O})),Fe=h?{}:{onFocus:function(e){J.isAdjustingLowerValue=e.target===pe.current}},Be=n.__assign({ref:me,className:ee.thumb,style:he(be)},B&&n.__assign(n.__assign(n.__assign({},Oe),Fe),{id:"max-".concat($),"aria-valuemin":Q,"aria-valuemax":b,"aria-valuenow":Z,"aria-valuetext":re(Z),"aria-label":"max ".concat(F||f)})),Ae=B?n.__assign(n.__assign(n.__assign({ref:pe,className:ee.thumb,style:he(ye)},Oe),Fe),{id:"min-".concat($),"aria-valuemin":_,"aria-valuemax":Z,"aria-valuenow":Q,"aria-valuetext":re(Q),"aria-label":"min ".concat(F||f)}):void 0;return{root:Pe,label:ke,sliderBox:Re,container:{className:ee.container},valueLabel:Ie,lowerValueLabel:we,thumb:Be,lowerValueThumb:Ae,zeroTick:Te,activeTrack:Ee,topInactiveTrack:De,bottomInactiveTrack:Me,sliderLine:{ref:W,className:ee.line}}}},51188:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.SpinButtonBase=void 0;var n=o(31635),r=o(83923),i=o(74393),a=o(47795),s=o(30936),l=o(71061),c=o(22827),u=o(30512),d=o(43300),p=o(25698),m=(0,l.classNamesFunction)(),g={disabled:!1,label:"",step:1,labelPosition:d.Position.start,incrementButtonIcon:{iconName:"ChevronUpSmall"},decrementButtonIcon:{iconName:"ChevronDownSmall"}},h=function(){},f=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.SpinButtonBase=r.forwardRef((function(e,t){var o=(0,l.getPropsWithDefaults)(g,e),b=o.disabled,y=o.label,_=o.min,S=o.max,C=o.step,x=o.defaultValue,P=o.value,k=o.precision,I=o.labelPosition,w=o.iconProps,T=o.incrementButtonIcon,E=o.incrementButtonAriaLabel,D=o.decrementButtonIcon,M=o.decrementButtonAriaLabel,O=o.ariaLabel,R=o.ariaDescribedBy,F=o.upArrowButtonStyles,B=o.downArrowButtonStyles,A=o.theme,N=o.ariaPositionInSet,L=o.ariaSetSize,H=o.ariaValueNow,j=o.ariaValueText,z=o.className,W=o.inputProps,V=o.onDecrement,K=o.onIncrement,G=o.iconButtonProps,U=o.onValidate,Y=o.onChange,q=o.styles,X=r.useRef(null),Z=(0,p.useId)("input"),Q=(0,p.useId)("Label"),J=r.useState(!1),$=J[0],ee=J[1],te=r.useState(u.KeyboardSpinDirection.notSpinning),oe=te[0],ne=te[1],re=(0,p.useAsync)(),ie=r.useMemo((function(){return null!=k?k:Math.max((0,l.calculatePrecision)(C),0)}),[k,C]),ae=(0,p.useControllableValue)(P,null!=x?x:String(_||0),Y),se=ae[0],le=ae[1],ce=r.useState(),ue=ce[0],de=ce[1],pe=r.useRef({stepTimeoutHandle:-1,latestValue:void 0,latestIntermediateValue:void 0}).current;pe.latestValue=se,pe.latestIntermediateValue=ue;var me=(0,p.usePrevious)(P);r.useEffect((function(){P!==me&&void 0!==ue&&de(void 0)}),[P,me,ue]);var ge=m(q,{theme:A,disabled:b,isFocused:$,keyboardSpinDirection:oe,labelPosition:I,className:z}),he=(0,l.getNativeProps)(o,l.divProperties,["onBlur","onFocus","className","onChange"]),fe=r.useCallback((function(e){var t=pe.latestIntermediateValue;if(void 0!==t&&t!==pe.latestValue){var o=void 0;U?o=U(t,e):t&&t.trim().length&&!isNaN(Number(t))&&(o=String(f(Number(t),{min:_,max:S}))),void 0!==o&&o!==pe.latestValue&&le(o,e)}de(void 0)}),[pe,S,_,U,le]),ve=r.useCallback((function(){pe.stepTimeoutHandle>=0&&(re.clearTimeout(pe.stepTimeoutHandle),pe.stepTimeoutHandle=-1),(pe.spinningByMouse||oe!==u.KeyboardSpinDirection.notSpinning)&&(pe.spinningByMouse=!1,ne(u.KeyboardSpinDirection.notSpinning))}),[pe,oe,re]),be=r.useCallback((function(e,t){if(t.persist(),void 0!==pe.latestIntermediateValue)return"keydown"!==t.type&&"mousedown"!==t.type||fe(t),void re.requestAnimationFrame((function(){be(e,t)}));var o=e(pe.latestValue||"",t);void 0!==o&&o!==pe.latestValue&&le(o,t);var n=pe.spinningByMouse;pe.spinningByMouse="mousedown"===t.type,pe.spinningByMouse&&(pe.stepTimeoutHandle=re.setTimeout((function(){be(e,t)}),n?75:400))}),[pe,re,fe,le]),ye=r.useCallback((function(e){if(K)return K(e);var t=f(Number(e)+Number(C),{max:S});return t=(0,l.precisionRound)(t,ie),String(t)}),[ie,S,K,C]),_e=r.useCallback((function(e){if(V)return V(e);var t=f(Number(e)-Number(C),{min:_});return t=(0,l.precisionRound)(t,ie),String(t)}),[ie,_,V,C]),Se=r.useCallback((function(e){(b||e.which===l.KeyCodes.up||e.which===l.KeyCodes.down)&&ve()}),[b,ve]),Ce=r.useCallback((function(e){be(ye,e)}),[ye,be]),xe=r.useCallback((function(e){be(_e,e)}),[_e,be]);!function(e,t,o){r.useImperativeHandle(e.componentRef,(function(){return{get value(){return o},focus:function(){t.current&&t.current.focus()}}}),[t,o])}(o,X,se),v(o);var Pe=!!se&&!isNaN(Number(se)),ke=(w||y)&&r.createElement("div",{className:ge.labelWrapper},w&&r.createElement(s.Icon,n.__assign({},w,{className:ge.icon,"aria-hidden":"true"})),y&&r.createElement(a.Label,{id:Q,htmlFor:Z,className:ge.label,disabled:b},y));return r.createElement("div",{className:ge.root,ref:t},I!==d.Position.bottom&&ke,r.createElement("div",n.__assign({},he,{className:ge.spinButtonWrapper,"aria-label":O&&O,"aria-posinset":N,"aria-setsize":L,"data-ktp-target":!0}),r.createElement("input",n.__assign({value:null!=ue?ue:se,id:Z,onChange:h,onInput:function(e){de(e.target.value)},className:ge.input,type:"text",autoComplete:"off",role:"spinbutton","aria-labelledby":y&&Q,"aria-valuenow":null!=H?H:Pe?Number(se):void 0,"aria-valuetext":null!=j?j:Pe?void 0:se,"aria-valuemin":_,"aria-valuemax":S,"aria-describedby":R,onBlur:function(e){var t;fe(e),ee(!1),null===(t=o.onBlur)||void 0===t||t.call(o,e)},ref:X,onFocus:function(e){var t;X.current&&((pe.spinningByMouse||oe!==u.KeyboardSpinDirection.notSpinning)&&ve(),X.current.select(),ee(!0),null===(t=o.onFocus)||void 0===t||t.call(o,e))},onKeyDown:function(e){if(e.which!==l.KeyCodes.up&&e.which!==l.KeyCodes.down&&e.which!==l.KeyCodes.enter||(e.preventDefault(),e.stopPropagation()),b)ve();else{var t=u.KeyboardSpinDirection.notSpinning;switch(e.which){case l.KeyCodes.up:t=u.KeyboardSpinDirection.up,be(ye,e);break;case l.KeyCodes.down:t=u.KeyboardSpinDirection.down,be(_e,e);break;case l.KeyCodes.enter:fe(e);break;case l.KeyCodes.escape:de(void 0)}oe!==t&&ne(t)}},onKeyUp:Se,disabled:b,"aria-disabled":b,"data-lpignore":!0,"data-ktp-execute-target":!0},W)),r.createElement("span",{className:ge.arrowButtonsContainer},r.createElement(i.IconButton,n.__assign({styles:(0,c.getArrowButtonStyles)(A,!0,F),className:"ms-UpButton",checked:oe===u.KeyboardSpinDirection.up,disabled:b,iconProps:T,onMouseDown:Ce,onMouseLeave:ve,onMouseUp:ve,tabIndex:-1,ariaLabel:E,"data-is-focusable":!1},G)),r.createElement(i.IconButton,n.__assign({styles:(0,c.getArrowButtonStyles)(A,!1,B),className:"ms-DownButton",checked:oe===u.KeyboardSpinDirection.down,disabled:b,iconProps:D,onMouseDown:xe,onMouseLeave:ve,onMouseUp:ve,tabIndex:-1,ariaLabel:M,"data-is-focusable":!1},G)))),I===d.Position.bottom&&ke)})),t.SpinButtonBase.displayName="SpinButton";var v=function(e){}},11143:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.SpinButton=void 0;var n=o(71061),r=o(51188),i=o(22827);t.SpinButton=(0,n.styled)(r.SpinButtonBase,i.getStyles,void 0,{scope:"SpinButton"})},22827:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=t.getArrowButtonStyles=void 0;var n=o(31635),r=o(15019),i=o(71061),a=o(43300),s=(0,i.memoizeFunction)((function(e){var t,o=e.semanticColors,n=o.disabledText,i=o.disabledBackground;return{backgroundColor:i,pointerEvents:"none",cursor:"default",color:n,selectors:(t={":after":{borderColor:i}},t[r.HighContrastSelector]={color:"GrayText"},t)}}));t.getArrowButtonStyles=(0,i.memoizeFunction)((function(e,t,o){var n,i,a,s=e.palette,l=e.semanticColors,c=e.effects,u=s.neutralSecondary,d=l.buttonText,p=l.buttonText,m=l.buttonBackgroundHovered,g=l.buttonBackgroundPressed,h={root:{outline:"none",display:"block",height:"50%",width:23,padding:0,backgroundColor:"transparent",textAlign:"center",cursor:"default",color:u,selectors:{"&.ms-DownButton":{borderRadius:"0 0 ".concat(c.roundedCorner2," 0")},"&.ms-UpButton":{borderRadius:"0 ".concat(c.roundedCorner2," 0 0")}}},rootHovered:{backgroundColor:m,color:d},rootChecked:{backgroundColor:g,color:p,selectors:(n={},n[r.HighContrastSelector]={backgroundColor:"Highlight",color:"HighlightText"},n)},rootPressed:{backgroundColor:g,color:p,selectors:(i={},i[r.HighContrastSelector]={backgroundColor:"Highlight",color:"HighlightText"},i)},rootDisabled:{opacity:.5,selectors:(a={},a[r.HighContrastSelector]={color:"GrayText",opacity:1},a)},icon:{fontSize:8,marginTop:0,marginRight:0,marginBottom:0,marginLeft:0}};return(0,r.concatStyleSets)(h,{},o)})),t.getStyles=function(e){var t,o,i,l,c=e.theme,u=e.className,d=e.labelPosition,p=e.disabled,m=e.isFocused,g=c.palette,h=c.semanticColors,f=c.effects,v=c.fonts,b=h.inputBorder,y=h.inputBackground,_=h.inputBorderHovered,S=h.inputFocusBorderAlt,C=h.inputText,x=g.white,P=h.inputBackgroundChecked,k=h.disabledText;return{root:[v.medium,{outline:"none",width:"100%",minWidth:86},u],labelWrapper:[{display:"inline-flex",alignItems:"center"},d===a.Position.start&&{height:32,float:"left",marginRight:10},d===a.Position.end&&{height:32,float:"right",marginLeft:10},d===a.Position.top&&{marginBottom:-1}],icon:[{padding:"0 5px",fontSize:r.IconFontSizes.large},p&&{color:k}],label:{pointerEvents:"none",lineHeight:r.IconFontSizes.large},spinButtonWrapper:[n.__assign(n.__assign({display:"flex",position:"relative",boxSizing:"border-box",height:32,minWidth:86},(0,r.getInputFocusStyle)(b,f.roundedCorner2,"border",0)),{":after":(t={borderWidth:"1px"},t[r.HighContrastSelector]={borderColor:"GrayText"},t)}),(d===a.Position.top||d===a.Position.bottom)&&{width:"100%"},!p&&[{":hover:after":(o={borderColor:_},o[r.HighContrastSelector]={borderColor:"Highlight"},o)},m&&{":hover:after, :after":(i={borderColor:S,borderWidth:"2px"},i[r.HighContrastSelector]={borderColor:"Highlight"},i)}],p&&s(c)],input:["ms-spinButton-input",{boxSizing:"border-box",boxShadow:"none",borderStyle:"none",flex:1,margin:0,fontSize:v.medium.fontSize,fontFamily:"inherit",color:C,backgroundColor:y,height:"100%",padding:"0 8px 0 9px",outline:0,display:"block",minWidth:61,whiteSpace:"nowrap",textOverflow:"ellipsis",overflow:"hidden",cursor:"text",userSelect:"text",borderRadius:"".concat(f.roundedCorner2," 0 0 ").concat(f.roundedCorner2)},!p&&{selectors:{"::selection":{backgroundColor:P,color:x,selectors:(l={},l[r.HighContrastSelector]={backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},l)}}},p&&s(c)],arrowButtonsContainer:[{display:"block",height:"100%",cursor:"default"},p&&s(c)]}}},30512:(e,t)=>{"use strict";var o;Object.defineProperty(t,"__esModule",{value:!0}),t.KeyboardSpinDirection=void 0,(o=t.KeyboardSpinDirection||(t.KeyboardSpinDirection={}))[o.down=-1]="down",o[o.notSpinning=0]="notSpinning",o[o.up=1]="up"},96231:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(11143),t),n.__exportStar(o(30512),t)},67098:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.SpinnerBase=void 0;var n=o(31635),r=o(83923),i=o(7598),a=o(71061),s=(0,a.classNamesFunction)(),l=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return n.__extends(t,e),t.prototype.render=function(){var e=this.props,t=e.type,o=e.size,l=e.ariaLabel,c=e.ariaLive,u=e.styles,d=e.label,p=e.theme,m=e.className,g=e.labelPosition,h=l,f=(0,a.getNativeProps)(this.props,a.divProperties,["size"]),v=o;void 0===v&&void 0!==t&&(v=t===i.SpinnerType.large?i.SpinnerSize.large:i.SpinnerSize.medium);var b=s(u,{theme:p,size:v,className:m,labelPosition:g});return r.createElement("div",n.__assign({},f,{className:b.root}),r.createElement("div",{className:b.circle}),d&&r.createElement("div",{className:b.label},d),h&&r.createElement("div",{role:"status","aria-live":c},r.createElement(a.DelayedRender,null,r.createElement("div",{className:b.screenReaderText},h))))},t.defaultProps={size:i.SpinnerSize.medium,ariaLive:"polite",labelPosition:"bottom"},t}(r.Component);t.SpinnerBase=l},61709:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Spinner=void 0;var n=o(71061),r=o(67098),i=o(54809);t.Spinner=(0,n.styled)(r.SpinnerBase,i.getStyles,void 0,{scope:"Spinner"})},54809:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(31635),r=o(7598),i=o(15019),a=o(71061),s={root:"ms-Spinner",circle:"ms-Spinner-circle",label:"ms-Spinner-label"},l=(0,a.memoizeFunction)((function(){return(0,i.keyframes)({"0%":{transform:"rotate(0deg)"},"100%":{transform:"rotate(360deg)"}})}));t.getStyles=function(e){var t,o=e.theme,a=e.size,c=e.className,u=e.labelPosition,d=o.palette,p=(0,i.getGlobalClassNames)(s,o);return{root:[p.root,{display:"flex",flexDirection:"column",alignItems:"center",justifyContent:"center"},"top"===u&&{flexDirection:"column-reverse"},"right"===u&&{flexDirection:"row"},"left"===u&&{flexDirection:"row-reverse"},c],circle:[p.circle,{boxSizing:"border-box",borderRadius:"50%",border:"1.5px solid "+d.themeLight,borderTopColor:d.themePrimary,animationName:l(),animationDuration:"1.3s",animationIterationCount:"infinite",animationTimingFunction:"cubic-bezier(.53,.21,.29,.67)",selectors:(t={},t[i.HighContrastSelector]=n.__assign({borderTopColor:"Highlight"},(0,i.getHighContrastNoAdjustStyle)()),t)},a===r.SpinnerSize.xSmall&&["ms-Spinner--xSmall",{width:12,height:12}],a===r.SpinnerSize.small&&["ms-Spinner--small",{width:16,height:16}],a===r.SpinnerSize.medium&&["ms-Spinner--medium",{width:20,height:20}],a===r.SpinnerSize.large&&["ms-Spinner--large",{width:28,height:28}]],label:[p.label,o.fonts.small,{color:d.themePrimary,margin:"8px 0 0",textAlign:"center"},"top"===u&&{margin:"0 0 8px"},"right"===u&&{margin:"0 0 0 8px"},"left"===u&&{margin:"0 8px 0 0"}],screenReaderText:i.hiddenContentStyle}}},7598:(e,t)=>{"use strict";var o,n;Object.defineProperty(t,"__esModule",{value:!0}),t.SpinnerType=t.SpinnerSize=void 0,(n=t.SpinnerSize||(t.SpinnerSize={}))[n.xSmall=0]="xSmall",n[n.small=1]="small",n[n.medium=2]="medium",n[n.large=3]="large",(o=t.SpinnerType||(t.SpinnerType={}))[o.normal=0]="normal",o[o.large=1]="large"},67068:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(61709),t),n.__exportStar(o(67098),t),n.__exportStar(o(7598),t)},26029:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Stack=void 0;var n=o(31635),r=o(83923),i=o(89021),a=o(71061),s=o(16953),l=o(24170);function c(e,t){var o=t.disableShrink,i=t.enableScopedSelectors,u=t.doNotRenderFalsyValues,d=r.Children.toArray(e);return r.Children.map(d,(function(e){if(!e)return u?null:e;if(!r.isValidElement(e))return e;if(e.type===r.Fragment)return e.props.children?c(e.props.children,{disableShrink:o,enableScopedSelectors:i,doNotRenderFalsyValues:u}):null;var t,d=e,p={};(t=e)&&"object"==typeof t&&t.type&&t.type.displayName===l.StackItem.displayName&&(p={shrink:!o});var m=d.props.className;return r.cloneElement(d,n.__assign(n.__assign(n.__assign(n.__assign({},p),d.props),m&&{className:m}),i&&{className:(0,a.css)(s.GlobalClassNames.child,m)}))}))}var u={Item:l.StackItem};t.Stack=(0,i.createComponent)((function(e){var t=e.as,o=void 0===t?"div":t,r=e.disableShrink,s=void 0!==r&&r,l=e.doNotRenderFalsyValues,u=void 0!==l&&l,d=e.enableScopedSelectors,p=void 0!==d&&d,m=e.wrap,g=n.__rest(e,["as","disableShrink","doNotRenderFalsyValues","enableScopedSelectors","wrap"]);(0,a.warnDeprecations)("Stack",e,{gap:"tokens.childrenGap",maxHeight:"tokens.maxHeight",maxWidth:"tokens.maxWidth",padding:"tokens.padding"});var h=c(e.children,{disableShrink:s,enableScopedSelectors:p,doNotRenderFalsyValues:u}),f=(0,a.getNativeProps)(g,a.htmlElementProperties),v=(0,i.getSlots)(e,{root:o,inner:"div"});return m?(0,i.withSlots)(v.root,n.__assign({},f),(0,i.withSlots)(v.inner,null,h)):(0,i.withSlots)(v.root,n.__assign({},f),h)}),{displayName:"Stack",styles:s.styles,statics:u}),t.default=t.Stack},16953:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.styles=t.GlobalClassNames=void 0;var n=o(31635),r=o(15019),i=o(83660),a=o(37828),s={start:"flex-start",end:"flex-end"};t.GlobalClassNames={root:"ms-Stack",inner:"ms-Stack-inner",child:"ms-Stack-child"},t.styles=function(e,o,l){var c,u,d,p,m,g,h,f,v,b,y,_,S,C=e.className,x=e.disableShrink,P=e.enableScopedSelectors,k=e.grow,I=e.horizontal,w=e.horizontalAlign,T=e.reversed,E=e.verticalAlign,D=e.verticalFill,M=e.wrap,O=(0,r.getGlobalClassNames)(t.GlobalClassNames,o),R=l&&l.childrenGap?l.childrenGap:e.gap,F=l&&l.maxHeight?l.maxHeight:e.maxHeight,B=l&&l.maxWidth?l.maxWidth:e.maxWidth,A=l&&l.padding?l.padding:e.padding,N=(0,a.parseGap)(R,o),L=N.rowGap,H=N.columnGap,j="".concat(-.5*H.value).concat(H.unit),z="".concat(-.5*L.value).concat(L.unit),W={textOverflow:"ellipsis"},V="> "+(P?"."+t.GlobalClassNames.child:"*"),K=((c={})["".concat(V,":not(.").concat(i.GlobalClassNames.root,")")]={flexShrink:0},c);return M?{root:[O.root,{flexWrap:"wrap",maxWidth:B,maxHeight:F,width:"auto",overflow:"visible",height:"100%"},w&&(u={},u[I?"justifyContent":"alignItems"]=s[w]||w,u),E&&(d={},d[I?"alignItems":"justifyContent"]=s[E]||E,d),C,{display:"flex"},I&&{height:D?"100%":"auto"}],inner:[O.inner,(p={display:"flex",flexWrap:"wrap",marginLeft:j,marginRight:j,marginTop:z,marginBottom:z,overflow:"visible",boxSizing:"border-box",padding:(0,a.parsePadding)(A,o),width:0===H.value?"100%":"calc(100% + ".concat(H.value).concat(H.unit,")"),maxWidth:"100vw"},p[V]=n.__assign({margin:"".concat(.5*L.value).concat(L.unit," ").concat(.5*H.value).concat(H.unit)},W),p),x&&K,w&&(m={},m[I?"justifyContent":"alignItems"]=s[w]||w,m),E&&(g={},g[I?"alignItems":"justifyContent"]=s[E]||E,g),I&&(h={flexDirection:T?"row-reverse":"row",height:0===L.value?"100%":"calc(100% + ".concat(L.value).concat(L.unit,")")},h[V]={maxWidth:0===H.value?"100%":"calc(100% - ".concat(H.value).concat(H.unit,")")},h),!I&&(f={flexDirection:T?"column-reverse":"column",height:"calc(100% + ".concat(L.value).concat(L.unit,")")},f[V]={maxHeight:0===L.value?"100%":"calc(100% - ".concat(L.value).concat(L.unit,")")},f)]}:{root:[O.root,(v={display:"flex",flexDirection:I?T?"row-reverse":"row":T?"column-reverse":"column",flexWrap:"nowrap",width:"auto",height:D?"100%":"auto",maxWidth:B,maxHeight:F,padding:(0,a.parsePadding)(A,o),boxSizing:"border-box"},v[V]=W,v),x&&K,k&&{flexGrow:!0===k?1:k},w&&(b={},b[I?"justifyContent":"alignItems"]=s[w]||w,b),E&&(y={},y[I?"alignItems":"justifyContent"]=s[E]||E,y),I&&H.value>0&&(_={},_["".concat(V,T?":not(:last-child)":":not(:first-child)")]={marginLeft:"".concat(H.value).concat(H.unit)},_),!I&&L.value>0&&(S={},S["".concat(V,T?":not(:last-child)":":not(:first-child)")]={marginTop:"".concat(L.value).concat(L.unit)},S),C]}}},2542:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},24170:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.StackItem=void 0;var n=o(31635),r=o(89021),i=o(71061),a=o(83660);t.StackItem=(0,r.createComponent)((function(e){var t=e.children,o=(0,i.getNativeProps)(e,i.htmlElementProperties);if(null==t)return null;var a=(0,r.getSlots)(e,{root:"div"});return(0,r.withSlots)(a.root,n.__assign({},o),t)}),{displayName:"StackItem",styles:a.StackItemStyles}),t.default=t.StackItem},83660:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.StackItemStyles=t.GlobalClassNames=void 0;var n=o(15019);t.GlobalClassNames={root:"ms-StackItem"};var r={start:"flex-start",end:"flex-end"};t.StackItemStyles=function(e,o,i){var a=e.grow,s=e.shrink,l=e.disableShrink,c=e.align,u=e.verticalFill,d=e.order,p=e.className,m=e.basis,g=void 0===m?"auto":m,h=(0,n.getGlobalClassNames)(t.GlobalClassNames,o);return{root:[o.fonts.medium,h.root,{flexBasis:g,margin:i.margin,padding:i.padding,height:u?"100%":"auto",width:"auto"},a&&{flexGrow:!0===a?1:a},(l||!a&&!s)&&{flexShrink:0},s&&!l&&{flexShrink:1},c&&{alignSelf:r[c]||c},d&&{order:d},p]}}},69165:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},37828:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.parsePadding=t.parseGap=void 0;var o=function(e,t){return t.spacing.hasOwnProperty(e)?t.spacing[e]:e},n=function(e){var t=parseFloat(e),o=isNaN(t)?0:t,n=isNaN(t)?"":t.toString();return{value:o,unit:e.substring(n.toString().length)||"px"}};t.parseGap=function(e,t){if(void 0===e||""===e)return{rowGap:{value:0,unit:"px"},columnGap:{value:0,unit:"px"}};if("number"==typeof e)return{rowGap:{value:e,unit:"px"},columnGap:{value:e,unit:"px"}};var r=e.split(" ");if(r.length>2)return{rowGap:{value:0,unit:"px"},columnGap:{value:0,unit:"px"}};if(2===r.length)return{rowGap:n(o(r[0],t)),columnGap:n(o(r[1],t))};var i=n(o(e,t));return{rowGap:i,columnGap:i}},t.parsePadding=function(e,t){if(void 0===e||"number"==typeof e||""===e)return e;var n=e.split(" ");return n.length<2?o(e,t):n.reduce((function(e,n){return o(e,t)+" "+o(n,t)}))}},23449:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(24170),t),n.__exportStar(o(69165),t),n.__exportStar(o(26029),t),n.__exportStar(o(2542),t)},4981:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Sticky=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(15019),s=o(95066),l=o(93398),c=o(48192),u=o(96352),d=function(e){function t(t){var o=e.call(this,t)||this;return o._root=r.createRef(),o._stickyContentTop=r.createRef(),o._stickyContentBottom=r.createRef(),o._nonStickyContent=r.createRef(),o._placeHolder=r.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){var n,r;if(o.root&&o.nonStickyContent){var i=o._getNonStickyDistanceFromTop(e),a=!1,s=!1,l=null===(r=null!==(n=o._getContext().window)&&void 0!==n?n:window)||void 0===r?void 0:r.document;if(o.canStickyTop){var c=i-o._getStickyDistanceFromTop(),d=e.scrollTop;a=(0,u.isLessThanInRange)(c,d,1)}o.canStickyBottom&&e.clientHeight-t.offsetHeight<=i&&(s=i-o._scrollUtils.getScrollTopInRange(e,1)>=o._getStickyDistanceFromTopForFooter(e,t)),(null==l?void 0:l.activeElement)&&o.nonStickyContent.contains(null==l?void 0:l.activeElement)&&(o.state.isStickyTop!==a||o.state.isStickyBottom!==s)?o._activeElement=null==l?void 0:l.activeElement:o._activeElement=void 0,o.setState({isStickyTop:o.canStickyTop&&a,isStickyBottom:s,distanceFromTop:i})}},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,i.initializeComponentRef)(o),o.state={isStickyTop:!1,isStickyBottom:!1,distanceFromTop:void 0},o._activeElement=void 0,o._scrollUtils=(0,c.getScrollUtils)(),o}return n.__extends(t,e),Object.defineProperty(t.prototype,"root",{get:function(){return this._root.current},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"placeholder",{get:function(){return this._placeHolder.current},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"stickyContentTop",{get:function(){return this._stickyContentTop.current},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"stickyContentBottom",{get:function(){return this._stickyContentBottom.current},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"nonStickyContent",{get:function(){return this._nonStickyContent.current},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"canStickyTop",{get:function(){return this.props.stickyPosition===l.StickyPositionType.Both||this.props.stickyPosition===l.StickyPositionType.Header},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"canStickyBottom",{get:function(){return this.props.stickyPosition===l.StickyPositionType.Both||this.props.stickyPosition===l.StickyPositionType.Footer},enumerable:!1,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||p(this._nonStickyContent,this._stickyContentTop)||p(this._nonStickyContent,this._stickyContentBottom)||p(this._nonStickyContent,this._placeHolder)},t.prototype.render=function(){var e=this.state,t=e.isStickyTop,o=e.isStickyBottom,n=this.props,i=n.stickyClassName,s=n.children;return this.context.scrollablePane?r.createElement("div",{ref:this._root},this.canStickyTop&&r.createElement("div",{ref:this._stickyContentTop,style:{pointerEvents:t?"auto":"none"}},r.createElement("div",{style:this._getStickyPlaceholderHeight(t)})),this.canStickyBottom&&r.createElement("div",{ref:this._stickyContentBottom,style:{pointerEvents:o?"auto":"none"}},r.createElement("div",{style:this._getStickyPlaceholderHeight(o)})),r.createElement("div",{style:this._getNonStickyPlaceholderHeightAndWidth(),ref:this._placeHolder},(t||o)&&r.createElement("span",{style:a.hiddenContentStyle},s),r.createElement("div",{ref:this._nonStickyContent,className:t||o?i:void 0,style:this._getContentStyles(t||o)},s))):r.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(){var e;if(this.root){for(var t=this.root,o=null!==(e=this._getContext().window)&&void 0!==e?e:window;"rgba(0, 0, 0, 0)"===o.getComputedStyle(t).getPropertyValue("background-color")||"transparent"===o.getComputedStyle(t).getPropertyValue("background-color");){if("HTML"===t.tagName)return;t.parentElement&&(t=t.parentElement)}return o.getComputedStyle(t).getPropertyValue("background-color")}},t.defaultProps={stickyPosition:l.StickyPositionType.Both,isScrollSynced:!0},t.contextType=s.ScrollablePaneContext,t}(r.Component);function p(e,t){return e&&t&&e.current&&t.current&&e.current.offsetHeight!==t.current.offsetHeight}t.Sticky=d},93398:(e,t)=>{"use strict";var o;Object.defineProperty(t,"__esModule",{value:!0}),t.StickyPositionType=void 0,(o=t.StickyPositionType||(t.StickyPositionType={}))[o.Both=0]="Both",o[o.Header=1]="Header",o[o.Footer=2]="Footer"},70064:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(4981),t),n.__exportStar(o(93398),t)},96352:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.isLessThanInRange=void 0,t.isLessThanInRange=function(e,t,o){return e{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getScrollUtils=void 0,t.getScrollUtils=function(){var e=new Map;return{getScrollTopInRange:function(t,o){var n,r=t.scrollTop,i=null!==(n=e.get(t))&&void 0!==n?n:NaN;return i-o<=r&&i+o>=r?i:(e.set(t,r),r)}}}},91822:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ColorPickerGridCellBase=void 0;var n=o(31635),r=o(83923),i=o(15019),a=o(71061),s=o(77378),l=o(89027),c=o(36076),u=(0,a.classNamesFunction)(),d=(0,a.memoizeFunction)((function(e,t,o,n,r,a,s,l,u){var d=(0,c.getStyles)(e);return(0,i.mergeStyleSets)({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]})}));t.ColorPickerGridCellBase=function(e){var t,o,i=e.item,a=e.idPrefix,c=void 0===a?e.id:a,p=e.isRadio,m=e.selected,g=void 0!==m&&m,h=e.disabled,f=void 0!==h&&h,v=e.styles,b=e.circle,y=void 0===b||b,_=e.color,S=e.onClick,C=e.onHover,x=e.onFocus,P=e.onMouseEnter,k=e.onMouseMove,I=e.onMouseLeave,w=e.onWheel,T=e.onKeyDown,E=e.height,D=e.width,M=e.borderWidth,O=u(v,{theme:e.theme,disabled:f,selected:g,circle:y,isWhite:(t=_,o=(0,s.getColorFromString)(t),"ffffff"===(null==o?void 0:o.hex)),height:E,width:D,borderWidth:M}),R=function(e){var t,o=O.svg;return r.createElement("svg",{className:o,role:"img","aria-label":e.label,viewBox:"0 0 20 20",fill:null===(t=(0,s.getColorFromString)(e.color))||void 0===t?void 0:t.str},y?r.createElement("circle",{cx:"50%",cy:"50%",r:"50%"}):r.createElement("rect",{width:"100%",height:"100%"}))},F=p?{role:"radio","aria-checked":g,selected:void 0}:{role:"gridcell",selected:g};return r.createElement(l.ButtonGridCell,n.__assign({item:i,id:"".concat(c,"-").concat(i.id,"-").concat(i.index),key:i.id,disabled:f},F,{onRenderItem:function(t){var o=e.onRenderColorCellContent;return(void 0===o?R:o)(t,R)},onClick:S,onHover:C,onFocus:x,label:i.label,className:O.colorCell,getClassNames:d,index:i.index,onMouseEnter:P,onMouseMove:k,onMouseLeave:I,onWheel:w,onKeyDown:T}))}},73289:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ColorPickerGridCell=void 0;var n=o(71061),r=o(91822),i=o(50173);t.ColorPickerGridCell=(0,n.styled)(r.ColorPickerGridCellBase,i.getStyles,void 0,{scope:"ColorPickerGridCell"},!0)},50173:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(71061),r=o(15019),i={left:-2,top:-2,bottom:-2,right:-2,border:"none",outlineColor:"ButtonText"};t.getStyles=function(e){var t,o,a,s,l,c=e.theme,u=e.disabled,d=e.selected,p=e.circle,m=e.isWhite,g=e.height,h=void 0===g?20:g,f=e.width,v=void 0===f?20:f,b=e.borderWidth,y=c.semanticColors,_=c.palette,S=_.neutralLighter,C=_.neutralLight,x=_.neutralSecondary,P=_.neutralTertiary,k=b||(v<24?2:4);return{colorCell:[(0,r.getFocusStyle)(c,{inset:-1,position:"relative",highContrastStyle:i}),{backgroundColor:y.bodyBackground,padding:0,position:"relative",boxSizing:"border-box",display:"inline-block",cursor:"pointer",userSelect:"none",borderRadius:0,border:"none",height:h,width:v,verticalAlign:"top"},!p&&{selectors:(t={},t[".".concat(n.IsFocusVisibleClassName," &:focus::after, :host(.").concat(n.IsFocusVisibleClassName,") &:focus::after")]={outlineOffset:"".concat(k-1,"px")},t)},p&&{borderRadius:"50%",selectors:(o={},o[".".concat(n.IsFocusVisibleClassName," &:focus::after, :host(.").concat(n.IsFocusVisibleClassName,") &:focus::after")]={outline:"none",borderColor:y.focusBorder,borderRadius:"50%",left:-k,right:-k,top:-k,bottom:-k,selectors:(a={},a[r.HighContrastSelector]={outline:"1px solid ButtonText"},a)},o)},d&&{padding:2,border:"".concat(k,"px solid ").concat(C),selectors:(s={},s["&:hover::before"]={content:'""',height:h,width:v,position:"absolute",top:-k,left:-k,borderRadius:p?"50%":"default",boxShadow:"inset 0 0 0 1px ".concat(x)},s)},!d&&{selectors:(l={},l["&:hover, &:active, &:focus"]={backgroundColor:y.bodyBackground,padding:2,border:"".concat(k,"px solid ").concat(S)},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:P,padding:1}],svg:[{width:"100%",height:"100%"},p&&{borderRadius:"50%"}]}}},23250:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},74578:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.SwatchColorPickerBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(32967),s=o(73289),l=o(25698),c=o(50478),u=(0,i.classNamesFunction)();t.SwatchColorPickerBase=r.forwardRef((function(e,t){var o=(0,l.useId)("swatchColorPicker"),d=e.id||o,p=(0,c.useDocumentEx)(),m=(0,l.useConst)({isNavigationIdle:!0,cellFocused:!1,navigationIdleTimeoutId:void 0,navigationIdleDelay:250}),g=(0,l.useSetTimeout)(),h=g.setTimeout,f=g.clearTimeout,v=e.colorCells,b=e.cellShape,y=void 0===b?"circle":b,_=e.columnCount,S=e.shouldFocusCircularNavigate,C=void 0===S||S,x=e.className,P=e.disabled,k=void 0!==P&&P,I=e.doNotContainWithinFocusZone,w=e.styles,T=e.cellMargin,E=void 0===T?10:T,D=e.defaultSelectedId,M=e.focusOnHover,O=e.mouseLeaveParentSelector,R=e.onChange,F=e.onColorChanged,B=e.onCellHovered,A=e.onCellFocused,N=e.getColorGridCellStyles,L=e.cellHeight,H=e.cellWidth,j=e.cellBorderWidth,z=e.onRenderColorCellContent,W=r.useMemo((function(){return v.map((function(e,t){return n.__assign(n.__assign({},e),{index:t})}))}),[v]),V=r.useCallback((function(e,t){var o,n=null===(o=v.filter((function(e){return e.id===t}))[0])||void 0===o?void 0:o.color;null==R||R(e,t,n),null==F||F(t,n)}),[R,F,v]),K=(0,l.useControllableValue)(e.selectedId,D,V),G=K[0],U=K[1],Y=u(w,{theme:e.theme,className:x,cellMargin:E}),q={root:Y.root,tableCell:Y.tableCell,focusedContainer:Y.focusedContainer},X=v.length<=_,Z=r.useCallback((function(e){A&&(m.cellFocused=!1,A(void 0,void 0,e))}),[m,A]),Q=r.useCallback((function(e){return M?(m.isNavigationIdle&&!k&&e.currentTarget.focus(),!0):!m.isNavigationIdle||!!k}),[M,m,k]),J=r.useCallback((function(e){if(!M)return!m.isNavigationIdle||!!k;var t=e.currentTarget;return!m.isNavigationIdle||p&&t===p.activeElement||t.focus(),!0}),[M,m,k,p]),$=r.useCallback((function(e){var t,o=O;if(M&&o&&m.isNavigationIdle&&!k)for(var n=null!==(t=null==p?void 0:p.querySelectorAll(o))&&void 0!==t?t:[],r=0;r{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.SwatchColorPicker=void 0;var n=o(71061),r=o(74578),i=o(28721);t.SwatchColorPicker=(0,n.styled)(r.SwatchColorPickerBase,i.getStyles,void 0,{scope:"SwatchColorPicker"})},28721:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r={focusedContainer:"ms-swatchColorPickerBodyContainer"};t.getStyles=function(e){var t=e.className,o=e.theme;return{root:{margin:"8px 0",borderCollapse:"collapse"},tableCell:{padding:e.cellMargin/2},focusedContainer:[(0,n.getGlobalClassNames)(r,o).focusedContainer,{clear:"both",display:"block",minWidth:"180px"},t]}}},98470:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},55316:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(92037),t),n.__exportStar(o(74578),t),n.__exportStar(o(98470),t),n.__exportStar(o(73289),t),n.__exportStar(o(91822),t),n.__exportStar(o(23250),t)},72826:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.TeachingBubbleBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(49760),s=o(16473),l=o(42502),c=o(25698),u={beakWidth:16,gapSpace:0,setInitialFocus:!0,doNotLayer:!1,directionalHint:l.DirectionalHint.rightCenter},d=(0,i.classNamesFunction)();t.TeachingBubbleBase=r.forwardRef((function(e,t){var o=r.useRef(null),i=(0,c.useMergedRefs)(o,t),l=e.calloutProps,p=e.targetElement,m=e.onDismiss,g=e.hasCloseButton,h=void 0===g?e.hasCloseIcon:g,f=e.isWide,v=e.styles,b=e.theme,y=e.target,_=r.useMemo((function(){return n.__assign(n.__assign(n.__assign({},u),l),{theme:b})}),[l,b]),S=d(v,{theme:b,isWide:f,calloutProps:_,hasCloseButton:h}),C=S.subComponentStyles?S.subComponentStyles.callout:void 0;return function(e,t){r.useImperativeHandle(e,(function(){return{focus:function(){var e;return null===(e=t.current)||void 0===e?void 0:e.focus()}}}),[t])}(e.componentRef,o),r.createElement(s.Callout,n.__assign({target:y||p,onDismiss:m},_,{className:S.root,styles:C,hideOverflow:!0}),r.createElement("div",{ref:i},r.createElement(a.TeachingBubbleContent,n.__assign({},e))))})),t.TeachingBubbleBase.displayName="TeachingBubble"},3469:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.TeachingBubble=void 0;var n=o(71061),r=o(72826),i=o(60614);t.TeachingBubble=(0,n.styled)(r.TeachingBubbleBase,i.getStyles,void 0,{scope:"TeachingBubble"})},60614:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(31635),r=o(15019),i=o(71061),a={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"},s=(0,i.memoizeFunction)((function(){return(0,r.keyframes)({"0%":{opacity:0,animationTimingFunction:r.AnimationVariables.easeFunction1,transform:"scale3d(.90,.90,.90)"},"100%":{opacity:1,transform:"scale3d(1,1,1)"}})})),l=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:"".concat(s()),animationDuration:"300ms",animationTimingFunction:"linear",animationFillMode:"both"},e&&{maxWidth:r||456}]},c=function(e,t,o){return t?[e.headerIsCondensed,{marginBottom:14}]:[o&&e.headerIsSmall,!o&&e.headerIsLarge,{selectors:{":not(:last-child)":{marginBottom:14}}}]};t.getStyles=function(e){var t,o,i,s=e.hasCondensedHeadline,u=e.hasSmallHeadline,d=e.hasCloseButton,p=e.hasHeadline,m=e.isWide,g=e.primaryButtonClassName,h=e.secondaryButtonClassName,f=e.theme,v=e.calloutProps,b=void 0===v?{className:void 0,theme:f}:v,y=!s&&!u,_=f.palette,S=f.semanticColors,C=f.fonts,x=(0,r.getGlobalClassNames)(a,f),P=(0,r.getFocusStyle)(f,{outlineColor:"transparent",borderColor:"transparent"});return{root:[x.root,C.medium,b.className],body:[x.body,d&&!p&&{marginRight:24},{selectors:{":not(:last-child)":{marginBottom:20}}}],bodyContent:[x.bodyContent,{padding:"20px 24px 20px 24px"}],closeButton:[x.closeButton,{position:"absolute",right:0,top:0,margin:"15px 15px 0 0",borderRadius:0,color:_.white,fontSize:C.small.fontSize,selectors:{":hover":{background:_.themeDarkAlt,color:_.white},":active":{background:_.themeDark,color:_.white},":focus":{border:"1px solid ".concat(S.variantBorder)}}}],content:n.__spreadArray(n.__spreadArray([x.content],l(m),!0),[m&&{display:"flex"}],!1),footer:[x.footer,{display:"flex",flex:"auto",alignItems:"center",color:_.white,selectors:(t={},t[".".concat(x.button,":not(:first-child)")]={marginLeft:10},t)}],header:n.__spreadArray(n.__spreadArray([x.header],c(x,s,u),!0),[d&&{marginRight:24},(s||u)&&[C.medium,{fontWeight:r.FontWeights.semibold}]],!1),headline:[x.headline,{margin:0,color:_.white,fontWeight:r.FontWeights.semibold,overflowWrap:"break-word"},y&&[{fontSize:C.xLarge.fontSize}]],imageContent:[x.header,x.image,m&&{display:"flex",alignItems:"center",maxWidth:154}],primaryButton:[x.primaryButton,g,P,{backgroundColor:_.white,borderColor:_.white,color:_.themePrimary,whiteSpace:"nowrap",selectors:(o={},o[".".concat(x.buttonLabel)]=C.medium,o[":hover"]={backgroundColor:_.themeLighter,borderColor:_.themeLighter,color:_.themeDark},o[":focus"]={backgroundColor:_.themeLighter,border:"1px solid ".concat(_.black),color:_.themeDark,outline:"1px solid ".concat(_.white),outlineOffset:"-2px"},o[":active"]={backgroundColor:_.white,borderColor:_.white,color:_.themePrimary},o)}],secondaryButton:[x.secondaryButton,h,P,{backgroundColor:_.themePrimary,borderColor:_.white,whiteSpace:"nowrap",selectors:(i={},i[".".concat(x.buttonLabel)]=[C.medium,{color:_.white}],i[":hover"]={backgroundColor:_.themeDarkAlt,borderColor:_.white},i[":focus"]={backgroundColor:_.themeDark,border:"1px solid ".concat(_.black),outline:"1px solid ".concat(_.white),outlineOffset:"-2px"},i[":active"]={backgroundColor:_.themePrimary,borderColor:_.white},i)}],subText:[x.subText,{margin:0,fontSize:C.medium.fontSize,color:_.white,fontWeight:r.FontWeights.regular}],subComponentStyles:{callout:{root:n.__spreadArray(n.__spreadArray([],l(m,b),!0),[C.medium],!1),beak:[{background:_.themePrimary}],calloutMain:[{background:_.themePrimary}]}}}}},95694:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},67997:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.TeachingBubbleContentBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(74393),s=o(96577),l=o(34464),c=o(38992),u=o(25698),d=o(71628),p=(0,i.classNamesFunction)();t.TeachingBubbleContentBase=r.forwardRef((function(e,t){var o,m,g,h,f,v,b,y=r.useRef(null),_=(0,d.useDocument)(),S=(0,u.useMergedRefs)(y,t),C=(0,u.useId)("teaching-bubble-content-"),x=(0,u.useId)("teaching-bubble-title-"),P=null!==(o=e.ariaDescribedBy)&&void 0!==o?o:C,k=null!==(m=e.ariaLabelledBy)&&void 0!==m?m:x,I=e.illustrationImage,w=e.primaryButtonProps,T=e.secondaryButtonProps,E=e.headline,D=e.hasCondensedHeadline,M=e.hasCloseButton,O=void 0===M?e.hasCloseIcon:M,R=e.onDismiss,F=e.closeButtonAriaLabel,B=e.hasSmallHeadline,A=e.isWide,N=e.styles,L=e.theme,H=e.footerContent,j=e.focusTrapZoneProps,z=p(N,{theme:L,hasCondensedHeadline:D,hasSmallHeadline:B,hasCloseButton:O,hasHeadline:!!E,isWide:A,primaryButtonClassName:w?w.className:void 0,secondaryButtonClassName:T?T.className:void 0}),W=r.useCallback((function(e){R&&e.which===i.KeyCodes.escape&&R(e)}),[R]);if((0,u.useOnEvent)(_,"keydown",W),I&&I.src&&(g=r.createElement("div",{className:z.imageContent},r.createElement(c.Image,n.__assign({},I)))),E){var V="string"==typeof E?"p":"div";h=r.createElement("div",{className:z.header},r.createElement(V,{role:"heading","aria-level":3,className:z.headline,id:k},E))}if(e.children){var K="string"==typeof e.children?"p":"div";f=r.createElement("div",{className:z.body},r.createElement(K,{className:z.subText,id:P},e.children))}return(w||T||H)&&(v=r.createElement(s.Stack,{className:z.footer,horizontal:!0,horizontalAlign:H?"space-between":"end"},r.createElement(s.Stack.Item,{align:"center"},r.createElement("span",null,H)),r.createElement(s.Stack.Item,null,w&&r.createElement(a.PrimaryButton,n.__assign({},w,{className:z.primaryButton})),T&&r.createElement(a.DefaultButton,n.__assign({},T,{className:z.secondaryButton}))))),O&&(b=r.createElement(a.IconButton,{className:z.closeButton,iconProps:{iconName:"Cancel"},ariaLabel:F,onClick:R})),function(e,t){r.useImperativeHandle(e,(function(){return{focus:function(){var e;return null===(e=t.current)||void 0===e?void 0:e.focus()}}}),[t])}(e.componentRef,y),r.createElement("div",{className:z.content,ref:S,role:"dialog",tabIndex:-1,"aria-labelledby":k,"aria-describedby":P,"data-is-focusable":!0},g,r.createElement(l.FocusTrapZone,n.__assign({isClickableOutsideFocusTrap:!0},j),r.createElement("div",{className:z.bodyContent},h,f,v,b)))}))},49760:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.TeachingBubbleContent=void 0;var n=o(71061),r=o(67997),i=o(60614);t.TeachingBubbleContent=(0,n.styled)(r.TeachingBubbleContentBase,i.getStyles,void 0,{scope:"TeachingBubbleContent"})},60886:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(3469),t),n.__exportStar(o(72826),t),n.__exportStar(o(95694),t),n.__exportStar(o(49760),t),n.__exportStar(o(67997),t)},1033:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Text=void 0;var n=o(89021),r=o(4818),i=o(70525);t.Text=(0,n.createComponent)(r.TextView,{displayName:"Text",styles:i.TextStyles}),t.default=t.Text},70525:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.TextStyles=void 0,t.TextStyles=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]}}},7154:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},4818:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.TextView=void 0;var n=o(31635),r=o(89021),i=o(71061);t.TextView=function(e){if(null==e.children)return null;e.block,e.className;var t=e.as,o=void 0===t?"span":t,a=(e.variant,e.nowrap,n.__rest(e,["block","className","as","variant","nowrap"])),s=(0,r.getSlots)(e,{root:o});return(0,r.withSlots)(s.root,n.__assign({},(0,i.getNativeProps)(a,i.htmlElementProperties)))}},42680:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(1033),t),n.__exportStar(o(7154),t),n.__exportStar(o(4818),t),n.__exportStar(o(70525),t)},39427:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.MaskedTextField=t.DEFAULT_MASK_CHAR=void 0;var n=o(31635),r=o(83923),i=o(14817),a=o(71061),s=o(98485),l=o(25698);t.DEFAULT_MASK_CHAR="_",t.MaskedTextField=r.forwardRef((function(e,o){var c=r.useRef(null),u=e.componentRef,d=e.onFocus,p=e.onBlur,m=e.onMouseDown,g=e.onMouseUp,h=e.onChange,f=e.onPaste,v=e.onKeyDown,b=e.mask,y=e.maskChar,_=void 0===y?t.DEFAULT_MASK_CHAR:y,S=e.maskFormat,C=void 0===S?s.DEFAULT_MASK_FORMAT_CHARS:S,x=e.value,P=(0,l.useConst)((function(){return{maskCharData:(0,s.parseMask)(b,C),isFocused:!1,moveCursorOnMouseUp:!1,changeSelectionData:null}})),k=r.useState(),I=k[0],w=k[1],T=r.useState((function(){return(0,s.getMaskDisplay)(b,P.maskCharData,_)})),E=T[0],D=T[1],M=r.useCallback((function(e){for(var t=0,o=0;tE.length){d=a-(u=t.length-E.length);var g=t.substr(d,u);o=(0,s.insertString)(P.maskCharData,d,g)}else if(t.length<=E.length){u=1;var f=E.length+u-t.length;d=a-u,g=t.substr(d,u),P.maskCharData=(0,s.clearRange)(P.maskCharData,d,f),o=(0,s.insertString)(P.maskCharData,d,g)}P.changeSelectionData=null;var v=(0,s.getMaskDisplay)(b,P.maskCharData,_);D(v),w(o),null==h||h(e,v)}}),[E.length,P,b,_,h]),N=r.useCallback((function(e){if(null==v||v(e),P.changeSelectionData=null,c.current&&c.current.value){var t=e.keyCode,o=e.ctrlKey,n=e.metaKey;if(o||n)return;if(t===a.KeyCodes.backspace||t===a.KeyCodes.del){var r=e.target.selectionStart,i=e.target.selectionEnd;if(!(t===a.KeyCodes.backspace&&i&&i>0||t===a.KeyCodes.del&&null!==r&&r{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.insertString=t.clearPrev=t.clearNext=t.clearRange=t.getLeftFormatIndex=t.getRightFormatIndex=t.getMaskDisplay=t.parseMask=t.DEFAULT_MASK_FORMAT_CHARS=void 0,t.DEFAULT_MASK_FORMAT_CHARS={9:/[0-9]/,a:/[a-zA-Z]/,"*":/[a-zA-Z0-9]/},t.parseMask=function(e,o){if(void 0===o&&(o=t.DEFAULT_MASK_FORMAT_CHARS),!e)return[];for(var n=[],r=0,i=0;i+r0&&(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},t.getRightFormatIndex=function(e,t){for(var o=0;o=t)return e[o].displayIndex;return e[e.length-1].displayIndex},t.getLeftFormatIndex=function(e,t){for(var o=e.length-1;o>=0;o--)if(e[o].displayIndex=t){if(e[n].displayIndex>=t+o)break;e[n].value=void 0}return e},t.clearNext=function(e,t){for(var o=0;o=t){e[o].value=void 0;break}return e},t.clearPrev=function(e,t){for(var o=e.length-1;o>=0;o--)if(e[o].displayIndex=t)for(i=!0,r=e[a].displayIndex;n{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.TextFieldBase=void 0;var n,r=o(31635),i=o(83923),a=o(47795),s=o(30936),l=o(71061),c=(0,l.classNamesFunction)(),u="TextField",d=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.Label,{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=p(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,l.initializeComponentRef)(o),o._async=new l.Async(o),o._fallbackId=(0,l.getId)(u),o._descriptionId=(0,l.getId)(u+"Description"),o._labelId=(0,l.getId)(u+"Label"),o._prefixId=(0,l.getId)(u+"Prefix"),o._suffixId=(0,l.getId)(u+"Suffix"),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 r.__extends(t,e),Object.defineProperty(t.prototype,"value",{get:function(){return p(this.props,this.state)},enumerable:!1,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=p(e,t),c=this.value;l!==c&&(this._warnControlledUsage(e),this.state.errorMessage&&!n.errorMessage&&this.setState({errorMessage:""}),this._adjustInputHeight(),m(n)&&this._delayedValidate(c))},t.prototype.render=function(){var e=this.props,t=e.borderless,o=e.className,a=e.disabled,u=e.invalid,d=e.iconProps,p=e.inputClassName,m=e.label,g=e.multiline,h=e.required,f=e.underlined,v=e.prefix,b=e.resizable,y=e.suffix,_=e.theme,S=e.styles,C=e.autoAdjustHeight,x=e.canRevealPassword,P=e.revealPasswordAriaLabel,k=e.type,I=e.onRenderPrefix,w=void 0===I?this._onRenderPrefix:I,T=e.onRenderSuffix,E=void 0===T?this._onRenderSuffix:T,D=e.onRenderLabel,M=void 0===D?this._onRenderLabel:D,O=e.onRenderDescription,R=void 0===O?this._onRenderDescription:O,F=this.state,B=F.isFocused,A=F.isRevealingPassword,N=this._errorMessage,L="boolean"==typeof u?u:!!N,H=!!x&&"password"===k&&function(){if("boolean"!=typeof n){var e=(0,l.getWindow)();if(null==e?void 0:e.navigator){var t=/Edg/.test(e.navigator.userAgent||"");n=!((0,l.isIE11)()||t)}else n=!0}return n}(),j=this._classNames=c(S,{theme:_,className:o,disabled:a,focused:B,required:h,multiline:g,hasLabel:!!m,hasErrorMessage:L,borderless:t,resizable:b,hasIcon:!!d,underlined:f,inputClassName:p,autoAdjustHeight:C,hasRevealButton:H});return i.createElement("div",{ref:this.props.elementRef,className:j.root},i.createElement("div",{className:j.wrapper},M(this.props,this._onRenderLabel),i.createElement("div",{className:j.fieldGroup},(void 0!==v||this.props.onRenderPrefix)&&i.createElement("div",{className:j.prefix,id:this._prefixId},w(this.props,this._onRenderPrefix)),g?this._renderTextArea():this._renderInput(),d&&i.createElement(s.Icon,r.__assign({className:j.icon},d)),H&&i.createElement("button",{"aria-label":P,className:j.revealButton,onClick:this._onRevealButtonClick,"aria-pressed":!!A,type:"button"},i.createElement("span",{className:j.revealSpan},i.createElement(s.Icon,{className:j.revealIcon,iconName:A?"Hide":"RedEye"}))),(void 0!==y||this.props.onRenderSuffix)&&i.createElement("div",{className:j.suffix,id:this._suffixId},E(this.props,this._onRenderSuffix)))),this._isDescriptionAvailable&&i.createElement("span",{id:this._descriptionId},R(this.props,this._onRenderDescription),N&&i.createElement("div",{role:"alert"},i.createElement(l.DelayedRender,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:!1,configurable:!0}),Object.defineProperty(t.prototype,"selectionEnd",{get:function(){return this._textElement.current?this._textElement.current.selectionEnd:-1},enumerable:!1,configurable:!0}),t.prototype.setSelectionRange=function(e,t){this._textElement.current&&this._textElement.current.setSelectionRange(e,t)},t.prototype._warnControlledUsage=function(e){(0,l.warnControlledUsage)({componentId:this._id,componentName:u,props:this.props,oldProps:e,valueProp:"value",defaultValueProp:"defaultValue",onChangeProp:"onChange",readOnlyProp:"readOnly"}),null!==this.props.value||this._hasWarnedNullValue||(this._hasWarnedNullValue=!0,(0,l.warn)("Warning: 'value' prop on '".concat(u,"' 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:!1,configurable:!0}),Object.defineProperty(t.prototype,"_isControlled",{get:function(){return(0,l.isControlled)(this.props,"value")},enumerable:!1,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:!1,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:!1,configurable:!0}),t.prototype._renderTextArea=function(){var e=this.props.invalid,t=void 0===e?!!this._errorMessage:e,o=(0,l.getNativeProps)(this.props,l.textAreaProperties,["defaultValue"]),n=this.props["aria-labelledby"]||(this.props.label?this._labelId:void 0);return i.createElement("textarea",r.__assign({id:this._id},o,{ref:this._textElement,value:this.value||"",onInput:this._onInputChange,onChange:this._onInputChange,className:this._classNames.field,"aria-labelledby":n,"aria-describedby":this._isDescriptionAvailable?this._descriptionId:this.props["aria-describedby"],"aria-invalid":t,"aria-label":this.props.ariaLabel,readOnly:this.props.readOnly,onFocus:this._onFocus,onBlur:this._onBlur}))},t.prototype._renderInput=function(){var e=this.props,t=e.ariaLabel,o=e.invalid,n=void 0===o?!!this._errorMessage:o,a=e.onRenderPrefix,s=e.onRenderSuffix,c=e.prefix,u=e.suffix,d=e.type,p=void 0===d?"text":d,m=[];e.label&&m.push(this._labelId),(void 0!==c||a)&&m.push(this._prefixId),(void 0!==u||s)&&m.push(this._suffixId);var g=r.__assign(r.__assign({type:this.state.isRevealingPassword?"text":p,id:this._id},(0,l.getNativeProps)(this.props,l.inputProperties,["defaultValue","type"])),{"aria-labelledby":this.props["aria-labelledby"]||(m.length>0?m.join(" "):void 0),ref:this._textElement,value:this.value||"",onInput:this._onInputChange,onChange:this._onInputChange,className:this._classNames.field,"aria-label":t,"aria-describedby":this._isDescriptionAvailable?this._descriptionId:this.props["aria-describedby"],"aria-invalid":n,onFocus:this._onFocus,onBlur:this._onBlur}),h=function(e){return i.createElement("input",r.__assign({},e))};return(this.props.onRenderInput||h)(g,h)},t.prototype._validate=function(e){var t=this;if(this._latestValidateValue!==e||!m(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(){var e,t;if(this._textElement.current&&this.props.autoAdjustHeight&&this.props.multiline){var o=null===(t=null===(e=this.props.scrollContainerRef)||void 0===e?void 0:e.current)||void 0===t?void 0:t.scrollTop,n=this._textElement.current;n.style.height="",n.style.height=n.scrollHeight+"px",o&&(this.props.scrollContainerRef.current.scrollTop=o)}},t.defaultProps={resizable:!0,deferredValidationTime:200,validateOnLoad:!0},t}(i.Component);function p(e,t){var o=e.value,n=void 0===o?t.uncontrolledValue:o;return"number"==typeof n?String(n):n}function m(e){return!(e.validateOnFocusIn||e.validateOnFocusOut)}t.TextFieldBase=d},14817:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.TextField=void 0;var n=o(71061),r=o(13286),i=o(18069);t.TextField=(0,n.styled)(r.TextFieldBase,i.getStyles,void 0,{scope:"TextField"})},18069:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(31635),r=o(15019),i={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 a(e){var t=e.underlined,o=e.disabled,n=e.focused,i=e.theme,a=i.palette,s=i.fonts;return function(){var e;return{root:[t&&o&&{color:a.neutralTertiary},t&&{fontSize:s.medium.fontSize,marginRight:8,paddingLeft:12,paddingRight:0,lineHeight:"22px",height:32},t&&n&&{selectors:(e={},e[r.HighContrastSelector]={height:31},e)}]}}}t.getStyles=function(e){var t,o,s,l,c,u,d,p,m,g,h,f,v=e.theme,b=e.className,y=e.disabled,_=e.focused,S=e.required,C=e.multiline,x=e.hasLabel,P=e.borderless,k=e.underlined,I=e.hasIcon,w=e.resizable,T=e.hasErrorMessage,E=e.inputClassName,D=e.autoAdjustHeight,M=e.hasRevealButton,O=v.semanticColors,R=v.effects,F=v.fonts,B=(0,r.getGlobalClassNames)(i,v),A={background:O.disabledBackground,color:y?O.disabledText:O.inputPlaceholderText,display:"flex",alignItems:"center",padding:"0 10px",lineHeight:1,whiteSpace:"nowrap",flexShrink:0,selectors:(t={},t[r.HighContrastSelector]={background:"Window",color:y?"GrayText":"WindowText"},t)},N=[{color:O.inputPlaceholderText,opacity:1,selectors:(o={},o[r.HighContrastSelector]={color:"GrayText"},o)}],L={color:O.disabledText,selectors:(s={},s[r.HighContrastSelector]={color:"GrayText"},s)};return{root:[B.root,F.medium,S&&B.required,y&&B.disabled,_&&B.active,C&&B.multiline,P&&B.borderless,k&&B.underlined,r.normalize,{position:"relative"},b],wrapper:[B.wrapper,k&&[{display:"flex",borderBottom:"1px solid ".concat(T?O.errorText:O.inputBorder),width:"100%"},y&&{borderBottomColor:O.disabledBackground,selectors:(l={},l[r.HighContrastSelector]=n.__assign({borderColor:"GrayText"},(0,r.getHighContrastNoAdjustStyle)()),l)},!y&&{selectors:{":hover":{borderBottomColor:T?O.errorText:O.inputBorderHovered,selectors:(c={},c[r.HighContrastSelector]=n.__assign({borderBottomColor:"Highlight"},(0,r.getHighContrastNoAdjustStyle)()),c)}}},_&&[{position:"relative"},(0,r.getInputFocusStyle)(T?O.errorText:O.inputFocusBorderAlt,0,"borderBottom")]]],fieldGroup:[B.fieldGroup,r.normalize,{border:"1px solid ".concat(O.inputBorder),borderRadius:R.roundedCorner2,background:O.inputBackground,cursor:"text",height:32,display:"flex",flexDirection:"row",alignItems:"stretch",position:"relative"},C&&{minHeight:"60px",height:"auto",display:"flex"},!_&&!y&&{selectors:{":hover":{borderColor:O.inputBorderHovered,selectors:(u={},u[r.HighContrastSelector]=n.__assign({borderColor:"Highlight"},(0,r.getHighContrastNoAdjustStyle)()),u)}}},_&&!k&&(0,r.getInputFocusStyle)(T?O.errorText:O.inputFocusBorderAlt,R.roundedCorner2),y&&{borderColor:O.disabledBackground,selectors:(d={},d[r.HighContrastSelector]=n.__assign({borderColor:"GrayText"},(0,r.getHighContrastNoAdjustStyle)()),d),cursor:"default"},P&&{border:"none"},P&&_&&{border:"none",selectors:{":after":{border:"none"}}},k&&{flex:"1 1 0px",border:"none",textAlign:"left"},k&&y&&{backgroundColor:"transparent"},T&&!k&&{borderColor:O.errorText,selectors:{"&:hover":{borderColor:O.errorText}}},!x&&S&&{selectors:(p={":before":{content:"'*'",color:O.errorText,position:"absolute",top:-5,right:-10}},p[r.HighContrastSelector]={selectors:{":before":{color:"WindowText",right:-14}}},p)}],field:[F.medium,B.field,r.normalize,{borderRadius:0,border:"none",background:"none",backgroundColor:"transparent",color:O.inputText,padding:"0 8px",width:"100%",minWidth:0,textOverflow:"ellipsis",outline:0,selectors:(m={"&:active, &:focus, &:hover":{outline:0},"::-ms-clear":{display:"none"}},m[r.HighContrastSelector]={background:"Window",color:y?"GrayText":"WindowText"},m)},(0,r.getPlaceholderStyles)(N),C&&!w&&[B.unresizable,{resize:"none"}],C&&{minHeight:"inherit",lineHeight:17,flexGrow:1,paddingTop:6,paddingBottom:6,overflow:"auto",width:"100%"},C&&D&&{overflow:"hidden"},I&&!M&&{paddingRight:24},C&&I&&{paddingRight:40},y&&[{backgroundColor:O.disabledBackground,color:O.disabledText,borderColor:O.disabledBackground},(0,r.getPlaceholderStyles)(L)],k&&{textAlign:"left"},_&&!P&&{selectors:(g={},g[r.HighContrastSelector]={paddingLeft:11,paddingRight:11},g)},_&&C&&!P&&{selectors:(h={},h[r.HighContrastSelector]={paddingTop:4},h)},E],icon:[C&&{paddingRight:24,alignItems:"flex-end"},{pointerEvents:"none",position:"absolute",bottom:6,right:8,top:"auto",fontSize:r.IconFontSizes.medium,lineHeight:18},y&&{color:O.disabledText}],description:[B.description,{color:O.bodySubtext,fontSize:F.xSmall.fontSize}],errorMessage:[B.errorMessage,r.AnimationClassNames.slideDownIn20,F.small,{color:O.errorText,margin:0,paddingTop:5,display:"flex",alignItems:"center"}],prefix:[B.prefix,A],suffix:[B.suffix,A],revealButton:[B.revealButton,"ms-Button","ms-Button--icon",(0,r.getFocusStyle)(v,{inset:1}),{height:30,width:32,border:"none",padding:"0px 4px",backgroundColor:"transparent",color:O.link,selectors:{":hover":{outline:0,color:O.primaryButtonBackgroundHovered,backgroundColor:O.buttonBackgroundHovered,selectors:(f={},f[r.HighContrastSelector]={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:r.IconFontSizes.medium,lineHeight:18},subComponentStyles:{label:a(e)}}}},65194:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},52980:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getTextFieldStyles=void 0;var n=o(31635);n.__exportStar(o(14817),t),n.__exportStar(o(13286),t);var r=o(18069);Object.defineProperty(t,"getTextFieldStyles",{enumerable:!0,get:function(){return r.getStyles}}),n.__exportStar(o(65194),t),n.__exportStar(o(39427),t)},84894:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},16967:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},27075:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ThemeGenerator=void 0;var n=o(7066),r=o(23970),i=o(71061),a=function(){function e(){}return e.setSlot=function(t,o,r,i,a){if(void 0===r&&(r=!1),void 0===i&&(i=!1),void 0===a&&(a=!0),t.color||!t.value)if(a){var s=void 0;if("string"==typeof o){if(!(s=(0,n.getColorFromString)(o)))throw new Error("color is invalid in setSlot(): "+o)}else s=o;e._setSlot(t,s,r,i,a)}else t.color&&e._setSlot(t,t.color,r,i,a)},e.insureSlots=function(t,o){for(var n in t)if(t.hasOwnProperty(n)){var r=t[n];if(!r.inherits&&!r.value){if(!r.color)throw new Error("A color slot rule that does not inherit must provide its own color.");e._setSlot(r,r.color,o,!1,!1)}}},e.getThemeAsJson=function(e){var t={};for(var o in e)if(e.hasOwnProperty(o)){var n=e[o];t[n.name]=n.color?n.color.str:n.value||""}return t},e.getThemeAsCode=function(t){return e._makeRemainingCode("loadTheme({\n palette: {\n",t)},e.getThemeAsCodeWithCreateTheme=function(t){return e._makeRemainingCode("const myTheme = createTheme({\n palette: {\n",t)},e.getThemeAsSass=function(e){var t="";for(var o in e)if(e.hasOwnProperty(o)){var n=e[o],r=n.name.charAt(0).toLowerCase()+n.name.slice(1);t+=(0,i.format)('${0}Color: "[theme: {1}, default: {2}]";\n',r,r,n.color?n.color.str:n.value||"")}return t},e.getThemeForPowerShell=function(e){var t="";for(var o in e)if(e.hasOwnProperty(o)){var n=e[o];if(n.value)continue;var r=n.name.charAt(0).toLowerCase()+n.name.slice(1),a=n.color?"#"+n.color.hex:n.value||"";n.color&&n.color.a&&100!==n.color.a&&(a+=String(n.color.a.toString(16))),t+=(0,i.format)('"{0}" = "{1}";\n',r,a)}return"@{\n"+t+"}"},e._setSlot=function(t,o,n,i,a){if(void 0===a&&(a=!0),(t.color||!t.value)&&(a||!t.color||!t.isCustomized||!t.inherits)){!a&&t.isCustomized||i||!t.inherits||!(0,r.isValidShade)(t.asShade)?(t.color=o,t.isCustomized=!0):(t.isBackgroundShade?t.color=(0,r.getBackgroundShade)(o,t.asShade,n):t.color=(0,r.getShade)(o,t.asShade,n),t.isCustomized=!1);for(var s=0,l=t.dependentRules;s{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.themeRulesStandardCreator=t.SemanticColorSlots=t.FabricSlots=t.BaseSlots=void 0;var n,r,i,a=o(23970),s=o(7066),l=o(71061);!function(e){e[e.primaryColor=0]="primaryColor",e[e.backgroundColor=1]="backgroundColor",e[e.foregroundColor=2]="foregroundColor"}(n=t.BaseSlots||(t.BaseSlots={})),function(e){e[e.themePrimary=0]="themePrimary",e[e.themeLighterAlt=1]="themeLighterAlt",e[e.themeLighter=2]="themeLighter",e[e.themeLight=3]="themeLight",e[e.themeTertiary=4]="themeTertiary",e[e.themeSecondary=5]="themeSecondary",e[e.themeDarkAlt=6]="themeDarkAlt",e[e.themeDark=7]="themeDark",e[e.themeDarker=8]="themeDarker",e[e.neutralLighterAlt=9]="neutralLighterAlt",e[e.neutralLighter=10]="neutralLighter",e[e.neutralLight=11]="neutralLight",e[e.neutralQuaternaryAlt=12]="neutralQuaternaryAlt",e[e.neutralQuaternary=13]="neutralQuaternary",e[e.neutralTertiaryAlt=14]="neutralTertiaryAlt",e[e.neutralTertiary=15]="neutralTertiary",e[e.neutralSecondaryAlt=16]="neutralSecondaryAlt",e[e.neutralSecondary=17]="neutralSecondary",e[e.neutralPrimaryAlt=18]="neutralPrimaryAlt",e[e.neutralPrimary=19]="neutralPrimary",e[e.neutralDark=20]="neutralDark",e[e.black=21]="black",e[e.white=22]="white"}(r=t.FabricSlots||(t.FabricSlots={})),(i=t.SemanticColorSlots||(t.SemanticColorSlots={}))[i.bodyBackground=0]="bodyBackground",i[i.bodyText=1]="bodyText",i[i.disabledBackground=2]="disabledBackground",i[i.disabledText=3]="disabledText",t.themeRulesStandardCreator=function(){var e={};function t(t,o,r,i){void 0===i&&(i=!1);var a=e[n[o]],s={name:t,inherits:a,asShade:r,isCustomized:!1,isBackgroundShade:i,dependentRules:[]};e[t]=s,a.dependentRules.push(s)}return(0,l.mapEnumByName)(n,(function(t){e[t]={name:t,isCustomized:!0,dependentRules:[]},(0,l.mapEnumByName)(a.Shade,(function(o,r){if(o!==a.Shade[a.Shade.Unshaded]){var i=e[t],s={name:t+o,inherits:e[t],asShade:r,isCustomized:!1,isBackgroundShade:t===n[n.backgroundColor],dependentRules:[]};e[t+o]=s,i.dependentRules.push(s)}}))})),e[n[n.primaryColor]].color=(0,s.getColorFromString)("#0078d4"),e[n[n.backgroundColor]].color=(0,s.getColorFromString)("#ffffff"),e[n[n.foregroundColor]].color=(0,s.getColorFromString)("#323130"),t(r[r.themePrimary],n.primaryColor,a.Shade.Unshaded),t(r[r.themeLighterAlt],n.primaryColor,a.Shade.Shade1),t(r[r.themeLighter],n.primaryColor,a.Shade.Shade2),t(r[r.themeLight],n.primaryColor,a.Shade.Shade3),t(r[r.themeTertiary],n.primaryColor,a.Shade.Shade4),t(r[r.themeSecondary],n.primaryColor,a.Shade.Shade5),t(r[r.themeDarkAlt],n.primaryColor,a.Shade.Shade6),t(r[r.themeDark],n.primaryColor,a.Shade.Shade7),t(r[r.themeDarker],n.primaryColor,a.Shade.Shade8),t(r[r.neutralLighterAlt],n.backgroundColor,a.Shade.Shade1,!0),t(r[r.neutralLighter],n.backgroundColor,a.Shade.Shade2,!0),t(r[r.neutralLight],n.backgroundColor,a.Shade.Shade3,!0),t(r[r.neutralQuaternaryAlt],n.backgroundColor,a.Shade.Shade4,!0),t(r[r.neutralQuaternary],n.backgroundColor,a.Shade.Shade5,!0),t(r[r.neutralTertiaryAlt],n.backgroundColor,a.Shade.Shade6,!0),t(r[r.neutralTertiary],n.foregroundColor,a.Shade.Shade3),t(r[r.neutralSecondary],n.foregroundColor,a.Shade.Shade4),t(r[r.neutralSecondaryAlt],n.foregroundColor,a.Shade.Shade4),t(r[r.neutralPrimaryAlt],n.foregroundColor,a.Shade.Shade5),t(r[r.neutralPrimary],n.foregroundColor,a.Shade.Unshaded),t(r[r.neutralDark],n.foregroundColor,a.Shade.Shade7),t(r[r.black],n.foregroundColor,a.Shade.Shade8),t(r[r.white],n.backgroundColor,a.Shade.Unshaded,!0),e[r[r.neutralLighterAlt]].color=(0,s.getColorFromString)("#faf9f8"),e[r[r.neutralLighter]].color=(0,s.getColorFromString)("#f3f2f1"),e[r[r.neutralLight]].color=(0,s.getColorFromString)("#edebe9"),e[r[r.neutralQuaternaryAlt]].color=(0,s.getColorFromString)("#e1dfdd"),e[r[r.neutralDark]].color=(0,s.getColorFromString)("#201f1e"),e[r[r.neutralTertiaryAlt]].color=(0,s.getColorFromString)("#c8c6c4"),e[r[r.black]].color=(0,s.getColorFromString)("#000000"),e[r[r.neutralDark]].color=(0,s.getColorFromString)("#201f1e"),e[r[r.neutralPrimaryAlt]].color=(0,s.getColorFromString)("#3b3a39"),e[r[r.neutralSecondary]].color=(0,s.getColorFromString)("#605e5c"),e[r[r.neutralSecondaryAlt]].color=(0,s.getColorFromString)("#8a8886"),e[r[r.neutralTertiary]].color=(0,s.getColorFromString)("#a19f9d"),e[r[r.white]].color=(0,s.getColorFromString)("#ffffff"),e[r[r.themeDarker]].color=(0,s.getColorFromString)("#004578"),e[r[r.themeDark]].color=(0,s.getColorFromString)("#005a9e"),e[r[r.themeDarkAlt]].color=(0,s.getColorFromString)("#106ebe"),e[r[r.themeSecondary]].color=(0,s.getColorFromString)("#2b88d8"),e[r[r.themeTertiary]].color=(0,s.getColorFromString)("#71afe5"),e[r[r.themeLight]].color=(0,s.getColorFromString)("#c7e0f4"),e[r[r.themeLighter]].color=(0,s.getColorFromString)("#deecf9"),e[r[r.themeLighterAlt]].color=(0,s.getColorFromString)("#eff6fc"),e[r[r.neutralLighterAlt]].isCustomized=!0,e[r[r.neutralLighter]].isCustomized=!0,e[r[r.neutralLight]].isCustomized=!0,e[r[r.neutralQuaternaryAlt]].isCustomized=!0,e[r[r.neutralDark]].isCustomized=!0,e[r[r.neutralTertiaryAlt]].isCustomized=!0,e[r[r.black]].isCustomized=!0,e[r[r.neutralDark]].isCustomized=!0,e[r[r.neutralPrimaryAlt]].isCustomized=!0,e[r[r.neutralSecondary]].isCustomized=!0,e[r[r.neutralSecondaryAlt]].isCustomized=!0,e[r[r.neutralTertiary]].isCustomized=!0,e[r[r.white]].isCustomized=!0,e[r[r.themeDarker]].isCustomized=!0,e[r[r.themeDark]].isCustomized=!0,e[r[r.themeDarkAlt]].isCustomized=!0,e[r[r.themePrimary]].isCustomized=!0,e[r[r.themeSecondary]].isCustomized=!0,e[r[r.themeTertiary]].isCustomized=!0,e[r[r.themeLight]].isCustomized=!0,e[r[r.themeLighter]].isCustomized=!0,e[r[r.themeLighterAlt]].isCustomized=!0,e}},29181:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(27075),t),n.__exportStar(o(16967),t),n.__exportStar(o(84894),t),n.__exportStar(o(23148),t)},80221:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.TimePicker=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(6517),s=o(60994),l=o(71061),c=o(25698),u=/^((1[0-2]|0?[1-9]):([0-5][0-9]):([0-5][0-9])\s([AaPp][Mm]))$/,d=/^((1[0-2]|0?[1-9]):[0-5][0-9]\s([AaPp][Mm]))$/,p=/^([0-1]?[0-9]|2[0-3]):[0-5][0-9]:[0-5][0-9]$/,m=/^([0-1]?[0-9]|2[0-3]):[0-5][0-9]$/;t.TimePicker=function(e){var t=e.label,o=e.increments,h=void 0===o?30:o,v=e.showSeconds,b=void 0!==v&&v,y=e.allowFreeform,_=void 0===y||y,S=e.useHour12,C=void 0!==S&&S,x=e.timeRange,P=e.strings,k=void 0===P?function(e,t){var o=e?"12-hour":"24-hour",n="hh:mm".concat(t?":ss":"").concat(e?" AP":"");return{invalidInputErrorMessage:"Enter a valid time in the ".concat(o," format: ").concat(n),timeOutOfBoundsErrorMessage:"Please enter a time within the range of {0} and {1}"}}(C,b):P,I=e.defaultValue,w=e.value,T=e.dateAnchor,E=e.onChange,D=e.onFormatDate,M=e.onValidateUserInput,O=e.onValidationResult,R=n.__rest(e,["label","increments","showSeconds","allowFreeform","useHour12","timeRange","strings","defaultValue","value","dateAnchor","onChange","onFormatDate","onValidateUserInput","onValidationResult"]),F=r.useState(""),B=F[0],A=F[1],N=r.useState(),L=N[0],H=N[1],j=r.useState(""),z=j[0],W=j[1],V=(0,c.useConst)(new Date),K=(0,c.useControllableValue)(w,I),G=K[0],U=K[1],Y=f(h,x),q=T||w||I||V,X=r.useMemo((function(){return g(q,"start",h,x)}),[q,h,x]),Z=r.useMemo((function(){return g(q,"end",h,x)}),[q,h,x]),Q=r.useMemo((function(){for(var e=Array(Y),t=0;tZ)&&(t=(0,l.format)(k.timeOutOfBoundsErrorMessage,X.toString(),Z.toString()))}}else t=k.invalidInputErrorMessage;return t}(n)),O&&z!==i&&O(e,{errorMessage:i}),i||void 0!==n&&!n.length){var s=n||(null==t?void 0:t.text)||"";A(s),U(i?new Date("invalid"):void 0),r=new Date("invalid")}else{var c=void 0;(null==t?void 0:t.data)instanceof Date?c=t.data:(s=(null==t?void 0:t.key)||n||"",c=(0,a.getDateFromTimeSelection)(C,X,s)),U(c),r=c}null==E||E(e,r),W(i)}),[x,X,Z,_,D,M,b,C,k.invalidInputErrorMessage,k.timeOutOfBoundsErrorMessage,U,O,E,z]);return r.createElement(s.ComboBox,n.__assign({},R,{allowFreeform:_,selectedKey:L,label:t,errorMessage:z,options:Q,onChange:J,text:B,onKeyPress:function(e){var t=e.charCode;D||t>=i.KeyCodes.zero&&t<=i.KeyCodes.colon||t===i.KeyCodes.space||t===i.KeyCodes.a||t===i.KeyCodes.m||t===i.KeyCodes.p||e.preventDefault()},useComboBoxAsMenuWidth:!0}))},t.TimePicker.displayName="TimePicker";var g=function(e,t,o,n){var r=new Date(e.getTime());if(n){var i=h(n),s="start"===t?i.start:i.end;r.getHours()!==s&&r.setHours(s)}else"end"===t&&r.setDate(r.getDate()+1);return r.setMinutes(0),r.setSeconds(0),r.setMilliseconds(0),(0,a.ceilMinuteToIncrement)(r,o)},h=function(e){return{start:Math.min(Math.max(e.start,0),23),end:Math.min(Math.max(e.end,0),23)}},f=function(e,t){var o=function(e){var t=a.TimeConstants.HoursInOneDay;if(e){var o=h(e);o.start>o.end?t=a.TimeConstants.HoursInOneDay-e.start-e.end:e.end>e.start&&(t=e.end-e.start)}return t}(t);return Math.floor(a.TimeConstants.MinutesInOneHour*o/e)}},1790:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},72548:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(80221),t),n.__exportStar(o(1790),t)},63324:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ToggleBase=void 0;var n=o(31635),r=o(83923),i=o(25698),a=o(52332),s=o(21505),l=(0,a.classNamesFunction)(),c="Toggle";t.ToggleBase=r.forwardRef((function(e,t){var o=e.as,d=void 0===o?"div":o,p=e.ariaLabel,m=e.checked,g=e.className,h=e.defaultChecked,f=void 0!==h&&h,v=e.disabled,b=e.inlineLabel,y=e.label,_=e.offAriaLabel,S=e.offText,C=e.onAriaLabel,x=e.onChange,P=e.onChanged,k=e.onClick,I=e.onText,w=e.role,T=e.styles,E=e.theme,D=(0,i.useControllableValue)(m,f,r.useCallback((function(e,t){null==x||x(e,t),null==P||P(t)}),[x,P])),M=D[0],O=D[1],R=l(T,{theme:E,className:g,disabled:v,checked:M,inlineLabel:b,onOffMissing:!I&&!S}),F=M?C:_,B=(0,i.useId)(c,e.id),A="".concat(B,"-label"),N="".concat(B,"-stateText"),L=M?I:S,H=(0,a.getNativeProps)(e,a.inputProperties,["defaultChecked"]),j=void 0;p||F||(y&&(j=A),L&&!j&&(j=N));var z=r.useRef(null);(0,a.useFocusRects)(z),u(e,M,z);var W={root:{className:R.root,hidden:H.hidden},label:{children:y,className:R.label,htmlFor:B,id:A},container:{className:R.container},pill:n.__assign(n.__assign({},H),{"aria-disabled":v,"aria-checked":M,"aria-label":p||F,"aria-labelledby":j,className:R.pill,"data-is-focusable":!0,"data-ktp-target":!0,disabled:v,id:B,onClick:function(e){v||(O(!M,e),k&&k(e))},ref:z,role:w||"switch",type:"button"}),thumb:{className:R.thumb},stateText:{children:L,className:R.text,htmlFor:B,id:N}};return r.createElement(d,n.__assign({ref:t},W.root),y&&r.createElement(s.Label,n.__assign({},W.label)),r.createElement("div",n.__assign({},W.container),r.createElement("button",n.__assign({},W.pill),r.createElement("span",n.__assign({},W.thumb))),(M&&I||S)&&r.createElement(s.Label,n.__assign({},W.stateText))))})),t.ToggleBase.displayName=c+"Base";var u=function(e,t,o){r.useImperativeHandle(e.componentRef,(function(){return{get checked(){return!!t},focus:function(){o.current&&o.current.focus()}}}),[t,o])}},2959:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Toggle=void 0;var n=o(52332),r=o(63324),i=o(75027);t.Toggle=(0,n.styled)(r.ToggleBase,i.getStyles,void 0,{scope:"Toggle"})},75027:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(31635),r=o(83048);t.getStyles=function(e){var t,o,i,a,s,l,c,u=e.theme,d=e.className,p=e.disabled,m=e.checked,g=e.inlineLabel,h=e.onOffMissing,f=u.semanticColors,v=u.palette,b=f.bodyBackground,y=f.inputBackgroundChecked,_=f.inputBackgroundCheckedHovered,S=v.neutralDark,C=f.disabledBodySubtext,x=f.smallInputBorder,P=f.inputForegroundChecked,k=f.disabledBodySubtext,I=f.disabledBackground,w=f.smallInputBorder,T=f.inputBorderHovered,E=f.disabledBodySubtext,D=f.disabledText;return{root:["ms-Toggle",m&&"is-checked",!p&&"is-enabled",p&&"is-disabled",u.fonts.medium,{marginBottom:"8px"},g&&{display:"flex",alignItems:"center"},d],label:["ms-Toggle-label",{display:"inline-block"},p&&{color:D,selectors:(t={},t[r.HighContrastSelector]={color:"GrayText"},t)},g&&!h&&{marginRight:16},h&&g&&{order:1,marginLeft:16},g&&{wordBreak:"break-word"}],container:["ms-Toggle-innerContainer",{display:"flex",position:"relative"}],pill:["ms-Toggle-background",(0,r.getFocusStyle)(u,{inset:-3}),{fontSize:"20px",boxSizing:"border-box",width:40,height:20,borderRadius:10,transition:"all 0.1s ease",border:"1px solid ".concat(w),background:b,cursor:"pointer",display:"flex",alignItems:"center",padding:"0 3px",overflow:"visible"},!p&&[!m&&{selectors:{":hover":[{borderColor:T}],":hover .ms-Toggle-thumb":[{backgroundColor:S,selectors:(o={},o[r.HighContrastSelector]={borderColor:"Highlight"},o)}]}},m&&[{background:y,borderColor:"transparent",justifyContent:"flex-end"},{selectors:(i={":hover":[{backgroundColor:_,borderColor:"transparent",selectors:(a={},a[r.HighContrastSelector]={backgroundColor:"Highlight"},a)}]},i[r.HighContrastSelector]=n.__assign({backgroundColor:"Highlight"},(0,r.getHighContrastNoAdjustStyle)()),i)}]],p&&[{cursor:"default"},!m&&[{borderColor:E}],m&&[{backgroundColor:C,borderColor:"transparent",justifyContent:"flex-end"}]],!p&&{selectors:{"&:hover":{selectors:(s={},s[r.HighContrastSelector]={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:P,selectors:(l={},l[r.HighContrastSelector]={backgroundColor:"Window",borderColor:"Window"},l)}],p&&[!m&&[{backgroundColor:k}],m&&[{backgroundColor:I}]]],text:["ms-Toggle-stateText",{selectors:{"&&":{padding:"0",margin:"0 8px",userSelect:"none",fontWeight:r.FontWeights.regular}}},p&&{selectors:{"&&":{color:D,selectors:(c={},c[r.HighContrastSelector]={color:"GrayText"},c)}}}]}}},11416:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},46783:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(2959),t),n.__exportStar(o(63324),t),n.__exportStar(o(11416),t)},51538:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.TooltipBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(16473),s=o(42502),l=(0,i.classNamesFunction)(),c=function(e){function t(){var t=null!==e&&e.apply(this,arguments)||this;return t._onRenderContent=function(e){return"string"==typeof e.content?r.createElement("p",{className:t._classNames.subText},e.content):r.createElement("div",{className:t._classNames.subText},e.content)},t}return n.__extends(t,e),t.prototype.render=function(){var e=this.props,t=e.className,o=e.calloutProps,s=e.directionalHint,c=e.directionalHintForRTL,u=e.styles,d=e.id,p=e.maxWidth,m=e.onRenderContent,g=void 0===m?this._onRenderContent:m,h=e.targetElement,f=e.theme;return this._classNames=l(u,{theme:f,className:t||o&&o.className,beakWidth:o&&o.isBeakVisible?o.beakWidth:0,gapSpace:o&&o.gapSpace,maxWidth:p}),r.createElement(a.Callout,n.__assign({target:h,directionalHint:s,directionalHintForRTL:c},o,(0,i.getNativeProps)(this.props,i.divProperties,["id"]),{className:this._classNames.root}),r.createElement("div",{className:this._classNames.content,id:d,onFocus:this.props.onFocus,onMouseEnter:this.props.onMouseEnter,onMouseLeave:this.props.onMouseLeave},g(this.props,this._onRenderContent)))},t.defaultProps={directionalHint:s.DirectionalHint.topCenter,maxWidth:"364px",calloutProps:{isBeakVisible:!0,beakWidth:16,gapSpace:0,setInitialFocus:!0,doNotLayer:!1}},t}(r.Component);t.TooltipBase=c},21893:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Tooltip=void 0;var n=o(71061),r=o(51538),i=o(5713);t.Tooltip=(0,n.styled)(r.TooltipBase,i.getStyles,void 0,{scope:"Tooltip"})},5713:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019);t.getStyles=function(e){var t=e.className,o=e.beakWidth,r=void 0===o?16:o,i=e.gapSpace,a=void 0===i?0:i,s=e.maxWidth,l=e.theme,c=l.semanticColors,u=l.fonts,d=l.effects,p=-(Math.sqrt(r*r/2)+a)+1/window.devicePixelRatio;return{root:["ms-Tooltip",l.fonts.medium,n.AnimationClassNames.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}]}}},39078:(e,t)=>{"use strict";var o;Object.defineProperty(t,"__esModule",{value:!0}),t.TooltipDelay=void 0,(o=t.TooltipDelay||(t.TooltipDelay={}))[o.zero=0]="zero",o[o.medium=1]="medium",o[o.long=2]="long"},38472:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.TooltipHostBase=void 0;var n=o(31635),r=o(83923),i=o(15019),a=o(71061),s=o(72628),l=o(21893),c=o(39078),u=o(97156),d=o(50478),p=(0,a.classNamesFunction)(),m=function(e){function t(o){var n=e.call(this,o)||this;return n._tooltipHost=r.createRef(),n._defaultTooltipId=(0,a.getId)("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 s.TooltipOverflowMode.Parent:return n._tooltipHost.current.parentElement;case s.TooltipOverflowMode.Self:return n._tooltipHost.current}return n._tooltipHost.current}},n._onTooltipFocus=function(e){n._ignoreNextFocusEvent?n._ignoreNextFocusEvent=!1:n._onTooltipMouseEnter(e)},n._onTooltipContentFocus=function(e){t._currentVisibleTooltip&&t._currentVisibleTooltip!==n&&t._currentVisibleTooltip.dismiss(),t._currentVisibleTooltip=n,n._clearDismissTimer(),n._clearOpenTimer()},n._onTooltipBlur=function(e){var t;n._ignoreNextFocusEvent=(null===(t=(0,d.getDocumentEx)(n.context))||void 0===t?void 0:t.activeElement)===e.target,n._dismissTimerId=n._async.setTimeout((function(){n._hideTooltip()}),0)},n._onTooltipMouseEnter=function(e){var o=n.props,r=o.overflowMode,i=o.delay,s=(0,d.getDocumentEx)(n.context);if(t._currentVisibleTooltip&&t._currentVisibleTooltip!==n&&t._currentVisibleTooltip.dismiss(),t._currentVisibleTooltip=n,void 0!==r){var l=n._getTargetElement();if(l&&!(0,a.hasOverflow)(l))return}if(!e.target||!(0,a.portalContainsElement)(e.target,n._getTargetElement(),s))if(n._clearDismissTimer(),n._clearOpenTimer(),i!==c.TooltipDelay.zero){var u=n._getDelayTime(i);n._openTimerId=n._async.setTimeout((function(){n._toggleTooltip(!0)}),u)}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===a.KeyCodes.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({isTooltipVisible:e},(function(){return n.props.onTooltipToggle&&n.props.onTooltipToggle(e)}))},n._getDelayTime=function(e){switch(e){case c.TooltipDelay.medium:return 300;case c.TooltipDelay.long:return 500;default:return 0}},(0,a.initializeComponentRef)(n),n.state={isAriaPlaceholderRendered:!1,isTooltipVisible:!1},n}return n.__extends(t,e),t.prototype.render=function(){var e=this.props,t=e.calloutProps,o=e.children,s=e.content,c=e.directionalHint,u=e.directionalHintForRTL,d=e.hostClassName,m=e.id,g=e.setAriaDescribedBy,h=void 0===g||g,f=e.tooltipProps,v=e.styles,b=e.theme;this._classNames=p(v,{theme:b,className:d});var y=this.state.isTooltipVisible,_=m||this._defaultTooltipId,S=n.__assign(n.__assign({id:"".concat(_,"--tooltip"),content:s,targetElement:this._getTargetElement(),directionalHint:c,directionalHintForRTL:u,calloutProps:(0,a.assign)({},t,{onDismiss:this._hideTooltip,onFocus:this._onTooltipContentFocus,onMouseEnter:this._onTooltipMouseEnter,onMouseLeave:this._onTooltipMouseLeave}),onMouseEnter:this._onTooltipMouseEnter,onMouseLeave:this._onTooltipMouseLeave},(0,a.getNativeProps)(this.props,a.divProperties,["id"])),f),C=(null==f?void 0:f.onRenderContent)?f.onRenderContent(S,(function(e){return(null==e?void 0:e.content)?r.createElement(r.Fragment,null,e.content):null})):s,x=y&&!!C,P=h&&y&&C?_:void 0;return r.createElement("div",n.__assign({className:this._classNames.root,ref:this._tooltipHost},{onFocusCapture:this._onTooltipFocus},{onBlurCapture:this._onTooltipBlur},{onMouseEnter:this._onTooltipMouseEnter,onMouseLeave:this._onTooltipMouseLeave,onKeyDown:this._onTooltipKeyDown,role:"none","aria-describedby":P}),o,x&&r.createElement(l.Tooltip,n.__assign({},S)),r.createElement("div",{hidden:!0,id:_,style:i.hiddenContentStyle},C))},t.prototype.componentDidMount=function(){this._async=new a.Async(this)},t.prototype.componentWillUnmount=function(){t._currentVisibleTooltip&&t._currentVisibleTooltip===this&&(t._currentVisibleTooltip=void 0),this._async.dispose()},t.defaultProps={delay:c.TooltipDelay.medium},t.contextType=u.WindowContext,t}(r.Component);t.TooltipHostBase=m},57331:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.TooltipHost=void 0;var n=o(71061),r=o(38472),i=o(82991);t.TooltipHost=(0,n.styled)(r.TooltipHostBase,i.getStyles,void 0,{scope:"TooltipHost"})},82991:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r={root:"ms-TooltipHost",ariaPlaceholder:"ms-TooltipHost-aria-placeholder"};t.getStyles=function(e){var t=e.className,o=e.theme;return{root:[(0,n.getGlobalClassNames)(r,o).root,{display:"inline"},t]}}},72628:(e,t)=>{"use strict";var o;Object.defineProperty(t,"__esModule",{value:!0}),t.TooltipOverflowMode=void 0,(o=t.TooltipOverflowMode||(t.TooltipOverflowMode={}))[o.Parent=0]="Parent",o[o.Self=1]="Self"},14658:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(21893),t),n.__exportStar(o(51538),t),n.__exportStar(o(39078),t),n.__exportStar(o(57331),t),n.__exportStar(o(38472),t),n.__exportStar(o(72628),t)},5758:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.WeeklyDayPickerBase=void 0;var n=o(31635),r=o(83923),i=o(52332),a=o(98752),s=o(67033),l=o(6517),c=o(30936),u=o(26468),d=(0,i.classNamesFunction)(),p=function(e){function t(t){var o=e.call(this,t)||this;o._dayGrid=r.createRef(),o._onSelectDate=function(e){var t=o.props.onSelectDate;o.setState({selectedDate:e}),o._focusOnUpdate=!0,t&&t(e)},o._onNavigateDate=function(e,t){var n=o.props.onNavigateDate;o.setState({navigatedDate:e}),o._focusOnUpdate=t,n&&n(e)},o._renderPreviousWeekNavigationButton=function(e){var t,n=o.props,a=n.minDate,s=n.firstDayOfWeek,u=n.navigationIcons,d=o.state.navigatedDate,p=(0,i.getRTL)()?u.rightNavigation:u.leftNavigation,m=!a||(0,l.compareDatePart)(a,(0,l.getStartDateOfWeek)(d,s))<0;return r.createElement("button",{className:(0,i.css)(e.navigationIconButton,(t={},t[e.disabledStyle]=!m,t)),disabled:!m,"aria-disabled":!m,onClick:m?o._onSelectPrevDateRange:void 0,onKeyDown:m?o._onButtonKeyDown(o._onSelectPrevDateRange):void 0,title:o._createPreviousWeekAriaLabel(),type:"button"},r.createElement(c.Icon,{iconName:p}))},o._renderNextWeekNavigationButton=function(e){var t,n=o.props,a=n.maxDate,s=n.firstDayOfWeek,u=n.navigationIcons,d=o.state.navigatedDate,p=(0,i.getRTL)()?u.leftNavigation:u.rightNavigation,m=!a||(0,l.compareDatePart)((0,l.addDays)((0,l.getStartDateOfWeek)(d,s),7),a)<0;return r.createElement("button",{className:(0,i.css)(e.navigationIconButton,(t={},t[e.disabledStyle]=!m,t)),disabled:!m,"aria-disabled":!m,onClick:m?o._onSelectNextDateRange:void 0,onKeyDown:m?o._onButtonKeyDown(o._onSelectNextDateRange):void 0,title:o._createNextWeekAriaLabel(),type:"button"},r.createElement(c.Icon,{iconName:p}))},o._onSelectPrevDateRange=function(){o.props.showFullMonth?o._navigateDate((0,l.addMonths)(o.state.navigatedDate,-1)):o._navigateDate((0,l.addDays)(o.state.navigatedDate,-7))},o._onSelectNextDateRange=function(){o.props.showFullMonth?o._navigateDate((0,l.addMonths)(o.state.navigatedDate,1)):o._navigateDate((0,l.addDays)(o.state.navigatedDate,7))},o._navigateDate=function(e){o.setState({navigatedDate:e}),o.props.onNavigateDate&&o.props.onNavigateDate(e)},o._onWrapperKeyDown=function(e){switch(e.which){case i.KeyCodes.enter:case i.KeyCodes.backspace:e.preventDefault()}},o._onButtonKeyDown=function(e){return function(t){t.which===i.KeyCodes.enter&&e()}},o._onTouchStart=function(e){var t=e.touches[0];t&&(o._initialTouchX=t.clientX)},o._onTouchMove=function(e){var t=(0,i.getRTL)(),n=e.touches[0];n&&void 0!==o._initialTouchX&&n.clientX!==o._initialTouchX&&((n.clientX-o._initialTouchX)*(t?-1:1)<0?o._onSelectNextDateRange():o._onSelectPrevDateRange(),o._initialTouchX=void 0)},o._createPreviousWeekAriaLabel=function(){var e=o.props,t=e.strings,n=e.showFullMonth,r=e.firstDayOfWeek,i=o.state.navigatedDate,a=void 0;if(n&&t.prevMonthAriaLabel)a=t.prevMonthAriaLabel+" "+t.months[(0,l.addMonths)(i,-1).getMonth()];else if(!n&&t.prevWeekAriaLabel){var s=(0,l.getStartDateOfWeek)((0,l.addDays)(i,-7),r),c=(0,l.addDays)(s,6);a=t.prevWeekAriaLabel+" "+o._formatDateRange(s,c)}return a},o._createNextWeekAriaLabel=function(){var e=o.props,t=e.strings,n=e.showFullMonth,r=e.firstDayOfWeek,i=o.state.navigatedDate,a=void 0;if(n&&t.nextMonthAriaLabel)a=t.nextMonthAriaLabel+" "+t.months[(0,l.addMonths)(i,1).getMonth()];else if(!n&&t.nextWeekAriaLabel){var s=(0,l.getStartDateOfWeek)((0,l.addDays)(i,7),r),c=(0,l.addDays)(s,6);a=t.nextWeekAriaLabel+" "+o._formatDateRange(s,c)}return a},o._formatDateRange=function(e,t){var n=o.props,r=n.dateTimeFormatter,i=n.strings;return"".concat(null==r?void 0:r.formatMonthDayYear(e,i)," - ").concat(null==r?void 0:r.formatMonthDayYear(t,i))},(0,i.initializeComponentRef)(o);var n=t.initialDate&&!isNaN(t.initialDate.getTime())?t.initialDate:t.today||new Date;return o.state={selectedDate:n,navigatedDate:n,previousShowFullMonth:!!t.showFullMonth,animationDirection:t.animationDirection},o._focusOnUpdate=!1,o}return n.__extends(t,e),t.getDerivedStateFromProps=function(e,t){var o=e.initialDate&&!isNaN(e.initialDate.getTime())?e.initialDate:e.today||new Date,n=!!e.showFullMonth,r=n!==t.previousShowFullMonth?a.AnimationDirection.Vertical:a.AnimationDirection.Horizontal;return(0,l.compareDates)(o,t.selectedDate)?{selectedDate:o,navigatedDate:t.navigatedDate,previousShowFullMonth:n,animationDirection:r}:{selectedDate:o,navigatedDate:o,previousShowFullMonth:n,animationDirection:r}},t.prototype.focus=function(){this._dayGrid&&this._dayGrid.current&&this._dayGrid.current.focus()},t.prototype.render=function(){var e=this.props,t=e.strings,o=e.dateTimeFormatter,i=e.firstDayOfWeek,a=e.minDate,c=e.maxDate,u=e.restrictedDates,p=e.today,m=e.styles,g=e.theme,h=e.className,f=e.showFullMonth,v=e.weeksToShow,b=n.__rest(e,["strings","dateTimeFormatter","firstDayOfWeek","minDate","maxDate","restrictedDates","today","styles","theme","className","showFullMonth","weeksToShow"]),y=d(m,{theme:g,className:h});return r.createElement("div",{className:y.root,onKeyDown:this._onWrapperKeyDown,onTouchStart:this._onTouchStart,onTouchMove:this._onTouchMove,"aria-expanded":f},this._renderPreviousWeekNavigationButton(y),r.createElement(s.CalendarDayGrid,n.__assign({styles:m,componentRef:this._dayGrid,strings:t,selectedDate:this.state.selectedDate,navigatedDate:this.state.navigatedDate,firstDayOfWeek:i,firstWeekOfYear:l.FirstWeekOfYear.FirstDay,dateRangeType:l.DateRangeType.Day,weeksToShow:f?v:1,dateTimeFormatter:o,minDate:a,maxDate:c,restrictedDates:u,onSelectDate:this._onSelectDate,onNavigateDate:this._onNavigateDate,today:p,lightenDaysOutsideNavigatedMonth:f,animationDirection:this.state.animationDirection},b)),this._renderNextWeekNavigationButton(y))},t.prototype.componentDidUpdate=function(){this._focusOnUpdate&&(this.focus(),this._focusOnUpdate=!1)},t.defaultProps={onSelectDate:void 0,initialDate:void 0,today:new Date,firstDayOfWeek:l.DayOfWeek.Sunday,strings:u.defaultWeeklyDayPickerStrings,navigationIcons:u.defaultWeeklyDayPickerNavigationIcons,dateTimeFormatter:l.DEFAULT_DATE_FORMATTING,animationDirection:a.AnimationDirection.Horizontal},t}(r.Component);t.WeeklyDayPickerBase=p},12025:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.WeeklyDayPicker=void 0;var n=o(5758),r=o(5005),i=o(71061);t.WeeklyDayPicker=(0,i.styled)(n.WeeklyDayPickerBase,r.styles,void 0,{scope:"WeeklyDayPicker"})},5005:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.styles=void 0;var n=o(83048),r=o(52332),i={root:"ms-WeeklyDayPicker-root"};t.styles=function(e){var t,o=e.className,a=e.theme,s=a.palette,l=(0,n.getGlobalClassNames)(i,a);return{root:[l.root,n.normalize,{width:220,padding:12,boxSizing:"content-box",display:"flex",alignItems:"center",flexDirection:"row"},o],dayButton:{borderRadius:"100%"},dayIsToday:{},dayCell:{borderRadius:"100%!important"},daySelected:{},navigationIconButton:[(0,n.getFocusStyle)(a,{inset:0}),{width:12,minWidth:12,height:0,overflow:"hidden",padding:0,margin:0,border:"none",display:"flex",alignItems:"center",backgroundColor:s.neutralLighter,fontSize:n.FontSizes.small,fontFamily:"inherit",selectors:(t={},t[".".concat(l.root,":hover &, .").concat(r.IsFocusVisibleClassName," .").concat(l.root,":focus &, :host(.").concat(r.IsFocusVisibleClassName,") .").concat(l.root,":focus &, ")+".".concat(r.IsFocusVisibleClassName," &:focus, :host(.").concat(r.IsFocusVisibleClassName,") &:focus")]={height:53,minHeight:12,overflow:"initial"},t[".".concat(r.IsFocusVisibleClassName," .").concat(l.root,":focus-within &, :host(.").concat(r.IsFocusVisibleClassName,") .").concat(l.root,":focus-within &")]={height:53,minHeight:12,overflow:"initial"},t["&:hover"]={cursor:"pointer",backgroundColor:s.neutralLight},t["&:active"]={backgroundColor:s.neutralTertiary},t)}],disabledStyle:{selectors:{"&, &:disabled, & button":{color:s.neutralTertiaryAlt,pointerEvents:"none"}}}}}},83426:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},26468:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.defaultWeeklyDayPickerNavigationIcons=t.defaultWeeklyDayPickerStrings=void 0;var n=o(31635),r=o(6517);t.defaultWeeklyDayPickerStrings=n.__assign(n.__assign({},r.DEFAULT_CALENDAR_STRINGS),{prevWeekAriaLabel:"Previous week",nextWeekAriaLabel:"Next week",prevMonthAriaLabel:"Go to previous month",nextMonthAriaLabel:"Go to next month",prevYearAriaLabel:"Go to previous year",nextYearAriaLabel:"Go to next year",closeButtonAriaLabel:"Close date picker"}),t.defaultWeeklyDayPickerNavigationIcons={leftNavigation:"ChevronLeft",rightNavigation:"ChevronRight"}},5552:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(12025),t),n.__exportStar(o(83426),t),n.__exportStar(o(26468),t)},59218:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(96771),t)},65461:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(35268),t)},20375:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.BasePickerListBelow=t.BasePicker=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(16473),s=o(95143),l=o(42502),c=o(89929),u=o(11517),d=o(82769),p=o(50496),m=o(44437),g=o(10713),h=o(97156),f=o(50478),v=g,b=(0,i.classNamesFunction)(),y=function(e){function t(t){var o,n=e.call(this,t)||this;n.root=r.createRef(),n.input=r.createRef(),n.suggestionElement=r.createRef(),n.SuggestionOfProperType=c.Suggestions,n._styledSuggestions=(o=n.SuggestionOfProperType,(0,i.styled)(o,u.getStyles,void 0,{scope:"Suggestions"})),n._overrideScrollDismiss=!1,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===i.KeyCodes.up?n.suggestionStore.setSelectedSuggestion(n.suggestionStore.suggestions.length-1):e===i.KeyCodes.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._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=(0,f.getDocumentEx)(n.context).activeElement),t&&!(0,i.elementContains)(n.root.current,t)&&(n.setState({isFocused:!1}),n.props.onBlur&&n.props.onBlur(e))}},n.onWrapperClick=function(e){n.state.items.length&&!n.canAddItems()&&n.resetFocus(n.state.items.length-1)},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.onFocus=function(){n.state.isFocused||n.setState({isFocused:!0})},n.onKeyDown=function(e){var t=e.which;switch(t){case i.KeyCodes.escape:n.state.suggestionsVisible&&(n.setState({suggestionsVisible:!1}),e.preventDefault(),e.stopPropagation());break;case i.KeyCodes.tab:case i.KeyCodes.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 i.KeyCodes.backspace:n.props.disabled||n.onBackspace(e),e.stopPropagation();break;case i.KeyCodes.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 i.KeyCodes.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 i.KeyCodes.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:"",selectionRemoved:void 0})}},n.removeItem=function(e){var t=n.state.items,o=t.indexOf(e);if(o>=0){var r=t.slice(0,o).concat(t.slice(o+1));n.setState({selectionRemoved:e}),n._updateSelectedItems(r),n._async.setTimeout((function(){n.setState({selectionRemoved:void 0})}),1e3)}},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 i.KeyCodes.up:case i.KeyCodes.down:return!0}return e.which===i.KeyCodes.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)!==p.ValidationState.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,i.initializeComponentRef)(n),n._async=new i.Async(n);var a=t.selectedItems||t.defaultSelectedItems||[];return n._id=(0,i.getId)(),n._ariaMap={selectedItems:"selected-items-".concat(n._id),selectedSuggestionAlert:"selected-suggestion-alert-".concat(n._id),suggestionList:"suggestion-list-".concat(n._id),combobox:"combobox-".concat(n._id)},n.suggestionStore=new d.SuggestionsController,n.selection=new s.Selection({onSelectionChanged:function(){return n.onSelectionChange()}}),n.selection.setItems(a),n.state={items:a,suggestedDisplayValue:"",isMostRecentlyUsedVisible:!1,moreSuggestionsAvailable:!1,isFocused:!1,isSearching:!1,selectedIndices:[],selectionRemoved:void 0},n}return n.__extends(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:!1,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){var o=this;if(this.state.items&&this.state.items!==t.items){var n=this.selection.getSelectedIndices()[0];this.selection.setItems(this.state.items),this.state.isFocused&&(this.state.items.lengtht.items.length&&!this.canAddItems()&&this.resetFocus(this.state.items.length-1))}this.state.suggestionsVisible&&!t.suggestionsVisible&&(this._overrideScrollDismiss=!0,this._async.clearTimeout(this._overrideScrollDimissTimeout),this._overrideScrollDimissTimeout=this._async.setTimeout((function(){o._overrideScrollDismiss=!1}),100))},t.prototype.componentWillUnmount=function(){this.currentPromise&&(this.currentPromise=void 0),this._async.dispose()},t.prototype.focus=function(){this.input.current&&this.input.current.focus()},t.prototype.focusInput=function(){this.input.current&&this.input.current.focus()},t.prototype.completeSuggestion=function(e){this.suggestionStore.hasSelectedSuggestion()&&this.input.current?this.completeSelection(this.suggestionStore.currentSuggestion.item):e&&this._completeGenericSuggestion()},t.prototype.render=function(){var e=this.state,t=e.suggestedDisplayValue,o=e.isFocused,a=e.items,l=this.props,c=l.className,u=l.inputProps,d=l.disabled,p=l.selectionAriaLabel,g=l.selectionRole,h=void 0===g?"list":g,f=l.theme,y=l.styles,_=!!this.state.suggestionsVisible,S=_?this._ariaMap.suggestionList:void 0,C=y?b(y,{theme:f,className:c,isFocused:o,disabled:d,inputClassName:u&&u.className}):{root:(0,i.css)("ms-BasePicker",c||""),text:(0,i.css)("ms-BasePicker-text",v.pickerText,this.state.isFocused&&v.inputFocused),itemsWrapper:v.pickerItems,input:(0,i.css)("ms-BasePicker-input",v.pickerInput,u&&u.className),screenReaderText:v.screenReaderOnly},x=this.props["aria-label"]||(null==u?void 0:u["aria-label"]);return r.createElement("div",{ref:this.root,className:C.root,onKeyDown:this.onKeyDown,onFocus:this.onFocus,onBlur:this.onBlur,onClick:this.onWrapperClick},this.renderCustomAlert(C.screenReaderText),r.createElement("span",{id:"".concat(this._ariaMap.selectedItems,"-label"),hidden:!0},p||x),r.createElement(s.SelectionZone,{selection:this.selection,selectionMode:s.SelectionMode.multiple},r.createElement("div",{className:C.text,"aria-owns":S},a.length>0&&r.createElement("span",{id:this._ariaMap.selectedItems,className:C.itemsWrapper,role:h,"aria-labelledby":"".concat(this._ariaMap.selectedItems,"-label")},this.renderItems()),this.canAddItems()&&r.createElement(m.Autofill,n.__assign({spellCheck:!1},u,{className:C.input,componentRef:this.input,id:(null==u?void 0:u.id)?u.id:this._ariaMap.combobox,onClick:this.onClick,onFocus:this.onInputFocus,onBlur:this.onInputBlur,onInputValueChange:this.onInputChange,suggestedDisplayValue:t,"aria-activedescendant":_?this.getActiveDescendant():void 0,"aria-controls":S,"aria-describedby":a.length>0?this._ariaMap.selectedItems:void 0,"aria-expanded":_,"aria-haspopup":"listbox","aria-label":x,role:"combobox",disabled:d,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 button")[Math.min(e,t.length-1)];o&&o.focus()}else this.input.current&&this.input.current.focus()},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){var t,o=null===(t=this.props.pickerSuggestionsProps)||void 0===t?void 0:t.resultsMaximumNumber;this.suggestionStore.updateSuggestions(e,0,o),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,n=this;Array.isArray(e)?this._updateAndResolveValue(t,e):e&&e.then&&(this.setState({suggestionsLoading:!0}),this._startLoadTimer(),this.suggestionStore.updateSuggestions([]),void 0!==t?this.setState({suggestionsVisible:this._getShowSuggestions()}):this.setState({suggestionsVisible:this.input.current&&this.input.current.inputElement===(null===(o=(0,f.getDocumentEx)(this.context))||void 0===o?void 0:o.activeElement)}),this.currentPromise=e,e.then((function(o){e===n.currentPromise&&n._updateAndResolveValue(t,o)})))},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,suggestionsExtendedLoading:!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(){var e;if(!this.state.suggestionsLoading){var t=this.suggestionStore.currentIndex;return t<0?(null===(e=this.suggestionElement.current)||void 0===e?void 0:e.hasSuggestedAction())?"sug-selectedAction":0===this.suggestionStore.suggestions.length?"sug-noResultsFound":void 0:"sug-".concat(t)}},t.prototype.getSuggestionsAlert=function(e){void 0===e&&(e=v.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 r.createElement("div",{id:this._ariaMap.selectedSuggestionAlert,className:e},"".concat(n," "))}},t.prototype.renderCustomAlert=function(e){void 0===e&&(e=v.screenReaderOnly);var t=this.props.suggestionRemovedText,o=void 0===t?"removed {0}":t,n="";if(this.state.selectionRemoved){var a=this._getTextFromItem(this.state.selectionRemoved,"");n=(0,i.format)(o,a)}return r.createElement("div",{className:e,id:this._ariaMap.selectedSuggestionAlert,"aria-live":"assertive"},this.getSuggestionsAlert(e),n)},t.prototype._preventDismissOnScrollOrResize=function(e){return!(!this._overrideScrollDismiss||"scroll"!==e.type&&"resize"!==e.type)},t.prototype._startLoadTimer=function(){var e=this;this._async.setTimeout((function(){e.state.suggestionsLoading&&e.setState({suggestionsExtendedLoading:!0})}),3e3)},t.prototype._updateAndResolveValue=function(e,t){var o;if(void 0!==e)this.resolveNewValue(e,t);else{var n=null===(o=this.props.pickerSuggestionsProps)||void 0===o?void 0:o.resultsMaximumNumber;this.suggestionStore.updateSuggestions(t,-1,n),this.state.suggestionsLoading&&this.setState({suggestionsLoading:!1,suggestionsExtendedLoading:!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(){var e;return void 0!==this.input.current&&null!==this.input.current&&this.input.current.inputElement===(null===(e=(0,f.getDocumentEx)(this.context))||void 0===e?void 0:e.activeElement)&&""!==this.input.current.value},t.prototype._getTextFromItem=function(e,t){return this.props.getTextFromItem?this.props.getTextFromItem(e,t):""},t.contextType=h.WindowContext,t}(r.Component);t.BasePicker=y;var _=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return n.__extends(t,e),t.prototype.render=function(){var e=this.state,t=e.suggestedDisplayValue,o=e.isFocused,a=this.props,l=a.className,c=a.inputProps,u=a.disabled,d=a.selectionAriaLabel,p=a.selectionRole,g=void 0===p?"list":p,h=a.theme,f=a.styles,y=!!this.state.suggestionsVisible,_=y?this._ariaMap.suggestionList:void 0,S=f?b(f,{theme:h,className:l,isFocused:o,inputClassName:c&&c.className}):{root:(0,i.css)("ms-BasePicker",v.picker,l||""),text:(0,i.css)("ms-BasePicker-text",v.pickerText,this.state.isFocused&&v.inputFocused,u&&v.inputDisabled),itemsWrapper:v.pickerItems,input:(0,i.css)("ms-BasePicker-input",v.pickerInput,c&&c.className),screenReaderText:v.screenReaderOnly},C=this.props["aria-label"]||(null==c?void 0:c["aria-label"]);return r.createElement("div",{ref:this.root,onBlur:this.onBlur,onFocus:this.onFocus},r.createElement("div",{className:S.root,onKeyDown:this.onKeyDown},this.renderCustomAlert(S.screenReaderText),r.createElement("span",{id:"".concat(this._ariaMap.selectedItems,"-label"),hidden:!0},d||C),r.createElement("div",{className:S.text,"aria-owns":_},r.createElement(m.Autofill,n.__assign({},c,{className:S.input,componentRef:this.input,onFocus:this.onInputFocus,onBlur:this.onInputBlur,onClick:this.onClick,onInputValueChange:this.onInputChange,suggestedDisplayValue:t,"aria-activedescendant":y?this.getActiveDescendant():void 0,"aria-controls":_,"aria-expanded":y,"aria-haspopup":"listbox","aria-label":C,"aria-describedby":this.state.items.length>0?this._ariaMap.selectedItems:void 0,role:"combobox",id:(null==c?void 0:c.id)?c.id:this._ariaMap.combobox,disabled:u,onInputChange:this.props.onInputChange})))),this.renderSuggestions(),r.createElement(s.SelectionZone,{selection:this.selection,selectionMode:s.SelectionMode.single},r.createElement("div",{id:this._ariaMap.selectedItems,className:"ms-BasePicker-selectedItems",role:g,"aria-labelledby":"".concat(this._ariaMap.selectedItems,"-label")},this.renderItems())))},t.prototype.onBackspace=function(e){},t}(y);t.BasePickerListBelow=_},10713:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.screenReaderOnly=t.pickerItems=t.pickerInput=t.inputDisabled=t.inputFocused=t.pickerText=t.picker=void 0,(0,o(65715).loadStyles)([{rawString:".picker_94f06b16{position:relative}.pickerText_94f06b16{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_94f06b16:hover{border-color:"},{theme:"inputBorderHovered",defaultValue:"#323130"},{rawString:"}.pickerText_94f06b16.inputFocused_94f06b16{position:relative;border-color:"},{theme:"inputFocusBorderAlt",defaultValue:"#0078d4"},{rawString:'}.pickerText_94f06b16.inputFocused_94f06b16: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),screen and (forced-colors:active){.pickerText_94f06b16.inputDisabled_94f06b16{position:relative;border-color:GrayText}.pickerText_94f06b16.inputDisabled_94f06b16:after{pointer-events:none;content:"";position:absolute;left:0;top:0;bottom:0;right:0;background-color:Window}}.pickerInput_94f06b16{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_94f06b16{display:-webkit-box;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;max-width:100%}.screenReaderOnly_94f06b16{position:absolute;width:1px;height:1px;padding:0;margin:-1px;overflow:hidden;clip:rect(0,0,0,0);border:0}'}]),t.picker="picker_94f06b16",t.pickerText="pickerText_94f06b16",t.inputFocused="inputFocused_94f06b16",t.inputDisabled="inputDisabled_94f06b16",t.pickerInput="pickerInput_94f06b16",t.pickerItems="pickerItems_94f06b16",t.screenReaderOnly="screenReaderOnly_94f06b16"},40827:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r={root:"ms-BasePicker",text:"ms-BasePicker-text",itemsWrapper:"ms-BasePicker-itemsWrapper",input:"ms-BasePicker-input"};t.getStyles=function(e){var t,o,i,a=e.className,s=e.theme,l=e.isFocused,c=e.inputClassName,u=e.disabled;if(!s)throw new Error("theme is undefined or null in base BasePicker getStyles function.");var d=s.semanticColors,p=s.effects,m=s.fonts,g=d.inputBorder,h=d.inputBorderHovered,f=d.inputFocusBorderAlt,v=(0,n.getGlobalClassNames)(r,s),b=[m.medium,{color:d.inputPlaceholderText,opacity:1,selectors:(t={},t[n.HighContrastSelector]={color:"GrayText"},t)}],y={color:d.disabledText,selectors:(o={},o[n.HighContrastSelector]={color:"GrayText"},o)},_="rgba(218, 218, 218, 0.29)";return{root:[v.root,a,{position:"relative"}],text:[v.text,{display:"flex",position:"relative",flexWrap:"wrap",alignItems:"center",boxSizing:"border-box",minWidth:180,minHeight:30,border:"1px solid ".concat(g),borderRadius:p.roundedCorner2},!l&&!u&&{selectors:{":hover":{borderColor:h}}},l&&!u&&(0,n.getInputFocusStyle)(f,p.roundedCorner2),u&&{borderColor:_,selectors:(i={":after":{content:'""',position:"absolute",top:0,right:0,bottom:0,left:0,background:_}},i[n.HighContrastSelector]={borderColor:"GrayText",selectors:{":after":{background:"none"}}},i)}],itemsWrapper:[v.itemsWrapper,{display:"flex",flexWrap:"wrap",maxWidth:"100%"}],input:[v.input,m.medium,{height:30,border:"none",flexGrow:1,outline:"none",padding:"0 6px 0",alignSelf:"flex-end",borderRadius:p.roundedCorner2,backgroundColor:"transparent",color:d.inputText,selectors:{"::-ms-clear":{display:"none"},"&:placeholder-shown":{textOverflow:"ellipsis"}}},(0,n.getPlaceholderStyles)(b),u&&(0,n.getPlaceholderStyles)(y),c],screenReaderText:n.hiddenContentStyle}}},50496:(e,t)=>{"use strict";var o;Object.defineProperty(t,"__esModule",{value:!0}),t.ValidationState=void 0,(o=t.ValidationState||(t.ValidationState={}))[o.valid=0]="valid",o[o.warning=1]="warning",o[o.invalid=2]="invalid"},5109:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ListPeoplePicker=t.CompactPeoplePicker=t.NormalPeoplePicker=t.createGenericItem=t.ListPeoplePickerBase=t.CompactPeoplePickerBase=t.NormalPeoplePickerBase=t.MemberListPeoplePicker=t.BasePeoplePicker=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(20375),s=o(50496),l=o(73386),c=o(27810),u=o(40827),d=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return n.__extends(t,e),t}(a.BasePicker);t.BasePeoplePicker=d;var p=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return n.__extends(t,e),t}(a.BasePickerListBelow);t.MemberListPeoplePicker=p;var m=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return n.__extends(t,e),t.defaultProps={onRenderItem:function(e){return r.createElement(l.PeoplePickerItem,n.__assign({},e))},onRenderSuggestionsItem:function(e,t){return r.createElement(c.PeoplePickerItemSuggestion,{personaProps:e,suggestionsProps:t})},createGenericItem:f},t}(d);t.NormalPeoplePickerBase=m;var g=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return n.__extends(t,e),t.defaultProps={onRenderItem:function(e){return r.createElement(l.PeoplePickerItem,n.__assign({},e))},onRenderSuggestionsItem:function(e,t){return r.createElement(c.PeoplePickerItemSuggestion,{personaProps:e,suggestionsProps:t,compact:!0})},createGenericItem:f},t}(d);t.CompactPeoplePickerBase=g;var h=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return n.__extends(t,e),t.defaultProps={onRenderItem:function(e){return r.createElement(l.PeoplePickerItem,n.__assign({},e))},onRenderSuggestionsItem:function(e,t){return r.createElement(c.PeoplePickerItemSuggestion,{personaProps:e,suggestionsProps:t})},createGenericItem:f},t}(p);function f(e,t){var o={key:e,primaryText:e,imageInitials:"!",ValidationState:t};return t!==s.ValidationState.warning&&(o.imageInitials=(0,i.getInitials)(e,(0,i.getRTL)())),o}t.ListPeoplePickerBase=h,t.createGenericItem=f,t.NormalPeoplePicker=(0,i.styled)(m,u.getStyles,void 0,{scope:"NormalPeoplePicker"}),t.CompactPeoplePicker=(0,i.styled)(g,u.getStyles,void 0,{scope:"CompactPeoplePicker"}),t.ListPeoplePicker=(0,i.styled)(h,u.getStyles,void 0,{scope:"ListPeoplePickerBase"})},73386:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.PeoplePickerItem=t.PeoplePickerItemBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(48377),s=o(74393),l=o(50496),c=o(48940),u=(0,i.classNamesFunction)();t.PeoplePickerItemBase=function(e){var t=e.item,o=e.onRemoveItem,c=e.index,d=e.selected,p=e.removeButtonAriaLabel,m=e.styles,g=e.theme,h=e.className,f=e.disabled,v=e.removeButtonIconProps,b=r.createRef(),y=(0,i.getId)(),_=u(m,{theme:g,className:h,selected:d,disabled:f,invalid:t.ValidationState===l.ValidationState.warning}),S=_.subComponentStyles?_.subComponentStyles.persona:void 0,C=_.subComponentStyles?_.subComponentStyles.personaCoin:void 0;return r.createElement("div",{"data-selection-index":c,className:_.root,role:"listitem",key:c,onClick:function(){var e;null===(e=b.current)||void 0===e||e.focus()}},r.createElement("div",{className:_.itemContent,id:"selectedItemPersona-"+y},r.createElement(a.Persona,n.__assign({size:a.PersonaSize.size24,styles:S,coinProps:{styles:C}},t))),r.createElement(s.IconButton,{componentRef:b,id:y,onClick:o,disabled:f,iconProps:null!=v?v:{iconName:"Cancel"},styles:{icon:{fontSize:"12px"}},className:_.removeButton,ariaLabel:p,"aria-labelledby":"".concat(y," selectedItemPersona-").concat(y)}))},t.PeoplePickerItem=(0,i.styled)(t.PeoplePickerItemBase,c.getStyles,void 0,{scope:"PeoplePickerItem"})},48940:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(31635),r=o(15019),i=o(21550),a={root:"ms-PickerPersona-container",itemContent:"ms-PickerItem-content",removeButton:"ms-PickerItem-removeButton",isSelected:"is-selected",isInvalid:"is-invalid"};t.getStyles=function(e){var t,o,s,l,c,u,d,p,m=e.className,g=e.theme,h=e.selected,f=e.invalid,v=e.disabled,b=g.palette,y=g.semanticColors,_=g.fonts,S=(0,r.getGlobalClassNames)(a,g),C=[h&&!f&&!v&&{color:"inherit",selectors:(t={":hover":{color:"inherit"}},t[r.HighContrastSelector]={color:"HighlightText"},t)},(f&&!h||f&&h&&v)&&{color:"inherit",borderBottom:"2px dotted currentColor",selectors:(o={},o[".".concat(S.root,":hover &")]={color:"inherit"},o)},f&&h&&!v&&{color:"inherit",borderBottom:"2px dotted currentColor",selectors:{":hover":{color:"inherit"}}},v&&{selectors:(s={},s[r.HighContrastSelector]={color:"GrayText"},s)}],x=[h&&!f&&!v&&{color:"inherit",selectors:(l={":hover":{color:"inherit"}},l[r.HighContrastSelector]={color:"HighlightText"},l)}],P=[f&&{fontSize:_.xLarge.fontSize}];return{root:[S.root,(0,r.getFocusStyle)(g,{inset:-2}),{borderRadius:15,display:"inline-flex",alignItems:"center",background:b.neutralLighter,margin:"1px 2px",cursor:"default",userSelect:"none",maxWidth:300,verticalAlign:"middle",minWidth:0,selectors:(c={":hover":{background:h||v?"":b.neutralLight}},c[r.HighContrastSelector]=[{border:"1px solid WindowText"},v&&{borderColor:"GrayText"}],c)},h&&!v&&[S.isSelected,{selectors:(u={":focus-within":{background:b.themePrimary,color:b.white}},u[r.HighContrastSelector]=n.__assign({borderColor:"HighLight",background:"Highlight"},(0,r.getHighContrastNoAdjustStyle)()),u)}],f&&[S.isInvalid],f&&h&&!v&&{":focus-within":{background:b.redDark,color:b.white}},(f&&!h||f&&h&&v)&&{color:b.redDark},m],itemContent:[S.itemContent,{flex:"0 1 auto",minWidth:0,maxWidth:"100%",overflow:"hidden"}],removeButton:[S.removeButton,{borderRadius:15,color:b.neutralPrimary,flex:"0 0 auto",width:24,height:24,selectors:{":hover":{background:b.neutralTertiaryAlt,color:b.neutralDark}}},h&&[(0,r.getFocusStyle)(g,{inset:2,borderColor:"transparent",highContrastStyle:{inset:2,left:1,top:1,bottom:1,right:1,outlineColor:"ButtonText"},outlineColor:b.white,borderRadius:15}),{selectors:(d={":hover":{color:b.white,background:b.themeDark},":active":{color:b.white,background:b.themeDarker},":focus":{color:b.white}},d[r.HighContrastSelector]={color:"HighlightText"},d)},f&&{selectors:{":hover":{color:b.white,background:b.red},":active":{color:b.white,background:b.redDark}}}],v&&{selectors:(p={},p[".".concat(i.ButtonGlobalClassNames.msButtonIcon)]={color:y.buttonText},p)}],subComponentStyles:{persona:{root:{color:"inherit"},primaryText:C,secondaryText:x},personaCoin:{initials:P}}}}},20397:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},27810:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.PeoplePickerItemSuggestion=t.PeoplePickerItemSuggestionBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(48377),s=o(72740),l=(0,i.classNamesFunction)();t.PeoplePickerItemSuggestionBase=function(e){var t=e.personaProps,o=e.suggestionsProps,i=e.compact,s=e.styles,c=e.theme,u=e.className,d=l(s,{theme:c,className:o&&o.suggestionsItemClassName||u}),p=d.subComponentStyles&&d.subComponentStyles.persona?d.subComponentStyles.persona:void 0;return r.createElement("div",{className:d.root},r.createElement(a.Persona,n.__assign({size:a.PersonaSize.size24,styles:p,className:d.personaWrapper,showSecondaryText:!i,showOverflowTooltip:!1},t)))},t.PeoplePickerItemSuggestion=(0,i.styled)(t.PeoplePickerItemSuggestionBase,s.getStyles,void 0,{scope:"PeoplePickerItemSuggestion"})},72740:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r=o(51504),i={root:"ms-PeoplePicker-personaContent",personaWrapper:"ms-PeoplePicker-Persona"};t.getStyles=function(e){var t,o,a,s=e.className,l=e.theme,c=(0,n.getGlobalClassNames)(i,l),u={selectors:(t={},t[".".concat(r.SuggestionsItemGlobalClassNames.isSuggested," &")]={selectors:(o={},o[n.HighContrastSelector]={color:"HighlightText"},o)},t[".".concat(c.root,":hover &")]={selectors:(a={},a[n.HighContrastSelector]={color:"HighlightText"},a)},t)};return{root:[c.root,{width:"100%",padding:"4px 12px"},s],personaWrapper:[c.personaWrapper,{width:180}],subComponentStyles:{persona:{primaryText:u,secondaryText:u}}}}},36434:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},89929:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Suggestions=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(74393),s=o(66044),l=o(89496),c=o(7730),u=o(74902),d=o(51504),p=o(59811),m=(0,i.classNamesFunction)(),g=(0,i.styled)(u.SuggestionsItem,d.getStyles,void 0,{scope:"SuggestionItem"}),h=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._scrollContainer=r.createRef(),o.tryHandleKeyDown=function(e,t){var n=!1,r=null,a=o.state.selectedActionType,s=o.props.suggestions.length;if(e===i.KeyCodes.down)switch(a){case c.SuggestionActionType.forceResolve:s>0?(o._refocusOnSuggestions(e),r=c.SuggestionActionType.none):r=o._searchForMoreButton.current?c.SuggestionActionType.searchMore:c.SuggestionActionType.forceResolve;break;case c.SuggestionActionType.searchMore:o._forceResolveButton.current?r=c.SuggestionActionType.forceResolve:s>0?(o._refocusOnSuggestions(e),r=c.SuggestionActionType.none):r=c.SuggestionActionType.searchMore;break;case c.SuggestionActionType.none:-1===t&&o._forceResolveButton.current&&(r=c.SuggestionActionType.forceResolve)}else if(e===i.KeyCodes.up)switch(a){case c.SuggestionActionType.forceResolve:o._searchForMoreButton.current?r=c.SuggestionActionType.searchMore:s>0&&(o._refocusOnSuggestions(e),r=c.SuggestionActionType.none);break;case c.SuggestionActionType.searchMore:s>0?(o._refocusOnSuggestions(e),r=c.SuggestionActionType.none):o._forceResolveButton.current&&(r=c.SuggestionActionType.forceResolve);break;case c.SuggestionActionType.none:-1===t&&o._searchForMoreButton.current&&(r=c.SuggestionActionType.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,s=e.isExtendedLoading,l=e.loadingText;if(t||n){if(t&&s)return l||""}else{if(r.length>0)return i||"";if(a)return a}return""},o._getMoreResults=function(){o.props.onGetMoreResults&&(o.props.onGetMoreResults(),o.setState({selectedActionType:c.SuggestionActionType.none}))},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,i.initializeComponentRef)(o),o.state={selectedActionType:c.SuggestionActionType.none},o}return n.__extends(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,u=this.props,d=u.forceResolveText,g=u.mostRecentlyUsedHeaderText,h=u.searchForMoreIcon,f=u.searchForMoreText,v=u.className,b=u.moreSuggestionsAvailable,y=u.noResultsFoundText,_=u.suggestions,S=u.isLoading,C=u.isSearching,x=u.loadingText,P=u.onRenderNoResultFound,k=u.searchingText,I=u.isMostRecentlyUsedVisible,w=u.resultsMaximumNumber,T=u.resultsFooterFull,E=u.resultsFooter,D=u.isResultsFooterVisible,M=void 0===D||D,O=u.suggestionsHeaderText,R=u.suggestionsClassName,F=u.theme,B=u.styles,A=u.suggestionsListId,N=u.suggestionsContainerAriaLabel;this._classNames=B?m(B,{theme:F,className:v,suggestionsClassName:R,forceResolveButtonSelected:this.state.selectedActionType===c.SuggestionActionType.forceResolve,searchForMoreButtonSelected:this.state.selectedActionType===c.SuggestionActionType.searchMore}):{root:(0,i.css)("ms-Suggestions",v,p.root),title:(0,i.css)("ms-Suggestions-title",p.suggestionsTitle),searchForMoreButton:(0,i.css)("ms-SearchMore-button",p.actionButton,(e={},e["is-selected "+p.buttonSelected]=this.state.selectedActionType===c.SuggestionActionType.searchMore,e)),forceResolveButton:(0,i.css)("ms-forceResolve-button",p.actionButton,(t={},t["is-selected "+p.buttonSelected]=this.state.selectedActionType===c.SuggestionActionType.forceResolve,t)),suggestionsAvailable:(0,i.css)("ms-Suggestions-suggestionsAvailable",p.suggestionsAvailable),suggestionsContainer:(0,i.css)("ms-Suggestions-container",p.suggestionsContainer,R),noSuggestions:(0,i.css)("ms-Suggestions-none",p.suggestionsNone)};var L=this._classNames.subComponentStyles?this._classNames.subComponentStyles.spinner:void 0,H=B?{styles:L}:{className:(0,i.css)("ms-Suggestions-spinner",p.suggestionsSpinner)},j=O;I&&g&&(j=g);var z=void 0;M&&(z=_.length>=w?T:E);var W,V=!(_&&_.length||S),K=this.state.selectedActionType===c.SuggestionActionType.forceResolve?"sug-selectedAction":void 0,G=this.state.selectedActionType===c.SuggestionActionType.searchMore?"sug-selectedAction":void 0;return r.createElement("div",{className:this._classNames.root,"aria-label":N||j,id:A,role:"listbox"},r.createElement(l.Announced,{message:this._getAlertText(),"aria-live":"polite"}),j?r.createElement("div",{className:this._classNames.title},j):null,d&&this._shouldShowForceResolve()&&r.createElement(a.CommandButton,{componentRef:this._forceResolveButton,className:this._classNames.forceResolveButton,id:K,onClick:this._forceResolve,"data-automationid":"sug-forceResolve"},d),S&&r.createElement(s.Spinner,n.__assign({},H,{ariaLabel:x,label:x})),V?(W=function(){return r.createElement("div",{className:o._classNames.noSuggestions},y)},r.createElement("div",{id:"sug-noResultsFound",role:"option"},P?P(void 0,W):W())):this._renderSuggestions(),f&&b&&r.createElement(a.CommandButton,{componentRef:this._searchForMoreButton,className:this._classNames.searchForMoreButton,iconProps:h||{iconName:"Search"},id:G,onClick:this._getMoreResults,"data-automationid":"sug-searchForMore",role:"option"},f),C?r.createElement(s.Spinner,n.__assign({},H,{ariaLabel:k,label:k})):null,!z||b||I||C?null:r.createElement("div",{className:this._classNames.title},z(this.props)))},t.prototype.hasSuggestedAction=function(){return!!this._searchForMoreButton.current||!!this._forceResolveButton.current},t.prototype.hasSuggestedActionSelected=function(){return this.state.selectedActionType!==c.SuggestionActionType.none},t.prototype.executeSelectedAction=function(){switch(this.state.selectedActionType){case c.SuggestionActionType.forceResolve:this._forceResolve();break;case c.SuggestionActionType.searchMore:this._getMoreResults()}},t.prototype.focusAboveSuggestions=function(){this._forceResolveButton.current?this.setState({selectedActionType:c.SuggestionActionType.forceResolve}):this._searchForMoreButton.current&&this.setState({selectedActionType:c.SuggestionActionType.searchMore})},t.prototype.focusBelowSuggestions=function(){this._searchForMoreButton.current?this.setState({selectedActionType:c.SuggestionActionType.searchMore}):this._forceResolveButton.current&&this.setState({selectedActionType:c.SuggestionActionType.forceResolve})},t.prototype.focusSearchForMoreButton=function(){this._searchForMoreButton.current&&this._searchForMoreButton.current.focus()},t.prototype.scrollSelected=function(){if(this._selectedElement.current&&this._scrollContainer.current&&void 0!==this._scrollContainer.current.scrollTo){var e=this._selectedElement.current,t=e.offsetHeight,o=e.offsetTop,n=this._scrollContainer.current,r=n.offsetHeight,i=n.scrollTop,a=o+t>i+r;o=a?c.slice(d-a+1,d+1):c.slice(0,a)),0===c.length?null:r.createElement("div",{className:this._classNames.suggestionsContainer,ref:this._scrollContainer,role:"presentation"},c.map((function(t,a){return r.createElement("div",{ref:t.selected?e._selectedElement:void 0,key:t.item.key?t.item.key:a,role:"presentation"},r.createElement(u,{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,removeButtonIconProps:l}))})))},t}(r.Component);t.Suggestions=h},59811:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.suggestionsAvailable=t.suggestionsSpinner=t.suggestionsNone=t.suggestionsContainer=t.suggestionsTitle=t.buttonSelected=t.actionButton=t.itemButton=t.suggestionsItemIsSuggested=t.closeButton=t.suggestionsItem=t.root=void 0,(0,o(65715).loadStyles)([{rawString:".root_8c91000a{min-width:260px}.suggestionsItem_8c91000a{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_8c91000a:hover{background:"},{theme:"neutralLighter",defaultValue:"#f3f2f1"},{rawString:"}.suggestionsItem_8c91000a:hover .closeButton_8c91000a{display:block}.suggestionsItem_8c91000a.suggestionsItemIsSuggested_8c91000a{background:"},{theme:"neutralLight",defaultValue:"#edebe9"},{rawString:"}.suggestionsItem_8c91000a.suggestionsItemIsSuggested_8c91000a:hover{background:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c6c4"},{rawString:"}@media screen and (-ms-high-contrast:active),screen and (forced-colors:active){.suggestionsItem_8c91000a.suggestionsItemIsSuggested_8c91000a:hover{background:Highlight;color:HighlightText}}@media screen and (-ms-high-contrast:active),screen and (forced-colors:active){.suggestionsItem_8c91000a.suggestionsItemIsSuggested_8c91000a{background:Highlight;color:HighlightText;-ms-high-contrast-adjust:none}}.suggestionsItem_8c91000a.suggestionsItemIsSuggested_8c91000a .closeButton_8c91000a:hover{background:"},{theme:"neutralTertiary",defaultValue:"#a19f9d"},{rawString:";color:"},{theme:"neutralPrimary",defaultValue:"#323130"},{rawString:"}@media screen and (-ms-high-contrast:active),screen and (forced-colors:active){.suggestionsItem_8c91000a.suggestionsItemIsSuggested_8c91000a .itemButton_8c91000a{color:HighlightText}}.suggestionsItem_8c91000a .closeButton_8c91000a{display:none;color:"},{theme:"neutralSecondary",defaultValue:"#605e5c"},{rawString:"}.suggestionsItem_8c91000a .closeButton_8c91000a:hover{background:"},{theme:"neutralLight",defaultValue:"#edebe9"},{rawString:"}.actionButton_8c91000a{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_8c91000a{padding-left:8px}[dir=rtl] .actionButton_8c91000a{padding-right:8px}html[dir=ltr] .actionButton_8c91000a{text-align:left}html[dir=rtl] .actionButton_8c91000a{text-align:right}.actionButton_8c91000a:hover{background-color:"},{theme:"neutralLight",defaultValue:"#edebe9"},{rawString:";cursor:pointer}.actionButton_8c91000a:active,.actionButton_8c91000a:focus{background-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:"}.actionButton_8c91000a .ms-Button-icon{font-size:16px;width:25px}.actionButton_8c91000a .ms-Button-label{margin:0 4px 0 9px}html[dir=rtl] .actionButton_8c91000a .ms-Button-label{margin:0 9px 0 4px}.buttonSelected_8c91000a{background-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:"}.suggestionsTitle_8c91000a{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_8c91000a{overflow-y:auto;overflow-x:hidden;max-height:300px;border-bottom:1px solid "},{theme:"neutralLight",defaultValue:"#edebe9"},{rawString:"}.suggestionsNone_8c91000a{text-align:center;color:#797775;font-size:12px;line-height:30px}.suggestionsSpinner_8c91000a{margin:5px 0;white-space:nowrap;line-height:20px;font-size:12px}html[dir=ltr] .suggestionsSpinner_8c91000a{padding-left:14px}html[dir=rtl] .suggestionsSpinner_8c91000a{padding-right:14px}html[dir=ltr] .suggestionsSpinner_8c91000a{text-align:left}html[dir=rtl] .suggestionsSpinner_8c91000a{text-align:right}.suggestionsSpinner_8c91000a .ms-Spinner-circle{display:inline-block;vertical-align:middle}.suggestionsSpinner_8c91000a .ms-Spinner-label{display:inline-block;margin:0 10px 0 16px;vertical-align:middle}html[dir=rtl] .suggestionsSpinner_8c91000a .ms-Spinner-label{margin:0 16px 0 10px}.itemButton_8c91000a.itemButton_8c91000a{width:100%;padding:0;min-width:0;height:100%}@media screen and (-ms-high-contrast:active),screen and (forced-colors:active){.itemButton_8c91000a.itemButton_8c91000a{color:WindowText}}.itemButton_8c91000a.itemButton_8c91000a:hover{color:"},{theme:"neutralDark",defaultValue:"#201f1e"},{rawString:"}.closeButton_8c91000a.closeButton_8c91000a{padding:0 4px;height:auto;width:32px}@media screen and (-ms-high-contrast:active),screen and (forced-colors:active){.closeButton_8c91000a.closeButton_8c91000a{color:WindowText}}.closeButton_8c91000a.closeButton_8c91000a:hover{background:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c6c4"},{rawString:";color:"},{theme:"neutralDark",defaultValue:"#201f1e"},{rawString:"}.suggestionsAvailable_8c91000a{position:absolute;width:1px;height:1px;padding:0;margin:-1px;overflow:hidden;clip:rect(0,0,0,0);border:0}"}]),t.root="root_8c91000a",t.suggestionsItem="suggestionsItem_8c91000a",t.closeButton="closeButton_8c91000a",t.suggestionsItemIsSuggested="suggestionsItemIsSuggested_8c91000a",t.itemButton="itemButton_8c91000a",t.actionButton="actionButton_8c91000a",t.buttonSelected="buttonSelected_8c91000a",t.suggestionsTitle="suggestionsTitle_8c91000a",t.suggestionsContainer="suggestionsContainer_8c91000a",t.suggestionsNone="suggestionsNone_8c91000a",t.suggestionsSpinner="suggestionsSpinner_8c91000a",t.suggestionsAvailable="suggestionsAvailable_8c91000a"},11517:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(31635),r=o(15019),i={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"};t.getStyles=function(e){var t,o=e.className,a=e.suggestionsClassName,s=e.theme,l=e.forceResolveButtonSelected,c=e.searchForMoreButtonSelected,u=s.palette,d=s.semanticColors,p=s.fonts,m=(0,r.getGlobalClassNames)(i,s),g={backgroundColor:"transparent",border:0,cursor:"pointer",margin:0,paddingLeft:8,position:"relative",borderTop:"1px solid ".concat(u.neutralLight),height:40,textAlign:"left",width:"100%",fontSize:p.small.fontSize,selectors:{":hover":{backgroundColor:d.menuItemBackgroundPressed,cursor:"pointer"},":focus, :active":{backgroundColor:u.themeLight},".ms-Button-icon":{fontSize:p.mediumPlus.fontSize,width:25},".ms-Button-label":{margin:"0 4px 0 9px"}}},h={backgroundColor:u.themeLight,selectors:(t={},t[r.HighContrastSelector]=n.__assign({backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},(0,r.getHighContrastNoAdjustStyle)()),t)};return{root:[m.root,{minWidth:260},o],suggestionsContainer:[m.suggestionsContainer,{overflowY:"auto",overflowX:"hidden",maxHeight:300,transform:"translate3d(0,0,0)"},a],title:[m.title,{padding:"0 12px",fontSize:p.small.fontSize,color:u.themePrimary,lineHeight:40,borderBottom:"1px solid ".concat(d.menuItemBackgroundPressed)}],forceResolveButton:[m.forceResolveButton,g,l&&[m.isSelected,h]],searchForMoreButton:[m.searchForMoreButton,g,c&&[m.isSelected,h]],noSuggestions:[m.noSuggestions,{textAlign:"center",color:u.neutralSecondary,fontSize:p.small.fontSize,lineHeight:30}],suggestionsAvailable:[m.suggestionsAvailable,r.hiddenContentStyle],subComponentStyles:{spinner:{root:[m.spinner,{margin:"5px 0",paddingLeft:14,textAlign:"left",whiteSpace:"nowrap",lineHeight:20,fontSize:p.small.fontSize}],circle:{display:"inline-block",verticalAlign:"middle"},label:{display:"inline-block",verticalAlign:"middle",margin:"0 10px 0 16px"}}}}}},7730:(e,t)=>{"use strict";var o;Object.defineProperty(t,"__esModule",{value:!0}),t.SuggestionActionType=void 0,(o=t.SuggestionActionType||(t.SuggestionActionType={}))[o.none=0]="none",o[o.forceResolve=1]="forceResolve",o[o.searchMore=2]="searchMore"},82769:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.SuggestionsController=void 0;var o=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.ariaLabel}},this.suggestions=[],this.currentIndex=-1}return e.prototype.updateSuggestions=function(e,t,o){if(e&&e.length>0){if(o&&e.length>o){var n=t&&t>o?t+1-o:0;e=e.slice(n,n+o-1)}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])}else 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}();t.SuggestionsController=o},74902:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.SuggestionsItem=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(74393),s=o(59811),l=(0,i.classNamesFunction)(),c=function(e){function t(t){var o=e.call(this,t)||this;return(0,i.initializeComponentRef)(o),o}return n.__extends(t,e),t.prototype.render=function(){var e,t=this.props,o=t.suggestionModel,n=t.RenderSuggestion,c=t.onClick,u=t.className,d=t.id,p=t.onRemoveItem,m=t.isSelectedOverride,g=t.removeButtonAriaLabel,h=t.styles,f=t.theme,v=t.removeButtonIconProps,b=h?l(h,{theme:f,className:u,suggested:o.selected||m}):{root:(0,i.css)("ms-Suggestions-item",s.suggestionsItem,(e={},e["is-suggested "+s.suggestionsItemIsSuggested]=o.selected||m,e),u),itemButton:(0,i.css)("ms-Suggestions-itemButton",s.itemButton),closeButton:(0,i.css)("ms-Suggestions-closeButton",s.closeButton)};return r.createElement("div",{className:b.root,role:"presentation"},r.createElement(a.CommandButton,{onClick:c,className:b.itemButton,id:d,"aria-selected":o.selected,role:"option","aria-label":o.ariaLabel},n(o.item,this.props)),this.props.showRemoveButton?r.createElement(a.IconButton,{iconProps:null!=v?v:{iconName:"Cancel"},styles:{icon:{fontSize:"12px"}},title:g,ariaLabel:g,onClick:p,className:b.closeButton}):null)},t}(r.Component);t.SuggestionsItem=c},51504:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=t.SuggestionsItemGlobalClassNames=void 0;var n=o(31635),r=o(15019),i=o(71061);t.SuggestionsItemGlobalClassNames={root:"ms-Suggestions-item",itemButton:"ms-Suggestions-itemButton",closeButton:"ms-Suggestions-closeButton",isSuggested:"is-suggested"},t.getStyles=function(e){var o,a,s,l,c,u,d=e.className,p=e.theme,m=e.suggested,g=p.palette,h=p.semanticColors,f=(0,r.getGlobalClassNames)(t.SuggestionsItemGlobalClassNames,p);return{root:[f.root,{display:"flex",alignItems:"stretch",boxSizing:"border-box",width:"100%",position:"relative",selectors:{"&:hover":{background:h.menuItemBackgroundHovered},"&:hover .ms-Suggestions-closeButton":{display:"block"}}},m&&{selectors:(o={},o[".".concat(i.IsFocusVisibleClassName," &, :host(.").concat(i.IsFocusVisibleClassName,") &")]={selectors:(a={},a[".".concat(f.closeButton)]={display:"block",background:h.menuItemBackgroundPressed},a)},o[":after"]={pointerEvents:"none",content:'""',position:"absolute",left:0,top:0,bottom:0,right:0,border:"1px solid ".concat(p.semanticColors.focusBorder)},o)},d],itemButton:[f.itemButton,{width:"100%",padding:0,border:"none",height:"100%",minWidth:0,overflow:"hidden",selectors:(s={},s[r.HighContrastSelector]={color:"WindowText",selectors:{":hover":n.__assign({background:"Highlight",color:"HighlightText"},(0,r.getHighContrastNoAdjustStyle)())}},s[":hover"]={color:h.menuItemTextHovered},s)},m&&[f.isSuggested,{background:h.menuItemBackgroundPressed,selectors:(l={":hover":{background:h.menuDivider}},l[r.HighContrastSelector]=n.__assign({background:"Highlight",color:"HighlightText"},(0,r.getHighContrastNoAdjustStyle)()),l)}]],closeButton:[f.closeButton,{display:"none",color:g.neutralSecondary,padding:"0 4px",height:"auto",width:32,selectors:(c={":hover, :active":{background:g.neutralTertiaryAlt,color:g.neutralDark}},c[r.HighContrastSelector]={color:"WindowText"},c)},m&&(u={},u[".".concat(i.IsFocusVisibleClassName," &, :host(.").concat(i.IsFocusVisibleClassName,") &")]={selectors:{":hover, :active":{background:g.neutralTertiary}}},u.selectors={":hover, :active":{background:g.neutralTertiary,color:g.neutralPrimary}},u)]}}},22545:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},56020:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.TagItem=t.TagItemBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(74393),s=o(88022),l=o(25698),c=(0,i.classNamesFunction)();t.TagItemBase=function(e){var t=e.theme,o=e.styles,i=e.selected,s=e.disabled,u=e.enableTagFocusInDisabledPicker,d=e.children,p=e.className,m=e.index,g=e.onRemoveItem,h=e.removeButtonAriaLabel,f=e.title,v=void 0===f?"string"==typeof e.children?e.children:e.item.name:f,b=e.removeButtonIconProps,y=r.createRef(),_=c(o,{theme:t,className:p,selected:i,disabled:s}),S=(0,l.useId)(),C=u?{"aria-disabled":s,tabindex:0}:{disabled:s};return r.createElement("div",{"data-selection-index":m,className:_.root,role:"listitem",key:m,onClick:function(){var e;null===(e=y.current)||void 0===e||e.focus()}},r.createElement("span",{className:_.text,title:v,id:"".concat(S,"-text")},d),r.createElement(a.IconButton,n.__assign({componentRef:y,id:S,onClick:g},C,{iconProps:null!=b?b:{iconName:"Cancel"},styles:{icon:{fontSize:"12px"}},className:_.close,"aria-labelledby":"".concat(S,"-removeLabel ").concat(S,"-text")})),r.createElement("span",{id:"".concat(S,"-removeLabel"),hidden:!0},h))},t.TagItem=(0,i.styled)(t.TagItemBase,s.getStyles,void 0,{scope:"TagItem"})},88022:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r=o(21550),i=o(71061),a={root:"ms-TagItem",text:"ms-TagItem-text",close:"ms-TagItem-close",isSelected:"is-selected"};t.getStyles=function(e){var t,o,s,l,c,u=e.className,d=e.theme,p=e.selected,m=e.disabled,g=d.palette,h=d.effects,f=d.fonts,v=d.semanticColors,b=(0,n.getGlobalClassNames)(a,d);return{root:[b.root,f.medium,(0,n.getFocusStyle)(d),{boxSizing:"content-box",flexShrink:"1",margin:2,height:26,lineHeight:26,cursor:"default",userSelect:"none",display:"flex",flexWrap:"nowrap",maxWidth:300,minWidth:0,borderRadius:h.roundedCorner2,color:v.inputText,background:g.neutralLighter,selectors:(t={":hover":[!m&&!p&&{color:g.neutralDark,background:g.neutralLight,selectors:{".ms-TagItem-close":{color:g.neutralPrimary}}},m&&{background:g.neutralLighter}]},t[n.HighContrastSelector]={border:"1px solid ".concat(p?"WindowFrame":"WindowText")},t)},m&&{selectors:(o={},o[n.HighContrastSelector]={borderColor:"GrayText"},o)},p&&!m&&[b.isSelected,{":focus-within":{background:g.themePrimary,color:g.white}}],u],text:[b.text,{overflow:"hidden",textOverflow:"ellipsis",whiteSpace:"nowrap",minWidth:30,margin:"0 8px"},m&&{selectors:(s={},s[n.HighContrastSelector]={color:"GrayText"},s)}],close:[b.close,(0,n.getFocusStyle)(d,{borderColor:"transparent",inset:1,outlineColor:g.white}),{color:g.neutralSecondary,width:30,height:"100%",flex:"0 0 auto",borderRadius:(0,i.getRTL)(d)?"".concat(h.roundedCorner2," 0 0 ").concat(h.roundedCorner2):"0 ".concat(h.roundedCorner2," ").concat(h.roundedCorner2," 0"),selectors:(l={":hover":{background:g.neutralQuaternaryAlt,color:g.neutralPrimary}},l[".".concat(b.isSelected," &:focus")]={color:g.white,background:g.themePrimary},l[":focus:hover"]={color:g.white,background:g.themeDark},l[":active"]={color:g.white,backgroundColor:g.themeDark},l)},m&&{selectors:(c={},c[".".concat(r.ButtonGlobalClassNames.msButtonIcon)]={color:g.neutralSecondary},c)}]}}},9340:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.TagItemSuggestion=t.TagItemSuggestionBase=void 0;var n=o(83923),r=o(71061),i=o(28254),a=(0,r.classNamesFunction)();t.TagItemSuggestionBase=function(e){var t=e.styles,o=e.theme,r=e.children,i=a(t,{theme:o});return n.createElement("div",{className:i.suggestionTextOverflow}," ",r," ")},t.TagItemSuggestion=(0,r.styled)(t.TagItemSuggestionBase,i.getStyles,void 0,{scope:"TagItemSuggestion"})},28254:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r={suggestionTextOverflow:"ms-TagItem-TextOverflow"};t.getStyles=function(e){var t=e.className,o=e.theme;return{suggestionTextOverflow:[(0,n.getGlobalClassNames)(r,o).suggestionTextOverflow,{overflow:"hidden",textOverflow:"ellipsis",maxWidth:"60vw",padding:"6px 12px 7px",whiteSpace:"nowrap"},t]}}},23197:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.TagPicker=t.TagPickerBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(20375),s=o(40827),l=o(56020),c=o(9340),u=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return n.__extends(t,e),t.defaultProps={onRenderItem:function(e){return r.createElement(l.TagItem,n.__assign({},e),e.item.name)},onRenderSuggestionsItem:function(e){return r.createElement(c.TagItemSuggestion,null,e.name)}},t}(a.BasePicker);t.TagPickerBase=u,t.TagPicker=(0,i.styled)(u,s.getStyles,void 0,{scope:"TagPicker"})},30686:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},93694:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getTagItemSuggestionStyles=t.getTagItemStyles=t.getPeoplePickerItemSuggestionStyles=t.getPeoplePickerItemStyles=t.getBasePickerStyles=t.getSuggestionsItemStyles=t.getSuggestionsStyles=void 0;var n=o(31635);n.__exportStar(o(89929),t);var r=o(11517);Object.defineProperty(t,"getSuggestionsStyles",{enumerable:!0,get:function(){return r.getStyles}}),n.__exportStar(o(7730),t),n.__exportStar(o(74902),t);var i=o(51504);Object.defineProperty(t,"getSuggestionsItemStyles",{enumerable:!0,get:function(){return i.getStyles}}),n.__exportStar(o(22545),t),n.__exportStar(o(82769),t),n.__exportStar(o(59218),t),n.__exportStar(o(65461),t),n.__exportStar(o(20375),t);var a=o(40827);Object.defineProperty(t,"getBasePickerStyles",{enumerable:!0,get:function(){return a.getStyles}}),n.__exportStar(o(50496),t),n.__exportStar(o(36434),t),n.__exportStar(o(5109),t);var s=o(48940);Object.defineProperty(t,"getPeoplePickerItemStyles",{enumerable:!0,get:function(){return s.getStyles}}),n.__exportStar(o(20397),t),n.__exportStar(o(73386),t),n.__exportStar(o(27810),t);var l=o(72740);Object.defineProperty(t,"getPeoplePickerItemSuggestionStyles",{enumerable:!0,get:function(){return l.getStyles}}),n.__exportStar(o(23197),t),n.__exportStar(o(30686),t),n.__exportStar(o(56020),t);var c=o(88022);Object.defineProperty(t,"getTagItemStyles",{enumerable:!0,get:function(){return c.getStyles}}),n.__exportStar(o(9340),t);var u=o(28254);Object.defineProperty(t,"getTagItemSuggestionStyles",{enumerable:!0,get:function(){return u.getStyles}})},52557:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.MAX_COLOR_HUE=t.MAX_COLOR_ALPHA=t.HEX_REGEX=t.CoachmarkBase=t.Coachmark=t.COACHMARK_ATTRIBUTE_NAME=t.ChoiceGroupOption=t.ChoiceGroupBase=t.ChoiceGroup=t.CheckboxBase=t.Checkbox=t.CheckBase=t.Check=t.FocusTrapCallout=t.DirectionalHint=t.CalloutContentBase=t.CalloutContent=t.Callout=t.defaultDayPickerStrings=t.defaultCalendarStrings=t.defaultCalendarNavigationIcons=t.FirstWeekOfYear=t.DayOfWeek=t.DateRangeType=t.Calendar=t.AnimationDirection=t.ButtonGridCell=t.ButtonGrid=t.getSplitButtonClassNames=t.PrimaryButton=t.MessageBarButton=t.IconButton=t.ElementType=t.DefaultButton=t.CompoundButton=t.CommandButton=t.CommandBarButton=t.ButtonType=t.ButtonGlobalClassNames=t.Button=t.BaseButton=t.ActionButton=t.BreadcrumbBase=t.Breadcrumb=t.AnnouncedBase=t.Announced=t.Autofill=t.getActivityItemStyles=t.getActivityItemClassNames=t.ActivityItem=void 0,t.canAnyMenuItemsCheck=t.ContextualMenuItemType=t.ContextualMenuItemBase=t.ContextualMenuItem=t.ContextualMenuBase=t.ContextualMenu=t.getCommandButtonStyles=t.getCommandBarStyles=t.CommandBarBase=t.CommandBar=t.VirtualizedComboBox=t.ComboBox=t.ColorPickerBase=t.ColorPicker=t.updateT=t.updateSV=t.updateRGB=t.updateH=t.updateA=t.rgb2hsv=t.rgb2hex=t.isValidShade=t.isDark=t.hsv2rgb=t.hsv2hsl=t.hsv2hex=t.hsl2rgb=t.hsl2hsv=t.getShade=t.getFullColorString=t.getContrastRatio=t.getColorFromString=t.getColorFromRGBA=t.getColorFromHSV=t.getBackgroundShade=t.cssColor=t.correctRGB=t.correctHex=t.correctHSV=t.clamp=t.Shade=t.RGBA_REGEX=t.MIN_RGBA_LENGTH=t.MIN_HEX_LENGTH=t.MAX_RGBA_LENGTH=t.MAX_HEX_LENGTH=t.MAX_COLOR_VALUE=t.MAX_COLOR_SATURATION=t.MAX_COLOR_RGBA=t.MAX_COLOR_RGB=void 0,t.SELECTION_CHANGE=t.HEADER_HEIGHT=t.DetailsRowGlobalClassNames=t.DetailsRowFields=t.DetailsRowCheck=t.DetailsRowBase=t.DetailsRow=t.DetailsListLayoutMode=t.DetailsListBase=t.DetailsList=t.DetailsHeaderBase=t.DetailsHeader=t.DetailsColumnBase=t.DetailsColumn=t.DEFAULT_ROW_HEIGHTS=t.DEFAULT_CELL_STYLE_PROPS=t.ConstrainMode=t.ColumnDragEndLocation=t.ColumnActionsMode=t.CollapseAllVisibility=t.CheckboxVisibility=t.CHECK_CELL_WIDTH=t.setMonth=t.isInDateRangeArray=t.getYearStart=t.getYearEnd=t.getWeekNumbersInMonth=t.getWeekNumber=t.getStartDateOfWeek=t.getMonthStart=t.getMonthEnd=t.getEndDateOfWeek=t.getDateRangeArray=t.getDatePartHashValue=t.compareDates=t.compareDatePart=t.addYears=t.addWeeks=t.addMonths=t.addDays=t.TimeConstants=t.MonthOfYear=t.DAYS_IN_WEEK=t.defaultDatePickerStrings=t.DatePickerBase=t.DatePicker=t.getSubmenuItems=t.getMenuItemStyles=t.getContextualMenuItemStyles=t.getContextualMenuItemClassNames=void 0,t.SuggestionsHeaderFooterItem=t.SuggestionsCore=t.SuggestionsControl=t.SuggestionItemType=t.FloatingPeoplePicker=t.BaseFloatingPicker=t.BaseFloatingPeoplePicker=t.OverflowButtonType=t.FacepileBase=t.Facepile=t.FabricBase=t.Fabric=t.ExtendedPeoplePicker=t.BaseExtendedPicker=t.BaseExtendedPeoplePicker=t.DropdownMenuItemType=t.DropdownBase=t.Dropdown=t.DragDropHelper=t.DocumentCardType=t.DocumentCardTitle=t.DocumentCardStatus=t.DocumentCardPreview=t.DocumentCardLogo=t.DocumentCardLocation=t.DocumentCardImage=t.DocumentCardDetails=t.DocumentCardActivity=t.DocumentCardActions=t.DocumentCard=t.VerticalDivider=t.DialogType=t.DialogFooterBase=t.DialogFooter=t.DialogContentBase=t.DialogContent=t.DialogBase=t.Dialog=t.getDetailsRowStyles=t.getDetailsRowCheckStyles=t.getDetailsListStyles=t.getDetailsHeaderStyles=t.getDetailsColumnStyles=t.getCellStyles=t.buildColumns=t.SelectionZone=t.SelectionMode=t.SelectionDirection=t.Selection=t.SelectAllVisibility=void 0,t.KeytipLayerBase=t.KeytipLayer=t.KeytipEvents=t.KeytipData=t.Keytip=t.KTP_SEPARATOR=t.KTP_PREFIX=t.KTP_LAYER_ID=t.KTP_FULL_PREFIX=t.KTP_ARIA_SEPARATOR=t.DATAKTP_TARGET=t.DATAKTP_EXECUTE_TARGET=t.DATAKTP_ARIA_TARGET=t.ImageLoadState=t.ImageFit=t.ImageCoverStyle=t.ImageBase=t.Image=t.initializeIcons=t.getIconContent=t.getFontIcon=t.ImageIcon=t.IconType=t.IconBase=t.Icon=t.FontIcon=t.PlainCardBase=t.PlainCard=t.OpenCardMode=t.HoverCardType=t.HoverCardBase=t.HoverCard=t.ExpandingCardMode=t.ExpandingCardBase=t.ExpandingCard=t.GroupedListV2_unstable=t.GroupedListSection=t.GroupedListBase=t.GroupedList=t.GroupSpacer=t.GroupShowAll=t.GroupHeader=t.GroupFooter=t.GetGroupCount=t.FocusZoneTabbableElements=t.FocusZoneDirection=t.FocusZone=t.FocusTrapZone=t.createItem=t.SuggestionsStore=void 0,t.PersonaBase=t.Persona=t.PanelType=t.PanelBase=t.Panel=t.OverlayBase=t.Overlay=t.OverflowSetBase=t.OverflowSet=t.isRelativeUrl=t.NavBase=t.Nav=t.ModalBase=t.Modal=t.MessageBarType=t.MessageBarBase=t.MessageBar=t.MarqueeSelection=t.ScrollToMode=t.List=t.LinkBase=t.Link=t.unregisterLayerHost=t.unregisterLayer=t.setLayerHostSelector=t.registerLayerHost=t.registerLayer=t.notifyHostChanged=t.getLayerStyles=t.getLayerHostSelector=t.getLayerHost=t.getLayerCount=t.createDefaultLayerHost=t.cleanupDefaultLayerHost=t.LayerHost=t.LayerBase=t.Layer=t.LabelBase=t.Label=t.useKeytipRef=t.transitionKeysContain=t.transitionKeysAreEqual=t.sequencesToID=t.mergeOverflows=t.ktpTargetFromSequences=t.ktpTargetFromId=t.getAriaDescribedBy=t.constructKeytip=t.buildKeytipConfigMap=t.KeytipManager=void 0,t.Popup=t.PivotLinkSize=t.PivotLinkFormat=t.PivotItem=t.PivotBase=t.Pivot=t.getTagItemSuggestionStyles=t.getTagItemStyles=t.getSuggestionsStyles=t.getSuggestionsItemStyles=t.getPeoplePickerItemSuggestionStyles=t.getPeoplePickerItemStyles=t.getBasePickerStyles=t.createGenericItem=t.ValidationState=t.TagPickerBase=t.TagPicker=t.TagItemSuggestionBase=t.TagItemSuggestion=t.TagItemBase=t.TagItem=t.SuggestionsItem=t.SuggestionsController=t.Suggestions=t.SuggestionActionType=t.PeoplePickerItemSuggestionBase=t.PeoplePickerItemSuggestion=t.PeoplePickerItemBase=t.PeoplePickerItem=t.NormalPeoplePickerBase=t.NormalPeoplePicker=t.MemberListPeoplePicker=t.ListPeoplePickerBase=t.ListPeoplePicker=t.CompactPeoplePickerBase=t.CompactPeoplePicker=t.BasePickerListBelow=t.BasePicker=t.BasePeoplePicker=t.sizeToPixels=t.sizeBoolean=t.presenceBoolean=t.personaSize=t.personaPresenceSize=t.getPersonaInitialsColor=t.PersonaSize=t.PersonaPresence=t.PersonaInitialsColor=t.PersonaCoinBase=t.PersonaCoin=void 0,t.ShimmerElementsGroupBase=t.ShimmerElementsGroup=t.ShimmerElementsDefaultHeights=t.ShimmerElementType=t.ShimmerCircleBase=t.ShimmerCircle=t.ShimmerBase=t.Shimmer=t.SeparatorBase=t.Separator=t.SelectedPeopleList=t.ExtendedSelectedItem=t.BaseSelectedItemsList=t.BasePeopleSelectedItemsList=t.getAllSelectedOptions=t.SelectableOptionMenuItemType=t.SearchBoxBase=t.SearchBox=t.ScrollbarVisibility=t.ScrollablePaneContext=t.ScrollablePaneBase=t.ScrollablePane=t.withResponsiveMode=t.useResponsiveMode=t.setResponsiveMode=t.initializeResponsiveMode=t.getResponsiveMode=t.getInitialResponsiveMode=t.ResponsiveMode=t.getNextResizeGroupStateProvider=t.getMeasurementCache=t.ResizeGroupDirection=t.ResizeGroupBase=t.ResizeGroup=t.MeasuredContext=t.RatingSize=t.RatingBase=t.Rating=t.ProgressIndicatorBase=t.ProgressIndicator=t.useHeightOffset=t.PositioningContainer=t.positionElement=t.positionCard=t.positionCallout=t.getOppositeEdge=t.getMaxHeight=t.getBoundsFromTargetWindow=t.RectangleEdge=t.Position=void 0,t.ThemeSettingName=t.Stylesheet=t.ScreenWidthMinXXXLarge=t.ScreenWidthMinXXLarge=t.ScreenWidthMinXLarge=t.ScreenWidthMinUhfMobile=t.ScreenWidthMinSmall=t.ScreenWidthMinMedium=t.ScreenWidthMinLarge=t.ScreenWidthMaxXXLarge=t.ScreenWidthMaxXLarge=t.ScreenWidthMaxSmall=t.ScreenWidthMaxMedium=t.ScreenWidthMaxLarge=t.PulsingBeaconAnimationStyles=t.InjectionMode=t.IconFontSizes=t.HighContrastSelectorWhite=t.HighContrastSelectorBlack=t.HighContrastSelector=t.FontWeights=t.FontSizes=t.FontClassNames=t.EdgeChromiumHighContrastSelector=t.DefaultPalette=t.DefaultFontStyles=t.DefaultEffects=t.ColorClassNames=t.AnimationVariables=t.AnimationStyles=t.AnimationClassNames=t.StickyPositionType=t.Sticky=t.StackItem=t.Stack=t.SpinnerType=t.SpinnerSize=t.SpinnerBase=t.Spinner=t.SpinButton=t.KeyboardSpinDirection=t.SliderBase=t.Slider=t.getShimmeredDetailsListStyles=t.ShimmeredDetailsListBase=t.ShimmeredDetailsList=t.ShimmerLineBase=t.ShimmerLine=t.ShimmerGapBase=t.ShimmerGap=void 0,t.TextFieldBase=t.TextField=t.MaskedTextField=t.DEFAULT_MASK_CHAR=t.TextView=t.TextStyles=t.Text=t.TeachingBubbleContentBase=t.TeachingBubbleContent=t.TeachingBubbleBase=t.TeachingBubble=t.SwatchColorPickerBase=t.SwatchColorPicker=t.ColorPickerGridCellBase=t.ColorPickerGridCell=t.unregisterIcons=t.setIconOptions=t.removeOnThemeChangeCallback=t.registerOnThemeChangeCallback=t.registerIcons=t.registerIconAlias=t.registerDefaultFontFaces=t.normalize=t.noWrap=t.mergeStyles=t.mergeStyleSets=t.loadTheme=t.keyframes=t.hiddenContentStyle=t.getThemedContext=t.getTheme=t.getScreenSelector=t.getPlaceholderStyles=t.getInputFocusStyle=t.getIconClassName=t.getIcon=t.getHighContrastNoAdjustStyle=t.getGlobalClassNames=t.getFocusStyle=t.getFocusOutlineStyle=t.getFadedOverflowStyle=t.getEdgeChromiumNoHighContrastAdjustSelector=t.fontFace=t.focusClear=t.createTheme=t.createFontStyles=t.concatStyleSetsWithProps=t.concatStyleSets=t.buildClassMap=t.ZIndexes=void 0,t.classNamesFunction=t.canUseDOM=t.calculatePrecision=t.buttonProperties=t.baseElementProperties=t.baseElementEvents=t.audioProperties=t.assign=t.assertNever=t.asAsync=t.arraysEqual=t.appendFunction=t.anchorProperties=t.allowScrollOnElement=t.allowOverscrollOnElement=t.addElementAtIndex=t.addDirectionalKeyCode=t.Rectangle=t.KeyCodes=t.IsFocusVisibleClassName=t.GlobalSettings=t.FocusRectsProvider=t.FocusRectsContext=t.FocusRects=t.FabricPerformance=t.EventGroup=t.DelayedRender=t.DATA_PORTAL_ATTRIBUTE=t.DATA_IS_SCROLLABLE_ATTRIBUTE=t.CustomizerContext=t.Customizer=t.Customizations=t.BaseComponent=t.AutoScroll=t.Async=t.TooltipOverflowMode=t.TooltipHostBase=t.TooltipHost=t.TooltipDelay=t.TooltipBase=t.Tooltip=t.ToggleBase=t.Toggle=t.TimePicker=t.themeRulesStandardCreator=t.ThemeGenerator=t.SemanticColorSlots=t.FabricSlots=t.BaseSlots=t.getTextFieldStyles=void 0,t.getResourceUrl=t.getRect=t.getRTLSafeKeyCode=t.getRTL=t.getPropsWithDefaults=t.getPreviousElement=t.getParent=t.getNextElement=t.getNativeProps=t.getNativeElementProps=t.getLastTabbable=t.getLastFocusable=t.getLanguage=t.getInitials=t.getId=t.getFocusableByIndexPath=t.getFirstVisibleElementFromSelector=t.getFirstTabbable=t.getFirstFocusable=t.getElementIndexPath=t.getDocument=t.getDistanceBetweenPoints=t.getChildren=t.format=t.formProperties=t.focusFirstChild=t.focusAsync=t.flatten=t.fitContentToBounds=t.findScrollableParent=t.findIndex=t.findElementRecursive=t.find=t.filteredAssign=t.extendComponent=t.enableBodyScroll=t.elementContainsAttribute=t.elementContains=t.doesElementContainFocus=t.divProperties=t.disableBodyScroll=t.customizable=t.css=t.createMergedRef=t.createMemoizer=t.createArray=t.composeRenderFunction=t.composeComponentAs=t.colProperties=t.colGroupProperties=void 0,t.replaceElement=t.removeIndex=t.removeDirectionalKeyCode=t.raiseClick=t.precisionRound=t.portalContainsElement=t.optionProperties=t.on=t.omit=t.olProperties=t.nullRender=t.modalize=t.MergeStylesShadowRootProvider=t.MergeStylesRootProvider=t.mergeSettings=t.mergeScopedSettings=t.mergeCustomizations=t.mergeAriaAttributeValues=t.merge=t.memoizeFunction=t.memoize=t.mapEnumByName=t.liProperties=t.labelProperties=t.isVirtualElement=t.isMac=t.isIOS=t.isIE11=t.isElementVisibleAndNotHidden=t.isElementVisible=t.isElementTabbable=t.isElementFocusZone=t.isElementFocusSubZone=t.isDirectionalKeyCode=t.isControlled=t.inputProperties=t.initializeFocusRects=t.initializeComponentRef=t.imgProperties=t.imageProperties=t.iframeProperties=t.htmlElementProperties=t.hoistStatics=t.hoistMethods=t.hasVerticalOverflow=t.hasOverflow=t.hasHorizontalOverflow=t.getWindow=t.getVirtualParent=t.getScrollbarWidth=void 0,t.useWindow=t.useDocument=t.WindowProvider=t.WindowContext=t.defaultWeeklyDayPickerStrings=t.defaultWeeklyDayPickerNavigationIcons=t.WeeklyDayPicker=t.withViewport=t.warnMutuallyExclusive=t.warnDeprecations=t.warnControlledUsage=t.warnConditionallyRequiredProps=t.warn=t.videoProperties=t.values=t.useStyled=t.useShadowConfig=t.useMergeStylesShadowRootContext=t.useMergeStylesRootStylesheets=t.useMergeStylesHooks=t.useHasMergeStylesShadowRootContext=t.useFocusRects=t.useCustomizationSettings=t.useAdoptedStylesheetEx=t.useAdoptedStylesheet=t.unhoistMethods=t.trProperties=t.toMatrix=t.thProperties=t.textAreaProperties=t.tdProperties=t.tableProperties=t.styled=t.shouldWrapFocus=t.shallowCompare=t.setWarningCallback=t.setVirtualParent=t.setSSR=t.setRTL=t.setPortalAttribute=t.setMemoizeWeakMap=t.setLanguage=t.setFocusVisibility=t.setBaseUrl=t.selectProperties=t.safeSetTimeout=t.safeRequestAnimationFrame=t.resetMemoizations=t.resetIds=t.resetControlledWarnings=void 0,t.SharedColors=t.NeutralColors=t.MotionAnimations=t.MotionTimings=t.MotionDurations=t.mergeThemes=t.LocalizedFontNames=t.LocalizedFontFamilies=t.FluentTheme=t.Depths=t.DefaultSpacing=t.CommunicationColors=t.useTheme=t.makeStyles=t.ThemeProvider=t.ThemeContext=void 0;var n=o(28115);Object.defineProperty(t,"ActivityItem",{enumerable:!0,get:function(){return n.ActivityItem}}),Object.defineProperty(t,"getActivityItemClassNames",{enumerable:!0,get:function(){return n.getActivityItemClassNames}}),Object.defineProperty(t,"getActivityItemStyles",{enumerable:!0,get:function(){return n.getActivityItemStyles}});var r=o(95643);Object.defineProperty(t,"Autofill",{enumerable:!0,get:function(){return r.Autofill}});var i=o(89496);Object.defineProperty(t,"Announced",{enumerable:!0,get:function(){return i.Announced}}),Object.defineProperty(t,"AnnouncedBase",{enumerable:!0,get:function(){return i.AnnouncedBase}});var a=o(42792);Object.defineProperty(t,"Breadcrumb",{enumerable:!0,get:function(){return a.Breadcrumb}}),Object.defineProperty(t,"BreadcrumbBase",{enumerable:!0,get:function(){return a.BreadcrumbBase}});var s=o(74393);Object.defineProperty(t,"ActionButton",{enumerable:!0,get:function(){return s.ActionButton}}),Object.defineProperty(t,"BaseButton",{enumerable:!0,get:function(){return s.BaseButton}}),Object.defineProperty(t,"Button",{enumerable:!0,get:function(){return s.Button}}),Object.defineProperty(t,"ButtonGlobalClassNames",{enumerable:!0,get:function(){return s.ButtonGlobalClassNames}}),Object.defineProperty(t,"ButtonType",{enumerable:!0,get:function(){return s.ButtonType}}),Object.defineProperty(t,"CommandBarButton",{enumerable:!0,get:function(){return s.CommandBarButton}}),Object.defineProperty(t,"CommandButton",{enumerable:!0,get:function(){return s.CommandButton}}),Object.defineProperty(t,"CompoundButton",{enumerable:!0,get:function(){return s.CompoundButton}}),Object.defineProperty(t,"DefaultButton",{enumerable:!0,get:function(){return s.DefaultButton}}),Object.defineProperty(t,"ElementType",{enumerable:!0,get:function(){return s.ElementType}}),Object.defineProperty(t,"IconButton",{enumerable:!0,get:function(){return s.IconButton}}),Object.defineProperty(t,"MessageBarButton",{enumerable:!0,get:function(){return s.MessageBarButton}}),Object.defineProperty(t,"PrimaryButton",{enumerable:!0,get:function(){return s.PrimaryButton}}),Object.defineProperty(t,"getSplitButtonClassNames",{enumerable:!0,get:function(){return s.getSplitButtonClassNames}});var l=o(32865);Object.defineProperty(t,"ButtonGrid",{enumerable:!0,get:function(){return l.ButtonGrid}}),Object.defineProperty(t,"ButtonGridCell",{enumerable:!0,get:function(){return l.ButtonGridCell}});var c=o(33591);Object.defineProperty(t,"AnimationDirection",{enumerable:!0,get:function(){return c.AnimationDirection}}),Object.defineProperty(t,"Calendar",{enumerable:!0,get:function(){return c.Calendar}}),Object.defineProperty(t,"DateRangeType",{enumerable:!0,get:function(){return c.DateRangeType}}),Object.defineProperty(t,"DayOfWeek",{enumerable:!0,get:function(){return c.DayOfWeek}}),Object.defineProperty(t,"FirstWeekOfYear",{enumerable:!0,get:function(){return c.FirstWeekOfYear}}),Object.defineProperty(t,"defaultCalendarNavigationIcons",{enumerable:!0,get:function(){return c.defaultCalendarNavigationIcons}}),Object.defineProperty(t,"defaultCalendarStrings",{enumerable:!0,get:function(){return c.defaultCalendarStrings}}),Object.defineProperty(t,"defaultDayPickerStrings",{enumerable:!0,get:function(){return c.defaultDayPickerStrings}});var u=o(16473);Object.defineProperty(t,"Callout",{enumerable:!0,get:function(){return u.Callout}}),Object.defineProperty(t,"CalloutContent",{enumerable:!0,get:function(){return u.CalloutContent}}),Object.defineProperty(t,"CalloutContentBase",{enumerable:!0,get:function(){return u.CalloutContentBase}}),Object.defineProperty(t,"DirectionalHint",{enumerable:!0,get:function(){return u.DirectionalHint}}),Object.defineProperty(t,"FocusTrapCallout",{enumerable:!0,get:function(){return u.FocusTrapCallout}});var d=o(12945);Object.defineProperty(t,"Check",{enumerable:!0,get:function(){return d.Check}}),Object.defineProperty(t,"CheckBase",{enumerable:!0,get:function(){return d.CheckBase}});var p=o(71688);Object.defineProperty(t,"Checkbox",{enumerable:!0,get:function(){return p.Checkbox}}),Object.defineProperty(t,"CheckboxBase",{enumerable:!0,get:function(){return p.CheckboxBase}});var m=o(80227);Object.defineProperty(t,"ChoiceGroup",{enumerable:!0,get:function(){return m.ChoiceGroup}}),Object.defineProperty(t,"ChoiceGroupBase",{enumerable:!0,get:function(){return m.ChoiceGroupBase}}),Object.defineProperty(t,"ChoiceGroupOption",{enumerable:!0,get:function(){return m.ChoiceGroupOption}});var g=o(10346);Object.defineProperty(t,"COACHMARK_ATTRIBUTE_NAME",{enumerable:!0,get:function(){return g.COACHMARK_ATTRIBUTE_NAME}}),Object.defineProperty(t,"Coachmark",{enumerable:!0,get:function(){return g.Coachmark}}),Object.defineProperty(t,"CoachmarkBase",{enumerable:!0,get:function(){return g.CoachmarkBase}});var h=o(77378);Object.defineProperty(t,"HEX_REGEX",{enumerable:!0,get:function(){return h.HEX_REGEX}}),Object.defineProperty(t,"MAX_COLOR_ALPHA",{enumerable:!0,get:function(){return h.MAX_COLOR_ALPHA}}),Object.defineProperty(t,"MAX_COLOR_HUE",{enumerable:!0,get:function(){return h.MAX_COLOR_HUE}}),Object.defineProperty(t,"MAX_COLOR_RGB",{enumerable:!0,get:function(){return h.MAX_COLOR_RGB}}),Object.defineProperty(t,"MAX_COLOR_RGBA",{enumerable:!0,get:function(){return h.MAX_COLOR_RGBA}}),Object.defineProperty(t,"MAX_COLOR_SATURATION",{enumerable:!0,get:function(){return h.MAX_COLOR_SATURATION}}),Object.defineProperty(t,"MAX_COLOR_VALUE",{enumerable:!0,get:function(){return h.MAX_COLOR_VALUE}}),Object.defineProperty(t,"MAX_HEX_LENGTH",{enumerable:!0,get:function(){return h.MAX_HEX_LENGTH}}),Object.defineProperty(t,"MAX_RGBA_LENGTH",{enumerable:!0,get:function(){return h.MAX_RGBA_LENGTH}}),Object.defineProperty(t,"MIN_HEX_LENGTH",{enumerable:!0,get:function(){return h.MIN_HEX_LENGTH}}),Object.defineProperty(t,"MIN_RGBA_LENGTH",{enumerable:!0,get:function(){return h.MIN_RGBA_LENGTH}}),Object.defineProperty(t,"RGBA_REGEX",{enumerable:!0,get:function(){return h.RGBA_REGEX}}),Object.defineProperty(t,"Shade",{enumerable:!0,get:function(){return h.Shade}}),Object.defineProperty(t,"clamp",{enumerable:!0,get:function(){return h.clamp}}),Object.defineProperty(t,"correctHSV",{enumerable:!0,get:function(){return h.correctHSV}}),Object.defineProperty(t,"correctHex",{enumerable:!0,get:function(){return h.correctHex}}),Object.defineProperty(t,"correctRGB",{enumerable:!0,get:function(){return h.correctRGB}}),Object.defineProperty(t,"cssColor",{enumerable:!0,get:function(){return h.cssColor}}),Object.defineProperty(t,"getBackgroundShade",{enumerable:!0,get:function(){return h.getBackgroundShade}}),Object.defineProperty(t,"getColorFromHSV",{enumerable:!0,get:function(){return h.getColorFromHSV}}),Object.defineProperty(t,"getColorFromRGBA",{enumerable:!0,get:function(){return h.getColorFromRGBA}}),Object.defineProperty(t,"getColorFromString",{enumerable:!0,get:function(){return h.getColorFromString}}),Object.defineProperty(t,"getContrastRatio",{enumerable:!0,get:function(){return h.getContrastRatio}}),Object.defineProperty(t,"getFullColorString",{enumerable:!0,get:function(){return h.getFullColorString}}),Object.defineProperty(t,"getShade",{enumerable:!0,get:function(){return h.getShade}}),Object.defineProperty(t,"hsl2hsv",{enumerable:!0,get:function(){return h.hsl2hsv}}),Object.defineProperty(t,"hsl2rgb",{enumerable:!0,get:function(){return h.hsl2rgb}}),Object.defineProperty(t,"hsv2hex",{enumerable:!0,get:function(){return h.hsv2hex}}),Object.defineProperty(t,"hsv2hsl",{enumerable:!0,get:function(){return h.hsv2hsl}}),Object.defineProperty(t,"hsv2rgb",{enumerable:!0,get:function(){return h.hsv2rgb}}),Object.defineProperty(t,"isDark",{enumerable:!0,get:function(){return h.isDark}}),Object.defineProperty(t,"isValidShade",{enumerable:!0,get:function(){return h.isValidShade}}),Object.defineProperty(t,"rgb2hex",{enumerable:!0,get:function(){return h.rgb2hex}}),Object.defineProperty(t,"rgb2hsv",{enumerable:!0,get:function(){return h.rgb2hsv}}),Object.defineProperty(t,"updateA",{enumerable:!0,get:function(){return h.updateA}}),Object.defineProperty(t,"updateH",{enumerable:!0,get:function(){return h.updateH}}),Object.defineProperty(t,"updateRGB",{enumerable:!0,get:function(){return h.updateRGB}}),Object.defineProperty(t,"updateSV",{enumerable:!0,get:function(){return h.updateSV}}),Object.defineProperty(t,"updateT",{enumerable:!0,get:function(){return h.updateT}});var f=o(17384);Object.defineProperty(t,"ColorPicker",{enumerable:!0,get:function(){return f.ColorPicker}}),Object.defineProperty(t,"ColorPickerBase",{enumerable:!0,get:function(){return f.ColorPickerBase}});var v=o(60994);Object.defineProperty(t,"ComboBox",{enumerable:!0,get:function(){return v.ComboBox}}),Object.defineProperty(t,"VirtualizedComboBox",{enumerable:!0,get:function(){return v.VirtualizedComboBox}});var b=o(11743);Object.defineProperty(t,"CommandBar",{enumerable:!0,get:function(){return b.CommandBar}}),Object.defineProperty(t,"CommandBarBase",{enumerable:!0,get:function(){return b.CommandBarBase}}),Object.defineProperty(t,"getCommandBarStyles",{enumerable:!0,get:function(){return b.getCommandBarStyles}}),Object.defineProperty(t,"getCommandButtonStyles",{enumerable:!0,get:function(){return b.getCommandButtonStyles}});var y=o(52521);Object.defineProperty(t,"ContextualMenu",{enumerable:!0,get:function(){return y.ContextualMenu}}),Object.defineProperty(t,"ContextualMenuBase",{enumerable:!0,get:function(){return y.ContextualMenuBase}}),Object.defineProperty(t,"ContextualMenuItem",{enumerable:!0,get:function(){return y.ContextualMenuItem}}),Object.defineProperty(t,"ContextualMenuItemBase",{enumerable:!0,get:function(){return y.ContextualMenuItemBase}}),Object.defineProperty(t,"ContextualMenuItemType",{enumerable:!0,get:function(){return y.ContextualMenuItemType}}),Object.defineProperty(t,"canAnyMenuItemsCheck",{enumerable:!0,get:function(){return y.canAnyMenuItemsCheck}}),Object.defineProperty(t,"getContextualMenuItemClassNames",{enumerable:!0,get:function(){return y.getContextualMenuItemClassNames}}),Object.defineProperty(t,"getContextualMenuItemStyles",{enumerable:!0,get:function(){return y.getContextualMenuItemStyles}}),Object.defineProperty(t,"getMenuItemStyles",{enumerable:!0,get:function(){return y.getMenuItemStyles}}),Object.defineProperty(t,"getSubmenuItems",{enumerable:!0,get:function(){return y.getSubmenuItems}});var _=o(46831);Object.defineProperty(t,"DatePicker",{enumerable:!0,get:function(){return _.DatePicker}}),Object.defineProperty(t,"DatePickerBase",{enumerable:!0,get:function(){return _.DatePickerBase}}),Object.defineProperty(t,"defaultDatePickerStrings",{enumerable:!0,get:function(){return _.defaultDatePickerStrings}});var S=o(80102);Object.defineProperty(t,"DAYS_IN_WEEK",{enumerable:!0,get:function(){return S.DAYS_IN_WEEK}}),Object.defineProperty(t,"MonthOfYear",{enumerable:!0,get:function(){return S.MonthOfYear}}),Object.defineProperty(t,"TimeConstants",{enumerable:!0,get:function(){return S.TimeConstants}}),Object.defineProperty(t,"addDays",{enumerable:!0,get:function(){return S.addDays}}),Object.defineProperty(t,"addMonths",{enumerable:!0,get:function(){return S.addMonths}}),Object.defineProperty(t,"addWeeks",{enumerable:!0,get:function(){return S.addWeeks}}),Object.defineProperty(t,"addYears",{enumerable:!0,get:function(){return S.addYears}}),Object.defineProperty(t,"compareDatePart",{enumerable:!0,get:function(){return S.compareDatePart}}),Object.defineProperty(t,"compareDates",{enumerable:!0,get:function(){return S.compareDates}}),Object.defineProperty(t,"getDatePartHashValue",{enumerable:!0,get:function(){return S.getDatePartHashValue}}),Object.defineProperty(t,"getDateRangeArray",{enumerable:!0,get:function(){return S.getDateRangeArray}}),Object.defineProperty(t,"getEndDateOfWeek",{enumerable:!0,get:function(){return S.getEndDateOfWeek}}),Object.defineProperty(t,"getMonthEnd",{enumerable:!0,get:function(){return S.getMonthEnd}}),Object.defineProperty(t,"getMonthStart",{enumerable:!0,get:function(){return S.getMonthStart}}),Object.defineProperty(t,"getStartDateOfWeek",{enumerable:!0,get:function(){return S.getStartDateOfWeek}}),Object.defineProperty(t,"getWeekNumber",{enumerable:!0,get:function(){return S.getWeekNumber}}),Object.defineProperty(t,"getWeekNumbersInMonth",{enumerable:!0,get:function(){return S.getWeekNumbersInMonth}}),Object.defineProperty(t,"getYearEnd",{enumerable:!0,get:function(){return S.getYearEnd}}),Object.defineProperty(t,"getYearStart",{enumerable:!0,get:function(){return S.getYearStart}}),Object.defineProperty(t,"isInDateRangeArray",{enumerable:!0,get:function(){return S.isInDateRangeArray}}),Object.defineProperty(t,"setMonth",{enumerable:!0,get:function(){return S.setMonth}});var C=o(84803);Object.defineProperty(t,"CHECK_CELL_WIDTH",{enumerable:!0,get:function(){return C.CHECK_CELL_WIDTH}}),Object.defineProperty(t,"CheckboxVisibility",{enumerable:!0,get:function(){return C.CheckboxVisibility}}),Object.defineProperty(t,"CollapseAllVisibility",{enumerable:!0,get:function(){return C.CollapseAllVisibility}}),Object.defineProperty(t,"ColumnActionsMode",{enumerable:!0,get:function(){return C.ColumnActionsMode}}),Object.defineProperty(t,"ColumnDragEndLocation",{enumerable:!0,get:function(){return C.ColumnDragEndLocation}}),Object.defineProperty(t,"ConstrainMode",{enumerable:!0,get:function(){return C.ConstrainMode}}),Object.defineProperty(t,"DEFAULT_CELL_STYLE_PROPS",{enumerable:!0,get:function(){return C.DEFAULT_CELL_STYLE_PROPS}}),Object.defineProperty(t,"DEFAULT_ROW_HEIGHTS",{enumerable:!0,get:function(){return C.DEFAULT_ROW_HEIGHTS}}),Object.defineProperty(t,"DetailsColumn",{enumerable:!0,get:function(){return C.DetailsColumn}}),Object.defineProperty(t,"DetailsColumnBase",{enumerable:!0,get:function(){return C.DetailsColumnBase}}),Object.defineProperty(t,"DetailsHeader",{enumerable:!0,get:function(){return C.DetailsHeader}}),Object.defineProperty(t,"DetailsHeaderBase",{enumerable:!0,get:function(){return C.DetailsHeaderBase}}),Object.defineProperty(t,"DetailsList",{enumerable:!0,get:function(){return C.DetailsList}}),Object.defineProperty(t,"DetailsListBase",{enumerable:!0,get:function(){return C.DetailsListBase}}),Object.defineProperty(t,"DetailsListLayoutMode",{enumerable:!0,get:function(){return C.DetailsListLayoutMode}}),Object.defineProperty(t,"DetailsRow",{enumerable:!0,get:function(){return C.DetailsRow}}),Object.defineProperty(t,"DetailsRowBase",{enumerable:!0,get:function(){return C.DetailsRowBase}}),Object.defineProperty(t,"DetailsRowCheck",{enumerable:!0,get:function(){return C.DetailsRowCheck}}),Object.defineProperty(t,"DetailsRowFields",{enumerable:!0,get:function(){return C.DetailsRowFields}}),Object.defineProperty(t,"DetailsRowGlobalClassNames",{enumerable:!0,get:function(){return C.DetailsRowGlobalClassNames}}),Object.defineProperty(t,"HEADER_HEIGHT",{enumerable:!0,get:function(){return C.HEADER_HEIGHT}}),Object.defineProperty(t,"SELECTION_CHANGE",{enumerable:!0,get:function(){return C.SELECTION_CHANGE}}),Object.defineProperty(t,"SelectAllVisibility",{enumerable:!0,get:function(){return C.SelectAllVisibility}}),Object.defineProperty(t,"Selection",{enumerable:!0,get:function(){return C.Selection}}),Object.defineProperty(t,"SelectionDirection",{enumerable:!0,get:function(){return C.SelectionDirection}}),Object.defineProperty(t,"SelectionMode",{enumerable:!0,get:function(){return C.SelectionMode}}),Object.defineProperty(t,"SelectionZone",{enumerable:!0,get:function(){return C.SelectionZone}}),Object.defineProperty(t,"buildColumns",{enumerable:!0,get:function(){return C.buildColumns}}),Object.defineProperty(t,"getCellStyles",{enumerable:!0,get:function(){return C.getCellStyles}}),Object.defineProperty(t,"getDetailsColumnStyles",{enumerable:!0,get:function(){return C.getDetailsColumnStyles}}),Object.defineProperty(t,"getDetailsHeaderStyles",{enumerable:!0,get:function(){return C.getDetailsHeaderStyles}}),Object.defineProperty(t,"getDetailsListStyles",{enumerable:!0,get:function(){return C.getDetailsListStyles}}),Object.defineProperty(t,"getDetailsRowCheckStyles",{enumerable:!0,get:function(){return C.getDetailsRowCheckStyles}}),Object.defineProperty(t,"getDetailsRowStyles",{enumerable:!0,get:function(){return C.getDetailsRowStyles}});var x=o(55025);Object.defineProperty(t,"Dialog",{enumerable:!0,get:function(){return x.Dialog}}),Object.defineProperty(t,"DialogBase",{enumerable:!0,get:function(){return x.DialogBase}}),Object.defineProperty(t,"DialogContent",{enumerable:!0,get:function(){return x.DialogContent}}),Object.defineProperty(t,"DialogContentBase",{enumerable:!0,get:function(){return x.DialogContentBase}}),Object.defineProperty(t,"DialogFooter",{enumerable:!0,get:function(){return x.DialogFooter}}),Object.defineProperty(t,"DialogFooterBase",{enumerable:!0,get:function(){return x.DialogFooterBase}}),Object.defineProperty(t,"DialogType",{enumerable:!0,get:function(){return x.DialogType}});var P=o(56304);Object.defineProperty(t,"VerticalDivider",{enumerable:!0,get:function(){return P.VerticalDivider}});var k=o(12446);Object.defineProperty(t,"DocumentCard",{enumerable:!0,get:function(){return k.DocumentCard}}),Object.defineProperty(t,"DocumentCardActions",{enumerable:!0,get:function(){return k.DocumentCardActions}}),Object.defineProperty(t,"DocumentCardActivity",{enumerable:!0,get:function(){return k.DocumentCardActivity}}),Object.defineProperty(t,"DocumentCardDetails",{enumerable:!0,get:function(){return k.DocumentCardDetails}}),Object.defineProperty(t,"DocumentCardImage",{enumerable:!0,get:function(){return k.DocumentCardImage}}),Object.defineProperty(t,"DocumentCardLocation",{enumerable:!0,get:function(){return k.DocumentCardLocation}}),Object.defineProperty(t,"DocumentCardLogo",{enumerable:!0,get:function(){return k.DocumentCardLogo}}),Object.defineProperty(t,"DocumentCardPreview",{enumerable:!0,get:function(){return k.DocumentCardPreview}}),Object.defineProperty(t,"DocumentCardStatus",{enumerable:!0,get:function(){return k.DocumentCardStatus}}),Object.defineProperty(t,"DocumentCardTitle",{enumerable:!0,get:function(){return k.DocumentCardTitle}}),Object.defineProperty(t,"DocumentCardType",{enumerable:!0,get:function(){return k.DocumentCardType}});var I=o(23902);Object.defineProperty(t,"DragDropHelper",{enumerable:!0,get:function(){return I.DragDropHelper}});var w=o(39108);Object.defineProperty(t,"Dropdown",{enumerable:!0,get:function(){return w.Dropdown}}),Object.defineProperty(t,"DropdownBase",{enumerable:!0,get:function(){return w.DropdownBase}}),Object.defineProperty(t,"DropdownMenuItemType",{enumerable:!0,get:function(){return w.DropdownMenuItemType}});var T=o(9314);Object.defineProperty(t,"BaseExtendedPeoplePicker",{enumerable:!0,get:function(){return T.BaseExtendedPeoplePicker}}),Object.defineProperty(t,"BaseExtendedPicker",{enumerable:!0,get:function(){return T.BaseExtendedPicker}}),Object.defineProperty(t,"ExtendedPeoplePicker",{enumerable:!0,get:function(){return T.ExtendedPeoplePicker}});var E=o(25644);Object.defineProperty(t,"Fabric",{enumerable:!0,get:function(){return E.Fabric}}),Object.defineProperty(t,"FabricBase",{enumerable:!0,get:function(){return E.FabricBase}});var D=o(94860);Object.defineProperty(t,"Facepile",{enumerable:!0,get:function(){return D.Facepile}}),Object.defineProperty(t,"FacepileBase",{enumerable:!0,get:function(){return D.FacepileBase}}),Object.defineProperty(t,"OverflowButtonType",{enumerable:!0,get:function(){return D.OverflowButtonType}});var M=o(57993);Object.defineProperty(t,"BaseFloatingPeoplePicker",{enumerable:!0,get:function(){return M.BaseFloatingPeoplePicker}}),Object.defineProperty(t,"BaseFloatingPicker",{enumerable:!0,get:function(){return M.BaseFloatingPicker}}),Object.defineProperty(t,"FloatingPeoplePicker",{enumerable:!0,get:function(){return M.FloatingPeoplePicker}}),Object.defineProperty(t,"SuggestionItemType",{enumerable:!0,get:function(){return M.SuggestionItemType}}),Object.defineProperty(t,"SuggestionsControl",{enumerable:!0,get:function(){return M.SuggestionsControl}}),Object.defineProperty(t,"SuggestionsCore",{enumerable:!0,get:function(){return M.SuggestionsCore}}),Object.defineProperty(t,"SuggestionsHeaderFooterItem",{enumerable:!0,get:function(){return M.SuggestionsHeaderFooterItem}}),Object.defineProperty(t,"SuggestionsStore",{enumerable:!0,get:function(){return M.SuggestionsStore}}),Object.defineProperty(t,"createItem",{enumerable:!0,get:function(){return M.createItem}});var O=o(34464);Object.defineProperty(t,"FocusTrapZone",{enumerable:!0,get:function(){return O.FocusTrapZone}});var R=o(80371);Object.defineProperty(t,"FocusZone",{enumerable:!0,get:function(){return R.FocusZone}}),Object.defineProperty(t,"FocusZoneDirection",{enumerable:!0,get:function(){return R.FocusZoneDirection}}),Object.defineProperty(t,"FocusZoneTabbableElements",{enumerable:!0,get:function(){return R.FocusZoneTabbableElements}});var F=o(40759);Object.defineProperty(t,"GetGroupCount",{enumerable:!0,get:function(){return F.GetGroupCount}}),Object.defineProperty(t,"GroupFooter",{enumerable:!0,get:function(){return F.GroupFooter}}),Object.defineProperty(t,"GroupHeader",{enumerable:!0,get:function(){return F.GroupHeader}}),Object.defineProperty(t,"GroupShowAll",{enumerable:!0,get:function(){return F.GroupShowAll}}),Object.defineProperty(t,"GroupSpacer",{enumerable:!0,get:function(){return F.GroupSpacer}}),Object.defineProperty(t,"GroupedList",{enumerable:!0,get:function(){return F.GroupedList}}),Object.defineProperty(t,"GroupedListBase",{enumerable:!0,get:function(){return F.GroupedListBase}}),Object.defineProperty(t,"GroupedListSection",{enumerable:!0,get:function(){return F.GroupedListSection}}),Object.defineProperty(t,"GroupedListV2_unstable",{enumerable:!0,get:function(){return F.GroupedListV2_unstable}});var B=o(30089);Object.defineProperty(t,"ExpandingCard",{enumerable:!0,get:function(){return B.ExpandingCard}}),Object.defineProperty(t,"ExpandingCardBase",{enumerable:!0,get:function(){return B.ExpandingCardBase}}),Object.defineProperty(t,"ExpandingCardMode",{enumerable:!0,get:function(){return B.ExpandingCardMode}}),Object.defineProperty(t,"HoverCard",{enumerable:!0,get:function(){return B.HoverCard}}),Object.defineProperty(t,"HoverCardBase",{enumerable:!0,get:function(){return B.HoverCardBase}}),Object.defineProperty(t,"HoverCardType",{enumerable:!0,get:function(){return B.HoverCardType}}),Object.defineProperty(t,"OpenCardMode",{enumerable:!0,get:function(){return B.OpenCardMode}}),Object.defineProperty(t,"PlainCard",{enumerable:!0,get:function(){return B.PlainCard}}),Object.defineProperty(t,"PlainCardBase",{enumerable:!0,get:function(){return B.PlainCardBase}});var A=o(30936);Object.defineProperty(t,"FontIcon",{enumerable:!0,get:function(){return A.FontIcon}}),Object.defineProperty(t,"Icon",{enumerable:!0,get:function(){return A.Icon}}),Object.defineProperty(t,"IconBase",{enumerable:!0,get:function(){return A.IconBase}}),Object.defineProperty(t,"IconType",{enumerable:!0,get:function(){return A.IconType}}),Object.defineProperty(t,"ImageIcon",{enumerable:!0,get:function(){return A.ImageIcon}}),Object.defineProperty(t,"getFontIcon",{enumerable:!0,get:function(){return A.getFontIcon}}),Object.defineProperty(t,"getIconContent",{enumerable:!0,get:function(){return A.getIconContent}});var N=o(40039);Object.defineProperty(t,"initializeIcons",{enumerable:!0,get:function(){return N.initializeIcons}});var L=o(38992);Object.defineProperty(t,"Image",{enumerable:!0,get:function(){return L.Image}}),Object.defineProperty(t,"ImageBase",{enumerable:!0,get:function(){return L.ImageBase}}),Object.defineProperty(t,"ImageCoverStyle",{enumerable:!0,get:function(){return L.ImageCoverStyle}}),Object.defineProperty(t,"ImageFit",{enumerable:!0,get:function(){return L.ImageFit}}),Object.defineProperty(t,"ImageLoadState",{enumerable:!0,get:function(){return L.ImageLoadState}});var H=o(16528);Object.defineProperty(t,"DATAKTP_ARIA_TARGET",{enumerable:!0,get:function(){return H.DATAKTP_ARIA_TARGET}}),Object.defineProperty(t,"DATAKTP_EXECUTE_TARGET",{enumerable:!0,get:function(){return H.DATAKTP_EXECUTE_TARGET}}),Object.defineProperty(t,"DATAKTP_TARGET",{enumerable:!0,get:function(){return H.DATAKTP_TARGET}}),Object.defineProperty(t,"KTP_ARIA_SEPARATOR",{enumerable:!0,get:function(){return H.KTP_ARIA_SEPARATOR}}),Object.defineProperty(t,"KTP_FULL_PREFIX",{enumerable:!0,get:function(){return H.KTP_FULL_PREFIX}}),Object.defineProperty(t,"KTP_LAYER_ID",{enumerable:!0,get:function(){return H.KTP_LAYER_ID}}),Object.defineProperty(t,"KTP_PREFIX",{enumerable:!0,get:function(){return H.KTP_PREFIX}}),Object.defineProperty(t,"KTP_SEPARATOR",{enumerable:!0,get:function(){return H.KTP_SEPARATOR}}),Object.defineProperty(t,"Keytip",{enumerable:!0,get:function(){return H.Keytip}}),Object.defineProperty(t,"KeytipData",{enumerable:!0,get:function(){return H.KeytipData}}),Object.defineProperty(t,"KeytipEvents",{enumerable:!0,get:function(){return H.KeytipEvents}}),Object.defineProperty(t,"KeytipLayer",{enumerable:!0,get:function(){return H.KeytipLayer}}),Object.defineProperty(t,"KeytipLayerBase",{enumerable:!0,get:function(){return H.KeytipLayerBase}}),Object.defineProperty(t,"KeytipManager",{enumerable:!0,get:function(){return H.KeytipManager}}),Object.defineProperty(t,"buildKeytipConfigMap",{enumerable:!0,get:function(){return H.buildKeytipConfigMap}}),Object.defineProperty(t,"constructKeytip",{enumerable:!0,get:function(){return H.constructKeytip}}),Object.defineProperty(t,"getAriaDescribedBy",{enumerable:!0,get:function(){return H.getAriaDescribedBy}}),Object.defineProperty(t,"ktpTargetFromId",{enumerable:!0,get:function(){return H.ktpTargetFromId}}),Object.defineProperty(t,"ktpTargetFromSequences",{enumerable:!0,get:function(){return H.ktpTargetFromSequences}}),Object.defineProperty(t,"mergeOverflows",{enumerable:!0,get:function(){return H.mergeOverflows}}),Object.defineProperty(t,"sequencesToID",{enumerable:!0,get:function(){return H.sequencesToID}}),Object.defineProperty(t,"transitionKeysAreEqual",{enumerable:!0,get:function(){return H.transitionKeysAreEqual}}),Object.defineProperty(t,"transitionKeysContain",{enumerable:!0,get:function(){return H.transitionKeysContain}}),Object.defineProperty(t,"useKeytipRef",{enumerable:!0,get:function(){return H.useKeytipRef}});var j=o(47795);Object.defineProperty(t,"Label",{enumerable:!0,get:function(){return j.Label}}),Object.defineProperty(t,"LabelBase",{enumerable:!0,get:function(){return j.LabelBase}});var z=o(44472);Object.defineProperty(t,"Layer",{enumerable:!0,get:function(){return z.Layer}}),Object.defineProperty(t,"LayerBase",{enumerable:!0,get:function(){return z.LayerBase}}),Object.defineProperty(t,"LayerHost",{enumerable:!0,get:function(){return z.LayerHost}}),Object.defineProperty(t,"cleanupDefaultLayerHost",{enumerable:!0,get:function(){return z.cleanupDefaultLayerHost}}),Object.defineProperty(t,"createDefaultLayerHost",{enumerable:!0,get:function(){return z.createDefaultLayerHost}}),Object.defineProperty(t,"getLayerCount",{enumerable:!0,get:function(){return z.getLayerCount}}),Object.defineProperty(t,"getLayerHost",{enumerable:!0,get:function(){return z.getLayerHost}}),Object.defineProperty(t,"getLayerHostSelector",{enumerable:!0,get:function(){return z.getLayerHostSelector}}),Object.defineProperty(t,"getLayerStyles",{enumerable:!0,get:function(){return z.getLayerStyles}}),Object.defineProperty(t,"notifyHostChanged",{enumerable:!0,get:function(){return z.notifyHostChanged}}),Object.defineProperty(t,"registerLayer",{enumerable:!0,get:function(){return z.registerLayer}}),Object.defineProperty(t,"registerLayerHost",{enumerable:!0,get:function(){return z.registerLayerHost}}),Object.defineProperty(t,"setLayerHostSelector",{enumerable:!0,get:function(){return z.setLayerHostSelector}}),Object.defineProperty(t,"unregisterLayer",{enumerable:!0,get:function(){return z.unregisterLayer}}),Object.defineProperty(t,"unregisterLayerHost",{enumerable:!0,get:function(){return z.unregisterLayerHost}});var W=o(12329);Object.defineProperty(t,"Link",{enumerable:!0,get:function(){return W.Link}}),Object.defineProperty(t,"LinkBase",{enumerable:!0,get:function(){return W.LinkBase}});var V=o(2133);Object.defineProperty(t,"List",{enumerable:!0,get:function(){return V.List}}),Object.defineProperty(t,"ScrollToMode",{enumerable:!0,get:function(){return V.ScrollToMode}});var K=o(13831);Object.defineProperty(t,"MarqueeSelection",{enumerable:!0,get:function(){return K.MarqueeSelection}});var G=o(96925);Object.defineProperty(t,"MessageBar",{enumerable:!0,get:function(){return G.MessageBar}}),Object.defineProperty(t,"MessageBarBase",{enumerable:!0,get:function(){return G.MessageBarBase}}),Object.defineProperty(t,"MessageBarType",{enumerable:!0,get:function(){return G.MessageBarType}});var U=o(52252);Object.defineProperty(t,"Modal",{enumerable:!0,get:function(){return U.Modal}}),Object.defineProperty(t,"ModalBase",{enumerable:!0,get:function(){return U.ModalBase}});var Y=o(54572);Object.defineProperty(t,"Nav",{enumerable:!0,get:function(){return Y.Nav}}),Object.defineProperty(t,"NavBase",{enumerable:!0,get:function(){return Y.NavBase}}),Object.defineProperty(t,"isRelativeUrl",{enumerable:!0,get:function(){return Y.isRelativeUrl}});var q=o(95923);Object.defineProperty(t,"OverflowSet",{enumerable:!0,get:function(){return q.OverflowSet}}),Object.defineProperty(t,"OverflowSetBase",{enumerable:!0,get:function(){return q.OverflowSetBase}});var X=o(63409);Object.defineProperty(t,"Overlay",{enumerable:!0,get:function(){return X.Overlay}}),Object.defineProperty(t,"OverlayBase",{enumerable:!0,get:function(){return X.OverlayBase}});var Z=o(49307);Object.defineProperty(t,"Panel",{enumerable:!0,get:function(){return Z.Panel}}),Object.defineProperty(t,"PanelBase",{enumerable:!0,get:function(){return Z.PanelBase}}),Object.defineProperty(t,"PanelType",{enumerable:!0,get:function(){return Z.PanelType}});var Q=o(48377);Object.defineProperty(t,"Persona",{enumerable:!0,get:function(){return Q.Persona}}),Object.defineProperty(t,"PersonaBase",{enumerable:!0,get:function(){return Q.PersonaBase}}),Object.defineProperty(t,"PersonaCoin",{enumerable:!0,get:function(){return Q.PersonaCoin}}),Object.defineProperty(t,"PersonaCoinBase",{enumerable:!0,get:function(){return Q.PersonaCoinBase}}),Object.defineProperty(t,"PersonaInitialsColor",{enumerable:!0,get:function(){return Q.PersonaInitialsColor}}),Object.defineProperty(t,"PersonaPresence",{enumerable:!0,get:function(){return Q.PersonaPresence}}),Object.defineProperty(t,"PersonaSize",{enumerable:!0,get:function(){return Q.PersonaSize}}),Object.defineProperty(t,"getPersonaInitialsColor",{enumerable:!0,get:function(){return Q.getPersonaInitialsColor}}),Object.defineProperty(t,"personaPresenceSize",{enumerable:!0,get:function(){return Q.personaPresenceSize}}),Object.defineProperty(t,"personaSize",{enumerable:!0,get:function(){return Q.personaSize}}),Object.defineProperty(t,"presenceBoolean",{enumerable:!0,get:function(){return Q.presenceBoolean}}),Object.defineProperty(t,"sizeBoolean",{enumerable:!0,get:function(){return Q.sizeBoolean}}),Object.defineProperty(t,"sizeToPixels",{enumerable:!0,get:function(){return Q.sizeToPixels}});var J=o(31518);Object.defineProperty(t,"BasePeoplePicker",{enumerable:!0,get:function(){return J.BasePeoplePicker}}),Object.defineProperty(t,"BasePicker",{enumerable:!0,get:function(){return J.BasePicker}}),Object.defineProperty(t,"BasePickerListBelow",{enumerable:!0,get:function(){return J.BasePickerListBelow}}),Object.defineProperty(t,"CompactPeoplePicker",{enumerable:!0,get:function(){return J.CompactPeoplePicker}}),Object.defineProperty(t,"CompactPeoplePickerBase",{enumerable:!0,get:function(){return J.CompactPeoplePickerBase}}),Object.defineProperty(t,"ListPeoplePicker",{enumerable:!0,get:function(){return J.ListPeoplePicker}}),Object.defineProperty(t,"ListPeoplePickerBase",{enumerable:!0,get:function(){return J.ListPeoplePickerBase}}),Object.defineProperty(t,"MemberListPeoplePicker",{enumerable:!0,get:function(){return J.MemberListPeoplePicker}}),Object.defineProperty(t,"NormalPeoplePicker",{enumerable:!0,get:function(){return J.NormalPeoplePicker}}),Object.defineProperty(t,"NormalPeoplePickerBase",{enumerable:!0,get:function(){return J.NormalPeoplePickerBase}}),Object.defineProperty(t,"PeoplePickerItem",{enumerable:!0,get:function(){return J.PeoplePickerItem}}),Object.defineProperty(t,"PeoplePickerItemBase",{enumerable:!0,get:function(){return J.PeoplePickerItemBase}}),Object.defineProperty(t,"PeoplePickerItemSuggestion",{enumerable:!0,get:function(){return J.PeoplePickerItemSuggestion}}),Object.defineProperty(t,"PeoplePickerItemSuggestionBase",{enumerable:!0,get:function(){return J.PeoplePickerItemSuggestionBase}}),Object.defineProperty(t,"SuggestionActionType",{enumerable:!0,get:function(){return J.SuggestionActionType}}),Object.defineProperty(t,"Suggestions",{enumerable:!0,get:function(){return J.Suggestions}}),Object.defineProperty(t,"SuggestionsController",{enumerable:!0,get:function(){return J.SuggestionsController}}),Object.defineProperty(t,"SuggestionsItem",{enumerable:!0,get:function(){return J.SuggestionsItem}}),Object.defineProperty(t,"TagItem",{enumerable:!0,get:function(){return J.TagItem}}),Object.defineProperty(t,"TagItemBase",{enumerable:!0,get:function(){return J.TagItemBase}}),Object.defineProperty(t,"TagItemSuggestion",{enumerable:!0,get:function(){return J.TagItemSuggestion}}),Object.defineProperty(t,"TagItemSuggestionBase",{enumerable:!0,get:function(){return J.TagItemSuggestionBase}}),Object.defineProperty(t,"TagPicker",{enumerable:!0,get:function(){return J.TagPicker}}),Object.defineProperty(t,"TagPickerBase",{enumerable:!0,get:function(){return J.TagPickerBase}}),Object.defineProperty(t,"ValidationState",{enumerable:!0,get:function(){return J.ValidationState}}),Object.defineProperty(t,"createGenericItem",{enumerable:!0,get:function(){return J.createGenericItem}}),Object.defineProperty(t,"getBasePickerStyles",{enumerable:!0,get:function(){return J.getBasePickerStyles}}),Object.defineProperty(t,"getPeoplePickerItemStyles",{enumerable:!0,get:function(){return J.getPeoplePickerItemStyles}}),Object.defineProperty(t,"getPeoplePickerItemSuggestionStyles",{enumerable:!0,get:function(){return J.getPeoplePickerItemSuggestionStyles}}),Object.defineProperty(t,"getSuggestionsItemStyles",{enumerable:!0,get:function(){return J.getSuggestionsItemStyles}}),Object.defineProperty(t,"getSuggestionsStyles",{enumerable:!0,get:function(){return J.getSuggestionsStyles}}),Object.defineProperty(t,"getTagItemStyles",{enumerable:!0,get:function(){return J.getTagItemStyles}}),Object.defineProperty(t,"getTagItemSuggestionStyles",{enumerable:!0,get:function(){return J.getTagItemSuggestionStyles}});var $=o(59465);Object.defineProperty(t,"Pivot",{enumerable:!0,get:function(){return $.Pivot}}),Object.defineProperty(t,"PivotBase",{enumerable:!0,get:function(){return $.PivotBase}}),Object.defineProperty(t,"PivotItem",{enumerable:!0,get:function(){return $.PivotItem}}),Object.defineProperty(t,"PivotLinkFormat",{enumerable:!0,get:function(){return $.PivotLinkFormat}}),Object.defineProperty(t,"PivotLinkSize",{enumerable:!0,get:function(){return $.PivotLinkSize}});var ee=o(42183);Object.defineProperty(t,"Popup",{enumerable:!0,get:function(){return ee.Popup}});var te=o(43300);Object.defineProperty(t,"Position",{enumerable:!0,get:function(){return te.Position}}),Object.defineProperty(t,"RectangleEdge",{enumerable:!0,get:function(){return te.RectangleEdge}}),Object.defineProperty(t,"getBoundsFromTargetWindow",{enumerable:!0,get:function(){return te.getBoundsFromTargetWindow}}),Object.defineProperty(t,"getMaxHeight",{enumerable:!0,get:function(){return te.getMaxHeight}}),Object.defineProperty(t,"getOppositeEdge",{enumerable:!0,get:function(){return te.getOppositeEdge}}),Object.defineProperty(t,"positionCallout",{enumerable:!0,get:function(){return te.positionCallout}}),Object.defineProperty(t,"positionCard",{enumerable:!0,get:function(){return te.positionCard}}),Object.defineProperty(t,"positionElement",{enumerable:!0,get:function(){return te.positionElement}});var oe=o(79045);Object.defineProperty(t,"PositioningContainer",{enumerable:!0,get:function(){return oe.PositioningContainer}}),Object.defineProperty(t,"useHeightOffset",{enumerable:!0,get:function(){return oe.useHeightOffset}});var ne=o(30205);Object.defineProperty(t,"ProgressIndicator",{enumerable:!0,get:function(){return ne.ProgressIndicator}}),Object.defineProperty(t,"ProgressIndicatorBase",{enumerable:!0,get:function(){return ne.ProgressIndicatorBase}});var re=o(81548);Object.defineProperty(t,"Rating",{enumerable:!0,get:function(){return re.Rating}}),Object.defineProperty(t,"RatingBase",{enumerable:!0,get:function(){return re.RatingBase}}),Object.defineProperty(t,"RatingSize",{enumerable:!0,get:function(){return re.RatingSize}});var ie=o(68318);Object.defineProperty(t,"MeasuredContext",{enumerable:!0,get:function(){return ie.MeasuredContext}}),Object.defineProperty(t,"ResizeGroup",{enumerable:!0,get:function(){return ie.ResizeGroup}}),Object.defineProperty(t,"ResizeGroupBase",{enumerable:!0,get:function(){return ie.ResizeGroupBase}}),Object.defineProperty(t,"ResizeGroupDirection",{enumerable:!0,get:function(){return ie.ResizeGroupDirection}}),Object.defineProperty(t,"getMeasurementCache",{enumerable:!0,get:function(){return ie.getMeasurementCache}}),Object.defineProperty(t,"getNextResizeGroupStateProvider",{enumerable:!0,get:function(){return ie.getNextResizeGroupStateProvider}});var ae=o(4324);Object.defineProperty(t,"ResponsiveMode",{enumerable:!0,get:function(){return ae.ResponsiveMode}}),Object.defineProperty(t,"getInitialResponsiveMode",{enumerable:!0,get:function(){return ae.getInitialResponsiveMode}}),Object.defineProperty(t,"getResponsiveMode",{enumerable:!0,get:function(){return ae.getResponsiveMode}}),Object.defineProperty(t,"initializeResponsiveMode",{enumerable:!0,get:function(){return ae.initializeResponsiveMode}}),Object.defineProperty(t,"setResponsiveMode",{enumerable:!0,get:function(){return ae.setResponsiveMode}}),Object.defineProperty(t,"useResponsiveMode",{enumerable:!0,get:function(){return ae.useResponsiveMode}}),Object.defineProperty(t,"withResponsiveMode",{enumerable:!0,get:function(){return ae.withResponsiveMode}});var se=o(47150);Object.defineProperty(t,"ScrollablePane",{enumerable:!0,get:function(){return se.ScrollablePane}}),Object.defineProperty(t,"ScrollablePaneBase",{enumerable:!0,get:function(){return se.ScrollablePaneBase}}),Object.defineProperty(t,"ScrollablePaneContext",{enumerable:!0,get:function(){return se.ScrollablePaneContext}}),Object.defineProperty(t,"ScrollbarVisibility",{enumerable:!0,get:function(){return se.ScrollbarVisibility}});var le=o(93344);Object.defineProperty(t,"SearchBox",{enumerable:!0,get:function(){return le.SearchBox}}),Object.defineProperty(t,"SearchBoxBase",{enumerable:!0,get:function(){return le.SearchBoxBase}});var ce=o(30628);Object.defineProperty(t,"SelectableOptionMenuItemType",{enumerable:!0,get:function(){return ce.SelectableOptionMenuItemType}}),Object.defineProperty(t,"getAllSelectedOptions",{enumerable:!0,get:function(){return ce.getAllSelectedOptions}});var ue=o(53646);Object.defineProperty(t,"BasePeopleSelectedItemsList",{enumerable:!0,get:function(){return ue.BasePeopleSelectedItemsList}}),Object.defineProperty(t,"BaseSelectedItemsList",{enumerable:!0,get:function(){return ue.BaseSelectedItemsList}}),Object.defineProperty(t,"ExtendedSelectedItem",{enumerable:!0,get:function(){return ue.ExtendedSelectedItem}}),Object.defineProperty(t,"SelectedPeopleList",{enumerable:!0,get:function(){return ue.SelectedPeopleList}});var de=o(67026);Object.defineProperty(t,"Separator",{enumerable:!0,get:function(){return de.Separator}}),Object.defineProperty(t,"SeparatorBase",{enumerable:!0,get:function(){return de.SeparatorBase}});var pe=o(62662);Object.defineProperty(t,"Shimmer",{enumerable:!0,get:function(){return pe.Shimmer}}),Object.defineProperty(t,"ShimmerBase",{enumerable:!0,get:function(){return pe.ShimmerBase}}),Object.defineProperty(t,"ShimmerCircle",{enumerable:!0,get:function(){return pe.ShimmerCircle}}),Object.defineProperty(t,"ShimmerCircleBase",{enumerable:!0,get:function(){return pe.ShimmerCircleBase}}),Object.defineProperty(t,"ShimmerElementType",{enumerable:!0,get:function(){return pe.ShimmerElementType}}),Object.defineProperty(t,"ShimmerElementsDefaultHeights",{enumerable:!0,get:function(){return pe.ShimmerElementsDefaultHeights}}),Object.defineProperty(t,"ShimmerElementsGroup",{enumerable:!0,get:function(){return pe.ShimmerElementsGroup}}),Object.defineProperty(t,"ShimmerElementsGroupBase",{enumerable:!0,get:function(){return pe.ShimmerElementsGroupBase}}),Object.defineProperty(t,"ShimmerGap",{enumerable:!0,get:function(){return pe.ShimmerGap}}),Object.defineProperty(t,"ShimmerGapBase",{enumerable:!0,get:function(){return pe.ShimmerGapBase}}),Object.defineProperty(t,"ShimmerLine",{enumerable:!0,get:function(){return pe.ShimmerLine}}),Object.defineProperty(t,"ShimmerLineBase",{enumerable:!0,get:function(){return pe.ShimmerLineBase}});var me=o(93753);Object.defineProperty(t,"ShimmeredDetailsList",{enumerable:!0,get:function(){return me.ShimmeredDetailsList}}),Object.defineProperty(t,"ShimmeredDetailsListBase",{enumerable:!0,get:function(){return me.ShimmeredDetailsListBase}}),Object.defineProperty(t,"getShimmeredDetailsListStyles",{enumerable:!0,get:function(){return me.getShimmeredDetailsListStyles}});var ge=o(49064);Object.defineProperty(t,"Slider",{enumerable:!0,get:function(){return ge.Slider}}),Object.defineProperty(t,"SliderBase",{enumerable:!0,get:function(){return ge.SliderBase}});var he=o(14529);Object.defineProperty(t,"KeyboardSpinDirection",{enumerable:!0,get:function(){return he.KeyboardSpinDirection}}),Object.defineProperty(t,"SpinButton",{enumerable:!0,get:function(){return he.SpinButton}});var fe=o(66044);Object.defineProperty(t,"Spinner",{enumerable:!0,get:function(){return fe.Spinner}}),Object.defineProperty(t,"SpinnerBase",{enumerable:!0,get:function(){return fe.SpinnerBase}}),Object.defineProperty(t,"SpinnerSize",{enumerable:!0,get:function(){return fe.SpinnerSize}}),Object.defineProperty(t,"SpinnerType",{enumerable:!0,get:function(){return fe.SpinnerType}});var ve=o(96577);Object.defineProperty(t,"Stack",{enumerable:!0,get:function(){return ve.Stack}}),Object.defineProperty(t,"StackItem",{enumerable:!0,get:function(){return ve.StackItem}});var be=o(19198);Object.defineProperty(t,"Sticky",{enumerable:!0,get:function(){return be.Sticky}}),Object.defineProperty(t,"StickyPositionType",{enumerable:!0,get:function(){return be.StickyPositionType}});var ye=o(15019);Object.defineProperty(t,"AnimationClassNames",{enumerable:!0,get:function(){return ye.AnimationClassNames}}),Object.defineProperty(t,"AnimationStyles",{enumerable:!0,get:function(){return ye.AnimationStyles}}),Object.defineProperty(t,"AnimationVariables",{enumerable:!0,get:function(){return ye.AnimationVariables}}),Object.defineProperty(t,"ColorClassNames",{enumerable:!0,get:function(){return ye.ColorClassNames}}),Object.defineProperty(t,"DefaultEffects",{enumerable:!0,get:function(){return ye.DefaultEffects}}),Object.defineProperty(t,"DefaultFontStyles",{enumerable:!0,get:function(){return ye.DefaultFontStyles}}),Object.defineProperty(t,"DefaultPalette",{enumerable:!0,get:function(){return ye.DefaultPalette}}),Object.defineProperty(t,"EdgeChromiumHighContrastSelector",{enumerable:!0,get:function(){return ye.EdgeChromiumHighContrastSelector}}),Object.defineProperty(t,"FontClassNames",{enumerable:!0,get:function(){return ye.FontClassNames}}),Object.defineProperty(t,"FontSizes",{enumerable:!0,get:function(){return ye.FontSizes}}),Object.defineProperty(t,"FontWeights",{enumerable:!0,get:function(){return ye.FontWeights}}),Object.defineProperty(t,"HighContrastSelector",{enumerable:!0,get:function(){return ye.HighContrastSelector}}),Object.defineProperty(t,"HighContrastSelectorBlack",{enumerable:!0,get:function(){return ye.HighContrastSelectorBlack}}),Object.defineProperty(t,"HighContrastSelectorWhite",{enumerable:!0,get:function(){return ye.HighContrastSelectorWhite}}),Object.defineProperty(t,"IconFontSizes",{enumerable:!0,get:function(){return ye.IconFontSizes}}),Object.defineProperty(t,"InjectionMode",{enumerable:!0,get:function(){return ye.InjectionMode}}),Object.defineProperty(t,"PulsingBeaconAnimationStyles",{enumerable:!0,get:function(){return ye.PulsingBeaconAnimationStyles}}),Object.defineProperty(t,"ScreenWidthMaxLarge",{enumerable:!0,get:function(){return ye.ScreenWidthMaxLarge}}),Object.defineProperty(t,"ScreenWidthMaxMedium",{enumerable:!0,get:function(){return ye.ScreenWidthMaxMedium}}),Object.defineProperty(t,"ScreenWidthMaxSmall",{enumerable:!0,get:function(){return ye.ScreenWidthMaxSmall}}),Object.defineProperty(t,"ScreenWidthMaxXLarge",{enumerable:!0,get:function(){return ye.ScreenWidthMaxXLarge}}),Object.defineProperty(t,"ScreenWidthMaxXXLarge",{enumerable:!0,get:function(){return ye.ScreenWidthMaxXXLarge}}),Object.defineProperty(t,"ScreenWidthMinLarge",{enumerable:!0,get:function(){return ye.ScreenWidthMinLarge}}),Object.defineProperty(t,"ScreenWidthMinMedium",{enumerable:!0,get:function(){return ye.ScreenWidthMinMedium}}),Object.defineProperty(t,"ScreenWidthMinSmall",{enumerable:!0,get:function(){return ye.ScreenWidthMinSmall}}),Object.defineProperty(t,"ScreenWidthMinUhfMobile",{enumerable:!0,get:function(){return ye.ScreenWidthMinUhfMobile}}),Object.defineProperty(t,"ScreenWidthMinXLarge",{enumerable:!0,get:function(){return ye.ScreenWidthMinXLarge}}),Object.defineProperty(t,"ScreenWidthMinXXLarge",{enumerable:!0,get:function(){return ye.ScreenWidthMinXXLarge}}),Object.defineProperty(t,"ScreenWidthMinXXXLarge",{enumerable:!0,get:function(){return ye.ScreenWidthMinXXXLarge}}),Object.defineProperty(t,"Stylesheet",{enumerable:!0,get:function(){return ye.Stylesheet}}),Object.defineProperty(t,"ThemeSettingName",{enumerable:!0,get:function(){return ye.ThemeSettingName}}),Object.defineProperty(t,"ZIndexes",{enumerable:!0,get:function(){return ye.ZIndexes}}),Object.defineProperty(t,"buildClassMap",{enumerable:!0,get:function(){return ye.buildClassMap}}),Object.defineProperty(t,"concatStyleSets",{enumerable:!0,get:function(){return ye.concatStyleSets}}),Object.defineProperty(t,"concatStyleSetsWithProps",{enumerable:!0,get:function(){return ye.concatStyleSetsWithProps}}),Object.defineProperty(t,"createFontStyles",{enumerable:!0,get:function(){return ye.createFontStyles}}),Object.defineProperty(t,"createTheme",{enumerable:!0,get:function(){return ye.createTheme}}),Object.defineProperty(t,"focusClear",{enumerable:!0,get:function(){return ye.focusClear}}),Object.defineProperty(t,"fontFace",{enumerable:!0,get:function(){return ye.fontFace}}),Object.defineProperty(t,"getEdgeChromiumNoHighContrastAdjustSelector",{enumerable:!0,get:function(){return ye.getEdgeChromiumNoHighContrastAdjustSelector}}),Object.defineProperty(t,"getFadedOverflowStyle",{enumerable:!0,get:function(){return ye.getFadedOverflowStyle}}),Object.defineProperty(t,"getFocusOutlineStyle",{enumerable:!0,get:function(){return ye.getFocusOutlineStyle}}),Object.defineProperty(t,"getFocusStyle",{enumerable:!0,get:function(){return ye.getFocusStyle}}),Object.defineProperty(t,"getGlobalClassNames",{enumerable:!0,get:function(){return ye.getGlobalClassNames}}),Object.defineProperty(t,"getHighContrastNoAdjustStyle",{enumerable:!0,get:function(){return ye.getHighContrastNoAdjustStyle}}),Object.defineProperty(t,"getIcon",{enumerable:!0,get:function(){return ye.getIcon}}),Object.defineProperty(t,"getIconClassName",{enumerable:!0,get:function(){return ye.getIconClassName}}),Object.defineProperty(t,"getInputFocusStyle",{enumerable:!0,get:function(){return ye.getInputFocusStyle}}),Object.defineProperty(t,"getPlaceholderStyles",{enumerable:!0,get:function(){return ye.getPlaceholderStyles}}),Object.defineProperty(t,"getScreenSelector",{enumerable:!0,get:function(){return ye.getScreenSelector}}),Object.defineProperty(t,"getTheme",{enumerable:!0,get:function(){return ye.getTheme}}),Object.defineProperty(t,"getThemedContext",{enumerable:!0,get:function(){return ye.getThemedContext}}),Object.defineProperty(t,"hiddenContentStyle",{enumerable:!0,get:function(){return ye.hiddenContentStyle}}),Object.defineProperty(t,"keyframes",{enumerable:!0,get:function(){return ye.keyframes}}),Object.defineProperty(t,"loadTheme",{enumerable:!0,get:function(){return ye.loadTheme}}),Object.defineProperty(t,"mergeStyleSets",{enumerable:!0,get:function(){return ye.mergeStyleSets}}),Object.defineProperty(t,"mergeStyles",{enumerable:!0,get:function(){return ye.mergeStyles}}),Object.defineProperty(t,"noWrap",{enumerable:!0,get:function(){return ye.noWrap}}),Object.defineProperty(t,"normalize",{enumerable:!0,get:function(){return ye.normalize}}),Object.defineProperty(t,"registerDefaultFontFaces",{enumerable:!0,get:function(){return ye.registerDefaultFontFaces}}),Object.defineProperty(t,"registerIconAlias",{enumerable:!0,get:function(){return ye.registerIconAlias}}),Object.defineProperty(t,"registerIcons",{enumerable:!0,get:function(){return ye.registerIcons}}),Object.defineProperty(t,"registerOnThemeChangeCallback",{enumerable:!0,get:function(){return ye.registerOnThemeChangeCallback}}),Object.defineProperty(t,"removeOnThemeChangeCallback",{enumerable:!0,get:function(){return ye.removeOnThemeChangeCallback}}),Object.defineProperty(t,"setIconOptions",{enumerable:!0,get:function(){return ye.setIconOptions}}),Object.defineProperty(t,"unregisterIcons",{enumerable:!0,get:function(){return ye.unregisterIcons}});var _e=o(53e3);Object.defineProperty(t,"ColorPickerGridCell",{enumerable:!0,get:function(){return _e.ColorPickerGridCell}}),Object.defineProperty(t,"ColorPickerGridCellBase",{enumerable:!0,get:function(){return _e.ColorPickerGridCellBase}}),Object.defineProperty(t,"SwatchColorPicker",{enumerable:!0,get:function(){return _e.SwatchColorPicker}}),Object.defineProperty(t,"SwatchColorPickerBase",{enumerable:!0,get:function(){return _e.SwatchColorPickerBase}});var Se=o(43676);Object.defineProperty(t,"TeachingBubble",{enumerable:!0,get:function(){return Se.TeachingBubble}}),Object.defineProperty(t,"TeachingBubbleBase",{enumerable:!0,get:function(){return Se.TeachingBubbleBase}}),Object.defineProperty(t,"TeachingBubbleContent",{enumerable:!0,get:function(){return Se.TeachingBubbleContent}}),Object.defineProperty(t,"TeachingBubbleContentBase",{enumerable:!0,get:function(){return Se.TeachingBubbleContentBase}});var Ce=o(63182);Object.defineProperty(t,"Text",{enumerable:!0,get:function(){return Ce.Text}}),Object.defineProperty(t,"TextStyles",{enumerable:!0,get:function(){return Ce.TextStyles}}),Object.defineProperty(t,"TextView",{enumerable:!0,get:function(){return Ce.TextView}});var xe=o(13636);Object.defineProperty(t,"DEFAULT_MASK_CHAR",{enumerable:!0,get:function(){return xe.DEFAULT_MASK_CHAR}}),Object.defineProperty(t,"MaskedTextField",{enumerable:!0,get:function(){return xe.MaskedTextField}}),Object.defineProperty(t,"TextField",{enumerable:!0,get:function(){return xe.TextField}}),Object.defineProperty(t,"TextFieldBase",{enumerable:!0,get:function(){return xe.TextFieldBase}}),Object.defineProperty(t,"getTextFieldStyles",{enumerable:!0,get:function(){return xe.getTextFieldStyles}});var Pe=o(16467);Object.defineProperty(t,"BaseSlots",{enumerable:!0,get:function(){return Pe.BaseSlots}}),Object.defineProperty(t,"FabricSlots",{enumerable:!0,get:function(){return Pe.FabricSlots}}),Object.defineProperty(t,"SemanticColorSlots",{enumerable:!0,get:function(){return Pe.SemanticColorSlots}}),Object.defineProperty(t,"ThemeGenerator",{enumerable:!0,get:function(){return Pe.ThemeGenerator}}),Object.defineProperty(t,"themeRulesStandardCreator",{enumerable:!0,get:function(){return Pe.themeRulesStandardCreator}});var ke=o(48742);Object.defineProperty(t,"TimePicker",{enumerable:!0,get:function(){return ke.TimePicker}});var Ie=o(26889);Object.defineProperty(t,"Toggle",{enumerable:!0,get:function(){return Ie.Toggle}}),Object.defineProperty(t,"ToggleBase",{enumerable:!0,get:function(){return Ie.ToggleBase}});var we=o(34718);Object.defineProperty(t,"Tooltip",{enumerable:!0,get:function(){return we.Tooltip}}),Object.defineProperty(t,"TooltipBase",{enumerable:!0,get:function(){return we.TooltipBase}}),Object.defineProperty(t,"TooltipDelay",{enumerable:!0,get:function(){return we.TooltipDelay}}),Object.defineProperty(t,"TooltipHost",{enumerable:!0,get:function(){return we.TooltipHost}}),Object.defineProperty(t,"TooltipHostBase",{enumerable:!0,get:function(){return we.TooltipHostBase}}),Object.defineProperty(t,"TooltipOverflowMode",{enumerable:!0,get:function(){return we.TooltipOverflowMode}});var Te=o(71061);Object.defineProperty(t,"Async",{enumerable:!0,get:function(){return Te.Async}}),Object.defineProperty(t,"AutoScroll",{enumerable:!0,get:function(){return Te.AutoScroll}}),Object.defineProperty(t,"BaseComponent",{enumerable:!0,get:function(){return Te.BaseComponent}}),Object.defineProperty(t,"Customizations",{enumerable:!0,get:function(){return Te.Customizations}}),Object.defineProperty(t,"Customizer",{enumerable:!0,get:function(){return Te.Customizer}}),Object.defineProperty(t,"CustomizerContext",{enumerable:!0,get:function(){return Te.CustomizerContext}}),Object.defineProperty(t,"DATA_IS_SCROLLABLE_ATTRIBUTE",{enumerable:!0,get:function(){return Te.DATA_IS_SCROLLABLE_ATTRIBUTE}}),Object.defineProperty(t,"DATA_PORTAL_ATTRIBUTE",{enumerable:!0,get:function(){return Te.DATA_PORTAL_ATTRIBUTE}}),Object.defineProperty(t,"DelayedRender",{enumerable:!0,get:function(){return Te.DelayedRender}}),Object.defineProperty(t,"EventGroup",{enumerable:!0,get:function(){return Te.EventGroup}}),Object.defineProperty(t,"FabricPerformance",{enumerable:!0,get:function(){return Te.FabricPerformance}}),Object.defineProperty(t,"FocusRects",{enumerable:!0,get:function(){return Te.FocusRects}}),Object.defineProperty(t,"FocusRectsContext",{enumerable:!0,get:function(){return Te.FocusRectsContext}}),Object.defineProperty(t,"FocusRectsProvider",{enumerable:!0,get:function(){return Te.FocusRectsProvider}}),Object.defineProperty(t,"GlobalSettings",{enumerable:!0,get:function(){return Te.GlobalSettings}}),Object.defineProperty(t,"IsFocusVisibleClassName",{enumerable:!0,get:function(){return Te.IsFocusVisibleClassName}}),Object.defineProperty(t,"KeyCodes",{enumerable:!0,get:function(){return Te.KeyCodes}}),Object.defineProperty(t,"Rectangle",{enumerable:!0,get:function(){return Te.Rectangle}}),Object.defineProperty(t,"addDirectionalKeyCode",{enumerable:!0,get:function(){return Te.addDirectionalKeyCode}}),Object.defineProperty(t,"addElementAtIndex",{enumerable:!0,get:function(){return Te.addElementAtIndex}}),Object.defineProperty(t,"allowOverscrollOnElement",{enumerable:!0,get:function(){return Te.allowOverscrollOnElement}}),Object.defineProperty(t,"allowScrollOnElement",{enumerable:!0,get:function(){return Te.allowScrollOnElement}}),Object.defineProperty(t,"anchorProperties",{enumerable:!0,get:function(){return Te.anchorProperties}}),Object.defineProperty(t,"appendFunction",{enumerable:!0,get:function(){return Te.appendFunction}}),Object.defineProperty(t,"arraysEqual",{enumerable:!0,get:function(){return Te.arraysEqual}}),Object.defineProperty(t,"asAsync",{enumerable:!0,get:function(){return Te.asAsync}}),Object.defineProperty(t,"assertNever",{enumerable:!0,get:function(){return Te.assertNever}}),Object.defineProperty(t,"assign",{enumerable:!0,get:function(){return Te.assign}}),Object.defineProperty(t,"audioProperties",{enumerable:!0,get:function(){return Te.audioProperties}}),Object.defineProperty(t,"baseElementEvents",{enumerable:!0,get:function(){return Te.baseElementEvents}}),Object.defineProperty(t,"baseElementProperties",{enumerable:!0,get:function(){return Te.baseElementProperties}}),Object.defineProperty(t,"buttonProperties",{enumerable:!0,get:function(){return Te.buttonProperties}}),Object.defineProperty(t,"calculatePrecision",{enumerable:!0,get:function(){return Te.calculatePrecision}}),Object.defineProperty(t,"canUseDOM",{enumerable:!0,get:function(){return Te.canUseDOM}}),Object.defineProperty(t,"classNamesFunction",{enumerable:!0,get:function(){return Te.classNamesFunction}}),Object.defineProperty(t,"colGroupProperties",{enumerable:!0,get:function(){return Te.colGroupProperties}}),Object.defineProperty(t,"colProperties",{enumerable:!0,get:function(){return Te.colProperties}}),Object.defineProperty(t,"composeComponentAs",{enumerable:!0,get:function(){return Te.composeComponentAs}}),Object.defineProperty(t,"composeRenderFunction",{enumerable:!0,get:function(){return Te.composeRenderFunction}}),Object.defineProperty(t,"createArray",{enumerable:!0,get:function(){return Te.createArray}}),Object.defineProperty(t,"createMemoizer",{enumerable:!0,get:function(){return Te.createMemoizer}}),Object.defineProperty(t,"createMergedRef",{enumerable:!0,get:function(){return Te.createMergedRef}}),Object.defineProperty(t,"css",{enumerable:!0,get:function(){return Te.css}}),Object.defineProperty(t,"customizable",{enumerable:!0,get:function(){return Te.customizable}}),Object.defineProperty(t,"disableBodyScroll",{enumerable:!0,get:function(){return Te.disableBodyScroll}}),Object.defineProperty(t,"divProperties",{enumerable:!0,get:function(){return Te.divProperties}}),Object.defineProperty(t,"doesElementContainFocus",{enumerable:!0,get:function(){return Te.doesElementContainFocus}}),Object.defineProperty(t,"elementContains",{enumerable:!0,get:function(){return Te.elementContains}}),Object.defineProperty(t,"elementContainsAttribute",{enumerable:!0,get:function(){return Te.elementContainsAttribute}}),Object.defineProperty(t,"enableBodyScroll",{enumerable:!0,get:function(){return Te.enableBodyScroll}}),Object.defineProperty(t,"extendComponent",{enumerable:!0,get:function(){return Te.extendComponent}}),Object.defineProperty(t,"filteredAssign",{enumerable:!0,get:function(){return Te.filteredAssign}}),Object.defineProperty(t,"find",{enumerable:!0,get:function(){return Te.find}}),Object.defineProperty(t,"findElementRecursive",{enumerable:!0,get:function(){return Te.findElementRecursive}}),Object.defineProperty(t,"findIndex",{enumerable:!0,get:function(){return Te.findIndex}}),Object.defineProperty(t,"findScrollableParent",{enumerable:!0,get:function(){return Te.findScrollableParent}}),Object.defineProperty(t,"fitContentToBounds",{enumerable:!0,get:function(){return Te.fitContentToBounds}}),Object.defineProperty(t,"flatten",{enumerable:!0,get:function(){return Te.flatten}}),Object.defineProperty(t,"focusAsync",{enumerable:!0,get:function(){return Te.focusAsync}}),Object.defineProperty(t,"focusFirstChild",{enumerable:!0,get:function(){return Te.focusFirstChild}}),Object.defineProperty(t,"formProperties",{enumerable:!0,get:function(){return Te.formProperties}}),Object.defineProperty(t,"format",{enumerable:!0,get:function(){return Te.format}}),Object.defineProperty(t,"getChildren",{enumerable:!0,get:function(){return Te.getChildren}}),Object.defineProperty(t,"getDistanceBetweenPoints",{enumerable:!0,get:function(){return Te.getDistanceBetweenPoints}}),Object.defineProperty(t,"getDocument",{enumerable:!0,get:function(){return Te.getDocument}}),Object.defineProperty(t,"getElementIndexPath",{enumerable:!0,get:function(){return Te.getElementIndexPath}}),Object.defineProperty(t,"getFirstFocusable",{enumerable:!0,get:function(){return Te.getFirstFocusable}}),Object.defineProperty(t,"getFirstTabbable",{enumerable:!0,get:function(){return Te.getFirstTabbable}}),Object.defineProperty(t,"getFirstVisibleElementFromSelector",{enumerable:!0,get:function(){return Te.getFirstVisibleElementFromSelector}}),Object.defineProperty(t,"getFocusableByIndexPath",{enumerable:!0,get:function(){return Te.getFocusableByIndexPath}}),Object.defineProperty(t,"getId",{enumerable:!0,get:function(){return Te.getId}}),Object.defineProperty(t,"getInitials",{enumerable:!0,get:function(){return Te.getInitials}}),Object.defineProperty(t,"getLanguage",{enumerable:!0,get:function(){return Te.getLanguage}}),Object.defineProperty(t,"getLastFocusable",{enumerable:!0,get:function(){return Te.getLastFocusable}}),Object.defineProperty(t,"getLastTabbable",{enumerable:!0,get:function(){return Te.getLastTabbable}}),Object.defineProperty(t,"getNativeElementProps",{enumerable:!0,get:function(){return Te.getNativeElementProps}}),Object.defineProperty(t,"getNativeProps",{enumerable:!0,get:function(){return Te.getNativeProps}}),Object.defineProperty(t,"getNextElement",{enumerable:!0,get:function(){return Te.getNextElement}}),Object.defineProperty(t,"getParent",{enumerable:!0,get:function(){return Te.getParent}}),Object.defineProperty(t,"getPreviousElement",{enumerable:!0,get:function(){return Te.getPreviousElement}}),Object.defineProperty(t,"getPropsWithDefaults",{enumerable:!0,get:function(){return Te.getPropsWithDefaults}}),Object.defineProperty(t,"getRTL",{enumerable:!0,get:function(){return Te.getRTL}}),Object.defineProperty(t,"getRTLSafeKeyCode",{enumerable:!0,get:function(){return Te.getRTLSafeKeyCode}}),Object.defineProperty(t,"getRect",{enumerable:!0,get:function(){return Te.getRect}}),Object.defineProperty(t,"getResourceUrl",{enumerable:!0,get:function(){return Te.getResourceUrl}}),Object.defineProperty(t,"getScrollbarWidth",{enumerable:!0,get:function(){return Te.getScrollbarWidth}}),Object.defineProperty(t,"getVirtualParent",{enumerable:!0,get:function(){return Te.getVirtualParent}}),Object.defineProperty(t,"getWindow",{enumerable:!0,get:function(){return Te.getWindow}}),Object.defineProperty(t,"hasHorizontalOverflow",{enumerable:!0,get:function(){return Te.hasHorizontalOverflow}}),Object.defineProperty(t,"hasOverflow",{enumerable:!0,get:function(){return Te.hasOverflow}}),Object.defineProperty(t,"hasVerticalOverflow",{enumerable:!0,get:function(){return Te.hasVerticalOverflow}}),Object.defineProperty(t,"hoistMethods",{enumerable:!0,get:function(){return Te.hoistMethods}}),Object.defineProperty(t,"hoistStatics",{enumerable:!0,get:function(){return Te.hoistStatics}}),Object.defineProperty(t,"htmlElementProperties",{enumerable:!0,get:function(){return Te.htmlElementProperties}}),Object.defineProperty(t,"iframeProperties",{enumerable:!0,get:function(){return Te.iframeProperties}}),Object.defineProperty(t,"imageProperties",{enumerable:!0,get:function(){return Te.imageProperties}}),Object.defineProperty(t,"imgProperties",{enumerable:!0,get:function(){return Te.imgProperties}}),Object.defineProperty(t,"initializeComponentRef",{enumerable:!0,get:function(){return Te.initializeComponentRef}}),Object.defineProperty(t,"initializeFocusRects",{enumerable:!0,get:function(){return Te.initializeFocusRects}}),Object.defineProperty(t,"inputProperties",{enumerable:!0,get:function(){return Te.inputProperties}}),Object.defineProperty(t,"isControlled",{enumerable:!0,get:function(){return Te.isControlled}}),Object.defineProperty(t,"isDirectionalKeyCode",{enumerable:!0,get:function(){return Te.isDirectionalKeyCode}}),Object.defineProperty(t,"isElementFocusSubZone",{enumerable:!0,get:function(){return Te.isElementFocusSubZone}}),Object.defineProperty(t,"isElementFocusZone",{enumerable:!0,get:function(){return Te.isElementFocusZone}}),Object.defineProperty(t,"isElementTabbable",{enumerable:!0,get:function(){return Te.isElementTabbable}}),Object.defineProperty(t,"isElementVisible",{enumerable:!0,get:function(){return Te.isElementVisible}}),Object.defineProperty(t,"isElementVisibleAndNotHidden",{enumerable:!0,get:function(){return Te.isElementVisibleAndNotHidden}}),Object.defineProperty(t,"isIE11",{enumerable:!0,get:function(){return Te.isIE11}}),Object.defineProperty(t,"isIOS",{enumerable:!0,get:function(){return Te.isIOS}}),Object.defineProperty(t,"isMac",{enumerable:!0,get:function(){return Te.isMac}}),Object.defineProperty(t,"isVirtualElement",{enumerable:!0,get:function(){return Te.isVirtualElement}}),Object.defineProperty(t,"labelProperties",{enumerable:!0,get:function(){return Te.labelProperties}}),Object.defineProperty(t,"liProperties",{enumerable:!0,get:function(){return Te.liProperties}}),Object.defineProperty(t,"mapEnumByName",{enumerable:!0,get:function(){return Te.mapEnumByName}}),Object.defineProperty(t,"memoize",{enumerable:!0,get:function(){return Te.memoize}}),Object.defineProperty(t,"memoizeFunction",{enumerable:!0,get:function(){return Te.memoizeFunction}}),Object.defineProperty(t,"merge",{enumerable:!0,get:function(){return Te.merge}}),Object.defineProperty(t,"mergeAriaAttributeValues",{enumerable:!0,get:function(){return Te.mergeAriaAttributeValues}}),Object.defineProperty(t,"mergeCustomizations",{enumerable:!0,get:function(){return Te.mergeCustomizations}}),Object.defineProperty(t,"mergeScopedSettings",{enumerable:!0,get:function(){return Te.mergeScopedSettings}}),Object.defineProperty(t,"mergeSettings",{enumerable:!0,get:function(){return Te.mergeSettings}}),Object.defineProperty(t,"MergeStylesRootProvider",{enumerable:!0,get:function(){return Te.MergeStylesRootProvider}}),Object.defineProperty(t,"MergeStylesShadowRootProvider",{enumerable:!0,get:function(){return Te.MergeStylesShadowRootProvider}}),Object.defineProperty(t,"modalize",{enumerable:!0,get:function(){return Te.modalize}}),Object.defineProperty(t,"nullRender",{enumerable:!0,get:function(){return Te.nullRender}}),Object.defineProperty(t,"olProperties",{enumerable:!0,get:function(){return Te.olProperties}}),Object.defineProperty(t,"omit",{enumerable:!0,get:function(){return Te.omit}}),Object.defineProperty(t,"on",{enumerable:!0,get:function(){return Te.on}}),Object.defineProperty(t,"optionProperties",{enumerable:!0,get:function(){return Te.optionProperties}}),Object.defineProperty(t,"portalContainsElement",{enumerable:!0,get:function(){return Te.portalContainsElement}}),Object.defineProperty(t,"precisionRound",{enumerable:!0,get:function(){return Te.precisionRound}}),Object.defineProperty(t,"raiseClick",{enumerable:!0,get:function(){return Te.raiseClick}}),Object.defineProperty(t,"removeDirectionalKeyCode",{enumerable:!0,get:function(){return Te.removeDirectionalKeyCode}}),Object.defineProperty(t,"removeIndex",{enumerable:!0,get:function(){return Te.removeIndex}}),Object.defineProperty(t,"replaceElement",{enumerable:!0,get:function(){return Te.replaceElement}}),Object.defineProperty(t,"resetControlledWarnings",{enumerable:!0,get:function(){return Te.resetControlledWarnings}}),Object.defineProperty(t,"resetIds",{enumerable:!0,get:function(){return Te.resetIds}}),Object.defineProperty(t,"resetMemoizations",{enumerable:!0,get:function(){return Te.resetMemoizations}}),Object.defineProperty(t,"safeRequestAnimationFrame",{enumerable:!0,get:function(){return Te.safeRequestAnimationFrame}}),Object.defineProperty(t,"safeSetTimeout",{enumerable:!0,get:function(){return Te.safeSetTimeout}}),Object.defineProperty(t,"selectProperties",{enumerable:!0,get:function(){return Te.selectProperties}}),Object.defineProperty(t,"setBaseUrl",{enumerable:!0,get:function(){return Te.setBaseUrl}}),Object.defineProperty(t,"setFocusVisibility",{enumerable:!0,get:function(){return Te.setFocusVisibility}}),Object.defineProperty(t,"setLanguage",{enumerable:!0,get:function(){return Te.setLanguage}}),Object.defineProperty(t,"setMemoizeWeakMap",{enumerable:!0,get:function(){return Te.setMemoizeWeakMap}}),Object.defineProperty(t,"setPortalAttribute",{enumerable:!0,get:function(){return Te.setPortalAttribute}}),Object.defineProperty(t,"setRTL",{enumerable:!0,get:function(){return Te.setRTL}}),Object.defineProperty(t,"setSSR",{enumerable:!0,get:function(){return Te.setSSR}}),Object.defineProperty(t,"setVirtualParent",{enumerable:!0,get:function(){return Te.setVirtualParent}}),Object.defineProperty(t,"setWarningCallback",{enumerable:!0,get:function(){return Te.setWarningCallback}}),Object.defineProperty(t,"shallowCompare",{enumerable:!0,get:function(){return Te.shallowCompare}}),Object.defineProperty(t,"shouldWrapFocus",{enumerable:!0,get:function(){return Te.shouldWrapFocus}}),Object.defineProperty(t,"styled",{enumerable:!0,get:function(){return Te.styled}}),Object.defineProperty(t,"tableProperties",{enumerable:!0,get:function(){return Te.tableProperties}}),Object.defineProperty(t,"tdProperties",{enumerable:!0,get:function(){return Te.tdProperties}}),Object.defineProperty(t,"textAreaProperties",{enumerable:!0,get:function(){return Te.textAreaProperties}}),Object.defineProperty(t,"thProperties",{enumerable:!0,get:function(){return Te.thProperties}}),Object.defineProperty(t,"toMatrix",{enumerable:!0,get:function(){return Te.toMatrix}}),Object.defineProperty(t,"trProperties",{enumerable:!0,get:function(){return Te.trProperties}}),Object.defineProperty(t,"unhoistMethods",{enumerable:!0,get:function(){return Te.unhoistMethods}}),Object.defineProperty(t,"useAdoptedStylesheet",{enumerable:!0,get:function(){return Te.useAdoptedStylesheet}}),Object.defineProperty(t,"useAdoptedStylesheetEx",{enumerable:!0,get:function(){return Te.useAdoptedStylesheetEx}}),Object.defineProperty(t,"useCustomizationSettings",{enumerable:!0,get:function(){return Te.useCustomizationSettings}}),Object.defineProperty(t,"useFocusRects",{enumerable:!0,get:function(){return Te.useFocusRects}}),Object.defineProperty(t,"useHasMergeStylesShadowRootContext",{enumerable:!0,get:function(){return Te.useHasMergeStylesShadowRootContext}}),Object.defineProperty(t,"useMergeStylesHooks",{enumerable:!0,get:function(){return Te.useMergeStylesHooks}}),Object.defineProperty(t,"useMergeStylesRootStylesheets",{enumerable:!0,get:function(){return Te.useMergeStylesRootStylesheets}}),Object.defineProperty(t,"useMergeStylesShadowRootContext",{enumerable:!0,get:function(){return Te.useMergeStylesShadowRootContext}}),Object.defineProperty(t,"useShadowConfig",{enumerable:!0,get:function(){return Te.useShadowConfig}}),Object.defineProperty(t,"useStyled",{enumerable:!0,get:function(){return Te.useStyled}}),Object.defineProperty(t,"values",{enumerable:!0,get:function(){return Te.values}}),Object.defineProperty(t,"videoProperties",{enumerable:!0,get:function(){return Te.videoProperties}}),Object.defineProperty(t,"warn",{enumerable:!0,get:function(){return Te.warn}}),Object.defineProperty(t,"warnConditionallyRequiredProps",{enumerable:!0,get:function(){return Te.warnConditionallyRequiredProps}}),Object.defineProperty(t,"warnControlledUsage",{enumerable:!0,get:function(){return Te.warnControlledUsage}}),Object.defineProperty(t,"warnDeprecations",{enumerable:!0,get:function(){return Te.warnDeprecations}}),Object.defineProperty(t,"warnMutuallyExclusive",{enumerable:!0,get:function(){return Te.warnMutuallyExclusive}});var Ee=o(37735);Object.defineProperty(t,"withViewport",{enumerable:!0,get:function(){return Ee.withViewport}});var De=o(25384);Object.defineProperty(t,"WeeklyDayPicker",{enumerable:!0,get:function(){return De.WeeklyDayPicker}}),Object.defineProperty(t,"defaultWeeklyDayPickerNavigationIcons",{enumerable:!0,get:function(){return De.defaultWeeklyDayPickerNavigationIcons}}),Object.defineProperty(t,"defaultWeeklyDayPickerStrings",{enumerable:!0,get:function(){return De.defaultWeeklyDayPickerStrings}});var Me=o(71628);Object.defineProperty(t,"WindowContext",{enumerable:!0,get:function(){return Me.WindowContext}}),Object.defineProperty(t,"WindowProvider",{enumerable:!0,get:function(){return Me.WindowProvider}}),Object.defineProperty(t,"useDocument",{enumerable:!0,get:function(){return Me.useDocument}}),Object.defineProperty(t,"useWindow",{enumerable:!0,get:function(){return Me.useWindow}});var Oe=o(10269);Object.defineProperty(t,"ThemeContext",{enumerable:!0,get:function(){return Oe.ThemeContext}}),Object.defineProperty(t,"ThemeProvider",{enumerable:!0,get:function(){return Oe.ThemeProvider}}),Object.defineProperty(t,"makeStyles",{enumerable:!0,get:function(){return Oe.makeStyles}}),Object.defineProperty(t,"useTheme",{enumerable:!0,get:function(){return Oe.useTheme}});var Re=o(85236);Object.defineProperty(t,"CommunicationColors",{enumerable:!0,get:function(){return Re.CommunicationColors}}),Object.defineProperty(t,"DefaultSpacing",{enumerable:!0,get:function(){return Re.DefaultSpacing}}),Object.defineProperty(t,"Depths",{enumerable:!0,get:function(){return Re.Depths}}),Object.defineProperty(t,"FluentTheme",{enumerable:!0,get:function(){return Re.FluentTheme}}),Object.defineProperty(t,"LocalizedFontFamilies",{enumerable:!0,get:function(){return Re.LocalizedFontFamilies}}),Object.defineProperty(t,"LocalizedFontNames",{enumerable:!0,get:function(){return Re.LocalizedFontNames}}),Object.defineProperty(t,"mergeThemes",{enumerable:!0,get:function(){return Re.mergeThemes}}),Object.defineProperty(t,"MotionDurations",{enumerable:!0,get:function(){return Re.MotionDurations}}),Object.defineProperty(t,"MotionTimings",{enumerable:!0,get:function(){return Re.MotionTimings}}),Object.defineProperty(t,"MotionAnimations",{enumerable:!0,get:function(){return Re.MotionAnimations}}),Object.defineProperty(t,"NeutralColors",{enumerable:!0,get:function(){return Re.NeutralColors}}),Object.defineProperty(t,"SharedColors",{enumerable:!0,get:function(){return Re.SharedColors}}),o(90149)},34356:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ButtonGridBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(80371),s=o(25698),l=(0,i.classNamesFunction)();t.ButtonGridBase=r.forwardRef((function(e,t){var o=(0,s.useId)(void 0,e.id),c=e.items,u=e.columnCount,d=e.onRenderItem,p=e.isSemanticRadio,m=e.ariaPosInSet,g=void 0===m?e.positionInSet:m,h=e.ariaSetSize,f=void 0===h?e.setSize:h,v=e.styles,b=e.doNotContainWithinFocusZone,y=(0,i.getNativeProps)(e,i.htmlElementProperties,b?[]:["onBlur"]),_=l(v,{theme:e.theme}),S=(0,i.toMatrix)(c,u),C=r.createElement("table",n.__assign({"aria-posinset":g,"aria-setsize":f,id:o,role:p?"radiogroup":"grid"},y,{className:_.root}),r.createElement("tbody",{role:p?"presentation":"rowgroup"},S.map((function(e,t){return r.createElement("tr",{role:p?"presentation":"row",key:t},e.map((function(e,t){return r.createElement("td",{role:"presentation",key:t+"-cell",className:_.tableCell},d(e,t))})))}))));return b?C:r.createElement(a.FocusZone,{elementRef:t,isCircularNavigation:e.shouldFocusCircularNavigate,className:_.focusedContainer,onBlur:e.onBlur},C)}))},32967:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ButtonGrid=void 0;var n=o(71061),r=o(34356),i=o(35179);t.ButtonGrid=(0,n.styled)(r.ButtonGridBase,i.getStyles),t.ButtonGrid.displayName="ButtonGrid"},35179:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0,t.getStyles=function(e){return{root:{padding:2,outline:"none"},tableCell:{padding:0}}}},66064:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},89027:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ButtonGridCell=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(74393),s=o(25698);t.ButtonGridCell=function(e){var t,o=(0,s.useId)("gridCell"),l=e.item,c=e.id,u=void 0===c?o:c,d=e.className,p=e.selected,m=e.disabled,g=void 0!==m&&m,h=e.onRenderItem,f=e.cellDisabledStyle,v=e.cellIsSelectedStyle,b=e.index,y=e.label,_=e.getClassNames,S=e.onClick,C=e.onHover,x=e.onMouseMove,P=e.onMouseLeave,k=e.onMouseEnter,I=e.onFocus,w=(0,i.getNativeProps)(e,i.buttonProperties),T=r.useCallback((function(e){S&&!g&&S(l,e)}),[g,l,S]),E=r.useCallback((function(e){k&&k(e)||!C||g||C(l,e)}),[g,l,C,k]),D=r.useCallback((function(e){x&&x(e)||!C||g||C(l,e)}),[g,l,C,x]),M=r.useCallback((function(e){P&&P(e)||!C||g||C(void 0,e)}),[g,C,P]),O=r.useCallback((function(e){I&&!g&&I(l,e)}),[g,l,I]);return r.createElement(a.CommandButton,n.__assign({id:u,"data-index":b,"data-is-focusable":!0,"aria-selected":p,ariaLabel:y,title:y},w,{className:(0,i.css)(d,(t={},t[""+v]=p,t[""+f]=g,t)),onClick:T,onMouseEnter:E,onMouseMove:D,onMouseLeave:M,onFocus:O,getClassNames:_}),h(l))}},26756:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},87503:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(32967),t),n.__exportStar(o(66064),t),n.__exportStar(o(89027),t),n.__exportStar(o(26756),t)},49441:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DraggableZone=void 0;var n=o(31635),r=o(83923),i=o(98645),a=o(71061),s=o(97156),l=o(50478),c={start:"touchstart",move:"touchmove",stop:"touchend"},u={start:"mousedown",move:"mousemove",stop:"mouseup"},d=function(e){function t(t){var o=e.call(this,t)||this;return o._currentEventType=u,o._events=[],o._onMouseDown=function(e){var t=r.Children.only(o.props.children).props.onMouseDown;return t&&t(e),o._currentEventType=u,o._onDragStart(e)},o._onMouseUp=function(e){var t=r.Children.only(o.props.children).props.onMouseUp;return t&&t(e),o._currentEventType=u,o._onDragStop(e)},o._onTouchStart=function(e){var t=r.Children.only(o.props.children).props.onTouchStart;return t&&t(e),o._currentEventType=c,o._onDragStart(e)},o._onTouchEnd=function(e){var t=r.Children.only(o.props.children).props.onTouchEnd;t&&t(e),o._currentEventType=c,o._onDragStop(e)},o._onDragStart=function(e){if("number"==typeof e.button&&0!==e.button)return!1;if(!(o.props.handleSelector&&!o._matchesSelector(e.target,o.props.handleSelector)||o.props.preventDragSelector&&o._matchesSelector(e.target,o.props.preventDragSelector))){o._touchId=o._getTouchId(e);var t=o._getControlPosition(e);if(void 0!==t){var n=o._createDragDataFromPosition(t);o.props.onStart&&o.props.onStart(e,n),o.setState({isDragging:!0,lastPosition:t});var r=(0,l.getDocumentEx)(o.context);o._events=[(0,a.on)(r.body,o._currentEventType.move,o._onDrag,!0),(0,a.on)(r.body,o._currentEventType.stop,o._onDragStop,!0)]}}},o._onDrag=function(e){"touchmove"===e.type&&e.preventDefault();var t=o._getControlPosition(e);if(t){var n=o._createUpdatedDragData(o._createDragDataFromPosition(t)),r=n.position;o.props.onDragChange&&o.props.onDragChange(e,n),o.setState({position:r,lastPosition:t})}},o._onDragStop=function(e){if(o.state.isDragging){var t=o._getControlPosition(e);if(t){var n=o._createDragDataFromPosition(t);o.setState({isDragging:!1,lastPosition:void 0}),o.props.onStop&&o.props.onStop(e,n),o.props.position&&o.setState({position:o.props.position}),o._events.forEach((function(e){return e()}))}}},o.state={isDragging:!1,position:o.props.position||{x:0,y:0},lastPosition:void 0},o}return n.__extends(t,e),t.prototype.componentDidUpdate=function(e){!this.props.position||e.position&&this.props.position===e.position||this.setState({position:this.props.position})},t.prototype.componentWillUnmount=function(){this._events.forEach((function(e){return e()}))},t.prototype.render=function(){var e=r.Children.only(this.props.children),t=e.props,o=this.props.position,a=this.state,s=a.position,l=a.isDragging,c=s.x,u=s.y;return o&&!l&&(c=o.x,u=o.y),r.cloneElement(e,{style:n.__assign(n.__assign({},t.style),{transform:"translate(".concat(c,"px, ").concat(u,"px)")}),className:(0,i.getClassNames)(t.className,this.state.isDragging).root,onMouseDown:this._onMouseDown,onMouseUp:this._onMouseUp,onTouchStart:this._onTouchStart,onTouchEnd:this._onTouchEnd})},t.prototype._getControlPosition=function(e){var t=this._getActiveTouch(e);if(void 0===this._touchId||t){var o=t||e;return{x:o.clientX,y:o.clientY}}},t.prototype._getActiveTouch=function(e){return e.targetTouches&&this._findTouchInTouchList(e.targetTouches)||e.changedTouches&&this._findTouchInTouchList(e.changedTouches)},t.prototype._getTouchId=function(e){var t=e.targetTouches&&e.targetTouches[0]||e.changedTouches&&e.changedTouches[0];if(t)return t.identifier},t.prototype._matchesSelector=function(e,t){var o;if(!e||e===(null===(o=(0,l.getDocumentEx)(this.context))||void 0===o?void 0:o.body))return!1;var n=e.matches||e.webkitMatchesSelector||e.msMatchesSelector;return!!n&&(n.call(e,t)||this._matchesSelector(e.parentElement,t))},t.prototype._findTouchInTouchList=function(e){if(void 0!==this._touchId)for(var t=0;t{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getClassNames=void 0;var n=o(71061),r=o(15019);t.getClassNames=(0,n.memoizeFunction)((function(e,t){return{root:(0,r.mergeStyles)(e,t&&{touchAction:"none",selectors:{"& *":{userSelect:"none"}}})}}))},78378:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},37996:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(49441),t),n.__exportStar(o(78378),t),n.__exportStar(o(98645),t)},51821:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useMenuContext=t.MenuContext=void 0;var n=o(83923);t.MenuContext=n.createContext({}),t.useMenuContext=function(){return n.useContext(t.MenuContext)}},46263:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(51821),t),n.__exportStar(o(88814),t)},88814:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},76601:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ThemeContext=void 0;var n=o(83923);t.ThemeContext=n.createContext(void 0)},42145:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ThemeProvider=void 0;var n=o(83923),r=o(64106),i=o(54776),a=o(25698);t.ThemeProvider=n.forwardRef((function(e,t){var o=(0,a.useMergedRefs)(t,n.useRef(null)),s=(0,i.useThemeProvider)(e,{ref:o,as:"div",applyTo:"element"}),l=s.render,c=s.state;return(0,r.useThemeProviderClasses)(c),l(c)})),t.ThemeProvider.displayName="ThemeProvider"},10269:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ThemeContext=t.useTheme=t.ThemeProvider=void 0;var n=o(31635),r=o(42145);Object.defineProperty(t,"ThemeProvider",{enumerable:!0,get:function(){return r.ThemeProvider}});var i=o(24705);Object.defineProperty(t,"useTheme",{enumerable:!0,get:function(){return i.useTheme}});var a=o(76601);Object.defineProperty(t,"ThemeContext",{enumerable:!0,get:function(){return a.ThemeContext}}),n.__exportStar(o(48793),t)},48793:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.makeStyles=void 0;var n=o(24705),r=o(52332),i=o(97156),a=o(4508),s=o(83923);t.makeStyles=function(e){var t=new Map,o=new Set,l=function(e){var n=e.currentTarget,r=n.__id__;t.delete(r),n.removeEventListener("unload",l),o.delete(r)};return function(c){void 0===c&&(c={});var u,d=c.theme,p=(0,i.useWindow)();p&&(p.__id__=p.__id__||(0,r.getId)(),u=p.__id__,o.has(u)||(o.add(u),p.addEventListener("unload",l)));var m=(0,n.useTheme)();d=d||m;var g=a.mergeStylesRenderer.getId(),h=[u,g,d],f=function(e,t){var o,n,r,i=t[0],a=t[1],s=t[2];return null===(r=null===(n=null===(o=e.get(i))||void 0===o?void 0:o.get(a))||void 0===n?void 0:n.get(s))||void 0===r?void 0:r.classMap}(t,h);if((0,s.useEffect)((function(){return function(e,t){var o,n,r=t[0],i=t[1],a=t[2],s=null===(n=null===(o=e.get(r))||void 0===o?void 0:o.get(i))||void 0===n?void 0:n.get(a);s&&s.refCount++}(t,[u,g,d]),function(){return function(e,t){var o,n,r,i,a,s,l,c,u=t[0],d=t[1],p=t[2],m=null===(n=null===(o=e.get(u))||void 0===o?void 0:o.get(d))||void 0===n?void 0:n.get(p);m&&(m.refCount--,0===m.refCount&&(null===(i=null===(r=e.get(u))||void 0===r?void 0:r.get(d))||void 0===i||i.delete(p),0===(null===(s=null===(a=e.get(u))||void 0===a?void 0:a.get(d))||void 0===s?void 0:s.size)&&(null===(l=e.get(u))||void 0===l||l.delete(d),0===(null===(c=e.get(u))||void 0===c?void 0:c.size)&&e.delete(u))))}(t,[u,g,d])}}),[u,g,d]),!f){var v=function(e){return"function"==typeof e}(e)?e(d):e;f=a.mergeStylesRenderer.renderStyles(v,{targetWindow:p,rtl:!!d.rtl}),function(e,t,o){var n,r,i=t[0],a=t[1],s=t[2],l=null!==(n=e.get(i))&&void 0!==n?n:new Map;e.set(i,l);var c=null!==(r=l.get(a))&&void 0!==r?r:new Map;l.set(a,c),c.set(s,{classMap:o,refCount:0})}(t,h,f)}return f}}},81813:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.renderThemeProvider=void 0;var n=o(31635),r=o(83923),i=o(52332),a=o(76601);t.renderThemeProvider=function(e){var t=e.customizerContext,o=e.ref,s=e.theme,l=e.as||"div",c="string"==typeof e.as?(0,i.getNativeElementProps)(e.as,e):e.as===r.Fragment?{children:e.children}:(0,i.omit)(e,["as"]);return r.createElement(a.ThemeContext.Provider,{value:s},r.createElement(i.CustomizerContext.Provider,{value:t},r.createElement(i.FocusRectsProvider,{providerRef:o},r.createElement(l,n.__assign({},c)))))}},4508:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.mergeStylesRenderer=void 0;var n=o(15241),r=0;t.mergeStylesRenderer={reset:function(){n.Stylesheet.getInstance().onReset((function(){return r++}))},getId:function(){return r},renderStyles:function(e,t){return(0,n.mergeCssSets)(Array.isArray(e)?e:[e],t)},renderFontFace:function(e,t){return(0,n.fontFace)(e)},renderKeyframes:function(e){return(0,n.keyframes)(e)}}},24705:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useTheme=void 0;var n=o(83923),r=o(52332),i=o(51499),a=o(76601);t.useTheme=function(){var e=(0,n.useContext)(a.ThemeContext),t=(0,r.useCustomizationSettings)(["theme"]).theme;return e||t||(0,i.createTheme)({})}},54776:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useThemeProvider=void 0;var n=o(81813),r=o(67035),i=o(52332);t.useThemeProvider=function(e,t){var o=(0,i.getPropsWithDefaults)(t,e);return(0,r.useThemeProviderState)(o),{state:o,render:n.renderThemeProvider}}},64106:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useThemeProviderClasses=void 0;var n=o(83923),r=o(52332),i=o(97156),a=(0,o(48793).makeStyles)((function(e){var t=e.semanticColors,o=e.fonts;return{body:[{color:t.bodyText,background:t.bodyBackground,fontFamily:o.medium.fontFamily,fontWeight:o.medium.fontWeight,fontSize:o.medium.fontSize,MozOsxFontSmoothing:o.medium.MozOsxFontSmoothing,WebkitFontSmoothing:o.medium.WebkitFontSmoothing}]}}));t.useThemeProviderClasses=function(e){var t=a(e),o=e.className,s=e.applyTo;!function(e,t){var o,r="body"===e.applyTo,a=null===(o=(0,i.useDocument)())||void 0===o?void 0:o.body;n.useEffect((function(){if(r&&a){for(var e=0,o=t;e{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useThemeProviderState=void 0;var n=o(51499),r=o(83923),i=o(24705),a=o(52332),s=new Map;t.useThemeProviderState=function(e){var t=e.theme,o=(0,i.useTheme)(),l=e.theme=r.useMemo((function(){var e=(0,n.mergeThemes)(o,t);return e.id=function(){for(var e=[],t=0;t{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t._rgbaOrHexString=void 0;var n=o(47076);t._rgbaOrHexString=function(e,t,o,r,i){return r===n.MAX_COLOR_ALPHA||"number"!=typeof r?"#".concat(i):"rgba(".concat(e,", ").concat(t,", ").concat(o,", ").concat(r/n.MAX_COLOR_ALPHA,")")}},61029:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.clamp=void 0,t.clamp=function(e,t,o){return void 0===o&&(o=0),et?t:e}},44984:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(47076),t),n.__exportStar(o(5176),t),n.__exportStar(o(79466),t),n.__exportStar(o(73270),t),n.__exportStar(o(61029),t),n.__exportStar(o(15524),t),n.__exportStar(o(28194),t),n.__exportStar(o(41794),t),n.__exportStar(o(80220),t),n.__exportStar(o(30302),t),n.__exportStar(o(98278),t),n.__exportStar(o(7066),t),n.__exportStar(o(18441),t),n.__exportStar(o(97638),t),n.__exportStar(o(19833),t),n.__exportStar(o(32668),t),n.__exportStar(o(16505),t),n.__exportStar(o(21182),t),n.__exportStar(o(36306),t),n.__exportStar(o(78073),t),n.__exportStar(o(64651),t),n.__exportStar(o(58655),t)},47076:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.RGBA_REGEX=t.HEX_REGEX=t.MAX_RGBA_LENGTH=t.MIN_RGBA_LENGTH=t.MAX_HEX_LENGTH=t.MIN_HEX_LENGTH=t.MAX_COLOR_ALPHA=t.MAX_COLOR_RGBA=t.MAX_COLOR_RGB=t.MAX_COLOR_VALUE=t.MAX_COLOR_HUE=t.MAX_COLOR_SATURATION=void 0,t.MAX_COLOR_SATURATION=100,t.MAX_COLOR_HUE=359,t.MAX_COLOR_VALUE=100,t.MAX_COLOR_RGB=255,t.MAX_COLOR_RGBA=t.MAX_COLOR_RGB,t.MAX_COLOR_ALPHA=100,t.MIN_HEX_LENGTH=3,t.MAX_HEX_LENGTH=6,t.MIN_RGBA_LENGTH=1,t.MAX_RGBA_LENGTH=3,t.HEX_REGEX=/^[\da-f]{0,6}$/i,t.RGBA_REGEX=/^\d{0,3}$/},64651:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.correctHSV=void 0;var n=o(47076),r=o(61029);t.correctHSV=function(e){return{h:(0,r.clamp)(e.h,n.MAX_COLOR_HUE),s:(0,r.clamp)(e.s,n.MAX_COLOR_SATURATION),v:(0,r.clamp)(e.v,n.MAX_COLOR_VALUE)}}},58655:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.correctHex=void 0;var n=o(47076);t.correctHex=function(e){return!e||e.length=n.MAX_HEX_LENGTH?e.substring(0,n.MAX_HEX_LENGTH):e.substring(0,n.MIN_HEX_LENGTH)}},78073:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.correctRGB=void 0;var n=o(47076),r=o(61029);t.correctRGB=function(e){return{r:(0,r.clamp)(e.r,n.MAX_COLOR_RGB),g:(0,r.clamp)(e.g,n.MAX_COLOR_RGB),b:(0,r.clamp)(e.b,n.MAX_COLOR_RGB),a:"number"==typeof e.a?(0,r.clamp)(e.a,n.MAX_COLOR_ALPHA):e.a}}},79466:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.cssColor=void 0;var n=o(52332),r=o(47076),i=o(15524);function a(e){if(e){var t=e.match(/^rgb(a?)\(([\d., ]+)\)$/);if(t){var o=!!t[1],n=o?4:3,i=t[2].split(/ *, */).map(Number);if(i.length===n)return{r:i[0],g:i[1],b:i[2],a:o?100*i[3]:r.MAX_COLOR_ALPHA}}}}t.cssColor=function(e,t){if(e){var o=null!=t?t:(0,n.getDocument)();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:r.MAX_COLOR_ALPHA}}(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:r.MAX_COLOR_ALPHA}}(e)||function(e){var t=e.match(/^hsl(a?)\(([\d., ]+)\)$/);if(t){var o=!!t[1],n=o?4:3,a=t[2].split(/ *, */).map(Number);if(a.length===n){var s=(0,i.hsl2rgb)(a[0],a[1],a[2]);return s.a=o?100*a[3]:r.MAX_COLOR_ALPHA,s}}}(e)||function(e,t){var o;if(void 0!==t){var n=t.createElement("div");n.style.backgroundColor=e,n.style.position="absolute",n.style.top="-9999px",n.style.left="-9999px",n.style.height="1px",n.style.width="1px",t.body.appendChild(n);var r=null===(o=t.defaultView)||void 0===o?void 0:o.getComputedStyle(n),i=r&&r.backgroundColor;if(t.body.removeChild(n),"rgba(0, 0, 0, 0)"!==i&&"transparent"!==i)return a(i);switch(e.trim()){case"transparent":case"#0000":case"#00000000":return{r:0,g:0,b:0,a:0}}}}(e,o)}}},97638:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getColorFromHSV=void 0;var n=o(47076),r=o(41794),i=o(80220),a=o(4970);t.getColorFromHSV=function(e,t){var o=e.h,s=e.s,l=e.v;t="number"==typeof t?t:n.MAX_COLOR_ALPHA;var c=(0,r.hsv2rgb)(o,s,l),u=c.r,d=c.g,p=c.b,m=(0,i.hsv2hex)(o,s,l);return{a:t,b:p,g:d,h:o,hex:m,r:u,s,str:(0,a._rgbaOrHexString)(u,d,p,t,m),v:l,t:n.MAX_COLOR_ALPHA-t}}},18441:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getColorFromRGBA=void 0;var n=o(47076),r=o(30302),i=o(73270),a=o(4970);t.getColorFromRGBA=function(e){var t=e.a,o=void 0===t?n.MAX_COLOR_ALPHA:t,s=e.b,l=e.g,c=e.r,u=(0,r.rgb2hsv)(c,l,s),d=u.h,p=u.s,m=u.v,g=(0,i.rgb2hex)(c,l,s);return{a:o,b:s,g:l,h:d,hex:g,r:c,s:p,str:(0,a._rgbaOrHexString)(c,l,s,o,g),v:m,t:n.MAX_COLOR_ALPHA-o}}},7066:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getColorFromString=void 0;var n=o(31635),r=o(52332),i=o(79466),a=o(18441);t.getColorFromString=function(e,t){var o=null!=t?t:(0,r.getDocument)(),s=(0,i.cssColor)(e,o);if(s)return n.__assign(n.__assign({},(0,a.getColorFromRGBA)(s)),{str:e})}},19833:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getFullColorString=void 0;var n=o(47076),r=o(80220);t.getFullColorString=function(e){return"#".concat((0,r.hsv2hex)(e.h,n.MAX_COLOR_SATURATION,n.MAX_COLOR_VALUE))}},28194:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.hsl2hsv=void 0,t.hsl2hsv=function(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}}},15524:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.hsl2rgb=void 0;var n=o(28194),r=o(41794);t.hsl2rgb=function(e,t,o){var i=(0,n.hsl2hsv)(e,t,o);return(0,r.hsv2rgb)(i.h,i.s,i.v)}},80220:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.hsv2hex=void 0;var n=o(41794),r=o(73270);t.hsv2hex=function(e,t,o){var i=(0,n.hsv2rgb)(e,t,o),a=i.r,s=i.g,l=i.b;return(0,r.rgb2hex)(a,s,l)}},98278:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.hsv2hsl=void 0;var n=o(47076);t.hsv2hsl=function(e,t,o){var r=(2-(t/=n.MAX_COLOR_SATURATION))*(o/=n.MAX_COLOR_VALUE),i=t*o;return{h:e,s:100*(i=(i/=r<=1?r:2-r)||0),l:100*(r/=2)}}},41794:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.hsv2rgb=void 0;var n=o(47076);t.hsv2rgb=function(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.MAX_COLOR_RGB*(r[0]+l)),g:Math.round(n.MAX_COLOR_RGB*(r[1]+l)),b:Math.round(n.MAX_COLOR_RGB*(r[2]+l))}}},77098:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(44984),t),n.__exportStar(o(23970),t),n.__exportStar(o(47076),t),n.__exportStar(o(5176),t),n.__exportStar(o(79466),t),n.__exportStar(o(73270),t),n.__exportStar(o(61029),t),n.__exportStar(o(15524),t),n.__exportStar(o(28194),t),n.__exportStar(o(41794),t),n.__exportStar(o(80220),t),n.__exportStar(o(30302),t),n.__exportStar(o(98278),t),n.__exportStar(o(7066),t),n.__exportStar(o(18441),t),n.__exportStar(o(97638),t),n.__exportStar(o(19833),t),n.__exportStar(o(32668),t),n.__exportStar(o(16505),t),n.__exportStar(o(21182),t),n.__exportStar(o(7066),t),n.__exportStar(o(36306),t),n.__exportStar(o(86861),t),n.__exportStar(o(78073),t),n.__exportStar(o(64651),t)},5176:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},73270:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.rgb2hex=void 0;var n=o(47076),r=o(61029);function i(e){var t=(e=(0,r.clamp)(e,n.MAX_COLOR_RGB)).toString(16);return 1===t.length?"0"+t:t}t.rgb2hex=function(e,t,o){return[i(e),i(t),i(o)].join("")}},30302:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.rgb2hsv=void 0;var n=o(47076);t.rgb2hsv=function(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.MAX_COLOR_RGB*100)}}},23970:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getContrastRatio=t.getBackgroundShade=t.getShade=t.isDark=t.isValidShade=t.Shade=void 0;var n,r=o(47076),i=o(71061),a=o(61029),s=o(18441),l=o(98278),c=o(41794),u=[.027,.043,.082,.145,.184,.216,.349,.537],d=[.537,.45,.349,.216,.184,.145,.082,.043],p=[.537,.349,.216,.184,.145,.082,.043,.027],m=[.537,.45,.349,.216,.184,.145,.082,.043],g=[.88,.77,.66,.55,.44,.33,.22,.11],h=[.11,.22,.33,.44,.55,.66,.77,.88],f=[.96,.84,.7,.4,.12],v=[.1,.24,.44];function b(e){return"number"==typeof e&&e>=n.Unshaded&&e<=n.Shade8}function y(e,t){return{h:e.h,s:e.s,v:(0,a.clamp)(e.v-e.v*t,100,0)}}function _(e,t){return{h:e.h,s:(0,a.clamp)(e.s-e.s*t,100,0),v:(0,a.clamp)(e.v+(100-e.v)*t,100,0)}}!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"}(n=t.Shade||(t.Shade={})),t.isValidShade=b,t.isDark=function(e){return(0,l.hsv2hsl)(e.h,e.s,e.v).l<50},t.getShade=function(e,t,o){if(void 0===o&&(o=!1),!e)return null;if(t===n.Unshaded||!b(t))return e;var a=(0,l.hsv2hsl)(e.h,e.s,e.v),u={h:e.h,s:e.s,v:e.v},d=t-1,S=_,C=y;return o&&(S=y,C=_),u=function(e){return e.r===r.MAX_COLOR_RGB&&e.g===r.MAX_COLOR_RGB&&e.b===r.MAX_COLOR_RGB}(e)?y(u,p[d]):function(e){return 0===e.r&&0===e.g&&0===e.b}(e)?_(u,m[d]):a.l/100>.8?C(u,h[d]):a.l/100<.2?S(u,g[d]):d1?n/i:i/n}},36306:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.updateA=void 0;var n=o(31635),r=o(4970),i=o(47076);t.updateA=function(e,t){return n.__assign(n.__assign({},e),{a:t,t:i.MAX_COLOR_ALPHA-t,str:(0,r._rgbaOrHexString)(e.r,e.g,e.b,t,e.hex)})}},16505:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.updateH=void 0;var n=o(31635),r=o(41794),i=o(73270),a=o(4970);t.updateH=function(e,t){var o=(0,r.hsv2rgb)(t,e.s,e.v),s=o.r,l=o.g,c=o.b,u=(0,i.rgb2hex)(s,l,c);return n.__assign(n.__assign({},e),{h:t,r:s,g:l,b:c,hex:u,str:(0,a._rgbaOrHexString)(s,l,c,e.a,u)})}},21182:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.updateRGB=void 0;var n=o(18441);t.updateRGB=function(e,t,o){var r;return(0,n.getColorFromRGBA)(((r={r:e.r,g:e.g,b:e.b,a:e.a})[t]=o,r))}},32668:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.updateSV=void 0;var n=o(31635),r=o(41794),i=o(73270),a=o(4970);t.updateSV=function(e,t,o){var s=(0,r.hsv2rgb)(e.h,t,o),l=s.r,c=s.g,u=s.b,d=(0,i.rgb2hex)(l,c,u);return n.__assign(n.__assign({},e),{s:t,v:o,r:l,g:c,b:u,hex:d,str:(0,a._rgbaOrHexString)(l,c,u,e.a,d)})}},86861:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.updateT=void 0;var n=o(31635),r=o(4970),i=o(47076);t.updateT=function(e,t){var o=i.MAX_COLOR_ALPHA-t;return n.__assign(n.__assign({},e),{t,a:o,str:(0,r._rgbaOrHexString)(e.r,e.g,e.b,o,e.hex)})}},29091:(e,t)=>{"use strict";function o(e){return e.canCheck?!(!e.isChecked&&!e.checked):"boolean"==typeof e.isChecked?e.isChecked:"boolean"==typeof e.checked?e.checked:null}Object.defineProperty(t,"__esModule",{value:!0}),t.getMenuItemAriaRole=t.isItemDisabled=t.hasSubmenu=t.getIsChecked=void 0,t.getIsChecked=o,t.hasSubmenu=function(e){return!(!e.subMenuProps&&!e.items)},t.isItemDisabled=function(e){return!(!e.isDisabled&&!e.disabled)},t.getMenuItemAriaRole=function(e){return null!==o(e)?"menuitemcheckbox":"menuitem"}},50719:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(29091),t)},39687:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.BaseDecorator=void 0;var n=o(31635),r=o(83923),i=o(71061),a=function(e){function t(t){var o=e.call(this,t)||this;return o._updateComposedComponentRef=o._updateComposedComponentRef.bind(o),o}return n.__extends(t,e),t.prototype._updateComposedComponentRef=function(e){this._composedComponentInstance=e,e?this._hoisted=(0,i.hoistMethods)(this,e):this._hoisted&&(0,i.unhoistMethods)(this,this._hoisted)},t}(r.Component);t.BaseDecorator=a},76172:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getResponsiveMode=t.withResponsiveMode=t.getInitialResponsiveMode=t.initializeResponsiveMode=t.setResponsiveMode=t.ResponsiveMode=void 0;var n,r=o(31635),i=o(83923),a=o(39687),s=o(71061),l=o(71628);!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=t.ResponsiveMode||(t.ResponsiveMode={}));var c,u,d=[479,639,1023,1365,1919,99999999];function p(){var e;return null!==(e=null!=c?c:u)&&void 0!==e?e:n.large}function m(e){try{return e.document.documentElement.clientWidth}catch(t){return e.innerWidth}}function g(e){var t=n.small;if(e){try{for(;m(e)>d[t];)t++}catch(e){t=p()}u=t}else{if(void 0===c)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=c}return t}t.setResponsiveMode=function(e){c=e},t.initializeResponsiveMode=function(e){var t=(0,s.getWindow)(e);t&&g(t)},t.getInitialResponsiveMode=p,t.withResponsiveMode=function(e){var t,o=((t=function(t){function o(e){var o=t.call(this,e)||this;return o._onResize=function(){var e=g(o.context.window);e!==o.state.responsiveMode&&o.setState({responsiveMode:e})},o._events=new s.EventGroup(o),o._updateComposedComponentRef=o._updateComposedComponentRef.bind(o),o.state={responsiveMode:p()},o}return r.__extends(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,r.__assign({ref:this._updateComposedComponentRef,responsiveMode:t},this.props))},o}(a.BaseDecorator)).contextType=l.WindowContext,t);return(0,s.hoistStatics)(e,o)},t.getResponsiveMode=g},67103:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.withViewport=void 0;var n=o(31635),r=o(83923),i=o(39687),a=o(71061);t.withViewport=function(e){return function(t){function o(e){var o=t.call(this,e)||this;return o._root=r.createRef(),o._registerResizeObserver=function(){var e=(0,a.getWindow)(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=(0,a.getWindow)(n),i=(0,a.findScrollableParent)(n),s=(0,a.getRect)(i,r),l=(0,a.getRect)(n,r);((l&&l.width)!==t.width||(s&&s.height)!==t.height)&&o._resizeAttempts<3&&l&&s?(o._resizeAttempts++,o.setState({viewport:{width:l.width,height:s.height}},(function(){o._updateViewport(e)}))):(o._resizeAttempts=0,e&&o._composedComponentInstance&&o._composedComponentInstance.forceUpdate())},o._async=new a.Async(o),o._events=new a.EventGroup(o),o._resizeAttempts=0,o.state={viewport:{width:0,height:0}},o}return n.__extends(o,t),o.prototype.componentDidMount=function(){var e=this,t=this.props,o=t.delayFirstMeasure,n=t.disableResizeObserver,r=t.skipViewportMeasures,i=(0,a.getWindow)(this._root.current);this._onAsyncResize=this._async.debounce(this._onAsyncResize,500,{leading:!1}),r||(!n&&this._isResizeObserverAvailable()?this._registerResizeObserver():this._events.on(i,"resize",this._onAsyncResize),o?this._async.setTimeout((function(){e._updateViewport()}),500):this._updateViewport())},o.prototype.componentDidUpdate=function(e){var t=e.skipViewportMeasures,o=this.props,n=o.disableResizeObserver,r=o.skipViewportMeasures,i=(0,a.getWindow)(this._root.current);r!==t&&(r?(this._unregisterResizeObserver(),this._events.off(i,"resize",this._onAsyncResize)):(!n&&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 r.createElement("div",{className:"ms-Viewport",ref:this._root,style:{minWidth:1,minHeight:1}},r.createElement(e,n.__assign({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,a.getWindow)(this._root.current);return e&&e.ResizeObserver},o}(i.BaseDecorator)}},50478:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getWindowEx=t.getDocumentEx=t.useWindowEx=t.useDocumentEx=void 0;var n=o(97156);t.useDocumentEx=function(){var e;return(null!==(e=(0,n.useDocument)())&&void 0!==e?e:"undefined"!=typeof document)?document:void 0},t.useWindowEx=function(){var e;return(null!==(e=(0,n.useWindow)())&&void 0!==e?e:"undefined"!=typeof window)?window:void 0},t.getDocumentEx=function(e){var t,o;return(null!==(o=null===(t=null==e?void 0:e.window)||void 0===t?void 0:t.document)&&void 0!==o?o:"undefined"!=typeof document)?document:void 0},t.getWindowEx=function(e){var t;return(null!==(t=null==e?void 0:e.window)&&void 0!==t?t:"undefined"!=typeof window)?window:void 0}},5189:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DragDropHelper=void 0;var n=o(71061),r=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 r=this;if(!this._initialized){this._events=new n.EventGroup(this);var i=(0,n.getDocument)();i&&(this._events.on(i.body,"mouseup",this._onMouseUp.bind(this),!0),this._events.on(i,"mouseup",this._onDocumentMouseUp.bind(this),!0)),this._initialized=!0}var a,s,l,c,u,d,p,m,g,h,f=o.key,v=void 0===f?"".concat(++this._lastId):f,b=[];if(o&&e){var y=o.eventMap,_=o.context,S=o.updateDropState,C={root:e,options:o,key:v};if(m=this._isDraggable(C),g=this._isDroppable(C),(m||g)&&y)for(var x=0,P=y;x0&&(n.EventGroup.raise(this._dragData.dropTarget.root,"dragleave"),n.EventGroup.raise(i,"dragenter"),this._dragData.dropTarget=e)}},e.prototype._onMouseLeave=function(e,t){this._isDragging&&this._dragData&&this._dragData.dropTarget&&this._dragData.dropTarget.key===e.key&&(n.EventGroup.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{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(23806),t),n.__exportStar(o(5189),t)},23806:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},71293:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.GetGroupCount=void 0;var n=o(31635);t.GetGroupCount=function(e){var t=0;if(e)for(var o=n.__spreadArray([],e,!0),r=void 0;o&&o.length>0;)++t,(r=o.pop())&&r.children&&o.push.apply(o,r.children);return t}},43315:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useResponsiveMode=void 0;var n=o(83923),r=o(52332),i=o(25698),a=o(76172),s=o(71628);t.useResponsiveMode=function(e,t){var o=n.useState((0,a.getInitialResponsiveMode)()),l=o[0],c=o[1],u=n.useCallback((function(){var t=(0,a.getResponsiveMode)((0,r.getWindow)(e.current));l!==t&&c(t)}),[e,l]),d=(0,s.useWindow)();return(0,i.useOnEvent)(d,"resize",u),n.useEffect((function(){void 0===t&&u()}),[t]),null!=t?t:l}},94181:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.transitionKeysContain=t.transitionKeysAreEqual=void 0;var n=o(71061);function r(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;r{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.constructKeytip=t.buildKeytipConfigMap=void 0;var n=o(31635);function r(e,t,o){var i=o.sequence?o.sequence:o.content.toLocaleLowerCase(),a=t.concat(i),s=n.__assign(n.__assign({},o.optionalProps),{keySequences:a,content:o.content});if(e[o.id]=s,o.children)for(var l=0,c=o.children;l{"use strict";var o;Object.defineProperty(t,"__esModule",{value:!0}),t.KeytipEvents=t.KTP_ARIA_SEPARATOR=t.KTP_LAYER_ID=t.DATAKTP_ARIA_TARGET=t.DATAKTP_EXECUTE_TARGET=t.DATAKTP_TARGET=t.KTP_FULL_PREFIX=t.KTP_SEPARATOR=t.KTP_PREFIX=void 0,t.KTP_PREFIX="ktp",t.KTP_SEPARATOR="-",t.KTP_FULL_PREFIX=t.KTP_PREFIX+t.KTP_SEPARATOR,t.DATAKTP_TARGET="data-ktp-target",t.DATAKTP_EXECUTE_TARGET="data-ktp-execute-target",t.DATAKTP_ARIA_TARGET="data-ktp-aria-target",t.KTP_LAYER_ID="ktp-layer-id",t.KTP_ARIA_SEPARATOR=", ",(o=t.KeytipEvents||(t.KeytipEvents={})).KEYTIP_ADDED="keytipAdded",o.KEYTIP_REMOVED="keytipRemoved",o.KEYTIP_UPDATED="keytipUpdated",o.PERSISTED_KEYTIP_ADDED="persistedKeytipAdded",o.PERSISTED_KEYTIP_REMOVED="persistedKeytipRemoved",o.PERSISTED_KEYTIP_EXECUTE="persistedKeytipExecute",o.ENTER_KEYTIP_MODE="enterKeytipMode",o.EXIT_KEYTIP_MODE="exitKeytipMode"},49683:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.KeytipManager=void 0;var n=o(31635),r=o(71061),i=o(12429),a=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 a=t?i.KeytipEvents.PERSISTED_KEYTIP_ADDED:i.KeytipEvents.KEYTIP_ADDED;r.EventGroup.raise(this,a,{keytip:o,uniqueID:n.uniqueID})}return n.uniqueID},e.prototype.update=function(e,t){var o=this.addParentOverflow(e),n=this._getUniqueKtp(o,t),a=this.keytips[t];a&&(n.keytip.visible=a.keytip.visible,this.keytips[t]=n,delete this.sequenceMapping[a.keytip.keySequences.toString()],this.sequenceMapping[n.keytip.keySequences.toString()]=n.keytip,!this.inKeytipMode&&this.delayUpdatingKeytipChange||r.EventGroup.raise(this,i.KeytipEvents.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?i.KeytipEvents.PERSISTED_KEYTIP_REMOVED:i.KeytipEvents.KEYTIP_REMOVED;!this.inKeytipMode&&this.delayUpdatingKeytipChange||r.EventGroup.raise(this,n,{keytip:e,uniqueID:t})},e.prototype.enterKeytipMode=function(){r.EventGroup.raise(this,i.KeytipEvents.ENTER_KEYTIP_MODE)},e.prototype.exitKeytipMode=function(){r.EventGroup.raise(this,i.KeytipEvents.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=n.__spreadArray([],e.keySequences,!0);if(t.pop(),0!==t.length){var o=this.sequenceMapping[t.toString()];if(o&&o.overflowSetSequence)return n.__assign(n.__assign({},e),{overflowSetSequence:o.overflowSetSequence})}return e},e.prototype.menuExecute=function(e,t){r.EventGroup.raise(this,i.KeytipEvents.PERSISTED_KEYTIP_EXECUTE,{overflowButtonSequences:e,keytipSequences:t})},e.prototype._getUniqueKtp=function(e,t){return void 0===t&&(t=(0,r.getId)()),{keytip:n.__assign({},e),uniqueID:t}},e._instance=new e,e}();t.KeytipManager=a},93025:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getAriaDescribedBy=t.ktpTargetFromId=t.ktpTargetFromSequences=t.mergeOverflows=t.sequencesToID=void 0;var n=o(31635),r=o(12429),i=o(71061);function a(e){return e.reduce((function(e,t){return e+r.KTP_SEPARATOR+t.split("").join(r.KTP_SEPARATOR)}),r.KTP_PREFIX)}t.sequencesToID=a,t.mergeOverflows=function(e,t){var o=t.length,r=n.__spreadArray([],t,!0).pop(),a=n.__spreadArray([],e,!0);return(0,i.addElementAtIndex)(a,o-1,r)},t.ktpTargetFromSequences=function(e){return"["+r.DATAKTP_TARGET+'="'+a(e)+'"]'},t.ktpTargetFromId=function(e){return"["+r.DATAKTP_EXECUTE_TARGET+'="'+e+'"]'},t.getAriaDescribedBy=function(e){var t=" "+r.KTP_LAYER_ID;return e.length?t+" "+a(e):t}},30572:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(94181),t),n.__exportStar(o(37420),t),n.__exportStar(o(12429),t),n.__exportStar(o(49683),t),n.__exportStar(o(93025),t)},47446:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.observeResize=void 0;var n=o(52332);t.observeResize=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 r=function(){return t(void 0)},i=(0,n.getWindow)(Array.isArray(e)?e[0]:e);if(!i)return function(){};var a=i.requestAnimationFrame(r);return i.addEventListener("resize",r,!1),function(){i.cancelAnimationFrame(a),i.removeEventListener("resize",r,!1)}}},92508:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.positionElement=t.positionCard=t.positionCallout=t.getOppositeEdge=t.getMaxHeight=t.getBoundsFromTargetWindow=void 0;var n=o(31635),r=o(73373);Object.defineProperty(t,"getBoundsFromTargetWindow",{enumerable:!0,get:function(){return r.getBoundsFromTargetWindow}}),Object.defineProperty(t,"getMaxHeight",{enumerable:!0,get:function(){return r.getMaxHeight}}),Object.defineProperty(t,"getOppositeEdge",{enumerable:!0,get:function(){return r.getOppositeEdge}}),Object.defineProperty(t,"positionCallout",{enumerable:!0,get:function(){return r.positionCallout}}),Object.defineProperty(t,"positionCard",{enumerable:!0,get:function(){return r.positionCard}}),Object.defineProperty(t,"positionElement",{enumerable:!0,get:function(){return r.positionElement}}),n.__exportStar(o(14014),t)},73373:(e,t,o)=>{"use strict";var n;Object.defineProperty(t,"__esModule",{value:!0}),t.getRectangleFromTarget=t.calculateGapSpace=t.getBoundsFromTargetWindow=t.getOppositeEdge=t.getMaxHeight=t.positionCard=t.positionCallout=t.positionElement=t.__positioningTestPackage=void 0;var r=o(31635),i=o(42502),a=o(71061),s=o(14014),l=o(71061);function c(e,t,o){return{targetEdge:e,alignmentEdge:t,isAuto:o}}var u=((n={})[i.DirectionalHint.topLeftEdge]=c(s.RectangleEdge.top,s.RectangleEdge.left),n[i.DirectionalHint.topCenter]=c(s.RectangleEdge.top),n[i.DirectionalHint.topRightEdge]=c(s.RectangleEdge.top,s.RectangleEdge.right),n[i.DirectionalHint.topAutoEdge]=c(s.RectangleEdge.top,void 0,!0),n[i.DirectionalHint.bottomLeftEdge]=c(s.RectangleEdge.bottom,s.RectangleEdge.left),n[i.DirectionalHint.bottomCenter]=c(s.RectangleEdge.bottom),n[i.DirectionalHint.bottomRightEdge]=c(s.RectangleEdge.bottom,s.RectangleEdge.right),n[i.DirectionalHint.bottomAutoEdge]=c(s.RectangleEdge.bottom,void 0,!0),n[i.DirectionalHint.leftTopEdge]=c(s.RectangleEdge.left,s.RectangleEdge.top),n[i.DirectionalHint.leftCenter]=c(s.RectangleEdge.left),n[i.DirectionalHint.leftBottomEdge]=c(s.RectangleEdge.left,s.RectangleEdge.bottom),n[i.DirectionalHint.rightTopEdge]=c(s.RectangleEdge.right,s.RectangleEdge.top),n[i.DirectionalHint.rightCenter]=c(s.RectangleEdge.right),n[i.DirectionalHint.rightBottomEdge]=c(s.RectangleEdge.right,s.RectangleEdge.bottom),n);function d(e,t){return!(e.topt.bottom||e.leftt.right)}function p(e,t){var o=[];return e.topt.bottom&&o.push(s.RectangleEdge.bottom),e.leftt.right&&o.push(s.RectangleEdge.right),o}function m(e,t){return e[s.RectangleEdge[t]]}function g(e,t,o){return e[s.RectangleEdge[t]]=o,e}function h(e,t){var o=w(t);return(m(e,o.positiveEdge)+m(e,o.negativeEdge))/2}function f(e,t){return e>0?t:-1*t}function v(e,t){return f(e,m(t,e))}function b(e,t,o){return f(o,m(e,o)-m(t,o))}function y(e,t,o,n){void 0===n&&(n=!0);var r=m(e,t)-o,i=g(e,t,o);return n&&(i=g(e,-1*t,m(e,-1*t)-r)),i}function _(e,t,o,n){return void 0===n&&(n=0),y(e,o,m(t,o)+f(o,n))}function S(e,t,o){return v(o,e)>v(o,t)}function C(e,t){for(var o=0,n=0,r=p(e,t);n=n}function P(e,t,o,n){for(var r=0,i=e;rMath.abs(b(e,o,-1*t))?-1*t:t}function E(e,t,o,n,r,i,a,l){var c={},u=A(t),d=i?o:-1*o,p=r||w(o).positiveEdge;return a&&!function(e,t,o){return void 0!==o&&m(e,t)===m(o,t)}(e,K(p),n)||(p=T(e,p,n)),c[s.RectangleEdge[d]]=b(e,u,d),c[s.RectangleEdge[p]]=b(e,u,p),l&&(c[s.RectangleEdge[-1*d]]=b(e,u,-1*d),c[s.RectangleEdge[-1*p]]=b(e,u,-1*p)),c}function D(e){return Math.sqrt(e*e*2)}function M(e,t,o){if(void 0===e&&(e=i.DirectionalHint.bottomAutoEdge),o)return{alignmentEdge:o.alignmentEdge,isAuto:o.isAuto,targetEdge:o.targetEdge};var n=r.__assign({},u[e]);return(0,a.getRTL)()?(n.alignmentEdge&&n.alignmentEdge%2==0&&(n.alignmentEdge=-1*n.alignmentEdge),void 0!==t?u[t]:n):n}function O(e,t,o){var n=h(t,e),r=h(o,e),i=w(e),a=i.positiveEdge,s=i.negativeEdge;return n<=r?a:s}function R(e,t,o,n,r,i,l,c,u){void 0===i&&(i=!1);var m=I(e,t,n,r,u);return d(m,o)?{elementRectangle:m,targetEdge:n.targetEdge,alignmentEdge:n.alignmentEdge}:function(e,t,o,n,r,i,l,c,u){void 0===r&&(r=!1),void 0===l&&(l=0);var m=n.alignmentEdge,g=n.alignTargetEdge,h={elementRectangle:e,targetEdge:n.targetEdge,alignmentEdge:m};c||u||(h=function(e,t,o,n,r,i,l){void 0===r&&(r=!1),void 0===l&&(l=0);var c=[s.RectangleEdge.left,s.RectangleEdge.right,s.RectangleEdge.bottom,s.RectangleEdge.top];(0,a.getRTL)()&&(c[0]*=-1,c[1]*=-1);for(var u,d=e,p=n.targetEdge,m=n.alignmentEdge,g=p,h=m,f=0;f<4;f++){if(S(d,o,p))return{elementRectangle:d,targetEdge:p,alignmentEdge:m};if(r&&x(t,o,p,i)){switch(p){case s.RectangleEdge.bottom:d.bottom=o.bottom;break;case s.RectangleEdge.top:d.top=o.top}return{elementRectangle:d,targetEdge:p,alignmentEdge:m,forcedInBounds:!0}}var v=C(d,o);(!u||v0&&(c.indexOf(-1*p)>-1?p*=-1:(m=p,p=c.slice(-1)[0]),d=I(e,t,{targetEdge:p,alignmentEdge:m},l))}return{elementRectangle:d=I(e,t,{targetEdge:g,alignmentEdge:h},l),targetEdge:g,alignmentEdge:h}}(e,t,o,n,r,i,l));var f=p(h.elementRectangle,o),v=c?-h.targetEdge:void 0;if(f.length>0)if(g)if(h.alignmentEdge&&f.indexOf(-1*h.alignmentEdge)>-1){var b=function(e,t,o,n){var r=e.alignmentEdge,i=e.targetEdge,a=-1*r;return{elementRectangle:I(e.elementRectangle,t,{targetEdge:i,alignmentEdge:a},o,n),targetEdge:i,alignmentEdge:a}}(h,t,l,u);if(d(b.elementRectangle,o))return b;h=P(p(b.elementRectangle,o),h,o,v)}else h=P(f,h,o,v);else h=P(f,h,o,v);return h}(m,t,o,n,i,l,r,c,u)}function F(e,t,o){var n=-1*e.targetEdge,i=new l.Rectangle(0,e.elementRectangle.width,0,e.elementRectangle.height),a={},c=T(e.elementRectangle,e.alignmentEdge?e.alignmentEdge:w(n).positiveEdge,o),u=b(e.elementRectangle,e.targetRectangle,n)>Math.abs(m(t,n));return a[s.RectangleEdge[n]]=m(t,n),a[s.RectangleEdge[c]]=b(t,i,c),{elementPosition:r.__assign({},a),closestEdge:O(e.targetEdge,t,i),targetEdge:n,hideBeak:!u}}function B(e,t){var o=t.targetRectangle,n=w(t.targetEdge),r=n.positiveEdge,i=n.negativeEdge,a=h(o,t.targetEdge),s=new l.Rectangle(e/2,t.elementRectangle.width-e/2,e/2,t.elementRectangle.height-e/2),c=new l.Rectangle(0,e,0,e);return S(c=k(c=y(c,-1*t.targetEdge,-e/2),-1*t.targetEdge,a-v(r,t.elementRectangle)),s,r)?S(c,s,i)||(c=_(c,s,i)):c=_(c,s,r),c}function A(e){var t=e.getBoundingClientRect();return new l.Rectangle(t.left,t.right,t.top,t.bottom)}function N(e){return new l.Rectangle(e.left,e.right,e.top,e.bottom)}function L(e,t,o,n,r){var i,a=u[t],l=r?-1*a.targetEdge:a.targetEdge;return(i=l===s.RectangleEdge.top?m(e,a.targetEdge)-n.top-o:l===s.RectangleEdge.bottom?n.bottom-m(e,a.targetEdge)-o:n.bottom-e.top-o)>0?i:n.height}function H(e,t,o,n,i,a){void 0===i&&(i=!1);var c=e.gapSpace?e.gapSpace:0,u=function(e,t){var o;if(t){if(t.preventDefault){var n=t;o=new l.Rectangle(n.clientX,n.clientX,n.clientY,n.clientY)}else if(t.getBoundingClientRect)o=A(t);else{var r=t,i=r.left||r.x,a=r.top||r.y,c=r.right||i,u=r.bottom||a;o=new l.Rectangle(i,c,a,u)}if(!d(o,e))for(var m=0,g=p(o,e);m=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)},t.calculateGapSpace=function(e,t,o){return z(e,t,o)},t.getRectangleFromTarget=function(e){return V(e)}},14014:(e,t)=>{"use strict";var o,n;Object.defineProperty(t,"__esModule",{value:!0}),t.Position=t.RectangleEdge=void 0,(n=t.RectangleEdge||(t.RectangleEdge={}))[n.top=1]="top",n[n.bottom=-1]="bottom",n[n.left=2]="left",n[n.right=-2]="right",(o=t.Position||(t.Position={}))[o.top=0]="top",o[o.bottom=1]="bottom",o[o.start=2]="start",o[o.end=3]="end"},24257:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},7933:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getAllSelectedOptions=void 0,t.getAllSelectedOptions=function(e,t){for(var o=[],n=0,r=t;n{"use strict";var o;Object.defineProperty(t,"__esModule",{value:!0}),t.SelectableOptionMenuItemType=void 0,(o=t.SelectableOptionMenuItemType||(t.SelectableOptionMenuItemType={}))[o.Normal=0]="Normal",o[o.Divider=1]="Divider",o[o.Header=2]="Header",o[o.SelectAll=3]="SelectAll"},73666:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(7933),t),n.__exportStar(o(990),t),n.__exportStar(o(24257),t)},53485:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Selection=void 0;var n=o(52332);Object.defineProperty(t,"Selection",{enumerable:!0,get:function(){return n.Selection}})},18643:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.SelectionZone=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(12387),s="data-selection-index",l="data-selection-toggle",c="data-selection-invoke",u="data-selection-all-toggle",d=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,n=(0,i.getWindow)(o._root.current),r=null==n?void 0:n.document;if((null==r?void 0:r.activeElement)===t||(0,i.elementContains)(null==r?void 0:r.activeElement,t)){if((0,i.elementContains)(t,o._root.current))for(;t!==o._root.current;){if(o._hasAttribute(t,c)){o.ignoreNextFocus();break}t=(0,i.getParent)(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!==a.SelectionMode.none){var s=o._hasAttribute(t,l),c=o._findItemRoot(t);if(!s&&c){var u=o._getItemIndex(c);void 0===o._getItemSpan(c)&&(r?(n.setIndexSelected(u,n.isIndexSelected(u),!0),o.props.enterModalOnTouch&&o._isTouch&&n.setModal&&(n.setModal(!0),o._setIsTouch(!1))):o.props.isSelectedOnFocus&&o._onItemSurfaceClick("focus",u))}}o._handleNextFocus(!1)},o._onMouseDown=function(e){o._updateModifiers(e);var t=o.props.toggleWithoutModifierPressed,n=e.target,r=o._findItemRoot(n);if(!o._isSelectionDisabled(n))for(;n!==o._root.current&&!o._hasAttribute(n,u);){if(r){if(o._hasAttribute(n,l))break;if(o._hasAttribute(n,c))break;if(!(n!==r&&!o._shouldAutoSelect(n)||o._isShiftPressed||o._isCtrlPressed||o._isMetaPressed||t)){o._onInvokeMouseDown(e,o._getItemIndex(r),o._getItemSpan(r));break}if(o.props.disableAutoSelectOnInputElements&&("A"===n.tagName||"BUTTON"===n.tagName||"INPUT"===n.tagName))return}n=(0,i.getParent)(n)}},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,a=o._findItemRoot(r),s=o._isSelectionDisabled(r);r!==o._root.current;){if(o._hasAttribute(r,u)){s||o._onToggleAllClick(e);break}if(a){var d=o._getItemIndex(a),p=o._getItemSpan(a);if(o._hasAttribute(r,l)){s||(o._isShiftPressed?o._onItemSurfaceClick("click",d,p):o._onToggleClick(e,d,p));break}if(o._isTouch&&n&&o._hasAttribute(r,"data-selection-touch-invoke")||o._hasAttribute(r,c)){void 0===p&&o._onInvokeClick(e,d);break}if(r===a){s||o._onItemSurfaceClick("click",d,p);break}if("A"===r.tagName||"BUTTON"===r.tagName||"INPUT"===r.tagName)return}r=(0,i.getParent)(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 a=o._getItemIndex(r);t!==o._root.current&&!o._hasAttribute(t,l)&&!o._hasAttribute(t,c);){if(t===r){o._onInvokeClick(e,a);break}t=(0,i.getParent)(t)}t=(0,i.getParent)(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,s=r.selection,c=r.selectionClearedOnEscapePress,u=e.which===i.KeyCodes.a&&(o._isCtrlPressed||o._isMetaPressed),d=e.which===i.KeyCodes.escape;if(!o._isInputElement(t)){var p=o._getSelectionMode();if(u&&p===a.SelectionMode.multiple&&!s.isAllSelected())return n||s.setAllSelected(!0),e.stopPropagation(),void e.preventDefault();if(c&&d&&s.getSelectedCount()>0)return n||s.setAllSelected(!1),e.stopPropagation(),void e.preventDefault();var m=o._findItemRoot(t);if(m)for(var g=o._getItemIndex(m),h=o._getItemSpan(m);t!==o._root.current&&!o._hasAttribute(t,l);){if(o._shouldAutoSelect(t)){n||void 0!==h||o._onInvokeMouseDown(e,g,h);break}if(!(e.which!==i.KeyCodes.enter&&e.which!==i.KeyCodes.space||"BUTTON"!==t.tagName&&"A"!==t.tagName&&"INPUT"!==t.tagName&&"SUMMARY"!==t.tagName))return!1;if(t===m){if(e.which===i.KeyCodes.enter)return void(void 0===h&&(o._onInvokeClick(e,g),e.preventDefault()));if(e.which===i.KeyCodes.space)return n||o._onToggleClick(e,g,h),void e.preventDefault();break}t=(0,i.getParent)(t)}}},o._events=new i.EventGroup(o),o._async=new i.Async(o),(0,i.initializeComponentRef)(o);var n=o.props.selection,s=n.isModal&&n.isModal();return o.state={isModal:s},o}return n.__extends(t,e),t.getDerivedStateFromProps=function(e,t){var o=e.selection.isModal&&e.selection.isModal();return n.__assign(n.__assign({},t),{isModal:o})},t.prototype.componentDidMount=function(){var e=(0,i.getWindow)(this._root.current),t=null==e?void 0:e.document;this._events.on(e,"keydown, keyup",this._updateModifiers,!0),this._events.on(t,"click",this._findScrollParentAndTryClearOnEmptyClick),this._events.on(null==t?void 0:t.body,"touchstart",this._onTouchStartCapture,!0),this._events.on(null==t?void 0:t.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,i.css)("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(i.FocusRects,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()===a.SelectionMode.none)return!0;for(;e!==this._root.current;){if(this._hasAttribute(e,"data-selection-disabled"))return!0;e=(0,i.getParent)(e)}return!1},t.prototype._onToggleAllClick=function(e){var t=this.props.selection;this._getSelectionMode()===a.SelectionMode.multiple&&(t.toggleAllSelected(),e.stopPropagation(),e.preventDefault())},t.prototype._onToggleClick=function(e,t,o){var n=this.props.selection,r=this._getSelectionMode();if(n.setChangeEvents(!1),this.props.enterModalOnTouch&&this._isTouch&&(void 0!==o?!n.isRangeSelected(t,o):!n.isIndexSelected(t))&&n.setModal&&(n.setModal(!0),this._setIsTouch(!1)),r===a.SelectionMode.multiple)void 0!==o?n.toggleRangeSelected(t,o):n.toggleIndexSelected(t);else{if(r!==a.SelectionMode.single)return void n.setChangeEvents(!0);if(void 0===o||1===o){var i=n.isIndexSelected(t),s=n.isModal&&n.isModal();n.setAllSelected(!1),n.setIndexSelected(t,!i,!0),s&&n.setModal&&n.setModal(!0)}}n.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,o){var n,r=this.props,i=r.selection,s=r.toggleWithoutModifierPressed,l=this._isCtrlPressed||this._isMetaPressed,c=this._getSelectionMode();c===a.SelectionMode.multiple?this._isShiftPressed&&!this._isTabPressed?void 0!==o?null===(n=i.selectToRange)||void 0===n||n.call(i,t,o,!l):i.selectToIndex(t,!l):"click"===e&&(l||s)?void 0!==o?i.toggleRangeSelected(t,o):i.toggleIndexSelected(t):this._clearAndSelectIndex(t,o):c===a.SelectionMode.single&&this._clearAndSelectIndex(t,o)},t.prototype._onInvokeMouseDown=function(e,t,o){var n=this.props.selection;if(void 0!==o){if(n.isRangeSelected(t,o))return}else if(n.isIndexSelected(t))return;this._clearAndSelectIndex(t,o)},t.prototype._findScrollParentAndTryClearOnEmptyClick=function(e){var t=(0,i.getWindow)(this._root.current),o=null==t?void 0:t.document,n=(0,i.findScrollableParent)(this._root.current);this._events.off(o,"click",this._findScrollParentAndTryClearOnEmptyClick),this._events.on(n,"click",this._tryClearOnEmptyClick),(n&&e.target instanceof Node&&n.contains(e.target)||n===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,t){var o,n=this.props,r=n.selection,i=n.selectionClearedOnSurfaceClick,a=void 0===i||i;if((void 0!==t&&1!==t||1!==r.getSelectedCount()||!r.isIndexSelected(e))&&a){var s=r.isModal&&r.isModal();r.setChangeEvents(!1),r.setAllSelected(!1),void 0!==t?null===(o=r.setRangeSelected)||void 0===o||o.call(r,e,t,!0,!0):r.setIndexSelected(e,!0,!0),(s||this.props.enterModalOnTouch&&this._isTouch)&&(r.setModal&&r.setModal(!0),this._isTouch&&this._setIsTouch(!1)),r.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===i.KeyCodes.tab},t.prototype._findItemRoot=function(e){for(var t=this.props.selection;e!==this._root.current;){var o=e.getAttribute(s),n=Number(o);if(null!==o&&n>=0&&n{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(12387),t),n.__exportStar(o(53485),t),n.__exportStar(o(18643),t)},12387:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.SelectionMode=t.SelectionDirection=t.SELECTION_CHANGE=void 0;var n=o(52332);Object.defineProperty(t,"SELECTION_CHANGE",{enumerable:!0,get:function(){return n.SELECTION_CHANGE}}),Object.defineProperty(t,"SelectionDirection",{enumerable:!0,get:function(){return n.SelectionDirection}}),Object.defineProperty(t,"SelectionMode",{enumerable:!0,get:function(){return n.SelectionMode}})},64867:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useOverflow=void 0;var n=o(83923),r=o(25698),i=o(52332),a=o(47446);t.useOverflow=function(e){var t=e.onOverflowItemsChanged,o=e.rtl,s=e.pinnedIndex,l=n.useRef(),c=n.useRef(),u=(0,r.useRefEffect)((function(e){var t=(0,a.observeResize)(e,(function(t){c.current=t?t[0].contentRect.width:e.clientWidth,l.current&&l.current()}));return function(){t(),c.current=void 0}})),d=(0,r.useRefEffect)((function(e){return u(e.parentElement),function(){return u(null)}}));return(0,r.useIsomorphicLayoutEffect)((function(){var e=u.current,n=d.current;if(e&&n){for(var r=[],a=0;a=0;t--){if(void 0===m[t]){var i=o?e-r[t].offsetLeft:r[t].offsetLeft+r[t].offsetWidth;t+1m[t])return void f(t+1)}f(0)}};var h=r.length,f=function(e){h!==e&&(h=e,t(e,r.map((function(t,o){return{ele:t,isOverflowing:o>=e&&o!==s}}))))},v=void 0;if(void 0!==c.current){var b=(0,i.getWindow)(e);if(b){var y=b.requestAnimationFrame(l.current);v=function(){return b.cancelAnimationFrame(y)}}}return function(){v&&v(),f(r.length),l.current=void 0}}})),{menuButtonRef:d}}},90149:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),(0,o(37607).setVersion)("@fluentui/react","8.118.2")},37607:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.setVersion=void 0;var n=o(47191);Object.defineProperty(t,"setVersion",{enumerable:!0,get:function(){return n.setVersion}}),(0,n.setVersion)("@fluentui/set-version","6.0.0")},47191:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.setVersion=void 0;var o={},n=void 0;try{n=window}catch(e){}t.setVersion=function(e,t){if(void 0!==n){var r=n.__packages__=n.__packages__||{};r[e]&&o[e]||(o[e]=t,(r[e]=r[e]||[]).push(t))}}},33670:(e,t,o)=>{"use strict";o.d(t,{v:()=>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")},6450:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.mergeStyles=t.mergeStyleSets=t.keyframes=t.fontFace=t.concatStyleSetsWithProps=t.concatStyleSets=t.Stylesheet=t.InjectionMode=void 0;var n=o(15241);Object.defineProperty(t,"InjectionMode",{enumerable:!0,get:function(){return n.InjectionMode}}),Object.defineProperty(t,"Stylesheet",{enumerable:!0,get:function(){return n.Stylesheet}}),Object.defineProperty(t,"concatStyleSets",{enumerable:!0,get:function(){return n.concatStyleSets}}),Object.defineProperty(t,"concatStyleSetsWithProps",{enumerable:!0,get:function(){return n.concatStyleSetsWithProps}}),Object.defineProperty(t,"fontFace",{enumerable:!0,get:function(){return n.fontFace}}),Object.defineProperty(t,"keyframes",{enumerable:!0,get:function(){return n.keyframes}}),Object.defineProperty(t,"mergeStyleSets",{enumerable:!0,get:function(){return n.mergeStyleSets}}),Object.defineProperty(t,"mergeStyles",{enumerable:!0,get:function(){return n.mergeStyles}})},66907:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.FLUENT_CDN_BASE_URL=void 0,t.FLUENT_CDN_BASE_URL="https://res.cdn.office.net/files/fabric-cdn-prod_20240129.001"},16475:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.AnimationClassNames=void 0;var n=o(79267),r=o(34083);t.AnimationClassNames=(0,n.buildClassMap)(r.AnimationStyles)},76258:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ColorClassNames=void 0;var n=o(15241),r=o(9823),i=o(34083);for(var a in t.ColorClassNames={},r.DefaultPalette)r.DefaultPalette.hasOwnProperty(a)&&(s(t.ColorClassNames,a,"",!1,"color"),s(t.ColorClassNames,a,"Hover",!0,"color"),s(t.ColorClassNames,a,"Background",!1,"background"),s(t.ColorClassNames,a,"BackgroundHover",!0,"background"),s(t.ColorClassNames,a,"Border",!1,"borderColor"),s(t.ColorClassNames,a,"BorderHover",!0,"borderColor"));function s(e,t,o,r,a){Object.defineProperty(e,t+o,{get:function(){var e,o=((e={})[a]=(0,i.getTheme)().palette[t],e);return(0,n.mergeStyles)(r?{selectors:{":hover":o}}:o).toString()},enumerable:!0,configurable:!0})}},92608:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.FontClassNames=void 0;var n=o(89385),r=o(63853);t.FontClassNames=(0,n.buildClassMap)(r.DefaultFontStyles)},7749:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ColorClassNames=t.FontClassNames=t.AnimationClassNames=void 0;var n=o(16475);Object.defineProperty(t,"AnimationClassNames",{enumerable:!0,get:function(){return n.AnimationClassNames}});var r=o(92608);Object.defineProperty(t,"FontClassNames",{enumerable:!0,get:function(){return r.FontClassNames}});var i=o(76258);Object.defineProperty(t,"ColorClassNames",{enumerable:!0,get:function(){return i.ColorClassNames}})},83048:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getPlaceholderStyles=t.getFadedOverflowStyle=t.noWrap=t.normalize=t.getEdgeChromiumNoHighContrastAdjustSelector=t.getHighContrastNoAdjustStyle=t.getScreenSelector=t.ScreenWidthMinUhfMobile=t.ScreenWidthMaxXXLarge=t.ScreenWidthMaxXLarge=t.ScreenWidthMaxLarge=t.ScreenWidthMaxMedium=t.ScreenWidthMaxSmall=t.ScreenWidthMinXXXLarge=t.ScreenWidthMinXXLarge=t.ScreenWidthMinXLarge=t.ScreenWidthMinLarge=t.ScreenWidthMinMedium=t.ScreenWidthMinSmall=t.EdgeChromiumHighContrastSelector=t.HighContrastSelectorBlack=t.HighContrastSelectorWhite=t.HighContrastSelector=t.removeOnThemeChangeCallback=t.registerOnThemeChangeCallback=t.createTheme=t.loadTheme=t.getTheme=t.ThemeSettingName=t.focusClear=t.getThemedContext=t.getInputFocusStyle=t.getFocusOutlineStyle=t.getFocusStyle=t.getGlobalClassNames=t.PulsingBeaconAnimationStyles=t.hiddenContentStyle=t.createFontStyles=t.IconFontSizes=t.FontWeights=t.FontSizes=t.registerDefaultFontFaces=t.DefaultFontStyles=t.DefaultEffects=t.DefaultPalette=t.AnimationVariables=t.AnimationStyles=t.ColorClassNames=t.FontClassNames=t.AnimationClassNames=void 0,t.FLUENT_CDN_BASE_URL=t.mergeStyles=t.mergeStyleSets=t.keyframes=t.fontFace=t.concatStyleSetsWithProps=t.concatStyleSets=t.Stylesheet=t.InjectionMode=t.getIconClassName=t.setIconOptions=t.unregisterIcons=t.registerIconAlias=t.registerIcons=t.getIcon=t.buildClassMap=t.ZIndexes=void 0;var n=o(7749);Object.defineProperty(t,"AnimationClassNames",{enumerable:!0,get:function(){return n.AnimationClassNames}}),Object.defineProperty(t,"FontClassNames",{enumerable:!0,get:function(){return n.FontClassNames}}),Object.defineProperty(t,"ColorClassNames",{enumerable:!0,get:function(){return n.ColorClassNames}});var r=o(34083);Object.defineProperty(t,"AnimationStyles",{enumerable:!0,get:function(){return r.AnimationStyles}}),Object.defineProperty(t,"AnimationVariables",{enumerable:!0,get:function(){return r.AnimationVariables}}),Object.defineProperty(t,"DefaultPalette",{enumerable:!0,get:function(){return r.DefaultPalette}}),Object.defineProperty(t,"DefaultEffects",{enumerable:!0,get:function(){return r.DefaultEffects}}),Object.defineProperty(t,"DefaultFontStyles",{enumerable:!0,get:function(){return r.DefaultFontStyles}}),Object.defineProperty(t,"registerDefaultFontFaces",{enumerable:!0,get:function(){return r.registerDefaultFontFaces}}),Object.defineProperty(t,"FontSizes",{enumerable:!0,get:function(){return r.FontSizes}}),Object.defineProperty(t,"FontWeights",{enumerable:!0,get:function(){return r.FontWeights}}),Object.defineProperty(t,"IconFontSizes",{enumerable:!0,get:function(){return r.IconFontSizes}}),Object.defineProperty(t,"createFontStyles",{enumerable:!0,get:function(){return r.createFontStyles}}),Object.defineProperty(t,"hiddenContentStyle",{enumerable:!0,get:function(){return r.hiddenContentStyle}}),Object.defineProperty(t,"PulsingBeaconAnimationStyles",{enumerable:!0,get:function(){return r.PulsingBeaconAnimationStyles}}),Object.defineProperty(t,"getGlobalClassNames",{enumerable:!0,get:function(){return r.getGlobalClassNames}}),Object.defineProperty(t,"getFocusStyle",{enumerable:!0,get:function(){return r.getFocusStyle}}),Object.defineProperty(t,"getFocusOutlineStyle",{enumerable:!0,get:function(){return r.getFocusOutlineStyle}}),Object.defineProperty(t,"getInputFocusStyle",{enumerable:!0,get:function(){return r.getInputFocusStyle}}),Object.defineProperty(t,"getThemedContext",{enumerable:!0,get:function(){return r.getThemedContext}}),Object.defineProperty(t,"focusClear",{enumerable:!0,get:function(){return r.focusClear}}),Object.defineProperty(t,"ThemeSettingName",{enumerable:!0,get:function(){return r.ThemeSettingName}}),Object.defineProperty(t,"getTheme",{enumerable:!0,get:function(){return r.getTheme}}),Object.defineProperty(t,"loadTheme",{enumerable:!0,get:function(){return r.loadTheme}}),Object.defineProperty(t,"createTheme",{enumerable:!0,get:function(){return r.createTheme}}),Object.defineProperty(t,"registerOnThemeChangeCallback",{enumerable:!0,get:function(){return r.registerOnThemeChangeCallback}}),Object.defineProperty(t,"removeOnThemeChangeCallback",{enumerable:!0,get:function(){return r.removeOnThemeChangeCallback}}),Object.defineProperty(t,"HighContrastSelector",{enumerable:!0,get:function(){return r.HighContrastSelector}}),Object.defineProperty(t,"HighContrastSelectorWhite",{enumerable:!0,get:function(){return r.HighContrastSelectorWhite}}),Object.defineProperty(t,"HighContrastSelectorBlack",{enumerable:!0,get:function(){return r.HighContrastSelectorBlack}}),Object.defineProperty(t,"EdgeChromiumHighContrastSelector",{enumerable:!0,get:function(){return r.EdgeChromiumHighContrastSelector}}),Object.defineProperty(t,"ScreenWidthMinSmall",{enumerable:!0,get:function(){return r.ScreenWidthMinSmall}}),Object.defineProperty(t,"ScreenWidthMinMedium",{enumerable:!0,get:function(){return r.ScreenWidthMinMedium}}),Object.defineProperty(t,"ScreenWidthMinLarge",{enumerable:!0,get:function(){return r.ScreenWidthMinLarge}}),Object.defineProperty(t,"ScreenWidthMinXLarge",{enumerable:!0,get:function(){return r.ScreenWidthMinXLarge}}),Object.defineProperty(t,"ScreenWidthMinXXLarge",{enumerable:!0,get:function(){return r.ScreenWidthMinXXLarge}}),Object.defineProperty(t,"ScreenWidthMinXXXLarge",{enumerable:!0,get:function(){return r.ScreenWidthMinXXXLarge}}),Object.defineProperty(t,"ScreenWidthMaxSmall",{enumerable:!0,get:function(){return r.ScreenWidthMaxSmall}}),Object.defineProperty(t,"ScreenWidthMaxMedium",{enumerable:!0,get:function(){return r.ScreenWidthMaxMedium}}),Object.defineProperty(t,"ScreenWidthMaxLarge",{enumerable:!0,get:function(){return r.ScreenWidthMaxLarge}}),Object.defineProperty(t,"ScreenWidthMaxXLarge",{enumerable:!0,get:function(){return r.ScreenWidthMaxXLarge}}),Object.defineProperty(t,"ScreenWidthMaxXXLarge",{enumerable:!0,get:function(){return r.ScreenWidthMaxXXLarge}}),Object.defineProperty(t,"ScreenWidthMinUhfMobile",{enumerable:!0,get:function(){return r.ScreenWidthMinUhfMobile}}),Object.defineProperty(t,"getScreenSelector",{enumerable:!0,get:function(){return r.getScreenSelector}}),Object.defineProperty(t,"getHighContrastNoAdjustStyle",{enumerable:!0,get:function(){return r.getHighContrastNoAdjustStyle}}),Object.defineProperty(t,"getEdgeChromiumNoHighContrastAdjustSelector",{enumerable:!0,get:function(){return r.getEdgeChromiumNoHighContrastAdjustSelector}}),Object.defineProperty(t,"normalize",{enumerable:!0,get:function(){return r.normalize}}),Object.defineProperty(t,"noWrap",{enumerable:!0,get:function(){return r.noWrap}}),Object.defineProperty(t,"getFadedOverflowStyle",{enumerable:!0,get:function(){return r.getFadedOverflowStyle}}),Object.defineProperty(t,"getPlaceholderStyles",{enumerable:!0,get:function(){return r.getPlaceholderStyles}}),Object.defineProperty(t,"ZIndexes",{enumerable:!0,get:function(){return r.ZIndexes}});var i=o(79267);Object.defineProperty(t,"buildClassMap",{enumerable:!0,get:function(){return i.buildClassMap}}),Object.defineProperty(t,"getIcon",{enumerable:!0,get:function(){return i.getIcon}}),Object.defineProperty(t,"registerIcons",{enumerable:!0,get:function(){return i.registerIcons}}),Object.defineProperty(t,"registerIconAlias",{enumerable:!0,get:function(){return i.registerIconAlias}}),Object.defineProperty(t,"unregisterIcons",{enumerable:!0,get:function(){return i.unregisterIcons}}),Object.defineProperty(t,"setIconOptions",{enumerable:!0,get:function(){return i.setIconOptions}}),Object.defineProperty(t,"getIconClassName",{enumerable:!0,get:function(){return i.getIconClassName}});var a=o(6450);Object.defineProperty(t,"InjectionMode",{enumerable:!0,get:function(){return a.InjectionMode}}),Object.defineProperty(t,"Stylesheet",{enumerable:!0,get:function(){return a.Stylesheet}}),Object.defineProperty(t,"concatStyleSets",{enumerable:!0,get:function(){return a.concatStyleSets}}),Object.defineProperty(t,"concatStyleSetsWithProps",{enumerable:!0,get:function(){return a.concatStyleSetsWithProps}}),Object.defineProperty(t,"fontFace",{enumerable:!0,get:function(){return a.fontFace}}),Object.defineProperty(t,"keyframes",{enumerable:!0,get:function(){return a.keyframes}}),Object.defineProperty(t,"mergeStyleSets",{enumerable:!0,get:function(){return a.mergeStyleSets}}),Object.defineProperty(t,"mergeStyles",{enumerable:!0,get:function(){return a.mergeStyles}});var s=o(66907);Object.defineProperty(t,"FLUENT_CDN_BASE_URL",{enumerable:!0,get:function(){return s.FLUENT_CDN_BASE_URL}}),o(53108),(0,o(91950).initializeThemeInCustomizations)()},71575:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.AnimationVariables=t.AnimationStyles=void 0;var n=o(51499);Object.defineProperty(t,"AnimationStyles",{enumerable:!0,get:function(){return n.AnimationStyles}}),Object.defineProperty(t,"AnimationVariables",{enumerable:!0,get:function(){return n.AnimationVariables}})},93744:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getEdgeChromiumNoHighContrastAdjustSelector=t.getHighContrastNoAdjustStyle=t.getScreenSelector=t.ScreenWidthMinUhfMobile=t.ScreenWidthMaxXXLarge=t.ScreenWidthMaxXLarge=t.ScreenWidthMaxLarge=t.ScreenWidthMaxMedium=t.ScreenWidthMaxSmall=t.ScreenWidthMinXXXLarge=t.ScreenWidthMinXXLarge=t.ScreenWidthMinXLarge=t.ScreenWidthMinLarge=t.ScreenWidthMinMedium=t.ScreenWidthMinSmall=t.EdgeChromiumHighContrastSelector=t.HighContrastSelectorBlack=t.HighContrastSelectorWhite=t.HighContrastSelector=void 0,t.HighContrastSelector="@media screen and (-ms-high-contrast: active), screen and (forced-colors: active)",t.HighContrastSelectorWhite="@media screen and (-ms-high-contrast: black-on-white), screen and (forced-colors: active) and (prefers-color-scheme: light)",t.HighContrastSelectorBlack="@media screen and (-ms-high-contrast: white-on-black), screen and (forced-colors: active) and (prefers-color-scheme: dark)",t.EdgeChromiumHighContrastSelector="@media screen and (-ms-high-contrast: active), screen and (forced-colors: active)",t.ScreenWidthMinSmall=320,t.ScreenWidthMinMedium=480,t.ScreenWidthMinLarge=640,t.ScreenWidthMinXLarge=1024,t.ScreenWidthMinXXLarge=1366,t.ScreenWidthMinXXXLarge=1920,t.ScreenWidthMaxSmall=t.ScreenWidthMinMedium-1,t.ScreenWidthMaxMedium=t.ScreenWidthMinLarge-1,t.ScreenWidthMaxLarge=t.ScreenWidthMinXLarge-1,t.ScreenWidthMaxXLarge=t.ScreenWidthMinXXLarge-1,t.ScreenWidthMaxXXLarge=t.ScreenWidthMinXXXLarge-1,t.ScreenWidthMinUhfMobile=768,t.getScreenSelector=function(e,t){var o="number"==typeof e?" and (min-width: ".concat(e,"px)"):"",n="number"==typeof t?" and (max-width: ".concat(t,"px)"):"";return"@media only screen".concat(o).concat(n)},t.getHighContrastNoAdjustStyle=function(){return{forcedColorAdjust:"none",MsHighContrastAdjust:"none"}},t.getEdgeChromiumNoHighContrastAdjustSelector=function(){var e;return(e={})[t.EdgeChromiumHighContrastSelector]={forcedColorAdjust:"none",MsHighContrastAdjust:"none"},e}},37494:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DefaultEffects=void 0;var n=o(51499);Object.defineProperty(t,"DefaultEffects",{enumerable:!0,get:function(){return n.DefaultEffects}})},63853:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.registerDefaultFontFaces=t.DefaultFontStyles=void 0;var n=o(51499);Object.defineProperty(t,"DefaultFontStyles",{enumerable:!0,get:function(){return n.DefaultFontStyles}}),Object.defineProperty(t,"registerDefaultFontFaces",{enumerable:!0,get:function(){return n.registerDefaultFontFaces}})},9823:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DefaultPalette=void 0;var n=o(51499);Object.defineProperty(t,"DefaultPalette",{enumerable:!0,get:function(){return n.DefaultPalette}})},63589:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.noWrap=t.normalize=void 0,t.normalize={boxShadow:"none",margin:0,padding:0,boxSizing:"border-box"},t.noWrap={overflow:"hidden",textOverflow:"ellipsis",whiteSpace:"nowrap"}},34209:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.PulsingBeaconAnimationStyles=void 0;var n=o(31635),r=o(15241);function i(e,t){return{borderColor:e,borderWidth:"0px",width:t,height:t}}function a(e){return{opacity:1,borderWidth:e}}function s(e,t){return{borderWidth:"0",width:t,height:t,opacity:0,borderColor:e}}function l(e,t){return n.__assign(n.__assign({},i(e,t)),{opacity:0})}t.PulsingBeaconAnimationStyles={continuousPulseAnimationDouble:function(e,t,o,n,c){return(0,r.keyframes)({"0%":i(e,o),"1.42%":a(c),"3.57%":{opacity:1},"7.14%":s(t,n),"8%":l(e,o),"29.99%":l(e,o),"30%":i(e,o),"31.42%":a(c),"33.57%":{opacity:1},"37.14%":s(t,n),"38%":l(e,o),"79.42%":l(e,o),79.43:i(e,o),81.85:a(c),83.42:{opacity:1},"87%":s(t,n),"100%":{}})},continuousPulseAnimationSingle:function(e,t,o,n,l){return(0,r.keyframes)({"0%":i(e,o),"14.2%":a(l),"35.7%":{opacity:1},"71.4%":s(t,n),"100%":{}})},createDefaultAnimation:function(e,t){return{animationName:e,animationIterationCount:"1",animationDuration:"14s",animationDelay:t||"2s"}}}},12277:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.createFontStyles=t.IconFontSizes=t.FontWeights=t.FontSizes=t.LocalizedFontFamilies=t.LocalizedFontNames=void 0;var n=o(51499);Object.defineProperty(t,"LocalizedFontNames",{enumerable:!0,get:function(){return n.LocalizedFontNames}}),Object.defineProperty(t,"LocalizedFontFamilies",{enumerable:!0,get:function(){return n.LocalizedFontFamilies}}),Object.defineProperty(t,"FontSizes",{enumerable:!0,get:function(){return n.FontSizes}}),Object.defineProperty(t,"FontWeights",{enumerable:!0,get:function(){return n.FontWeights}}),Object.defineProperty(t,"IconFontSizes",{enumerable:!0,get:function(){return n.IconFontSizes}}),Object.defineProperty(t,"createFontStyles",{enumerable:!0,get:function(){return n.createFontStyles}})},48342:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getFadedOverflowStyle=void 0;function o(e,t){return"width"===e?"horizontal"===t?20:"100%":"vertical"===t?"50%":"100%"}t.getFadedOverflowStyle=function(e,t,n,r,i){void 0===t&&(t="bodyBackground"),void 0===n&&(n="horizontal"),void 0===r&&(r=o("width",n)),void 0===i&&(i=o("height",n));var a=e.semanticColors[t]||e.palette[t],s=function(e){if("#"===e[0])return{r:parseInt(e.slice(1,3),16),g:parseInt(e.slice(3,5),16),b:parseInt(e.slice(5,7),16)};if(0===e.indexOf("rgba(")){var t=(e=e.match(/rgba\(([^)]+)\)/)[1]).split(/ *, */).map(Number);return{r:t[0],g:t[1],b:t[2]}}return{r:255,g:255,b:255}}(a),l="rgba(".concat(s.r,", ").concat(s.g,", ").concat(s.b,", 0)");return{content:'""',position:"absolute",right:0,bottom:0,width:r,height:i,pointerEvents:"none",backgroundImage:"linear-gradient(".concat("vertical"===n?"to bottom":"to right",", ").concat(l," 0%, ").concat(a," 100%)")}}},93474:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getInputFocusStyle=t.getFocusOutlineStyle=t.focusClear=t.getFocusStyle=void 0;var n=o(93744),r=o(52332),i=o(58021);t.getFocusStyle=function(e,t,o,a,s,l,c,u){return function(e,t){var o,a;void 0===t&&(t={});var s=t.borderRadius,l=t.inset,c=void 0===l?0:l,u=t.width,d=void 0===u?1:u,p=t.position,m=void 0===p?"relative":p,g=t.highContrastStyle,h=t.borderColor,f=void 0===h?e.palette.white:h,v=t.outlineColor,b=void 0===v?e.palette.neutralSecondary:v,y=t.isFocusedOnly,_=void 0===y||y,S=t.pointerEvents;return{outline:"transparent",position:m,selectors:(o={"::-moz-focus-inner":{border:"0"}},o[".".concat(r.IsFocusVisibleClassName," &").concat(_?":focus":"",":after, :host(.").concat(r.IsFocusVisibleClassName,") &").concat(_?":focus":"",":after")]={content:'""',position:"absolute",pointerEvents:S,left:c+1,top:c+1,bottom:c+1,right:c+1,border:"".concat(d,"px solid ").concat(f),outline:"".concat(d,"px solid ").concat(b),zIndex:i.ZIndexes.FocusStyle,borderRadius:s,selectors:(a={},a[n.HighContrastSelector]=g,a)},o)}}(e,"number"!=typeof t&&t?t:{inset:t,position:o,highContrastStyle:a,borderColor:s,outlineColor:l,isFocusedOnly:c,borderRadius:u})},t.focusClear=function(){return{selectors:{"&::-moz-focus-inner":{border:0},"&":{outline:"transparent"}}}},t.getFocusOutlineStyle=function(e,t,o,n){var i;return void 0===t&&(t=0),void 0===o&&(o=1),{selectors:(i={},i[":global(".concat(r.IsFocusVisibleClassName,") &:focus")]={outline:"".concat(o," solid ").concat(n||e.palette.neutralSecondary),outlineOffset:"".concat(-t,"px")},i)}},t.getInputFocusStyle=function(e,t,o,r){var i,a,s;void 0===o&&(o="border"),void 0===r&&(r=-1);var l="borderBottom"===o;return{borderColor:e,selectors:{":after":(i={pointerEvents:"none",content:"''",position:"absolute",left:l?0:r,top:r,bottom:r,right:l?0:r},i[o]="2px solid ".concat(e),i.borderRadius=t,i.width="borderBottom"===o?"100%":void 0,i.selectors=(a={},a[n.HighContrastSelector]=(s={},s["border"===o?"borderColor":"borderBottomColor"]="Highlight",s),a),i)}}}},7868:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getGlobalClassNames=void 0;var n=o(15241),r=(0,o(52332).memoizeFunction)((function(e,t){var o=n.Stylesheet.getInstance();return t?Object.keys(e).reduce((function(t,n){return t[n]=o.getClassName(e[n]),t}),{}):e}));t.getGlobalClassNames=function(e,t,o){return r(e,void 0!==o?o:t.disableGlobalClassNames)}},50816:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getPlaceholderStyles=void 0,t.getPlaceholderStyles=function(e){return{selectors:{"::placeholder":e,":-ms-input-placeholder":e,"::-ms-input-placeholder":e}}}},70637:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.hiddenContentStyle=void 0,t.hiddenContentStyle={position:"absolute",width:1,height:1,margin:-1,padding:0,border:0,overflow:"hidden",whiteSpace:"nowrap"}},34083:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.removeOnThemeChangeCallback=t.registerOnThemeChangeCallback=t.createTheme=t.loadTheme=t.getTheme=t.ThemeSettingName=t.getGlobalClassNames=t.PulsingBeaconAnimationStyles=t.hiddenContentStyle=t.createFontStyles=t.IconFontSizes=t.FontWeights=t.FontSizes=t.registerDefaultFontFaces=t.DefaultFontStyles=t.DefaultEffects=t.DefaultPalette=t.AnimationVariables=t.AnimationStyles=void 0;var n=o(31635),r=o(71575);Object.defineProperty(t,"AnimationStyles",{enumerable:!0,get:function(){return r.AnimationStyles}}),Object.defineProperty(t,"AnimationVariables",{enumerable:!0,get:function(){return r.AnimationVariables}});var i=o(9823);Object.defineProperty(t,"DefaultPalette",{enumerable:!0,get:function(){return i.DefaultPalette}});var a=o(37494);Object.defineProperty(t,"DefaultEffects",{enumerable:!0,get:function(){return a.DefaultEffects}});var s=o(63853);Object.defineProperty(t,"DefaultFontStyles",{enumerable:!0,get:function(){return s.DefaultFontStyles}}),Object.defineProperty(t,"registerDefaultFontFaces",{enumerable:!0,get:function(){return s.registerDefaultFontFaces}});var l=o(12277);Object.defineProperty(t,"FontSizes",{enumerable:!0,get:function(){return l.FontSizes}}),Object.defineProperty(t,"FontWeights",{enumerable:!0,get:function(){return l.FontWeights}}),Object.defineProperty(t,"IconFontSizes",{enumerable:!0,get:function(){return l.IconFontSizes}}),Object.defineProperty(t,"createFontStyles",{enumerable:!0,get:function(){return l.createFontStyles}}),n.__exportStar(o(93474),t);var c=o(70637);Object.defineProperty(t,"hiddenContentStyle",{enumerable:!0,get:function(){return c.hiddenContentStyle}});var u=o(34209);Object.defineProperty(t,"PulsingBeaconAnimationStyles",{enumerable:!0,get:function(){return u.PulsingBeaconAnimationStyles}});var d=o(7868);Object.defineProperty(t,"getGlobalClassNames",{enumerable:!0,get:function(){return d.getGlobalClassNames}}),n.__exportStar(o(55004),t);var p=o(91950);Object.defineProperty(t,"ThemeSettingName",{enumerable:!0,get:function(){return p.ThemeSettingName}}),Object.defineProperty(t,"getTheme",{enumerable:!0,get:function(){return p.getTheme}}),Object.defineProperty(t,"loadTheme",{enumerable:!0,get:function(){return p.loadTheme}}),Object.defineProperty(t,"createTheme",{enumerable:!0,get:function(){return p.createTheme}}),Object.defineProperty(t,"registerOnThemeChangeCallback",{enumerable:!0,get:function(){return p.registerOnThemeChangeCallback}}),Object.defineProperty(t,"removeOnThemeChangeCallback",{enumerable:!0,get:function(){return p.removeOnThemeChangeCallback}}),n.__exportStar(o(93744),t),n.__exportStar(o(63589),t),n.__exportStar(o(48342),t),n.__exportStar(o(50816),t),n.__exportStar(o(58021),t)},55004:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getThemedContext=void 0;var n=o(52332);t.getThemedContext=function(e,t,o){var r,i=e,a=o||n.Customizations.getSettings(["theme"],void 0,e.customizations).theme;o&&(r={theme:o});var s=t&&a&&a.schemes&&a.schemes[t];return a&&s&&a!==s&&((r={theme:s}).theme.schemes=a.schemes),r&&(i={customizations:{settings:(0,n.mergeSettings)(e.customizations.settings,r),scopedSettings:e.customizations.scopedSettings}}),i}},91950:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.loadTheme=t.removeOnThemeChangeCallback=t.registerOnThemeChangeCallback=t.getTheme=t.initializeThemeInCustomizations=t.ThemeSettingName=t.createTheme=void 0;var n=o(31635),r=o(52332),i=o(65715),a=o(51499),s=o(51499);Object.defineProperty(t,"createTheme",{enumerable:!0,get:function(){return s.createTheme}});var l=(0,a.createTheme)({}),c=[];function u(){var e,o,n,i=(0,r.getWindow)();(null===(o=null==i?void 0:i.FabricConfig)||void 0===o?void 0:o.legacyTheme)?d(i.FabricConfig.legacyTheme):r.Customizations.getSettings([t.ThemeSettingName]).theme||((null===(n=null==i?void 0:i.FabricConfig)||void 0===n?void 0:n.theme)&&(l=(0,a.createTheme)(i.FabricConfig.theme)),r.Customizations.applySettings(((e={})[t.ThemeSettingName]=l,e)))}function d(e,o){var s;return void 0===o&&(o=!1),l=(0,a.createTheme)(e,o),(0,i.loadTheme)(n.__assign(n.__assign(n.__assign(n.__assign({},l.palette),l.semanticColors),l.effects),function(e){for(var t={},o=0,n=Object.keys(e.fonts);o{"use strict";var o;Object.defineProperty(t,"__esModule",{value:!0}),t.ZIndexes=void 0,(o=t.ZIndexes||(t.ZIndexes={})).Nav=1,o.ScrollablePane=1,o.FocusStyle=1,o.Coachmark=1e3,o.Layer=1e6,o.KeytipLayer=1000001},89385:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.buildClassMap=void 0;var n=o(6450);t.buildClassMap=function(e){var t={},o=function(o){var r;e.hasOwnProperty(o)&&Object.defineProperty(t,o,{get:function(){return void 0===r&&(r=(0,n.mergeStyles)(e[o]).toString()),r},enumerable:!0,configurable:!0})};for(var r in e)o(r);return t}},6931:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getIconClassName=void 0;var n=o(15241),r=o(79385),i={display:"inline-block"};t.getIconClassName=function(e){var t="",o=(0,r.getIcon)(e);return o&&(t=(0,n.mergeStyles)(o.subset.className,i,{selectors:{"::before":{content:'"'.concat(o.code,'"')}}})),t}},79385:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.setIconOptions=t.getIcon=t.registerIconAlias=t.unregisterIcons=t.registerIcons=void 0;var n=o(31635),r=o(52332),i=o(15241),a=r.GlobalSettings.getValue("icons",{__options:{disableWarnings:!1,warnOnMissingIcons:!0},__remapped:{}}),s=i.Stylesheet.getInstance();s&&s.onReset&&s.onReset((function(){for(var e in a)a.hasOwnProperty(e)&&a[e].subset&&(a[e].subset.className=void 0)}));var l=function(e){return e.toLowerCase()};t.registerIcons=function(e,t){var o=n.__assign(n.__assign({},e),{isRegistered:!1,className:void 0}),r=e.icons;for(var i in t=t?n.__assign(n.__assign({},a.__options),t):a.__options,r)if(r.hasOwnProperty(i)){var s=r[i],c=l(i);a[c]?d(i):a[c]={code:s,subset:o}}},t.unregisterIcons=function(e){for(var t=a.__options,o=function(e){var o=l(e);a[o]?delete a[o]:t.disableWarnings||(0,r.warn)('The icon "'.concat(e,'" tried to unregister but was not registered.')),a.__remapped[o]&&delete a.__remapped[o],Object.keys(a.__remapped).forEach((function(e){a.__remapped[e]===o&&delete a.__remapped[e]}))},n=0,i=e;n10?" (+ ".concat(c.length-10," more)"):"")),u=void 0,c=[]}),2e3)))}},79267:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getIconClassName=t.setIconOptions=t.unregisterIcons=t.registerIconAlias=t.registerIcons=t.getIcon=t.buildClassMap=void 0;var n=o(89385);Object.defineProperty(t,"buildClassMap",{enumerable:!0,get:function(){return n.buildClassMap}});var r=o(79385);Object.defineProperty(t,"getIcon",{enumerable:!0,get:function(){return r.getIcon}}),Object.defineProperty(t,"registerIcons",{enumerable:!0,get:function(){return r.registerIcons}}),Object.defineProperty(t,"registerIconAlias",{enumerable:!0,get:function(){return r.registerIconAlias}}),Object.defineProperty(t,"unregisterIcons",{enumerable:!0,get:function(){return r.unregisterIcons}}),Object.defineProperty(t,"setIconOptions",{enumerable:!0,get:function(){return r.setIconOptions}});var i=o(6931);Object.defineProperty(t,"getIconClassName",{enumerable:!0,get:function(){return i.getIconClassName}})},53108:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),(0,o(37607).setVersion)("@fluentui/style-utilities","8.10.9")},18227:(e,t,o)=>{"use strict";o.d(t,{lw:()=>$,Dm:()=>Y,cs:()=>U,pD:()=>Ye,s:()=>Me.s,BO:()=>Me.BO,up:()=>ne,hT:()=>re,fF:()=>Me.fF,mm:()=>ce,mu:()=>ae,O7:()=>ie,c3:()=>ue,af:()=>se,Ke:()=>le,nA:()=>me,TW:()=>Ke.T,pB:()=>Ge.p,QN:()=>fe,gm:()=>he,Km:()=>oe,Qg:()=>pe,sW:()=>je,Sq:()=>ve,CX:()=>De,L6:()=>de,O4:()=>we,dX:()=>ee,i7:()=>s,l8:()=>Ue.l,Zq:()=>n.Z,oA:()=>Ee,S8:()=>Te,aH:()=>He,K1:()=>Le});var n=o(52606),r=o(85890),i=o(926),a=o(57428);function s(e){var t=i.nr.getInstance(),o=[];for(var n in e)e.hasOwnProperty(n)&&o.push(n,"{",(0,a.bz)((0,r.Iy)(),e[n]),"}");var s=o.join(""),l=t.classNameFromKey(s);if(l)return l;var c=t.getClassName();return t.insertRule("@keyframes ".concat(c,"{").concat(s,"}"),!0),t.cacheClassName(c,s,[],["keyframes",s]),c}var l="cubic-bezier(.1,.9,.2,1)",c="cubic-bezier(.1,.25,.75,.9)",u="0.167s",d="0.267s",p="0.367s",m="0.467s",g=s({from:{opacity:0},to:{opacity:1}}),h=s({from:{opacity:1},to:{opacity:0,visibility:"hidden"}}),f=X(-10),v=X(-20),b=X(-40),y=X(-400),_=X(10),S=X(20),C=X(40),x=X(400),P=Z(10),k=Z(20),I=Z(-10),w=Z(-20),T=Q(10),E=Q(20),D=Q(40),M=Q(400),O=Q(-10),R=Q(-20),F=Q(-40),B=Q(-400),A=J(-10),N=J(-20),L=J(10),H=J(20),j=s({from:{transform:"scale3d(.98,.98,1)"},to:{transform:"scale3d(1,1,1)"}}),z=s({from:{transform:"scale3d(1,1,1)"},to:{transform:"scale3d(.98,.98,1)"}}),W=s({from:{transform:"scale3d(1.03,1.03,1)"},to:{transform:"scale3d(1,1,1)"}}),V=s({from:{transform:"scale3d(1,1,1)"},to:{transform:"scale3d(1.03,1.03,1)"}}),K=s({from:{transform:"rotateZ(0deg)"},to:{transform:"rotateZ(90deg)"}}),G=s({from:{transform:"rotateZ(0deg)"},to:{transform:"rotateZ(-90deg)"}}),U={easeFunction1:l,easeFunction2:c,durationValue1:u,durationValue2:d,durationValue3:p,durationValue4:m},Y={slideRightIn10:q("".concat(g,",").concat(f),p,l),slideRightIn20:q("".concat(g,",").concat(v),p,l),slideRightIn40:q("".concat(g,",").concat(b),p,l),slideRightIn400:q("".concat(g,",").concat(y),p,l),slideLeftIn10:q("".concat(g,",").concat(_),p,l),slideLeftIn20:q("".concat(g,",").concat(S),p,l),slideLeftIn40:q("".concat(g,",").concat(C),p,l),slideLeftIn400:q("".concat(g,",").concat(x),p,l),slideUpIn10:q("".concat(g,",").concat(P),p,l),slideUpIn20:q("".concat(g,",").concat(k),p,l),slideDownIn10:q("".concat(g,",").concat(I),p,l),slideDownIn20:q("".concat(g,",").concat(w),p,l),slideRightOut10:q("".concat(h,",").concat(T),p,l),slideRightOut20:q("".concat(h,",").concat(E),p,l),slideRightOut40:q("".concat(h,",").concat(D),p,l),slideRightOut400:q("".concat(h,",").concat(M),p,l),slideLeftOut10:q("".concat(h,",").concat(O),p,l),slideLeftOut20:q("".concat(h,",").concat(R),p,l),slideLeftOut40:q("".concat(h,",").concat(F),p,l),slideLeftOut400:q("".concat(h,",").concat(B),p,l),slideUpOut10:q("".concat(h,",").concat(A),p,l),slideUpOut20:q("".concat(h,",").concat(N),p,l),slideDownOut10:q("".concat(h,",").concat(L),p,l),slideDownOut20:q("".concat(h,",").concat(H),p,l),scaleUpIn100:q("".concat(g,",").concat(j),p,l),scaleDownIn100:q("".concat(g,",").concat(W),p,l),scaleUpOut103:q("".concat(h,",").concat(V),u,c),scaleDownOut98:q("".concat(h,",").concat(z),u,c),fadeIn100:q(g,u,c),fadeIn200:q(g,d,c),fadeIn400:q(g,p,c),fadeIn500:q(g,m,c),fadeOut100:q(h,u,c),fadeOut200:q(h,d,c),fadeOut400:q(h,p,c),fadeOut500:q(h,m,c),rotate90deg:q(K,"0.1s",c),rotateN90deg:q(G,"0.1s",c)};function q(e,t,o){return{animationName:e,animationDuration:t,animationTimingFunction:o,animationFillMode:"both"}}function X(e){return s({from:{transform:"translate3d(".concat(e,"px,0,0)"),pointerEvents:"none"},to:{transform:"translate3d(0,0,0)",pointerEvents:"auto"}})}function Z(e){return s({from:{transform:"translate3d(0,".concat(e,"px,0)"),pointerEvents:"none"},to:{transform:"translate3d(0,0,0)",pointerEvents:"auto"}})}function Q(e){return s({from:{transform:"translate3d(0,0,0)"},to:{transform:"translate3d(".concat(e,"px,0,0)")}})}function J(e){return s({from:{transform:"translate3d(0,0,0)"},to:{transform:"translate3d(0,".concat(e,"px,0)")}})}var $=function(e){var t={},o=function(o){var r;e.hasOwnProperty(o)&&Object.defineProperty(t,o,{get:function(){return void 0===r&&(r=(0,n.Z)(e[o]).toString()),r},enumerable:!0,configurable:!0})};for(var r in e)o(r);return t}(Y),ee={position:"absolute",width:1,height:1,margin:-1,padding:0,border:0,overflow:"hidden",whiteSpace:"nowrap"},te=(0,o(23987).J9)((function(e,t){var o=i.nr.getInstance();return t?Object.keys(e).reduce((function(t,n){return t[n]=o.getClassName(e[n]),t}),{}):e}));function oe(e,t,o){return te(e,void 0!==o?o:t.disableGlobalClassNames)}var ne="@media screen and (-ms-high-contrast: active), screen and (forced-colors: active)",re="@media screen and (-ms-high-contrast: black-on-white), screen and (forced-colors: active) and (prefers-color-scheme: light)",ie=480,ae=640,se=1024,le=1366,ce=ae-1,ue=768;function de(e,t){var o="number"==typeof e?" and (min-width: ".concat(e,"px)"):"",n="number"==typeof t?" and (max-width: ".concat(t,"px)"):"";return"@media only screen".concat(o).concat(n)}function pe(){return{forcedColorAdjust:"none",MsHighContrastAdjust:"none"}}var me,ge=o(37523);function he(e,t,o,n,r,i,a,s){return function(e,t){var o,n;void 0===t&&(t={});var r=t.borderRadius,i=t.inset,a=void 0===i?0:i,s=t.width,l=void 0===s?1:s,c=t.position,u=void 0===c?"relative":c,d=t.highContrastStyle,p=t.borderColor,m=void 0===p?e.palette.white:p,g=t.outlineColor,h=void 0===g?e.palette.neutralSecondary:g,f=t.isFocusedOnly,v=void 0===f||f,b=t.pointerEvents;return{outline:"transparent",position:u,selectors:(o={"::-moz-focus-inner":{border:"0"}},o[".".concat(ge.Y2," &").concat(v?":focus":"",":after, :host(.").concat(ge.Y2,") &").concat(v?":focus":"",":after")]={content:'""',position:"absolute",pointerEvents:b,left:a+1,top:a+1,bottom:a+1,right:a+1,border:"".concat(l,"px solid ").concat(m),outline:"".concat(l,"px solid ").concat(h),zIndex:me.FocusStyle,borderRadius:r,selectors:(n={},n[ne]=d,n)},o)}}(e,"number"!=typeof t&&t?t:{inset:t,position:o,highContrastStyle:n,borderColor:r,outlineColor:i,isFocusedOnly:a,borderRadius:s})}function fe(){return{selectors:{"&::-moz-focus-inner":{border:0},"&":{outline:"transparent"}}}}!function(e){e.Nav=1,e.ScrollablePane=1,e.FocusStyle=1,e.Coachmark=1e3,e.Layer=1e6,e.KeytipLayer=1000001}(me||(me={}));var ve=function(e,t,o,n){var r,i,a;void 0===o&&(o="border"),void 0===n&&(n=-1);var s="borderBottom"===o;return{borderColor:e,selectors:{":after":(r={pointerEvents:"none",content:"''",position:"absolute",left:s?0:n,top:n,bottom:n,right:s?0:n},r[o]="2px solid ".concat(e),r.borderRadius=t,r.width="borderBottom"===o?"100%":void 0,r.selectors=(i={},i[ne]=(a={},a["border"===o?"borderColor":"borderBottomColor"]="Highlight",a),i),r)}}},be=o(31635),ye=o(39912),_e=o(89898),Se=o(65715),Ce=o(44778),xe=(0,Ce.a)({}),Pe=[],ke="theme";function Ie(){var e,t,o,n=(0,ye.z)();(null===(t=null==n?void 0:n.FabricConfig)||void 0===t?void 0:t.legacyTheme)?function(e,t){var o;void 0===t&&(t=!1),xe=(0,Ce.a)(e,t),(0,Se.loadTheme)((0,be.__assign)((0,be.__assign)((0,be.__assign)((0,be.__assign)({},xe.palette),xe.semanticColors),xe.effects),function(e){for(var t={},o=0,n=Object.keys(e.fonts);o10?" (+ ".concat(ze.length-10," more)"):"")),We=void 0,ze=[]}),2e3)))}var Ke=o(37232),Ge=o(7940),Ue=o(73294),Ye="https://res.cdn.office.net/files/fabric-cdn-prod_20240129.001";(0,o(33670).v)("@fluentui/style-utilities","8.10.9"),Ie()},5688:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.FluentTheme=void 0;var n=o(87890);t.FluentTheme=(0,n.createTheme)({})},70830:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DefaultPalette=void 0,t.DefaultPalette={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"}},10524:(e,t)=>{"use strict";var o,n,r;Object.defineProperty(t,"__esModule",{value:!0}),t.SharedColors=t.NeutralColors=t.CommunicationColors=void 0,(r=t.CommunicationColors||(t.CommunicationColors={})).shade30="#004578",r.shade20="#005a9e",r.shade10="#106ebe",r.primary="#0078d4",r.tint10="#2b88d8",r.tint20="#c7e0f4",r.tint30="#deecf9",r.tint40="#eff6fc",(n=t.NeutralColors||(t.NeutralColors={})).black="#000000",n.gray220="#11100f",n.gray210="#161514",n.gray200="#1b1a19",n.gray190="#201f1e",n.gray180="#252423",n.gray170="#292827",n.gray160="#323130",n.gray150="#3b3a39",n.gray140="#484644",n.gray130="#605e5c",n.gray120="#797775",n.gray110="#8a8886",n.gray100="#979593",n.gray90="#a19f9d",n.gray80="#b3b0ad",n.gray70="#bebbb8",n.gray60="#c8c6c4",n.gray50="#d2d0ce",n.gray40="#e1dfdd",n.gray30="#edebe9",n.gray20="#f3f2f1",n.gray10="#faf9f8",n.white="#ffffff",(o=t.SharedColors||(t.SharedColors={})).pinkRed10="#750b1c",o.red20="#a4262c",o.red10="#d13438",o.redOrange20="#603d30",o.redOrange10="#da3b01",o.orange30="#8e562e",o.orange20="#ca5010",o.orange10="#ffaa44",o.yellow10="#fce100",o.orangeYellow20="#986f0b",o.orangeYellow10="#c19c00",o.yellowGreen10="#8cbd18",o.green20="#0b6a0b",o.green10="#498205",o.greenCyan10="#00ad56",o.cyan40="#005e50",o.cyan30="#005b70",o.cyan20="#038387",o.cyan10="#00b7c3",o.cyanBlue20="#004e8c",o.cyanBlue10="#0078d4",o.blue10="#4f6bed",o.blueMagenta40="#373277",o.blueMagenta30="#5c2e91",o.blueMagenta20="#8764b8",o.blueMagenta10="#8378de",o.magenta20="#881798",o.magenta10="#c239b3",o.magentaPink20="#9b0062",o.magentaPink10="#e3008c",o.gray40="#393939",o.gray30="#7a7574",o.gray20="#69797e",o.gray10="#a0aeb2"},61532:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DefaultPalette=void 0,o(31635).__exportStar(o(10524),t);var n=o(70830);Object.defineProperty(t,"DefaultPalette",{enumerable:!0,get:function(){return n.DefaultPalette}})},87890:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.createTheme=void 0;var n=o(61532),r=o(39506),i=o(48822),a=o(98953),s=o(505),l=o(14696);t.createTheme=function(e,t){void 0===e&&(e={}),void 0===t&&(t=!1);var o=!!e.isInverted,c={palette:n.DefaultPalette,effects:r.DefaultEffects,fonts:i.DefaultFontStyles,spacing:s.DefaultSpacing,isInverted:o,disableGlobalClassNames:!1,semanticColors:(0,l.makeSemanticColors)(n.DefaultPalette,r.DefaultEffects,void 0,o,t),rtl:void 0};return(0,a.mergeThemes)(c,e)}},37077:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DefaultEffects=void 0;var n=o(90092);t.DefaultEffects={elevation4:n.Depths.depth4,elevation8:n.Depths.depth8,elevation16:n.Depths.depth16,elevation64:n.Depths.depth64,roundedCorner2:"2px",roundedCorner4:"4px",roundedCorner6:"6px"}},90092:(e,t)=>{"use strict";var o;Object.defineProperty(t,"__esModule",{value:!0}),t.Depths=void 0,(o=t.Depths||(t.Depths={})).depth0="0 0 0 0 transparent",o.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)",o.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)",o.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)",o.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)"},39506:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Depths=t.DefaultEffects=void 0;var n=o(37077);Object.defineProperty(t,"DefaultEffects",{enumerable:!0,get:function(){return n.DefaultEffects}});var r=o(90092);Object.defineProperty(t,"Depths",{enumerable:!0,get:function(){return r.Depths}})},25532:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.registerDefaultFontFaces=t.DefaultFontStyles=void 0;var n,r,i,a=o(15241),s=o(82826),l=o(55999),c=o(52332);function u(e,t,o,n){e="'".concat(e,"'");var r=void 0!==n?"local('".concat(n,"'),"):"";(0,a.fontFace)({fontFamily:e,src:r+"url('".concat(t,".woff2') format('woff2'),")+"url('".concat(t,".woff') format('woff')"),fontWeight:o,fontStyle:"normal",fontDisplay:"swap"})}function d(e,t,o,n,r){void 0===n&&(n="segoeui");var i="".concat(e,"/").concat(o,"/").concat(n);u(t,i+"-light",s.FontWeights.light,r&&r+" Light"),u(t,i+"-semilight",s.FontWeights.semilight,r&&r+" SemiLight"),u(t,i+"-regular",s.FontWeights.regular,r),u(t,i+"-semibold",s.FontWeights.semibold,r&&r+" SemiBold"),u(t,i+"-bold",s.FontWeights.bold,r&&r+" Bold")}function p(e){if(e){var t="".concat(e,"/fonts");d(t,s.LocalizedFontNames.Thai,"leelawadeeui-thai","leelawadeeui"),d(t,s.LocalizedFontNames.Arabic,"segoeui-arabic"),d(t,s.LocalizedFontNames.Cyrillic,"segoeui-cyrillic"),d(t,s.LocalizedFontNames.EastEuropean,"segoeui-easteuropean"),d(t,s.LocalizedFontNames.Greek,"segoeui-greek"),d(t,s.LocalizedFontNames.Hebrew,"segoeui-hebrew"),d(t,s.LocalizedFontNames.Vietnamese,"segoeui-vietnamese"),d(t,s.LocalizedFontNames.WestEuropean,"segoeui-westeuropean","segoeui","Segoe UI"),d(t,s.LocalizedFontFamilies.Selawik,"selawik","selawik"),d(t,s.LocalizedFontNames.Armenian,"segoeui-armenian"),d(t,s.LocalizedFontNames.Georgian,"segoeui-georgian"),u("Leelawadee UI Web","".concat(t,"/leelawadeeui-thai/leelawadeeui-semilight"),s.FontWeights.light),u("Leelawadee UI Web","".concat(t,"/leelawadeeui-thai/leelawadeeui-bold"),s.FontWeights.semibold)}}t.DefaultFontStyles=(0,l.createFontStyles)((0,c.getLanguage)()),t.registerDefaultFontFaces=p,p(null!==(r=null==(i=null===(n=(0,c.getWindow)())||void 0===n?void 0:n.FabricConfig)?void 0:i.fontBaseUrl)&&void 0!==r?r:"https://res-1.cdn.office.net/files/fabric-cdn-prod_20230815.002/assets")},82826:(e,t)=>{"use strict";var o,n,r,i,a;Object.defineProperty(t,"__esModule",{value:!0}),t.IconFontSizes=t.FontWeights=t.FontSizes=t.LocalizedFontFamilies=t.LocalizedFontNames=void 0,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)"}(o=t.LocalizedFontNames||(t.LocalizedFontNames={})),(a=t.LocalizedFontFamilies||(t.LocalizedFontFamilies={})).Arabic="'".concat(o.Arabic,"'"),a.ChineseSimplified="'Microsoft Yahei UI', Verdana, Simsun",a.ChineseTraditional="'Microsoft Jhenghei UI', Pmingliu",a.Cyrillic="'".concat(o.Cyrillic,"'"),a.EastEuropean="'".concat(o.EastEuropean,"'"),a.Greek="'".concat(o.Greek,"'"),a.Hebrew="'".concat(o.Hebrew,"'"),a.Hindi="'Nirmala UI'",a.Japanese="'Yu Gothic UI', 'Meiryo UI', Meiryo, 'MS Pgothic', Osaka",a.Korean="'Malgun Gothic', Gulim",a.Selawik="'".concat(o.Selawik,"'"),a.Thai="'Leelawadee UI Web', 'Kmer UI'",a.Vietnamese="'".concat(o.Vietnamese,"'"),a.WestEuropean="'".concat(o.WestEuropean,"'"),a.Armenian="'".concat(o.Armenian,"'"),a.Georgian="'".concat(o.Georgian,"'"),(i=t.FontSizes||(t.FontSizes={})).size10="10px",i.size12="12px",i.size14="14px",i.size16="16px",i.size18="18px",i.size20="20px",i.size24="24px",i.size28="28px",i.size32="32px",i.size42="42px",i.size68="68px",i.mini="10px",i.xSmall="10px",i.small="12px",i.smallPlus="12px",i.medium="14px",i.mediumPlus="16px",i.icon="16px",i.large="18px",i.xLarge="20px",i.xLargePlus="24px",i.xxLarge="28px",i.xxLargePlus="32px",i.superLarge="42px",i.mega="68px",(r=t.FontWeights||(t.FontWeights={})).light=100,r.semilight=300,r.regular=400,r.semibold=600,r.bold=700,(n=t.IconFontSizes||(t.IconFontSizes={})).xSmall="10px",n.small="12px",n.medium="16px",n.large="20px"},55999:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.createFontStyles=void 0;var n=o(82826),r="'Segoe UI', '".concat(n.LocalizedFontNames.WestEuropean,"'"),i={ar:n.LocalizedFontFamilies.Arabic,bg:n.LocalizedFontFamilies.Cyrillic,cs:n.LocalizedFontFamilies.EastEuropean,el:n.LocalizedFontFamilies.Greek,et:n.LocalizedFontFamilies.EastEuropean,he:n.LocalizedFontFamilies.Hebrew,hi:n.LocalizedFontFamilies.Hindi,hr:n.LocalizedFontFamilies.EastEuropean,hu:n.LocalizedFontFamilies.EastEuropean,ja:n.LocalizedFontFamilies.Japanese,kk:n.LocalizedFontFamilies.EastEuropean,ko:n.LocalizedFontFamilies.Korean,lt:n.LocalizedFontFamilies.EastEuropean,lv:n.LocalizedFontFamilies.EastEuropean,pl:n.LocalizedFontFamilies.EastEuropean,ru:n.LocalizedFontFamilies.Cyrillic,sk:n.LocalizedFontFamilies.EastEuropean,"sr-latn":n.LocalizedFontFamilies.EastEuropean,th:n.LocalizedFontFamilies.Thai,tr:n.LocalizedFontFamilies.EastEuropean,uk:n.LocalizedFontFamilies.Cyrillic,vi:n.LocalizedFontFamilies.Vietnamese,"zh-hans":n.LocalizedFontFamilies.ChineseSimplified,"zh-hant":n.LocalizedFontFamilies.ChineseTraditional,hy:n.LocalizedFontFamilies.Armenian,ka:n.LocalizedFontFamilies.Georgian};function a(e,t,o){return{fontFamily:o,MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontSize:e,fontWeight:t}}t.createFontStyles=function(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),o="".concat(t,", ").concat("'Segoe UI', -apple-system, BlinkMacSystemFont, 'Roboto', 'Helvetica Neue', sans-serif");return{tiny:a(n.FontSizes.mini,n.FontWeights.regular,o),xSmall:a(n.FontSizes.xSmall,n.FontWeights.regular,o),small:a(n.FontSizes.small,n.FontWeights.regular,o),smallPlus:a(n.FontSizes.smallPlus,n.FontWeights.regular,o),medium:a(n.FontSizes.medium,n.FontWeights.regular,o),mediumPlus:a(n.FontSizes.mediumPlus,n.FontWeights.regular,o),large:a(n.FontSizes.large,n.FontWeights.regular,o),xLarge:a(n.FontSizes.xLarge,n.FontWeights.semibold,o),xLargePlus:a(n.FontSizes.xLargePlus,n.FontWeights.semibold,o),xxLarge:a(n.FontSizes.xxLarge,n.FontWeights.semibold,o),xxLargePlus:a(n.FontSizes.xxLargePlus,n.FontWeights.semibold,o),superLarge:a(n.FontSizes.superLarge,n.FontWeights.semibold,o),mega:a(n.FontSizes.mega,n.FontWeights.semibold,o)}}},48822:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.registerDefaultFontFaces=t.DefaultFontStyles=t.createFontStyles=void 0,o(31635).__exportStar(o(82826),t);var n=o(55999);Object.defineProperty(t,"createFontStyles",{enumerable:!0,get:function(){return n.createFontStyles}});var r=o(25532);Object.defineProperty(t,"DefaultFontStyles",{enumerable:!0,get:function(){return r.DefaultFontStyles}}),Object.defineProperty(t,"registerDefaultFontFaces",{enumerable:!0,get:function(){return r.registerDefaultFontFaces}})},51499:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.FluentTheme=void 0;var n=o(31635);n.__exportStar(o(98953),t),n.__exportStar(o(98537),t),n.__exportStar(o(61532),t),n.__exportStar(o(39506),t),n.__exportStar(o(505),t),n.__exportStar(o(23294),t),n.__exportStar(o(48822),t),n.__exportStar(o(87890),t);var r=o(5688);Object.defineProperty(t,"FluentTheme",{enumerable:!0,get:function(){return r.FluentTheme}}),o(15747)},98953:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.mergeThemes=void 0;var n=o(52332),r=o(14696);t.mergeThemes=function(e,t){var o,i,a;void 0===t&&(t={});var s=(0,n.merge)({},e,t,{semanticColors:(0,r.getSemanticColors)(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)&&(s.palette.accent=t.palette.themePrimary),t.defaultFontStyle)for(var l=0,c=Object.keys(s.fonts);l{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.AnimationStyles=t.AnimationVariables=void 0;var n=o(15241),r="cubic-bezier(.1,.9,.2,1)",i="cubic-bezier(.1,.25,.75,.9)",a="0.167s",s="0.267s",l="0.367s",c="0.467s",u=(0,n.keyframes)({from:{opacity:0},to:{opacity:1}}),d=(0,n.keyframes)({from:{opacity:1},to:{opacity:0,visibility:"hidden"}}),p=V(-10),m=V(-20),g=V(-40),h=V(-400),f=V(10),v=V(20),b=V(40),y=V(400),_=K(10),S=K(20),C=K(-10),x=K(-20),P=G(10),k=G(20),I=G(40),w=G(400),T=G(-10),E=G(-20),D=G(-40),M=G(-400),O=U(-10),R=U(-20),F=U(10),B=U(20),A=(0,n.keyframes)({from:{transform:"scale3d(.98,.98,1)"},to:{transform:"scale3d(1,1,1)"}}),N=(0,n.keyframes)({from:{transform:"scale3d(1,1,1)"},to:{transform:"scale3d(.98,.98,1)"}}),L=(0,n.keyframes)({from:{transform:"scale3d(1.03,1.03,1)"},to:{transform:"scale3d(1,1,1)"}}),H=(0,n.keyframes)({from:{transform:"scale3d(1,1,1)"},to:{transform:"scale3d(1.03,1.03,1)"}}),j=(0,n.keyframes)({from:{transform:"rotateZ(0deg)"},to:{transform:"rotateZ(90deg)"}}),z=(0,n.keyframes)({from:{transform:"rotateZ(0deg)"},to:{transform:"rotateZ(-90deg)"}});function W(e,t,o){return{animationName:e,animationDuration:t,animationTimingFunction:o,animationFillMode:"both"}}function V(e){return(0,n.keyframes)({from:{transform:"translate3d(".concat(e,"px,0,0)"),pointerEvents:"none"},to:{transform:"translate3d(0,0,0)",pointerEvents:"auto"}})}function K(e){return(0,n.keyframes)({from:{transform:"translate3d(0,".concat(e,"px,0)"),pointerEvents:"none"},to:{transform:"translate3d(0,0,0)",pointerEvents:"auto"}})}function G(e){return(0,n.keyframes)({from:{transform:"translate3d(0,0,0)"},to:{transform:"translate3d(".concat(e,"px,0,0)")}})}function U(e){return(0,n.keyframes)({from:{transform:"translate3d(0,0,0)"},to:{transform:"translate3d(0,".concat(e,"px,0)")}})}t.AnimationVariables={easeFunction1:r,easeFunction2:i,durationValue1:a,durationValue2:s,durationValue3:l,durationValue4:c},t.AnimationStyles={slideRightIn10:W("".concat(u,",").concat(p),l,r),slideRightIn20:W("".concat(u,",").concat(m),l,r),slideRightIn40:W("".concat(u,",").concat(g),l,r),slideRightIn400:W("".concat(u,",").concat(h),l,r),slideLeftIn10:W("".concat(u,",").concat(f),l,r),slideLeftIn20:W("".concat(u,",").concat(v),l,r),slideLeftIn40:W("".concat(u,",").concat(b),l,r),slideLeftIn400:W("".concat(u,",").concat(y),l,r),slideUpIn10:W("".concat(u,",").concat(_),l,r),slideUpIn20:W("".concat(u,",").concat(S),l,r),slideDownIn10:W("".concat(u,",").concat(C),l,r),slideDownIn20:W("".concat(u,",").concat(x),l,r),slideRightOut10:W("".concat(d,",").concat(P),l,r),slideRightOut20:W("".concat(d,",").concat(k),l,r),slideRightOut40:W("".concat(d,",").concat(I),l,r),slideRightOut400:W("".concat(d,",").concat(w),l,r),slideLeftOut10:W("".concat(d,",").concat(T),l,r),slideLeftOut20:W("".concat(d,",").concat(E),l,r),slideLeftOut40:W("".concat(d,",").concat(D),l,r),slideLeftOut400:W("".concat(d,",").concat(M),l,r),slideUpOut10:W("".concat(d,",").concat(O),l,r),slideUpOut20:W("".concat(d,",").concat(R),l,r),slideDownOut10:W("".concat(d,",").concat(F),l,r),slideDownOut20:W("".concat(d,",").concat(B),l,r),scaleUpIn100:W("".concat(u,",").concat(A),l,r),scaleDownIn100:W("".concat(u,",").concat(L),l,r),scaleUpOut103:W("".concat(d,",").concat(H),a,i),scaleDownOut98:W("".concat(d,",").concat(N),a,i),fadeIn100:W(u,a,i),fadeIn200:W(u,s,i),fadeIn400:W(u,l,i),fadeIn500:W(u,c,i),fadeOut100:W(d,a,i),fadeOut200:W(d,s,i),fadeOut400:W(d,l,i),fadeOut500:W(d,c,i),rotate90deg:W(j,"0.1s",i),rotateN90deg:W(z,"0.1s",i)}},4452:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.MotionAnimations=t.MotionTimings=t.MotionDurations=void 0;var n,r,i,a=o(15241),s=(0,a.keyframes)({from:{opacity:0},to:{opacity:1}}),l=(0,a.keyframes)({from:{opacity:1},to:{opacity:0}}),c=(0,a.keyframes)({from:{transform:"scale3d(1.15, 1.15, 1)"},to:{transform:"scale3d(1, 1, 1)"}}),u=(0,a.keyframes)({from:{transform:"scale3d(1, 1, 1)"},to:{transform:"scale3d(0.9, 0.9, 1)"}}),d=(0,a.keyframes)({from:{transform:"translate3d(0, 0, 0)"},to:{transform:"translate3d(-48px, 0, 0)"}}),p=(0,a.keyframes)({from:{transform:"translate3d(0, 0, 0)"},to:{transform:"translate3d(48px, 0, 0)"}}),m=(0,a.keyframes)({from:{transform:"translate3d(48px, 0, 0)"},to:{transform:"translate3d(0, 0, 0)"}}),g=(0,a.keyframes)({from:{transform:"translate3d(-48px, 0, 0)"},to:{transform:"translate3d(0, 0, 0)"}}),h=(0,a.keyframes)({from:{transform:"translate3d(0, 0, 0)"},to:{transform:"translate3d(0, -48px, 0)"}}),f=(0,a.keyframes)({from:{transform:"translate3d(0, 0, 0)"},to:{transform:"translate3d(0, 48px, 0)"}}),v=(0,a.keyframes)({from:{transform:"translate3d(0, 48px, 0)"},to:{transform:"translate3d(0, 0, 0)"}}),b=(0,a.keyframes)({from:{transform:"translate3d(0, -48px, 0)"},to:{transform:"translate3d(0, 0, 0)"}});function y(e,t,o){return"".concat(e," ").concat(t," ").concat(o)}!function(e){e.duration1="100ms",e.duration2="200ms",e.duration3="300ms",e.duration4="400ms"}(n=t.MotionDurations||(t.MotionDurations={})),function(e){e.accelerate="cubic-bezier(0.9, 0.1, 1, 0.2)",e.decelerate="cubic-bezier(0.1, 0.9, 0.2, 1)",e.linear="cubic-bezier(0, 0, 1, 1)",e.standard="cubic-bezier(0.8, 0, 0.2, 1)"}(r=t.MotionTimings||(t.MotionTimings={})),(i=t.MotionAnimations||(t.MotionAnimations={})).fadeIn=y(s,n.duration1,r.linear),i.fadeOut=y(l,n.duration1,r.linear),i.scaleDownIn=y(c,n.duration3,r.decelerate),i.scaleDownOut=y(u,n.duration3,r.decelerate),i.slideLeftOut=y(d,n.duration1,r.accelerate),i.slideRightOut=y(p,n.duration1,r.accelerate),i.slideLeftIn=y(m,n.duration1,r.decelerate),i.slideRightIn=y(g,n.duration1,r.decelerate),i.slideUpOut=y(h,n.duration1,r.accelerate),i.slideDownOut=y(f,n.duration1,r.accelerate),i.slideUpIn=y(v,n.duration1,r.decelerate),i.slideDownIn=y(b,n.duration1,r.decelerate)},23294:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(4452),t),n.__exportStar(o(62378),t)},19659:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DefaultSpacing=void 0,t.DefaultSpacing={s2:"4px",s1:"8px",m:"16px",l1:"20px",l2:"32px"}},505:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DefaultSpacing=void 0;var n=o(19659);Object.defineProperty(t,"DefaultSpacing",{enumerable:!0,get:function(){return n.DefaultSpacing}})},62744:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},98537:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(62744),t)},14696:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getSemanticColors=t.makeSemanticColors=void 0;var n=o(31635);function r(e,t,o,r,i){void 0===i&&(i=!1);var a={},s=e||{},l=s.white,c=s.black,u=s.themePrimary,d=s.themeDark,p=s.themeDarker,m=s.themeDarkAlt,g=s.themeLighter,h=s.neutralLight,f=s.neutralLighter,v=s.neutralDark,b=s.neutralQuaternary,y=s.neutralQuaternaryAlt,_=s.neutralPrimary,S=s.neutralSecondary,C=s.neutralSecondaryAlt,x=s.neutralTertiary,P=s.neutralTertiaryAlt,k=s.neutralLighterAlt,I=s.accent;return l&&(a.bodyBackground=l,a.bodyFrameBackground=l,a.accentButtonText=l,a.buttonBackground=l,a.primaryButtonText=l,a.primaryButtonTextHovered=l,a.primaryButtonTextPressed=l,a.inputBackground=l,a.inputForegroundChecked=l,a.listBackground=l,a.menuBackground=l,a.cardStandoutBackground=l),c&&(a.bodyTextChecked=c,a.buttonTextCheckedHovered=c),u&&(a.link=u,a.primaryButtonBackground=u,a.inputBackgroundChecked=u,a.inputIcon=u,a.inputFocusBorderAlt=u,a.menuIcon=u,a.menuHeader=u,a.accentButtonBackground=u),d&&(a.primaryButtonBackgroundPressed=d,a.inputBackgroundCheckedHovered=d,a.inputIconHovered=d),p&&(a.linkHovered=p),m&&(a.primaryButtonBackgroundHovered=m),g&&(a.inputPlaceholderBackgroundChecked=g),h&&(a.bodyBackgroundChecked=h,a.bodyFrameDivider=h,a.bodyDivider=h,a.variantBorder=h,a.buttonBackgroundCheckedHovered=h,a.buttonBackgroundPressed=h,a.listItemBackgroundChecked=h,a.listHeaderBackgroundPressed=h,a.menuItemBackgroundPressed=h,a.menuItemBackgroundChecked=h),f&&(a.bodyBackgroundHovered=f,a.buttonBackgroundHovered=f,a.buttonBackgroundDisabled=f,a.buttonBorderDisabled=f,a.primaryButtonBackgroundDisabled=f,a.disabledBackground=f,a.listItemBackgroundHovered=f,a.listHeaderBackgroundHovered=f,a.menuItemBackgroundHovered=f),b&&(a.primaryButtonTextDisabled=b,a.disabledSubtext=b),y&&(a.listItemBackgroundCheckedHovered=y),x&&(a.disabledBodyText=x,a.variantBorderHovered=(null==o?void 0:o.variantBorderHovered)||x,a.buttonTextDisabled=x,a.inputIconDisabled=x,a.disabledText=x),_&&(a.bodyText=_,a.actionLink=_,a.buttonText=_,a.inputBorderHovered=_,a.inputText=_,a.listText=_,a.menuItemText=_),k&&(a.bodyStandoutBackground=k,a.defaultStateBackground=k),v&&(a.actionLinkHovered=v,a.buttonTextHovered=v,a.buttonTextChecked=v,a.buttonTextPressed=v,a.inputTextHovered=v,a.menuItemTextHovered=v),S&&(a.bodySubtext=S,a.focusBorder=S,a.inputBorder=S,a.smallInputBorder=S,a.inputPlaceholderText=S),C&&(a.buttonBorder=C),P&&(a.disabledBodySubtext=P,a.disabledBorder=P,a.buttonBackgroundChecked=P,a.menuDivider=P),I&&(a.accentButtonBackground=I),(null==t?void 0:t.elevation4)&&(a.cardShadow=t.elevation4),!r&&(null==t?void 0:t.elevation8)?a.cardShadowHovered=t.elevation8:a.variantBorderHovered&&(a.cardShadowHovered="0 0 1px "+a.variantBorderHovered),n.__assign(n.__assign({},a),o)}t.makeSemanticColors=function(e,t,o,i,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}(r(e,t,n.__assign({primaryButtonBorder:"transparent",errorText:i?"#F1707B":"#a4262c",messageText:i?"#F3F2F1":"#323130",messageLink:i?"#6CB8F6":"#005A9E",messageLinkHovered:i?"#82C7FF":"#004578",infoIcon:i?"#C8C6C4":"#605e5c",errorIcon:i?"#F1707B":"#A80000",blockingIcon:i?"#442726":"#FDE7E9",warningIcon:i?"#C8C6C4":"#797775",severeWarningIcon:i?"#FCE100":"#D83B01",successIcon:i?"#92C353":"#107C10",infoBackground:i?"#323130":"#f3f2f1",errorBackground:i?"#442726":"#FDE7E9",blockingBackground:i?"#442726":"#FDE7E9",warningBackground:i?"#433519":"#FFF4CE",severeWarningBackground:i?"#4F2A0F":"#FED9CC",successBackground:i?"#393D1B":"#DFF6DD",warningHighlight:i?"#fff100":"#ffb900",successText:i?"#92c353":"#107C10"},o),i),a)},t.getSemanticColors=r},15747:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),(0,o(37607).setVersion)("@fluentui/theme","2.6.47")},44778:(e,t,o)=>{"use strict";o.d(t,{a:()=>D});var n,r={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"};!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={}));var i={elevation4:n.depth4,elevation8:n.depth8,elevation16:n.depth16,elevation64:n.depth64,roundedCorner2:"2px",roundedCorner4:"4px",roundedCorner6:"6px"},a=o(6526),s=o(15539),l="'Segoe UI', '".concat(s.Dn.WestEuropean,"'"),c={ar:s.bi.Arabic,bg:s.bi.Cyrillic,cs:s.bi.EastEuropean,el:s.bi.Greek,et:s.bi.EastEuropean,he:s.bi.Hebrew,hi:s.bi.Hindi,hr:s.bi.EastEuropean,hu:s.bi.EastEuropean,ja:s.bi.Japanese,kk:s.bi.EastEuropean,ko:s.bi.Korean,lt:s.bi.EastEuropean,lv:s.bi.EastEuropean,pl:s.bi.EastEuropean,ru:s.bi.Cyrillic,sk:s.bi.EastEuropean,"sr-latn":s.bi.EastEuropean,th:s.bi.Thai,tr:s.bi.EastEuropean,uk:s.bi.Cyrillic,vi:s.bi.Vietnamese,"zh-hans":s.bi.ChineseSimplified,"zh-hant":s.bi.ChineseTraditional,hy:s.bi.Armenian,ka:s.bi.Georgian};function u(e,t,o){return{fontFamily:o,MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontSize:e,fontWeight:t}}var d,p,m,g,h,f,v=o(3545),b=o(39912),y=o(7318),_="language",S=(p=function(e){for(var t in c)if(c.hasOwnProperty(t)&&e&&0===t.indexOf(e))return c[t];return l}(function(e){if(void 0===e&&(e="sessionStorage"),void 0===d){var t=(0,v.Y)(),o="localStorage"===e?function(e){var t=null;try{var o=(0,b.z)();t=o?o.localStorage.getItem(e):null}catch(e){}return t}(_):"sessionStorage"===e?y.G(_):void 0;o&&(d=o),void 0===d&&t&&(d=t.documentElement.getAttribute("lang")),void 0===d&&(d="en")}return d}()),m="".concat(p,", ").concat("'Segoe UI', -apple-system, BlinkMacSystemFont, 'Roboto', 'Helvetica Neue', sans-serif"),{tiny:u(s.s.mini,s.BO.regular,m),xSmall:u(s.s.xSmall,s.BO.regular,m),small:u(s.s.small,s.BO.regular,m),smallPlus:u(s.s.smallPlus,s.BO.regular,m),medium:u(s.s.medium,s.BO.regular,m),mediumPlus:u(s.s.mediumPlus,s.BO.regular,m),large:u(s.s.large,s.BO.regular,m),xLarge:u(s.s.xLarge,s.BO.semibold,m),xLargePlus:u(s.s.xLargePlus,s.BO.semibold,m),xxLarge:u(s.s.xxLarge,s.BO.semibold,m),xxLargePlus:u(s.s.xxLargePlus,s.BO.semibold,m),superLarge:u(s.s.superLarge,s.BO.semibold,m),mega:u(s.s.mega,s.BO.semibold,m)});function C(e,t,o,n){e="'".concat(e,"'");var r=void 0!==n?"local('".concat(n,"'),"):"";(0,a.n)({fontFamily:e,src:r+"url('".concat(t,".woff2') format('woff2'),")+"url('".concat(t,".woff') format('woff')"),fontWeight:o,fontStyle:"normal",fontDisplay:"swap"})}function x(e,t,o,n,r){void 0===n&&(n="segoeui");var i="".concat(e,"/").concat(o,"/").concat(n);C(t,i+"-light",s.BO.light,r&&r+" Light"),C(t,i+"-semilight",s.BO.semilight,r&&r+" SemiLight"),C(t,i+"-regular",s.BO.regular,r),C(t,i+"-semibold",s.BO.semibold,r&&r+" SemiBold"),C(t,i+"-bold",s.BO.bold,r&&r+" Bold")}function P(e){for(var t=[],o=1;o-1;e[n]=i?r:k(e[n]||{},r,o)}}return o.pop(),e}!function(e){if(e){var t="".concat(e,"/fonts");x(t,s.Dn.Thai,"leelawadeeui-thai","leelawadeeui"),x(t,s.Dn.Arabic,"segoeui-arabic"),x(t,s.Dn.Cyrillic,"segoeui-cyrillic"),x(t,s.Dn.EastEuropean,"segoeui-easteuropean"),x(t,s.Dn.Greek,"segoeui-greek"),x(t,s.Dn.Hebrew,"segoeui-hebrew"),x(t,s.Dn.Vietnamese,"segoeui-vietnamese"),x(t,s.Dn.WestEuropean,"segoeui-westeuropean","segoeui","Segoe UI"),x(t,s.bi.Selawik,"selawik","selawik"),x(t,s.Dn.Armenian,"segoeui-armenian"),x(t,s.Dn.Georgian,"segoeui-georgian"),C("Leelawadee UI Web","".concat(t,"/leelawadeeui-thai/leelawadeeui-semilight"),s.BO.light),C("Leelawadee UI Web","".concat(t,"/leelawadeeui-thai/leelawadeeui-bold"),s.BO.semibold)}}((f=null===(g=(0,b.z)())||void 0===g?void 0:g.FabricConfig,null!==(h=null==f?void 0:f.fontBaseUrl)&&void 0!==h?h:"https://res-1.cdn.office.net/files/fabric-cdn-prod_20230815.002/assets"));var I=o(31635);function w(e,t,o,n,r){return void 0===r&&(r=!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}(T(e,t,(0,I.__assign)({primaryButtonBorder:"transparent",errorText:n?"#F1707B":"#a4262c",messageText:n?"#F3F2F1":"#323130",messageLink:n?"#6CB8F6":"#005A9E",messageLinkHovered:n?"#82C7FF":"#004578",infoIcon:n?"#C8C6C4":"#605e5c",errorIcon:n?"#F1707B":"#A80000",blockingIcon:n?"#442726":"#FDE7E9",warningIcon:n?"#C8C6C4":"#797775",severeWarningIcon:n?"#FCE100":"#D83B01",successIcon:n?"#92C353":"#107C10",infoBackground:n?"#323130":"#f3f2f1",errorBackground:n?"#442726":"#FDE7E9",blockingBackground:n?"#442726":"#FDE7E9",warningBackground:n?"#433519":"#FFF4CE",severeWarningBackground:n?"#4F2A0F":"#FED9CC",successBackground:n?"#393D1B":"#DFF6DD",warningHighlight:n?"#fff100":"#ffb900",successText:n?"#92c353":"#107C10"},o),n),r)}function T(e,t,o,n,r){void 0===r&&(r=!1);var i={},a=e||{},s=a.white,l=a.black,c=a.themePrimary,u=a.themeDark,d=a.themeDarker,p=a.themeDarkAlt,m=a.themeLighter,g=a.neutralLight,h=a.neutralLighter,f=a.neutralDark,v=a.neutralQuaternary,b=a.neutralQuaternaryAlt,y=a.neutralPrimary,_=a.neutralSecondary,S=a.neutralSecondaryAlt,C=a.neutralTertiary,x=a.neutralTertiaryAlt,P=a.neutralLighterAlt,k=a.accent;return s&&(i.bodyBackground=s,i.bodyFrameBackground=s,i.accentButtonText=s,i.buttonBackground=s,i.primaryButtonText=s,i.primaryButtonTextHovered=s,i.primaryButtonTextPressed=s,i.inputBackground=s,i.inputForegroundChecked=s,i.listBackground=s,i.menuBackground=s,i.cardStandoutBackground=s),l&&(i.bodyTextChecked=l,i.buttonTextCheckedHovered=l),c&&(i.link=c,i.primaryButtonBackground=c,i.inputBackgroundChecked=c,i.inputIcon=c,i.inputFocusBorderAlt=c,i.menuIcon=c,i.menuHeader=c,i.accentButtonBackground=c),u&&(i.primaryButtonBackgroundPressed=u,i.inputBackgroundCheckedHovered=u,i.inputIconHovered=u),d&&(i.linkHovered=d),p&&(i.primaryButtonBackgroundHovered=p),m&&(i.inputPlaceholderBackgroundChecked=m),g&&(i.bodyBackgroundChecked=g,i.bodyFrameDivider=g,i.bodyDivider=g,i.variantBorder=g,i.buttonBackgroundCheckedHovered=g,i.buttonBackgroundPressed=g,i.listItemBackgroundChecked=g,i.listHeaderBackgroundPressed=g,i.menuItemBackgroundPressed=g,i.menuItemBackgroundChecked=g),h&&(i.bodyBackgroundHovered=h,i.buttonBackgroundHovered=h,i.buttonBackgroundDisabled=h,i.buttonBorderDisabled=h,i.primaryButtonBackgroundDisabled=h,i.disabledBackground=h,i.listItemBackgroundHovered=h,i.listHeaderBackgroundHovered=h,i.menuItemBackgroundHovered=h),v&&(i.primaryButtonTextDisabled=v,i.disabledSubtext=v),b&&(i.listItemBackgroundCheckedHovered=b),C&&(i.disabledBodyText=C,i.variantBorderHovered=(null==o?void 0:o.variantBorderHovered)||C,i.buttonTextDisabled=C,i.inputIconDisabled=C,i.disabledText=C),y&&(i.bodyText=y,i.actionLink=y,i.buttonText=y,i.inputBorderHovered=y,i.inputText=y,i.listText=y,i.menuItemText=y),P&&(i.bodyStandoutBackground=P,i.defaultStateBackground=P),f&&(i.actionLinkHovered=f,i.buttonTextHovered=f,i.buttonTextChecked=f,i.buttonTextPressed=f,i.inputTextHovered=f,i.menuItemTextHovered=f),_&&(i.bodySubtext=_,i.focusBorder=_,i.inputBorder=_,i.smallInputBorder=_,i.inputPlaceholderText=_),S&&(i.buttonBorder=S),x&&(i.disabledBodySubtext=x,i.disabledBorder=x,i.buttonBackgroundChecked=x,i.menuDivider=x),k&&(i.accentButtonBackground=k),(null==t?void 0:t.elevation4)&&(i.cardShadow=t.elevation4),!n&&(null==t?void 0:t.elevation8)?i.cardShadowHovered=t.elevation8:i.variantBorderHovered&&(i.cardShadowHovered="0 0 1px "+i.variantBorderHovered),(0,I.__assign)((0,I.__assign)({},i),o)}var E={s2:"4px",s1:"8px",m:"16px",l1:"20px",l2:"32px"};function D(e,t){void 0===e&&(e={}),void 0===t&&(t=!1);var o=!!e.isInverted;return function(e,t){var o,n,r;void 0===t&&(t={});var i=P({},e,t,{semanticColors:T(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===(n=t.palette)||void 0===n?void 0:n.accent)&&(i.palette.accent=t.palette.themePrimary),t.defaultFontStyle)for(var a=0,s=Object.keys(i.fonts);a{"use strict";var n,r,i,a,s;o.d(t,{BO:()=>a,Dn:()=>n,bi:()=>r,fF:()=>s,s:()=>i}),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="'".concat(n.Arabic,"'"),e.ChineseSimplified="'Microsoft Yahei UI', Verdana, Simsun",e.ChineseTraditional="'Microsoft Jhenghei UI', Pmingliu",e.Cyrillic="'".concat(n.Cyrillic,"'"),e.EastEuropean="'".concat(n.EastEuropean,"'"),e.Greek="'".concat(n.Greek,"'"),e.Hebrew="'".concat(n.Hebrew,"'"),e.Hindi="'Nirmala UI'",e.Japanese="'Yu Gothic UI', 'Meiryo UI', Meiryo, 'MS Pgothic', Osaka",e.Korean="'Malgun Gothic', Gulim",e.Selawik="'".concat(n.Selawik,"'"),e.Thai="'Leelawadee UI Web', 'Kmer UI'",e.Vietnamese="'".concat(n.Vietnamese,"'"),e.WestEuropean="'".concat(n.WestEuropean,"'"),e.Armenian="'".concat(n.Armenian,"'"),e.Georgian="'".concat(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={}))},99480:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Async=void 0;var n=o(5639),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.getWindow)(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.getWindow)(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,g=t-p,v=!1;return null!==u&&(g>=u&&m?v=!0:a=Math.min(a,u-g)),r>=s||v||o?h(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";Object.defineProperty(t,"__esModule",{value:!0}),t.AutoScroll=void 0;var n=o(49053),r=o(80447),i=o(35453),a=o(94588),s=100,l=function(){function e(e,t){var o=null!=t?t:(0,a.getWindow)(e);this._events=new n.EventGroup(this),this._scrollableParent=(0,r.findScrollableParent)(e),this._incrementScroll=this._incrementScroll.bind(this),this._scrollRect=(0,i.getRect)(this._scrollableParent,o),this._scrollableParent===o&&(this._scrollableParent=o.document.body),this._scrollableParent&&(this._events.on(o,"mousemove",this._onMouseMove,!0),this._events.on(o,"touchmove",this._onTouchMove,!0))}return e.prototype.dispose=function(){this._events.dispose(),this._stopScroll()},e.prototype._onMouseMove=function(e){this._computeScrollVelocity(e)},e.prototype._onTouchMove=function(e){e.touches.length>0&&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,l=this._scrollRect.left,c=a+this._scrollRect.height-s,u=l+this._scrollRect.width-s;oc?(r=o,n=a,i=c,this._isVerticalScroll=!0):(r=t,n=l,i=u,this._isVerticalScroll=!1),this._scrollVelocity=ri?Math.min(15,(r-i)/s*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}();t.AutoScroll=l},62704:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.nullRender=t.BaseComponent=void 0;var n=o(31635),r=o(83923),i=o(99480),a=o(49053),s=o(74297),l=o(46924),c=o(37818),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:!1,configurable:!0}),Object.defineProperty(t.prototype,"_disposables",{get:function(){return this.__disposables||(this.__disposables=[]),this.__disposables},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"_async",{get:function(){return this.__async||(this.__async=new i.Async(this),this._disposables.push(this.__async)),this.__async},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"_events",{get:function(){return this.__events||(this.__events=new a.EventGroup(this),this._disposables.push(this.__events)),this.__events},enumerable:!1,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.warnDeprecations)(this.className,this.props,e)},t.prototype._warnMutuallyExclusive=function(e){(0,l.warnMutuallyExclusive)(this.className,this.props,e)},t.prototype._warnConditionallyRequiredProps=function(e,t,o){(0,s.warnConditionallyRequiredProps)(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";Object.defineProperty(t,"__esModule",{value:!0}),t.DelayedRender=void 0;var n=o(31635),r=o(83923),i=o(5639),a=function(e){function t(t){var o=e.call(this,t)||this;return o.state={isRendered:void 0===(0,i.getWindow)()},o}return n.__extends(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);t.DelayedRender=a},49053:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.EventGroup=void 0;var n=o(94588),r=o(49449),i=function(){function e(t){this._id=e._uniqueId++,this._parent=t,this._eventRecords=[]}return e.raise=function(t,o,i,a,s){var l,c=null!=s?s:(0,n.getDocument)();if(e._isElement(t)){if(void 0!==c&&c.createEvent){var u=c.createEvent("HTMLEvents");u.initEvent(o,a||!1,!0),(0,r.assign)(u,i),l=t.dispatchEvent(u)}else if(void 0!==c&&c.createEventObject){var d=c.createEventObject(i);t.fireEvent("on"+o,d)}}else for(;t&&!1!==l;){var p=t.__events__,m=p?p[o]:null;if(m)for(var g in m)if(m.hasOwnProperty(g))for(var h=m[g],f=0;!1!==l&&f-1)for(var a=o.split(/[ ,]+/),s=0;s{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.FabricPerformance=void 0;var o=function(){return"undefined"!=typeof performance&&performance.now?performance.now():Date.now()},n=function(){function e(){}return e.measure=function(t,n){e._timeoutId&&e.setPeriodicReset();var r=o();n();var i=o(),a=e.summary[t]||{totalDuration:0,count:0,all:[]},s=i-r;a.totalDuration+=s,a.count++,a.all.push({duration:s,timeStamp:i}),e.summary[t]=a},e.reset=function(){e.summary={},clearTimeout(e._timeoutId),e._timeoutId=NaN},e.setPeriodicReset=function(){e._timeoutId=setTimeout((function(){return e.reset()}),18e4)},e.summary={},e}();t.FabricPerformance=n},90120:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.FocusRectsProvider=void 0;var n=o(83923),r=o(5020);t.FocusRectsProvider=function(e){var t=e.providerRef,o=e.layerRoot,i=n.useState([])[0],a=n.useContext(r.FocusRectsContext),s=void 0!==a&&!o,l=n.useMemo((function(){return s?void 0:{providerRef:t,registeredProviders:i,registerProvider:function(e){i.push(e),null==a||a.registerProvider(e)},unregisterProvider:function(e){null==a||a.unregisterProvider(e);var t=i.indexOf(e);t>=0&&i.splice(t,1)}}}),[t,i,a,s]);return n.useEffect((function(){if(l)return l.registerProvider(l.providerRef),function(){return l.unregisterProvider(l.providerRef)}}),[l]),l?n.createElement(r.FocusRectsContext.Provider,{value:l},e.children):n.createElement(n.Fragment,null,e.children)}},47324:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.GlobalSettings=void 0;var n=o(5639),r="__globalSettings__",i="__callbacks__",a=0,s=function(){function e(){}return e.getValue=function(e,t){var o=l();return void 0===o[e]&&(o[e]="function"==typeof t?t():t),o[e]},e.setValue=function(e,t){var o=l(),n=o[i],r=o[e];if(t!==r){o[e]=t;var a={oldValue:r,value:t,key:e};for(var s in n)n.hasOwnProperty(s)&&n[s](a)}return t},e.addChangeListener=function(e){var t=e.__id__,o=c();t||(t=e.__id__=String(a++)),o[t]=e},e.removeChangeListener=function(e){delete c()[e.__id__]},e}();function l(){var e,t=(0,n.getWindow)()||{};return t[r]||(t[r]=((e={})[i]={},e)),t[r]}function c(){return l()[i]}t.GlobalSettings=s},37541:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.KeyCodes=void 0,t.KeyCodes={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,colon:58,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}},60965:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Rectangle=void 0;var o=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:!1,configurable:!0}),Object.defineProperty(e.prototype,"height",{get:function(){return this.bottom-this.top},enumerable:!1,configurable:!0}),e.prototype.equals=function(e){return parseFloat(this.top.toFixed(4))===parseFloat(e.top.toFixed(4))&&parseFloat(this.bottom.toFixed(4))===parseFloat(e.bottom.toFixed(4))&&parseFloat(this.left.toFixed(4))===parseFloat(e.left.toFixed(4))&&parseFloat(this.right.toFixed(4))===parseFloat(e.right.toFixed(4))},e}();t.Rectangle=o},40914:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.appendFunction=void 0,t.appendFunction=function(e){for(var t=[],o=1;o{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.mergeAriaAttributeValues=void 0,t.mergeAriaAttributeValues=function(){for(var e=[],t=0;t{"use strict";function o(e,t,o){void 0===o&&(o=0);for(var n=-1,r=o;e&&r{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.asAsync=void 0;var n=o(31635),r=o(83923),i="undefined"!=typeof WeakMap?new WeakMap:void 0;t.asAsync=function(e){var t=function(t){function o(){var o=null!==t&&t.apply(this,arguments)||this;return o.state={Component:i?i.get(e.load):void 0},o}return n.__extends(o,t),o.prototype.render=function(){var e=this.props,t=e.forwardedRef,o=e.asyncPlaceholder,i=n.__rest(e,["forwardedRef","asyncPlaceholder"]),a=this.state.Component;return a?r.createElement(a,n.__assign(n.__assign({},i),{ref:t})):o?r.createElement(o,null):null},o.prototype.componentDidMount=function(){var t=this;this.state.Component||e.load().then((function(o){o&&(i&&i.set(e.load,o),t.setState({Component:o},e.onLoad))})).catch(e.onError)},o}(r.Component);return r.forwardRef((function(e,o){return r.createElement(t,n.__assign({},e,{forwardedRef:o}))}))}},27224:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.assertNever=void 0,t.assertNever=function(e){throw new Error("Unexpected object: "+e)}},90630:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.classNamesFunction=void 0;var n=o(15241),r=o(36154),i=o(94588),a=0,s=n.Stylesheet.getInstance();s&&s.onReset&&s.onReset((function(){return a++}));var l="__retval__";function c(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 u(e,t){if("function"==typeof t)if(t.__cachedInputs__)for(var o=0,n=t.__cachedInputs__;o(e.cacheSize||50)){var _=(0,i.getWindow)();(null===(m=null==_?void 0:_.FabricConfig)||void 0===m?void 0:m.enableClassNameCacheFullWarning)&&(console.warn("Styles are being recalculated too frequently. Cache miss rate is ".concat(o,"/").concat(s,".")),console.trace()),t.get(h).clear(),o=0,e.disableCaching=!0}return f[l]}}},14865:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.composeComponentAs=void 0;var n=o(31635),r=o(83923),i=o(58444),a=(0,i.createMemoizer)((function(e){var t=e;return(0,i.createMemoizer)((function(o){if(e===o)throw new Error("Attempted to compose a component with itself.");var a=o,s=(0,i.createMemoizer)((function(e){return function(t){return r.createElement(a,n.__assign({},t,{defaultRender:e}))}}));return function(e){var o=e.defaultRender;return r.createElement(t,n.__assign({},e,{defaultRender:o?s(o):a}))}}))}));t.composeComponentAs=function(e,t){return a(e)(t)}},50944:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.isControlled=void 0,t.isControlled=function(e,t){return void 0!==e[t]&&null!==e[t]}},78813:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.createMergedRef=void 0;var n=o(21661);t.createMergedRef=function(e){var t={refs:[]};return function(){for(var e=[],o=0;o{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.css=void 0,t.css=function(){for(var e=[],t=0;t{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Customizations=void 0;var n=o(31635),r=o(47324),i={settings:{},scopedSettings:{},inCustomizerContext:!1},a=r.GlobalSettings.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=n.__assign(n.__assign({},a.settings),t),e._raiseChange()},e.applyScopedSettings=function(t,o){a.scopedSettings[t]=n.__assign(n.__assign({},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";Object.defineProperty(t,"__esModule",{value:!0}),t.Customizer=void 0;var n=o(31635),r=o(83923),i=o(40557),a=o(38233),s=o(17241),l=function(e){function t(){var t=null!==e&&e.apply(this,arguments)||this;return t._onCustomizationChange=function(){return t.forceUpdate()},t}return n.__extends(t,e),t.prototype.componentDidMount=function(){i.Customizations.observe(this._onCustomizationChange)},t.prototype.componentWillUnmount=function(){i.Customizations.unobserve(this._onCustomizationChange)},t.prototype.render=function(){var e=this,t=this.props.contextTransform;return r.createElement(a.CustomizerContext.Consumer,null,(function(o){var n=(0,s.mergeCustomizations)(e.props,o);return t&&(n=t(n)),r.createElement(a.CustomizerContext.Provider,{value:n},e.props.children)}))},t}(r.Component);t.Customizer=l},38233:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.CustomizerContext=void 0;var n=o(83923);t.CustomizerContext=n.createContext({customizations:{inCustomizerContext:!1,settings:{},scopedSettings:{}}})},47455:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.customizable=void 0;var n=o(31635),r=o(83923),i=o(40557),a=o(91780),s=o(38233),l=o(15241),c=o(20798),u=o(5639),d=o(97156),p=o(58444),m=(0,p.memoizeFunction)(l.makeShadowConfig),g=(0,p.memoizeFunction)((function(e,t,o){return n.__assign(n.__assign(n.__assign({},e),t),{__shadowConfig__:o})}));t.customizable=function(e,t,o){return function(p){var h,f=((h=function(a){function d(e){var t=a.call(this,e)||this;return t._styleCache={},t._onSettingChanged=t._onSettingChanged.bind(t),t}return n.__extends(d,a),d.prototype.componentDidMount=function(){i.Customizations.observe(this._onSettingChanged)},d.prototype.componentWillUnmount=function(){i.Customizations.unobserve(this._onSettingChanged)},d.prototype.render=function(){var a=this;return r.createElement(c.MergeStylesShadowRootConsumer,{stylesheetKey:e},(function(c){return r.createElement(s.CustomizerContext.Consumer,null,(function(s){var d,h=i.Customizations.getSettings(t,e,s.customizations),f=null!==(d=a.context.window)&&void 0!==d?d:(0,u.getWindow)(),v=m(e,c,f),b=a.props;if(h.styles&&"function"==typeof h.styles&&(h.styles=h.styles(n.__assign(n.__assign({},h),b))),o&&h.styles){if(a._styleCache.default!==h.styles||a._styleCache.component!==b.styles){var y=(0,l.concatStyleSets)(h.styles,b.styles);y.__shadowConfig__=v,a._styleCache.default=h.styles,a._styleCache.component=b.styles,a._styleCache.merged=y}return r.createElement(p,n.__assign({},h,b,{styles:a._styleCache.merged}))}var _=g(h.styles,b.styles,v);return r.createElement(p,n.__assign({},h,b,{styles:_}))}))}))},d.prototype._onSettingChanged=function(){this.forceUpdate()},d}(r.Component)).displayName="Customized"+e,h.contextType=d.WindowContext,h);return(0,a.hoistStatics)(p,f)}}},17241:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.mergeCustomizations=void 0;var n=o(41782);t.mergeCustomizations=function(e,t){var o=(t||{}).customizations,r=void 0===o?{settings:{},scopedSettings:{}}:o;return{customizations:{settings:(0,n.mergeSettings)(r.settings,e.settings),scopedSettings:(0,n.mergeScopedSettings)(r.scopedSettings,e.scopedSettings),inCustomizerContext:!0}}}},41782:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.mergeScopedSettings=t.mergeSettings=void 0;var n=o(31635);function r(e){return"function"==typeof e}t.mergeSettings=function(e,t){return void 0===e&&(e={}),(r(t)?t:function(e){return function(t){return e?n.__assign(n.__assign({},t),e):t}}(t))(e)},t.mergeScopedSettings=function(e,t){return void 0===e&&(e={}),(r(t)?t:(void 0===(o=t)&&(o={}),function(e){var t=n.__assign({},e);for(var r in o)o.hasOwnProperty(r)&&(t[r]=n.__assign(n.__assign({},e[r]),o[r]));return t}))(e);var o}},40050:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useCustomizationSettings=void 0;var n=o(83923),r=o(40557),i=o(38233);t.useCustomizationSettings=function(e,t){var o,a=(o=n.useState(0)[1],function(){return o((function(e){return++e}))}),s=n.useContext(i.CustomizerContext).customizations,l=s.inCustomizerContext;return n.useEffect((function(){return l||r.Customizations.observe(a),function(){l||r.Customizations.unobserve(a)}}),[l]),r.Customizations.getSettings(e,t,s)}},94588:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.setVirtualParent=t.setPortalAttribute=t.DATA_PORTAL_ATTRIBUTE=t.raiseClick=t.portalContainsElement=t.on=t.isVirtualElement=t.getWindow=t.getVirtualParent=t.getRect=t.getParent=t.getFirstVisibleElementFromSelector=t.getEventTarget=t.getDocument=t.getChildren=t.getActiveElement=t.findElementRecursive=t.elementContainsAttribute=t.elementContains=void 0;var n=o(87178);Object.defineProperty(t,"elementContains",{enumerable:!0,get:function(){return n.elementContains}});var r=o(22480);Object.defineProperty(t,"elementContainsAttribute",{enumerable:!0,get:function(){return r.elementContainsAttribute}});var i=o(71772);Object.defineProperty(t,"findElementRecursive",{enumerable:!0,get:function(){return i.findElementRecursive}});var a=o(62313);Object.defineProperty(t,"getActiveElement",{enumerable:!0,get:function(){return a.getActiveElement}});var s=o(92336);Object.defineProperty(t,"getChildren",{enumerable:!0,get:function(){return s.getChildren}});var l=o(52902);Object.defineProperty(t,"getDocument",{enumerable:!0,get:function(){return l.getDocument}});var c=o(95262);Object.defineProperty(t,"getEventTarget",{enumerable:!0,get:function(){return c.getEventTarget}});var u=o(69122);Object.defineProperty(t,"getFirstVisibleElementFromSelector",{enumerable:!0,get:function(){return u.getFirstVisibleElementFromSelector}});var d=o(5203);Object.defineProperty(t,"getParent",{enumerable:!0,get:function(){return d.getParent}});var p=o(35453);Object.defineProperty(t,"getRect",{enumerable:!0,get:function(){return p.getRect}});var m=o(43180);Object.defineProperty(t,"getVirtualParent",{enumerable:!0,get:function(){return m.getVirtualParent}});var g=o(5639);Object.defineProperty(t,"getWindow",{enumerable:!0,get:function(){return g.getWindow}});var h=o(19390);Object.defineProperty(t,"isVirtualElement",{enumerable:!0,get:function(){return h.isVirtualElement}});var f=o(65874);Object.defineProperty(t,"on",{enumerable:!0,get:function(){return f.on}});var v=o(21742);Object.defineProperty(t,"portalContainsElement",{enumerable:!0,get:function(){return v.portalContainsElement}});var b=o(89975);Object.defineProperty(t,"raiseClick",{enumerable:!0,get:function(){return b.raiseClick}});var y=o(88485);Object.defineProperty(t,"DATA_PORTAL_ATTRIBUTE",{enumerable:!0,get:function(){return y.DATA_PORTAL_ATTRIBUTE}}),Object.defineProperty(t,"setPortalAttribute",{enumerable:!0,get:function(){return y.setPortalAttribute}});var _=o(80128);Object.defineProperty(t,"setVirtualParent",{enumerable:!0,get:function(){return _.setVirtualParent}})},51928:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.canUseDOM=void 0,t.canUseDOM=function(){return"undefined"!=typeof window&&!(!window.document||!window.document.createElement)}},87178:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.elementContains=void 0;var n=o(35183);Object.defineProperty(t,"elementContains",{enumerable:!0,get:function(){return n.elementContains}})},22480:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.elementContainsAttribute=void 0;var n=o(35183);Object.defineProperty(t,"elementContainsAttribute",{enumerable:!0,get:function(){return n.elementContainsAttribute}})},71772:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.findElementRecursive=void 0;var n=o(35183);Object.defineProperty(t,"findElementRecursive",{enumerable:!0,get:function(){return n.findElementRecursive}})},62313:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getActiveElement=void 0;var n=o(35183);Object.defineProperty(t,"getActiveElement",{enumerable:!0,get:function(){return n.getActiveElement}})},92336:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getChildren=void 0;var n=o(35183);Object.defineProperty(t,"getChildren",{enumerable:!0,get:function(){return n.getChildren}})},52902:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getDocument=void 0;var n=o(51928);t.getDocument=function(e){if((0,n.canUseDOM)()&&"undefined"!=typeof document){var t=e;return t&&t.ownerDocument?t.ownerDocument:document}}},95262:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getEventTarget=void 0;var n=o(35183);Object.defineProperty(t,"getEventTarget",{enumerable:!0,get:function(){return n.getEventTarget}})},69122:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getFirstVisibleElementFromSelector=void 0;var n=o(65044),r=o(52902);t.getFirstVisibleElementFromSelector=function(e){var t=(0,r.getDocument)(),o=t.querySelectorAll(e);return Array.from(o).find((function(e){var o;return(0,n.isElementVisibleAndNotHidden)(e,null!==(o=t.defaultView)&&void 0!==o?o:void 0)}))}},5203:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getParent=void 0;var n=o(35183);Object.defineProperty(t,"getParent",{enumerable:!0,get:function(){return n.getParent}})},35453:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getRect=void 0;var n=o(5639);t.getRect=function(e,t){var o,r=(null!=t?t:!e||e&&e.hasOwnProperty("devicePixelRatio"))?(0,n.getWindow)():(0,n.getWindow)(e);return e&&(e===r?o={left:0,top:0,width:r.innerWidth,height:r.innerHeight,right:r.innerWidth,bottom:r.innerHeight}:e.getBoundingClientRect&&(o=e.getBoundingClientRect())),o}},43180:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getVirtualParent=void 0;var n=o(35183);Object.defineProperty(t,"getVirtualParent",{enumerable:!0,get:function(){return n.getVirtualParent}})},5639:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getWindow=void 0;var n=o(51928),r=void 0;try{r=window}catch(e){}t.getWindow=function(e){if((0,n.canUseDOM)()&&void 0!==r){var t=e;return t&&t.ownerDocument&&t.ownerDocument.defaultView?t.ownerDocument.defaultView:r}}},19390:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.isVirtualElement=void 0;var n=o(35183);Object.defineProperty(t,"isVirtualElement",{enumerable:!0,get:function(){return n.isVirtualElement}})},65874:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.on=void 0,t.on=function(e,t,o,n){return e.addEventListener(t,o,n),function(){return e.removeEventListener(t,o,n)}}},21742:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.portalContainsElement=void 0;var n=o(35183);Object.defineProperty(t,"portalContainsElement",{enumerable:!0,get:function(){return n.portalContainsElement}})},89975:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.raiseClick=void 0;var n=o(52902);t.raiseClick=function(e,t){var o=function(e,t){var o;return"function"==typeof Event?o=new Event(e):(o=t.createEvent("Event")).initEvent(e,!0,!0),o}("MouseEvents",null!=t?t:(0,n.getDocument)());o.initEvent("click",!0,!0),e.dispatchEvent(o)}},88485:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.setPortalAttribute=t.DATA_PORTAL_ATTRIBUTE=void 0;var n=o(35183);Object.defineProperty(t,"DATA_PORTAL_ATTRIBUTE",{enumerable:!0,get:function(){return n.DATA_PORTAL_ATTRIBUTE}}),Object.defineProperty(t,"setPortalAttribute",{enumerable:!0,get:function(){return n.setPortalAttribute}})},70635:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.setSSR=t._isSSR=void 0,t._isSSR=!1,t.setSSR=function(e){throw new Error("setSSR has been deprecated and is not used in any utilities anymore. Use canUseDOM from @fluentui/utilities instead.")}},80128:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.setVirtualParent=void 0;var n=o(35183);Object.defineProperty(t,"setVirtualParent",{enumerable:!0,get:function(){return n.setVirtualParent}})},8215:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.extendComponent=void 0;var n=o(40914);t.extendComponent=function(e,t){for(var o in t)t.hasOwnProperty(o)&&(e[o]=(0,n.appendFunction)(e,e[o],t[o]))}},65044:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getElementIndexPath=t.getFocusableByIndexPath=t.focusAsync=t.shouldWrapFocus=t.doesElementContainFocus=t.isElementFocusSubZone=t.isElementFocusZone=t.isElementTabbable=t.isElementVisibleAndNotHidden=t.isElementVisible=t.getNextElement=t.getPreviousElement=t.focusFirstChild=t.getLastTabbable=t.getFirstTabbable=t.getLastFocusable=t.getFirstFocusable=void 0;var n=o(22480),r=o(87178),i=o(5203),a=o(5639),s=o(52902),l="data-is-focusable",c="data-is-visible",u="data-focuszone-id",d="data-is-sub-focuszone";function p(e,t,o,n,r,i,a,s,l){var c;if(!t||!a&&t===e)return null;var u=g(t);if(r&&u&&(i||!v(t)&&!b(t))){var d=p(e,t.lastElementChild||l&&(null===(c=t.shadowRoot)||void 0===c?void 0:c.lastElementChild),!0,!0,!0,i,a,s,l);if(d){if(s&&f(d,!0,l)||!s)return d;var m=p(e,d.previousElementSibling,!0,!0,!0,i,a,s,l);if(m)return m;for(var h=d.parentElement;h&&h!==t;){var y=p(e,h.previousElementSibling,!0,!0,!0,i,a,s,l);if(y)return y;h=h.parentElement}}}return o&&u&&f(t,s,l)?t:p(e,t.previousElementSibling,!0,!0,!0,i,a,s,l)||(n?null:p(e,t.parentElement,!0,!1,!1,i,a,s,l))}function m(e,t,o,n,r,i,a,s,l,c){var u;if(!t||t===e&&r&&!a)return null;var d=(l?h:g)(t);if(o&&d&&f(t,s,c))return t;if(!r&&d&&(i||!v(t)&&!b(t))){var p=m(e,t.firstElementChild||c&&(null===(u=t.shadowRoot)||void 0===u?void 0:u.firstElementChild),!0,!0,!1,i,a,s,l,c);if(p)return p}return t===e?null:m(e,t.nextElementSibling,!0,!0,!1,i,a,s,l,c)||(n?null:m(e,t.parentElement,!1,!1,!0,i,a,s,l,c))}function g(e){if(!e||!e.getAttribute)return!1;var t=e.getAttribute(c);return null!=t?"true"===t:0!==e.offsetHeight||null!==e.offsetParent||!0===e.isVisible}function h(e,t){var o=null!=t?t:(0,a.getWindow)();return!!e&&g(e)&&!e.hidden&&"hidden"!==o.getComputedStyle(e).visibility}function f(e,t,o){if(void 0===o&&(o=!0),!e||e.disabled)return!1;var n=0,r=null;e&&e.getAttribute&&(r=e.getAttribute("tabIndex"))&&(n=parseInt(r,10));var i=e.getAttribute?e.getAttribute(l):null,a=null!==r&&n>=0,s=!(!o||!e.shadowRoot||!e.shadowRoot.delegatesFocus),c=!!e&&"false"!==i&&("A"===e.tagName||"BUTTON"===e.tagName||"INPUT"===e.tagName||"TEXTAREA"===e.tagName||"SELECT"===e.tagName||"true"===i||a||s);return t?-1!==n&&c:c}function v(e){return!!(e&&e.getAttribute&&e.getAttribute(u))}function b(e){return!(!e||!e.getAttribute||"true"!==e.getAttribute(d))}t.getFirstFocusable=function(e,t,o,n){return m(e,t,!0,!1,!1,o,void 0,void 0,void 0,n)},t.getLastFocusable=function(e,t,o,n){return p(e,t,!0,!1,!0,o,void 0,void 0,n)},t.getFirstTabbable=function(e,t,o,n,r){return void 0===n&&(n=!0),m(e,t,n,!1,!1,o,!1,!0,void 0,r)},t.getLastTabbable=function(e,t,o,n,r){return void 0===n&&(n=!0),p(e,t,n,!1,!0,o,!1,!0,r)},t.focusFirstChild=function(e,t,o){var n=m(e,e,!0,!1,!1,!0,void 0,void 0,t,o);return!!n&&(_(n),!0)},t.getPreviousElement=p,t.getNextElement=m,t.isElementVisible=g,t.isElementVisibleAndNotHidden=h,t.isElementTabbable=f,t.isElementFocusZone=v,t.isElementFocusSubZone=b,t.doesElementContainFocus=function(e){var t=(0,s.getDocument)(e),o=t&&t.activeElement;return!(!o||!(0,r.elementContains)(e,o))},t.shouldWrapFocus=function(e,t,o){var r=null!=o?o:(0,s.getDocument)();return"true"!==(0,n.elementContainsAttribute)(e,t,r)};var y=void 0;function _(e){if(e){var t=(0,a.getWindow)(e);t&&(void 0!==y&&t.cancelAnimationFrame(y),y=t.requestAnimationFrame((function(){e&&e.focus(),y=void 0})))}}t.focusAsync=_,t.getFocusableByIndexPath=function(e,t){for(var o=e,n=0,r=t;n{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.resetIds=t.getId=void 0;var n=o(5639),r=o(15241),i="__currentId__",a=(0,n.getWindow)()||{};void 0===a[i]&&(a[i]=0);var s=!1;function l(e){void 0===e&&(e=0),a[i]=e}t.getId=function(e){if(!s){var t=r.Stylesheet.getInstance();t&&t.onReset&&t.onReset(l),s=!0}return(void 0===e?"id__":e)+a[i]++},t.resetIds=l},30369:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getNativeElementProps=void 0;var n=o(61167),r={label:n.labelProperties,audio:n.audioProperties,video:n.videoProperties,ol:n.olProperties,li:n.liProperties,a:n.anchorProperties,button:n.buttonProperties,input:n.inputProperties,textarea:n.textAreaProperties,select:n.selectProperties,option:n.optionProperties,table:n.tableProperties,tr:n.trProperties,th:n.thProperties,td:n.tdProperties,colGroup:n.colGroupProperties,col:n.colProperties,form:n.formProperties,iframe:n.iframeProperties,img:n.imgProperties};t.getNativeElementProps=function(e,t,o){var i=e&&r[e]||n.htmlElementProperties;return(0,n.getNativeProps)(t,i,o)}},34338:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getPropsWithDefaults=void 0;var n=o(31635);t.getPropsWithDefaults=function(e,t){for(var o=n.__assign({},t),r=0,i=Object.keys(e);r{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.unhoistMethods=t.hoistMethods=void 0;var o=["setState","render","componentWillMount","UNSAFE_componentWillMount","componentDidMount","componentWillReceiveProps","UNSAFE_componentWillReceiveProps","shouldComponentUpdate","componentWillUpdate","getSnapshotBeforeUpdate","UNSAFE_componentWillUpdate","componentDidUpdate","componentWillUnmount"];t.hoistMethods=function(e,t,n){void 0===n&&(n=o);var r=[],i=function(o){"function"!=typeof t[o]||void 0!==e[o]||n&&-1!==n.indexOf(o)||(r.push(o),e[o]=function(){for(var e=[],n=0;n{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.hoistStatics=void 0,t.hoistStatics=function(e,t){for(var o in e)e.hasOwnProperty(o)&&(t[o]=e[o]);return t}},20648:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.isIE11=void 0;var n=o(5639);t.isIE11=function(){var e,t=(0,n.getWindow)();return!!(null===(e=null==t?void 0:t.navigator)||void 0===e?void 0:e.userAgent)&&t.navigator.userAgent.indexOf("rv:11.0")>-1}},52332:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.on=t.isVirtualElement=t.getWindow=t.getVirtualParent=t.getRect=t.getParent=t.getFirstVisibleElementFromSelector=t.getEventTarget=t.getDocument=t.getChildren=t.getActiveElement=t.findElementRecursive=t.elementContainsAttribute=t.elementContains=t.DATA_PORTAL_ATTRIBUTE=t.mergeSettings=t.mergeScopedSettings=t.mergeCustomizations=t.useCustomizationSettings=t.customizable=t.CustomizerContext=t.Customizer=t.Customizations=t.css=t.isControlled=t.composeComponentAs=t.classNamesFunction=t.assertNever=t.asAsync=t.toMatrix=t.replaceElement=t.removeIndex=t.flatten=t.findIndex=t.find=t.createArray=t.arraysEqual=t.addElementAtIndex=t.mergeAriaAttributeValues=t.appendFunction=t.Rectangle=t.KeyCodes=t.GlobalSettings=t.FabricPerformance=t.EventGroup=t.DelayedRender=t.nullRender=t.BaseComponent=t.AutoScroll=t.Async=void 0,t.merge=t.setMemoizeWeakMap=t.resetMemoizations=t.memoizeFunction=t.memoize=t.createMemoizer=t.precisionRound=t.getDistanceBetweenPoints=t.fitContentToBounds=t.calculatePrecision=t.setLanguage=t.getLanguage=t.removeDirectionalKeyCode=t.isDirectionalKeyCode=t.addDirectionalKeyCode=t.getInitials=t.useFocusRects=t.FocusRectsContext=t.FocusRects=t.FocusRectsProvider=t.initializeFocusRects=t.initializeComponentRef=t.hoistStatics=t.unhoistMethods=t.hoistMethods=t.getNativeElementProps=t.resetIds=t.getId=t.shouldWrapFocus=t.isElementVisibleAndNotHidden=t.isElementVisible=t.isElementTabbable=t.isElementFocusZone=t.isElementFocusSubZone=t.getPreviousElement=t.getNextElement=t.getLastTabbable=t.getLastFocusable=t.getFocusableByIndexPath=t.getFirstTabbable=t.getFirstFocusable=t.getElementIndexPath=t.focusFirstChild=t.focusAsync=t.doesElementContainFocus=t.extendComponent=t.setVirtualParent=t.setPortalAttribute=t.raiseClick=t.portalContainsElement=void 0,t.disableBodyScroll=t.allowScrollOnElement=t.allowOverscrollOnElement=t.DATA_IS_SCROLLABLE_ATTRIBUTE=t.safeSetTimeout=t.safeRequestAnimationFrame=t.setRTL=t.getRTLSafeKeyCode=t.getRTL=t.setBaseUrl=t.getResourceUrl=t.composeRenderFunction=t.videoProperties=t.trProperties=t.thProperties=t.textAreaProperties=t.tdProperties=t.tableProperties=t.selectProperties=t.optionProperties=t.olProperties=t.liProperties=t.labelProperties=t.inputProperties=t.imgProperties=t.imageProperties=t.iframeProperties=t.htmlElementProperties=t.getNativeProps=t.formProperties=t.divProperties=t.colProperties=t.colGroupProperties=t.buttonProperties=t.baseElementProperties=t.baseElementEvents=t.audioProperties=t.anchorProperties=t.hasVerticalOverflow=t.hasOverflow=t.hasHorizontalOverflow=t.isMac=t.omit=t.values=t.shallowCompare=t.mapEnumByName=t.filteredAssign=t.assign=t.modalize=t.isIOS=void 0,t.useStyled=t.useShadowConfig=t.useMergeStylesShadowRootContext=t.useMergeStylesRootStylesheets=t.useMergeStylesHooks=t.useHasMergeStylesShadowRootContext=t.useAdoptedStylesheetEx=t.useAdoptedStylesheet=t.MergeStylesShadowRootProvider=t.MergeStylesShadowRootContext=t.MergeStylesRootProvider=t.useIsomorphicLayoutEffect=t.createMergedRef=t.setSSR=t.canUseDOM=t.IsFocusVisibleClassName=t.setFocusVisibility=t.getPropsWithDefaults=t.isIE11=t.warnMutuallyExclusive=t.warnDeprecations=t.warnControlledUsage=t.warnConditionallyRequiredProps=t.warn=t.setWarningCallback=t.resetControlledWarnings=t.styled=t.format=t.SelectionMode=t.SelectionDirection=t.Selection=t.SELECTION_ITEMS_CHANGE=t.SELECTION_CHANGE=t.getScrollbarWidth=t.findScrollableParent=t.enableBodyScroll=void 0;var n=o(99480);Object.defineProperty(t,"Async",{enumerable:!0,get:function(){return n.Async}});var r=o(79824);Object.defineProperty(t,"AutoScroll",{enumerable:!0,get:function(){return r.AutoScroll}});var i=o(62704);Object.defineProperty(t,"BaseComponent",{enumerable:!0,get:function(){return i.BaseComponent}}),Object.defineProperty(t,"nullRender",{enumerable:!0,get:function(){return i.nullRender}});var a=o(22118);Object.defineProperty(t,"DelayedRender",{enumerable:!0,get:function(){return a.DelayedRender}});var s=o(49053);Object.defineProperty(t,"EventGroup",{enumerable:!0,get:function(){return s.EventGroup}});var l=o(21977);Object.defineProperty(t,"FabricPerformance",{enumerable:!0,get:function(){return l.FabricPerformance}});var c=o(47324);Object.defineProperty(t,"GlobalSettings",{enumerable:!0,get:function(){return c.GlobalSettings}});var u=o(37541);Object.defineProperty(t,"KeyCodes",{enumerable:!0,get:function(){return u.KeyCodes}});var d=o(60965);Object.defineProperty(t,"Rectangle",{enumerable:!0,get:function(){return d.Rectangle}});var p=o(40914);Object.defineProperty(t,"appendFunction",{enumerable:!0,get:function(){return p.appendFunction}});var m=o(54387);Object.defineProperty(t,"mergeAriaAttributeValues",{enumerable:!0,get:function(){return m.mergeAriaAttributeValues}});var g=o(21661);Object.defineProperty(t,"addElementAtIndex",{enumerable:!0,get:function(){return g.addElementAtIndex}}),Object.defineProperty(t,"arraysEqual",{enumerable:!0,get:function(){return g.arraysEqual}}),Object.defineProperty(t,"createArray",{enumerable:!0,get:function(){return g.createArray}}),Object.defineProperty(t,"find",{enumerable:!0,get:function(){return g.find}}),Object.defineProperty(t,"findIndex",{enumerable:!0,get:function(){return g.findIndex}}),Object.defineProperty(t,"flatten",{enumerable:!0,get:function(){return g.flatten}}),Object.defineProperty(t,"removeIndex",{enumerable:!0,get:function(){return g.removeIndex}}),Object.defineProperty(t,"replaceElement",{enumerable:!0,get:function(){return g.replaceElement}}),Object.defineProperty(t,"toMatrix",{enumerable:!0,get:function(){return g.toMatrix}});var h=o(93008);Object.defineProperty(t,"asAsync",{enumerable:!0,get:function(){return h.asAsync}});var f=o(27224);Object.defineProperty(t,"assertNever",{enumerable:!0,get:function(){return f.assertNever}});var v=o(90630);Object.defineProperty(t,"classNamesFunction",{enumerable:!0,get:function(){return v.classNamesFunction}});var b=o(14865);Object.defineProperty(t,"composeComponentAs",{enumerable:!0,get:function(){return b.composeComponentAs}});var y=o(50944);Object.defineProperty(t,"isControlled",{enumerable:!0,get:function(){return y.isControlled}});var _=o(11355);Object.defineProperty(t,"css",{enumerable:!0,get:function(){return _.css}});var S=o(40557);Object.defineProperty(t,"Customizations",{enumerable:!0,get:function(){return S.Customizations}});var C=o(61668);Object.defineProperty(t,"Customizer",{enumerable:!0,get:function(){return C.Customizer}});var x=o(38233);Object.defineProperty(t,"CustomizerContext",{enumerable:!0,get:function(){return x.CustomizerContext}});var P=o(47455);Object.defineProperty(t,"customizable",{enumerable:!0,get:function(){return P.customizable}});var k=o(40050);Object.defineProperty(t,"useCustomizationSettings",{enumerable:!0,get:function(){return k.useCustomizationSettings}});var I=o(17241);Object.defineProperty(t,"mergeCustomizations",{enumerable:!0,get:function(){return I.mergeCustomizations}});var w=o(41782);Object.defineProperty(t,"mergeScopedSettings",{enumerable:!0,get:function(){return w.mergeScopedSettings}}),Object.defineProperty(t,"mergeSettings",{enumerable:!0,get:function(){return w.mergeSettings}});var T=o(94588);Object.defineProperty(t,"DATA_PORTAL_ATTRIBUTE",{enumerable:!0,get:function(){return T.DATA_PORTAL_ATTRIBUTE}}),Object.defineProperty(t,"elementContains",{enumerable:!0,get:function(){return T.elementContains}}),Object.defineProperty(t,"elementContainsAttribute",{enumerable:!0,get:function(){return T.elementContainsAttribute}}),Object.defineProperty(t,"findElementRecursive",{enumerable:!0,get:function(){return T.findElementRecursive}}),Object.defineProperty(t,"getActiveElement",{enumerable:!0,get:function(){return T.getActiveElement}}),Object.defineProperty(t,"getChildren",{enumerable:!0,get:function(){return T.getChildren}}),Object.defineProperty(t,"getDocument",{enumerable:!0,get:function(){return T.getDocument}}),Object.defineProperty(t,"getEventTarget",{enumerable:!0,get:function(){return T.getEventTarget}}),Object.defineProperty(t,"getFirstVisibleElementFromSelector",{enumerable:!0,get:function(){return T.getFirstVisibleElementFromSelector}}),Object.defineProperty(t,"getParent",{enumerable:!0,get:function(){return T.getParent}}),Object.defineProperty(t,"getRect",{enumerable:!0,get:function(){return T.getRect}}),Object.defineProperty(t,"getVirtualParent",{enumerable:!0,get:function(){return T.getVirtualParent}}),Object.defineProperty(t,"getWindow",{enumerable:!0,get:function(){return T.getWindow}}),Object.defineProperty(t,"isVirtualElement",{enumerable:!0,get:function(){return T.isVirtualElement}}),Object.defineProperty(t,"on",{enumerable:!0,get:function(){return T.on}}),Object.defineProperty(t,"portalContainsElement",{enumerable:!0,get:function(){return T.portalContainsElement}}),Object.defineProperty(t,"raiseClick",{enumerable:!0,get:function(){return T.raiseClick}}),Object.defineProperty(t,"setPortalAttribute",{enumerable:!0,get:function(){return T.setPortalAttribute}}),Object.defineProperty(t,"setVirtualParent",{enumerable:!0,get:function(){return T.setVirtualParent}});var E=o(8215);Object.defineProperty(t,"extendComponent",{enumerable:!0,get:function(){return E.extendComponent}});var D=o(65044);Object.defineProperty(t,"doesElementContainFocus",{enumerable:!0,get:function(){return D.doesElementContainFocus}}),Object.defineProperty(t,"focusAsync",{enumerable:!0,get:function(){return D.focusAsync}}),Object.defineProperty(t,"focusFirstChild",{enumerable:!0,get:function(){return D.focusFirstChild}}),Object.defineProperty(t,"getElementIndexPath",{enumerable:!0,get:function(){return D.getElementIndexPath}}),Object.defineProperty(t,"getFirstFocusable",{enumerable:!0,get:function(){return D.getFirstFocusable}}),Object.defineProperty(t,"getFirstTabbable",{enumerable:!0,get:function(){return D.getFirstTabbable}}),Object.defineProperty(t,"getFocusableByIndexPath",{enumerable:!0,get:function(){return D.getFocusableByIndexPath}}),Object.defineProperty(t,"getLastFocusable",{enumerable:!0,get:function(){return D.getLastFocusable}}),Object.defineProperty(t,"getLastTabbable",{enumerable:!0,get:function(){return D.getLastTabbable}}),Object.defineProperty(t,"getNextElement",{enumerable:!0,get:function(){return D.getNextElement}}),Object.defineProperty(t,"getPreviousElement",{enumerable:!0,get:function(){return D.getPreviousElement}}),Object.defineProperty(t,"isElementFocusSubZone",{enumerable:!0,get:function(){return D.isElementFocusSubZone}}),Object.defineProperty(t,"isElementFocusZone",{enumerable:!0,get:function(){return D.isElementFocusZone}}),Object.defineProperty(t,"isElementTabbable",{enumerable:!0,get:function(){return D.isElementTabbable}}),Object.defineProperty(t,"isElementVisible",{enumerable:!0,get:function(){return D.isElementVisible}}),Object.defineProperty(t,"isElementVisibleAndNotHidden",{enumerable:!0,get:function(){return D.isElementVisibleAndNotHidden}}),Object.defineProperty(t,"shouldWrapFocus",{enumerable:!0,get:function(){return D.shouldWrapFocus}});var M=o(50729);Object.defineProperty(t,"getId",{enumerable:!0,get:function(){return M.getId}}),Object.defineProperty(t,"resetIds",{enumerable:!0,get:function(){return M.resetIds}});var O=o(30369);Object.defineProperty(t,"getNativeElementProps",{enumerable:!0,get:function(){return O.getNativeElementProps}});var R=o(14863);Object.defineProperty(t,"hoistMethods",{enumerable:!0,get:function(){return R.hoistMethods}}),Object.defineProperty(t,"unhoistMethods",{enumerable:!0,get:function(){return R.unhoistMethods}});var F=o(91780);Object.defineProperty(t,"hoistStatics",{enumerable:!0,get:function(){return F.hoistStatics}});var B=o(82032);Object.defineProperty(t,"initializeComponentRef",{enumerable:!0,get:function(){return B.initializeComponentRef}});var A=o(88423);Object.defineProperty(t,"initializeFocusRects",{enumerable:!0,get:function(){return A.initializeFocusRects}});var N=o(90120);Object.defineProperty(t,"FocusRectsProvider",{enumerable:!0,get:function(){return N.FocusRectsProvider}});var L=o(5020);Object.defineProperty(t,"FocusRects",{enumerable:!0,get:function(){return L.FocusRects}}),Object.defineProperty(t,"FocusRectsContext",{enumerable:!0,get:function(){return L.FocusRectsContext}}),Object.defineProperty(t,"useFocusRects",{enumerable:!0,get:function(){return L.useFocusRects}});var H=o(27115);Object.defineProperty(t,"getInitials",{enumerable:!0,get:function(){return H.getInitials}});var j=o(48967);Object.defineProperty(t,"addDirectionalKeyCode",{enumerable:!0,get:function(){return j.addDirectionalKeyCode}}),Object.defineProperty(t,"isDirectionalKeyCode",{enumerable:!0,get:function(){return j.isDirectionalKeyCode}}),Object.defineProperty(t,"removeDirectionalKeyCode",{enumerable:!0,get:function(){return j.removeDirectionalKeyCode}});var z=o(28348);Object.defineProperty(t,"getLanguage",{enumerable:!0,get:function(){return z.getLanguage}}),Object.defineProperty(t,"setLanguage",{enumerable:!0,get:function(){return z.setLanguage}});var W=o(17144);Object.defineProperty(t,"calculatePrecision",{enumerable:!0,get:function(){return W.calculatePrecision}}),Object.defineProperty(t,"fitContentToBounds",{enumerable:!0,get:function(){return W.fitContentToBounds}}),Object.defineProperty(t,"getDistanceBetweenPoints",{enumerable:!0,get:function(){return W.getDistanceBetweenPoints}}),Object.defineProperty(t,"precisionRound",{enumerable:!0,get:function(){return W.precisionRound}});var V=o(58444);Object.defineProperty(t,"createMemoizer",{enumerable:!0,get:function(){return V.createMemoizer}}),Object.defineProperty(t,"memoize",{enumerable:!0,get:function(){return V.memoize}}),Object.defineProperty(t,"memoizeFunction",{enumerable:!0,get:function(){return V.memoizeFunction}}),Object.defineProperty(t,"resetMemoizations",{enumerable:!0,get:function(){return V.resetMemoizations}}),Object.defineProperty(t,"setMemoizeWeakMap",{enumerable:!0,get:function(){return V.setMemoizeWeakMap}});var K=o(29264);Object.defineProperty(t,"merge",{enumerable:!0,get:function(){return K.merge}});var G=o(55578);Object.defineProperty(t,"isIOS",{enumerable:!0,get:function(){return G.isIOS}});var U=o(55843);Object.defineProperty(t,"modalize",{enumerable:!0,get:function(){return U.modalize}});var Y=o(49449);Object.defineProperty(t,"assign",{enumerable:!0,get:function(){return Y.assign}}),Object.defineProperty(t,"filteredAssign",{enumerable:!0,get:function(){return Y.filteredAssign}}),Object.defineProperty(t,"mapEnumByName",{enumerable:!0,get:function(){return Y.mapEnumByName}}),Object.defineProperty(t,"shallowCompare",{enumerable:!0,get:function(){return Y.shallowCompare}}),Object.defineProperty(t,"values",{enumerable:!0,get:function(){return Y.values}}),Object.defineProperty(t,"omit",{enumerable:!0,get:function(){return Y.omit}});var q=o(94842);Object.defineProperty(t,"isMac",{enumerable:!0,get:function(){return q.isMac}});var X=o(54220);Object.defineProperty(t,"hasHorizontalOverflow",{enumerable:!0,get:function(){return X.hasHorizontalOverflow}}),Object.defineProperty(t,"hasOverflow",{enumerable:!0,get:function(){return X.hasOverflow}}),Object.defineProperty(t,"hasVerticalOverflow",{enumerable:!0,get:function(){return X.hasVerticalOverflow}});var Z=o(61167);Object.defineProperty(t,"anchorProperties",{enumerable:!0,get:function(){return Z.anchorProperties}}),Object.defineProperty(t,"audioProperties",{enumerable:!0,get:function(){return Z.audioProperties}}),Object.defineProperty(t,"baseElementEvents",{enumerable:!0,get:function(){return Z.baseElementEvents}}),Object.defineProperty(t,"baseElementProperties",{enumerable:!0,get:function(){return Z.baseElementProperties}}),Object.defineProperty(t,"buttonProperties",{enumerable:!0,get:function(){return Z.buttonProperties}}),Object.defineProperty(t,"colGroupProperties",{enumerable:!0,get:function(){return Z.colGroupProperties}}),Object.defineProperty(t,"colProperties",{enumerable:!0,get:function(){return Z.colProperties}}),Object.defineProperty(t,"divProperties",{enumerable:!0,get:function(){return Z.divProperties}}),Object.defineProperty(t,"formProperties",{enumerable:!0,get:function(){return Z.formProperties}}),Object.defineProperty(t,"getNativeProps",{enumerable:!0,get:function(){return Z.getNativeProps}}),Object.defineProperty(t,"htmlElementProperties",{enumerable:!0,get:function(){return Z.htmlElementProperties}}),Object.defineProperty(t,"iframeProperties",{enumerable:!0,get:function(){return Z.iframeProperties}}),Object.defineProperty(t,"imageProperties",{enumerable:!0,get:function(){return Z.imageProperties}}),Object.defineProperty(t,"imgProperties",{enumerable:!0,get:function(){return Z.imgProperties}}),Object.defineProperty(t,"inputProperties",{enumerable:!0,get:function(){return Z.inputProperties}}),Object.defineProperty(t,"labelProperties",{enumerable:!0,get:function(){return Z.labelProperties}}),Object.defineProperty(t,"liProperties",{enumerable:!0,get:function(){return Z.liProperties}}),Object.defineProperty(t,"olProperties",{enumerable:!0,get:function(){return Z.olProperties}}),Object.defineProperty(t,"optionProperties",{enumerable:!0,get:function(){return Z.optionProperties}}),Object.defineProperty(t,"selectProperties",{enumerable:!0,get:function(){return Z.selectProperties}}),Object.defineProperty(t,"tableProperties",{enumerable:!0,get:function(){return Z.tableProperties}}),Object.defineProperty(t,"tdProperties",{enumerable:!0,get:function(){return Z.tdProperties}}),Object.defineProperty(t,"textAreaProperties",{enumerable:!0,get:function(){return Z.textAreaProperties}}),Object.defineProperty(t,"thProperties",{enumerable:!0,get:function(){return Z.thProperties}}),Object.defineProperty(t,"trProperties",{enumerable:!0,get:function(){return Z.trProperties}}),Object.defineProperty(t,"videoProperties",{enumerable:!0,get:function(){return Z.videoProperties}});var Q=o(12489);Object.defineProperty(t,"composeRenderFunction",{enumerable:!0,get:function(){return Q.composeRenderFunction}});var J=o(15937);Object.defineProperty(t,"getResourceUrl",{enumerable:!0,get:function(){return J.getResourceUrl}}),Object.defineProperty(t,"setBaseUrl",{enumerable:!0,get:function(){return J.setBaseUrl}});var $=o(36154);Object.defineProperty(t,"getRTL",{enumerable:!0,get:function(){return $.getRTL}}),Object.defineProperty(t,"getRTLSafeKeyCode",{enumerable:!0,get:function(){return $.getRTLSafeKeyCode}}),Object.defineProperty(t,"setRTL",{enumerable:!0,get:function(){return $.setRTL}});var ee=o(11937);Object.defineProperty(t,"safeRequestAnimationFrame",{enumerable:!0,get:function(){return ee.safeRequestAnimationFrame}});var te=o(23756);Object.defineProperty(t,"safeSetTimeout",{enumerable:!0,get:function(){return te.safeSetTimeout}});var oe=o(80447);Object.defineProperty(t,"DATA_IS_SCROLLABLE_ATTRIBUTE",{enumerable:!0,get:function(){return oe.DATA_IS_SCROLLABLE_ATTRIBUTE}}),Object.defineProperty(t,"allowOverscrollOnElement",{enumerable:!0,get:function(){return oe.allowOverscrollOnElement}}),Object.defineProperty(t,"allowScrollOnElement",{enumerable:!0,get:function(){return oe.allowScrollOnElement}}),Object.defineProperty(t,"disableBodyScroll",{enumerable:!0,get:function(){return oe.disableBodyScroll}}),Object.defineProperty(t,"enableBodyScroll",{enumerable:!0,get:function(){return oe.enableBodyScroll}}),Object.defineProperty(t,"findScrollableParent",{enumerable:!0,get:function(){return oe.findScrollableParent}}),Object.defineProperty(t,"getScrollbarWidth",{enumerable:!0,get:function(){return oe.getScrollbarWidth}});var ne=o(27745);Object.defineProperty(t,"SELECTION_CHANGE",{enumerable:!0,get:function(){return ne.SELECTION_CHANGE}}),Object.defineProperty(t,"SELECTION_ITEMS_CHANGE",{enumerable:!0,get:function(){return ne.SELECTION_ITEMS_CHANGE}}),Object.defineProperty(t,"Selection",{enumerable:!0,get:function(){return ne.Selection}}),Object.defineProperty(t,"SelectionDirection",{enumerable:!0,get:function(){return ne.SelectionDirection}}),Object.defineProperty(t,"SelectionMode",{enumerable:!0,get:function(){return ne.SelectionMode}});var re=o(63123);Object.defineProperty(t,"format",{enumerable:!0,get:function(){return re.format}});var ie=o(22509);Object.defineProperty(t,"styled",{enumerable:!0,get:function(){return ie.styled}});var ae=o(69878);Object.defineProperty(t,"resetControlledWarnings",{enumerable:!0,get:function(){return ae.resetControlledWarnings}}),Object.defineProperty(t,"setWarningCallback",{enumerable:!0,get:function(){return ae.setWarningCallback}}),Object.defineProperty(t,"warn",{enumerable:!0,get:function(){return ae.warn}}),Object.defineProperty(t,"warnConditionallyRequiredProps",{enumerable:!0,get:function(){return ae.warnConditionallyRequiredProps}}),Object.defineProperty(t,"warnControlledUsage",{enumerable:!0,get:function(){return ae.warnControlledUsage}}),Object.defineProperty(t,"warnDeprecations",{enumerable:!0,get:function(){return ae.warnDeprecations}}),Object.defineProperty(t,"warnMutuallyExclusive",{enumerable:!0,get:function(){return ae.warnMutuallyExclusive}});var se=o(20648);Object.defineProperty(t,"isIE11",{enumerable:!0,get:function(){return se.isIE11}});var le=o(34338);Object.defineProperty(t,"getPropsWithDefaults",{enumerable:!0,get:function(){return le.getPropsWithDefaults}});var ce=o(81874);Object.defineProperty(t,"setFocusVisibility",{enumerable:!0,get:function(){return ce.setFocusVisibility}}),Object.defineProperty(t,"IsFocusVisibleClassName",{enumerable:!0,get:function(){return ce.IsFocusVisibleClassName}});var ue=o(51928);Object.defineProperty(t,"canUseDOM",{enumerable:!0,get:function(){return ue.canUseDOM}});var de=o(70635);Object.defineProperty(t,"setSSR",{enumerable:!0,get:function(){return de.setSSR}});var pe=o(78813);Object.defineProperty(t,"createMergedRef",{enumerable:!0,get:function(){return pe.createMergedRef}});var me=o(17653);Object.defineProperty(t,"useIsomorphicLayoutEffect",{enumerable:!0,get:function(){return me.useIsomorphicLayoutEffect}}),o(24416);var ge=o(50343);Object.defineProperty(t,"MergeStylesRootProvider",{enumerable:!0,get:function(){return ge.MergeStylesRootProvider}}),Object.defineProperty(t,"MergeStylesShadowRootContext",{enumerable:!0,get:function(){return ge.MergeStylesShadowRootContext}}),Object.defineProperty(t,"MergeStylesShadowRootProvider",{enumerable:!0,get:function(){return ge.MergeStylesShadowRootProvider}}),Object.defineProperty(t,"useAdoptedStylesheet",{enumerable:!0,get:function(){return ge.useAdoptedStylesheet}}),Object.defineProperty(t,"useAdoptedStylesheetEx",{enumerable:!0,get:function(){return ge.useAdoptedStylesheetEx}}),Object.defineProperty(t,"useHasMergeStylesShadowRootContext",{enumerable:!0,get:function(){return ge.useHasMergeStylesShadowRootContext}}),Object.defineProperty(t,"useMergeStylesHooks",{enumerable:!0,get:function(){return ge.useMergeStylesHooks}}),Object.defineProperty(t,"useMergeStylesRootStylesheets",{enumerable:!0,get:function(){return ge.useMergeStylesRootStylesheets}}),Object.defineProperty(t,"useMergeStylesShadowRootContext",{enumerable:!0,get:function(){return ge.useMergeStylesShadowRootContext}}),Object.defineProperty(t,"useShadowConfig",{enumerable:!0,get:function(){return ge.useShadowConfig}}),Object.defineProperty(t,"useStyled",{enumerable:!0,get:function(){return ge.useStyled}})},82032:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.initializeComponentRef=void 0;var n=o(8215);function r(){s(this.props.componentRef,this)}function i(e){e.componentRef!==this.props.componentRef&&(s(e.componentRef,null),s(this.props.componentRef,this))}function a(){s(this.props.componentRef,null)}function s(e,t){e&&("object"==typeof e?e.current=t:"function"==typeof e&&e(t))}t.initializeComponentRef=function(e){(0,n.extendComponent)(e,{componentDidMount:r,componentDidUpdate:i,componentWillUnmount:a})}},88423:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.initializeFocusRects=void 0;var n=o(5639),r=o(48967),i=o(81874);function a(e){(0,i.setFocusVisibility)(!1,e.target)}function s(e){"mouse"!==e.pointerType&&(0,i.setFocusVisibility)(!1,e.target)}function l(e){(0,r.isDirectionalKeyCode)(e.which)&&(0,i.setFocusVisibility)(!0,e.target)}t.initializeFocusRects=function(e){var t,o=e||(0,n.getWindow)();o&&!0!==(null===(t=o.FabricConfig)||void 0===t?void 0:t.disableFocusRects)&&(o.__hasInitializeFocusRects__||(o.__hasInitializeFocusRects__=!0,o.addEventListener("mousedown",a,!0),o.addEventListener("pointerdown",s,!0),o.addEventListener("keydown",l,!0)))}},27115:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getInitials=void 0;var o=/[\(\[\{\<][^\)\]\}\>]*[\)\]\}\>]/g,n=/[\0-\u001F\!-/:-@\[-`\{-\u00BF\u0250-\u036F\uD800-\uFFFF]/g,r=/^\d+[\d\s]*(:?ext|x|)\s*\d+$/i,i=/\s+/g,a=/[\u0600-\u06FF\u0750-\u077F\u08A0-\u08FF\u1100-\u11FF\u3130-\u318F\uA960-\uA97F\uAC00-\uD7AF\uD7B0-\uD7FF\u3040-\u309F\u30A0-\u30FF\u3400-\u4DBF\u4E00-\u9FFF\uF900-\uFAFF]|[\uD840-\uD869][\uDC00-\uDED6]/;t.getInitials=function(e,t,s){return e?(e=function(e){return(e=(e=(e=e.replace(o,"")).replace(n,"")).replace(i," ")).trim()}(e),a.test(e)||!s&&r.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)):""}},48967:(e,t,o)=>{"use strict";var n;Object.defineProperty(t,"__esModule",{value:!0}),t.removeDirectionalKeyCode=t.addDirectionalKeyCode=t.isDirectionalKeyCode=void 0;var r=o(37541),i=((n={})[r.KeyCodes.up]=1,n[r.KeyCodes.down]=1,n[r.KeyCodes.left]=1,n[r.KeyCodes.right]=1,n[r.KeyCodes.home]=1,n[r.KeyCodes.end]=1,n[r.KeyCodes.tab]=1,n[r.KeyCodes.pageUp]=1,n[r.KeyCodes.pageDown]=1,n);t.isDirectionalKeyCode=function(e){return!!i[e]},t.addDirectionalKeyCode=function(e){i[e]=1},t.removeDirectionalKeyCode=function(e){delete i[e]}},28348:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.setLanguage=t.getLanguage=void 0;var n,r=o(52902),i=o(20494),a=o(22143),s="language";t.getLanguage=function(e){if(void 0===e&&(e="sessionStorage"),void 0===n){var t=(0,r.getDocument)(),o="localStorage"===e?i.getItem(s):"sessionStorage"===e?a.getItem(s):void 0;o&&(n=o),void 0===n&&t&&(n=t.documentElement.getAttribute("lang")),void 0===n&&(n="en")}return n},t.setLanguage=function(e,t){var o=(0,r.getDocument)();o&&o.documentElement.setAttribute("lang",e);var l=!0===t?"none":t||"sessionStorage";"localStorage"===l?i.setItem(s,e):"sessionStorage"===l&&a.setItem(s,e),n=e}},20494:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.setItem=t.getItem=void 0;var n=o(5639);t.getItem=function(e){var t=null;try{var o=(0,n.getWindow)();t=o?o.localStorage.getItem(e):null}catch(e){}return t},t.setItem=function(e,t){try{var o=(0,n.getWindow)();o&&o.localStorage.setItem(e,t)}catch(e){}}},17144:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.precisionRound=t.calculatePrecision=t.fitContentToBounds=t.getDistanceBetweenPoints=void 0,t.getDistanceBetweenPoints=function(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))},t.fitContentToBounds=function(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:l{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.createMemoizer=t.memoizeFunction=t.memoize=t.resetMemoizations=t.setMemoizeWeakMap=void 0;var n=o(15241),r=!1,i=0,a={empty:!0},s={},l="undefined"==typeof WeakMap?null:WeakMap;function c(){i++}function u(e,t,o){if(void 0===t&&(t=100),void 0===o&&(o=!1),!l)return e;if(!r){var u=n.Stylesheet.getInstance();u&&u.onReset&&n.Stylesheet.getInstance().onReset(c),r=!0}var p,m=0,g=i;return function(){for(var n=[],r=0;r0&&m>t)&&(p=d(),m=0,g=i),c=p;for(var u=0;u{"use strict";function o(e,t,n){for(var r in void 0===n&&(n=[]),n.push(t),t)if(t.hasOwnProperty(r)&&"__proto__"!==r&&"constructor"!==r&&"prototype"!==r){var i=t[r];if("object"!=typeof i||null===i||Array.isArray(i))e[r]=i;else{var a=n.indexOf(i)>-1;e[r]=a?i:o(e[r]||{},i,n)}}return n.pop(),e}Object.defineProperty(t,"__esModule",{value:!0}),t.merge=void 0,t.merge=function(e){for(var t=[],n=1;n{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.isIOS=void 0,t.isIOS=function(){return!!(window&&window.navigator&&window.navigator.userAgent)&&/iPad|iPhone|iPod/i.test(window.navigator.userAgent)}},55843:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.modalize=void 0;var n=o(52902),r=["TEMPLATE","STYLE","SCRIPT"];t.modalize=function(e){var t=(0,n.getDocument)(e);if(!t)return function(){};for(var o=[];e!==t.body&&e.parentElement;){for(var i=0,a=e.parentElement.children;i{"use strict";function o(e,t){for(var o=[],n=2;n{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.isMac=void 0;var n,r=o(5639);t.isMac=function(e){var t;if(void 0===n||e){var o=(0,r.getWindow)(),i=null===(t=null==o?void 0:o.navigator)||void 0===t?void 0:t.userAgent;n=!!i&&-1!==i.indexOf("Macintosh")}return!!n}},54220:(e,t)=>{"use strict";function o(e){return e.clientWidth{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getNativeProps=t.divProperties=t.imageProperties=t.imgProperties=t.iframeProperties=t.formProperties=t.colProperties=t.colGroupProperties=t.tdProperties=t.thProperties=t.trProperties=t.tableProperties=t.optionProperties=t.selectProperties=t.textAreaProperties=t.inputProperties=t.buttonProperties=t.anchorProperties=t.liProperties=t.olProperties=t.videoProperties=t.audioProperties=t.labelProperties=t.htmlElementProperties=t.baseElementProperties=t.baseElementEvents=void 0;var o=function(){for(var e=[],t=0;t=0||0===s.indexOf("data-")||0===s.indexOf("aria-"))||o&&-1!==(null==o?void 0:o.indexOf(s))||(r[s]=e[s])}return r}},12489:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.composeRenderFunction=void 0;var n=o(58444),r=(0,n.createMemoizer)((function(e){return(0,n.createMemoizer)((function(t){var o=(0,n.createMemoizer)((function(e){return function(o){return t(o,e)}}));return function(n,r){return e(n,r?o(r):t)}}))}));t.composeRenderFunction=function(e,t){return r(e)(t)}},15937:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.setBaseUrl=t.getResourceUrl=void 0;var o="";t.getResourceUrl=function(e){return o+e},t.setBaseUrl=function(e){o=e}},36154:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getRTLSafeKeyCode=t.setRTL=t.getRTL=void 0;var n,r=o(37541),i=o(52902),a=o(22143),s=o(15241),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.getItem)(l);null!==t&&u(n="1"===t);var o=(0,i.getDocument)();void 0===n&&o&&(n="rtl"===(o.body&&o.body.getAttribute("dir")||o.documentElement.getAttribute("dir")),(0,s.setRTL)(n))}return!!n}function u(e,t){void 0===t&&(t=!1);var o=(0,i.getDocument)();o&&o.documentElement.setAttribute("dir",e?"rtl":"ltr"),t&&(0,a.setItem)(l,e?"1":"0"),n=e,(0,s.setRTL)(n)}t.getRTL=c,t.setRTL=u,t.getRTLSafeKeyCode=function(e,t){return void 0===t&&(t={}),c(t)&&(e===r.KeyCodes.left?e=r.KeyCodes.right:e===r.KeyCodes.right&&(e=r.KeyCodes.left)),e}},11937:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.safeRequestAnimationFrame=void 0;var n=o(8215);t.safeRequestAnimationFrame=function(e){var t;return function(o){t||(t=new Set,(0,n.extendComponent)(e,{componentWillUnmount:function(){t.forEach((function(e){return cancelAnimationFrame(e)}))}}));var r=requestAnimationFrame((function(){t.delete(r),o()}));t.add(r)}}},23756:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.safeSetTimeout=void 0;var n=o(8215);t.safeSetTimeout=function(e){var t;return function(o,r){t||(t=new Set,(0,n.extendComponent)(e,{componentWillUnmount:function(){t.forEach((function(e){return clearTimeout(e)}))}}));var i=setTimeout((function(){t.delete(i),o()}),r);t.add(i)}}},80447:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.findScrollableParent=t.getScrollbarWidth=t.enableBodyScroll=t.disableBodyScroll=t.allowOverscrollOnElement=t.allowScrollOnElement=t.DATA_IS_SCROLLABLE_ATTRIBUTE=void 0;var n,r=o(52902),i=o(15241),a=o(5639),s=0,l=(0,i.mergeStyles)({overflow:"hidden !important"});t.DATA_IS_SCROLLABLE_ATTRIBUTE="data-is-scrollable",t.allowScrollOnElement=function(e,t){var o=(0,a.getWindow)(e);if(e&&o){var n=0,r=null,i=o.getComputedStyle(e);t.on(e,"touchstart",(function(e){1===e.targetTouches.length&&(n=e.targetTouches[0].clientY)}),{passive:!1}),t.on(e,"touchmove",(function(e){if(1===e.targetTouches.length&&(e.stopPropagation(),r)){var t=e.targetTouches[0].clientY-n,a=u(e.target);a&&r!==a&&(r=a,i=o.getComputedStyle(r));var s=r.scrollTop,l="column-reverse"===(null==i?void 0:i.flexDirection);0===s&&(l?t<0:t>0)&&e.preventDefault(),r.scrollHeight-Math.abs(Math.ceil(s))<=r.clientHeight&&(l?t>0:t<0)&&e.preventDefault()}}),{passive:!1}),r=e}},t.allowOverscrollOnElement=function(e,t){e&&t.on(e,"touchmove",(function(e){e.stopPropagation()}),{passive:!1})};var c=function(e){e.preventDefault()};function u(e){for(var o=e,n=(0,r.getDocument)(e);o&&o!==n.body;){if("true"===o.getAttribute(t.DATA_IS_SCROLLABLE_ATTRIBUTE))return o;o=o.parentElement}for(o=e;o&&o!==n.body;){if("false"!==o.getAttribute(t.DATA_IS_SCROLLABLE_ATTRIBUTE)){var i=getComputedStyle(o),s=i?i.getPropertyValue("overflow-y"):"";if(s&&("scroll"===s||"auto"===s))return o}o=o.parentElement}return o&&o!==n.body||(o=(0,a.getWindow)(e)),o}t.disableBodyScroll=function(){var e=(0,r.getDocument)();e&&e.body&&!s&&(e.body.classList.add(l),e.body.addEventListener("touchmove",c,{passive:!1,capture:!1})),s++},t.enableBodyScroll=function(){if(s>0){var e=(0,r.getDocument)();e&&e.body&&1===s&&(e.body.classList.remove(l),e.body.removeEventListener("touchmove",c)),s--}},t.getScrollbarWidth=function(e){if(void 0===n){var t=null!=e?e:(0,r.getDocument)(),o=t.createElement("div");o.style.setProperty("width","100px"),o.style.setProperty("height","100px"),o.style.setProperty("overflow","scroll"),o.style.setProperty("position","absolute"),o.style.setProperty("top","-9999px"),t.body.appendChild(o),n=o.offsetWidth-o.clientWidth,t.body.removeChild(o)}return n},t.findScrollableParent=u},22579:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Selection=void 0;var n=o(53524),r=o(49053),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.SelectionMode.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.SelectionMode.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.SelectionMode.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.setRangeSelected=function(e,t,o,r){if(this.mode!==n.SelectionMode.none&&(e=Math.min(Math.max(0,e),this._items.length-1),t=Math.min(Math.max(0,t),this._items.length-e),!(e<0||e>=this._items.length||0===t))){this.setChangeEvents(!1);for(var i=e,a=e+t-1,s=(this._anchoredIndex||0)>=a?i:a;i<=a;i++)this.setIndexSelected(i,o,!!r&&i===s);this.setChangeEvents(!0)}},e.prototype.selectToKey=function(e,t){this.selectToIndex(this._keyToIndexMap[e],t)},e.prototype.selectToRange=function(e,t,o){if(this.mode!==n.SelectionMode.none)if(this.mode!==n.SelectionMode.single){var r=this._anchoredIndex||0,i=Math.min(e,r),a=Math.max(e+t-1,r);for(this.setChangeEvents(!1),o&&this._setAllSelected(!1,!0);i<=a;i++)this.setIndexSelected(i,!0,!1);this.setChangeEvents(!0)}else 1===t&&this.setIndexSelected(e,!0,!0)},e.prototype.selectToIndex=function(e,t){if(this.mode!==n.SelectionMode.none)if(this.mode!==n.SelectionMode.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.SelectionMode.none){var o=this.isRangeSelected(e,t),r=e+t;if(!(this.mode===n.SelectionMode.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.EventGroup.raise(this,n.SELECTION_CHANGE),this._onSelectionChanged&&this._onSelectionChanged()):this._hasChanged=!0},e}();function a(e,t){var o=(e||{}).key;return void 0===o?"".concat(t):o}t.Selection=i},53524:(e,t)=>{"use strict";var o,n;Object.defineProperty(t,"__esModule",{value:!0}),t.SelectionDirection=t.SelectionMode=t.SELECTION_ITEMS_CHANGE=t.SELECTION_CHANGE=void 0,t.SELECTION_CHANGE="change",t.SELECTION_ITEMS_CHANGE="items-change",(n=t.SelectionMode||(t.SelectionMode={}))[n.none=0]="none",n[n.single=1]="single",n[n.multiple=2]="multiple",(o=t.SelectionDirection||(t.SelectionDirection={}))[o.horizontal=0]="horizontal",o[o.vertical=1]="vertical"},27745:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Selection=t.SelectionMode=t.SelectionDirection=t.SELECTION_ITEMS_CHANGE=t.SELECTION_CHANGE=void 0;var n=o(53524);Object.defineProperty(t,"SELECTION_CHANGE",{enumerable:!0,get:function(){return n.SELECTION_CHANGE}}),Object.defineProperty(t,"SELECTION_ITEMS_CHANGE",{enumerable:!0,get:function(){return n.SELECTION_ITEMS_CHANGE}}),Object.defineProperty(t,"SelectionDirection",{enumerable:!0,get:function(){return n.SelectionDirection}}),Object.defineProperty(t,"SelectionMode",{enumerable:!0,get:function(){return n.SelectionMode}});var r=o(22579);Object.defineProperty(t,"Selection",{enumerable:!0,get:function(){return r.Selection}})},22143:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.setItem=t.getItem=void 0;var n=o(5639);t.getItem=function(e){var t=null;try{var o=(0,n.getWindow)();t=o?o.sessionStorage.getItem(e):null}catch(e){}return t},t.setItem=function(e,t){var o;try{null===(o=(0,n.getWindow)())||void 0===o||o.sessionStorage.setItem(e,t)}catch(e){}}},81874:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.setFocusVisibility=t.IsFocusHiddenClassName=t.IsFocusVisibleClassName=void 0;var n=o(5639);function r(e,o){e&&(e.classList.add(o?t.IsFocusVisibleClassName:t.IsFocusHiddenClassName),e.classList.remove(o?t.IsFocusHiddenClassName:t.IsFocusVisibleClassName))}t.IsFocusVisibleClassName="ms-Fabric--isFocusVisible",t.IsFocusHiddenClassName="ms-Fabric--isFocusHidden",t.setFocusVisibility=function(e,t,o){var i;o?o.forEach((function(t){return r(t.current,e)})):r(null===(i=(0,n.getWindow)(t))||void 0===i?void 0:i.document.body,e)}},81339:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.MergeStylesRootProvider=t.MergeStylesRootContext=void 0;var n=o(31635),r=o(83923),i=o(15241),a=o(94588),s=o(94632),l=o(23265),c=o(93233),u=o(47292),d=o(28932),p=o(97156),m=function(){return!1},g=function(){};t.MergeStylesRootContext=r.createContext({stylesheets:new Map,useAdoptedStylesheetEx:m,useAdoptedStylesheet:m,useShadowConfig:function(){return i.DEFAULT_SHADOW_CONFIG},useMergeStylesShadowRootContext:g,useHasMergeStylesShadowRootContext:m,useMergeStylesRootStylesheets:function(){return new Map},useWindow:g,useStyled:g}),t.MergeStylesRootProvider=function(e){var o=e.stylesheets,m=e.window,g=e.useAdoptedStylesheet,h=e.useAdoptedStylesheetEx,f=e.useShadowConfig,v=e.useMergeStylesShadowRootContext,b=e.useHasMergeStylesShadowRootContext,y=e.useMergeStylesRootStylesheets,_=e.useWindow,S=e.useStyled,C=n.__rest(e,["stylesheets","window","useAdoptedStylesheet","useAdoptedStylesheetEx","useShadowConfig","useMergeStylesShadowRootContext","useHasMergeStylesShadowRootContext","useMergeStylesRootStylesheets","useWindow","useStyled"]),x=null!=m?m:(0,a.getWindow)(),P=r.useState((function(){return o||new Map})),k=P[0],I=P[1],w=r.useCallback((function(e){var t=e.key,o=e.sheet;I((function(e){var n=new Map(e);return n.set(t,o),n}))}),[]);r.useEffect((function(){I(o||new Map)}),[o]),r.useEffect((function(){if(x){var e=i.ShadowDomStylesheet.getInstance((0,i.makeShadowConfig)(i.GLOBAL_STYLESHEET_KEY,!1,x)).onAddSheet(w);return function(){e()}}}),[x,w]),r.useEffect((function(){if(x){var e=!1,t=new Map(k);i.ShadowDomStylesheet.getInstance((0,i.makeShadowConfig)(i.GLOBAL_STYLESHEET_KEY,!1,x)).getAdoptedSheets().forEach((function(o,n){t.set(n,o),e=!0})),e&&I(t)}}),[]);var T=r.useMemo((function(){return{stylesheets:k,useAdoptedStylesheet:g||s.useAdoptedStylesheet,useAdoptedStylesheetEx:h||s.useAdoptedStylesheetEx,useShadowConfig:f||l.useShadowConfig,useMergeStylesShadowRootContext:v||c.useMergeStylesShadowRootContext,useHasMergeStylesShadowRootContext:b||c.useHasMergeStylesShadowRootContext,useMergeStylesRootStylesheets:y||u.useMergeStylesRootStylesheets,useWindow:_||p.useWindow,useStyled:S||d.useStyled}}),[k,g,h,f,v,b,y,_,S]);return r.createElement(t.MergeStylesRootContext.Provider,n.__assign({value:T},C))}},20798:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.MergeStylesShadowRootConsumer=void 0;var n=o(15241),r=o(93053),i=o(93233);t.MergeStylesShadowRootConsumer=function(e){var t=e.stylesheetKey,o=e.children,a=(0,r.useMergeStylesHooks)(),s=a.useAdoptedStylesheetEx,l=a.useMergeStylesRootStylesheets,c=a.useWindow,u=(0,i.useMergeStylesShadowRootContext)(),d=l(),p=c();return s(n.GLOBAL_STYLESHEET_KEY,u,d,p),s(t,u,d,p),o(!!u)}},51999:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.MergeStylesShadowRootProvider=t.MergeStylesShadowRootContext=void 0;var n=o(31635),r=o(83923),i=o(15241),a=o(93053);t.MergeStylesShadowRootContext=r.createContext(void 0),t.MergeStylesShadowRootProvider=function(e){var o=e.shadowRoot,i=n.__rest(e,["shadowRoot"]),a=r.useMemo((function(){return{stylesheets:new Map,shadowRoot:o}}),[o]);return r.createElement(t.MergeStylesShadowRootContext.Provider,n.__assign({value:a},i),r.createElement(s,null),i.children)};var s=function(e){return(0,(0,a.useMergeStylesHooks)().useAdoptedStylesheet)(i.GLOBAL_STYLESHEET_KEY),null}},94632:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useAdoptedStylesheetEx=t.useAdoptedStylesheet=void 0;var n=o(31635),r=o(83923),i=o(15241),a=o(97156),s=o(47292),l=o(93233);t.useAdoptedStylesheet=function(e){var o=(0,l.useMergeStylesShadowRootContext)(),n=(0,s.useMergeStylesRootStylesheets)(),r=(0,a.useWindow)();return(0,t.useAdoptedStylesheetEx)(e,o,n,r)},t.useAdoptedStylesheetEx=function(e,t,o,n){var i=r.useRef({});if(r.useEffect((function(){if(t){var e=i.current;return i.current={},function(){Object.keys(e).forEach((function(t){e[t]()}))}}}),[n,e,t]),!t)return!1;if(t.shadowRoot&&!t.stylesheets.has(e)){var a=o.get(e);a&&(null==n?void 0:n.document)&&c(t,n.document,e,a,i.current)}return!0};var c=function(e,t,o,r,a){var s,l,c,u,d,p=e.shadowRoot;if(e.stylesheets.set(o,r),i.SUPPORTS_CONSTRUCTABLE_STYLESHEETS){for(var m=p.adoptedStyleSheets,g=m.length,h=0===g;g>=0&&!h;){var f=m[--g],v=null!==(l=null===(s=f.metadata)||void 0===s?void 0:s.sortOrder)&&void 0!==l?l:0,b=null!==(u=null===(c=r.metadata)||void 0===c?void 0:c.sortOrder)&&void 0!==u?u:0;"merge-styles"===f.bucketName&&v0?p.insertBefore(y,_[_.length-1].nextSibling):p.insertBefore(y,p.firstChild),y.sheet&&((0,i.cloneCSSStyleSheet)(r,y.sheet),!a[o])){var S=i.Stylesheet.getInstance((0,i.makeShadowConfig)(o,!0,null!==(d=t.defaultView)&&void 0!==d?d:void 0));a[o]=S.onInsertRule((function(t){var n=t.key,r=t.rule;n===o&&e&&r&&function(e,t,o){var n=e.shadowRoot.querySelector('[data-merge-styles-stylesheet-key="'.concat(t,'"]'));(null==n?void 0:n.sheet)&&n.sheet.insertRule(o)}(e,n,r)}))}}}},93053:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useMergeStylesHooks=void 0;var n=o(83923),r=o(81339);t.useMergeStylesHooks=function(){var e=n.useContext(r.MergeStylesRootContext);return{useAdoptedStylesheet:e.useAdoptedStylesheet,useAdoptedStylesheetEx:e.useAdoptedStylesheetEx,useShadowConfig:e.useShadowConfig,useMergeStylesShadowRootContext:e.useMergeStylesShadowRootContext,useHasMergeStylesShadowRootContext:e.useHasMergeStylesShadowRootContext,useMergeStylesRootStylesheets:e.useMergeStylesRootStylesheets,useWindow:e.useWindow,useStyled:e.useStyled}}},47292:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useMergeStylesRootStylesheets=void 0;var n=o(83923),r=o(81339);t.useMergeStylesRootStylesheets=function(){return n.useContext(r.MergeStylesRootContext).stylesheets}},93233:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useMergeStylesShadowRootContext=t.useHasMergeStylesShadowRootContext=void 0;var n=o(83923),r=o(51999);t.useHasMergeStylesShadowRootContext=function(){return!!(0,t.useMergeStylesShadowRootContext)()},t.useMergeStylesShadowRootContext=function(){return n.useContext(r.MergeStylesShadowRootContext)}},23265:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useShadowConfig=void 0;var n=o(83923),r=o(15241);t.useShadowConfig=function(e,t,o){return void 0===t&&(t=!1),n.useMemo((function(){return(0,r.makeShadowConfig)(e,t,o)}),[e,t,o])}},28932:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useStyled=void 0;var n=o(94588),r=o(93053);t.useStyled=function(e){void 0===e&&(e="__global__");var t=(0,r.useMergeStylesHooks)(),o=t.useAdoptedStylesheetEx,i=t.useShadowConfig,a=t.useMergeStylesShadowRootContext,s=t.useMergeStylesRootStylesheets,l=(0,t.useWindow)()||(0,n.getWindow)(),c=a(),u=!!c,d=s(),p=i(e,u,l);return o(e,c,d,l),p}},50343:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useStyled=t.useShadowConfig=t.useMergeStylesShadowRootContext=t.useHasMergeStylesShadowRootContext=t.useMergeStylesRootStylesheets=t.useMergeStylesHooks=t.useAdoptedStylesheetEx=t.useAdoptedStylesheet=t.MergeStylesShadowRootProvider=t.MergeStylesShadowRootContext=t.MergeStylesShadowRootConsumer=t.MergeStylesRootProvider=void 0;var n=o(81339);Object.defineProperty(t,"MergeStylesRootProvider",{enumerable:!0,get:function(){return n.MergeStylesRootProvider}});var r=o(20798);Object.defineProperty(t,"MergeStylesShadowRootConsumer",{enumerable:!0,get:function(){return r.MergeStylesShadowRootConsumer}});var i=o(51999);Object.defineProperty(t,"MergeStylesShadowRootContext",{enumerable:!0,get:function(){return i.MergeStylesShadowRootContext}}),Object.defineProperty(t,"MergeStylesShadowRootProvider",{enumerable:!0,get:function(){return i.MergeStylesShadowRootProvider}});var a=o(94632);Object.defineProperty(t,"useAdoptedStylesheet",{enumerable:!0,get:function(){return a.useAdoptedStylesheet}}),Object.defineProperty(t,"useAdoptedStylesheetEx",{enumerable:!0,get:function(){return a.useAdoptedStylesheetEx}});var s=o(93053);Object.defineProperty(t,"useMergeStylesHooks",{enumerable:!0,get:function(){return s.useMergeStylesHooks}});var l=o(47292);Object.defineProperty(t,"useMergeStylesRootStylesheets",{enumerable:!0,get:function(){return l.useMergeStylesRootStylesheets}});var c=o(93233);Object.defineProperty(t,"useHasMergeStylesShadowRootContext",{enumerable:!0,get:function(){return c.useHasMergeStylesShadowRootContext}}),Object.defineProperty(t,"useMergeStylesShadowRootContext",{enumerable:!0,get:function(){return c.useMergeStylesShadowRootContext}});var u=o(23265);Object.defineProperty(t,"useShadowConfig",{enumerable:!0,get:function(){return u.useShadowConfig}});var d=o(28932);Object.defineProperty(t,"useStyled",{enumerable:!0,get:function(){return d.useStyled}})},63123:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.format=void 0;var o=/[\{\}]/g,n=/\{\d+\}/g;t.format=function(e){for(var t=[],r=1;r{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.styled=void 0;var n=o(31635),r=o(83923),i=o(15241),a=o(50343),s=o(40050),l=["theme","styles"];t.styled=function(e,t,o,c,u){var d=(c=c||{scope:"",fields:void 0}).scope,p=c.fields,m=void 0===p?l:p,g=r.forwardRef((function(l,c){var u=r.useRef(),p=(0,s.useCustomizationSettings)(m,d),g=p.styles,h=(p.dir,n.__rest(p,["styles","dir"])),f=o?o(l):void 0,v=(0,a.useMergeStylesHooks)().useStyled,b=u.current&&u.current.__cachedInputs__||[],y=l.styles;if(!u.current||g!==b[1]||y!==b[2]){var _=function(e){return(0,i.concatStyleSetsWithProps)(e,t,g,y)};_.__cachedInputs__=[t,g,y],_.__noStyleOverride__=!g&&!y,u.current=_}return u.current.__shadowConfig__=v(d),r.createElement(e,n.__assign({ref:c},h,f,l,{styles:u.current}))}));g.displayName="Styled".concat(e.displayName||e.name);var h=u?r.memo(g):g;return g.displayName&&(h.displayName=g.displayName),h}},5020:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.FocusRects=t.useFocusRects=t.FocusRectsContext=void 0;var n=o(83923),r=o(5639),i=o(48967),a=o(81874),s=new WeakMap,l=new WeakMap;function c(e,t){var o,n=s.get(e);return o=n?n+t:1,s.set(e,o),o}function u(e){var t=l.get(e);return t||(t={onMouseDown:function(t){return p(t,e.registeredProviders)},onPointerDown:function(t){return m(t,e.registeredProviders)},onKeyDown:function(t){return g(t,e.registeredProviders)},onKeyUp:function(t){return h(t,e.registeredProviders)}},l.set(e,t),t)}function d(e){var o=n.useContext(t.FocusRectsContext);n.useEffect((function(){var t,n,i,a,s=(0,r.getWindow)(null==e?void 0:e.current);if(s&&!0!==(null===(t=s.FabricConfig)||void 0===t?void 0:t.disableFocusRects)){var l,d,f,v,b=s;if((null===(n=null==o?void 0:o.providerRef)||void 0===n?void 0:n.current)&&(null===(a=null===(i=null==o?void 0:o.providerRef)||void 0===i?void 0:i.current)||void 0===a?void 0:a.addEventListener)){b=o.providerRef.current;var y=u(o);l=y.onMouseDown,d=y.onPointerDown,f=y.onKeyDown,v=y.onKeyUp}else l=p,d=m,f=g,v=h;var _=c(b,1);return _<=1&&(b.addEventListener("mousedown",l,!0),b.addEventListener("pointerdown",d,!0),b.addEventListener("keydown",f,!0),b.addEventListener("keyup",v,!0)),function(){var e;s&&!0!==(null===(e=s.FabricConfig)||void 0===e?void 0:e.disableFocusRects)&&0===(_=c(b,-1))&&(b.removeEventListener("mousedown",l,!0),b.removeEventListener("pointerdown",d,!0),b.removeEventListener("keydown",f,!0),b.removeEventListener("keyup",v,!0))}}}),[o,e])}function p(e,t){(0,a.setFocusVisibility)(!1,e.target,t)}function m(e,t){"mouse"!==e.pointerType&&(0,a.setFocusVisibility)(!1,e.target,t)}function g(e,t){(0,i.isDirectionalKeyCode)(e.which)&&(0,a.setFocusVisibility)(!0,e.target,t)}function h(e,t){(0,i.isDirectionalKeyCode)(e.which)&&(0,a.setFocusVisibility)(!0,e.target,t)}t.FocusRectsContext=n.createContext(void 0),t.useFocusRects=d,t.FocusRects=function(e){return d(e.rootRef),null}},17653:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useIsomorphicLayoutEffect=void 0;var n=o(83923),r=o(51928);t.useIsomorphicLayoutEffect=(0,r.canUseDOM)()?n.useLayoutEffect:n.useEffect},24416:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),(0,o(37607).setVersion)("@fluentui/utilities","8.15.4")},69878:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.warnMutuallyExclusive=t.warnDeprecations=t.warnControlledUsage=t.resetControlledWarnings=t.warnConditionallyRequiredProps=t.warn=t.setWarningCallback=void 0;var n=o(69097);Object.defineProperty(t,"setWarningCallback",{enumerable:!0,get:function(){return n.setWarningCallback}}),Object.defineProperty(t,"warn",{enumerable:!0,get:function(){return n.warn}});var r=o(74297);Object.defineProperty(t,"warnConditionallyRequiredProps",{enumerable:!0,get:function(){return r.warnConditionallyRequiredProps}});var i=o(64080);Object.defineProperty(t,"resetControlledWarnings",{enumerable:!0,get:function(){return i.resetControlledWarnings}}),Object.defineProperty(t,"warnControlledUsage",{enumerable:!0,get:function(){return i.warnControlledUsage}});var a=o(37818);Object.defineProperty(t,"warnDeprecations",{enumerable:!0,get:function(){return a.warnDeprecations}});var s=o(46924);Object.defineProperty(t,"warnMutuallyExclusive",{enumerable:!0,get:function(){return s.warnMutuallyExclusive}})},69097:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.setWarningCallback=t.warn=void 0,t.warn=function(e){console&&console.warn&&console.warn(e)},t.setWarningCallback=function(e){}},74297:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.warnConditionallyRequiredProps=void 0,o(69097),t.warnConditionallyRequiredProps=function(e,t,o,n,r){}},64080:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.warnControlledUsage=t.resetControlledWarnings=void 0,o(69097),o(50944),t.resetControlledWarnings=function(){},t.warnControlledUsage=function(e){}},37818:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.warnDeprecations=void 0,o(69097),t.warnDeprecations=function(e,t,o){}},46924:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.warnMutuallyExclusive=void 0,o(69097),t.warnMutuallyExclusive=function(e,t,o){}},25853:(e,t,o)=>{"use strict";o.d(t,{h:()=>s});var n=o(39912),r="__globalSettings__",i="__callbacks__",a=0,s=function(){function e(){}return e.getValue=function(e,t){var o=l();return void 0===o[e]&&(o[e]="function"==typeof t?t():t),o[e]},e.setValue=function(e,t){var o=l(),n=o[i],r=o[e];if(t!==r){o[e]=t;var a={oldValue:r,value:t,key:e};for(var s in n)n.hasOwnProperty(s)&&n[s](a)}return t},e.addChangeListener=function(e){var t=e.__id__,o=c();t||(t=e.__id__=String(a++)),o[t]=e},e.removeChangeListener=function(e){delete c()[e.__id__]},e}();function l(){var e,t=(0,n.z)()||{};return t[r]||(t[r]=((e={})[i]={},e)),t[r]}function c(){return l()[i]}},89898:(e,t,o)=>{"use strict";o.d(t,{X:()=>l});var n=o(31635),r=o(25853),i={settings:{},scopedSettings:{},inCustomizerContext:!1},a=r.h.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.__assign)((0,n.__assign)({},a.settings),t),e._raiseChange()},e.applyScopedSettings=function(t,o){a.scopedSettings[t]=(0,n.__assign)((0,n.__assign)({},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";function n(){return"undefined"!=typeof window&&!(!window.document||!window.document.createElement)}o.d(t,{S:()=>n})},3545:(e,t,o)=>{"use strict";o.d(t,{Y:()=>r});var n=o(27667);function r(e){if((0,n.S)()&&"undefined"!=typeof document){var t=e;return t&&t.ownerDocument?t.ownerDocument:document}}},39912:(e,t,o)=>{"use strict";o.d(t,{z:()=>i});var n=o(27667),r=void 0;try{r=window}catch(e){}function i(e){if((0,n.S)()&&void 0!==r){var t=e;return t&&t.ownerDocument&&t.ownerDocument.defaultView?t.ownerDocument.defaultView:r}}},23987:(e,t,o)=>{"use strict";o.d(t,{J5:()=>d,J9:()=>u});var n=o(926),r=!1,i=0,a={empty:!0},s={},l="undefined"==typeof WeakMap?null:WeakMap;function c(){i++}function u(e,t,o){if(void 0===t&&(t=100),void 0===o&&(o=!1),!l)return e;if(!r){var u=n.nr.getInstance();u&&u.onReset&&n.nr.getInstance().onReset(c),r=!0}var d,m=0,g=i;return function(){for(var n=[],r=0;r0&&m>t)&&(d=p(),m=0,g=i),c=d;for(var u=0;u{"use strict";o.d(t,{G:()=>r,S:()=>i});var n=o(39912);function r(e){var t=null;try{var o=(0,n.z)();t=o?o.sessionStorage.getItem(e):null}catch(e){}return t}function i(e,t){var o;try{null===(o=(0,n.z)())||void 0===o||o.sessionStorage.setItem(e,t)}catch(e){}}},37523:(e,t,o)=>{"use strict";o.d(t,{Fy:()=>s,Y2:()=>r});var n=o(39912),r="ms-Fabric--isFocusVisible",i="ms-Fabric--isFocusHidden";function a(e,t){e&&(e.classList.add(t?r:i),e.classList.remove(t?i:r))}function s(e,t,o){var r;o?o.forEach((function(t){return a(t.current,e)})):a(null===(r=(0,n.z)(t))||void 0===r?void 0:r.document.body,e)}},68606:(e,t,o)=>{"use strict";function n(e){console&&console.warn&&console.warn(e)}o.d(t,{R:()=>n})},65715:(e,t,o)=>{"use strict";o.r(t),o.d(t,{clearStyles:()=>v,configureLoadStyles:()=>p,configureRunMode:()=>m,detokenize:()=>y,flush:()=>g,loadStyles:()=>d,loadTheme:()=>f,splitStyles:()=>S});var n,r=function(){return r=Object.assign||function(e){for(var t,o=1,n=arguments.length;o0&&h(t)}))}function h(e,t){s.loadStyles?s.loadStyles(_(e).styleString,e):function(e){if("undefined"!=typeof document){var t=document.getElementsByTagName("head")[0],o=document.createElement("style"),n=_(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 f(e){s.theme=e,function(){if(s.theme){for(var e=[],t=0,o=s.registeredThemableStyles;t0&&(v(1),h([].concat.apply([],e)))}}()}function v(e){void 0===e&&(e=3),3!==e&&2!==e||(b(s.registeredStyles),s.registeredStyles=[]),3!==e&&1!==e||(b(s.registeredThemableStyles),s.registeredThemableStyles=[])}function b(e){e.forEach((function(e){var t=e&&e.styleElement;t&&t.parentElement&&t.parentElement.removeChild(t)}))}function y(e){return e&&(e=_(S(e)).styleString),e}function _(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 "'.concat(n,'". Falling back to "').concat(i,'".')),r||i}return e.rawString})).join(""),themable:o}}function S(e){var t=[];if(e){for(var o=0,n=void 0;n=l.exec(e);){var r=n.index;r>o&&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}},76914:(e,t,o)=>{"use strict";o.r(t),o.d(t,{ActionButton:()=>Hp,Calendar:()=>Up,Checkbox:()=>Yp,ChoiceGroup:()=>qp,ColorPicker:()=>Xp,ComboBox:()=>Zp,CommandBarButton:()=>jp,CommandButton:()=>zp,CompoundButton:()=>Wp,DatePicker:()=>Qp,DefaultButton:()=>Vp,Dropdown:()=>Jp,IconButton:()=>Kp,NormalPeoplePicker:()=>$p,PrimaryButton:()=>Gp,Rating:()=>em,SearchBox:()=>tm,Slider:()=>om,SpinButton:()=>nm,SwatchColorPicker:()=>rm,TextField:()=>im,Toggle:()=>am});var n={};o.r(n),o.d(n,{actionButton:()=>hu,buttonSelected:()=>fu,closeButton:()=>pu,itemButton:()=>gu,root:()=>uu,suggestionsAvailable:()=>Su,suggestionsContainer:()=>bu,suggestionsItem:()=>du,suggestionsItemIsSuggested:()=>mu,suggestionsNone:()=>yu,suggestionsSpinner:()=>_u,suggestionsTitle:()=>vu});var r={};o.r(r),o.d(r,{inputDisabled:()=>Vu,inputFocused:()=>Wu,picker:()=>ju,pickerInput:()=>Ku,pickerItems:()=>Gu,pickerText:()=>zu,screenReaderOnly:()=>Uu});var i=o(31635),a=o(83923);function s(e,t,o){void 0===o&&(o=0);for(var n=-1,r=o;e&&r=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,g=t-p,v=!1;return null!==u&&(g>=u&&m?v=!0:a=Math.min(a,u-g)),r>=s||v||o?h(t):null!==m&&e||!c||(m=n.setTimeout(f,a)),i},v=function(){return!!m},b=function(){for(var e=[],t=0;t-1)for(var a=o.split(/[ ,]+/),s=0;s=0||0===s.indexOf("data-")||0===s.indexOf("aria-"))||o&&-1!==(null==o?void 0:o.indexOf(s))||(r[s]=e[s])}return r}function J(e,t,o){var n=e[o],r=t[o];(n||r)&&(e[o]=function(){for(var e,t=[],o=0;o1?e[1]:""}return this.__className},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"_disposables",{get:function(){return this.__disposables||(this.__disposables=[]),this.__disposables},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"_async",{get:function(){return this.__async||(this.__async=new I(this),this._disposables.push(this.__async)),this.__async},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"_events",{get:function(){return this.__events||(this.__events=new M(this),this._disposables.push(this.__events)),this.__events},enumerable:!1,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){this.className,this.props},t.prototype._warnMutuallyExclusive=function(e){this.className,this.props},t.prototype._warnConditionallyRequiredProps=function(e,t,o){this.className,this.props},t.prototype._setComponentRef=function(e,t){!this._skipComponentRefResolution&&e&&("function"==typeof e&&e(t),"object"==typeof e&&(e.current=t))}}(a.Component);var ee=((H={})[f.up]=1,H[f.down]=1,H[f.left]=1,H[f.right]=1,H[f.home]=1,H[f.end]=1,H[f.tab]=1,H[f.pageUp]=1,H[f.pageDown]=1,H);function te(e){return!!ee[e]}var oe=new WeakMap,ne=new WeakMap;function re(e,t){var o,n=oe.get(e);return o=n?n+t:1,oe.set(e,o),o}function ie(e){var t=ne.get(e);return t||(t={onMouseDown:function(t){return ce(t,e.registeredProviders)},onPointerDown:function(t){return ue(t,e.registeredProviders)},onKeyDown:function(t){return de(t,e.registeredProviders)},onKeyUp:function(t){return pe(t,e.registeredProviders)}},ne.set(e,t),t)}var ae=a.createContext(void 0);function se(e){var t=a.useContext(ae);a.useEffect((function(){var o,n,r,i,a=(0,k.z)(null==e?void 0:e.current);if(a&&!0!==(null===(o=a.FabricConfig)||void 0===o?void 0:o.disableFocusRects)){var s,l,c,u,d=a;if((null===(n=null==t?void 0:t.providerRef)||void 0===n?void 0:n.current)&&(null===(i=null===(r=null==t?void 0:t.providerRef)||void 0===r?void 0:r.current)||void 0===i?void 0:i.addEventListener)){d=t.providerRef.current;var p=ie(t);s=p.onMouseDown,l=p.onPointerDown,c=p.onKeyDown,u=p.onKeyUp}else s=ce,l=ue,c=de,u=pe;var m=re(d,1);return m<=1&&(d.addEventListener("mousedown",s,!0),d.addEventListener("pointerdown",l,!0),d.addEventListener("keydown",c,!0),d.addEventListener("keyup",u,!0)),function(){var e;a&&!0!==(null===(e=a.FabricConfig)||void 0===e?void 0:e.disableFocusRects)&&0===(m=re(d,-1))&&(d.removeEventListener("mousedown",s,!0),d.removeEventListener("pointerdown",l,!0),d.removeEventListener("keydown",c,!0),d.removeEventListener("keyup",u,!0))}}}),[t,e])}var le=function(e){return se(e.rootRef),null};function ce(e,t){(0,v.Fy)(!1,e.target,t)}function ue(e,t){"mouse"!==e.pointerType&&(0,v.Fy)(!1,e.target,t)}function de(e,t){te(e.which)&&(0,v.Fy)(!0,e.target,t)}function pe(e,t){te(e.which)&&(0,v.Fy)(!0,e.target,t)}function me(){for(var e=[],t=0;t(e.cacheSize||50)){var g=(0,k.z)();(null===(s=null==g?void 0:g.FabricConfig)||void 0===s?void 0:s.enableClassNameCacheFullWarning)&&(console.warn("Styles are being recalculated too frequently. Cache miss rate is ".concat(o,"/").concat(n,".")),console.trace()),t.get(c).clear(),o=0,e.disableCaching=!0}return u[Ne]}}function He(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 je(e,t){if("function"==typeof t)if(t.__cachedInputs__)for(var o=0,n=t.__cachedInputs__;o0&&t.current.naturalHeight>0||t.current.complete&&Ke.test(i))&&c(Ae.loaded)})),a.useEffect((function(){null==o||o(l)}),[l]);var u=a.useCallback((function(e){null==n||n(e),i&&c(Ae.loaded)}),[i,n]),d=a.useCallback((function(e){null==r||r(e),c(Ae.error)}),[r]);return[l,u,d]}(e,n),s=r[0],l=r[1],c=r[2],u=Q(e,X,["width","height"]),d=e.src,p=e.alt,m=e.width,g=e.height,h=e.shouldFadeIn,f=void 0===h||h,v=e.shouldStartVisible,b=e.className,y=e.imageFit,_=e.role,S=e.maximizeFrame,C=e.styles,x=e.theme,P=e.loading,k=function(e,t,o,n){var r=a.useRef(t),i=a.useRef();return(void 0===i||r.current===Ae.notLoaded&&t===Ae.loaded)&&(i.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===Ae.loaded&&(r===Fe.cover||r===Fe.contain||r===Fe.centerContain||r===Fe.centerCover)&&o.current&&n.current){var s;if(s="number"==typeof i&&"number"==typeof a&&r!==Fe.centerContain&&r!==Fe.centerCover?i/a:n.current.clientWidth/n.current.clientHeight,o.current.naturalWidth/o.current.naturalHeight>s)return Be.landscape}return Be.portrait}(e,t,o,n)),r.current=t,i.current}(e,s,n,o),I=Ve(C,{theme:x,className:b,width:m,height:g,maximizeFrame:S,shouldFadeIn:f,shouldStartVisible:v,isLoaded:s===Ae.loaded||s===Ae.notLoaded&&e.shouldStartVisible,isLandscape:k===Be.landscape,isCenter:y===Fe.center,isCenterContain:y===Fe.centerContain,isCenterCover:y===Fe.centerCover,isContain:y===Fe.contain,isCover:y===Fe.cover,isNone:y===Fe.none,isError:s===Ae.error,isNotImageFit:void 0===y});return a.createElement("div",{className:I.root,style:{width:m,height:g},ref:o},a.createElement("img",(0,i.__assign)({},u,{onLoad:l,onError:c,key:"fabricImage"+e.src||"",className:I.image,ref:We(n,t),src:d,alt:p,role:_,loading:P})))}));Ge.displayName="ImageBase";var Ue=o(18227),Ye={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"},qe=Pe(Ge,(function(e){var t=e.className,o=e.width,n=e.height,r=e.maximizeFrame,i=e.isLoaded,a=e.shouldFadeIn,s=e.shouldStartVisible,l=e.isLandscape,c=e.isCenter,u=e.isContain,d=e.isCover,p=e.isCenterContain,m=e.isCenterCover,g=e.isNone,h=e.isError,f=e.isNotImageFit,v=e.theme,b=(0,Ue.Km)(Ye,v),y={position:"absolute",left:"50% /* @noflip */",top:"50%",transform:"translate(-50%,-50%)"},_=(0,k.z)(),S=void 0!==_&&void 0===_.navigator.msMaxTouchPoints,C=u&&l||d&&!l?{width:"100%",height:"auto"}:{width:"auto",height:"100%"};return{root:[b.root,v.fonts.medium,{overflow:"hidden"},r&&[b.rootMaximizeFrame,{height:"100%",width:"100%"}],i&&a&&!s&&Ue.lw.fadeIn400,(c||u||d||p||m)&&{position:"relative"},t],image:[b.image,{display:"block",opacity:0},i&&["is-loaded",{opacity:1}],c&&[b.imageCenter,y],u&&[b.imageContain,S&&{width:"100%",height:"100%",objectFit:"contain"},!S&&C,!S&&y],d&&[b.imageCover,S&&{width:"100%",height:"100%",objectFit:"cover"},!S&&C,!S&&y],p&&[b.imageCenterContain,l&&{maxWidth:"100%"},!l&&{maxHeight:"100%"},y],m&&[b.imageCenterCover,l&&{maxHeight:"100%"},!l&&{maxWidth:"100%"},y],g&&[b.imageNone,{width:"auto",height:"auto"}],f&&[!!o&&!n&&{height:"auto",width:"100%"},!o&&!!n&&{height:"100%",width:"auto"},!!o&&!!n&&{height:"100%",width:"100%"}],l&&b.imageLandscape,!l&&b.imagePortrait,!i&&"is-notLoaded",a&&"is-fadeIn",h&&"is-error"]}}),void 0,{scope:"Image"},!0);qe.displayName="Image";var Xe=(0,Ue.l8)({root:{display:"inline-block"},placeholder:["ms-Icon-placeHolder",{width:"1em"}],image:["ms-Icon-imageContainer",{overflow:"hidden"}]}),Ze="ms-Icon",Qe=(0,c.J9)((function(e){var t=(0,Ue.sW)(e)||{subset:{},code:void 0},o=t.code,n=t.subset;return o?{children:o,iconClassName:n.className,fontFamily:n.fontFace&&n.fontFace.fontFamily,mergeImageProps:n.mergeImageProps}:null}),void 0,!0),Je=function(e){var t=e.iconName,o=e.className,n=e.style,r=void 0===n?{}:n,s=Qe(t)||{},l=s.iconClassName,c=s.children,d=s.fontFamily,p=s.mergeImageProps,m=Q(e,V),g=e["aria-label"]||e.title,h=e["aria-label"]||e["aria-labelledby"]||e.title?{role:p?void 0:"img"}:{"aria-hidden":!0},f=c;return p&&"object"==typeof c&&"object"==typeof c.props&&g&&(f=a.cloneElement(c,{alt:g})),a.createElement("i",(0,i.__assign)({"data-icon-name":t},h,m,p?{title:void 0,"aria-label":void 0}:{},{className:u(Ze,Xe.root,l,!t&&Xe.placeholder,o),style:(0,i.__assign)({fontFamily:d},r)}),f)},$e=((0,c.J9)((function(e,t,o){return Je({iconName:e,className:t,"aria-label":o})})),Le({cacheSize:100})),et=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===Ae.error&&o.setState({imageLoadError:!0})},o.state={imageLoadError:!1},o}return(0,i.__extends)(t,e),t.prototype.render=function(){var e=this.props,t=e.children,o=e.className,n=e.styles,r=e.iconName,s=e.imageErrorAs,l=e.theme,c="string"==typeof r&&0===r.length,u=!!this.props.imageProps||this.props.iconType===Ce.image||this.props.iconType===Ce.Image,d=Qe(r)||{},p=d.iconClassName,m=d.children,g=d.mergeImageProps,h=$e(n,{theme:l,className:o,iconClassName:p,isImage:u,isPlaceholder:c}),f=u?"span":"i",v=Q(this.props,V,["aria-label"]),b=this.state.imageLoadError,y=(0,i.__assign)((0,i.__assign)({},this.props.imageProps),{onLoadingStateChange:this._onImageLoadingStateChange}),_=b&&s||qe,S=this.props["aria-label"]||this.props.ariaLabel,C=y.alt||S||this.props.title,x=C||this.props["aria-labelledby"]||y["aria-label"]||y["aria-labelledby"]?{role:u||g?void 0:"img","aria-label":u||g?void 0:C}:{"aria-hidden":!0},P=m;return g&&m&&"object"==typeof m&&C&&(P=a.cloneElement(m,{alt:C})),a.createElement(f,(0,i.__assign)({"data-icon-name":r},x,v,g?{title:void 0,"aria-label":void 0}:{},{className:h.root}),u?a.createElement(_,(0,i.__assign)({},y)):t||P)},t}(a.Component),tt=Pe(et,(function(e){var t=e.className,o=e.iconClassName,n=e.isPlaceholder,r=e.isImage,i=e.styles;return{root:[n&&Xe.placeholder,Xe.root,r&&Xe.image,o,t,i&&i.root,i&&i.imageContainer]}}),void 0,{scope:"Icon"},!0);tt.displayName="Icon";var ot,nt=function(e){var t=e.className,o=e.imageProps,n=Q(e,V,["aria-label","aria-labelledby","title","aria-describedby"]),r=o.alt||e["aria-label"],s=r||e["aria-labelledby"]||e.title||o["aria-label"]||o["aria-labelledby"]||o.title,l={"aria-labelledby":e["aria-labelledby"],"aria-describedby":e["aria-describedby"],title:e.title},c=s?{}:{"aria-hidden":!0};return a.createElement("div",(0,i.__assign)({},c,n,{className:u(Ze,Xe.root,Xe.image,t)}),a.createElement(qe,(0,i.__assign)({},l,o,{alt:s?r:""})))},rt={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},it=(0,c.J5)((function(e){return(0,c.J5)((function(t){var o=(0,c.J5)((function(e){return function(o){return t(o,e)}}));return function(n,r){return e(n,r?o(r):t)}}))}));function at(e,t){return it(e)(t)}!function(e){e[e.Normal=0]="Normal",e[e.Divider=1]="Divider",e[e.Header=2]="Header",e[e.Section=3]="Section"}(ot||(ot={}));var st;function lt(e,t,o){void 0===o&&(o=!0);var n=!1;if(e&&t)if(o)if(e===t)n=!0;else for(n=!1;t;){var r=p(t);if(r===e){n=!0;break}t=r}else e.contains&&(n=e.contains(t));return n}!function(e){e[e.vertical=0]="vertical",e[e.horizontal=1]="horizontal",e[e.bidirectional=2]="bidirectional",e[e.domOrder=3]="domOrder"}(st||(st={}));var ct="data-is-focusable",ut="data-is-visible",dt="data-focuszone-id",pt="data-is-sub-focuszone";function mt(e,t,o,n){return ft(e,t,!0,!1,!1,o,void 0,void 0,void 0,n)}function gt(e,t,o,n){return ht(e,t,!0,!1,!0,o,void 0,void 0,n)}function ht(e,t,o,n,r,i,a,s,l){var c;if(!t||!a&&t===e)return null;var u=vt(t);if(r&&u&&(i||!_t(t)&&!St(t))){var d=ht(e,t.lastElementChild||l&&(null===(c=t.shadowRoot)||void 0===c?void 0:c.lastElementChild),!0,!0,!0,i,a,s,l);if(d){if(s&&yt(d,!0,l)||!s)return d;var p=ht(e,d.previousElementSibling,!0,!0,!0,i,a,s,l);if(p)return p;for(var m=d.parentElement;m&&m!==t;){var g=ht(e,m.previousElementSibling,!0,!0,!0,i,a,s,l);if(g)return g;m=m.parentElement}}}return o&&u&&yt(t,s,l)?t:ht(e,t.previousElementSibling,!0,!0,!0,i,a,s,l)||(n?null:ht(e,t.parentElement,!0,!1,!1,i,a,s,l))}function ft(e,t,o,n,r,i,a,s,l,c){var u;if(!t||t===e&&r&&!a)return null;var d=(l?bt:vt)(t);if(o&&d&&yt(t,s,c))return t;if(!r&&d&&(i||!_t(t)&&!St(t))){var p=ft(e,t.firstElementChild||c&&(null===(u=t.shadowRoot)||void 0===u?void 0:u.firstElementChild),!0,!0,!1,i,a,s,l,c);if(p)return p}return t===e?null:ft(e,t.nextElementSibling,!0,!0,!1,i,a,s,l,c)||(n?null:ft(e,t.parentElement,!1,!1,!0,i,a,s,l,c))}function vt(e){if(!e||!e.getAttribute)return!1;var t=e.getAttribute(ut);return null!=t?"true"===t:0!==e.offsetHeight||null!==e.offsetParent||!0===e.isVisible}function bt(e,t){var o=null!=t?t:(0,k.z)();return!!e&&vt(e)&&!e.hidden&&"hidden"!==o.getComputedStyle(e).visibility}function yt(e,t,o){if(void 0===o&&(o=!0),!e||e.disabled)return!1;var n=0,r=null;e&&e.getAttribute&&(r=e.getAttribute("tabIndex"))&&(n=parseInt(r,10));var i=e.getAttribute?e.getAttribute(ct):null,a=null!==r&&n>=0,s=!(!o||!e.shadowRoot||!e.shadowRoot.delegatesFocus),l=!!e&&"false"!==i&&("A"===e.tagName||"BUTTON"===e.tagName||"INPUT"===e.tagName||"TEXTAREA"===e.tagName||"SELECT"===e.tagName||"true"===i||a||s);return t?-1!==n&&l:l}function _t(e){return!!(e&&e.getAttribute&&e.getAttribute(dt))}function St(e){return!(!e||!e.getAttribute||"true"!==e.getAttribute(pt))}function Ct(e,t,o){return"true"!==function(e,t,o){var n=m(e,(function(e){return e.hasAttribute(t)}),o);return n&&n.getAttribute(t)}(e,t,null!=o?o:(0,w.Y)())}var xt=void 0;function Pt(e){if(e){var t=(0,k.z)(e);t&&(void 0!==xt&&t.cancelAnimationFrame(xt),xt=t.requestAnimationFrame((function(){e&&e.focus(),xt=void 0})))}}var kt,It=o(52606),wt=0,Tt=(0,It.Z)({overflow:"hidden !important"}),Et="data-is-scrollable",Dt=function(e){e.preventDefault()};function Mt(e){for(var t=e,o=(0,w.Y)(e);t&&t!==o.body;){if("true"===t.getAttribute(Et))return t;t=t.parentElement}for(t=e;t&&t!==o.body;){if("false"!==t.getAttribute(Et)){var n=getComputedStyle(t),r=n?n.getPropertyValue("overflow-y"):"";if(r&&("scroll"===r||"auto"===r))return t}t=t.parentElement}return t&&t!==o.body||(t=(0,k.z)(e)),t}var Ot,Rt=a.createContext(void 0),Ft="data-is-focusable",Bt="data-focuszone-id",At="tabindex",Nt="data-no-vertical-wrap",Lt="data-no-horizontal-wrap",Ht=999999999,jt=-999999999;function zt(e,t){var o;"function"==typeof MouseEvent?o=new MouseEvent("click",{ctrlKey:null==t?void 0:t.ctrlKey,metaKey:null==t?void 0:t.metaKey,shiftKey:null==t?void 0:t.shiftKey,altKey:null==t?void 0:t.altKey,bubbles:null==t?void 0:t.bubbles,cancelable:null==t?void 0:t.cancelable}):(o=document.createEvent("MouseEvents")).initMouseEvent("click",!!t&&t.bubbles,!!t&&t.cancelable,window,0,0,0,0,0,!!t&&t.ctrlKey,!!t&&t.altKey,!!t&&t.shiftKey,!!t&&t.metaKey,0,null),e.dispatchEvent(o)}var Wt,Vt={},Kt=new Set,Gt=["text","number","password","email","tel","url","search","textarea"],Ut=!1,Yt=function(e){function t(o){var n,r,i,s,c=this;(c=e.call(this,o)||this)._root=a.createRef(),c._mergedRef=l(),c._onFocus=function(e){if(!c._portalContainsElement(e.target)){var t,o=c.props,n=o.onActiveElementChanged,r=o.doNotAllowFocusEventToPropagate,i=o.stopFocusPropagation,a=o.onFocusNotification,s=o.onFocus,l=o.shouldFocusInnerElementWhenReceivedFocus,u=o.defaultTabbableElement,d=c._isImmediateDescendantOfZone(e.target);if(d)t=e.target;else for(var m=e.target;m&&m!==c._root.current;){if(yt(m,void 0,c._inShadowRoot)&&c._isImmediateDescendantOfZone(m)){t=m;break}m=p(m,Ut)}if(l&&e.target===c._root.current){var g=u&&"function"==typeof u&&c._root.current&&u(c._root.current);g&&yt(g,void 0,c._inShadowRoot)?(t=g,g.focus()):(c.focus(!0),c._activeElement&&(t=null))}var h=!c._activeElement;t&&t!==c._activeElement&&((d||h)&&c._setFocusAlignment(t,!0,!0),c._activeElement=t,h&&c._updateTabIndexes()),n&&n(c._activeElement,e),(i||r)&&e.stopPropagation(),s?s(e):a&&a()}},c._onBlur=function(){c._setParkedFocus(!1)},c._onMouseDown=function(e){if(!c._portalContainsElement(e.target)&&!c.props.disabled){for(var t=e.target,o=[];t&&t!==c._root.current;)o.push(t),t=p(t,Ut);for(;o.length&&((t=o.pop())&&yt(t,void 0,c._inShadowRoot)&&c._setActiveElement(t,!0),!_t(t)););}},c._onKeyDown=function(e,t){if(!c._portalContainsElement(e.target)){var o=c.props,n=o.direction,r=o.disabled,i=o.isInnerZoneKeystroke,a=o.pagingSupportDisabled,s=o.shouldEnterInnerZone;if(!(r||(c.props.onKeyDown&&c.props.onKeyDown(e),e.isDefaultPrevented()||c._getDocument().activeElement===c._root.current&&c._isInnerZone))){if((s&&s(e)||i&&i(e))&&c._isImmediateDescendantOfZone(e.target)){var l=c._getFirstInnerZone();if(l){if(!l.focus(!0))return}else{if(!St(e.target))return;if(!c.focusElement(ft(e.target,e.target.firstChild,!0)))return}}else{if(e.altKey)return;switch(e.which){case f.space:if(c._shouldRaiseClicksOnSpace&&c._tryInvokeClickForFocusable(e.target,e))break;return;case f.left:if(n!==st.vertical&&(c._preventDefaultWhenHandled(e),c._moveFocusLeft(t)))break;return;case f.right:if(n!==st.vertical&&(c._preventDefaultWhenHandled(e),c._moveFocusRight(t)))break;return;case f.up:if(n!==st.horizontal&&(c._preventDefaultWhenHandled(e),c._moveFocusUp()))break;return;case f.down:if(n!==st.horizontal&&(c._preventDefaultWhenHandled(e),c._moveFocusDown()))break;return;case f.pageDown:if(!a&&c._moveFocusPaging(!0))break;return;case f.pageUp:if(!a&&c._moveFocusPaging(!1))break;return;case f.tab:if(c.props.allowTabKey||1===c.props.handleTabKey||2===c.props.handleTabKey&&c._isElementInput(e.target)){var u=!1;if(c._processingTabKey=!0,u=n!==st.vertical&&c._shouldWrapFocus(c._activeElement,Lt)?(De(t)?!e.shiftKey:e.shiftKey)?c._moveFocusLeft(t):c._moveFocusRight(t):e.shiftKey?c._moveFocusUp():c._moveFocusDown(),c._processingTabKey=!1,u)break;c.props.shouldResetActiveElementWhenTabFromZone&&(c._activeElement=null)}return;case f.home:if(c._isContentEditableElement(e.target)||c._isElementInput(e.target)&&!c._shouldInputLoseFocus(e.target,!1))return!1;var d=c._root.current&&c._root.current.firstChild;if(c._root.current&&d&&c.focusElement(ft(c._root.current,d,!0)))break;return;case f.end:if(c._isContentEditableElement(e.target)||c._isElementInput(e.target)&&!c._shouldInputLoseFocus(e.target,!0))return!1;var p=c._root.current&&c._root.current.lastChild;if(c._root.current&&c.focusElement(ht(c._root.current,p,!0,!0,!0)))break;return;case f.enter:if(c._shouldRaiseClicksOnEnter&&c._tryInvokeClickForFocusable(e.target,e))break;return;default:return}}e.preventDefault(),e.stopPropagation()}}},c._getHorizontalDistanceFromCenter=function(e,t,o){var n=c._focusAlignment.left||c._focusAlignment.x||0,r=Math.floor(o.top),i=Math.floor(t.bottom),a=Math.floor(o.bottom),s=Math.floor(t.top);return e&&r>i||!e&&a=o.left&&n<=o.left+o.width?0:Math.abs(o.left+o.width/2-n):c._shouldWrapFocus(c._activeElement,Nt)?Ht:jt},_(c),c._id=N("FocusZone"),c._focusAlignment={left:0,top:0},c._processingTabKey=!1;var u=null===(r=null!==(n=o.shouldRaiseClicks)&&void 0!==n?n:t.defaultProps.shouldRaiseClicks)||void 0===r||r;return c._shouldRaiseClicksOnEnter=null!==(i=o.shouldRaiseClicksOnEnter)&&void 0!==i?i:u,c._shouldRaiseClicksOnSpace=null!==(s=o.shouldRaiseClicksOnSpace)&&void 0!==s?s:u,c}return(0,i.__extends)(t,e),t.getOuterZones=function(){return Kt.size},t._onKeyDownCapture=function(e){e.which===f.tab&&Kt.forEach((function(e){return e._updateTabIndexes()}))},t.prototype.componentDidMount=function(){var e,o=this._root.current;if(this._inShadowRoot=!!(null===(e=this.context)||void 0===e?void 0:e.shadowRoot),Vt[this._id]=this,o){for(var n=p(o,Ut);n&&n!==this._getDocument().body&&1===n.nodeType;){if(_t(n)){this._isInnerZone=!0;break}n=p(n,Ut)}this._isInnerZone||(Kt.add(this),this._root.current&&this._root.current.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,t=this._root.current,o=this._getDocument();if(this._inShadowRoot=!!(null===(e=this.context)||void 0===e?void 0:e.shadowRoot),(this._activeElement&&!lt(this._root.current,this._activeElement,Ut)||this._defaultFocusElement&&!lt(this._root.current,this._defaultFocusElement,Ut))&&(this._activeElement=null,this._defaultFocusElement=null,this._updateTabIndexes()),!this.props.preventFocusRestoration&&o&&this._lastIndexPath&&(o.activeElement===o.body||null===o.activeElement||o.activeElement===t)){var n=function(e,t){for(var o=e,n=0,r=t;n-1&&(-1===i||u=0&&u<0)break}}while(r);if(a&&a!==this._activeElement)s=!0,this.focusElement(a);else if(this.props.isCircularNavigation&&n)return e?this.focusElement(ft(this._root.current,this._root.current.firstElementChild,!0)):this.focusElement(ht(this._root.current,this._root.current.lastElementChild,!0,!0,!0));return s},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,Nt)?Ht:jt:((-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,Lt);return!!this._moveFocus(De(e),(function(n,r){var i=-1;return(De(e)?parseFloat(r.top.toFixed(3))parseFloat(n.top.toFixed(3)))&&r.right<=n.right&&t.props.direction!==st.vertical?i=n.right-r.right:o||(i=jt),i}),void 0,o)&&(this._setFocusAlignment(this._activeElement,!0,!1),!0)},t.prototype._moveFocusRight=function(e){var t=this,o=this._shouldWrapFocus(this._activeElement,Lt);return!!this._moveFocus(!De(e),(function(n,r){var i=-1;return(De(e)?parseFloat(r.bottom.toFixed(3))>parseFloat(n.top.toFixed(3)):parseFloat(r.top.toFixed(3))=n.left&&t.props.direction!==st.vertical?i=r.left-n.left:o||(i=jt),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=Mt(o);if(!n)return!1;var r=-1,i=void 0,a=-1,s=-1,l=n.clientHeight,c=o.getBoundingClientRect();do{if(o=e?ft(this._root.current,o):ht(this._root.current,o)){var u=o.getBoundingClientRect(),d=Math.floor(u.top),p=Math.floor(c.bottom),m=Math.floor(u.bottom),g=Math.floor(c.top),h=this._getHorizontalDistanceFromCenter(e,c,u);if(e&&d>p+l||!e&&m-1&&(e&&d>a?(a=d,r=h,i=o):!e&&m-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||Ct(e,t)},t.prototype._portalContainsElement=function(e){return e&&!!this._root.current&&h(e,this._root.current)},t.prototype._getDocument=function(){return(0,w.Y)(this._root.current)},t.contextType=Rt,t.defaultProps={isCircularNavigation:!1,direction:st.bidirectional,shouldRaiseClicks:!0,"data-tabster":'{"uncontrolled": {}}'},t}(a.Component);function qt(e){var t;if(void 0===Wt||e){var o=(0,k.z)(),n=null===(t=null==o?void 0:o.navigator)||void 0===t?void 0:t.userAgent;Wt=!!n&&-1!==n.indexOf("Macintosh")}return!!Wt}var Xt=function(){return!!(window&&window.navigator&&window.navigator.userAgent)&&/iPad|iPhone|iPod/i.test(window.navigator.userAgent)};function Zt(e,t){for(var o=(0,i.__assign)({},t),n=0,r=Object.keys(e);nt.bottom||e.leftt.right)}function po(e,t){var o=[];return e.topt.bottom&&o.push(Qt.bottom),e.leftt.right&&o.push(Qt.right),o}function mo(e,t){return e[Qt[t]]}function go(e,t,o){return e[Qt[t]]=o,e}function ho(e,t){var o=wo(t);return(mo(e,o.positiveEdge)+mo(e,o.negativeEdge))/2}function fo(e,t){return e>0?t:-1*t}function vo(e,t){return fo(e,mo(t,e))}function bo(e,t,o){return fo(o,mo(e,o)-mo(t,o))}function yo(e,t,o,n){void 0===n&&(n=!0);var r=mo(e,t)-o,i=go(e,t,o);return n&&(i=go(e,-1*t,mo(e,-1*t)-r)),i}function _o(e,t,o,n){return void 0===n&&(n=0),yo(e,o,mo(t,o)+fo(o,n))}function So(e,t,o){return vo(o,e)>vo(o,t)}function Co(e,t){for(var o=0,n=0,r=po(e,t);n=n}function Po(e,t,o,n){for(var r=0,i=e;rMath.abs(bo(e,o,-1*t))?-1*t:t}function Eo(e,t,o,n,r,i,a,s){var l,c={},u=Oo(t),d=i?o:-1*o,p=r||wo(o).positiveEdge;return a&&!function(e,t,o){return void 0!==o&&mo(e,t)===mo(o,t)}(e,(l=p,-1*l),n)||(p=To(e,p,n)),c[Qt[d]]=bo(e,u,d),c[Qt[p]]=bo(e,u,p),s&&(c[Qt[-1*d]]=bo(e,u,-1*d),c[Qt[-1*p]]=bo(e,u,-1*p)),c}function Do(e,t,o){var n=ho(t,e),r=ho(o,e),i=wo(e),a=i.positiveEdge,s=i.negativeEdge;return n<=r?a:s}function Mo(e,t,o,n,r,i,a,s,l){void 0===i&&(i=!1);var c=Io(e,t,n,r,l);return uo(c,o)?{elementRectangle:c,targetEdge:n.targetEdge,alignmentEdge:n.alignmentEdge}:function(e,t,o,n,r,i,a,s,l){void 0===r&&(r=!1),void 0===a&&(a=0);var c=n.alignmentEdge,u=n.alignTargetEdge,d={elementRectangle:e,targetEdge:n.targetEdge,alignmentEdge:c};s||l||(d=function(e,t,o,n,r,i,a){void 0===r&&(r=!1),void 0===a&&(a=0);var s=[Qt.left,Qt.right,Qt.bottom,Qt.top];De()&&(s[0]*=-1,s[1]*=-1);for(var l,c=e,u=n.targetEdge,d=n.alignmentEdge,p=u,m=d,g=0;g<4;g++){if(So(c,o,u))return{elementRectangle:c,targetEdge:u,alignmentEdge:d};if(r&&xo(t,o,u,i)){switch(u){case Qt.bottom:c.bottom=o.bottom;break;case Qt.top:c.top=o.top}return{elementRectangle:c,targetEdge:u,alignmentEdge:d,forcedInBounds:!0}}var h=Co(c,o);(!l||h0&&(s.indexOf(-1*u)>-1?u*=-1:(d=u,u=s.slice(-1)[0]),c=Io(e,t,{targetEdge:u,alignmentEdge:d},a))}return{elementRectangle:c=Io(e,t,{targetEdge:p,alignmentEdge:m},a),targetEdge:p,alignmentEdge:m}}(e,t,o,n,r,i,a));var p=po(d.elementRectangle,o),m=s?-d.targetEdge:void 0;if(p.length>0)if(u)if(d.alignmentEdge&&p.indexOf(-1*d.alignmentEdge)>-1){var g=function(e,t,o,n){var r=e.alignmentEdge,i=e.targetEdge,a=-1*r;return{elementRectangle:Io(e.elementRectangle,t,{targetEdge:i,alignmentEdge:a},o,n),targetEdge:i,alignmentEdge:a}}(d,t,a,l);if(uo(g.elementRectangle,o))return g;d=Po(po(g.elementRectangle,o),d,o,m)}else d=Po(p,d,o,m);else d=Po(p,d,o,m);return d}(c,t,o,n,i,a,r,s,l)}function Oo(e){var t=e.getBoundingClientRect();return new so(t.left,t.right,t.top,t.bottom)}function Ro(e,t,o,n,r,a){void 0===r&&(r=!1);var s=e.gapSpace?e.gapSpace:0,l=function(e,t){var o;if(t){if(t.preventDefault){var n=t;o=new so(n.clientX,n.clientX,n.clientY,n.clientY)}else if(t.getBoundingClientRect)o=Oo(t);else{var r=t,i=r.left||r.x,a=r.top||r.y,s=r.right||i,l=r.bottom||a;o=new so(i,s,a,l)}if(!uo(o,e))for(var c=0,u=po(o,e);cMath.abs(mo(g,f)),b[Qt[f]]=mo(g,f),b[Qt[y]]=bo(g,v,y),{elementPosition:(0,i.__assign)({},b),closestEdge:Do(m.targetEdge,g,v),targetEdge:f,hideBeak:!_});return(0,i.__assign)((0,i.__assign)({},function(e,t,o,n,r){return{elementPosition:Eo(e.elementRectangle,t,e.targetEdge,o,e.alignmentEdge,n,r,e.forcedInBounds),targetEdge:e.targetEdge,alignmentEdge:e.alignmentEdge}}(x,t,C,e.coverTarget,s)),{beakPosition:P})}var Ao=["TEMPLATE","STYLE","SCRIPT"];function No(e){var t=(0,w.Y)(e);if(!t)return function(){};for(var o=[];e!==t.body&&e.parentElement;){for(var n=0,r=e.parentElement.children;n0&&s>a&&(n=s-a>1)}r!==n&&i(n)}})),function(){return o.dispose()}})),r}(o,n),v=a.useCallback((function(e){e.which===f.escape&&g&&(g(e),e.preventDefault(),e.stopPropagation())}),[g]);return Ho(zo(),"keydown",v),a.createElement("div",(0,i.__assign)({ref:r},Q(o,Z),{className:l,role:s,"aria-label":c,"aria-labelledby":u,"aria-describedby":d,onKeyDown:v,style:(0,i.__assign)({overflowY:h?"scroll":void 0,outline:"none"},p)}),m)}));function Go(e){var t=a.useRef();return void 0===t.current&&(t.current={value:"function"==typeof e?e():e}),t.current.value}function Uo(e,t){var o,n,r,i=a.useRef(),s=a.useRef(null),l=zo();if(!e||e!==i.current||"string"==typeof e){var c=null==t?void 0:t.current;if(e)if("string"==typeof e)if(null===(o=null==c?void 0:c.getRootNode())||void 0===o?void 0:o.host)s.current=null!==(r=null===(n=null==c?void 0:c.getRootNode())||void 0===n?void 0:n.querySelector(e))&&void 0!==r?r:null;else{var u=(0,w.Y)(c);s.current=u?u.querySelector(e):null}else s.current="stopPropagation"in e||"getBoundingClientRect"in e?e:"current"in e?e.current:e;i.current=e}return[s,l]}Ko.displayName="Popup";var Yo,qo=function(){var e;return(null!==(e=Wo())&&void 0!==e?e:"undefined"!=typeof document)?document:void 0},Xo=function(){var e;return(null!==(e=zo())&&void 0!==e?e:"undefined"!=typeof window)?window:void 0},Zo=function(e){var t,o;return(null!==(o=null===(t=null==e?void 0:e.window)||void 0===t?void 0:t.document)&&void 0!==o?o:"undefined"!=typeof document)?document:void 0},Qo=function(e){var t;return(null!==(t=null==e?void 0:e.window)&&void 0!==t?t:"undefined"!=typeof window)?window:void 0},Jo=((Yo={})[Qt.top]=Ue.lw.slideUpIn10,Yo[Qt.bottom]=Ue.lw.slideDownIn10,Yo[Qt.left]=Ue.lw.slideLeftIn10,Yo[Qt.right]=Ue.lw.slideRightIn10,Yo),$o={opacity:0,filter:"opacity(0)",pointerEvents:"none"},en=["role","aria-roledescription"],tn={preventDismissOnLostFocus:!1,preventDismissOnScroll:!1,preventDismissOnResize:!1,isBeakVisible:!0,beakWidth:16,gapSpace:0,minPagePadding:8,directionalHint:rt.bottomAutoEdge},on=Le({disableCaching:!0});function nn(e,t,o,n){var r,i=e.calloutMaxHeight,s=e.finalHeight,l=e.directionalHint,c=e.directionalHintFixed,u=e.hidden,d=e.gapSpace,p=e.beakWidth,m=e.isBeakVisible,g=e.coverTarget,h=a.useState(),f=h[0],v=h[1],b=null!==(r=null==n?void 0:n.elementPosition)&&void 0!==r?r:{},y=b.top,_=b.bottom,S=(null==o?void 0:o.current)?function(e){var t,o,n,r,i=e,a=e,s=e,l=null!==(t=s.left)&&void 0!==t?t:s.x,c=null!==(o=s.top)&&void 0!==o?o:s.y,u=null!==(n=s.right)&&void 0!==n?n:l,d=null!==(r=s.bottom)&&void 0!==r?r:c;return i.stopPropagation?new so(i.clientX,i.clientX,i.clientY,i.clientY):void 0!==l&&void 0!==c?new so(l,u,c,d):Oo(a)}(o.current):void 0;return a.useEffect((function(){var e,o,r=null!==(e=t())&&void 0!==e?e:{},a=r.top,s=r.bottom;(null==n?void 0:n.targetEdge)===Qt.top&&(null==S?void 0:S.top)&&!g&&(s=S.top-function(e,t,o){return Fo(e,t,o)}(m,p,d)),"number"==typeof y&&s?o=s-y:"number"==typeof _&&"number"==typeof a&&s&&(o=s-a-_),v(!i&&!u||i&&o&&i>o?o:i||void 0)}),[_,i,s,l,c,t,u,n,y,d,p,m,S,g]),f}function rn(e,t,o,n,r,s){var l,c=a.useState(),u=c[0],d=c[1],p=a.useRef(0),m=a.useRef(),g=Lo(),h=e.hidden,f=e.target,v=e.finalHeight,b=e.calloutMaxHeight,y=e.onPositioned,_=e.directionalHint,S=e.hideOverflow,C=e.preferScrollResizePositioning,x=Xo(),P=a.useRef();P.current!==s.current&&(P.current=s.current,l=s.current?null==x?void 0:x.getComputedStyle(s.current):void 0);var I=null==l?void 0:l.overflowY;return a.useEffect((function(){if(!h){var a=g.requestAnimationFrame((function(){var a,s,l,c;if(t.current&&o){var g=(0,i.__assign)((0,i.__assign)({},e),{target:n.current,bounds:r()}),h=o.cloneNode(!0);h.style.maxHeight=b?"".concat(b):"",h.style.visibility="hidden",null===(a=o.parentElement)||void 0===a||a.appendChild(h);var _=m.current===f?u:void 0,P=C&&!(S||"clip"===I||"hidden"===I),w=v?function(e,t,o,n,r){return function(e,t,o,n,r){return Bo(e,t,o,n,!1,void 0,!0,null!=r?r:(0,k.z)())}(e,t,o,n,r)}(g,t.current,h,_,x):function(e,t,o,n,r,i,a){return Bo(e,t,o,n,r,void 0,void 0,a)}(g,t.current,h,_,P,0,x);null===(s=o.parentElement)||void 0===s||s.removeChild(h),!u&&w||u&&w&&(c=w,!ln((l=u).elementPosition,c.elementPosition)||!ln(l.beakPosition.elementPosition,c.beakPosition.elementPosition))&&p.current<5?(p.current++,d(w)):p.current>0&&(p.current=0,null==y||y(u))}}),o);return m.current=f,function(){g.cancelAnimationFrame(a),m.current=void 0}}d(void 0),p.current=0}),[h,_,g,o,b,t,n,v,r,y,u,e,f,S,C,I,x]),u}var an=a.memo(a.forwardRef((function(e,t){var o=Zt(tn,e),n=o.styles,r=o.style,s=o.ariaLabel,l=o.ariaDescribedBy,c=o.ariaLabelledBy,d=o.className,p=o.isBeakVisible,m=o.children,g=o.beakWidth,h=o.calloutWidth,f=o.calloutMaxWidth,v=o.calloutMinWidth,b=o.doNotLayer,y=o.finalHeight,_=o.hideOverflow,S=void 0===_?!!y:_,C=o.backgroundColor,x=o.calloutMaxHeight,P=o.onScroll,k=o.shouldRestoreFocus,I=void 0===k||k,w=o.target,T=o.hidden,E=o.onLayerMounted,D=o.popupProps,M=a.useRef(null),O=We(a.useRef(null),null==D?void 0:D.ref),R=a.useState(null),F=R[0],B=R[1],A=a.useCallback((function(e){B(e)}),[]),N=We(M,t),L=Uo(o.target,{current:F}),H=L[0],j=L[1],z=function(e,t,o){var n=e.bounds,r=e.minPagePadding,i=void 0===r?tn.minPagePadding:r,s=e.target,l=a.useState(!1),c=l[0],u=l[1],d=a.useRef(),p=a.useCallback((function(){if(!d.current||c){var e="function"==typeof n?o?n(s,o):void 0:n;!e&&o&&(e=function(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)}(t.current,o),e={top:e.top+i,left:e.left+i,right:e.right-i,bottom:e.bottom-i,width:e.width-2*i,height:e.height-2*i}),d.current=e,c&&u(!1)}return d.current}),[n,i,s,t,o,c]),m=Lo();return Ho(o,"resize",m.debounce((function(){u(!0)}),500,{leading:!0})),p}(o,H,j),W=rn(o,M,F,H,z,O),V=nn(o,z,H,W),K=function(e,t,o,n,r){var i=e.hidden,s=e.onDismiss,l=e.preventDismissOnScroll,c=e.preventDismissOnResize,u=e.preventDismissOnLostFocus,d=e.dismissOnTargetClick,p=e.shouldDismissOnWindowFocus,m=e.preventDismissOnEvent,g=a.useRef(!1),h=Lo(),f=Go([function(){g.current=!0},function(){g.current=!1}]),v=!!t;return a.useEffect((function(){var e=function(e){v&&!l&&f(e)},t=function(e){c||m&&m(e)||null==s||s(e)},a=function(e){u||f(e)},f=function(e){var t=e.composedPath?e.composedPath():[],i=t.length>0?t[0]:e.target,a=o.current&&!lt(o.current,i);if(a&&g.current)g.current=!1;else if(!n.current&&a||e.target!==r&&a&&(!n.current||"stopPropagation"in n.current||d||i!==n.current&&!lt(n.current,i))){if(m&&m(e))return;null==s||s(e)}},b=function(e){p&&((!m||m(e))&&(m||u)||(null==r?void 0:r.document.hasFocus())||null!==e.relatedTarget||null==s||s(e))},y=new Promise((function(o){h.setTimeout((function(){if(!i&&r){var n=[io(r,"scroll",e,!0),io(r,"resize",t,!0),io(r.document.documentElement,"focus",a,!0),io(r.document.documentElement,"click",a,!0),io(r,"blur",b,!0)];o((function(){n.forEach((function(e){return e()}))}))}}),0)}));return function(){y.then((function(e){return e()}))}}),[i,h,o,n,r,s,p,d,u,c,l,v,m]),f}(o,W,M,H,j),G=K[0],U=K[1],Y=(null==W?void 0:W.elementPosition.top)&&(null==W?void 0:W.elementPosition.bottom),q=(0,i.__assign)((0,i.__assign)({},null==W?void 0:W.elementPosition),{maxHeight:V});if(Y&&(q.bottom=void 0),function(e,t,o){var n=e.hidden,r=e.setInitialFocus,i=Lo(),s=!!t;a.useEffect((function(){if(!n&&r&&s&&o){var e=i.requestAnimationFrame((function(){return!!(t=ft(e=o,e,!0,!1,!1,!0,void 0,void 0,void 0,void 0))&&(Pt(t),!0);var e,t}),o);return function(){return i.cancelAnimationFrame(e)}}}),[n,s,i,o,r])}(o,W,F),a.useEffect((function(){T||null==E||E()}),[T]),!j)return null;var X=S,J=p&&!!w,$=on(n,{theme:o.theme,className:d,overflowYHidden:X,calloutWidth:h,positions:W,beakWidth:g,backgroundColor:C,calloutMaxWidth:f,calloutMinWidth:v,doNotLayer:b}),ee=(0,i.__assign)((0,i.__assign)({maxHeight:x||"100%"},r),X&&{overflowY:"hidden"}),te=o.hidden?{visibility:"hidden"}:void 0;return a.createElement("div",{ref:N,className:$.container,style:te},a.createElement("div",(0,i.__assign)({},Q(o,Z,en),{className:u($.root,W&&W.targetEdge&&Jo[W.targetEdge]),style:W?(0,i.__assign)({},q):$o,tabIndex:-1,ref:A}),J&&a.createElement("div",{className:$.beak,style:sn(W)}),J&&a.createElement("div",{className:$.beakCurtain}),a.createElement(Ko,(0,i.__assign)({role:o.role,"aria-roledescription":o["aria-roledescription"],ariaDescribedBy:l,ariaLabel:s,ariaLabelledBy:c,className:$.calloutMain,onDismiss:o.onDismiss,onMouseDown:G,onMouseUp:U,onRestoreFocus:o.onRestoreFocus,onScroll:P,shouldRestoreFocus:I,style:ee},D,{ref:O}),m)))})),(function(e,t){return!(t.shouldUpdateWhenHidden||!e.hidden||!t.hidden)||T(e,t)}));function sn(e){var t,o,n=(0,i.__assign)((0,i.__assign)({},null===(t=null==e?void 0:e.beakPosition)||void 0===t?void 0:t.elementPosition),{display:(null===(o=null==e?void 0:e.beakPosition)||void 0===o?void 0:o.hideBeak)?"none":void 0});return n.top||n.bottom||n.left||n.right||(n.left=0,n.top=0),n}function ln(e,t){for(var o in t)if(t.hasOwnProperty(o)){var n=e[o],r=t[o];if(void 0===n||void 0===r)return!1;if(n.toFixed(2)!==r.toFixed(2))return!1}return!0}function cn(e){return{height:e,width:e}}an.displayName="CalloutContentBase";var un={container:"ms-Callout-container",root:"ms-Callout",beak:"ms-Callout-beak",beakCurtain:"ms-Callout-beakCurtain",calloutMain:"ms-Callout-main"},dn=Pe(an,(function(e){var t,o=e.theme,n=e.className,r=e.overflowYHidden,i=e.calloutWidth,a=e.beakWidth,s=e.backgroundColor,l=e.calloutMaxWidth,c=e.calloutMinWidth,u=e.doNotLayer,d=(0,Ue.Km)(un,o),p=o.semanticColors,m=o.effects;return{container:[d.container,{position:"relative"}],root:[d.root,o.fonts.medium,{position:"absolute",display:"flex",zIndex:u?Ue.nA.Layer:void 0,boxSizing:"border-box",borderRadius:m.roundedCorner2,boxShadow:m.elevation16,selectors:(t={},t[Ue.up]={borderWidth:1,borderStyle:"solid",borderColor:"WindowText"},t)},(0,Ue.QN)(),n,!!i&&{width:i},!!l&&{maxWidth:l},!!c&&{minWidth:c}],beak:[d.beak,{position:"absolute",backgroundColor:p.menuBackground,boxShadow:"inherit",border:"inherit",boxSizing:"border-box",transform:"rotate(45deg)"},cn(a),s&&{backgroundColor:s}],beakCurtain:[d.beakCurtain,{position:"absolute",top:0,right:0,bottom:0,left:0,backgroundColor:p.menuBackground,borderRadius:m.roundedCorner2}],calloutMain:[d.calloutMain,{backgroundColor:p.menuBackground,overflowX:"hidden",overflowY:"auto",position:"relative",width:"100%",borderRadius:m.roundedCorner2},r&&{overflowY:"hidden"},s&&{backgroundColor:s}]}}),void 0,{scope:"CalloutContent"}),pn=a.createContext(void 0),mn=function(){return function(){}};pn.Provider;var gn=o(76324),hn=function(e){var t=e.providerRef,o=e.layerRoot,n=a.useState([])[0],r=a.useContext(ae),i=void 0!==r&&!o,s=a.useMemo((function(){return i?void 0:{providerRef:t,registeredProviders:n,registerProvider:function(e){n.push(e),null==r||r.registerProvider(e)},unregisterProvider:function(e){null==r||r.unregisterProvider(e);var t=n.indexOf(e);t>=0&&n.splice(t,1)}}}),[t,n,r,i]);return a.useEffect((function(){if(s)return s.registerProvider(s.providerRef),function(){return s.unregisterProvider(s.providerRef)}}),[s]),s?a.createElement(ae.Provider,{value:s},e.children):a.createElement(a.Fragment,null,e.children)};function fn(e,t){void 0===e&&(e={});var o=vn(t)?t:function(e){return function(t){return e?(0,i.__assign)((0,i.__assign)({},t),e):t}}(t);return o(e)}function vn(e){return"function"==typeof e}var bn=function(e){function t(){var t=null!==e&&e.apply(this,arguments)||this;return t._onCustomizationChange=function(){return t.forceUpdate()},t}return(0,i.__extends)(t,e),t.prototype.componentDidMount=function(){_e.X.observe(this._onCustomizationChange)},t.prototype.componentWillUnmount=function(){_e.X.unobserve(this._onCustomizationChange)},t.prototype.render=function(){var e=this,t=this.props.contextTransform;return a.createElement(Se.Consumer,null,(function(o){var n=function(e,t){var o,n,r,a=(t||{}).customizations,s=void 0===a?{settings:{},scopedSettings:{}}:a;return{customizations:{settings:fn(s.settings,e.settings),scopedSettings:(o=s.scopedSettings,n=e.scopedSettings,void 0===o&&(o={}),(vn(n)?n:(void 0===(r=n)&&(r={}),function(e){var t=(0,i.__assign)({},e);for(var o in r)r.hasOwnProperty(o)&&(t[o]=(0,i.__assign)((0,i.__assign)({},e[o]),r[o]));return t}))(o)),inCustomizerContext:!0}}}(e.props,o);return t&&(n=t(n)),a.createElement(Se.Provider,{value:n},e.props.children)}))},t}(a.Component),yn=o(44778),_n=Le(),Sn=(0,c.J9)((function(e,t){return(0,yn.a)((0,i.__assign)((0,i.__assign)({},e),{rtl:t}))})),Cn=a.forwardRef((function(e,t){var o=e.className,n=e.theme,r=e.applyTheme,s=e.applyThemeToBody,l=e.styles,c=_n(l,{theme:n,applyTheme:r,className:o}),u=a.useRef(null);return function(e,t,o){var n=t.bodyThemed;a.useEffect((function(){if(e){var t=(0,w.Y)(o.current);if(t)return t.body.classList.add(n),function(){t.body.classList.remove(n)}}}),[n,e,o])}(s,c,u),a.createElement(a.Fragment,null,function(e,t,o,n){var r=t.root,s=e.as,l=void 0===s?"div":s,c=e.dir,u=e.theme,d=Q(e,Z,["dir"]),p=function(e){var t=e.theme,o=e.dir,n=De(t)?"rtl":"ltr",r=De()?"rtl":"ltr",i=o||n;return{rootDir:i!==n||i!==r?i:o,needsTheme:i!==n}}(e),m=p.rootDir,g=p.needsTheme,h=a.createElement(hn,{providerRef:o},a.createElement(l,(0,i.__assign)({dir:m},d,{className:r,ref:We(o,n)})));return g&&(h=a.createElement(bn,{settings:{theme:Sn(u,"rtl"===c)}},h)),h}(e,c,u,t))}));Cn.displayName="FabricBase";var xn,Pn={fontFamily:"inherit"},kn={root:"ms-Fabric",bodyThemed:"ms-Fabric-bodyThemed"},In=Pe(Cn,(function(e){var t=e.applyTheme,o=e.className,n=e.preventBlanketFontInheritance,r=e.theme;return{root:[(0,Ue.Km)(kn,r).root,r.fonts.medium,{color:r.palette.neutralPrimary},!n&&{"& button":Pn,"& input":Pn,"& textarea":Pn},t&&{color:r.semanticColors.bodyText,backgroundColor:r.semanticColors.bodyBackground},o],bodyThemed:[{backgroundColor:r.semanticColors.bodyBackground}]}}),void 0,{scope:"Fabric"}),wn={},Tn={},En="fluent-default-layer-host",Dn="#".concat(En),Mn=Le(),On=a.forwardRef((function(e,t){var o,n=null!==(o=a.useContext(pn))&&void 0!==o?o:mn,r=a.useRef(null),s=We(r,t),l=a.useRef(),c=a.useRef(null),d=a.useContext(ae),p=a.useState(!1),m=p[0],h=p[1],f=a.useCallback((function(e){var t,o=!!(null==(t=null==d?void 0:d.providerRef)?void 0:t.current)&&t.current.classList.contains(v.Y2);e&&o&&e.classList.add(v.Y2)}),[d]),b=e.children,y=e.className,_=e.eventBubblingEnabled,S=e.fabricProps,C=e.hostId,x=e.insertFirst,P=e.onLayerDidMount,k=void 0===P?function(){}:P,I=e.onLayerMounted,T=void 0===I?function(){}:I,E=e.onLayerWillUnmount,D=e.styles,M=e.theme,O=We(c,null==S?void 0:S.ref,f),R=Mn(D,{theme:M,className:y,isNotHost:!C}),F=function(){null==E||E();var e=l.current;l.current=void 0,e&&e.parentNode&&e.parentNode.removeChild(e)},B=function(){var e,t,o,n,i=(0,w.Y)(r.current),a=(null===(t=null===(e=r.current)||void 0===e?void 0:e.getRootNode())||void 0===t?void 0:t.host)?null===(o=null==r?void 0:r.current)||void 0===o?void 0:o.getRootNode():void 0;if(i&&(i||a)){var s=function(e,t){var o,n;void 0===t&&(t=null);var r=null!=t?t:e;if(C){var i=function(e){var t=Tn[e];return t&&t[0]||void 0}(C);return i?null!==(o=i.rootRef.current)&&void 0!==o?o:null:null!==(n=r.getElementById(C))&&void 0!==n?n:null}var a=Dn,s=a?r.querySelector(a):null;return s||(s=function(e,t){void 0===t&&(t=null);var o=e.createElement("div");return o.setAttribute("id",En),o.style.cssText="position:fixed;z-index:1000000",t?t.appendChild(o):null==e||e.body.appendChild(o),o}(e,t)),s}(i,a);if(s){s.__tabsterElementFlags||(s.__tabsterElementFlags={}),s.__tabsterElementFlags.noDirectAriaHidden=!0,F();var c=(null!==(n=s.ownerDocument)&&void 0!==n?n:i).createElement("div");c.className=R.root,c.setAttribute(g,"true"),function(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))}(c,r.current),x?s.insertBefore(c,s.firstChild):s.appendChild(c),l.current=c,h(!0)}}};return ze((function(){B(),C&&function(e,t){wn[e]||(wn[e]=[]),wn[e].push(t);var o=Tn[e];if(o)for(var n=0,r=o;n=0&&(o.splice(n,1),0===o.length&&delete wn[e])}var r=Tn[e];if(r)for(var i=0,a=r;iyr[t];)t++}catch(e){t=_r()}br=t}else{if(void 0===vr)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=vr}return t}((0,k.z)(e.current));n!==t&&r(t)}),[e,n]);return Ho(zo(),"resize",i),a.useEffect((function(){void 0===t&&i()}),[t]),null!=t?t:n},xr=a.createContext({}),Pr=Le(),kr=Le(),Ir={items:[],shouldFocusOnMount:!0,gapSpace:0,directionalHint:rt.bottomAutoEdge,beakWidth:16};function wr(e){for(var t=0,o=0,n=e;o0){var f=0;return a.createElement("li",{role:"presentation",key:l.key||e.key||"section-".concat(n)},a.createElement("div",(0,i.__assign)({},d),a.createElement("ul",{className:o.list,role:"presentation"},l.topDivider&&te(n,t,!0,!0),u&&ee(u,e.key||n,t,e.title),l.items.map((function(e,t){var n=J(e,t,f,wr(l.items),r,s,o);if(e.itemType!==ot.Divider&&e.itemType!==ot.Header){var i=e.customOnRenderListLength?e.customOnRenderListLength:1;f+=i}return n})),l.bottomDivider&&te(n,t,!1,!0))))}}},ee=function(e,t,o,n){return a.createElement("li",{role:"presentation",title:n,key:t,className:o.item},e)},te=function(e,t,o,n){return n||e>0?a.createElement("li",{role:"separator",key:"separator-"+e+(void 0===o?"":o?"-top":"-bottom"),className:t.divider,"aria-hidden":"true"}):null},oe=function(e,t,o,n,s,l,c){if(e.onRender)return e.onRender((0,i.__assign)({"aria-posinset":n+1,"aria-setsize":s},e),d);var u={item:e,classNames:t,index:o,focusableElementIndex:n,totalItemCount:s,hasCheckmarks:l,hasIcons:c,contextualMenuItemAs:r.contextualMenuItemAs,onItemMouseEnter:W,onItemMouseLeave:K,onItemMouseMove:V,onItemMouseDown:Fr,executeItemClick:Y,onItemKeyDown:j,expandedMenuItemKey:b,openSubMenu:y,dismissSubMenu:S,dismissMenu:d};if(e.href){var p=cr;return e.contextualMenuItemWrapperAs&&(p=eo(e.contextualMenuItemWrapperAs,p)),a.createElement(p,(0,i.__assign)({},u,{onItemClick:U}))}if(e.split&&oo(e)){var m=gr;return e.contextualMenuItemWrapperAs&&(m=eo(e.contextualMenuItemWrapperAs,m)),a.createElement(m,(0,i.__assign)({},u,{onItemClick:G,onItemClickBase:q,onTap:M}))}var g=hr;return e.contextualMenuItemWrapperAs&&(g=eo(e.contextualMenuItemWrapperAs,g)),a.createElement(g,(0,i.__assign)({},u,{onItemClick:G,onItemClickBase:q}))},ne=function(e,t,o,n,s,l){var c=tr;e.contextualMenuItemAs&&(c=eo(e.contextualMenuItemAs,c)),r.contextualMenuItemAs&&(c=eo(r.contextualMenuItemAs,c));var u=e.itemProps,d=e.id,p=u&&Q(u,Z);return a.createElement("div",(0,i.__assign)({id:d,className:o.header},p,{style:e.style}),a.createElement(c,(0,i.__assign)({item:e,classNames:t,index:n,onCheckmarkClick:s?G:void 0,hasIcons:l},u)))},re=r.isBeakVisible,ie=r.items,ae=r.labelElementId,se=r.id,ce=r.className,ue=r.beakWidth,de=r.directionalHint,pe=r.directionalHintForRTL,me=r.alignTargetEdge,ge=r.gapSpace,he=r.coverTarget,fe=r.ariaLabel,ve=r.doNotLayer,be=r.target,ye=r.bounds,_e=r.useTargetWidth,Se=r.useTargetAsMinWidth,Ce=r.directionalHintFixed,xe=r.shouldFocusOnMount,Pe=r.shouldFocusOnContainer,ke=r.title,Ie=r.styles,we=r.theme,Te=r.calloutProps,Ee=r.onRenderSubMenu,Me=void 0===Ee?Br:Ee,Oe=r.onRenderMenuList,Re=void 0===Oe?function(e,t){return X(e,Ae)}:Oe,Fe=r.focusZoneProps,Be=r.getMenuClassNames,Ae=Be?Be(we,ce):Pr(Ie,{theme:we,className:ce}),Ne=function e(t){for(var o=0,n=t;o0){var Ke=wr(ie),Ge=Ae.subComponentStyles?Ae.subComponentStyles.callout:void 0;return a.createElement(xr.Consumer,null,(function(e){return a.createElement(An,(0,i.__assign)({styles:Ge,onRestoreFocus:h},Te,{target:be||e.target,isBeakVisible:re,beakWidth:ue,directionalHint:de,directionalHintForRTL:pe,gapSpace:ge,coverTarget:he,doNotLayer:ve,className:u("ms-ContextualMenu-Callout",Te&&Te.className),setInitialFocus:xe,onDismiss:r.onDismiss||e.onDismiss,onScroll:T,bounds:ye,directionalHintFixed:Ce,alignTargetEdge:me,hidden:r.hidden||e.hidden,ref:t}),a.createElement("div",{style:B,ref:s,id:se,className:Ae.container,tabIndex:Pe?0:-1,onKeyDown:H,onKeyUp:L,onFocusCapture:k,"aria-label":fe,"aria-labelledby":ae,role:"menu"},ke&&a.createElement("div",{className:Ae.title}," ",ke," "),ie&&ie.length?function(e,t){var o=r.focusZoneAs,n=void 0===o?Yt:o;return a.createElement(n,(0,i.__assign)({},t),e)}(Re({ariaLabel:fe,items:ie,totalItemCount:Ke,hasCheckmarks:He,hasIcons:Ne,defaultMenuItemRenderer:function(e){return function(e,t){var o=e.index,n=e.focusableElementIndex,r=e.totalItemCount,i=e.hasCheckmarks,a=e.hasIcons;return J(e,o,n,r,i,a,t)}(e,Ae)},labelElementId:ae},(function(e,t){return X(e,Ae)})),Le):null,je&&Me(je,Br)),a.createElement(le,null))}))}return null})),(function(e,t){return!(t.shouldUpdateWhenHidden||!e.hidden||!t.hidden)||T(e,t)}));function Rr(e){return e.which===f.alt||"Meta"===e.key}function Fr(e,t){var o;null===(o=e.onMouseDown)||void 0===o||o.call(e,e,t)}function Br(e,t){throw Error("ContextualMenuBase: onRenderSubMenu callback is null or undefined. Please ensure to set `onRenderSubMenu` property either manually or with `styled` helper.")}function Ar(e,t){for(var o=0,n=t;o span":{position:"relative",left:0,top:0}}],rootDisabled:[(0,Ue.gm)(e,{inset:1,highContrastStyle:c,borderColor:"transparent"}),{backgroundColor:s,borderColor:s,color:l,cursor:"default",":hover":$r,":focus":$r}],iconDisabled:(t={color:l},t[Ue.up]={color:"GrayText"},t),menuIconDisabled:(o={color:l},o[Ue.up]={color:"GrayText"},o),flexContainer:{display:"flex",height:"100%",flexWrap:"nowrap",justifyContent:"center",alignItems:"center"},description:{display:"block"},textContainer:{flexGrow:1,display:"block"},icon:ei(i.mediumPlus.fontSize),menuIcon:ei(i.small.fontSize),label:{margin:"0 4px",lineHeight:"100%",display:"block"},screenReaderText:Ue.dX}})),oi=(0,c.J9)((function(e,t){var o,n,r,i=ti(e),a={root:(o={padding:"0 4px",height:"40px",color:e.palette.neutralPrimary,backgroundColor:"transparent",border:"1px solid transparent"},o[Ue.up]={borderColor:"Window"},o),rootHovered:(n={color:e.palette.themePrimary},n[Ue.up]={color:"Highlight"},n),iconHovered:{color:e.palette.themePrimary},rootPressed:{color:e.palette.black},rootExpanded:{color:e.palette.themePrimary},iconPressed:{color:e.palette.themeDarker},rootDisabled:(r={color:e.palette.neutralTertiary,backgroundColor:"transparent",borderColor:"transparent"},r[Ue.up]={color:"GrayText"},r),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,Ue.TW)(i,a,t)})),ni=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,i.__extends)(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.theme;return a.createElement(Ur,(0,i.__assign)({},this.props,{variantClassName:"ms-Button--action ms-Button--command",styles:oi(o,t),onRenderDescription:$}))},(0,i.__decorate)([Jr("ActionButton",["theme","styles"],!0)],t)}(a.Component),ri=(0,c.J9)((function(e,t){var o,n,r,a,s,l,c,u,d,p,m,g,h,f,v,b,y=e.effects,_=e.palette,S=e.semanticColors,C={left:-2,top:-2,bottom:-2,right:-2,border:"none"},x={position:"absolute",width:1,right:31,top:8,bottom:8},P={splitButtonContainer:[(0,Ue.gm)(e,{highContrastStyle:C,inset:2,pointerEvents:"none"}),{display:"inline-flex",".ms-Button--default":{borderTopRightRadius:"0",borderBottomRightRadius:"0",borderRight:"none",flexGrow:"1"},".ms-Button--primary":(o={borderTopRightRadius:"0",borderBottomRightRadius:"0",border:"none",flexGrow:"1",":hover":{border:"none"},":active":{border:"none"}},o[Ue.up]=(0,i.__assign)((0,i.__assign)({color:"WindowText",backgroundColor:"Window",border:"1px solid WindowText",borderRightWidth:"0"},(0,Ue.Qg)()),{":hover":{backgroundColor:"Highlight",border:"1px solid Highlight",borderRightWidth:"0",color:"HighlightText"},":active":{border:"1px solid Highlight"}}),o),".ms-Button--default + .ms-Button":(n={},n[Ue.up]={border:"1px solid WindowText",borderLeftWidth:"0",":hover":{backgroundColor:"HighlightText",borderColor:"Highlight",color:"Highlight",".ms-Button-menuIcon":(0,i.__assign)({backgroundColor:"HighlightText",color:"Highlight"},(0,Ue.Qg)())}},n),'.ms-Button--default + .ms-Button[aria-expanded="true"]':(r={},r[Ue.up]={backgroundColor:"HighlightText",borderColor:"Highlight",color:"Highlight",".ms-Button-menuIcon":(0,i.__assign)({backgroundColor:"HighlightText",color:"Highlight"},(0,Ue.Qg)())},r),".ms-Button--primary + .ms-Button":(a={border:"none"},a[Ue.up]={border:"1px solid WindowText",borderLeftWidth:"0",":hover":{borderLeftWidth:"0",backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText",".ms-Button-menuIcon":(0,i.__assign)((0,i.__assign)({},(0,Ue.Qg)()),{color:"HighlightText"})}},a),'.ms-Button--primary + .ms-Button[aria-expanded="true"]':(0,i.__assign)((0,i.__assign)({backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},(0,Ue.Qg)()),{".ms-Button-menuIcon":{color:"HighlightText"}}),".ms-Button.is-disabled":(s={},s[Ue.up]={color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},s)}],splitButtonContainerHovered:{".ms-Button--default.is-disabled":(l={backgroundColor:S.buttonBackgroundDisabled,color:S.buttonTextDisabled},l[Ue.up]={color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},l),".ms-Button--primary.is-disabled":(c={backgroundColor:S.primaryButtonBackgroundDisabled,color:S.primaryButtonTextDisabled},c[Ue.up]={color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},c)},splitButtonContainerChecked:{".ms-Button--primary":(u={},u[Ue.up]=(0,i.__assign)({color:"Window",backgroundColor:"WindowText"},(0,Ue.Qg)()),u)},splitButtonContainerCheckedHovered:{".ms-Button--primary":(d={},d[Ue.up]=(0,i.__assign)({color:"Window",backgroundColor:"WindowText"},(0,Ue.Qg)()),d)},splitButtonContainerFocused:{outline:"none!important"},splitButtonMenuButton:(p={padding:6,height:"auto",boxSizing:"border-box",borderRadius:0,borderTopRightRadius:y.roundedCorner2,borderBottomRightRadius:y.roundedCorner2,border:"1px solid ".concat(_.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},p[Ue.up]={".ms-Button-menuIcon":{color:"WindowText"}},p),splitButtonDivider:(0,i.__assign)((0,i.__assign)({},x),(m={},m[Ue.up]={backgroundColor:"WindowText"},m)),splitButtonDividerDisabled:(0,i.__assign)((0,i.__assign)({},x),(g={},g[Ue.up]={backgroundColor:"GrayText"},g)),splitButtonMenuButtonDisabled:(h={pointerEvents:"none",border:"none",":hover":{cursor:"default"},".ms-Button--primary":(f={},f[Ue.up]={color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},f),".ms-Button-menuIcon":(v={},v[Ue.up]={color:"GrayText"},v)},h[Ue.up]={color:"GrayText",border:"1px solid GrayText",backgroundColor:"Window"},h),splitButtonFlexContainer:{display:"flex",height:"100%",flexWrap:"nowrap",justifyContent:"center",alignItems:"center"},splitButtonContainerDisabled:(b={outline:"none",border:"none"},b[Ue.up]=(0,i.__assign)({color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},(0,Ue.Qg)()),b),splitButtonMenuFocused:(0,i.__assign)({},(0,Ue.gm)(e,{highContrastStyle:C,inset:2}))};return(0,Ue.TW)(P,t)})),ii=(0,c.J9)((function(e,t,o,n){var r,a,s,l,c,u,d,p,m,g,h,f,v,b=ti(e),y=ri(e),_=e.palette,S=e.semanticColors,C={root:[(0,Ue.gm)(e,{inset:2,highContrastStyle:{left:4,top:4,bottom:4,right:4,border:"none"},borderColor:"transparent"}),e.fonts.medium,(r={minWidth:"40px",backgroundColor:_.white,color:_.neutralPrimary,padding:"0 4px",border:"none",borderRadius:0},r[Ue.up]={border:"none"},r)],rootHovered:(a={backgroundColor:_.neutralLighter,color:_.neutralDark},a[Ue.up]={color:"Highlight"},a[".".concat(Vr.msButtonIcon)]={color:_.themeDarkAlt},a[".".concat(Vr.msButtonMenuIcon)]={color:_.neutralPrimary},a),rootPressed:(s={backgroundColor:_.neutralLight,color:_.neutralDark},s[".".concat(Vr.msButtonIcon)]={color:_.themeDark},s[".".concat(Vr.msButtonMenuIcon)]={color:_.neutralPrimary},s),rootChecked:(l={backgroundColor:_.neutralLight,color:_.neutralDark},l[".".concat(Vr.msButtonIcon)]={color:_.themeDark},l[".".concat(Vr.msButtonMenuIcon)]={color:_.neutralPrimary},l),rootCheckedHovered:(c={backgroundColor:_.neutralQuaternaryAlt},c[".".concat(Vr.msButtonIcon)]={color:_.themeDark},c[".".concat(Vr.msButtonMenuIcon)]={color:_.neutralPrimary},c),rootExpanded:(u={backgroundColor:_.neutralLight,color:_.neutralDark},u[".".concat(Vr.msButtonIcon)]={color:_.themeDark},u[".".concat(Vr.msButtonMenuIcon)]={color:_.neutralPrimary},u),rootExpandedHovered:{backgroundColor:_.neutralQuaternaryAlt},rootDisabled:(d={backgroundColor:_.white},d[".".concat(Vr.msButtonIcon)]=(p={color:S.disabledBodySubtext},p[Ue.up]=(0,i.__assign)({color:"GrayText"},(0,Ue.Qg)()),p),d[Ue.up]=(0,i.__assign)({color:"GrayText",backgroundColor:"Window"},(0,Ue.Qg)()),d),splitButtonContainer:(m={height:"100%"},m[Ue.up]={border:"none"},m),splitButtonDividerDisabled:(g={},g[Ue.up]={backgroundColor:"Window"},g),splitButtonDivider:{backgroundColor:_.neutralTertiaryAlt},splitButtonMenuButton:{backgroundColor:_.white,border:"none",borderTopRightRadius:"0",borderBottomRightRadius:"0",color:_.neutralSecondary,":hover":(h={backgroundColor:_.neutralLighter,color:_.neutralDark},h[Ue.up]={color:"Highlight"},h[".".concat(Vr.msButtonIcon)]={color:_.neutralPrimary},h),":active":(f={backgroundColor:_.neutralLight},f[".".concat(Vr.msButtonIcon)]={color:_.neutralPrimary},f)},splitButtonMenuButtonDisabled:(v={backgroundColor:_.white},v[Ue.up]=(0,i.__assign)({color:"GrayText",border:"none",backgroundColor:"Window"},(0,Ue.Qg)()),v),splitButtonMenuButtonChecked:{backgroundColor:_.neutralLight,color:_.neutralDark,":hover":{backgroundColor:_.neutralQuaternaryAlt}},splitButtonMenuButtonExpanded:{backgroundColor:_.neutralLight,color:_.black,":hover":{backgroundColor:_.neutralQuaternaryAlt}},splitButtonMenuIcon:{color:_.neutralPrimary},splitButtonMenuIconDisabled:{color:_.neutralTertiary},label:{fontWeight:"normal"},icon:{color:_.themePrimary},menuIcon:{color:_.neutralSecondary}};return(0,Ue.TW)(b,y,C,t)})),ai=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,i.__extends)(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.theme;return a.createElement(Ur,(0,i.__assign)({},this.props,{variantClassName:"ms-Button--commandBar",styles:ii(o,t),onRenderDescription:$}))},(0,i.__decorate)([Jr("CommandBarButton",["theme","styles"],!0)],t)}(a.Component),si=ni;function li(e){var t,o,n,r,a,s=e.semanticColors,l=e.palette,c=s.buttonBackground,u=s.buttonBackgroundPressed,d=s.buttonBackgroundHovered,p=s.buttonBackgroundDisabled,m=s.buttonText,g=s.buttonTextHovered,h=s.buttonTextDisabled,f=s.buttonTextChecked,v=s.buttonTextCheckedHovered;return{root:{backgroundColor:c,color:m},rootHovered:(t={backgroundColor:d,color:g},t[Ue.up]={borderColor:"Highlight",color:"Highlight"},t),rootPressed:{backgroundColor:u,color:f},rootExpanded:{backgroundColor:u,color:f},rootChecked:{backgroundColor:u,color:f},rootCheckedHovered:{backgroundColor:u,color:v},rootDisabled:(o={color:h,backgroundColor:p},o[Ue.up]={color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},o),splitButtonContainer:(n={},n[Ue.up]={border:"none"},n),splitButtonMenuButton:{color:l.white,backgroundColor:"transparent",":hover":(r={backgroundColor:l.neutralLight},r[Ue.up]={color:"Highlight"},r)},splitButtonMenuButtonDisabled:{backgroundColor:s.buttonBackgroundDisabled,":hover":{backgroundColor:s.buttonBackgroundDisabled}},splitButtonDivider:(0,i.__assign)((0,i.__assign)({},{position:"absolute",width:1,right:31,top:8,bottom:8}),(a={backgroundColor:l.neutralTertiaryAlt},a[Ue.up]={backgroundColor:"WindowText"},a)),splitButtonDividerDisabled:{backgroundColor:e.palette.neutralTertiaryAlt},splitButtonMenuButtonChecked:{backgroundColor:l.neutralQuaternaryAlt,":hover":{backgroundColor:l.neutralQuaternaryAlt}},splitButtonMenuButtonExpanded:{backgroundColor:l.neutralQuaternaryAlt,":hover":{backgroundColor:l.neutralQuaternaryAlt}},splitButtonMenuIcon:{color:s.buttonText},splitButtonMenuIconDisabled:{color:s.buttonTextDisabled}}}function ci(e){var t,o,n,r,a,s,l,c,u,d=e.palette,p=e.semanticColors;return{root:(t={backgroundColor:p.primaryButtonBackground,border:"1px solid ".concat(p.primaryButtonBackground),color:p.primaryButtonText},t[Ue.up]=(0,i.__assign)({color:"Window",backgroundColor:"WindowText",borderColor:"WindowText"},(0,Ue.Qg)()),t[".".concat(v.Y2," &:focus, :host(.").concat(v.Y2,") &:focus")]={":after":{border:"none",outlineColor:d.white}},t),rootHovered:(o={backgroundColor:p.primaryButtonBackgroundHovered,border:"1px solid ".concat(p.primaryButtonBackgroundHovered),color:p.primaryButtonTextHovered},o[Ue.up]={color:"Window",backgroundColor:"Highlight",borderColor:"Highlight"},o),rootPressed:(n={backgroundColor:p.primaryButtonBackgroundPressed,border:"1px solid ".concat(p.primaryButtonBackgroundPressed),color:p.primaryButtonTextPressed},n[Ue.up]=(0,i.__assign)({color:"Window",backgroundColor:"WindowText",borderColor:"WindowText"},(0,Ue.Qg)()),n),rootExpanded:{backgroundColor:p.primaryButtonBackgroundPressed,color:p.primaryButtonTextPressed},rootChecked:{backgroundColor:p.primaryButtonBackgroundPressed,color:p.primaryButtonTextPressed},rootCheckedHovered:{backgroundColor:p.primaryButtonBackgroundPressed,color:p.primaryButtonTextPressed},rootDisabled:(r={color:p.primaryButtonTextDisabled,backgroundColor:p.primaryButtonBackgroundDisabled},r[Ue.up]={color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},r),splitButtonContainer:(a={},a[Ue.up]={border:"none"},a),splitButtonDivider:(0,i.__assign)((0,i.__assign)({},{position:"absolute",width:1,right:31,top:8,bottom:8}),(s={backgroundColor:d.white},s[Ue.up]={backgroundColor:"Window"},s)),splitButtonMenuButton:(l={backgroundColor:p.primaryButtonBackground,color:p.primaryButtonText},l[Ue.up]={backgroundColor:"Canvas"},l[":hover"]=(c={backgroundColor:p.primaryButtonBackgroundHovered},c[Ue.up]={color:"Highlight"},c),l),splitButtonMenuButtonDisabled:{backgroundColor:p.primaryButtonBackgroundDisabled,":hover":{backgroundColor:p.primaryButtonBackgroundDisabled}},splitButtonMenuButtonChecked:{backgroundColor:p.primaryButtonBackgroundPressed,":hover":{backgroundColor:p.primaryButtonBackgroundPressed}},splitButtonMenuButtonExpanded:{backgroundColor:p.primaryButtonBackgroundPressed,":hover":{backgroundColor:p.primaryButtonBackgroundPressed}},splitButtonMenuIcon:{color:p.primaryButtonText},splitButtonMenuIconDisabled:(u={color:d.neutralTertiary},u[Ue.up]={color:"GrayText"},u)}}var ui,di,pi,mi,gi=(0,c.J9)((function(e,t,o){var n,r,a,s,l,c=e.fonts,u=e.palette,d=ti(e),p=ri(e),m={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:Ue.BO.semibold},description:[c.small,{lineHeight:"100%"}]},g={description:{color:u.neutralSecondary},descriptionHovered:{color:u.neutralDark},descriptionPressed:{color:"inherit"},descriptionChecked:{color:"inherit"},descriptionDisabled:{color:"inherit"}},h={description:(n={color:u.white},n[Ue.up]=(0,i.__assign)({backgroundColor:"WindowText",color:"Window"},(0,Ue.Qg)()),n),descriptionHovered:(r={color:u.white},r[Ue.up]={backgroundColor:"Highlight",color:"Window"},r),descriptionPressed:(a={color:"inherit"},a[Ue.up]=(0,i.__assign)({color:"Window",backgroundColor:"WindowText"},(0,Ue.Qg)()),a),descriptionChecked:(s={color:"inherit"},s[Ue.up]=(0,i.__assign)({color:"Window",backgroundColor:"WindowText"},(0,Ue.Qg)()),s),descriptionDisabled:(l={color:"inherit"},l[Ue.up]={color:"inherit"},l)};return(0,Ue.TW)(d,m,o?ci(e):li(e),o?h:g,p,t)})),hi=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,i.__extends)(t,e),t.prototype.render=function(){var e=this.props,t=e.primary,o=void 0!==t&&t,n=e.styles,r=e.theme;return a.createElement(Ur,(0,i.__assign)({},this.props,{variantClassName:o?"ms-Button--compoundPrimary":"ms-Button--compound",styles:gi(r,n,o)}))},(0,i.__decorate)([Jr("CompoundButton",["theme","styles"],!0)],t)}(a.Component),fi=(0,c.J9)((function(e,t,o){var n=ti(e),r=ri(e),i={root:{minWidth:"80px",height:"32px"},label:{fontWeight:Ue.BO.semibold}};return(0,Ue.TW)(n,i,o?ci(e):li(e),r,t)})),vi=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,i.__extends)(t,e),t.prototype.render=function(){var e=this.props,t=e.primary,o=void 0!==t&&t,n=e.styles,r=e.theme;return a.createElement(Ur,(0,i.__assign)({},this.props,{variantClassName:o?"ms-Button--primary":"ms-Button--default",styles:fi(r,n,o),onRenderDescription:$}))},(0,i.__decorate)([Jr("DefaultButton",["theme","styles"],!0)],t)}(a.Component),bi=(0,c.J9)((function(e,t){var o,n=ti(e),r=ri(e),i=e.palette,a={root:{padding:"0 4px",width:"32px",height:"32px",backgroundColor:"transparent",border:"none",color:e.semanticColors.link},rootHovered:(o={color:i.themeDarkAlt,backgroundColor:i.neutralLighter},o[Ue.up]={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,Ue.TW)(n,a,r,t)})),yi=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,i.__extends)(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.theme;return a.createElement(Ur,(0,i.__assign)({},this.props,{variantClassName:"ms-Button--icon",styles:bi(o,t),onRenderText:$,onRenderDescription:$}))},(0,i.__decorate)([Jr("IconButton",["theme","styles"],!0)],t)}(a.Component),_i=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,i.__extends)(t,e),t.prototype.render=function(){return a.createElement(vi,(0,i.__assign)({},this.props,{primary:!0,onRenderDescription:$}))},(0,i.__decorate)([Jr("PrimaryButton",["theme","styles"],!0)],t)}(a.Component);!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"}(ui||(ui={})),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"}(di||(di={})),function(e){e[e.FirstDay=0]="FirstDay",e[e.FirstFullWeek=1]="FirstFullWeek",e[e.FirstFourDayWeek=2]="FirstFourDayWeek"}(pi||(pi={})),function(e){e[e.Day=0]="Day",e[e.Week=1]="Week",e[e.Month=2]="Month",e[e.WorkWeek=3]="WorkWeek"}(mi||(mi={}));var Si={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()}},Ci=(0,i.__assign)((0,i.__assign)({},{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"}),xi={MillisecondsInOneDay:864e5,MillisecondsIn1Sec:1e3,MillisecondsIn1Min:6e4,MillisecondsIn30Mins:18e5,MillisecondsIn1Hour:36e5,MinutesInOneDay:1440,MinutesInOneHour:60,DaysInOneWeek:7,MonthInOneYear:12,HoursInOneDay:24,SecondsInOneMinute:60,OffsetTo24HourFormat:12,TimeFormatRegex:/^(\d\d?):(\d\d):?(\d\d)? ?([ap]m)?/i};function Pi(e,t){var o=new Date(e.getTime());return o.setDate(o.getDate()+t),o}function ki(e,t){return Pi(e,t*xi.DaysInOneWeek)}function Ii(e,t){var o=new Date(e.getTime()),n=o.getMonth()+t;return o.setMonth(n),o.getMonth()!==(n%xi.MonthInOneYear+xi.MonthInOneYear)%xi.MonthInOneYear&&(o=Pi(o,-o.getDate())),o}function wi(e,t){var o=new Date(e.getTime());return o.setFullYear(e.getFullYear()+t),o.getMonth()!==(e.getMonth()%xi.MonthInOneYear+xi.MonthInOneYear)%xi.MonthInOneYear&&(o=Pi(o,-o.getDate())),o}function Ti(e){return new Date(e.getFullYear(),e.getMonth(),1,0,0,0,0)}function Ei(e){return new Date(e.getFullYear(),e.getMonth()+1,0,0,0,0,0)}function Di(e,t){return Ii(e,t-e.getMonth())}function Mi(e,t){return!e&&!t||!(!e||!t)&&e.getFullYear()===t.getFullYear()&&e.getMonth()===t.getMonth()&&e.getDate()===t.getDate()}function Oi(e,t){return Ni(e)-Ni(t)}function Ri(e,t,o,n,r){void 0===r&&(r=1);var i,a=[],s=null;switch(n||(n=[ui.Monday,ui.Tuesday,ui.Wednesday,ui.Thursday,ui.Friday]),r=Math.max(r,1),t){case mi.Day:s=Pi(i=Ai(e),r);break;case mi.Week:case mi.WorkWeek:i=function(e,t){var o=t-e.getDay();return o>0&&(o-=xi.DaysInOneWeek),Pi(e,o)}(Ai(e),o),s=Pi(i,xi.DaysInOneWeek);break;case mi.Month:s=Ii(i=new Date(e.getFullYear(),e.getMonth(),1),1);break;default:throw new Error("Unexpected object: "+t)}var l=i;do{(t!==mi.WorkWeek||-1!==n.indexOf(l.getDay()))&&a.push(l),l=Pi(l,1)}while(!Mi(l,s));return a}function Fi(e,t){for(var o=0,n=t;o=o&&(a-=xi.DaysInOneWeek);var s=n-a;return s<0&&(0!=(a=(t-(r-=i%xi.DaysInOneWeek)+2*xi.DaysInOneWeek)%xi.DaysInOneWeek)&&a+1>=o&&(a-=xi.DaysInOneWeek),s=i-a),Math.floor(s/xi.DaysInOneWeek+1)}function Hi(e){for(var t=e.getMonth(),o=e.getFullYear(),n=0,r=0;r=0}))),o&&(n=n.filter((function(e){return Oi(e,o)<=0}))),n},Gi=function(e,t){var o=t.minDate;return!!o&&Oi(o,e)>=1},Ui=function(e,t){var o=t.maxDate;return!!o&&Oi(e,o)>=1},Yi=function(e,t){var o=t.restrictedDates,n=t.minDate,r=t.maxDate;return!!(o||n||r)&&(o&&o.some((function(t){return Mi(t,e)}))||Gi(e,t)||Ui(e,t))},qi=function(e){var t=e.showWeekNumbers,o=e.strings,n=e.firstDayOfWeek,r=e.allFocusable,i=e.weeksToShow,l=e.weeks,c=e.classNames,d=o.shortDays.slice(),p=s(l[1],(function(e){return 1===e.originalDate.getDate()}));return 1===i&&p>=0&&(d[(p+n)%7]=o.shortMonths[l[1][p].originalDate.getMonth()]),a.createElement("tr",null,t&&a.createElement("th",{className:c.dayCell}),d.map((function(e,t){var i=(t+n)%7,s=o.days[i];return a.createElement("th",{className:u(c.dayCell,c.weekDayLabelCell),scope:"col",key:d[i]+" "+t,title:s,"aria-label":s,"data-is-focusable":!!r||void 0},d[i])})))},Xi=function(e){var t=e.targetDate,o=e.initialDate,n=e.direction,r=(0,i.__rest)(e,["targetDate","initialDate","direction"]),a=t;if(!Yi(t,r))return t;for(;0!==Oi(o,a)&&Yi(a,r)&&!Ui(a,r)&&!Gi(a,r);)a=Pi(a,n);return 0===Oi(o,a)||Yi(a,r)?void 0:a},Zi=function(e){var t,o=e.navigatedDate,n=e.dateTimeFormatter,r=e.allFocusable,i=e.strings,s=e.activeDescendantId,l=e.navigatedDayRef,c=e.calculateRoundedStyles,d=e.weeks,p=e.classNames,m=e.day,g=e.dayIndex,h=e.weekIndex,v=e.weekCorners,b=e.ariaHidden,y=e.customDayCellRef,_=e.dateRangeType,S=e.daysToSelectInDayView,C=e.onSelectDate,x=e.restrictedDates,P=e.minDate,k=e.maxDate,I=e.onNavigateDate,w=e.getDayInfosInRangeOfDay,T=e.getRefsFromDayInfos,E=null!==(t=null==v?void 0:v[h+"_"+g])&&void 0!==t?t:"",D=Mi(o,m.originalDate),M=m.originalDate.getDate()+", "+i.months[m.originalDate.getMonth()]+", "+m.originalDate.getFullYear();return m.isMarked&&(M=M+", "+i.dayMarkedAriaLabel),a.createElement("td",{className:u(p.dayCell,v&&E,m.isSelected&&p.daySelected,m.isSelected&&"ms-CalendarDay-daySelected",!m.isInBounds&&p.dayOutsideBounds,!m.isInMonth&&p.dayOutsideNavigatedMonth),ref:function(e){null==y||y(e,m.originalDate,p),m.setRef(e),D&&(l.current=e)},"aria-hidden":b,"aria-disabled":!b&&!m.isInBounds,onClick:m.isInBounds&&!b?m.onSelected:void 0,onMouseOver:b?void 0:function(e){var t=w(m),o=T(t);o.forEach((function(e,n){var r;if(e&&(e.classList.add("ms-CalendarDay-hoverStyle"),!t[n].isSelected&&_===mi.Day&&S&&S>1)){e.classList.remove(p.bottomLeftCornerDate,p.bottomRightCornerDate,p.topLeftCornerDate,p.topRightCornerDate);var i=c(p,!1,!1,n>0,n1)){var i=c(p,!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=[];p.push(t(e,l,c,u,d)),p.push(function(e,t,o,n,r){var i=[];return t||i.push(e.datesAbove),o||i.push(e.datesBelow),n||i.push(De()?e.datesRight:e.datesLeft),r||i.push(De()?e.datesLeft:e.datesRight),i.join(" ")}(e,l,c,u,d)),r[a+"_"+s]=p.join(" ")}))})),r},t]}(e),d=u[0],p=u[1];a.useImperativeHandle(e.componentRef,(function(){return{focus:function(){var e,o;null===(o=null===(e=t.current)||void 0===e?void 0:e.focus)||void 0===o||o.call(e)}}}),[]);var m=e.styles,g=e.theme,h=e.className,f=e.dateRangeType,v=e.showWeekNumbers,b=e.labelledBy,y=e.lightenDaysOutsideNavigatedMonth,_=e.animationDirection,S=Ji(m,{theme:g,className:h,dateRangeType:f,showWeekNumbers:v,lightenDaysOutsideNavigatedMonth:void 0===y||y,animationDirection:_,animateBackwards:c}),C=d(S,l),x={weeks:l,navigatedDayRef:t,calculateRoundedStyles:p,activeDescendantId:o,classNames:S,weekCorners:C,getDayInfosInRangeOfDay:function(t){var o=function(e,t){if(t&&e===mi.WorkWeek){for(var o=t.slice().sort(),n=!0,r=1;rd,_=v===(new Date).getFullYear(),a.createElement(fa,(0,i.__assign)({},e,{key:v,year:v,selected:b,current:_,disabled:y,onSelectYear:p,componentRef:b?h:_?f:void 0,theme:o})))),P++}return a.createElement(Yt,null,a.createElement("div",{className:S.gridContainer,role:"grid","aria-label":x},k.map((function(e,t){return a.createElement.apply(a,(0,i.__spreadArray)(["div",{key:"yearPickerRow_"+t+"_"+r,role:"row",className:S.buttonRow}],e,!1))}))))};ba.displayName="CalendarYearGrid",function(e){e[e.Previous=0]="Previous",e[e.Next=1]="Next"}(va||(va={}));var ya=function(e){var t,o=e.styles,n=e.theme,r=e.className,i=e.navigationIcons,s=void 0===i?ma:i,l=e.strings,c=void 0===l?ha:l,d=e.direction,p=e.onSelectPrev,m=e.onSelectNext,g=e.fromYear,h=e.toYear,v=e.maxYear,b=e.minYear,y=ga(o,{theme:n,className:r}),_=d===va.Previous?c.prevRangeAriaLabel:c.nextRangeAriaLabel,S=d===va.Previous?-12:12,C=_?"string"==typeof _?_:_({fromYear:g+S,toYear:h+S}):void 0,x=d===va.Previous?void 0!==b&&gv,P=function(){d===va.Previous?null==p||p():null==m||m()},k=De()?d===va.Next:d===va.Previous;return a.createElement("button",{className:u(y.navigationButton,(t={},t[y.disabled]=x,t)),onClick:x?void 0:P,onKeyDown:x?void 0:function(e){e.which===f.enter&&P()},type:"button",title:C,disabled:x},a.createElement(tt,{iconName:k?s.leftNavigation:s.rightNavigation}))};ya.displayName="CalendarYearNavArrow";var _a=function(e){var t=e.styles,o=e.theme,n=e.className,r=ga(t,{theme:o,className:n});return a.createElement("div",{className:r.navigationButtonsContainer},a.createElement(ya,(0,i.__assign)({},e,{direction:va.Previous})),a.createElement(ya,(0,i.__assign)({},e,{direction:va.Next})))};_a.displayName="CalendarYearNav";var Sa=function(e){var t=e.styles,o=e.theme,n=e.className,r=e.fromYear,i=e.toYear,s=e.strings,l=void 0===s?ha:s,c=e.animateBackwards,u=e.animationDirection,d=function(){var t;null===(t=e.onHeaderSelect)||void 0===t||t.call(e,!0)},p=function(t){var o,n;return null!==(n=null===(o=e.onRenderYear)||void 0===o?void 0:o.call(e,t))&&void 0!==n?n:t},m=ga(t,{theme:o,className:n,hasHeaderClickCallback:!!e.onHeaderSelect,animateBackwards:c,animationDirection:u});if(e.onHeaderSelect){var g=l.rangeAriaLabel,h=l.headerAriaLabelFormatString,v=g?"string"==typeof g?g:g(e):void 0,b=h?Vi(h,v):v;return a.createElement("button",{className:m.currentItemButton,onClick:d,onKeyDown:function(e){e.which!==f.enter&&e.which!==f.space||d()},"aria-label":b,role:"button",type:"button"},a.createElement("span",{"aria-live":"assertive","aria-atomic":"true"},p(r)," - ",p(i)))}return a.createElement("div",{className:m.current},p(r)," - ",p(i))};Sa.displayName="CalendarYearTitle";var Ca=function(e){var t,o=e.styles,n=e.theme,r=e.className,s=e.animateBackwards,l=e.animationDirection,c=e.onRenderTitle,u=ga(o,{theme:n,className:r,hasHeaderClickCallback:!!e.onHeaderSelect,animateBackwards:s,animationDirection:l});return a.createElement("div",{className:u.headerContainer},null!==(t=null==c?void 0:c(e))&&void 0!==t?t:a.createElement(Sa,(0,i.__assign)({},e)),a.createElement(_a,(0,i.__assign)({},e)))};Ca.displayName="CalendarYearHeader";var xa=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=ir(r);return i&&i!==r?i>r:void 0}(e),o=function(e){var t=e.selectedYear,o=e.navigatedYear,n=a.useMemo((function(){return t||o||10*Math.floor((new Date).getFullYear()/10)}),[o,t]),r=a.useState(n),i=r[0],s=r[1];return a.useEffect((function(){s(n)}),[n]),[i,i+12-1,function(){s((function(e){return e+12}))},function(){s((function(e){return e-12}))}]}(e),n=o[0],r=o[1],s=o[2],l=o[3],c=a.useRef(null);a.useImperativeHandle(e.componentRef,(function(){return{focus:function(){var e,t;null===(t=null===(e=c.current)||void 0===e?void 0:e.focus)||void 0===t||t.call(e)}}}));var u=e.styles,d=e.theme,p=e.className,m=ga(u,{theme:d,className:p});return a.createElement("div",{className:m.root},a.createElement(Ca,(0,i.__assign)({},e,{fromYear:n,toYear:r,onSelectPrev:l,onSelectNext:s,animateBackwards:t})),a.createElement(ba,(0,i.__assign)({},e,{fromYear:n,toYear:r,animateBackwards:t,componentRef:c})))};xa.displayName="CalendarYearBase";var Pa=Pe(xa,(function(e){return ua(e)}),void 0,{scope:"CalendarYear"}),ka=Le(),Ia={styles:da,strings:void 0,navigationIcons:ma,dateTimeFormatter:Si,yearPickerHidden:!1},wa=function(e){var t,o,n=Zt(Ia,e),r=function(e){var t=e.componentRef,o=a.useRef(null),n=a.useRef(null),r=a.useRef(!1),i=a.useCallback((function(){n.current?n.current.focus():o.current&&o.current.focus()}),[]);return a.useImperativeHandle(t,(function(){return{focus:i}}),[i]),a.useEffect((function(){r.current&&(i(),r.current=!1)})),[o,n,function(){r.current=!0}]}(n),i=r[0],s=r[1],l=r[2],c=a.useState(!1),d=c[0],p=c[1],m=function(e){var t=e.navigatedDate.getFullYear(),o=ir(t);return void 0===o||o===t?void 0:o>t}(n),g=n.navigatedDate,h=n.selectedDate,f=n.strings,v=n.today,b=void 0===v?new Date:v,y=n.navigationIcons,_=n.dateTimeFormatter,S=n.minDate,C=n.maxDate,x=n.theme,P=n.styles,k=n.className,I=n.allFocusable,w=n.highlightCurrentMonth,T=n.highlightSelectedMonth,E=n.animationDirection,D=n.yearPickerHidden,M=n.onNavigateDate,O=function(e){return function(){return B(e)}},R=function(){M(wi(g,1),!1)},F=function(){M(wi(g,-1),!1)},B=function(e){var t;null===(t=n.onHeaderSelect)||void 0===t||t.call(n),M(Di(g,e),!0)},A=function(){var e;D?null===(e=n.onHeaderSelect)||void 0===e||e.call(n):(l(),p(!0))},N=y.leftNavigation,L=y.rightNavigation,H=_,j=!S||Oi(S,new Date(g.getFullYear(),0,1,0,0,0,0))<0,z=!C||Oi(new Date(g.getFullYear()+1,0,0,0,0,0,0),C)<0,W=ka(P,{theme:x,className:k,hasHeaderClickCallback:!!n.onHeaderSelect||!D,highlightCurrent:w,highlightSelected:T,animateBackwards:m,animationDirection:E});if(d){var V=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"".concat(r(e.fromYear)," - ").concat(r(e.toYear))};return[r,{rangeAriaLabel:i,prevRangeAriaLabel:function(e){return t.prevYearRangeAriaLabel?"".concat(t.prevYearRangeAriaLabel," ").concat(i(e)):""},nextRangeAriaLabel:function(e){return t.nextYearRangeAriaLabel?"".concat(t.nextYearRangeAriaLabel," ").concat(i(e)):""},headerAriaLabelFormatString:t.yearPickerHeaderAriaLabel}]}(n),K=V[0],G=V[1];return a.createElement(Pa,{key:"calendarYear",minYear:S?S.getFullYear():void 0,maxYear:C?C.getFullYear():void 0,onSelectYear:function(e){if(l(),g.getFullYear()!==e){var t=new Date(g.getTime());t.setFullYear(e),C&&t>C?t=Di(t,C.getMonth()):S&&t71||d.height>71),imageSize:d,focused:n}),y=Q(v,Y),_=y.className,S=(0,i.__rest)(y,["className"]),C=function(){return a.createElement("span",{id:t.labelId,className:"ms-ChoiceFieldLabel"},t.text)},x=function(){var e=t.imageAlt,o=void 0===e?"":e,n=t.selectedImageSrc,r=(t.onRenderLabel?at(t.onRenderLabel,C):C)((0,i.__assign)((0,i.__assign)({},t),{key:t.itemKey}));return a.createElement("label",{htmlFor:g,className:b.field},c&&a.createElement("div",{className:b.innerField},a.createElement("div",{className:b.imageWrapper},a.createElement(qe,(0,i.__assign)({src:c,alt:o},d))),a.createElement("div",{className:b.selectedImageWrapper},a.createElement(qe,(0,i.__assign)({src:n,alt:o},d)))),l&&a.createElement("div",{className:b.innerField},a.createElement("div",{className:b.iconWrapper},a.createElement(tt,(0,i.__assign)({},l)))),c||l?a.createElement("div",{className:b.labelWrapper},r):r)},P=t.onRenderField,k=void 0===P?x:P;return a.createElement("div",{className:b.root},a.createElement("div",{className:b.choiceFieldWrapper},a.createElement("input",(0,i.__assign)({"aria-label":o,id:g,className:u(b.input,_),type:"radio",name:f,disabled:p,checked:m,required:r},S,{onChange:function(e){var o;null===(o=t.onChange)||void 0===o||o.call(t,e,(0,i.__assign)((0,i.__assign)({},t),{key:t.itemKey}))},onFocus:function(e){var o;null===(o=t.onFocus)||void 0===o||o.call(t,e,(0,i.__assign)((0,i.__assign)({},t),{key:t.itemKey}))},onBlur:function(e){var o;null===(o=t.onBlur)||void 0===o||o.call(t,e)}})),k((0,i.__assign)((0,i.__assign)({},t),{key:t.itemKey}),x)))};Za.displayName="ChoiceGroupOption";var Qa={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"},Ja="200ms",$a="cubic-bezier(.4, 0, .23, 1)";function es(e,t){var o,n;return["is-inFocus",{selectors:(o={},o[".".concat(v.Y2," &, :host(.").concat(v.Y2,") &")]={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 ".concat(e),position:"absolute",selectors:(n={},n[Ue.up]={borderColor:"WindowText",borderWidth:t?1:2},n)}}},o)}]}function ts(e,t,o){return[t,{paddingBottom:2,transitionProperty:"opacity",transitionDuration:Ja,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 os=Pe(Za,(function(e){var t,o,n,r,a,s=e.theme,l=e.hasIcon,c=e.hasImage,u=e.checked,d=e.disabled,p=e.imageIsLarge,m=e.focused,g=e.imageSize,h=s.palette,f=s.semanticColors,v=s.fonts,b=(0,Ue.Km)(Qa,s),y=h.neutralPrimary,_=f.inputBorderHovered,S=f.inputBackgroundChecked,C=h.themeDark,x=f.disabledBodySubtext,P=f.bodyBackground,k=h.neutralSecondary,I=f.inputBackgroundChecked,w=h.themeDark,T=f.disabledBodySubtext,E=h.neutralDark,D=f.focusBorder,M=f.inputBorderHovered,O=f.inputBackgroundChecked,R=h.themeDark,F=h.neutralLighter,B={selectors:{".ms-ChoiceFieldLabel":{color:E},":before":{borderColor:u?C:_},":after":[!l&&!c&&!u&&{content:'""',transitionProperty:"background-color",left:5,top:5,width:10,height:10,backgroundColor:k},u&&{borderColor:w,background:w}]}},A={borderColor:u?R:M,selectors:{":before":{opacity:1,borderColor:u?C:_}}},N=[{content:'""',display:"inline-block",backgroundColor:P,borderWidth:1,borderStyle:"solid",borderColor:y,width:20,height:20,fontWeight:"normal",position:"absolute",top:0,left:0,boxSizing:"border-box",transitionProperty:"border-color",transitionDuration:Ja,transitionTimingFunction:$a,borderRadius:"50%"},d&&{borderColor:x,selectors:(t={},t[Ue.up]=(0,i.__assign)({borderColor:"GrayText",background:"Window"},(0,Ue.Qg)()),t)},u&&{borderColor:d?x:S,selectors:(o={},o[Ue.up]={borderColor:"Highlight",background:"Window",forcedColorAdjust:"none"},o)},(l||c)&&{top:3,right:3,left:"auto",opacity:u?1:0}],L=[{content:'""',width:0,height:0,borderRadius:"50%",position:"absolute",left:10,right:0,transitionProperty:"border-width",transitionDuration:Ja,transitionTimingFunction:$a,boxSizing:"border-box"},u&&{borderWidth:5,borderStyle:"solid",borderColor:d?T:I,background:I,left:5,top:5,width:10,height:10,selectors:(n={},n[Ue.up]={borderColor:"Highlight",forcedColorAdjust:"none"},n)},u&&(l||c)&&{top:8,right:8,left:"auto"}];return{root:[b.root,s.fonts.medium,{display:"flex",alignItems:"center",boxSizing:"border-box",color:f.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:F,height:"100%"}],choiceFieldWrapper:[b.choiceFieldWrapper,m&&es(D,l||c)],input:[b.input,{position:"absolute",opacity:0,top:0,right:0,width:"100%",height:"100%",margin:0},d&&"is-disabled"],field:[b.field,u&&b.checked,{display:"inline-block",cursor:"pointer",marginTop:0,position:"relative",verticalAlign:"top",userSelect:"none",minHeight:20,selectors:{":hover":!d&&B,":focus":!d&&B,":before":N,":after":L}},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:Ja,transitionTimingFunction:"ease",border:"1px solid transparent",justifyContent:"center",alignItems:"center",display:"flex",flexDirection:"column"},u&&{borderColor:O},(l||c)&&!d&&{selectors:{":hover":A,":focus":A}},d&&{cursor:"default",selectors:{".ms-ChoiceFieldLabel":{color:f.disabledBodyText,selectors:(r={},r[Ue.up]=(0,i.__assign)({color:"GrayText"},(0,Ue.Qg)()),r)}}},u&&d&&{borderColor:F}],innerField:[b.innerField,c&&{height:g.height,width:g.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[Ue.up]={color:"GrayText",opacity:1},a)}],imageWrapper:ts(!1,b.imageWrapper,u),selectedImageWrapper:ts(!0,b.imageWrapper,u),iconWrapper:[b.iconWrapper,{fontSize:32,lineHeight:32,height:32}],labelWrapper:[b.labelWrapper,v.medium,(l||c)&&{display:"block",position:"relative",margin:"4px 8px 2px 8px",height:32,lineHeight:15,maxWidth:2*g.width,overflow:"hidden",whiteSpace:"pre-wrap"}]}}),void 0,{scope:"ChoiceGroupOption"}),ns=Le(),rs=function(e,t){return"".concat(t,"-").concat(e.key)},is=function(e,t){return void 0===t?void 0:function(e,o){var n=s(e,(function(e){return e.key===t}));if(!(n<0))return e[n]}(e)},as=function(e,t,o,n,r){var i=is(e,t)||e.filter((function(e){return!e.disabled}))[0],a=i&&(null==r?void 0:r.getElementById(rs(i,o)));a&&(a.focus(),(0,v.Fy)(!0,a,n))},ss=a.forwardRef((function(e,t){var o=e.className,n=e.theme,r=e.styles,s=e.options,l=void 0===s?[]:s,c=e.label,u=e.required,d=e.disabled,p=e.name,m=e.defaultSelectedKey,g=e.componentRef,h=e.onChange,f=fr("ChoiceGroup"),v=fr("ChoiceGroupLabel"),b=Q(e,Z,["onChange","className","required"]),y=ns(r,{theme:n,className:o,optionsContainIconOrImage:l.some((function(e){return!(!e.iconProps&&!e.imageSrc)}))}),_=e.ariaLabelledBy||(c?v:e["aria-labelledby"]),S=Ma(e.selectedKey,m),C=S[0],x=S[1],P=a.useState(),k=P[0],I=P[1],w=a.useRef(null),T=We(w,t),E=a.useContext(ae);!function(e,t,o,n,r){var i=qo();a.useImperativeHandle(n,(function(){return{get checkedOption(){return is(e,t)},focus:function(){as(e,t,o,r,i)}}}),[e,t,o,r,i])}(l,C,f,g,null==E?void 0:E.registeredProviders),se(w);var D=a.useCallback((function(e,t){var o;t&&(I(t.itemKey),null===(o=t.onFocus)||void 0===o||o.call(t,e))}),[]),M=a.useCallback((function(e,t){var o;I(void 0),null===(o=null==t?void 0:t.onBlur)||void 0===o||o.call(t,e)}),[]),O=a.useCallback((function(e,t){var o;t&&(x(t.itemKey),null===(o=t.onChange)||void 0===o||o.call(t,e),null==h||h(e,is(l,t.itemKey)))}),[h,l,x]),R=a.useCallback((function(e){(function(e){return e.relatedTarget instanceof HTMLElement&&"true"===e.relatedTarget.dataset.isFocusTrapZoneBumper})(e)&&as(l,C,f,null==E?void 0:E.registeredProviders)}),[l,C,f,E]);return a.createElement("div",(0,i.__assign)({className:y.root},b,{ref:T}),a.createElement("div",(0,i.__assign)({role:"radiogroup"},_&&{"aria-labelledby":_},{onFocus:R}),c&&a.createElement(Ya,{className:y.label,required:u,id:v,disabled:d},c),a.createElement("div",{className:y.flexContainer},l.map((function(e){return a.createElement(os,(0,i.__assign)({itemKey:e.key},e,{key:e.key,onBlur:M,onFocus:D,onChange:O,focused:e.key===k,checked:e.key===C,disabled:e.disabled||d,id:rs(e,f),labelId:e.labelId||"".concat(v,"-").concat(e.key),name:p||f,required:u}))})))))}));ss.displayName="ChoiceGroup";var ls,cs={root:"ms-ChoiceFieldGroup",flexContainer:"ms-ChoiceFieldGroup-flexContainer"},us=Pe(ss,(function(e){var t=e.className,o=e.optionsContainIconOrImage,n=e.theme,r=(0,Ue.Km)(cs,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"}),ds=o(68606),ps=function(e){function t(t){var o=e.call(this,t)||this;return o.state={isRendered:void 0===(0,k.z)()},o}return(0,i.__extends)(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?a.Children.only(this.props.children):null},t.defaultProps={delay:0},t}(a.Component),ms=function(){var e,t=(0,k.z)();return!!(null===(e=null==t?void 0:t.navigator)||void 0===e?void 0:e.userAgent)&&t.navigator.userAgent.indexOf("rv:11.0")>-1},gs=Le(),hs="TextField",fs=function(e){function t(t){var o=e.call(this,t)||this;o._textElement=a.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?a.createElement(Ya,{required:n,htmlFor:o._id,styles:r,disabled:e.disabled,id:o._labelId},e.label):null},o._onRenderDescription=function(e){return e.description?a.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=vs(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},_(o),o._async=new I(o),o._fallbackId=N(hs),o._descriptionId=N(hs+"Description"),o._labelId=N(hs+"Label"),o._prefixId=N(hs+"Prefix"),o._suffixId=N(hs+"Suffix"),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,i.__extends)(t,e),Object.defineProperty(t.prototype,"value",{get:function(){return vs(this.props,this.state)},enumerable:!1,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=vs(e,t),c=this.value;l!==c&&(this._warnControlledUsage(e),this.state.errorMessage&&!n.errorMessage&&this.setState({errorMessage:""}),this._adjustInputHeight(),bs(n)&&this._delayedValidate(c))},t.prototype.render=function(){var e=this.props,t=e.borderless,o=e.className,n=e.disabled,r=e.invalid,s=e.iconProps,l=e.inputClassName,c=e.label,u=e.multiline,d=e.required,p=e.underlined,m=e.prefix,g=e.resizable,h=e.suffix,f=e.theme,v=e.styles,b=e.autoAdjustHeight,y=e.canRevealPassword,_=e.revealPasswordAriaLabel,S=e.type,C=e.onRenderPrefix,x=void 0===C?this._onRenderPrefix:C,P=e.onRenderSuffix,I=void 0===P?this._onRenderSuffix:P,w=e.onRenderLabel,T=void 0===w?this._onRenderLabel:w,E=e.onRenderDescription,D=void 0===E?this._onRenderDescription:E,M=this.state,O=M.isFocused,R=M.isRevealingPassword,F=this._errorMessage,B="boolean"==typeof r?r:!!F,A=!!y&&"password"===S&&function(){if("boolean"!=typeof ls){var e=(0,k.z)();if(null==e?void 0:e.navigator){var t=/Edg/.test(e.navigator.userAgent||"");ls=!(ms()||t)}else ls=!0}return ls}(),N=this._classNames=gs(v,{theme:f,className:o,disabled:n,focused:O,required:d,multiline:u,hasLabel:!!c,hasErrorMessage:B,borderless:t,resizable:g,hasIcon:!!s,underlined:p,inputClassName:l,autoAdjustHeight:b,hasRevealButton:A});return a.createElement("div",{ref:this.props.elementRef,className:N.root},a.createElement("div",{className:N.wrapper},T(this.props,this._onRenderLabel),a.createElement("div",{className:N.fieldGroup},(void 0!==m||this.props.onRenderPrefix)&&a.createElement("div",{className:N.prefix,id:this._prefixId},x(this.props,this._onRenderPrefix)),u?this._renderTextArea():this._renderInput(),s&&a.createElement(tt,(0,i.__assign)({className:N.icon},s)),A&&a.createElement("button",{"aria-label":_,className:N.revealButton,onClick:this._onRevealButtonClick,"aria-pressed":!!R,type:"button"},a.createElement("span",{className:N.revealSpan},a.createElement(tt,{className:N.revealIcon,iconName:R?"Hide":"RedEye"}))),(void 0!==h||this.props.onRenderSuffix)&&a.createElement("div",{className:N.suffix,id:this._suffixId},I(this.props,this._onRenderSuffix)))),this._isDescriptionAvailable&&a.createElement("span",{id:this._descriptionId},D(this.props,this._onRenderDescription),F&&a.createElement("div",{role:"alert"},a.createElement(ps,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:!1,configurable:!0}),Object.defineProperty(t.prototype,"selectionEnd",{get:function(){return this._textElement.current?this._textElement.current.selectionEnd:-1},enumerable:!1,configurable:!0}),t.prototype.setSelectionRange=function(e,t){this._textElement.current&&this._textElement.current.setSelectionRange(e,t)},t.prototype._warnControlledUsage=function(e){this._id,this.props,null!==this.props.value||this._hasWarnedNullValue||(this._hasWarnedNullValue=!0,(0,ds.R)("Warning: 'value' prop on '".concat(hs,"' 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:!1,configurable:!0}),Object.defineProperty(t.prototype,"_isControlled",{get:function(){return void 0!==(e=this.props)["value"]&&null!==e.value;var e},enumerable:!1,configurable:!0}),t.prototype._onRenderPrefix=function(e){var t=e.prefix;return a.createElement("span",{style:{paddingBottom:"1px"}},t)},t.prototype._onRenderSuffix=function(e){var t=e.suffix;return a.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:!1,configurable:!0}),t.prototype._renderErrorMessage=function(){var e=this._errorMessage;return e?"string"==typeof e?a.createElement("p",{className:this._classNames.errorMessage},a.createElement("span",{"data-automation-id":"error-message"},e)):a.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:!1,configurable:!0}),t.prototype._renderTextArea=function(){var e=this.props.invalid,t=void 0===e?!!this._errorMessage:e,o=Q(this.props,q,["defaultValue"]),n=this.props["aria-labelledby"]||(this.props.label?this._labelId:void 0);return a.createElement("textarea",(0,i.__assign)({id:this._id},o,{ref:this._textElement,value:this.value||"",onInput:this._onInputChange,onChange:this._onInputChange,className:this._classNames.field,"aria-labelledby":n,"aria-describedby":this._isDescriptionAvailable?this._descriptionId:this.props["aria-describedby"],"aria-invalid":t,"aria-label":this.props.ariaLabel,readOnly:this.props.readOnly,onFocus:this._onFocus,onBlur:this._onBlur}))},t.prototype._renderInput=function(){var e=this.props,t=e.ariaLabel,o=e.invalid,n=void 0===o?!!this._errorMessage:o,r=e.onRenderPrefix,s=e.onRenderSuffix,l=e.prefix,c=e.suffix,u=e.type,d=void 0===u?"text":u,p=[];e.label&&p.push(this._labelId),(void 0!==l||r)&&p.push(this._prefixId),(void 0!==c||s)&&p.push(this._suffixId);var m=(0,i.__assign)((0,i.__assign)({type:this.state.isRevealingPassword?"text":d,id:this._id},Q(this.props,Y,["defaultValue","type"])),{"aria-labelledby":this.props["aria-labelledby"]||(p.length>0?p.join(" "):void 0),ref:this._textElement,value:this.value||"",onInput:this._onInputChange,onChange:this._onInputChange,className:this._classNames.field,"aria-label":t,"aria-describedby":this._isDescriptionAvailable?this._descriptionId:this.props["aria-describedby"],"aria-invalid":n,onFocus:this._onFocus,onBlur:this._onBlur}),g=function(e){return a.createElement("input",(0,i.__assign)({},e))};return(this.props.onRenderInput||g)(m,g)},t.prototype._validate=function(e){var t=this;if(this._latestValidateValue!==e||!bs(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(){var e,t;if(this._textElement.current&&this.props.autoAdjustHeight&&this.props.multiline){var o=null===(t=null===(e=this.props.scrollContainerRef)||void 0===e?void 0:e.current)||void 0===t?void 0:t.scrollTop,n=this._textElement.current;n.style.height="",n.style.height=n.scrollHeight+"px",o&&(this.props.scrollContainerRef.current.scrollTop=o)}},t.defaultProps={resizable:!0,deferredValidationTime:200,validateOnLoad:!0},t}(a.Component);function vs(e,t){var o=e.value,n=void 0===o?t.uncontrolledValue:o;return"number"==typeof n?String(n):n}function bs(e){return!(e.validateOnFocusIn||e.validateOnFocusOut)}var ys={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 _s(e){var t=e.underlined,o=e.disabled,n=e.focused,r=e.theme,i=r.palette,a=r.fonts;return function(){var e;return{root:[t&&o&&{color:i.neutralTertiary},t&&{fontSize:a.medium.fontSize,marginRight:8,paddingLeft:12,paddingRight:0,lineHeight:"22px",height:32},t&&n&&{selectors:(e={},e[Ue.up]={height:31},e)}]}}}var Ss,Cs=Pe(fs,(function(e){var t,o,n,r,a,s,l,c,u,d,p,m,g=e.theme,h=e.className,f=e.disabled,v=e.focused,b=e.required,y=e.multiline,_=e.hasLabel,S=e.borderless,C=e.underlined,x=e.hasIcon,P=e.resizable,k=e.hasErrorMessage,I=e.inputClassName,w=e.autoAdjustHeight,T=e.hasRevealButton,E=g.semanticColors,D=g.effects,M=g.fonts,O=(0,Ue.Km)(ys,g),R={background:E.disabledBackground,color:f?E.disabledText:E.inputPlaceholderText,display:"flex",alignItems:"center",padding:"0 10px",lineHeight:1,whiteSpace:"nowrap",flexShrink:0,selectors:(t={},t[Ue.up]={background:"Window",color:f?"GrayText":"WindowText"},t)},F=[{color:E.inputPlaceholderText,opacity:1,selectors:(o={},o[Ue.up]={color:"GrayText"},o)}],B={color:E.disabledText,selectors:(n={},n[Ue.up]={color:"GrayText"},n)};return{root:[O.root,M.medium,b&&O.required,f&&O.disabled,v&&O.active,y&&O.multiline,S&&O.borderless,C&&O.underlined,Ue.S8,{position:"relative"},h],wrapper:[O.wrapper,C&&[{display:"flex",borderBottom:"1px solid ".concat(k?E.errorText:E.inputBorder),width:"100%"},f&&{borderBottomColor:E.disabledBackground,selectors:(r={},r[Ue.up]=(0,i.__assign)({borderColor:"GrayText"},(0,Ue.Qg)()),r)},!f&&{selectors:{":hover":{borderBottomColor:k?E.errorText:E.inputBorderHovered,selectors:(a={},a[Ue.up]=(0,i.__assign)({borderBottomColor:"Highlight"},(0,Ue.Qg)()),a)}}},v&&[{position:"relative"},(0,Ue.Sq)(k?E.errorText:E.inputFocusBorderAlt,0,"borderBottom")]]],fieldGroup:[O.fieldGroup,Ue.S8,{border:"1px solid ".concat(E.inputBorder),borderRadius:D.roundedCorner2,background:E.inputBackground,cursor:"text",height:32,display:"flex",flexDirection:"row",alignItems:"stretch",position:"relative"},y&&{minHeight:"60px",height:"auto",display:"flex"},!v&&!f&&{selectors:{":hover":{borderColor:E.inputBorderHovered,selectors:(s={},s[Ue.up]=(0,i.__assign)({borderColor:"Highlight"},(0,Ue.Qg)()),s)}}},v&&!C&&(0,Ue.Sq)(k?E.errorText:E.inputFocusBorderAlt,D.roundedCorner2),f&&{borderColor:E.disabledBackground,selectors:(l={},l[Ue.up]=(0,i.__assign)({borderColor:"GrayText"},(0,Ue.Qg)()),l),cursor:"default"},S&&{border:"none"},S&&v&&{border:"none",selectors:{":after":{border:"none"}}},C&&{flex:"1 1 0px",border:"none",textAlign:"left"},C&&f&&{backgroundColor:"transparent"},k&&!C&&{borderColor:E.errorText,selectors:{"&:hover":{borderColor:E.errorText}}},!_&&b&&{selectors:(c={":before":{content:"'*'",color:E.errorText,position:"absolute",top:-5,right:-10}},c[Ue.up]={selectors:{":before":{color:"WindowText",right:-14}}},c)}],field:[M.medium,O.field,Ue.S8,{borderRadius:0,border:"none",background:"none",backgroundColor:"transparent",color:E.inputText,padding:"0 8px",width:"100%",minWidth:0,textOverflow:"ellipsis",outline:0,selectors:(u={"&:active, &:focus, &:hover":{outline:0},"::-ms-clear":{display:"none"}},u[Ue.up]={background:"Window",color:f?"GrayText":"WindowText"},u)},(0,Ue.CX)(F),y&&!P&&[O.unresizable,{resize:"none"}],y&&{minHeight:"inherit",lineHeight:17,flexGrow:1,paddingTop:6,paddingBottom:6,overflow:"auto",width:"100%"},y&&w&&{overflow:"hidden"},x&&!T&&{paddingRight:24},y&&x&&{paddingRight:40},f&&[{backgroundColor:E.disabledBackground,color:E.disabledText,borderColor:E.disabledBackground},(0,Ue.CX)(B)],C&&{textAlign:"left"},v&&!S&&{selectors:(d={},d[Ue.up]={paddingLeft:11,paddingRight:11},d)},v&&y&&!S&&{selectors:(p={},p[Ue.up]={paddingTop:4},p)},I],icon:[y&&{paddingRight:24,alignItems:"flex-end"},{pointerEvents:"none",position:"absolute",bottom:6,right:8,top:"auto",fontSize:Ue.fF.medium,lineHeight:18},f&&{color:E.disabledText}],description:[O.description,{color:E.bodySubtext,fontSize:M.xSmall.fontSize}],errorMessage:[O.errorMessage,Ue.lw.slideDownIn20,M.small,{color:E.errorText,margin:0,paddingTop:5,display:"flex",alignItems:"center"}],prefix:[O.prefix,R],suffix:[O.suffix,R],revealButton:[O.revealButton,"ms-Button","ms-Button--icon",(0,Ue.gm)(g,{inset:1}),{height:30,width:32,border:"none",padding:"0px 4px",backgroundColor:"transparent",color:E.link,selectors:{":hover":{outline:0,color:E.primaryButtonBackgroundHovered,backgroundColor:E.buttonBackgroundHovered,selectors:(m={},m[Ue.up]={borderColor:"Highlight",color:"Highlight"},m)},":focus":{outline:0}}},x&&{marginRight:28}],revealSpan:{display:"flex",height:"100%",alignItems:"center"},revealIcon:{margin:"0px 4px",pointerEvents:"none",bottom:6,right:8,top:"auto",fontSize:Ue.fF.medium,lineHeight:18},subComponentStyles:{label:_s(e)}}}),void 0,{scope:"TextField"});!function(e){e[e.Parent=0]="Parent",e[e.Self=1]="Self"}(Ss||(Ss={}));var xs,Ps=Le(),ks=function(e){function t(){var t=null!==e&&e.apply(this,arguments)||this;return t._onRenderContent=function(e){return"string"==typeof e.content?a.createElement("p",{className:t._classNames.subText},e.content):a.createElement("div",{className:t._classNames.subText},e.content)},t}return(0,i.__extends)(t,e),t.prototype.render=function(){var e=this.props,t=e.className,o=e.calloutProps,n=e.directionalHint,r=e.directionalHintForRTL,s=e.styles,l=e.id,c=e.maxWidth,u=e.onRenderContent,d=void 0===u?this._onRenderContent:u,p=e.targetElement,m=e.theme;return this._classNames=Ps(s,{theme:m,className:t||o&&o.className,beakWidth:o&&o.isBeakVisible?o.beakWidth:0,gapSpace:o&&o.gapSpace,maxWidth:c}),a.createElement(An,(0,i.__assign)({target:p,directionalHint:n,directionalHintForRTL:r},o,Q(this.props,Z,["id"]),{className:this._classNames.root}),a.createElement("div",{className:this._classNames.content,id:l,onFocus:this.props.onFocus,onMouseEnter:this.props.onMouseEnter,onMouseLeave:this.props.onMouseLeave},d(this.props,this._onRenderContent)))},t.defaultProps={directionalHint:rt.topCenter,maxWidth:"364px",calloutProps:{isBeakVisible:!0,beakWidth:16,gapSpace:0,setInitialFocus:!0,doNotLayer:!1}},t}(a.Component),Is=Pe(ks,(function(e){var t=e.className,o=e.beakWidth,n=void 0===o?16:o,r=e.gapSpace,i=void 0===r?0:r,a=e.maxWidth,s=e.theme,l=s.semanticColors,c=s.fonts,u=s.effects,d=-(Math.sqrt(n*n/2)+i)+1/window.devicePixelRatio;return{root:["ms-Tooltip",s.fonts.medium,Ue.lw.fadeIn200,{background:l.menuBackground,boxShadow:u.elevation8,padding:"8px",maxWidth:a,selectors:{":after":{content:"''",position:"absolute",bottom:d,left:d,right:d,top:d,zIndex:0}}},t],content:["ms-Tooltip-content",c.small,{position:"relative",zIndex:1,color:l.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"});!function(e){e[e.zero=0]="zero",e[e.medium=1]="medium",e[e.long=2]="long"}(xs||(xs={}));var ws=Le(),Ts=function(e){function t(o){var n=e.call(this,o)||this;return n._tooltipHost=a.createRef(),n._defaultTooltipId=N("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 Ss.Parent:return n._tooltipHost.current.parentElement;case Ss.Self:return n._tooltipHost.current}return n._tooltipHost.current}},n._onTooltipFocus=function(e){n._ignoreNextFocusEvent?n._ignoreNextFocusEvent=!1:n._onTooltipMouseEnter(e)},n._onTooltipContentFocus=function(e){t._currentVisibleTooltip&&t._currentVisibleTooltip!==n&&t._currentVisibleTooltip.dismiss(),t._currentVisibleTooltip=n,n._clearDismissTimer(),n._clearOpenTimer()},n._onTooltipBlur=function(e){var t;n._ignoreNextFocusEvent=(null===(t=Zo(n.context))||void 0===t?void 0:t.activeElement)===e.target,n._dismissTimerId=n._async.setTimeout((function(){n._hideTooltip()}),0)},n._onTooltipMouseEnter=function(e){var o,r=n.props,i=r.overflowMode,a=r.delay,s=Zo(n.context);if(t._currentVisibleTooltip&&t._currentVisibleTooltip!==n&&t._currentVisibleTooltip.dismiss(),t._currentVisibleTooltip=n,void 0!==i){var l=n._getTargetElement();if(l&&!function(e){return e.clientWidtht?t:e}function Hs(e,t,o){return[js(e),js(t),js(o)].join("")}function js(e){var t=(e=Ls(e,Rs)).toString(16);return 1===t.length?"0"+t:t}function zs(e){return"#".concat(function(e,t,o){var n=Ns(e,100,100);return Hs(n.r,n.g,n.b)}(e.h))}function Ws(e,t,o,n,r){return n===Fs||"number"!=typeof n?"#".concat(r):"rgba(".concat(e,", ").concat(t,", ").concat(o,", ").concat(n/Fs,")")}function Vs(e,t,o){var n=Ns(e.h,t,o),r=n.r,a=n.g,s=n.b,l=Hs(r,a,s);return(0,i.__assign)((0,i.__assign)({},e),{s:t,v:o,r,g:a,b:s,hex:l,str:Ws(r,a,s,e.a,l)})}var Ks=Le(),Gs=function(e){function t(t){var o=e.call(this,t)||this;return o._disposables=[],o._root=a.createRef(),o._isAdjustingSaturation=!0,o._descriptionId=N("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 f.up:o._isAdjustingSaturation=!1,r+=i;break;case f.down:o._isAdjustingSaturation=!1,r-=i;break;case f.left:o._isAdjustingSaturation=!0,n-=i;break;case f.right:o._isAdjustingSaturation=!0,n+=i;break;default:return}o._updateColor(e,Vs(t,Ls(n,Ms),Ls(r,Os)))},o._onMouseDown=function(e){var t=Qo(o.context);o._disposables.push(io(t,"mousemove",o._onMouseMove,!0),io(t,"mouseup",o._disposeListeners,!0)),o._onMouseMove(e)},o._onMouseMove=function(e){if(o._root.current){var t=Us(e,o.state.color,o._root.current);t&&o._updateColor(e,t)}},o._onTouchStart=function(e){o._root.current&&e.stopPropagation()},o._onTouchMove=function(e){if(o._root.current){var t=Us(e,o.state.color,o._root.current);t&&o._updateColor(e,t),e.preventDefault(),e.stopPropagation()}},o._disposeListeners=function(){o._disposables.forEach((function(e){return e()})),o._disposables=[]},_(o),o.state={color:t.color},o}return(0,i.__extends)(t,e),Object.defineProperty(t.prototype,"color",{get:function(){return this.state.color},enumerable:!1,configurable:!0}),t.prototype.componentDidUpdate=function(e,t){e!==this.props&&this.props.color&&this.setState({color:this.props.color})},t.prototype.componentDidMount=function(){this._root.current&&(this._root.current.addEventListener("touchstart",this._onTouchStart,{capture:!0,passive:!1}),this._root.current.addEventListener("touchmove",this._onTouchMove,{capture:!0,passive:!1}))},t.prototype.componentWillUnmount=function(){this._root.current&&(this._root.current.removeEventListener("touchstart",this._onTouchStart),this._root.current.removeEventListener("touchmove",this._onTouchMove)),this._disposeListeners()},t.prototype.render=function(){var e=this.props,t=e.minSize,o=e.theme,n=e.className,r=e.styles,i=e.ariaValueFormat,s=e.ariaLabel,l=e.ariaDescription,c=this.state.color,u=Ks(r,{theme:o,className:n,minSize:t}),d=i.replace("{0}",String(c.s)).replace("{1}",String(c.v));return a.createElement("div",{ref:this._root,tabIndex:0,className:u.root,style:{backgroundColor:zs(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":Os,"aria-label":s,"aria-describedby":this._descriptionId,"data-is-focusable":!0},a.createElement("div",{className:u.description,id:this._descriptionId},l),a.createElement("div",{className:u.light}),a.createElement("div",{className:u.dark}),a.createElement("div",{className:u.thumb,style:{left:c.s+"%",top:Os-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.contextType=jo,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}(a.Component);function Us(e,t,o){var n=o.getBoundingClientRect(),r=void 0,i=e;if(i.touches){var a=i.touches[i.touches.length-1];void 0!==a.clientX&&void 0!==a.clientY&&(r={clientX:a.clientX,clientY:a.clientY})}if(!r){var s=e;void 0!==s.clientX&&void 0!==s.clientY&&(r={clientX:s.clientX,clientY:s.clientY})}if(r){var l=(r.clientX-n.left)/n.width,c=(r.clientY-n.top)/n.height;return Vs(t,Ls(Math.round(l*Ms),Ms),Ls(Math.round(Os-c*Os),Os))}}var Ys=Pe(Gs,(function(e){var t,o,n=e.className,r=e.theme,a=e.minSize,s=r.palette,l=r.effects;return{root:["ms-ColorPicker-colorRect",{position:"relative",marginBottom:8,border:"1px solid ".concat(s.neutralLighter),borderRadius:l.roundedCorner2,minWidth:a,minHeight:a,outline:"none",selectors:(t={},t[Ue.up]=(0,i.__assign)({},(0,Ue.Qg)()),t[".".concat(v.Y2," &:focus, :host(.").concat(v.Y2,") &:focus")]=(o={outline:"1px solid ".concat(s.neutralSecondary)},o["".concat(Ue.up)]={outline:"2px solid CanvasText"},o),t)},n],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 ".concat(s.neutralSecondaryAlt),borderRadius:"50%",boxShadow:l.elevation8,transform:"translate(-50%, -50%)",selectors:{":before":{position:"absolute",left:0,right:0,top:0,bottom:0,border:"2px solid ".concat(s.white),borderRadius:"50%",boxSizing:"border-box",content:'""'}}}],description:Ue.dX}}),void 0,{scope:"ColorRectangle"}),qs=Le(),Xs=function(e){function t(t){var o=e.call(this,t)||this;return o._disposables=[],o._root=a.createRef(),o._onKeyDown=function(e){var t=o.value,n=o._maxValue,r=e.shiftKey?10:1;switch(e.which){case f.left:t-=r;break;case f.right:t+=r;break;case f.home:t=0;break;case f.end:t=n;break;default:return}o._updateValue(e,Ls(t,n))},o._onMouseDown=function(e){var t=(0,k.z)(o);t&&o._disposables.push(io(t,"mousemove",o._onMouseMove,!0),io(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=Ls(Math.round(r*t),t);o._updateValue(e,i)}},o._onTouchStart=function(e){o._root.current&&e.stopPropagation()},o._onTouchMove=function(e){if(o._root.current){var t=e.touches[e.touches.length-1];if(void 0!==t.clientX){var n=o._maxValue,r=o._root.current.getBoundingClientRect(),i=(t.clientX-r.left)/r.width,a=Ls(Math.round(i*n),n);o._updateValue(e,a)}e.preventDefault(),e.stopPropagation()}},o._disposeListeners=function(){o._disposables.forEach((function(e){return e()})),o._disposables=[]},_(o),"hue"===o._type||t.overlayColor||t.overlayStyle||(0,ds.R)("ColorSlider: 'overlayColor' is required when 'type' is \"alpha\" or \"transparency\""),o.state={currentValue:t.value||0},o}return(0,i.__extends)(t,e),Object.defineProperty(t.prototype,"value",{get:function(){return this.state.currentValue},enumerable:!1,configurable:!0}),t.prototype.componentDidUpdate=function(e,t){e!==this.props&&void 0!==this.props.value&&this.setState({currentValue:this.props.value})},t.prototype.componentDidMount=function(){this._root.current&&(this._root.current.addEventListener("touchstart",this._onTouchStart,{capture:!0,passive:!1}),this._root.current.addEventListener("touchmove",this._onTouchMove,{capture:!0,passive:!1}))},t.prototype.componentWillUnmount=function(){this._root.current&&(this._root.current.removeEventListener("touchstart",this._onTouchStart),this._root.current.removeEventListener("touchmove",this._onTouchMove)),this._disposeListeners()},t.prototype.render=function(){var e=this._type,t=this._maxValue,o=this.props,n=o.overlayStyle,r=o.overlayColor,i=o.theme,s=o.className,l=o.styles,c=o.ariaLabel,u=void 0===c?e:c,d=this.value,p=qs(l,{theme:i,className:s,type:e}),m=100*d/t;return a.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},!(!r&&!n)&&a.createElement("div",{className:p.sliderOverlay,style:r?{background:"transparency"===e?"linear-gradient(to right, #".concat(r,", transparent)"):"linear-gradient(to right, transparent, #".concat(r,")")}:n}),a.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:!1,configurable:!0}),Object.defineProperty(t.prototype,"_maxValue",{get:function(){return"hue"===this._type?359:Fs},enumerable:!1,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}(a.Component),Zs={background:"linear-gradient(".concat(["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(","),")")},Qs={backgroundImage:"url(data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAAoAAAAKCAYAAACNMs+9AAAAJUlEQVQYV2N89erVfwY0ICYmxoguxjgUFKI7GsTH5m4M3w1ChQC1/Ca8i2n1WgAAAABJRU5ErkJggg==)"},Js=Pe(Xs,(function(e){var t,o,n=e.theme,r=e.className,i=e.type,a=void 0===i?"hue":i,s=e.isAlpha,l=void 0===s?"hue"!==a:s,c=n.palette,u=n.effects;return{root:["ms-ColorPicker-slider",{position:"relative",height:20,marginBottom:8,border:"1px solid ".concat(c.neutralLight),borderRadius:u.roundedCorner2,boxSizing:"border-box",outline:"none",forcedColorAdjust:"none",selectors:(t={},t[".".concat(v.Y2," &:focus")]=(o={outline:"1px solid ".concat(c.neutralSecondary)},o["".concat(Ue.up)]={outline:"2px solid CanvasText"},o),t)},l?Qs:Zs,r],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 ".concat(c.neutralSecondaryAlt),borderRadius:"50%",boxShadow:u.elevation8,transform:"translate(-50%, -50%)",top:"50%",forcedColorAdjust:"auto"}]}}),void 0,{scope:"ColorSlider"});function $s(e){if(e){var t=e.match(/^rgb(a?)\(([\d., ]+)\)$/);if(t){var o=!!t[1],n=o?4:3,r=t[2].split(/ *, */).map(Number);if(r.length===n)return{r:r[0],g:r[1],b:r[2],a:o?100*r[3]:Fs}}}}function el(e){var t=e.a,o=void 0===t?Fs:t,n=e.b,r=e.g,i=e.r,a=function(e,t,o){var n=NaN,r=Math.max(e,t,o),i=r-Math.min(e,t,o);return 0===i?n=0:e===r?n=(t-o)/i%6:t===r?n=(o-e)/i+2:o===r&&(n=(e-t)/i+4),(n=Math.round(60*n))<0&&(n+=360),{h:n,s:Math.round(100*(0===r?0:i/r)),v:Math.round(r/Rs*100)}}(i,r,n),s=a.h,l=a.s,c=a.v,u=Hs(i,r,n);return{a:o,b:n,g:r,h:s,hex:u,r:i,s:l,str:Ws(i,r,n,o,u),v:c,t:Fs-o}}function tl(e,t){var o=function(e,t){if(e){var o=null!=t?t:(0,w.Y)();return $s(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:Fs}}(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:Fs}}(e)||function(e){var t,o,n,r,i,a=e.match(/^hsl(a?)\(([\d., ]+)\)$/);if(a){var s=!!a[1],l=s?4:3,c=a[2].split(/ *, */).map(Number);if(c.length===l){var u=Ns((o=c[0],n=c[1],r=c[2],i=r+(n*=(r<50?r:100-r)/100),t={h:o,s:0===i?0:2*n/i*100,v:i}).h,t.s,t.v);return u.a=s?100*c[3]:Fs,u}}}(e)||function(e,t){var o;if(void 0!==t){var n=t.createElement("div");n.style.backgroundColor=e,n.style.position="absolute",n.style.top="-9999px",n.style.left="-9999px",n.style.height="1px",n.style.width="1px",t.body.appendChild(n);var r=null===(o=t.defaultView)||void 0===o?void 0:o.getComputedStyle(n),i=r&&r.backgroundColor;if(t.body.removeChild(n),"rgba(0, 0, 0, 0)"!==i&&"transparent"!==i)return $s(i);switch(e.trim()){case"transparent":case"#0000":case"#00000000":return{r:0,g:0,b:0,a:0}}}}(e,o)}}(e,null!=t?t:(0,w.Y)());if(o)return(0,i.__assign)((0,i.__assign)({},el(o)),{str:e})}function ol(e,t){return(0,i.__assign)((0,i.__assign)({},e),{a:t,t:Fs-t,str:Ws(e.r,e.g,e.b,t,e.hex)})}function nl(e,t){var o=Fs-t;return(0,i.__assign)((0,i.__assign)({},e),{t,a:o,str:Ws(e.r,e.g,e.b,o,e.hex)})}var rl=Le(),il=["hex","r","g","b","a","t"],al={hex:"hexError",r:"redError",g:"greenError",b:"blueError",a:"alphaError",t:"transparencyError"},sl=function(e){function t(o){var n=e.call(this,o)||this;n._onSVChanged=function(e,t){n._updateColor(e,t)},n._onHChanged=function(e,t){n._updateColor(e,function(e,t){var o=Ns(t,e.s,e.v),n=o.r,r=o.g,a=o.b,s=Hs(n,r,a);return(0,i.__assign)((0,i.__assign)({},e),{h:t,r:n,g:r,b:a,hex:s,str:Ws(n,r,a,e.a,s)})}(n.state.color,t))},n._onATChanged=function(e,t){var o="transparency"===n.props.alphaType?nl:ol;n._updateColor(e,o(n.state.color,Math.round(t)))},n._onBlur=function(e){var t,o=n.state,r=o.color,a=o.editingColor;if(a){var s,l=a.value,c=a.component,u="hex"===c,d="a"===c,p="t"===c,m=u?3:1;if(l.length>=m&&(u||!isNaN(Number(l)))){var g=void 0;g=u?tl("#"+(!(s=l)||s.length<3?"ffffff":s.length>=6?s.substring(0,6):s.substring(0,3))):d||p?(d?ol:nl)(r,Ls(Number(l),Fs)):el(function(e){return{r:Ls(e.r,Rs),g:Ls(e.g,Rs),b:Ls(e.b,Rs),a:"number"==typeof e.a?Ls(e.a,Fs):e.a}}((0,i.__assign)((0,i.__assign)({},r),((t={})[c]=Number(l),t)))),n._updateColor(e,g)}else n.setState({editingColor:void 0})}},_(n);var r=o.strings;r.hue&&(0,ds.R)("ColorPicker property 'strings.hue' was used but has been deprecated. Use 'strings.hueAriaLabel' instead."),n.state={color:ll(o)||tl("#ffffff")},n._textChangeHandlers={};for(var a=0,s=il;a=3&&o.length<=6)){var n=al[e];return this._strings[n]}}},t.prototype._onTextChange=function(e,t,o){var n,r=this.state.color,a="hex"===e,s="a"===e,l="t"===e;if(o=(o||"").substr(0,a?6:3),(a?Bs:As).test(o))if(""!==o&&(a?6===o.length:s||l?Number(o)<=Fs:Number(o)<=Rs))if(String(r[e])===o)this.state.editingColor&&this.setState({editingColor:void 0});else{var c=a?tl("#"+o):l?nl(r,Number(o)):el((0,i.__assign)((0,i.__assign)({},r),((n={})[e]=Number(o),n)));this._updateColor(t,c)}else this.setState({editingColor:{component:e,value:o}})},t.prototype._updateColor=function(e,t){if(t){var o=this.state,n=o.color,r=o.editingColor;if(t.h!==n.h||t.str!==n.str||r){if(e&&this.props.onChange&&(this.props.onChange(e,t),e.defaultPrevented))return;this.setState({color:t,editingColor:void 0})}}},t.defaultProps={alphaType:"alpha",strings:{rootAriaLabelFormat:"Color picker, {0} selected.",hex:"Hex",red:"Red",green:"Green",blue:"Blue",alpha:"Alpha",transparency:"Transparency",hueAriaLabel:"Hue",svAriaLabel:Gs.defaultProps.ariaLabel,svAriaValueFormat:Gs.defaultProps.ariaValueFormat,svAriaDescription:Gs.defaultProps.ariaDescription,hexError:"Hex values must be between 3 and 6 characters long",alphaError:"Alpha must be between 0 and 100",transparencyError:"Transparency must be between 0 and 100",redError:"Red must be between 0 and 255",greenError:"Green must be between 0 and 255",blueError:"Blue must be between 0 and 255"}},t}(a.Component);function ll(e){var t=e.color;return"string"==typeof t?tl(t):t}var cl,ul,dl=Pe(sl,(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",forcedColorAdjust:"none"}],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"}),pl="backward",ml=function(e){function t(t){var o=e.call(this,t)||this;return o._inputElement=a.createRef(),o._autoFillEnabled=!0,o._onCompositionStart=function(e){o.setState({isComposing:!0}),o._autoFillEnabled=!1},o._onCompositionUpdate=function(){ms()&&o._updateValue(o._getCurrentInputValue(),!0)},o._onCompositionEnd=function(e){var t=o._getCurrentInputValue();o._tryEnableAutofill(t,o.value,!1,!0),o.setState({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 f.backspace:o._autoFillEnabled=!1;break;case f.left:case f.right:o._autoFillEnabled&&(o.setState((function(e){return{inputValue:o.props.suggestedDisplayValue||e.inputValue}})),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.state.isComposing||o._tryEnableAutofill(t,o.value,e.nativeEvent.isComposing),!ms()||!o.state.isComposing){var n=e.nativeEvent.isComposing,r=void 0===n?o.state.isComposing:n;o._updateValue(t,r)}},o._onChanged=function(){},o._updateValue=function(e,t){if(e||e!==o.value){var n=o.props,r=n.onInputChange,i=n.onInputValueChange;r&&(e=(null==r?void 0:r(e,t))||""),o.setState({inputValue:e},(function(){return null==i?void 0:i(e,t)}))}},_(o),o._async=new I(o),o.state={inputValue:t.defaultVisibleValue||"",isComposing:!1},o}return(0,i.__extends)(t,e),t.getDerivedStateFromProps=function(e,t){if(e.updateValueInWillReceiveProps){var o=e.updateValueInWillReceiveProps();if(null!==o&&o!==t.inputValue&&!t.isComposing)return(0,i.__assign)((0,i.__assign)({},t),{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:!1,configurable:!0}),Object.defineProperty(t.prototype,"isValueSelected",{get:function(){return Boolean(this.inputElement&&this.inputElement.selectionStart!==this.inputElement.selectionEnd)},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"value",{get:function(){return this._getControlledValue()||this.state.inputValue||""},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"selectionStart",{get:function(){return this._inputElement.current?this._inputElement.current.selectionStart:-1},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"selectionEnd",{get:function(){return this._inputElement.current?this._inputElement.current.selectionEnd:-1},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"inputElement",{get:function(){return this._inputElement.current},enumerable:!1,configurable:!0}),t.prototype.componentDidUpdate=function(e,t,o){var n,r=this.props,i=r.suggestedDisplayValue,a=r.shouldSelectFullInputValueInComponentDidUpdate,s=0;if(!r.preventValueSelection){var l=(null===(n=this.context)||void 0===n?void 0:n.window.document)||(0,w.Y)(this._inputElement.current);if(this._inputElement.current&&this._inputElement.current===(null==l?void 0:l.activeElement)&&this._autoFillEnabled&&this.value&&i&&gl(i,this.value)){var c=!1;if(a&&(c=a()),c)this._inputElement.current.setSelectionRange(0,i.length,pl);else{for(;s0&&this._inputElement.current.setSelectionRange(s,i.length,pl)}}else this._inputElement.current&&(null===o||this._autoFillEnabled||this.state.isComposing||this._inputElement.current.setSelectionRange(o.start,o.end,o.dir))}},t.prototype.componentWillUnmount=function(){this._async.dispose()},t.prototype.render=function(){var e=Q(this.props,Y),t=(0,i.__assign)((0,i.__assign)({},this.props.style),{fontFamily:"inherit"});return a.createElement("input",(0,i.__assign)({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.getSnapshotBeforeUpdate=function(){var e,t,o=this._inputElement.current;return o&&o.selectionStart!==this.value.length?{start:null!==(e=o.selectionStart)&&void 0!==e?e:o.value.length,end:null!==(t=o.selectionEnd)&&void 0!==t?t:o.value.length,dir:o.selectionDirection||"backward"}:null},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&&gl(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 ".concat(e," with type of ").concat(typeof e)),e.toString())},t.defaultProps={enableAutofillOnKeyPress:[f.down,f.up]},t.contextType=jo,t}(a.Component);function gl(e,t){return!(!e||!t)&&0===e.toLocaleLowerCase().indexOf(t.toLocaleLowerCase())}var hl,fl,vl,bl=(0,c.J9)((function(e){var t,o=e.semanticColors;return{backgroundColor:o.disabledBackground,color:o.disabledText,cursor:"default",selectors:(t={":after":{borderColor:o.disabledBackground}},t[Ue.up]={color:"GrayText",selectors:{":after":{borderColor:"GrayText"}}},t)}})),yl={selectors:(cl={},cl[Ue.up]=(0,i.__assign)({backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},(0,Ue.Qg)()),cl)},_l={selectors:(ul={},ul[Ue.up]=(0,i.__assign)({color:"WindowText",backgroundColor:"Window"},(0,Ue.Qg)()),ul)},Sl=(0,c.J9)((function(e,t,o,n,r,a){var s,l=e.palette,c=e.semanticColors,u={textHoveredColor:c.menuItemTextHovered,textSelectedColor:l.neutralDark,textDisabledColor:c.disabledText,backgroundHoveredColor:c.menuItemBackgroundHovered,backgroundPressedColor:c.menuItemBackgroundPressed},d={root:[e.fonts.medium,{backgroundColor:n?u.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:(0,i.__assign)((0,i.__assign)((s={},s[Ue.up]={border:"none",borderColor:"Background"},s),!r&&{"&.ms-Checkbox":{display:"flex",alignItems:"center"}}),{"&.ms-Button--command:hover:active":{backgroundColor:u.backgroundPressedColor},".ms-Checkbox-label":{width:"100%"}})},a?[{backgroundColor:"transparent",color:u.textSelectedColor,selectors:{":hover":[{backgroundColor:u.backgroundHoveredColor},yl]}},(0,Ue.gm)(e,{inset:-1,isFocusedOnly:!1}),yl]:[]],rootHovered:{backgroundColor:u.backgroundHoveredColor,color:u.textHoveredColor},rootFocused:{backgroundColor:u.backgroundHoveredColor},rootDisabled:{color:u.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,Ue.TW)(d,t,o)})),Cl=(0,c.J9)((function(e,t){var o,n,r=e.semanticColors,a=e.fonts,s={buttonTextColor:r.bodySubtext,buttonTextHoveredCheckedColor:r.buttonTextChecked,buttonBackgroundHoveredColor:r.listItemBackgroundHovered,buttonBackgroundCheckedColor:r.listItemBackgroundChecked,buttonBackgroundCheckedHoveredColor:r.listItemBackgroundCheckedHovered},l={selectors:(o={},o[Ue.up]=(0,i.__assign)({backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},(0,Ue.Qg)()),o)},c={root:{color:s.buttonTextColor,fontSize:a.small.fontSize,position:"absolute",top:0,height:"100%",lineHeight:30,width:32,textAlign:"center",cursor:"default",selectors:(n={},n[Ue.up]=(0,i.__assign)({backgroundColor:"ButtonFace",borderColor:"ButtonText",color:"ButtonText"},(0,Ue.Qg)()),n)},icon:{fontSize:a.small.fontSize},rootHovered:[{backgroundColor:s.buttonBackgroundHoveredColor,color:s.buttonTextHoveredCheckedColor,cursor:"pointer"},l],rootPressed:[{backgroundColor:s.buttonBackgroundCheckedColor,color:s.buttonTextHoveredCheckedColor},l],rootChecked:[{backgroundColor:s.buttonBackgroundCheckedColor,color:s.buttonTextHoveredCheckedColor},l],rootCheckedHovered:[{backgroundColor:s.buttonBackgroundCheckedHoveredColor,color:s.buttonTextHoveredCheckedColor},l],rootDisabled:[bl(e),{position:"absolute"}]};return(0,Ue.TW)(c,t)})),xl=(0,c.J9)((function(e,t,o){var n,r,a,s,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},g={headerTextColor:u.menuHeader,dividerBorderColor:u.bodyDivider},h={selectors:(n={},n[Ue.up]={color:"GrayText"},n)},f=[{color:u.inputPlaceholderText},h],v=[{color:u.inputTextHovered},h],b=[{color:u.disabledText},h],y=(0,i.__assign)((0,i.__assign)({color:"HighlightText",backgroundColor:"Window"},(0,Ue.Qg)()),{selectors:{":after":{borderColor:"Highlight"}}}),_=(0,Ue.Sq)(m.borderPressedColor,p.roundedCorner2,"border",0),S={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[Ue.up]=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:(a={":after":{borderColor:m.borderHoveredColor},".ms-ComboBox-Input":[{color:u.inputTextHovered},(0,Ue.CX)(v),_l]},a[Ue.up]=(0,i.__assign)((0,i.__assign)({color:"HighlightText",backgroundColor:"Window"},(0,Ue.Qg)()),{selectors:{":after":{borderColor:"Highlight"}}}),a)},rootPressed:[{position:"relative",selectors:(s={},s[Ue.up]=y,s)}],rootFocused:[{selectors:(l={".ms-ComboBox-Input":[{color:u.inputTextHovered},_l]},l[Ue.up]=y,l)},_],rootDisabled:bl(e),rootError:{selectors:{":after":{borderColor:m.erroredColor},":hover:after":{borderColor:u.inputBorderHovered}}},rootDisallowFreeForm:{},input:[(0,Ue.CX)(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"}}},_l],inputDisabled:[bl(e),(0,Ue.CX)(b)],errorMessage:[e.fonts.small,{color:m.erroredColor,marginTop:"5px"}],callout:{boxShadow:p.elevation8},optionsContainerWrapper:{width:o},optionsContainer:{display:"block"},screenReaderText:Ue.dX,header:[d.medium,{fontWeight:Ue.BO.semibold,color:g.headerTextColor,backgroundColor:"none",borderStyle:"none",height:36,lineHeight:36,cursor:"default",padding:"0 8px",userSelect:"none",textAlign:"left",selectors:(c={},c[Ue.up]=(0,i.__assign)({color:"GrayText"},(0,Ue.Qg)()),c)}],divider:{height:1,backgroundColor:g.dividerBorderColor}};return(0,Ue.TW)(S,t)})),Pl=(0,c.J9)((function(e,t,o,n,r,i,a,s){return{container:(0,Ue.Zq)(e.__shadowConfig__,"ms-ComboBox-container",t,e.container),label:(0,Ue.Zq)(e.__shadowConfig__,e.label,n&&e.labelDisabled),root:(0,Ue.Zq)(e.__shadowConfig__,"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,Ue.Zq)(e.__shadowConfig__,"ms-ComboBox-Input",e.input,n&&e.inputDisabled),errorMessage:(0,Ue.Zq)(e.__shadowConfig__,e.errorMessage),callout:(0,Ue.Zq)(e.__shadowConfig__,"ms-ComboBox-callout",e.callout),optionsContainerWrapper:(0,Ue.Zq)(e.__shadowConfig__,"ms-ComboBox-optionsContainerWrapper",e.optionsContainerWrapper),optionsContainer:(0,Ue.Zq)(e.__shadowConfig__,"ms-ComboBox-optionsContainer",e.optionsContainer),header:(0,Ue.Zq)(e.__shadowConfig__,"ms-ComboBox-header",e.header),divider:(0,Ue.Zq)(e.__shadowConfig__,"ms-ComboBox-divider",e.divider),screenReaderText:(0,Ue.Zq)(e.__shadowConfig__,e.screenReaderText)}})),kl=(0,c.J9)((function(e){return{optionText:(0,Ue.Zq)(e.__shadowConfig__,"ms-ComboBox-optionText",e.optionText),root:(0,Ue.Zq)(e.__shadowConfig__,"ms-ComboBox-option",e.root,{selectors:{":hover":e.rootHovered,":focus":e.rootFocused,":active":e.rootPressed}}),optionTextWrapper:(0,Ue.Zq)(e.__shadowConfig__,e.optionTextWrapper)}}));function Il(e,t){for(var o=[],n=0,r=t;n0&&d();var r=o._id+e.key;c.items.push(n((0,i.__assign)((0,i.__assign)({id:r},e),{index:t}),o._onRenderItem)),c.id=r;break;case hl.Divider:t>0&&c.items.push(n((0,i.__assign)((0,i.__assign)({},e),{index:t}),o._onRenderItem)),c.items.length>0&&d();break;default:c.items.push(n((0,i.__assign)((0,i.__assign)({},e),{index:t}),o._onRenderItem))}}(e,t)})),c.items.length>0&&d();var p=o._id;return a.createElement("div",{id:p+"-list",className:o._classNames.optionsContainer,"aria-labelledby":r&&p+"-label","aria-label":s&&!r?s:void 0,"aria-multiselectable":l?"true":void 0,role:"listbox"},u)},o._onRenderItem=function(e){switch(e.itemType){case hl.Divider:return o._renderSeparator(e);case hl.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,n=o.props.onRenderOption,r=void 0===n?o._onRenderOptionContent:n,s=null!==(t=e.id)&&void 0!==t?t:o._id+"-list"+e.index,l=o._isOptionSelected(e.index),c=o._isOptionChecked(e.index),u=o._isOptionIndeterminate(e.index),d=o._getCurrentOptionStyles(e),p=kl(d),m=e.title;return a.createElement(wl,{key:e.key,index:e.index,disabled:e.disabled,isSelected:l,isChecked:c,isIndeterminate:u,text:e.text,render:function(){return o.props.multiSelect?a.createElement(Ka,{id:s,ariaLabel:e.ariaLabel,ariaLabelledBy:e.ariaLabel?void 0:s+"-label",key:e.key,styles:d,className:"ms-ComboBox-option",onChange:o._onItemClick(e),label:e.text,checked:c,indeterminate:u,title:m,disabled:e.disabled,onRenderLabel:o._renderCheckboxLabel.bind(o,(0,i.__assign)((0,i.__assign)({},e),{id:s+"-label"})),inputProps:(0,i.__assign)({"aria-selected":c?"true":"false",role:"option"},{"data-index":e.index,"data-is-focusable":!0})}):a.createElement(si,{id:s,key:e.key,"data-index":e.index,styles:d,checked:l,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":l?"true":"false",ariaLabel:e.ariaLabel,disabled:e.disabled,title:m},a.createElement("span",{className:p.optionTextWrapper,ref:l?o._selectedElement:void 0},r(e,o._onRenderOptionContent)))},data:e.data})},o._onCalloutMouseDown=function(e){e.preventDefault()},o._onScroll=function(){var e;o._isScrollIdle||void 0===o._scrollIdleTimeoutId?o._isScrollIdle=!1:(o._async.clearTimeout(o._scrollIdleTimeoutId),o._scrollIdleTimeoutId=void 0),(null===(e=o.props.calloutProps)||void 0===e?void 0:e.onScroll)&&o.props.calloutProps.onScroll(),o._scrollIdleTimeoutId=o._async.setTimeout((function(){o._isScrollIdle=!0}),250)},o._onRenderOptionContent=function(e){var t=kl(o._getCurrentOptionStyles(e));return a.createElement("span",{className:t.optionText},e.text)},o._onRenderMultiselectOptionContent=function(e){var t=kl(o._getCurrentOptionStyles(e));return a.createElement("span",{id:e.id,"aria-hidden":"true",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,i=t.allowFreeInput,a=t.autoComplete,s=t.hoisted.currentOptions,l=o.state,c=l.isOpen,u=l.currentPendingValueValidIndexOnHover;if(o._lastKeyDownWasAltOrMeta=Hl(e),n)o._handleInputWhenDisabled(e);else{var d=o._getPendingSelectedIndex(!1);switch(e.which){case f.enter:o._autofill.current&&o._autofill.current.inputElement&&o._autofill.current.inputElement.select(),o._submitPendingValue(e),o.props.multiSelect&&c?o.setState({currentPendingValueValidIndex:d}):(c||(!r||void 0===o.state.currentPendingValue||null===o.state.currentPendingValue||o.state.currentPendingValue.length<=0)&&o.state.currentPendingValueValidIndex<0)&&o.setState({isOpen:!c});break;case f.tab:return o.props.multiSelect||o._submitPendingValue(e),void(c&&o._setOpenStateAndFocusOnClose(!c,!1));case f.escape:if(o._resetSelectedIndex(),!c)return;o.setState({isOpen:!1});break;case f.up:if(u===vl.clearAll&&(d=o.props.hoisted.currentOptions.length),e.altKey||e.metaKey){if(c){o._setOpenStateAndFocusOnClose(!c,!0);break}return}e.preventDefault(),o._setPendingInfoFromIndexAndDirection(d,fl.backward);break;case f.down:e.altKey||e.metaKey?o._setOpenStateAndFocusOnClose(!0,!0):(u===vl.clearAll&&(d=-1),e.preventDefault(),o._setPendingInfoFromIndexAndDirection(d,fl.forward));break;case f.home:case f.end:if(r||i)return;d=-1;var p=fl.forward;e.which===f.end&&(d=s.length,p=fl.backward),o._setPendingInfoFromIndexAndDirection(d,p);break;case f.space:if(!r&&!i&&"off"===a)break;default:if(e.which>=112&&e.which<=123)return;if(e.keyCode===f.alt||"Meta"===e.key)return;if(!r&&!i&&"on"===a){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.allowFreeInput,a=t.autoComplete,s=o.state.isOpen,l=o._lastKeyDownWasAltOrMeta&&Hl(e);o._lastKeyDownWasAltOrMeta=!1;var c=l&&!(qt()||Xt());n?o._handleInputWhenDisabled(e):e.which!==f.space?c&&s?o._setOpenStateAndFocusOnClose(!s,!0):("focusing"===o.state.focusState&&o.props.openOnKeyboardFocus&&o.setState({isOpen:!0}),"focused"!==o.state.focusState&&o.setState({focusState:"focused"})):r||i||"off"!==a||o._setOpenStateAndFocusOnClose(!s,!!s)},o._onOptionMouseLeave=function(){o._shouldIgnoreMouseEvent()||o.props.persistMenu&&!o.state.isOpen||o.setState({currentPendingValueValidIndexOnHover:vl.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())},_(o),o._async=new I(o),o._events=new M(o),o._id=t.id||N("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:vl.default},o}return(0,i.__extends)(t,e),Object.defineProperty(t.prototype,"selectedOptions",{get:function(){var e=this.props.hoisted;return Il(e.currentOptions,e.selectedIndices)},enumerable:!1,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,n,r,a=this,s=this.props,l=s.allowFreeform,c=s.allowFreeInput,u=s.text,d=s.onMenuOpen,p=s.onMenuDismissed,m=s.hoisted,g=m.currentOptions,h=m.selectedIndices,f=this.state,v=f.currentPendingValue,b=f.currentPendingValueValidIndex,y=f.isOpen;!y||t.isOpen&&t.currentPendingValueValidIndex===b||this._async.setTimeout((function(){return a._scrollIntoView()}),0);var _=Zo(this.context);this._hasFocus()&&(y||t.isOpen&&!y&&this._focusInputAfterClose&&this._autofill.current&&(null==_?void 0:_.activeElement)!==this._autofill.current.inputElement)&&this.focus(void 0,!0),this._focusInputAfterClose&&(t.isOpen&&!y||this._hasFocus()&&(!y&&!this.props.multiSelect&&e.hoisted.selectedIndices&&h&&e.hoisted.selectedIndices[0]!==h[0]||!l&&!c||u!==e.text))&&this._onFocus(),this._notifyPendingValueChanged(t),y&&!t.isOpen&&(this._overrideScrollDismiss=!0,this._async.clearTimeout(this._overrideScrollDimissTimeout),this._overrideScrollDimissTimeout=this._async.setTimeout((function(){a._overrideScrollDismiss=!1}),100),null==d||d()),!y&&t.isOpen&&p&&p();var S=b,C=g.map((function(e,t){return(0,i.__assign)((0,i.__assign)({},e),{index:t})}));!T(e.hoisted.currentOptions,g)&&v&&(S=this.props.allowFreeform||this.props.allowFreeInput?this._processInputChangeWithFreeform(v):this._updateAutocompleteIndexWithoutFreeform(v));var x=void 0;y&&this._hasFocus()&&-1!==S?x=null!==(o=C[S].id)&&void 0!==o?o:this._id+"-list"+S:y&&h.length&&(x=null!==(r=null===(n=C[h[0]])||void 0===n?void 0:n.id)&&void 0!==r?r:this._id+"-list"+h[0]),x!==this.state.ariaActiveDescendantValue&&this.setState({ariaActiveDescendantValue:x})},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,s=t.errorMessage,l=t.onRenderContainer,c=void 0===l?this._onRenderContainer:l,u=t.onRenderLabel,d=void 0===u?this._onRenderLabel:u,p=t.onRenderList,m=void 0===p?this._onRenderList:p,g=t.onRenderItem,h=void 0===g?this._onRenderItem:g,f=t.onRenderOption,v=void 0===f?this._onRenderOptionContent:f,b=t.allowFreeform,y=t.styles,_=t.theme,S=t.persistMenu,C=t.multiSelect,x=t.hoisted,P=x.suggestedDisplayValue,k=x.selectedIndices,I=x.currentOptions,w=this.state.isOpen;this._currentVisibleValue=this._getVisibleValue();var T=C?this._getMultiselectDisplayString(k,I,P):void 0,E=Q(this.props,Z,["onChange","value","aria-describedby","aria-labelledby"]),D=!!(s&&s.length>0);this._classNames=this.props.getClassNames?this.props.getClassNames(_,!!w,!!n,!!r,!!this._hasFocus(),!!b,!!D,o):Pl(xl(_,y),o,!!w,!!n,!!r,!!this._hasFocus(),!!b,!!D);var M=this._renderComboBoxWrapper(T,e);return a.createElement("div",(0,i.__assign)({},E,{ref:this.props.hoisted.mergedRootRef,className:this._classNames.container}),d({props:this.props,multiselectAccessibleText:T},this._onRenderLabel),M,(S||w)&&c((0,i.__assign)((0,i.__assign)({},this.props),{onRenderList:m,onRenderItem:h,onRenderOption:v,options:I.map((function(e,t){return(0,i.__assign)((0,i.__assign)({},e),{index:t})})),onDismiss:this._onDismiss}),this._onRenderContainer),D&&a.createElement("div",{role:"alert",id:e,className:this._classNames.errorMessage},s))},t.prototype._getPendingString=function(e,t,o){return null!=e?e:Bl(t,o)?Ll(t[o]):""},t.prototype._getMultiselectDisplayString=function(e,t,o){for(var n=[],r=0;e&&r0){var l=Ll(a[0]);s=this._adjustForCaseSensitivity(l)!==e?l:"",n=a[0].index}}else 1===(a=o.map((function(e,t){return(0,i.__assign)((0,i.__assign)({},e),{index:t})})).filter((function(o){return Al(o)&&!o.disabled&&t._adjustForCaseSensitivity(Ll(o))===e}))).length&&(n=a[0].index);return this._setPendingInfo(r,n,s),n},t.prototype._processInputChangeWithoutFreeform=function(e){var t=this,o=this.state,n=o.currentPendingValue,r=o.currentPendingValueValidIndex;if("on"===this.props.autoComplete&&""!==e){this._autoCompleteTimeout&&(this._async.clearTimeout(this._autoCompleteTimeout),this._autoCompleteTimeout=void 0,e=Fl(n)+e);var i=this._updateAutocompleteIndexWithoutFreeform(e);return this._autoCompleteTimeout=this._async.setTimeout((function(){t._autoCompleteTimeout=void 0}),1e3),i}var a=r>=0?r:this._getFirstSelectedIndex();return this._setPendingInfoFromIndex(a),a},t.prototype._updateAutocompleteIndexWithoutFreeform=function(e){var t=this,o=this.props.hoisted.currentOptions,n=e;e=this._adjustForCaseSensitivity(e);var r=o.map((function(e,t){return(0,i.__assign)((0,i.__assign)({},e),{index:t})})).filter((function(o){return Al(o)&&!o.disabled&&0===t._adjustForCaseSensitivity(o.text).indexOf(e)}));return r.length>0?(this._setPendingInfo(n,r[0].index,Ll(r[0])),r[0].index):-1},t.prototype._getFirstSelectedIndex=function(){var e=this.props.hoisted.selectedIndices;return(null==e?void 0:e.length)?e[0]:-1},t.prototype._getNextSelectableIndex=function(e,t){var o=this.props.hoisted.currentOptions,n=e+t;if(!Bl(o,n=Math.max(0,Math.min(o.length-1,n))))return-1;var r=o[n];if(!Nl(r)||!0===r.hidden){if(t===fl.none||!(n>0&&t=0&&nfl.none))return e;n=this._getNextSelectableIndex(n,t)}return n},t.prototype._setSelectedIndex=function(e,t,o){void 0===o&&(o=fl.none);var n=this.props,r=n.onChange,a=n.onPendingValueChanged,s=n.hoisted,l=s.selectedIndices,c=s.currentOptions,u=l?l.slice():[],d=c.slice();if(Bl(c,e=this._getNextSelectableIndex(e,o))){if(this.props.multiSelect||u.length<1||1===u.length&&u[0]!==e){var p=(0,i.__assign)({},c[e]);if(!p||p.disabled)return;if(this.props.multiSelect)if(p.selected=void 0!==p.selected?!p.selected:u.indexOf(e)<0,p.itemType===hl.SelectAll)u=[],p.selected?c.forEach((function(e,t){!e.disabled&&Nl(e)&&(u.push(t),d[t]=(0,i.__assign)((0,i.__assign)({},e),{selected:!0}))})):d=c.map((function(e){return(0,i.__assign)((0,i.__assign)({},e),{selected:!1})}));else{p.selected&&u.indexOf(e)<0?u.push(e):!p.selected&&u.indexOf(e)>=0&&(u=u.filter((function(t){return t!==e}))),d[e]=p;var m=d.filter((function(e){return e.itemType===hl.SelectAll}))[0];if(m){var g=this._isSelectAllChecked(u),h=d.indexOf(m);g?(u.push(h),d[h]=(0,i.__assign)((0,i.__assign)({},m),{selected:!0})):(u=u.filter((function(e){return e!==h})),d[h]=(0,i.__assign)((0,i.__assign)({},m),{selected:!1}))}}else u[0]=e;t.persist(),this.props.selectedKey||null===this.props.selectedKey||(this.props.hoisted.setSelectedIndices(u),this.props.hoisted.setCurrentOptions(d)),this._hasPendingValue&&a&&(a(),this._hasPendingValue=!1),r&&r(t,p,e,Ll(p))}this.props.multiSelect&&this.state.isOpen||this._clearPendingInfo()}},t.prototype._submitPendingValue=function(e){var t,o=this.props,n=o.onChange,r=o.allowFreeform,i=o.autoComplete,a=o.multiSelect,s=o.hoisted,l=s.currentOptions,c=this.state,u=c.currentPendingValue,d=c.currentPendingValueValidIndex,p=c.currentPendingValueValidIndexOnHover,m=this.props.hoisted.selectedIndices;if(!this._processingClearPendingInfo){if(r){if(null==u)return void(p>=0&&(this._setSelectedIndex(p,e),this._clearPendingInfo()));if(Bl(l,d)){var g=this._adjustForCaseSensitivity(Ll(l[d])),h=this._autofill.current,f=this._adjustForCaseSensitivity(u);if(f===g||i&&0===g.indexOf(f)&&(null==h?void 0:h.isValueSelected)&&u.length+(h.selectionEnd-h.selectionStart)===g.length||void 0!==(null===(t=null==h?void 0:h.inputElement)||void 0===t?void 0:t.value)&&this._adjustForCaseSensitivity(h.inputElement.value)===g){if(this._setSelectedIndex(d,e),a&&this.state.isOpen)return;return void this._clearPendingInfo()}}if(n)n&&n(e,void 0,void 0,u);else{var v={key:u||N(),text:Fl(u)};a&&(v.selected=!0);var b=l.concat([v]);m&&(a||(m=[]),m.push(b.length-1)),s.setCurrentOptions(b),s.setSelectedIndices(m)}}else d>=0?this._setSelectedIndex(d,e):p>=0&&this._setSelectedIndex(p,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?a.createElement("div",{role:"presentation",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 a.createElement("div",{id:e.id,key:e.key,className:this._classNames.header},o(e,this._onRenderOptionContent))},t.prototype._renderCheckboxLabel=function(e){var t=this.props.onRenderOption;return(void 0===t?this._onRenderMultiselectOptionContent:t)(e,this._onRenderMultiselectOptionContent)},t.prototype._isOptionHighlighted=function(e){var t=this.state.currentPendingValueValidIndexOnHover;return t!==vl.clearAll&&(t>=0?t===e:this._isOptionSelected(e))},t.prototype._isOptionSelected=function(e){return 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._isOptionIndeterminate=function(e){var t=this.props,o=t.multiSelect,n=t.hoisted;if(o&&void 0!==e&&n.selectedIndices&&n.currentOptions){var r=n.currentOptions[e];if(r&&r.itemType===hl.SelectAll)return n.selectedIndices.length>0&&!this._isSelectAllChecked()}return!1},t.prototype._isSelectAllChecked=function(e){var t=this.props,o=t.multiSelect,n=t.hoisted,r=n.currentOptions.find((function(e){return e.itemType===hl.SelectAll})),i=e||n.selectedIndices;if(!o||!i||!r)return!1;var a=n.currentOptions.indexOf(r),s=i.filter((function(e){return e!==a})),l=n.currentOptions.filter((function(e){return!e.disabled&&e.itemType!==hl.SelectAll&&Nl(e)}));return s.length===l.length},t.prototype._getPendingSelectedIndex=function(e){var t=this.state,o=t.currentPendingValueValidIndex,n=t.currentPendingValue;return o>=0||e&&null!=n?o:this.props.multiSelect?-1:this._getFirstSelectedIndex()},t.prototype._scrollIntoView=function(){var e=this.props,t=e.onScrollToItem,o=e.scrollSelectedToTop,n=this._getPendingSelectedIndex(!0);if(t)t(n>=0?n:this._getFirstSelectedIndex());else{var r=this._selectedElement.current;if(this.props.multiSelect&&this._comboBoxMenu.current&&(r=Dl(this._comboBoxMenu.current,(function(e){var t;return(null===(t=e.dataset)||void 0===t?void 0:t.index)===n.toString()}))),r&&r.offsetParent){var i=!0;if(this._comboBoxMenu.current&&this._comboBoxMenu.current.offsetParent){var a=this._comboBoxMenu.current.offsetParent,s=r.offsetParent,l=s.offsetHeight,c=s.offsetTop,u=a,d=u.offsetHeight,p=u.scrollTop,m=c+l>p+d;c0&&t=0&&e=o.length-1?e=-1:t===fl.backward&&e<=0&&(e=o.length);var n=this._getNextSelectableIndex(e,t);e===n?t===fl.forward?e=this._getNextSelectableIndex(-1,t):t===fl.backward&&(e=this._getNextSelectableIndex(o.length,t)):e=n,Bl(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&&Bl(o,a)?s=a:i!==e.currentPendingValueValidIndex&&Bl(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.tab&&e.which!==f.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 Cl(this.props.theme,e)},t.prototype._getCurrentOptionStyles=function(e){var t,o=this.props.comboBoxOptionStyles,n=e.styles,r=Sl(this.props.theme,o,n,this._isPendingOption(e),e.hidden,this._isOptionHighlighted(e.index));return r.__shadowConfig__=null===(t=this.props.styles)||void 0===t?void 0:t.__shadowConfig__,r},t.prototype._getAriaAutoCompleteValue=function(){return this.props.disabled||"on"!==this.props.autoComplete?"list":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},t.prototype._adjustForCaseSensitivity=function(e){return this.props.caseSensitive?e:e.toLowerCase()},t.contextType=jo,(0,i.__decorate)([Jr("ComboBox",["theme","styles"],!0)],t)}(a.Component);function Ol(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=s(e,(function(e){return e.key===t}));n>-1&&(o[n]=!0)},r=0,i=t;r=0&&t0||!!o&&Oi(o,e)<0}ql.displayName="DatePickerBase";var Zl,Ql={root:"ms-DatePicker",callout:"ms-DatePicker-callout",withLabel:"ms-DatePicker-event--with-label",withoutLabel:"ms-DatePicker-event--without-label",disabled:"msDatePickerDisabled "},Jl=Pe(ql,(function(e){var t,o=e.className,n=e.theme,r=e.disabled,i=e.underlined,a=e.label,s=e.isDatePickerShown,l=n.palette,c=n.semanticColors,u=n.fonts,d=(0,Ue.Km)(Ql,n),p={color:l.neutralSecondary,fontSize:Ue.s.icon,lineHeight:"18px",pointerEvents:"none",position:"absolute",right:"4px",padding:"5px"};return{root:[d.root,n.fonts.large,s&&"is-open",Ue.S8,o],textField:[{position:"relative",selectors:{"& input[readonly]":{cursor:"pointer"},input:{selectors:{"::-ms-clear":{display:"none"}}}}},r&&{selectors:{"& input[readonly]":{cursor:"default"}}}],callout:[d.callout],icon:[p,a?d.withLabel:d.withoutLabel,{paddingTop:"7px"},!r&&[d.disabled,{pointerEvents:"initial",cursor:"pointer"}],r&&{color:c.disabledText,cursor:"default"}],statusMessage:[u.small,{color:c.errorText,marginTop:5}],readOnlyTextField:[{cursor:"pointer",height:32,lineHeight:30,overflow:"hidden",textOverflow:"ellipsis"},i&&{lineHeight:34}],readOnlyPlaceholder:(t={color:c.inputPlaceholderText},t[Ue.up]={color:"GrayText"},t)}}),void 0,{scope:"DatePicker"}),$l=function(){function e(){this._size=0}return e.prototype.updateOptions=function(e){for(var t=[],o=[],n=0,r=0;rthis._notSelectableOptionsCache[t];)t++;if(this._displayOnlyOptionsCache[t]===e)throw new Error("Unexpected: Option at index ".concat(e," is not a selectable element."));if(this._notSelectableOptionsCache[t]!==e)return e-t+1}},e}(),ec=Le(),tc=function(e){function t(t){var o=e.call(this,t)||this;_(o);var n=o.props.allowTouchBodyScroll,r=void 0!==n&&n;return o._allowTouchBodyScroll=r,o}return(0,i.__extends)(t,e),t.prototype.componentDidMount=function(){var e;!this._allowTouchBodyScroll&&((e=(0,w.Y)())&&e.body&&!wt&&(e.body.classList.add(Tt),e.body.addEventListener("touchmove",Dt,{passive:!1,capture:!1})),wt++)},t.prototype.componentWillUnmount=function(){!this._allowTouchBodyScroll&&function(){if(wt>0){var e=(0,w.Y)();e&&e.body&&1===wt&&(e.body.classList.remove(Tt),e.body.removeEventListener("touchmove",Dt)),wt--}}()},t.prototype.render=function(){var e=this.props,t=e.isDarkThemed,o=e.className,n=e.theme,r=e.styles,s=Q(this.props,Z),l=ec(r,{theme:n,className:o,isDark:t});return a.createElement("div",(0,i.__assign)({},s,{className:l.root}))},t}(a.Component),oc={root:"ms-Overlay",rootDark:"ms-Overlay--dark"},nc=Pe(tc,(function(e){var t,o=e.className,n=e.theme,r=e.isNone,i=e.isDark,a=n.palette,s=(0,Ue.Km)(oc,n);return{root:[s.root,n.fonts.medium,{backgroundColor:a.whiteTranslucent40,top:0,right:0,bottom:0,left:0,position:"absolute",selectors:(t={},t[Ue.up]={border:"1px solid WindowText",opacity:0},t)},r&&{visibility:"hidden"},i&&[s.rootDark,{backgroundColor:a.blackTranslucent40}],o]}}),void 0,{scope:"Overlay"});!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"}(Zl||(Zl={}));var rc,ic=Le();!function(e){e[e.closed=0]="closed",e[e.animatingOpen=1]="animatingOpen",e[e.open=2]="open",e[e.animatingClosed=3]="animatingClosed"}(rc||(rc={}));var ac,sc,lc,cc,uc,dc=function(e){function t(t){var o=e.call(this,t)||this;o._panel=a.createRef(),o._animationCallback=null,o._hasCustomNavigation=!(!o.props.onRenderNavigation&&!o.props.onRenderNavigationContent),o.dismiss=function(e){o.props.onDismiss&&o.isActive&&o.props.onDismiss(e),(!e||e&&!e.defaultPrevented)&&o.close()},o._allowScrollOnPanel=function(e){var t,n;e?o._allowTouchBodyScroll?(t=e,n=o._events,t&&n.on(t,"touchmove",(function(e){e.stopPropagation()}),{passive:!1})):function(e,t){var o=(0,k.z)(e);if(e&&o){var n=0,r=null,i=o.getComputedStyle(e);t.on(e,"touchstart",(function(e){1===e.targetTouches.length&&(n=e.targetTouches[0].clientY)}),{passive:!1}),t.on(e,"touchmove",(function(e){if(1===e.targetTouches.length&&(e.stopPropagation(),r)){var t=e.targetTouches[0].clientY-n,a=Mt(e.target);a&&r!==a&&(r=a,i=o.getComputedStyle(r));var s=r.scrollTop,l="column-reverse"===(null==i?void 0:i.flexDirection);0===s&&(l?t<0:t>0)&&e.preventDefault(),r.scrollHeight-Math.abs(Math.ceil(s))<=r.clientHeight&&(l?t>0:t<0)&&e.preventDefault()}}),{passive:!1}),r=e}}(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 a.createElement("div",{className:o._classNames.navigation},n(e,o._onRenderNavigationContent))},o._onRenderNavigationContent=function(e){var t,n=e.closeButtonAriaLabel,r=e.hasCloseButton,i=e.onRenderHeader,s=void 0===i?o._onRenderHeader:i;if(r){var l=null===(t=o._classNames.subComponentStyles)||void 0===t?void 0:t.closeButton();return a.createElement(a.Fragment,null,!o._hasCustomNavigation&&s(o.props,o._onRenderHeader,o._headerTextId),a.createElement(yi,{styles:l,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 r=e.headerText,s=e.headerTextProps,l=void 0===s?{}:s;return r?a.createElement("div",{className:o._classNames.header},a.createElement("div",(0,i.__assign)({id:n,role:"heading","aria-level":1},l,{className:u(o._classNames.headerText,l.className)}),r)):null},o._onRenderBody=function(e){return a.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?a.createElement("div",{className:o._classNames.footer},a.createElement("div",{className:o._classNames.footerInner},n())):null},o._animateTo=function(e){e===rc.open&&o.props.onOpen&&o.props.onOpen(),o._animationCallback=o._async.setTimeout((function(){o.setState({visibility:e}),o._onTransitionComplete(e)}),200)},o._clearExistingAnimationTimer=function(){null!==o._animationCallback&&o._async.clearTimeout(o._animationCallback)},o._onPanelClick=function(e){o.dismiss(e)},o._onTransitionComplete=function(e){o._updateFooterPosition(),e===rc.open&&o.props.onOpened&&o.props.onOpened(),e===rc.closed&&o.props.onDismissed&&o.props.onDismissed()};var n=o.props.allowTouchBodyScroll,r=void 0!==n&&n;return o._allowTouchBodyScroll=r,_(o),o.state={isFooterSticky:!1,visibility:rc.closed,id:N("Panel")},o}return(0,i.__extends)(t,e),t.getDerivedStateFromProps=function(e,t){return void 0===e.isOpen?null:!e.isOpen||t.visibility!==rc.closed&&t.visibility!==rc.animatingClosed?e.isOpen||t.visibility!==rc.open&&t.visibility!==rc.animatingOpen?null:{visibility:rc.animatingClosed}:{visibility:rc.animatingOpen}},t.prototype.componentDidMount=function(){this._async=new I(this),this._events=new M(this);var e=Qo(this.context),t=Zo(this.context);this._events.on(e,"resize",this._updateFooterPosition),this._shouldListenForOuterClick(this.props)&&this._events.on(null==t?void 0:t.body,"mousedown",this._dismissOnOuterClick,!0),this.props.isOpen&&this.setState({visibility:rc.animatingOpen})},t.prototype.componentDidUpdate=function(e,t){var o=this._shouldListenForOuterClick(this.props),n=this._shouldListenForOuterClick(e);this.state.visibility!==t.visibility&&(this._clearExistingAnimationTimer(),this.state.visibility===rc.animatingOpen?this._animateTo(rc.open):this.state.visibility===rc.animatingClosed&&this._animateTo(rc.closed));var r=Zo(this.context);o&&!n?this._events.on(null==r?void 0:r.body,"mousedown",this._dismissOnOuterClick,!0):!o&&n&&this._events.off(null==r?void 0:r.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,n=e.elementToFocusOnDismiss,r=e.firstFocusableSelector,s=e.focusTrapZoneProps,l=e.forceFocusInsideTrap,c=e.hasCloseButton,u=e.headerText,d=e.headerClassName,p=void 0===d?"":d,m=e.ignoreExternalFocusing,g=e.isBlocking,h=e.isFooterAtBottom,f=e.isLightDismiss,v=e.isHiddenOnDismiss,b=e.layerProps,y=e.overlayProps,_=e.popupProps,S=e.type,C=e.styles,x=e.theme,P=e.customWidth,k=e.onLightDismissClick,I=void 0===k?this._onPanelClick:k,w=e.onRenderNavigation,T=void 0===w?this._onRenderNavigation:w,E=e.onRenderHeader,D=void 0===E?this._onRenderHeader:E,M=e.onRenderBody,O=void 0===M?this._onRenderBody:M,R=e.onRenderFooter,F=void 0===R?this._onRenderFooter:R,B=this.state,A=B.isFooterSticky,N=B.visibility,L=B.id,H=S===Zl.smallFixedNear||S===Zl.customNear,j=De(x)?H:!H,z=S===Zl.custom||S===Zl.customNear?{width:P}:{},W=Q(this.props,Z),V=this.isActive,K=N===rc.animatingClosed||N===rc.animatingOpen;if(this._headerTextId=u&&L+"-headerText",!V&&!K&&!v)return null;this._classNames=ic(C,{theme:x,className:o,focusTrapZoneClassName:s?s.className:void 0,hasCloseButton:c,headerClassName:p,isAnimating:K,isFooterSticky:A,isFooterAtBottom:h,isOnRightSide:j,isOpen:V,isHiddenOnDismiss:v,type:S,hasCustomNavigation:this._hasCustomNavigation});var G,U=this._classNames,Y=this._allowTouchBodyScroll;return g&&V&&(G=a.createElement(nc,(0,i.__assign)({className:U.overlay,isDarkThemed:!1,onClick:f?I:void 0,allowTouchBodyScroll:Y},y))),a.createElement(Bn,(0,i.__assign)({},b),a.createElement(Ko,(0,i.__assign)({role:"dialog","aria-modal":g?"true":void 0,ariaLabelledBy:this._headerTextId?this._headerTextId:void 0,onDismiss:this.dismiss,className:U.hiddenPanel,enableAriaHiddenSiblings:!!V},_),a.createElement("div",(0,i.__assign)({"aria-hidden":!V&&K},W,{ref:this._panel,className:U.root}),G,a.createElement(Kl,(0,i.__assign)({ignoreExternalFocusing:m,forceFocusInsideTrap:!(!g||v&&!V)&&l,firstFocusableSelector:r,isClickableOutsideFocusTrap:!0},s,{className:U.main,style:z,elementToFocusOnDismiss:n}),a.createElement("div",{className:U.contentInner},a.createElement("div",{ref:this._allowScrollOnPanel,className:U.scrollableContent,"data-is-scrollable":!0},a.createElement("div",{className:U.commands,"data-is-visible":!0},T(this.props,this._onRenderNavigation)),(this._hasCustomNavigation||!c)&&D(this.props,this._onRenderHeader,this._headerTextId),O(this.props,this._onRenderBody),F(this.props,this._onRenderFooter)))))))},t.prototype.open=function(){void 0===this.props.isOpen&&(this.isActive||this.setState({visibility:rc.animatingOpen}))},t.prototype.close=function(){void 0===this.props.isOpen&&this.isActive&&this.setState({visibility:rc.animatingClosed})},Object.defineProperty(t.prototype,"isActive",{get:function(){return this.state.visibility===rc.open||this.state.visibility===rc.animatingOpen},enumerable:!1,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:t0&&l();var a=r._id+e.key;n.items.push(o((0,i.__assign)((0,i.__assign)({id:a},e),{index:t}),r._onRenderItem)),n.id=a;break;case hl.Divider:t>0&&n.items.push(o((0,i.__assign)((0,i.__assign)({},e),{index:t}),r._onRenderItem)),n.items.length>0&&l();break;default:n.items.push(o((0,i.__assign)((0,i.__assign)({},e),{index:t}),r._onRenderItem))}}(e,t)})),n.items.length>0&&l(),a.createElement(a.Fragment,null,s)},r._onRenderItem=function(e){switch(e.itemType){case hl.Divider:return r._renderSeparator(e);case hl.Header:return r._renderHeader(e);default:return r._renderOption(e)}},r._renderOption=function(e){var t,o=r.props,n=o.onRenderOption,s=void 0===n?r._onRenderOption:n,l=o.hoisted.selectedIndices,c=void 0===l?[]:l,d=!(void 0===e.index||!c)&&c.indexOf(e.index)>-1,p=e.hidden?r._classNames.dropdownItemHidden:d&&!0===e.disabled?r._classNames.dropdownItemSelectedAndDisabled:d?r._classNames.dropdownItemSelected:!0===e.disabled?r._classNames.dropdownItemDisabled:r._classNames.dropdownItem,m=e.title,g=r._listId+e.index,h=null!==(t=e.id)&&void 0!==t?t:g+"-label",f=r._classNames.subComponentStyles?r._classNames.subComponentStyles.multiSelectItem:void 0;return r.props.multiSelect?a.createElement(Ka,{id:g,key:e.key,disabled:e.disabled,onChange:r._onItemClick(e),inputProps:(0,i.__assign)({"aria-selected":d,onMouseEnter:r._onItemMouseEnter.bind(r,e),onMouseLeave:r._onMouseItemLeave.bind(r,e),onMouseMove:r._onItemMouseMove.bind(r,e),role:"option"},{"data-index":e.index,"data-is-focusable":!(e.disabled||e.hidden)}),label:e.text,title:m,onRenderLabel:r._onRenderItemLabel.bind(r,(0,i.__assign)((0,i.__assign)({},e),{id:h})),className:u(p,"is-multi-select"),checked:d,styles:f,ariaPositionInSet:e.hidden?void 0:r._sizePosCache.positionInSet(e.index),ariaSetSize:e.hidden?void 0:r._sizePosCache.optionSetSize,ariaLabel:e.ariaLabel,ariaLabelledBy:e.ariaLabel?void 0:h}):a.createElement(si,{id:g,key:e.key,"data-index":e.index,"data-is-focusable":!e.disabled,disabled:e.disabled,className:p,onClick:r._onItemClick(e),onMouseEnter:r._onItemMouseEnter.bind(r,e),onMouseLeave:r._onMouseItemLeave.bind(r,e),onMouseMove:r._onItemMouseMove.bind(r,e),role:"option","aria-selected":d?"true":"false",ariaLabel:e.ariaLabel,title:m,"aria-posinset":r._sizePosCache.positionInSet(e.index),"aria-setsize":r._sizePosCache.optionSetSize},s(e,r._onRenderOption))},r._onRenderOption=function(e){return a.createElement("span",{className:r._classNames.dropdownOptionText},e.text)},r._onRenderMultiselectOption=function(e){return a.createElement("span",{id:e.id,"aria-hidden":"true",className:r._classNames.dropdownOptionText},e.text)},r._onRenderItemLabel=function(e){var t=r.props.onRenderOption;return(void 0===t?r._onRenderMultiselectOption:t)(e,r._onRenderMultiselectOption)},r._onPositioned=function(e){r._focusZone.current&&r._requestAnimationFrame((function(){var e=r.props.hoisted.selectedIndices;if(r._focusZone.current)if(!r._hasBeenPositioned&&e&&e[0]&&!r.props.options[e[0]].disabled){var t=(0,w.Y)().getElementById("".concat(r._id,"-list").concat(e[0]));t&&r._focusZone.current.focusElement(t),r._hasBeenPositioned=!0}else r._focusZone.current.focus()})),r.state.calloutRenderEdge&&r.state.calloutRenderEdge===e.targetEdge||r.setState({calloutRenderEdge:e.targetEdge})},r._onItemClick=function(e){return function(t){e.disabled||(r.setSelectedIndex(t,e.index),r.props.multiSelect||r.setState({isOpen:!1}))}},r._onScroll=function(){var e=Qo(r.context);r._isScrollIdle||void 0===r._scrollIdleTimeoutId?r._isScrollIdle=!1:(e.clearTimeout(r._scrollIdleTimeoutId),r._scrollIdleTimeoutId=void 0),r._scrollIdleTimeoutId=e.setTimeout((function(){r._isScrollIdle=!0}),r._scrollIdleDelay)},r._onMouseItemLeave=function(e,t){if(!r._shouldIgnoreMouseEvent()&&r._host.current)if(r._host.current.setActive)try{r._host.current.setActive()}catch(e){}else r._host.current.focus()},r._onDismiss=function(){r.setState({isOpen:!1})},r._onDropdownBlur=function(e){r._isDisabled()||r.state.isOpen||(r.setState({hasFocus:!1}),r.props.onBlur&&r.props.onBlur(e))},r._onDropdownKeyDown=function(e){if(!r._isDisabled()&&(r._lastKeyDownWasAltOrMeta=r._isAltOrMeta(e),!r.props.onKeyDown||(r.props.onKeyDown(e),!e.defaultPrevented))){var t,o=r.props.hoisted.selectedIndices.length?r.props.hoisted.selectedIndices[0]:-1,n=e.altKey||e.metaKey,i=r.state.isOpen;switch(e.which){case f.enter:r.setState({isOpen:!i});break;case f.escape:if(!i)return;r.setState({isOpen:!1});break;case f.up:if(n){if(i){r.setState({isOpen:!1});break}return}r.props.multiSelect?r.setState({isOpen:!0}):r._isDisabled()||(t=r._moveIndex(e,-1,o-1,o));break;case f.down:n&&(e.stopPropagation(),e.preventDefault()),n&&!i||r.props.multiSelect?r.setState({isOpen:!0}):r._isDisabled()||(t=r._moveIndex(e,1,o+1,o));break;case f.home:r.props.multiSelect||(t=r._moveIndex(e,1,0,o));break;case f.end:r.props.multiSelect||(t=r._moveIndex(e,-1,r.props.options.length-1,o));break;case f.space:break;default:return}t!==o&&(e.stopPropagation(),e.preventDefault())}},r._onDropdownKeyUp=function(e){if(!r._isDisabled()){var t=r._shouldHandleKeyUp(e),o=r.state.isOpen;r.props.onKeyUp&&(r.props.onKeyUp(e),e.defaultPrevented)||(e.which===f.space?(r.setState({isOpen:!o}),e.stopPropagation(),e.preventDefault()):t&&o&&r.setState({isOpen:!1}))}},r._onZoneKeyDown=function(e){var t,o,n;r._lastKeyDownWasAltOrMeta=r._isAltOrMeta(e);var i=e.altKey||e.metaKey;switch(e.which){case f.up:i?r.setState({isOpen:!1}):r._host.current&&(n=gt(r._host.current,r._host.current.lastChild,!0));break;case f.home:case f.end:case f.pageUp:case f.pageDown:break;case f.down:!i&&r._host.current&&(n=mt(r._host.current,r._host.current.firstChild,!0));break;case f.escape:r.setState({isOpen:!1});break;case f.tab:r.setState({isOpen:!1});var a=(0,w.Y)();a&&(e.shiftKey?null===(t=ht(a.body,r._dropDown.current,!1,!1,!0,!0))||void 0===t||t.focus():null===(o=ft(a.body,r._dropDown.current,!1,!1,!0,!0))||void 0===o||o.focus());break;default:return}n&&n.focus(),e.stopPropagation(),e.preventDefault()},r._onZoneKeyUp=function(e){r._shouldHandleKeyUp(e)&&r.state.isOpen&&(r.setState({isOpen:!1}),e.preventDefault())},r._onDropdownClick=function(e){if(!r.props.onClick||(r.props.onClick(e),!e.defaultPrevented)){var t=r.state.isOpen;r._isDisabled()||r._shouldOpenOnFocus()||r.setState({isOpen:!t}),r._isFocusedByClick=!1}},r._onDropdownMouseDown=function(){r._isFocusedByClick=!0},r._onFocus=function(e){if(!r._isDisabled()){r.props.onFocus&&r.props.onFocus(e);var t={hasFocus:!0};r._shouldOpenOnFocus()&&(t.isOpen=!0),r.setState(t)}},r._isDisabled=function(){var e=r.props.disabled,t=r.props.isDisabled;return void 0===e&&(e=t),e},r._onRenderLabel=function(e){var t=e.label,o=e.required,n=e.disabled,i=r._classNames.subComponentStyles?r._classNames.subComponentStyles.label:void 0;return t?a.createElement(Ya,{className:r._classNames.label,id:r._labelId,required:o,styles:i,disabled:n},t):null},_(r),t.multiSelect,t.selectedKey,t.selectedKeys,t.defaultSelectedKey,t.defaultSelectedKeys;var s=t.options;return r._id=t.id||N("Dropdown"),r._labelId=r._id+"-label",r._listId=r._id+"-list",r._optionId=r._id+"-option",r._isScrollIdle=!0,r._hasBeenPositioned=!1,r._sizePosCache.updateOptions(s),r.state={isOpen:!1,hasFocus:!1,calloutRenderEdge:void 0},r}return(0,i.__extends)(t,e),Object.defineProperty(t.prototype,"selectedOptions",{get:function(){var e=this.props;return Il(e.options,e.hoisted.selectedIndices)},enumerable:!1,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._hasBeenPositioned=!1,this.props.onDismiss&&this.props.onDismiss())},t.prototype.render=function(){var e=this._id,t=this.props,o=t.className,n=t.label,r=t.options,s=t.ariaLabel,l=t.required,c=t.errorMessage,u=t.styles,d=t.theme,p=t.panelProps,m=t.calloutProps,g=t.onRenderTitle,h=void 0===g?this._getTitle:g,f=t.onRenderContainer,v=void 0===f?this._onRenderContainer:f,b=t.onRenderCaretDown,y=void 0===b?this._onRenderCaretDown:b,_=t.onRenderLabel,S=void 0===_?this._onRenderLabel:_,C=t.onRenderItem,x=void 0===C?this._onRenderItem:C,P=t.hoisted.selectedIndices,k=this.state,I=k.isOpen,w=k.calloutRenderEdge,T=k.hasFocus,E=t.onRenderPlaceholder||t.onRenderPlaceHolder||this._getPlaceholder;r!==this._sizePosCache.cachedOptions&&this._sizePosCache.updateOptions(r);var D=Il(r,P),M=Q(t,Z),O=this._isDisabled(),R=e+"-errorMessage";this._classNames=Cc(u,{theme:d,className:o,hasError:!!(c&&c.length>0),hasLabel:!!n,isOpen:I,required:l,disabled:O,isRenderingPlaceholder:!D.length,panelClassName:p?p.className:void 0,calloutClassName:m?m.className:void 0,calloutRenderEdge:w});var F=!!c&&c.length>0;return a.createElement("div",{className:this._classNames.root,ref:this.props.hoisted.rootRef,"aria-owns":I?this._listId:void 0},S(this.props,this._onRenderLabel),a.createElement("div",(0,i.__assign)({"data-is-focusable":!O,"data-ktp-target":!0,ref:this._dropDown,id:e,tabIndex:O?-1:0,role:"combobox","aria-haspopup":"listbox","aria-expanded":I?"true":"false","aria-label":s,"aria-labelledby":n&&!s?me(this._labelId,this._optionId):void 0,"aria-describedby":F?this._id+"-errorMessage":void 0,"aria-required":l,"aria-disabled":O,"aria-controls":I?this._listId:void 0},M,{className:this._classNames.dropdown,onBlur:this._onDropdownBlur,onKeyDown:this._onDropdownKeyDown,onKeyUp:this._onDropdownKeyUp,onClick:this._onDropdownClick,onMouseDown:this._onDropdownMouseDown,onFocus:this._onFocus}),a.createElement("span",{id:this._optionId,className:this._classNames.title,"aria-live":T?"polite":void 0,"aria-atomic":!!T||void 0,"aria-invalid":F},D.length?h(D,this._onRenderTitle):E(t,this._onRenderPlaceholder)),a.createElement("span",{className:this._classNames.caretDownWrapper},y(t,this._onRenderCaretDown))),I&&v((0,i.__assign)((0,i.__assign)({},t),{onDismiss:this._onDismiss,onRenderItem:x}),this._onRenderContainer),F&&a.createElement("div",{role:"alert",id:R,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===hl.Header||r[o].itemType===hl.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,r=e.ariaLabel,i=e.multiSelect;return a.createElement("div",{className:this._classNames.dropdownItemsWrapper,onKeyDown:this._onZoneKeyDown,onKeyUp:this._onZoneKeyUp,ref:this._host,tabIndex:0},a.createElement(Yt,{ref:this._focusZone,direction:st.vertical,id:this._listId,className:this._classNames.dropdownItems,role:"listbox","aria-label":r,"aria-labelledby":n&&!r?this._labelId:void 0,"aria-multiselectable":i},o(e,this._onRenderList)))},t.prototype._renderSeparator=function(e){var t=e.index,o=e.key,n=e.hidden?this._classNames.dropdownDividerHidden:this._classNames.dropdownDivider;return t>0?a.createElement("div",{role:"presentation",key:o,className:n}):null},t.prototype._renderHeader=function(e){var t=this.props.onRenderOption,o=void 0===t?this._onRenderOption:t,n=e.key,r=e.id,i=e.hidden?this._classNames.dropdownItemHeaderHidden:this._classNames.dropdownItemHeader;return a.createElement("div",{id:r,key:n,className:i},o(e,this._onRenderOption))},t.prototype._onItemMouseEnter=function(e,t){this._shouldIgnoreMouseEvent()||t.currentTarget.focus()},t.prototype._onItemMouseMove=function(e,t){var o=Zo(this.context),n=t.currentTarget;this._gotMouseMove=!0,this._isScrollIdle&&o.activeElement!==n&&n.focus()},t.prototype._shouldIgnoreMouseEvent=function(){return!this._isScrollIdle||!this._gotMouseMove},t.prototype._isAltOrMeta=function(e){return e.which===f.alt||"Meta"===e.key},t.prototype._shouldHandleKeyUp=function(e){var t=this._lastKeyDownWasAltOrMeta&&this._isAltOrMeta(e);return this._lastKeyDownWasAltOrMeta=!1,!!t&&!(qt()||Xt())},t.prototype._shouldOpenOnFocus=function(){var e=this.state.hasFocus,t=this.props.openOnKeyboardFocus;return!this._isFocusedByClick&&!0===t&&!e},t.defaultProps={options:[]},t.contextType=jo,t}(a.Component),Mc={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"},Oc=((kc={})["".concat(Ue.up,", ").concat(Ue.hT.replace("@media ",""))]=(0,i.__assign)({},(0,Ue.Qg)()),kc),Rc={selectors:(0,i.__assign)((Ic={},Ic[Ue.up]=(wc={backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},wc[".".concat(v.Y2," &:focus:after")]={borderColor:"HighlightText"},wc),Ic[".ms-Checkbox-checkbox"]=(Tc={},Tc[Ue.up]={borderColor:"HighlightText"},Tc),Ic),Oc)},Fc={selectors:(Ec={},Ec[Ue.up]={borderColor:"Highlight"},Ec)},Bc=(0,Ue.L6)(0,Ue.O7),Ac=Pe(Pc,(function(e){var t,o,n,r,a,s,l,c,u,d,p,m,g=e.theme,h=e.hasError,f=e.hasLabel,b=e.className,y=e.isOpen,_=e.disabled,S=e.required,C=e.isRenderingPlaceholder,x=e.panelClassName,P=e.calloutClassName,k=e.calloutRenderEdge;if(!g)throw new Error("theme is undefined or null in base Dropdown getStyles function.");var I=(0,Ue.Km)(Mc,g),w=g.palette,T=g.semanticColors,E=g.effects,D=g.fonts,M={color:T.menuItemTextHovered},O={color:T.menuItemText},R={borderColor:T.errorText},F=[I.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%"}}],B=[I.dropdownItemHeader,(0,i.__assign)((0,i.__assign)({},D.medium),{fontWeight:Ue.BO.semibold,color:T.menuHeader,background:"none",backgroundColor:"transparent",border:"none",height:36,lineHeight:36,cursor:"default",padding:"0 8px",userSelect:"none",textAlign:"left",selectors:(t={},t[Ue.up]=(0,i.__assign)({color:"GrayText"},(0,Ue.Qg)()),t)})],A=T.menuItemBackgroundPressed,N=function(e){var t,o;return void 0===e&&(e=!1),{selectors:(t={"&:hover":[{color:T.menuItemTextHovered,backgroundColor:e?A:T.menuItemBackgroundHovered},Rc],"&.is-multi-select:hover":[{backgroundColor:e?A:"transparent"},Rc],"&:active:hover":[{color:T.menuItemTextHovered,backgroundColor:e?T.menuItemBackgroundHovered:T.menuItemBackgroundPressed},Rc]},t[".".concat(v.Y2," &:focus:after, :host(.").concat(v.Y2,") &:focus:after")]=(o={left:0,top:0,bottom:0,right:0},o[Ue.up]={inset:"2px"},o),t[Ue.up]={border:"none"},t)}},L=(0,i.__spreadArray)((0,i.__spreadArray)([],F,!0),[{backgroundColor:A,color:T.menuItemTextHovered},N(!0),Rc],!1),H=(0,i.__spreadArray)((0,i.__spreadArray)([],F,!0),[{color:T.disabledText,cursor:"default",selectors:(o={},o[Ue.up]={color:"GrayText",border:"none"},o)}],!1),j=k===Qt.bottom?"".concat(E.roundedCorner2," ").concat(E.roundedCorner2," 0 0"):"0 0 ".concat(E.roundedCorner2," ").concat(E.roundedCorner2),z=k===Qt.bottom?"0 0 ".concat(E.roundedCorner2," ").concat(E.roundedCorner2):"".concat(E.roundedCorner2," ").concat(E.roundedCorner2," 0 0");return{root:[I.root,b],label:I.label,dropdown:[I.dropdown,Ue.S8,D.medium,{color:T.menuItemText,borderColor:T.focusBorder,position:"relative",outline:0,userSelect:"none",selectors:(n={},n["&:hover ."+I.title]=[!_&&M,{borderColor:y?w.neutralSecondary:w.neutralPrimary},Fc],n["&:focus ."+I.title]=[!_&&M,{selectors:(r={},r[Ue.up]={color:"Highlight"},r)}],n["&:focus:after"]=[{pointerEvents:"none",content:"''",position:"absolute",boxSizing:"border-box",top:"0px",left:"0px",width:"100%",height:"100%",border:_?"none":"2px solid ".concat(w.themePrimary),borderRadius:"2px",selectors:(a={},a[Ue.up]={color:"Highlight"},a)}],n["&:active ."+I.title]=[!_&&M,{borderColor:w.themePrimary},Fc],n["&:hover ."+I.caretDown]=!_&&O,n["&:focus ."+I.caretDown]=[!_&&O,{selectors:(s={},s[Ue.up]={color:"Highlight"},s)}],n["&:active ."+I.caretDown]=!_&&O,n["&:hover ."+I.titleIsPlaceHolder]=!_&&O,n["&:focus ."+I.titleIsPlaceHolder]=!_&&O,n["&:active ."+I.titleIsPlaceHolder]=!_&&O,n["&:hover ."+I.titleHasError]=R,n["&:active ."+I.titleHasError]=R,n)},y&&"is-open",_&&"is-disabled",S&&"is-required",S&&!f&&{selectors:(l={":before":{content:"'*'",color:T.errorText,position:"absolute",top:-5,right:-10}},l[Ue.up]={selectors:{":after":{right:-14}}},l)}],title:[I.title,Ue.S8,{backgroundColor:T.inputBackground,borderWidth:1,borderStyle:"solid",borderColor:T.inputBorder,borderRadius:y?j:E.roundedCorner2,cursor:"pointer",display:"block",height:32,lineHeight:30,padding:"0 28px 0 8px",position:"relative",overflow:"hidden",whiteSpace:"nowrap",textOverflow:"ellipsis"},C&&[I.titleIsPlaceHolder,{color:T.inputPlaceholderText}],h&&[I.titleHasError,R],_&&{backgroundColor:T.disabledBackground,border:"none",color:T.disabledText,cursor:"default",selectors:(c={},c[Ue.up]=(0,i.__assign)({border:"1px solid GrayText",color:"GrayText",backgroundColor:"Window"},(0,Ue.Qg)()),c)}],caretDownWrapper:[I.caretDownWrapper,{height:32,lineHeight:30,paddingTop:1,position:"absolute",right:8,top:0},!_&&{cursor:"pointer"}],caretDown:[I.caretDown,{color:w.neutralSecondary,fontSize:D.small.fontSize,pointerEvents:"none"},_&&{color:T.disabledText,selectors:(u={},u[Ue.up]=(0,i.__assign)({color:"GrayText"},(0,Ue.Qg)()),u)}],errorMessage:(0,i.__assign)((0,i.__assign)({color:T.errorText},g.fonts.small),{paddingTop:5}),callout:[I.callout,{boxShadow:E.elevation8,borderRadius:z,selectors:(d={},d[".ms-Callout-main"]={borderRadius:z},d)},P],dropdownItemsWrapper:{selectors:{"&:focus":{outline:0}}},dropdownItems:[I.dropdownItems,{display:"block"}],dropdownItem:(0,i.__spreadArray)((0,i.__spreadArray)([],F,!0),[N()],!1),dropdownItemSelected:L,dropdownItemDisabled:H,dropdownItemSelectedAndDisabled:[L,H,{backgroundColor:"transparent"}],dropdownItemHidden:(0,i.__spreadArray)((0,i.__spreadArray)([],F,!0),[{display:"none"}],!1),dropdownDivider:[I.dropdownDivider,{height:1,backgroundColor:T.bodyDivider}],dropdownDividerHidden:[I.dropdownDivider,{display:"none"}],dropdownOptionText:[I.dropdownOptionText,{overflow:"hidden",whiteSpace:"nowrap",textOverflow:"ellipsis",minWidth:0,maxWidth:"100%",wordWrap:"break-word",overflowWrap:"break-word",margin:"1px"}],dropdownItemHeader:B,dropdownItemHeaderHidden:(0,i.__spreadArray)((0,i.__spreadArray)([],B,!0),[{display:"none"}],!1),subComponentStyles:{label:{root:{display:"inline-block"}},multiSelectItem:{root:{padding:0},label:{alignSelf:"stretch",padding:"0 8px",width:"100%"},input:{selectors:(p={},p[".".concat(v.Y2," &:focus + label::before, :host(.").concat(v.Y2,") &:focus + label::before")]={outlineOffset:"0px"},p)}},panel:{root:[x],main:{selectors:(m={},m[Bc]={width:272},m)},contentInner:{padding:"0 0 20px"}}}}}),void 0,{scope:"Dropdown"});Ac.displayName="Dropdown";var Nc,Lc,Hc=/[\(\[\{\<][^\)\]\}\>]*[\)\]\}\>]/g,jc=/[\0-\u001F\!-/:-@\[-`\{-\u00BF\u0250-\u036F\uD800-\uFFFF]/g,zc=/^\d+[\d\s]*(:?ext|x|)\s*\d+$/i,Wc=/\s+/g,Vc=/[\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 Kc(e,t,o){return e?(e=function(e){return(e=(e=(e=e.replace(Hc,"")).replace(jc,"")).replace(Wc," ")).trim()}(e),Vc.test(e)||!o&&zc.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)):""}!function(e){e[e.none=0]="none",e[e.single=1]="single",e[e.multiple=2]="multiple"}(Nc||(Nc={})),function(e){e[e.horizontal=0]="horizontal",e[e.vertical=1]="vertical"}(Lc||(Lc={}));var Gc=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===Nc.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!==Nc.none&&!((e=Math.min(Math.max(0,e),this._items.length-1))<0||e>=this._items.length)){this.setChangeEvents(!1);var n=this._exemptedIndices[e];!this._unselectableIndices[e]&&(t&&this.mode===Nc.single&&this._setAllSelected(!1,!0),n&&(t&&this._isAllSelected||!t&&!this._isAllSelected)&&(delete this._exemptedIndices[e],this._exemptedCount--),!n&&(t&&!this._isAllSelected||!t&&this._isAllSelected)&&(this._exemptedIndices[e]=!0,this._exemptedCount++),o&&(this._anchoredIndex=e)),this._updateCount(),this.setChangeEvents(!0)}},e.prototype.setRangeSelected=function(e,t,o,n){if(this.mode!==Nc.none&&(e=Math.min(Math.max(0,e),this._items.length-1),t=Math.min(Math.max(0,t),this._items.length-e),!(e<0||e>=this._items.length||0===t))){this.setChangeEvents(!1);for(var r=e,i=e+t-1,a=(this._anchoredIndex||0)>=i?r:i;r<=i;r++)this.setIndexSelected(r,o,!!n&&r===a);this.setChangeEvents(!0)}},e.prototype.selectToKey=function(e,t){this.selectToIndex(this._keyToIndexMap[e],t)},e.prototype.selectToRange=function(e,t,o){if(this.mode!==Nc.none)if(this.mode!==Nc.single){var n=this._anchoredIndex||0,r=Math.min(e,n),i=Math.max(e+t-1,n);for(this.setChangeEvents(!1),o&&this._setAllSelected(!1,!0);r<=i;r++)this.setIndexSelected(r,!0,!1);this.setChangeEvents(!0)}else 1===t&&this.setIndexSelected(e,!0,!0)},e.prototype.selectToIndex=function(e,t){if(this.mode!==Nc.none)if(this.mode!==Nc.single){var o=this._anchoredIndex||0,n=Math.min(e,o),r=Math.max(e,o);for(this.setChangeEvents(!1),t&&this._setAllSelected(!1,!0);n<=r;n++)this.setIndexSelected(n,!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!==Nc.none){var o=this.isRangeSelected(e,t),n=e+t;if(!(this.mode===Nc.single&&t>1)){this.setChangeEvents(!1);for(var r=e;r0&&(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,M.raise(this,"change"),this._onSelectionChanged&&this._onSelectionChanged()):this._hasChanged=!0},e}();function Uc(e,t){var o=(e||{}).key;return void 0===o?"".concat(t):o}var Yc,qc,Xc="data-selection-index",Zc="data-selection-toggle",Qc="data-selection-invoke",Jc="data-selection-all-toggle",$c=function(e){function t(t){var o=e.call(this,t)||this;o._root=a.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,n=(0,k.z)(o._root.current),r=null==n?void 0:n.document;if((null==r?void 0:r.activeElement)===t||lt(null==r?void 0:r.activeElement,t)){if(lt(t,o._root.current))for(;t!==o._root.current;){if(o._hasAttribute(t,Qc)){o.ignoreNextFocus();break}t=p(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!==Nc.none){var a=o._hasAttribute(t,Zc),s=o._findItemRoot(t);if(!a&&s){var l=o._getItemIndex(s);void 0===o._getItemSpan(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("focus",l))}}o._handleNextFocus(!1)},o._onMouseDown=function(e){o._updateModifiers(e);var t=o.props.toggleWithoutModifierPressed,n=e.target,r=o._findItemRoot(n);if(!o._isSelectionDisabled(n))for(;n!==o._root.current&&!o._hasAttribute(n,Jc);){if(r){if(o._hasAttribute(n,Zc))break;if(o._hasAttribute(n,Qc))break;if(!(n!==r&&!o._shouldAutoSelect(n)||o._isShiftPressed||o._isCtrlPressed||o._isMetaPressed||t)){o._onInvokeMouseDown(e,o._getItemIndex(r),o._getItemSpan(r));break}if(o.props.disableAutoSelectOnInputElements&&("A"===n.tagName||"BUTTON"===n.tagName||"INPUT"===n.tagName))return}n=p(n)}},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),a=o._isSelectionDisabled(r);r!==o._root.current;){if(o._hasAttribute(r,Jc)){a||o._onToggleAllClick(e);break}if(i){var s=o._getItemIndex(i),l=o._getItemSpan(i);if(o._hasAttribute(r,Zc)){a||(o._isShiftPressed?o._onItemSurfaceClick("click",s,l):o._onToggleClick(e,s,l));break}if(o._isTouch&&n&&o._hasAttribute(r,"data-selection-touch-invoke")||o._hasAttribute(r,Qc)){void 0===l&&o._onInvokeClick(e,s);break}if(r===i){a||o._onItemSurfaceClick("click",s,l);break}if("A"===r.tagName||"BUTTON"===r.tagName||"INPUT"===r.tagName)return}r=p(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,Zc)&&!o._hasAttribute(t,Qc);){if(t===r){o._onInvokeClick(e,i);break}t=p(t)}t=p(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,i=r.selection,a=r.selectionClearedOnEscapePress,s=e.which===f.a&&(o._isCtrlPressed||o._isMetaPressed),l=e.which===f.escape;if(!o._isInputElement(t)){var c=o._getSelectionMode();if(s&&c===Nc.multiple&&!i.isAllSelected())return n||i.setAllSelected(!0),e.stopPropagation(),void e.preventDefault();if(a&&l&&i.getSelectedCount()>0)return n||i.setAllSelected(!1),e.stopPropagation(),void e.preventDefault();var u=o._findItemRoot(t);if(u)for(var d=o._getItemIndex(u),m=o._getItemSpan(u);t!==o._root.current&&!o._hasAttribute(t,Zc);){if(o._shouldAutoSelect(t)){n||void 0!==m||o._onInvokeMouseDown(e,d,m);break}if(!(e.which!==f.enter&&e.which!==f.space||"BUTTON"!==t.tagName&&"A"!==t.tagName&&"INPUT"!==t.tagName&&"SUMMARY"!==t.tagName))return!1;if(t===u){if(e.which===f.enter)return void(void 0===m&&(o._onInvokeClick(e,d),e.preventDefault()));if(e.which===f.space)return n||o._onToggleClick(e,d,m),void e.preventDefault();break}t=p(t)}}},o._events=new M(o),o._async=new I(o),_(o);var n=o.props.selection,r=n.isModal&&n.isModal();return o.state={isModal:r},o}return(0,i.__extends)(t,e),t.getDerivedStateFromProps=function(e,t){var o=e.selection.isModal&&e.selection.isModal();return(0,i.__assign)((0,i.__assign)({},t),{isModal:o})},t.prototype.componentDidMount=function(){var e=(0,k.z)(this._root.current),t=null==e?void 0:e.document;this._events.on(e,"keydown, keyup",this._updateModifiers,!0),this._events.on(t,"click",this._findScrollParentAndTryClearOnEmptyClick),this._events.on(null==t?void 0:t.body,"touchstart",this._onTouchStartCapture,!0),this._events.on(null==t?void 0:t.body,"touchend",this._onTouchStartCapture,!0),this._events.on(this.props.selection,"change",this._onSelectionChange)},t.prototype.render=function(){var e=this.state.isModal;return a.createElement("div",{className:u("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,a.createElement(le,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()===Nc.none)return!0;for(;e!==this._root.current;){if(this._hasAttribute(e,"data-selection-disabled"))return!0;e=p(e)}return!1},t.prototype._onToggleAllClick=function(e){var t=this.props.selection;this._getSelectionMode()===Nc.multiple&&(t.toggleAllSelected(),e.stopPropagation(),e.preventDefault())},t.prototype._onToggleClick=function(e,t,o){var n=this.props.selection,r=this._getSelectionMode();if(n.setChangeEvents(!1),this.props.enterModalOnTouch&&this._isTouch&&(void 0!==o?!n.isRangeSelected(t,o):!n.isIndexSelected(t))&&n.setModal&&(n.setModal(!0),this._setIsTouch(!1)),r===Nc.multiple)void 0!==o?n.toggleRangeSelected(t,o):n.toggleIndexSelected(t);else{if(r!==Nc.single)return void n.setChangeEvents(!0);if(void 0===o||1===o){var i=n.isIndexSelected(t),a=n.isModal&&n.isModal();n.setAllSelected(!1),n.setIndexSelected(t,!i,!0),a&&n.setModal&&n.setModal(!0)}}n.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,o){var n,r=this.props,i=r.selection,a=r.toggleWithoutModifierPressed,s=this._isCtrlPressed||this._isMetaPressed,l=this._getSelectionMode();l===Nc.multiple?this._isShiftPressed&&!this._isTabPressed?void 0!==o?null===(n=i.selectToRange)||void 0===n||n.call(i,t,o,!s):i.selectToIndex(t,!s):"click"===e&&(s||a)?void 0!==o?i.toggleRangeSelected(t,o):i.toggleIndexSelected(t):this._clearAndSelectIndex(t,o):l===Nc.single&&this._clearAndSelectIndex(t,o)},t.prototype._onInvokeMouseDown=function(e,t,o){var n=this.props.selection;if(void 0!==o){if(n.isRangeSelected(t,o))return}else if(n.isIndexSelected(t))return;this._clearAndSelectIndex(t,o)},t.prototype._findScrollParentAndTryClearOnEmptyClick=function(e){var t=(0,k.z)(this._root.current),o=null==t?void 0:t.document,n=Mt(this._root.current);this._events.off(o,"click",this._findScrollParentAndTryClearOnEmptyClick),this._events.on(n,"click",this._tryClearOnEmptyClick),(n&&e.target instanceof Node&&n.contains(e.target)||n===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,t){var o,n=this.props,r=n.selection,i=n.selectionClearedOnSurfaceClick,a=void 0===i||i;if((void 0!==t&&1!==t||1!==r.getSelectedCount()||!r.isIndexSelected(e))&&a){var s=r.isModal&&r.isModal();r.setChangeEvents(!1),r.setAllSelected(!1),void 0!==t?null===(o=r.setRangeSelected)||void 0===o||o.call(r,e,t,!0,!0):r.setIndexSelected(e,!0,!0),(s||this.props.enterModalOnTouch&&this._isTouch)&&(r.setModal&&r.setModal(!0),this._isTouch&&this._setIsTouch(!1)),r.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===f.tab},t.prototype._findItemRoot=function(e){for(var t=this.props.selection;e!==this._root.current;){var o=e.getAttribute(Xc),n=Number(o);if(null!==o&&n>=0&&n0?(o._refocusOnSuggestions(e),r=eu.none):r=o._searchForMoreButton.current?eu.searchMore:eu.forceResolve;break;case eu.searchMore:o._forceResolveButton.current?r=eu.forceResolve:a>0?(o._refocusOnSuggestions(e),r=eu.none):r=eu.searchMore;break;case eu.none:-1===t&&o._forceResolveButton.current&&(r=eu.forceResolve)}else if(e===f.up)switch(i){case eu.forceResolve:o._searchForMoreButton.current?r=eu.searchMore:a>0&&(o._refocusOnSuggestions(e),r=eu.none);break;case eu.searchMore:a>0?(o._refocusOnSuggestions(e),r=eu.none):o._forceResolveButton.current&&(r=eu.forceResolve);break;case eu.none:-1===t&&o._searchForMoreButton.current&&(r=eu.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,s=e.isExtendedLoading,l=e.loadingText;if(t||n){if(t&&s)return l||""}else{if(r.length>0)return i||"";if(a)return a}return""},o._getMoreResults=function(){o.props.onGetMoreResults&&(o.props.onGetMoreResults(),o.setState({selectedActionType:eu.none}))},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()}},_(o),o.state={selectedActionType:eu.none},o}return(0,i.__extends)(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,n=this.props,r=n.forceResolveText,s=n.mostRecentlyUsedHeaderText,l=n.searchForMoreIcon,c=n.searchForMoreText,d=n.className,p=n.moreSuggestionsAvailable,m=n.noResultsFoundText,g=n.suggestions,h=n.isLoading,f=n.isSearching,v=n.loadingText,b=n.onRenderNoResultFound,y=n.searchingText,_=n.isMostRecentlyUsedVisible,S=n.resultsMaximumNumber,C=n.resultsFooterFull,x=n.resultsFooter,P=n.isResultsFooterVisible,k=void 0===P||P,I=n.suggestionsHeaderText,w=n.suggestionsClassName,T=n.theme,E=n.styles,D=n.suggestionsListId,M=n.suggestionsContainerAriaLabel;this._classNames=E?wu(E,{theme:T,className:d,suggestionsClassName:w,forceResolveButtonSelected:this.state.selectedActionType===eu.forceResolve,searchForMoreButtonSelected:this.state.selectedActionType===eu.searchMore}):{root:u("ms-Suggestions",d,Iu.root),title:u("ms-Suggestions-title",Iu.suggestionsTitle),searchForMoreButton:u("ms-SearchMore-button",Iu.actionButton,(e={},e["is-selected "+Iu.buttonSelected]=this.state.selectedActionType===eu.searchMore,e)),forceResolveButton:u("ms-forceResolve-button",Iu.actionButton,(t={},t["is-selected "+Iu.buttonSelected]=this.state.selectedActionType===eu.forceResolve,t)),suggestionsAvailable:u("ms-Suggestions-suggestionsAvailable",Iu.suggestionsAvailable),suggestionsContainer:u("ms-Suggestions-container",Iu.suggestionsContainer,w),noSuggestions:u("ms-Suggestions-none",Iu.suggestionsNone)};var O=this._classNames.subComponentStyles?this._classNames.subComponentStyles.spinner:void 0,R=E?{styles:O}:{className:u("ms-Suggestions-spinner",Iu.suggestionsSpinner)},F=I;_&&s&&(F=s);var B=void 0;k&&(B=g.length>=S?C:x);var A,N=!(g&&g.length||h),L=this.state.selectedActionType===eu.forceResolve?"sug-selectedAction":void 0,H=this.state.selectedActionType===eu.searchMore?"sug-selectedAction":void 0;return a.createElement("div",{className:this._classNames.root,"aria-label":M||F,id:D,role:"listbox"},a.createElement(lu,{message:this._getAlertText(),"aria-live":"polite"}),F?a.createElement("div",{className:this._classNames.title},F):null,r&&this._shouldShowForceResolve()&&a.createElement(si,{componentRef:this._forceResolveButton,className:this._classNames.forceResolveButton,id:L,onClick:this._forceResolve,"data-automationid":"sug-forceResolve"},r),h&&a.createElement(iu,(0,i.__assign)({},R,{ariaLabel:v,label:v})),N?(A=function(){return a.createElement("div",{className:o._classNames.noSuggestions},m)},a.createElement("div",{id:"sug-noResultsFound",role:"option"},b?b(void 0,A):A())):this._renderSuggestions(),c&&p&&a.createElement(si,{componentRef:this._searchForMoreButton,className:this._classNames.searchForMoreButton,iconProps:l||{iconName:"Search"},id:H,onClick:this._getMoreResults,"data-automationid":"sug-searchForMore",role:"option"},c),f?a.createElement(iu,(0,i.__assign)({},R,{ariaLabel:y,label:y})):null,!B||p||_||f?null:a.createElement("div",{className:this._classNames.title},B(this.props)))},t.prototype.hasSuggestedAction=function(){return!!this._searchForMoreButton.current||!!this._forceResolveButton.current},t.prototype.hasSuggestedActionSelected=function(){return this.state.selectedActionType!==eu.none},t.prototype.executeSelectedAction=function(){switch(this.state.selectedActionType){case eu.forceResolve:this._forceResolve();break;case eu.searchMore:this._getMoreResults()}},t.prototype.focusAboveSuggestions=function(){this._forceResolveButton.current?this.setState({selectedActionType:eu.forceResolve}):this._searchForMoreButton.current&&this.setState({selectedActionType:eu.searchMore})},t.prototype.focusBelowSuggestions=function(){this._searchForMoreButton.current?this.setState({selectedActionType:eu.searchMore}):this._forceResolveButton.current&&this.setState({selectedActionType:eu.forceResolve})},t.prototype.focusSearchForMoreButton=function(){this._searchForMoreButton.current&&this._searchForMoreButton.current.focus()},t.prototype.scrollSelected=function(){if(this._selectedElement.current&&this._scrollContainer.current&&void 0!==this._scrollContainer.current.scrollTo){var e=this._selectedElement.current,t=e.offsetHeight,o=e.offsetTop,n=this._scrollContainer.current,r=n.offsetHeight,i=n.scrollTop,a=o+t>i+r;o=i?c.slice(d-i+1,d+1):c.slice(0,i)),0===c.length?null:a.createElement("div",{className:this._classNames.suggestionsContainer,ref:this._scrollContainer,role:"presentation"},c.map((function(t,i){return a.createElement("div",{ref:t.selected?e._selectedElement:void 0,key:t.item.key?t.item.key:i,role:"presentation"},a.createElement(u,{suggestionModel:t,RenderSuggestion:o,onClick:e._onClickTypedSuggestionsItem(t.item,i),className:r,showRemoveButton:s,removeButtonAriaLabel:n,onRemoveItem:e._onRemoveTypedSuggestionsItem(t.item,i),id:"sug-"+i,removeButtonIconProps:l}))})))},t}(a.Component),Du={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 Mu(e){var t,o=e.className,n=e.suggestionsClassName,r=e.theme,a=e.forceResolveButtonSelected,s=e.searchForMoreButtonSelected,l=r.palette,c=r.semanticColors,u=r.fonts,d=(0,Ue.Km)(Du,r),p={backgroundColor:"transparent",border:0,cursor:"pointer",margin:0,paddingLeft:8,position:"relative",borderTop:"1px solid ".concat(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[Ue.up]=(0,i.__assign)({backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},(0,Ue.Qg)()),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 ".concat(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,Ue.dX],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 Ou,Ru=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.ariaLabel}},this.suggestions=[],this.currentIndex=-1}return e.prototype.updateSuggestions=function(e,t,o){if(e&&e.length>0){if(o&&e.length>o){var n=t&&t>o?t+1-o:0;e=e.slice(n,n+o-1)}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])}else 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}();!function(e){e[e.valid=0]="valid",e[e.warning=1]="warning",e[e.invalid=2]="invalid"}(Ou||(Ou={})),(0,cu.loadStyles)([{rawString:".picker_94f06b16{position:relative}.pickerText_94f06b16{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_94f06b16:hover{border-color:"},{theme:"inputBorderHovered",defaultValue:"#323130"},{rawString:"}.pickerText_94f06b16.inputFocused_94f06b16{position:relative;border-color:"},{theme:"inputFocusBorderAlt",defaultValue:"#0078d4"},{rawString:'}.pickerText_94f06b16.inputFocused_94f06b16: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),screen and (forced-colors:active){.pickerText_94f06b16.inputDisabled_94f06b16{position:relative;border-color:GrayText}.pickerText_94f06b16.inputDisabled_94f06b16:after{pointer-events:none;content:"";position:absolute;left:0;top:0;bottom:0;right:0;background-color:Window}}.pickerInput_94f06b16{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_94f06b16{display:-webkit-box;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;max-width:100%}.screenReaderOnly_94f06b16{position:absolute;width:1px;height:1px;padding:0;margin:-1px;overflow:hidden;clip:rect(0,0,0,0);border:0}'}]);var Fu,Bu,Au,Nu,Lu,Hu,ju="picker_94f06b16",zu="pickerText_94f06b16",Wu="inputFocused_94f06b16",Vu="inputDisabled_94f06b16",Ku="pickerInput_94f06b16",Gu="pickerItems_94f06b16",Uu="screenReaderOnly_94f06b16",Yu=r,qu=Le(),Xu=function(e){function t(t){var o=e.call(this,t)||this;o.root=a.createRef(),o.input=a.createRef(),o.suggestionElement=a.createRef(),o.SuggestionOfProperType=Eu,o._styledSuggestions=Pe(o.SuggestionOfProperType,Mu,void 0,{scope:"Suggestions"}),o._overrideScrollDismiss=!1,o.dismissSuggestions=function(e){var t=function(){var t=!0;o.props.onDismiss&&(t=o.props.onDismiss(e,o.suggestionStore.currentSuggestion?o.suggestionStore.currentSuggestion.item:void 0)),(!e||e&&!e.defaultPrevented)&&!1!==t&&o.canAddItems()&&o.suggestionStore.hasSelectedSuggestion()&&o.state.suggestedDisplayValue&&o.addItemByIndex(0)};o.currentPromise?o.currentPromise.then((function(){return t()})):t(),o.setState({suggestionsVisible:!1})},o.refocusSuggestions=function(e){o.resetFocus(),o.suggestionStore.suggestions&&o.suggestionStore.suggestions.length>0&&(e===f.up?o.suggestionStore.setSelectedSuggestion(o.suggestionStore.suggestions.length-1):e===f.down&&o.suggestionStore.setSelectedSuggestion(0))},o.onInputChange=function(e){o.updateValue(e),o.setState({moreSuggestionsAvailable:!0,isMostRecentlyUsedVisible:!1})},o.onSuggestionClick=function(e,t,n){o.addItemByIndex(n)},o.onSuggestionRemove=function(e,t,n){o.props.onRemoveSuggestion&&o.props.onRemoveSuggestion(t),o.suggestionStore.removeSuggestion(n)},o.onInputFocus=function(e){o.selection.setAllSelected(!1),o.state.isFocused||(o._userTriggeredSuggestions(),o.props.inputProps&&o.props.inputProps.onFocus&&o.props.inputProps.onFocus(e))},o.onInputBlur=function(e){o.props.inputProps&&o.props.inputProps.onBlur&&o.props.inputProps.onBlur(e)},o.onBlur=function(e){if(o.state.isFocused){var t=e.relatedTarget;null===e.relatedTarget&&(t=Zo(o.context).activeElement),t&&!lt(o.root.current,t)&&(o.setState({isFocused:!1}),o.props.onBlur&&o.props.onBlur(e))}},o.onWrapperClick=function(e){o.state.items.length&&!o.canAddItems()&&o.resetFocus(o.state.items.length-1)},o.onClick=function(e){void 0!==o.props.inputProps&&void 0!==o.props.inputProps.onClick&&o.props.inputProps.onClick(e),0===e.button&&o._userTriggeredSuggestions()},o.onFocus=function(){o.state.isFocused||o.setState({isFocused:!0})},o.onKeyDown=function(e){var t=e.which;switch(t){case f.escape:o.state.suggestionsVisible&&(o.setState({suggestionsVisible:!1}),e.preventDefault(),e.stopPropagation());break;case f.tab:case f.enter:o.suggestionElement.current&&o.suggestionElement.current.hasSuggestedActionSelected()?o.suggestionElement.current.executeSelectedAction():!e.shiftKey&&o.suggestionStore.hasSelectedSuggestion()&&o.state.suggestionsVisible?(o.completeSuggestion(),e.preventDefault(),e.stopPropagation()):o._completeGenericSuggestion();break;case f.backspace:o.props.disabled||o.onBackspace(e),e.stopPropagation();break;case f.del:o.props.disabled||(o.input.current&&e.target===o.input.current.inputElement&&o.state.suggestionsVisible&&-1!==o.suggestionStore.currentIndex?(o.props.onRemoveSuggestion&&o.props.onRemoveSuggestion(o.suggestionStore.currentSuggestion.item),o.suggestionStore.removeSuggestion(o.suggestionStore.currentIndex),o.forceUpdate()):o.onBackspace(e)),e.stopPropagation();break;case f.up:o.input.current&&e.target===o.input.current.inputElement&&o.state.suggestionsVisible&&(o.suggestionElement.current&&o.suggestionElement.current.tryHandleKeyDown(t,o.suggestionStore.currentIndex)?(e.preventDefault(),e.stopPropagation(),o.forceUpdate()):o.suggestionElement.current&&o.suggestionElement.current.hasSuggestedAction()&&0===o.suggestionStore.currentIndex?(e.preventDefault(),e.stopPropagation(),o.suggestionElement.current.focusAboveSuggestions(),o.suggestionStore.deselectAllSuggestions(),o.forceUpdate()):o.suggestionStore.previousSuggestion()&&(e.preventDefault(),e.stopPropagation(),o.onSuggestionSelect()));break;case f.down:o.input.current&&e.target===o.input.current.inputElement&&o.state.suggestionsVisible&&(o.suggestionElement.current&&o.suggestionElement.current.tryHandleKeyDown(t,o.suggestionStore.currentIndex)?(e.preventDefault(),e.stopPropagation(),o.forceUpdate()):o.suggestionElement.current&&o.suggestionElement.current.hasSuggestedAction()&&o.suggestionStore.currentIndex+1===o.suggestionStore.suggestions.length?(e.preventDefault(),e.stopPropagation(),o.suggestionElement.current.focusBelowSuggestions(),o.suggestionStore.deselectAllSuggestions(),o.forceUpdate()):o.suggestionStore.nextSuggestion()&&(e.preventDefault(),e.stopPropagation(),o.onSuggestionSelect()))}},o.onItemChange=function(e,t){var n=o.state.items;if(t>=0){var r=n;r[t]=e,o._updateSelectedItems(r)}},o.onGetMoreResults=function(){o.setState({isSearching:!0},(function(){if(o.props.onGetMoreResults&&o.input.current){var e=o.props.onGetMoreResults(o.input.current.value,o.state.items),t=e,n=e;Array.isArray(t)?(o.updateSuggestions(t),o.setState({isSearching:!1})):n.then&&n.then((function(e){o.updateSuggestions(e),o.setState({isSearching:!1})}))}else o.setState({isSearching:!1});o.input.current&&o.input.current.focus(),o.setState({moreSuggestionsAvailable:!1,isResultsFooterVisible:!0})}))},o.completeSelection=function(e){o.addItem(e),o.updateValue(""),o.input.current&&o.input.current.clear(),o.setState({suggestionsVisible:!1})},o.addItemByIndex=function(e){o.completeSelection(o.suggestionStore.getSuggestionAtIndex(e).item)},o.addItem=function(e){var t=o.props.onItemSelected?o.props.onItemSelected(e):e;if(null!==t){var n=t,r=t;if(r&&r.then)r.then((function(e){var t=o.state.items.concat([e]);o._updateSelectedItems(t)}));else{var i=o.state.items.concat([n]);o._updateSelectedItems(i)}o.setState({suggestedDisplayValue:"",selectionRemoved:void 0})}},o.removeItem=function(e){var t=o.state.items,n=t.indexOf(e);if(n>=0){var r=t.slice(0,n).concat(t.slice(n+1));o.setState({selectionRemoved:e}),o._updateSelectedItems(r),o._async.setTimeout((function(){o.setState({selectionRemoved:void 0})}),1e3)}},o.removeItems=function(e){var t=o.state.items.filter((function(t){return-1===e.indexOf(t)}));o._updateSelectedItems(t)},o._shouldFocusZoneEnterInnerZone=function(e){if(o.state.suggestionsVisible)switch(e.which){case f.up:case f.down:return!0}return e.which===f.enter},o._onResolveSuggestions=function(e){var t=o.props.onResolveSuggestions(e,o.state.items);null!==t&&o.updateSuggestionsList(t,e)},o._completeGenericSuggestion=function(){if(o.props.onValidateInput&&o.input.current&&o.props.onValidateInput(o.input.current.value)!==Ou.invalid&&o.props.createGenericItem){var e=o.props.createGenericItem(o.input.current.value,o.props.onValidateInput(o.input.current.value));o.suggestionStore.createGenericSuggestion(e),o.completeSuggestion()}},o._userTriggeredSuggestions=function(){if(!o.state.suggestionsVisible){var e=o.input.current?o.input.current.value:"";e?0===o.suggestionStore.suggestions.length?o._onResolveSuggestions(e):o.setState({isMostRecentlyUsedVisible:!1,suggestionsVisible:!0}):o.onEmptyInputFocus()}},_(o),o._async=new I(o);var n=t.selectedItems||t.defaultSelectedItems||[];return o._id=N(),o._ariaMap={selectedItems:"selected-items-".concat(o._id),selectedSuggestionAlert:"selected-suggestion-alert-".concat(o._id),suggestionList:"suggestion-list-".concat(o._id),combobox:"combobox-".concat(o._id)},o.suggestionStore=new Ru,o.selection=new Gc({onSelectionChanged:function(){return o.onSelectionChange()}}),o.selection.setItems(n),o.state={items:n,suggestedDisplayValue:"",isMostRecentlyUsedVisible:!1,moreSuggestionsAvailable:!1,isFocused:!1,isSearching:!1,selectedIndices:[],selectionRemoved:void 0},o}return(0,i.__extends)(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:!1,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){var o=this;if(this.state.items&&this.state.items!==t.items){var n=this.selection.getSelectedIndices()[0];this.selection.setItems(this.state.items),this.state.isFocused&&(this.state.items.lengtht.items.length&&!this.canAddItems()&&this.resetFocus(this.state.items.length-1))}this.state.suggestionsVisible&&!t.suggestionsVisible&&(this._overrideScrollDismiss=!0,this._async.clearTimeout(this._overrideScrollDimissTimeout),this._overrideScrollDimissTimeout=this._async.setTimeout((function(){o._overrideScrollDismiss=!1}),100))},t.prototype.componentWillUnmount=function(){this.currentPromise&&(this.currentPromise=void 0),this._async.dispose()},t.prototype.focus=function(){this.input.current&&this.input.current.focus()},t.prototype.focusInput=function(){this.input.current&&this.input.current.focus()},t.prototype.completeSuggestion=function(e){this.suggestionStore.hasSelectedSuggestion()&&this.input.current?this.completeSelection(this.suggestionStore.currentSuggestion.item):e&&this._completeGenericSuggestion()},t.prototype.render=function(){var e=this.state,t=e.suggestedDisplayValue,o=e.isFocused,n=e.items,r=this.props,s=r.className,l=r.inputProps,c=r.disabled,d=r.selectionAriaLabel,p=r.selectionRole,m=void 0===p?"list":p,g=r.theme,h=r.styles,f=!!this.state.suggestionsVisible,v=f?this._ariaMap.suggestionList:void 0,b=h?qu(h,{theme:g,className:s,isFocused:o,disabled:c,inputClassName:l&&l.className}):{root:u("ms-BasePicker",s||""),text:u("ms-BasePicker-text",Yu.pickerText,this.state.isFocused&&Yu.inputFocused),itemsWrapper:Yu.pickerItems,input:u("ms-BasePicker-input",Yu.pickerInput,l&&l.className),screenReaderText:Yu.screenReaderOnly},y=this.props["aria-label"]||(null==l?void 0:l["aria-label"]);return a.createElement("div",{ref:this.root,className:b.root,onKeyDown:this.onKeyDown,onFocus:this.onFocus,onBlur:this.onBlur,onClick:this.onWrapperClick},this.renderCustomAlert(b.screenReaderText),a.createElement("span",{id:"".concat(this._ariaMap.selectedItems,"-label"),hidden:!0},d||y),a.createElement($c,{selection:this.selection,selectionMode:Nc.multiple},a.createElement("div",{className:b.text,"aria-owns":v},n.length>0&&a.createElement("span",{id:this._ariaMap.selectedItems,className:b.itemsWrapper,role:m,"aria-labelledby":"".concat(this._ariaMap.selectedItems,"-label")},this.renderItems()),this.canAddItems()&&a.createElement(ml,(0,i.__assign)({spellCheck:!1},l,{className:b.input,componentRef:this.input,id:(null==l?void 0:l.id)?l.id:this._ariaMap.combobox,onClick:this.onClick,onFocus:this.onInputFocus,onBlur:this.onInputBlur,onInputValueChange:this.onInputChange,suggestedDisplayValue:t,"aria-activedescendant":f?this.getActiveDescendant():void 0,"aria-controls":v,"aria-describedby":n.length>0?this._ariaMap.selectedItems:void 0,"aria-expanded":f,"aria-haspopup":"listbox","aria-label":y,role:"combobox",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 button")[Math.min(e,t.length-1)];o&&o.focus()}else this.input.current&&this.input.current.focus()},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){var t,o=null===(t=this.props.pickerSuggestionsProps)||void 0===t?void 0:t.resultsMaximumNumber;this.suggestionStore.updateSuggestions(e,0,o),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,n=this;Array.isArray(e)?this._updateAndResolveValue(t,e):e&&e.then&&(this.setState({suggestionsLoading:!0}),this._startLoadTimer(),this.suggestionStore.updateSuggestions([]),void 0!==t?this.setState({suggestionsVisible:this._getShowSuggestions()}):this.setState({suggestionsVisible:this.input.current&&this.input.current.inputElement===(null===(o=Zo(this.context))||void 0===o?void 0:o.activeElement)}),this.currentPromise=e,e.then((function(o){e===n.currentPromise&&n._updateAndResolveValue(t,o)})))},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,suggestionsExtendedLoading:!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(){var e;if(!this.state.suggestionsLoading){var t=this.suggestionStore.currentIndex;return t<0?(null===(e=this.suggestionElement.current)||void 0===e?void 0:e.hasSuggestedAction())?"sug-selectedAction":0===this.suggestionStore.suggestions.length?"sug-noResultsFound":void 0:"sug-".concat(t)}},t.prototype.getSuggestionsAlert=function(e){void 0===e&&(e=Yu.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 a.createElement("div",{id:this._ariaMap.selectedSuggestionAlert,className:e},"".concat(n," "))}},t.prototype.renderCustomAlert=function(e){void 0===e&&(e=Yu.screenReaderOnly);var t=this.props.suggestionRemovedText,o=void 0===t?"removed {0}":t,n="";return this.state.selectionRemoved&&(n=Vi(o,this._getTextFromItem(this.state.selectionRemoved,""))),a.createElement("div",{className:e,id:this._ariaMap.selectedSuggestionAlert,"aria-live":"assertive"},this.getSuggestionsAlert(e),n)},t.prototype._preventDismissOnScrollOrResize=function(e){return!(!this._overrideScrollDismiss||"scroll"!==e.type&&"resize"!==e.type)},t.prototype._startLoadTimer=function(){var e=this;this._async.setTimeout((function(){e.state.suggestionsLoading&&e.setState({suggestionsExtendedLoading:!0})}),3e3)},t.prototype._updateAndResolveValue=function(e,t){var o;if(void 0!==e)this.resolveNewValue(e,t);else{var n=null===(o=this.props.pickerSuggestionsProps)||void 0===o?void 0:o.resultsMaximumNumber;this.suggestionStore.updateSuggestions(t,-1,n),this.state.suggestionsLoading&&this.setState({suggestionsLoading:!1,suggestionsExtendedLoading:!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(){var e;return void 0!==this.input.current&&null!==this.input.current&&this.input.current.inputElement===(null===(e=Zo(this.context))||void 0===e?void 0:e.activeElement)&&""!==this.input.current.value},t.prototype._getTextFromItem=function(e,t){return this.props.getTextFromItem?this.props.getTextFromItem(e,t):""},t.contextType=jo,t}(a.Component),Zu=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,i.__extends)(t,e),t.prototype.render=function(){var e=this.state,t=e.suggestedDisplayValue,o=e.isFocused,n=this.props,r=n.className,s=n.inputProps,l=n.disabled,c=n.selectionAriaLabel,d=n.selectionRole,p=void 0===d?"list":d,m=n.theme,g=n.styles,h=!!this.state.suggestionsVisible,f=h?this._ariaMap.suggestionList:void 0,v=g?qu(g,{theme:m,className:r,isFocused:o,inputClassName:s&&s.className}):{root:u("ms-BasePicker",Yu.picker,r||""),text:u("ms-BasePicker-text",Yu.pickerText,this.state.isFocused&&Yu.inputFocused,l&&Yu.inputDisabled),itemsWrapper:Yu.pickerItems,input:u("ms-BasePicker-input",Yu.pickerInput,s&&s.className),screenReaderText:Yu.screenReaderOnly},b=this.props["aria-label"]||(null==s?void 0:s["aria-label"]);return a.createElement("div",{ref:this.root,onBlur:this.onBlur,onFocus:this.onFocus},a.createElement("div",{className:v.root,onKeyDown:this.onKeyDown},this.renderCustomAlert(v.screenReaderText),a.createElement("span",{id:"".concat(this._ariaMap.selectedItems,"-label"),hidden:!0},c||b),a.createElement("div",{className:v.text,"aria-owns":f},a.createElement(ml,(0,i.__assign)({},s,{className:v.input,componentRef:this.input,onFocus:this.onInputFocus,onBlur:this.onInputBlur,onClick:this.onClick,onInputValueChange:this.onInputChange,suggestedDisplayValue:t,"aria-activedescendant":h?this.getActiveDescendant():void 0,"aria-controls":f,"aria-expanded":h,"aria-haspopup":"listbox","aria-label":b,"aria-describedby":this.state.items.length>0?this._ariaMap.selectedItems:void 0,role:"combobox",id:(null==s?void 0:s.id)?s.id:this._ariaMap.combobox,disabled:l,onInputChange:this.props.onInputChange})))),this.renderSuggestions(),a.createElement($c,{selection:this.selection,selectionMode:Nc.single},a.createElement("div",{id:this._ariaMap.selectedItems,className:"ms-BasePicker-selectedItems",role:p,"aria-labelledby":"".concat(this._ariaMap.selectedItems,"-label")},this.renderItems())))},t.prototype.onBackspace=function(e){},t}(Xu);!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"}(Fu||(Fu={})),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"}(Bu||(Bu={})),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"}(Au||(Au={})),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"}(Lu||(Lu={})),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"}(Hu||(Hu={}));var Qu=function(e){return{isSize8:e===Fu.size8,isSize10:e===Fu.size10||e===Fu.tiny,isSize16:e===Fu.size16,isSize24:e===Fu.size24||e===Fu.extraExtraSmall,isSize28:e===Fu.size28||e===Fu.extraSmall,isSize32:e===Fu.size32,isSize40:e===Fu.size40||e===Fu.small,isSize48:e===Fu.size48||e===Fu.regular,isSize56:e===Fu.size56,isSize72:e===Fu.size72||e===Fu.large,isSize100:e===Fu.size100||e===Fu.extraLarge,isSize120:e===Fu.size120}},Ju=((Nu={})[Fu.tiny]=10,Nu[Fu.extraExtraSmall]=24,Nu[Fu.extraSmall]=28,Nu[Fu.small]=40,Nu[Fu.regular]=48,Nu[Fu.large]=72,Nu[Fu.extraLarge]=100,Nu[Fu.size8]=8,Nu[Fu.size10]=10,Nu[Fu.size16]=16,Nu[Fu.size24]=24,Nu[Fu.size28]=28,Nu[Fu.size32]=32,Nu[Fu.size40]=40,Nu[Fu.size48]=48,Nu[Fu.size56]=56,Nu[Fu.size72]=72,Nu[Fu.size100]=100,Nu[Fu.size120]=120,Nu),$u=function(e){return{isAvailable:e===Bu.online,isAway:e===Bu.away,isBlocked:e===Bu.blocked,isBusy:e===Bu.busy,isDoNotDisturb:e===Bu.dnd,isOffline:e===Bu.offline}},ed=Le({cacheSize:100}),td=a.forwardRef((function(e,t){var o=e.coinSize,n=e.isOutOfOffice,r=e.styles,i=e.presence,s=e.theme,l=e.presenceTitle,c=e.presenceColors,u=We(t,a.useRef(null)),d=Qu(e.size),p=!(d.isSize8||d.isSize10||d.isSize16||d.isSize24||d.isSize28||d.isSize32)&&(!o||o>32),m=o?o/3<40?o/3+"px":"40px":"",g=o?{fontSize:o?o/6<20?o/6+"px":"20px":"",lineHeight:m}:void 0,h=o?{width:m,height:m}:void 0,f=ed(r,{theme:s,presence:i,size:e.size,isOutOfOffice:n,presenceColors:c});return i===Bu.none?null:a.createElement("div",{role:"presentation",className:f.presence,style:h,title:l,ref:u},p&&a.createElement(tt,{className:f.presenceIcon,iconName:od(e.presence,e.isOutOfOffice),style:g}))}));function od(e,t){if(e){var o="SkypeArrow";switch(Bu[e]){case"online":return"SkypeCheck";case"away":return t?o:"SkypeClock";case"dnd":return"SkypeMinus";case"offline":return t?o:""}return""}}td.displayName="PersonaPresenceBase";var nd={presence:"ms-Persona-presence",presenceIcon:"ms-Persona-presenceIcon"};function rd(e){return{color:e,borderColor:e}}function id(e,t){return{selectors:{":before":{border:"".concat(e," solid ").concat(t)}}}}function ad(e){return{height:e,width:e}}function sd(e){return{backgroundColor:e}}var ld=Pe(td,(function(e){var t,o,n,r,a,s,l=e.theme,c=e.presenceColors,u=l.semanticColors,d=l.fonts,p=(0,Ue.Km)(nd,l),m=Qu(e.size),g=$u(e.presence),h=c&&c.available||"#6BB700",f=c&&c.away||"#FFAA44",v=c&&c.busy||"#C43148",b=c&&c.dnd||"#C50F1F",y=c&&c.offline||"#8A8886",_=c&&c.oof||"#B4009E",S=c&&c.background||u.bodyBackground,C=g.isOffline||e.isOutOfOffice&&(g.isAvailable||g.isBusy||g.isAway||g.isDoNotDisturb),x=m.isSize72||m.isSize100?"2px":"1px";return{presence:[p.presence,(0,i.__assign)((0,i.__assign)({position:"absolute",height:Hu.size12,width:Hu.size12,borderRadius:"50%",top:"auto",right:"-2px",bottom:"-2px",border:"2px solid ".concat(S),textAlign:"center",boxSizing:"content-box",backgroundClip:"border-box"},(0,Ue.Qg)()),{selectors:(t={},t[Ue.up]={borderColor:"Window",backgroundColor:"WindowText"},t)}),(m.isSize8||m.isSize10)&&{right:"auto",top:"7px",left:0,border:0,selectors:(o={},o[Ue.up]={top:"9px",border:"1px solid WindowText"},o)},(m.isSize8||m.isSize10||m.isSize24||m.isSize28||m.isSize32)&&ad(Hu.size8),(m.isSize40||m.isSize48)&&ad(Hu.size12),m.isSize16&&{height:Hu.size6,width:Hu.size6,borderWidth:"1.5px"},m.isSize56&&ad(Hu.size16),m.isSize72&&ad(Hu.size20),m.isSize100&&ad(Hu.size28),m.isSize120&&ad(Hu.size32),g.isAvailable&&{backgroundColor:h,selectors:(n={},n[Ue.up]=sd("Highlight"),n)},g.isAway&&sd(f),g.isBlocked&&[{selectors:(r={":after":m.isSize40||m.isSize48||m.isSize72||m.isSize100?{content:'""',width:"100%",height:x,backgroundColor:v,transform:"translateY(-50%) rotate(-45deg)",position:"absolute",top:"50%",left:0}:void 0},r[Ue.up]={selectors:{":after":{width:"calc(100% - 4px)",left:"2px",backgroundColor:"Window"}}},r)}],g.isBusy&&sd(v),g.isDoNotDisturb&&sd(b),g.isOffline&&sd(y),(C||g.isBlocked)&&[{backgroundColor:S,selectors:(a={":before":{content:'""',width:"100%",height:"100%",position:"absolute",top:0,left:0,border:"".concat(x," solid ").concat(v),borderRadius:"50%",boxSizing:"border-box"}},a[Ue.up]={backgroundColor:"WindowText",selectors:{":before":{width:"calc(100% - 2px)",height:"calc(100% - 2px)",top:"1px",left:"1px",borderColor:"Window"}}},a)}],C&&g.isAvailable&&id(x,h),C&&g.isBusy&&id(x,v),C&&g.isAway&&id(x,_),C&&g.isDoNotDisturb&&id(x,b),C&&g.isOffline&&id(x,y),C&&g.isOffline&&e.isOutOfOffice&&id(x,_)],presenceIcon:[p.presenceIcon,{color:S,fontSize:"6px",lineHeight:Hu.size12,verticalAlign:"top",selectors:(s={},s[Ue.up]={color:"Window"},s)},m.isSize56&&{fontSize:"8px",lineHeight:Hu.size16},m.isSize72&&{fontSize:d.small.fontSize,lineHeight:Hu.size20},m.isSize100&&{fontSize:d.medium.fontSize,lineHeight:Hu.size28},m.isSize120&&{fontSize:d.medium.fontSize,lineHeight:Hu.size32},g.isAway&&{position:"relative",left:C?void 0:"1px"},C&&g.isAvailable&&rd(h),C&&g.isBusy&&rd(v),C&&g.isAway&&rd(_),C&&g.isDoNotDisturb&&rd(b),C&&g.isOffline&&rd(y),C&&g.isOffline&&e.isOutOfOffice&&rd(_)]}}),void 0,{scope:"PersonaPresence"}),cd=[Au.lightBlue,Au.blue,Au.darkBlue,Au.teal,Au.green,Au.darkGreen,Au.lightPink,Au.pink,Au.magenta,Au.purple,Au.orange,Au.lightRed,Au.darkRed,Au.violet,Au.gold,Au.burgundy,Au.warmGray,Au.cyan,Au.rust,Au.coolGray],ud=cd.length;function dd(e){var t=e.primaryText,o=e.text,n=e.initialsColor;return"string"==typeof n?n:function(e){switch(e){case Au.lightBlue:return"#4F6BED";case Au.blue:return"#0078D4";case Au.darkBlue:return"#004E8C";case Au.teal:return"#038387";case Au.lightGreen:case Au.green:return"#498205";case Au.darkGreen:return"#0B6A0B";case Au.lightPink:return"#C239B3";case Au.pink:return"#E3008C";case Au.magenta:return"#881798";case Au.purple:return"#5C2E91";case Au.orange:return"#CA5010";case Au.red:return"#EE1111";case Au.lightRed:return"#D13438";case Au.darkRed:return"#A4262C";case Au.transparent:return"transparent";case Au.violet:return"#8764B8";case Au.gold:return"#986F0B";case Au.burgundy:return"#750B1C";case Au.warmGray:return"#7A7574";case Au.cyan:return"#005B70";case Au.rust:return"#8E562E";case Au.coolGray:return"#69797E";case Au.black:return"#1D1D1D";case Au.gray:return"#393939"}}(n=void 0!==n?n:function(e){var t=Au.blue;if(!e)return t;for(var o=0,n=e.length-1;n>=0;n--){var r=e.charCodeAt(n),i=n%8;o^=(r<>8-i)}return cd[o%ud]}(o||t))}var pd=Le({cacheSize:100}),md=(0,c.J9)((function(e,t,o,n,r,i){return(0,Ue.Zq)(e,!i&&{backgroundColor:dd({text:n,initialsColor:t,primaryText:r}),color:o})})),gd={size:Fu.size48,presence:Bu.none,imageAlt:""},hd=a.forwardRef((function(e,t){var o=Zt(gd,e),n=function(e){var t=e.onPhotoLoadingStateChange,o=e.imageUrl,n=a.useState(Ae.notLoaded),r=n[0],i=n[1];return a.useEffect((function(){i(Ae.notLoaded)}),[o]),[r,function(e){i(e),null==t||t(e)}]}(o),r=n[0],s=n[1],l=fd(s),c=o.className,u=o.coinProps,d=o.showUnknownPersonaCoin,p=o.coinSize,m=o.styles,g=o.imageUrl,h=o.initialsColor,f=o.initialsTextColor,v=o.isOutOfOffice,b=o.onRenderCoin,y=void 0===b?l:b,_=o.onRenderPersonaCoin,S=void 0===_?y:_,C=o.onRenderInitials,x=void 0===C?vd:C,P=o.presence,k=o.presenceTitle,I=o.presenceColors,w=o.primaryText,T=o.showInitialsUntilImageLoads,E=o.text,D=o.theme,M=o.size,O=Q(o,Z),R=Q(u||{},Z),F=p?{width:p,height:p}:void 0,B=d,A={coinSize:p,isOutOfOffice:v,presence:P,presenceTitle:k,presenceColors:I,size:M,theme:D},N=pd(m,{theme:D,className:u&&u.className?u.className:c,size:M,coinSize:p,showUnknownPersonaCoin:d}),L=Boolean(r!==Ae.loaded&&(T&&g||!g||r===Ae.error||B));return a.createElement("div",(0,i.__assign)({role:"presentation"},O,{className:N.coin,ref:t}),M!==Fu.size8&&M!==Fu.size10&&M!==Fu.tiny?a.createElement("div",(0,i.__assign)({role:"presentation"},R,{className:N.imageArea,style:F}),L&&a.createElement("div",{className:md(N.initials,h,f,E,w,d),style:F,"aria-hidden":"true"},x(o,vd)),!B&&S(o,l),a.createElement(ld,(0,i.__assign)({},A))):o.presence?a.createElement(ld,(0,i.__assign)({},A)):a.createElement(tt,{iconName:"Contact",className:N.size10WithoutPresenceIcon}),o.children)}));hd.displayName="PersonaCoinBase";var fd=function(e){return function(t){var o=t.coinSize,n=t.styles,r=t.imageUrl,i=t.imageAlt,s=t.imageShouldFadeIn,l=t.imageShouldStartVisible,c=t.theme,u=t.showUnknownPersonaCoin,d=t.size,p=void 0===d?gd.size:d;if(!r)return null;var m=pd(n,{theme:c,size:p,showUnknownPersonaCoin:u}),g=o||Ju[p];return a.createElement(qe,{className:m.image,imageFit:Fe.cover,src:r,width:g,height:g,alt:i,shouldFadeIn:s,shouldStartVisible:l,onLoadingStateChange:e})}},vd=function(e){var t=e.imageInitials,o=e.allowPhoneInitials,n=e.showUnknownPersonaCoin,r=e.text,i=e.primaryText,s=e.theme;if(n)return a.createElement(tt,{iconName:"Help"});var l=De(s);return""!==(t=t||Kc(r||i||"",l,o))?a.createElement("span",null,t):a.createElement(tt,{iconName:"Contact"})},bd={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"},yd=Pe(hd,(function(e){var t,o=e.className,n=e.theme,r=e.coinSize,a=n.palette,s=n.fonts,l=Qu(e.size),c=(0,Ue.Km)(bd,n),u=r||e.size&&Ju[e.size]||48;return{coin:[c.coin,s.medium,l.isSize8&&c.size8,l.isSize10&&c.size10,l.isSize16&&c.size16,l.isSize24&&c.size24,l.isSize28&&c.size28,l.isSize32&&c.size32,l.isSize40&&c.size40,l.isSize48&&c.size48,l.isSize56&&c.size56,l.isSize72&&c.size72,l.isSize100&&c.size100,l.isSize120&&c.size120,o],size10WithoutPresenceIcon:{fontSize:s.xSmall.fontSize,position:"absolute",top:"5px",right:"auto",left:0},imageArea:[c.imageArea,{position:"relative",textAlign:"center",flex:"0 0 auto",height:u,width:u},u<=10&&{overflow:"visible",background:"transparent",height:0,width:0}],image:[c.image,{marginRight:"10px",position:"absolute",top:0,left:0,width:"100%",height:"100%",border:0,borderRadius:"50%",perspective:"1px"},u<=10&&{overflow:"visible",background:"transparent",height:0,width:0},u>10&&{height:u,width:u}],initials:[c.initials,{borderRadius:"50%",color:e.showUnknownPersonaCoin?"rgb(168, 0, 0)":a.white,fontSize:s.large.fontSize,fontWeight:Ue.BO.semibold,lineHeight:48===u?46:u,height:u,selectors:(t={},t[Ue.up]=(0,i.__assign)((0,i.__assign)({border:"1px solid WindowText"},(0,Ue.Qg)()),{color:"WindowText",boxSizing:"border-box",backgroundColor:"Window !important"}),t.i={fontWeight:Ue.BO.semibold},t)},e.showUnknownPersonaCoin&&{backgroundColor:"rgb(234, 234, 234)"},u<32&&{fontSize:s.xSmall.fontSize},u>=32&&u<40&&{fontSize:s.medium.fontSize},u>=40&&u<56&&{fontSize:s.mediumPlus.fontSize},u>=56&&u<72&&{fontSize:s.xLarge.fontSize},u>=72&&u<100&&{fontSize:s.xxLarge.fontSize},u>=100&&{fontSize:s.superLarge.fontSize}]}}),void 0,{scope:"PersonaCoin"}),_d=Le(),Sd={size:Fu.size48,presence:Bu.none,imageAlt:"",showOverflowTooltip:!0},Cd=a.forwardRef((function(e,t){var o=Zt(Sd,e),n=We(t,a.useRef(null)),r=function(){return o.text||o.primaryText||""},s=function(e,t,n){var r=t&&t(o,n);return r?a.createElement("div",{dir:"auto",className:e},r):void 0},l=function(e,t){return void 0===t&&(t=!0),e?t?function(){return a.createElement(Ds,{content:e,overflowMode:Ss.Parent,directionalHint:rt.topLeftEdge},e)}:function(){return a.createElement(a.Fragment,null,e)}:void 0},c=l(r(),o.showOverflowTooltip),u=l(o.secondaryText,o.showOverflowTooltip),d=l(o.tertiaryText,o.showOverflowTooltip),p=l(o.optionalText,o.showOverflowTooltip),m=o.hidePersonaDetails,g=o.onRenderOptionalText,h=void 0===g?p:g,f=o.onRenderPrimaryText,v=void 0===f?c:f,b=o.onRenderSecondaryText,y=void 0===b?u:b,_=o.onRenderTertiaryText,S=void 0===_?d:_,C=o.onRenderPersonaCoin,x=void 0===C?function(e){return a.createElement(yd,(0,i.__assign)({},e))}:C,P=o.size,k=o.allowPhoneInitials,I=o.className,w=o.coinProps,T=o.showUnknownPersonaCoin,E=o.coinSize,D=o.styles,M=o.imageAlt,O=o.imageInitials,R=o.imageShouldFadeIn,F=o.imageShouldStartVisible,B=o.imageUrl,A=o.initialsColor,N=o.initialsTextColor,L=o.isOutOfOffice,H=o.onPhotoLoadingStateChange,j=o.onRenderCoin,z=o.onRenderInitials,W=o.presence,V=o.presenceTitle,K=o.presenceColors,G=o.showInitialsUntilImageLoads,U=o.showSecondaryText,Y=o.theme,q=(0,i.__assign)({allowPhoneInitials:k,showUnknownPersonaCoin:T,coinSize:E,imageAlt:M,imageInitials:O,imageShouldFadeIn:R,imageShouldStartVisible:F,imageUrl:B,initialsColor:A,initialsTextColor:N,onPhotoLoadingStateChange:H,onRenderCoin:j,onRenderInitials:z,presence:W,presenceTitle:V,showInitialsUntilImageLoads:G,size:P,text:r(),isOutOfOffice:L,presenceColors:K},w),X=_d(D,{theme:Y,className:I,showSecondaryText:U,presence:W,size:P}),J=Q(o,Z),$=a.createElement("div",{className:X.details},s(X.primaryText,v,c),s(X.secondaryText,y,u),s(X.tertiaryText,S,d),s(X.optionalText,h,p),o.children);return a.createElement("div",(0,i.__assign)({},J,{ref:n,className:X.root,style:E?{height:E,minWidth:E}:void 0}),x(q,x),(!m||P===Fu.size8||P===Fu.size10||P===Fu.tiny)&&$)}));Cd.displayName="PersonaBase";var xd={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"},Pd=Pe(Cd,(function(e){var t=e.className,o=e.showSecondaryText,n=e.theme,r=n.semanticColors,i=n.fonts,a=(0,Ue.Km)(xd,n),s=Qu(e.size),l=$u(e.presence),c="16px",u={color:r.bodySubtext,fontWeight:Ue.BO.regular,fontSize:i.small.fontSize};return{root:[a.root,n.fonts.medium,Ue.S8,{color:r.bodyText,position:"relative",height:Lu.size48,minWidth:Lu.size48,display:"flex",alignItems:"center",selectors:{".contextualHost":{display:"none"}}},s.isSize8&&[a.size8,{height:Lu.size8,minWidth:Lu.size8}],s.isSize10&&[a.size10,{height:Lu.size10,minWidth:Lu.size10}],s.isSize16&&[a.size16,{height:Lu.size16,minWidth:Lu.size16}],s.isSize24&&[a.size24,{height:Lu.size24,minWidth:Lu.size24}],s.isSize24&&o&&{height:"36px"},s.isSize28&&[a.size28,{height:Lu.size28,minWidth:Lu.size28}],s.isSize28&&o&&{height:"32px"},s.isSize32&&[a.size32,{height:Lu.size32,minWidth:Lu.size32}],s.isSize40&&[a.size40,{height:Lu.size40,minWidth:Lu.size40}],s.isSize48&&a.size48,s.isSize56&&[a.size56,{height:Lu.size56,minWidth:Lu.size56}],s.isSize72&&[a.size72,{height:Lu.size72,minWidth:Lu.size72}],s.isSize100&&[a.size100,{height:Lu.size100,minWidth:Lu.size100}],s.isSize120&&[a.size120,{height:Lu.size120,minWidth:Lu.size120}],l.isAvailable&&a.available,l.isAway&&a.away,l.isBlocked&&a.blocked,l.isBusy&&a.busy,l.isDoNotDisturb&&a.doNotDisturb,l.isOffline&&a.offline,t],details:[a.details,{padding:"0 24px 0 16px",minWidth:0,width:"100%",textAlign:"left",display:"flex",flexDirection:"column",justifyContent:"space-around"},(s.isSize8||s.isSize10)&&{paddingLeft:17},(s.isSize24||s.isSize28||s.isSize32)&&{padding:"0 8px"},(s.isSize40||s.isSize48)&&{padding:"0 12px"}],primaryText:[a.primaryText,Ue.oA,{color:r.bodyText,fontWeight:Ue.BO.regular,fontSize:i.medium.fontSize,selectors:{":hover":{color:r.inputTextHovered}}},o&&{height:c,lineHeight:c,overflowX:"hidden"},(s.isSize8||s.isSize10)&&{fontSize:i.small.fontSize,lineHeight:Lu.size8},s.isSize16&&{lineHeight:Lu.size28},(s.isSize24||s.isSize28||s.isSize32||s.isSize40||s.isSize48)&&o&&{height:18},(s.isSize56||s.isSize72||s.isSize100||s.isSize120)&&{fontSize:i.xLarge.fontSize},(s.isSize56||s.isSize72||s.isSize100||s.isSize120)&&o&&{height:22}],secondaryText:[a.secondaryText,Ue.oA,u,(s.isSize8||s.isSize10||s.isSize16||s.isSize24||s.isSize28||s.isSize32)&&{display:"none"},o&&{display:"block",height:c,lineHeight:c,overflowX:"hidden"},s.isSize24&&o&&{height:18},(s.isSize56||s.isSize72||s.isSize100||s.isSize120)&&{fontSize:i.medium.fontSize},(s.isSize56||s.isSize72||s.isSize100||s.isSize120)&&o&&{height:18}],tertiaryText:[a.tertiaryText,Ue.oA,u,{display:"none",fontSize:i.medium.fontSize},(s.isSize72||s.isSize100||s.isSize120)&&{display:"block"}],optionalText:[a.optionalText,Ue.oA,u,{display:"none",fontSize:i.medium.fontSize},(s.isSize100||s.isSize120)&&{display:"block"}],textContent:[a.textContent,Ue.oA]}}),void 0,{scope:"Persona"}),kd={root:"ms-PickerPersona-container",itemContent:"ms-PickerItem-content",removeButton:"ms-PickerItem-removeButton",isSelected:"is-selected",isInvalid:"is-invalid"},Id=Le(),wd=Pe((function(e){var t=e.item,o=e.onRemoveItem,n=e.index,r=e.selected,s=e.removeButtonAriaLabel,l=e.styles,c=e.theme,u=e.className,d=e.disabled,p=e.removeButtonIconProps,m=a.createRef(),g=N(),h=Id(l,{theme:c,className:u,selected:r,disabled:d,invalid:t.ValidationState===Ou.warning}),f=h.subComponentStyles?h.subComponentStyles.persona:void 0,v=h.subComponentStyles?h.subComponentStyles.personaCoin:void 0;return a.createElement("div",{"data-selection-index":n,className:h.root,role:"listitem",key:n,onClick:function(){var e;null===(e=m.current)||void 0===e||e.focus()}},a.createElement("div",{className:h.itemContent,id:"selectedItemPersona-"+g},a.createElement(Pd,(0,i.__assign)({size:Fu.size24,styles:f,coinProps:{styles:v}},t))),a.createElement(yi,{componentRef:m,id:g,onClick:o,disabled:d,iconProps:null!=p?p:{iconName:"Cancel"},styles:{icon:{fontSize:"12px"}},className:h.removeButton,ariaLabel:s,"aria-labelledby":"".concat(g," selectedItemPersona-").concat(g)}))}),(function(e){var t,o,n,r,a,s,l,c,u=e.className,d=e.theme,p=e.selected,m=e.invalid,g=e.disabled,h=d.palette,f=d.semanticColors,v=d.fonts,b=(0,Ue.Km)(kd,d),y=[p&&!m&&!g&&{color:"inherit",selectors:(t={":hover":{color:"inherit"}},t[Ue.up]={color:"HighlightText"},t)},(m&&!p||m&&p&&g)&&{color:"inherit",borderBottom:"2px dotted currentColor",selectors:(o={},o[".".concat(b.root,":hover &")]={color:"inherit"},o)},m&&p&&!g&&{color:"inherit",borderBottom:"2px dotted currentColor",selectors:{":hover":{color:"inherit"}}},g&&{selectors:(n={},n[Ue.up]={color:"GrayText"},n)}],_=[p&&!m&&!g&&{color:"inherit",selectors:(r={":hover":{color:"inherit"}},r[Ue.up]={color:"HighlightText"},r)}],S=[m&&{fontSize:v.xLarge.fontSize}];return{root:[b.root,(0,Ue.gm)(d,{inset:-2}),{borderRadius:15,display:"inline-flex",alignItems:"center",background:h.neutralLighter,margin:"1px 2px",cursor:"default",userSelect:"none",maxWidth:300,verticalAlign:"middle",minWidth:0,selectors:(a={":hover":{background:p||g?"":h.neutralLight}},a[Ue.up]=[{border:"1px solid WindowText"},g&&{borderColor:"GrayText"}],a)},p&&!g&&[b.isSelected,{selectors:(s={":focus-within":{background:h.themePrimary,color:h.white}},s[Ue.up]=(0,i.__assign)({borderColor:"HighLight",background:"Highlight"},(0,Ue.Qg)()),s)}],m&&[b.isInvalid],m&&p&&!g&&{":focus-within":{background:h.redDark,color:h.white}},(m&&!p||m&&p&&g)&&{color:h.redDark},u],itemContent:[b.itemContent,{flex:"0 1 auto",minWidth:0,maxWidth:"100%",overflow:"hidden"}],removeButton:[b.removeButton,{borderRadius:15,color:h.neutralPrimary,flex:"0 0 auto",width:24,height:24,selectors:{":hover":{background:h.neutralTertiaryAlt,color:h.neutralDark}}},p&&[(0,Ue.gm)(d,{inset:2,borderColor:"transparent",highContrastStyle:{inset:2,left:1,top:1,bottom:1,right:1,outlineColor:"ButtonText"},outlineColor:h.white,borderRadius:15}),{selectors:(l={":hover":{color:h.white,background:h.themeDark},":active":{color:h.white,background:h.themeDarker},":focus":{color:h.white}},l[Ue.up]={color:"HighlightText"},l)},m&&{selectors:{":hover":{color:h.white,background:h.red},":active":{color:h.white,background:h.redDark}}}],g&&{selectors:(c={},c[".".concat(Vr.msButtonIcon)]={color:f.buttonText},c)}],subComponentStyles:{persona:{root:{color:"inherit"},primaryText:y,secondaryText:_},personaCoin:{initials:S}}}}),void 0,{scope:"PeoplePickerItem"}),Td={root:"ms-PeoplePicker-personaContent",personaWrapper:"ms-PeoplePicker-Persona"},Ed=Le(),Dd=Pe((function(e){var t=e.personaProps,o=e.suggestionsProps,n=e.compact,r=e.styles,s=e.theme,l=e.className,c=Ed(r,{theme:s,className:o&&o.suggestionsItemClassName||l}),u=c.subComponentStyles&&c.subComponentStyles.persona?c.subComponentStyles.persona:void 0;return a.createElement("div",{className:c.root},a.createElement(Pd,(0,i.__assign)({size:Fu.size24,styles:u,className:c.personaWrapper,showSecondaryText:!n,showOverflowTooltip:!1},t)))}),(function(e){var t,o,n,r=e.className,i=e.theme,a=(0,Ue.Km)(Td,i),s={selectors:(t={},t[".".concat(ku.isSuggested," &")]={selectors:(o={},o[Ue.up]={color:"HighlightText"},o)},t[".".concat(a.root,":hover &")]={selectors:(n={},n[Ue.up]={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"}),Md={root:"ms-BasePicker",text:"ms-BasePicker-text",itemsWrapper:"ms-BasePicker-itemsWrapper",input:"ms-BasePicker-input"};function Od(e){var t,o,n,r=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,g=c.inputFocusBorderAlt,h=(0,Ue.Km)(Md,i),f=[d.medium,{color:c.inputPlaceholderText,opacity:1,selectors:(t={},t[Ue.up]={color:"GrayText"},t)}],v={color:c.disabledText,selectors:(o={},o[Ue.up]={color:"GrayText"},o)},b="rgba(218, 218, 218, 0.29)";return{root:[h.root,r,{position:"relative"}],text:[h.text,{display:"flex",position:"relative",flexWrap:"wrap",alignItems:"center",boxSizing:"border-box",minWidth:180,minHeight:30,border:"1px solid ".concat(p),borderRadius:u.roundedCorner2},!a&&!l&&{selectors:{":hover":{borderColor:m}}},a&&!l&&(0,Ue.Sq)(g,u.roundedCorner2),l&&{borderColor:b,selectors:(n={":after":{content:'""',position:"absolute",top:0,right:0,bottom:0,left:0,background:b}},n[Ue.up]={borderColor:"GrayText",selectors:{":after":{background:"none"}}},n)}],itemsWrapper:[h.itemsWrapper,{display:"flex",flexWrap:"wrap",maxWidth:"100%"}],input:[h.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"},"&:placeholder-shown":{textOverflow:"ellipsis"}}},(0,Ue.CX)(f),l&&(0,Ue.CX)(v),s],screenReaderText:Ue.dX}}var Rd=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,i.__extends)(t,e),t}(Xu),Fd=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,i.__extends)(t,e),t}(Zu),Bd=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,i.__extends)(t,e),t.defaultProps={onRenderItem:function(e){return a.createElement(wd,(0,i.__assign)({},e))},onRenderSuggestionsItem:function(e,t){return a.createElement(Dd,{personaProps:e,suggestionsProps:t})},createGenericItem:Ld},t}(Rd),Ad=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,i.__extends)(t,e),t.defaultProps={onRenderItem:function(e){return a.createElement(wd,(0,i.__assign)({},e))},onRenderSuggestionsItem:function(e,t){return a.createElement(Dd,{personaProps:e,suggestionsProps:t,compact:!0})},createGenericItem:Ld},t}(Rd),Nd=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,i.__extends)(t,e),t.defaultProps={onRenderItem:function(e){return a.createElement(wd,(0,i.__assign)({},e))},onRenderSuggestionsItem:function(e,t){return a.createElement(Dd,{personaProps:e,suggestionsProps:t})},createGenericItem:Ld},t}(Fd);function Ld(e,t){var o={key:e,primaryText:e,imageInitials:"!",ValidationState:t};return t!==Ou.warning&&(o.imageInitials=Kc(e,De())),o}var Hd,jd=Pe(Bd,Od,void 0,{scope:"NormalPeoplePicker"}),zd=(Pe(Ad,Od,void 0,{scope:"CompactPeoplePicker"}),Pe(Nd,Od,void 0,{scope:"ListPeoplePickerBase"}),{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 Wd(e,t){var o;return{color:e,selectors:(o={},o[Ue.up]={color:t},o)}}!function(e){e[e.Small=0]="Small",e[e.Large=1]="Large"}(Hd||(Hd={}));var Vd=Le(),Kd=function(e){return a.createElement("div",{className:e.classNames.ratingStar},a.createElement(tt,{className:e.classNames.ratingStarBack,iconName:0===e.fillPercentage||100===e.fillPercentage?e.icon:e.unselectedIcon}),!e.disabled&&a.createElement(tt,{className:e.classNames.ratingStarFront,iconName:e.icon,style:{width:e.fillPercentage+"%"}}))},Gd=function(e,t){return"".concat(e,"-star-").concat(t-1)},Ud=a.forwardRef((function(e,t){var o=fr("Rating"),n=fr("RatingLabel"),r=e.ariaLabel,s=e.ariaLabelFormat,l=e.disabled,c=e.getAriaLabel,d=e.styles,p=e.min,m=void 0===p?e.allowZeroStars?0:1:p,g=e.max,h=void 0===g?5:g,v=e.readOnly,b=e.size,y=e.theme,_=e.icon,S=void 0===_?"FavoriteStarFill":_,C=e.unselectedIcon,x=void 0===C?"FavoriteStar":C,P=e.onRenderStar,k=Math.max(m,0),I=Ma(e.rating,e.defaultRating,e.onChange),w=I[0],T=I[1],E=function(e,t,o){return Math.min(Math.max(null!=e?e:t,t),o)}(w,k,h);!function(e,t){a.useImperativeHandle(e,(function(){return{rating:t}}),[t])}(e.componentRef,E);var D=a.useRef(null),M=We(D,t);se(D);for(var O=Q(e,Z),R=Vd(d,{disabled:l,readOnly:v,theme:y}),F=null==c?void 0:c(E,h),B=r||F,A=[],N=function(e){var t,r,c=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,E);A.push(a.createElement("button",(0,i.__assign)({className:u(R.ratingButton,b===Hd.Large?R.ratingStarIsLarge:R.ratingStarIsSmall),id:Gd(o,e),key:e},e===Math.ceil(E)&&{"data-is-current":!0},{onKeyDown:function(t){var o=t.which,n=e;switch(o){case f.right:case f.down:n=Math.min(h,n+1);break;case f.left:case f.up:n=Math.max(1,n-1);break;case f.home:case f.pageUp:n=1;break;case f.end:case f.pageDown:n=h}n===e||void 0!==w&&Math.ceil(w)===n||T(n,t)},onClick:function(t){void 0!==w&&Math.ceil(w)===e||T(e,t)},disabled:!(!l&&!v),role:"radio","aria-hidden":v?"true":void 0,type:"button","aria-checked":e===Math.ceil(E)}),a.createElement("span",{id:"".concat(n,"-").concat(e),className:R.labelText},Vi(s||"",e,h)),(t={fillPercentage:c,disabled:l,classNames:R,icon:c>0?S:x,starNum:e,unselectedIcon:x},(r=P)?r(t):a.createElement(Kd,(0,i.__assign)({},t)))))},L=1;L<=h;L++)N(L);var H=b===Hd.Large?R.rootIsLarge:R.rootIsSmall;return a.createElement("div",(0,i.__assign)({ref:M,className:u("ms-Rating-star",R.root,H),"aria-label":v?void 0:B,id:o,role:v?void 0:"radiogroup"},O),a.createElement(Yt,(0,i.__assign)({direction:st.bidirectional,className:u(R.ratingFocusZone,H),defaultActiveElement:"#"+Gd(o,Math.ceil(E))},v&&{allowFocusRoot:!0,disabled:!0,role:"textbox","aria-label":F,"aria-readonly":!0,"data-is-focusable":!0,tabIndex:0}),A))}));Ud.displayName="RatingBase";var Yd=Pe(Ud,(function(e){var t=e.disabled,o=e.readOnly,n=e.theme,r=n.semanticColors,i=n.palette,a=(0,Ue.Km)(zd,n),s=i.neutralSecondary,l=i.themePrimary,c=i.themeDark,u=i.neutralPrimary,d=r.disabledBodySubtext;return{root:[a.root,n.fonts.medium,!t&&!o&&{selectors:{"&:hover":{selectors:{".ms-RatingStar-back":Wd(u,"Highlight")}}}}],rootIsSmall:[a.rootIsSmall,{height:"32px"}],rootIsLarge:[a.rootIsLarge,{height:"36px"}],ratingStar:[a.ratingStar,{display:"inline-block",position:"relative",height:"inherit"}],ratingStarBack:[a.ratingStarBack,{color:s,width:"100%"},t&&Wd(d,"GrayText")],ratingStarFront:[a.ratingStarFront,{position:"absolute",height:"100 %",left:"0",top:"0",textAlign:"center",verticalAlign:"middle",overflow:"hidden"},Wd(u,"Highlight")],ratingButton:[(0,Ue.gm)(n),a.ratingButton,{backgroundColor:"transparent",padding:"".concat(8,"px ").concat(2,"px"),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":Wd(s,"WindowText"),".ms-RatingStar-front":Wd(s,"WindowText")}},"&:hover":{selectors:{".ms-RatingStar-back":{color:l},".ms-RatingStar-front":{color:c}}}}},t&&{cursor:"default"}],ratingStarIsSmall:[a.ratingStarIsSmall,{fontSize:"16px",lineHeight:"16px",height:"16px"}],ratingStarIsLarge:[a.ratingStartIsLarge,{fontSize:"20px",lineHeight:"20px",height:"20px"}],labelText:[a.labelText,Ue.dX],ratingFocusZone:[(0,Ue.gm)(n),a.ratingFocusZone,{display:"inline-block"}]}}),void 0,{scope:"Rating"}),qd="SearchBox",Xd={root:{height:"auto"},icon:{fontSize:"12px"}},Zd={iconName:"Clear"},Qd={ariaLabel:"Clear text"},Jd=Le(),$d=a.forwardRef((function(e,t){var o=e.ariaLabel,n=e.className,r=e.defaultValue,s=void 0===r?"":r,l=e.disabled,c=e.underlined,u=e.styles,d=e.labelText,p=e.placeholder,m=void 0===p?d:p,g=e.theme,h=e.clearButtonProps,v=void 0===h?Qd:h,b=e.disableAnimation,y=void 0!==b&&b,_=e.showIcon,S=void 0!==_&&_,C=e.onClear,x=e.onBlur,P=e.onEscape,k=e.onSearch,I=e.onKeyDown,w=e.iconProps,T=e.role,E=e.onChange,D=e.onChanged,M=a.useState(!1),O=M[0],R=M[1],F=a.useRef(),B=Ma(e.value,s,(function(e,t){e&&e.timeStamp===F.current||(F.current=null==e?void 0:e.timeStamp,null==E||E(e,t),null==D||D(t))})),A=B[0],N=B[1],L=String(A),H=a.useRef(null),j=a.useRef(null),z=We(H,t),W=fr(qd,e.id),V=v.onClick,K=Jd(u,{theme:g,className:n,underlined:c,hasFocus:O,disabled:l,hasInput:L.length>0,disableAnimation:y,showIcon:S}),G=Q(e,Y,["className","placeholder","onFocus","onBlur","value","role"]),U=a.useCallback((function(e){var t;null==C||C(e),e.defaultPrevented||(N(""),null===(t=j.current)||void 0===t||t.focus(),e.stopPropagation(),e.preventDefault())}),[C,N]),q=a.useCallback((function(e){null==V||V(e),e.defaultPrevented||U(e)}),[V,U]),X=a.useCallback((function(e){R(!1),null==x||x(e)}),[x]),Z=function(e){N(e.target.value,e)};return function(e,t,o){a.useImperativeHandle(e,(function(){return{focus:function(){var e;return null===(e=t.current)||void 0===e?void 0:e.focus()},blur:function(){var e;return null===(e=t.current)||void 0===e?void 0:e.blur()},hasFocus:function(){return o}}}),[t,o])}(e.componentRef,j,O),a.createElement("div",{role:T,ref:z,className:K.root,onFocusCapture:function(t){var o;R(!0),null===(o=e.onFocus)||void 0===o||o.call(e,t)}},a.createElement("div",{className:K.iconContainer,onClick:function(){j.current&&(j.current.focus(),j.current.selectionStart=j.current.selectionEnd=0)},"aria-hidden":!0},a.createElement(tt,(0,i.__assign)({iconName:"Search"},w,{className:K.icon}))),a.createElement("input",(0,i.__assign)({},G,{id:W,className:K.field,placeholder:m,onChange:Z,onInput:Z,onBlur:X,onKeyDown:function(e){switch(e.which){case f.escape:null==P||P(e),L&&!e.defaultPrevented&&U(e);break;case f.enter:k&&(k(L),e.preventDefault(),e.stopPropagation());break;default:null==I||I(e),e.defaultPrevented&&e.stopPropagation()}},value:L,disabled:l,role:"searchbox","aria-label":o,ref:j})),L.length>0&&a.createElement("div",{className:K.clearButton},a.createElement(yi,(0,i.__assign)({onBlur:X,styles:Xd,iconProps:Zd},v,{onClick:q}))))}));$d.displayName=qd;var ep={root:"ms-SearchBox",iconContainer:"ms-SearchBox-iconContainer",icon:"ms-SearchBox-icon",clearButton:"ms-SearchBox-clearButton",field:"ms-SearchBox-field"},tp=Pe($d,(function(e){var t,o,n,r,i,a=e.theme,s=e.underlined,l=e.disabled,c=e.hasFocus,u=e.className,d=e.hasInput,p=e.disableAnimation,m=e.showIcon,g=a.palette,h=a.fonts,f=a.semanticColors,v=a.effects,b=(0,Ue.Km)(ep,a),y={color:f.inputPlaceholderText,opacity:1},_=g.neutralSecondary,S=g.neutralPrimary,C=g.neutralLighter,x=g.neutralLighter,P=g.neutralLighter;return{root:[b.root,h.medium,Ue.S8,{color:f.inputText,backgroundColor:f.inputBackground,display:"flex",flexDirection:"row",flexWrap:"nowrap",alignItems:"stretch",padding:"1px 0 1px 4px",borderRadius:v.roundedCorner2,border:"1px solid ".concat(f.inputBorder),height:32,selectors:(t={},t[Ue.up]={borderColor:"WindowText"},t[":hover"]={borderColor:f.inputBorderHovered,selectors:(o={},o[Ue.up]={borderColor:"Highlight"},o)},t[":hover .".concat(b.iconContainer)]={color:f.inputIconHovered},t)},!c&&d&&{selectors:(n={},n[":hover .".concat(b.iconContainer)]={width:4},n[":hover .".concat(b.icon)]={opacity:0,pointerEvents:"none"},n)},c&&["is-active",{position:"relative"},(0,Ue.Sq)(f.inputFocusBorderAlt,s?0:v.roundedCorner2,s?"borderBottom":"border")],m&&[{selectors:(r={},r[":hover .".concat(b.iconContainer)]={width:32},r[":hover .".concat(b.icon)]={opacity:1},r)}],l&&["is-disabled",{borderColor:C,backgroundColor:P,pointerEvents:"none",cursor:"default",selectors:(i={},i[Ue.up]={borderColor:"GrayText"},i)}],s&&["is-underlined",{borderWidth:"0 0 1px 0",borderRadius:0,padding:"1px 0 1px 8px"}],s&&l&&{backgroundColor:"transparent"},d&&"can-clear",u],iconContainer:[b.iconContainer,{display:"flex",flexDirection:"column",justifyContent:"center",flexShrink:0,fontSize:16,width:32,textAlign:"center",color:f.inputIcon,cursor:"text"},c&&{width:4},l&&{color:f.inputIconDisabled},!p&&{transition:"width ".concat(Ue.cs.durationValue1)},m&&c&&{width:32}],icon:[b.icon,{opacity:1},c&&{opacity:0,pointerEvents:"none"},!p&&{transition:"opacity ".concat(Ue.cs.durationValue1," 0s")},m&&c&&{opacity:1}],clearButton:[b.clearButton,{display:"flex",flexDirection:"row",alignItems:"stretch",cursor:"pointer",flexBasis:"32px",flexShrink:0,padding:0,margin:"-1px 0px",selectors:{"&:hover .ms-Button":{backgroundColor:x},"&:hover .ms-Button-icon":{color:S},".ms-Button":{borderRadius:De(a)?"1px 0 0 1px":"0 1px 1px 0"},".ms-Button-icon":{color:_}}}],field:[b.field,Ue.S8,(0,Ue.CX)(y),{backgroundColor:"transparent",border:"none",outline:"none",fontWeight:"inherit",fontFamily:"inherit",fontSize:"inherit",color:f.inputText,flex:"1 1 0px",minWidth:"0px",overflow:"hidden",textOverflow:"ellipsis",paddingBottom:.5,selectors:{"::-ms-clear":{display:"none"}}},l&&{color:f.disabledText}]}}),void 0,{scope:"SearchBox"}),op=function(){var e=Go({});return a.useEffect((function(){return function(){for(var t=0,o=Object.keys(e);t=0:i>=Y.latestLowerValue)&&z(i,e):z(i,e)},ne=function(e,t){var o=0;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},re=function(t){var o,n=N.current.getBoundingClientRect(),r=(e.vertical?n.height:n.width)/J;if(e.vertical){var i=ne(t,e.vertical);o=(n.bottom-i)/r}else{var a=ne(t,e.vertical);o=(De(e.theme)?n.right-a:a-n.left)/r}return o},ie=function(e,t){var o=re(e),r=g+n*o,i=g+n*Math.round(o);oe(e,i,r),t||(e.preventDefault(),e.stopPropagation())},ae=function(e){if(D){var t=re(e),o=g+n*t;Y.isAdjustingLowerValue=o<=Y.latestLowerValue||o-Y.latestLowerValue<=Y.latestValue-o}"mousedown"===e.type?R.current.push(io(L,"mousemove",ie,!0),io(L,"mouseup",se,!0)):"touchstart"===e.type&&R.current.push(io(L,"touchmove",ie,!0),io(L,"touchend",se,!0)),ie(e,!0)},se=function(e){Y.isBetweenSteps=void 0,null==O||O(e,Y.latestValue,D?[Y.latestLowerValue,Y.latestValue]:void 0),le()},le=a.useCallback((function(){R.current.forEach((function(e){return e()})),R.current=[]}),[]);a.useEffect((function(){return le}),[le]);var ce=a.useRef(null),ue=a.useRef(null),de=a.useRef(null);!function(e,t,o,n){a.useImperativeHandle(e.componentRef,(function(){return{get value(){return o},get range(){return n},focus:function(){var e;null===(e=t.current)||void 0===e||e.focus()}}}),[n,t,o])}(e,de,G,D?[U,G]:void 0);var pe=rp(S?"bottom":De(e.theme)?"right":"left"),me=rp(S?"height":"width"),ge=I?0:g,he=ip(G,g,p),fe=ip(U,g,p),ve=ip(ge,g,p),be=D?he-fe:Math.abs(ve-he),ye=Math.min(100-he,100-ve),_e=D?fe:Math.min(he,ve),Se={className:X.root,ref:t},Ce={className:X.titleLabel,children:c,disabled:l,htmlFor:E?void 0:q},xe=v?{className:X.valueLabel,children:x?x(G):G,disabled:l,htmlFor:l?q:void 0}:void 0,Pe=D&&v?{className:X.valueLabel,children:x?x(U):U,disabled:l}:void 0,ke=I?{className:X.zeroTick,style:pe(ve)}:void 0,Ie={className:u(X.lineContainer,X.activeSection),style:me(be)},we={className:u(X.lineContainer,X.inactiveSection),style:me(ye)},Te={className:u(X.lineContainer,X.inactiveSection),style:me(_e)},Ee=(0,i.__assign)({"aria-disabled":l,role:"slider",tabIndex:l?void 0:0},{"data-is-focusable":!l}),Oe=(0,i.__assign)((0,i.__assign)((0,i.__assign)({id:q,className:u(X.slideBox,y.className),ref:de},!l&&{onMouseDown:ae,onTouchStart:ae,onKeyDown:function(t){var o=Y.isAdjustingLowerValue?Y.latestLowerValue:Y.latestValue,r=0;switch(t.which){case Me(f.left,e.theme):case f.down:r=-n,$(),ee(t);break;case Me(f.right,e.theme):case f.up:r=n,$(),ee(t);break;case f.home:o=g,$(),ee(t);break;case f.end:o=p,$(),ee(t);break;default:return}oe(t,o+r),t.preventDefault(),t.stopPropagation()}}),y&&Q(y,Z,["id","className"])),!D&&(0,i.__assign)((0,i.__assign)({},Ee),{"aria-valuemin":g,"aria-valuemax":p,"aria-valuenow":G,"aria-valuetext":te(G),"aria-label":E||c,"aria-labelledby":w})),Re=l?{}:{onFocus:function(e){Y.isAdjustingLowerValue=e.target===ce.current}},Fe=(0,i.__assign)({ref:ue,className:X.thumb,style:pe(he)},D&&(0,i.__assign)((0,i.__assign)((0,i.__assign)({},Ee),Re),{id:"max-".concat(q),"aria-valuemin":U,"aria-valuemax":p,"aria-valuenow":G,"aria-valuetext":te(G),"aria-label":"max ".concat(E||c)})),Be=D?(0,i.__assign)((0,i.__assign)((0,i.__assign)({ref:ce,className:X.thumb,style:pe(fe)},Ee),Re),{id:"min-".concat(q),"aria-valuemin":g,"aria-valuemax":G,"aria-valuenow":U,"aria-valuetext":te(U),"aria-label":"min ".concat(E||c)}):void 0;return{root:Se,label:Ce,sliderBox:Oe,container:{className:X.container},valueLabel:xe,lowerValueLabel:Pe,thumb:Fe,lowerValueThumb:Be,zeroTick:ke,activeTrack:Ie,topInactiveTrack:we,bottomInactiveTrack:Te,sliderLine:{ref:N,className:X.line}}}(e,t);return a.createElement("div",(0,i.__assign)({},o.root),o&&a.createElement(Ya,(0,i.__assign)({},o.label)),a.createElement("div",(0,i.__assign)({},o.container),e.ranged&&(e.vertical?o.valueLabel&&a.createElement(Ya,(0,i.__assign)({},o.valueLabel)):o.lowerValueLabel&&a.createElement(Ya,(0,i.__assign)({},o.lowerValueLabel))),a.createElement("div",(0,i.__assign)({},o.sliderBox),a.createElement("div",(0,i.__assign)({},o.sliderLine),e.ranged&&a.createElement("span",(0,i.__assign)({},o.lowerValueThumb)),a.createElement("span",(0,i.__assign)({},o.thumb)),o.zeroTick&&a.createElement("span",(0,i.__assign)({},o.zeroTick)),a.createElement("span",(0,i.__assign)({},o.bottomInactiveTrack)),a.createElement("span",(0,i.__assign)({},o.activeTrack)),a.createElement("span",(0,i.__assign)({},o.topInactiveTrack)))),e.ranged&&e.vertical?o.lowerValueLabel&&a.createElement(Ya,(0,i.__assign)({},o.lowerValueLabel)):o.valueLabel&&a.createElement(Ya,(0,i.__assign)({},o.valueLabel))),a.createElement(le,null))}));ap.displayName="SliderBase";var sp={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"},lp=Pe(ap,(function(e){var t,o,n,r,a,s,l,c,u,d,p,m,g,h=e.className,f=e.titleLabelClassName,v=e.theme,b=e.vertical,y=e.disabled,_=e.showTransitions,S=e.showValue,C=e.ranged,x=v.semanticColors,P=v.palette,k=(0,Ue.Km)(sp,v),I=x.inputBackgroundCheckedHovered,w=x.inputBackgroundChecked,T=P.neutralSecondaryAlt,E=P.neutralPrimary,D=P.neutralSecondaryAlt,M=x.disabledText,O=x.disabledBackground,R=x.inputBackground,F=x.smallInputBorder,B=x.disabledBorder,A=!y&&{backgroundColor:I,selectors:(t={},t[Ue.up]={backgroundColor:"Highlight"},t)},N=!y&&{backgroundColor:T,selectors:(o={},o[Ue.up]={borderColor:"Highlight"},o)},L=!y&&{backgroundColor:w,selectors:(n={},n[Ue.up]={backgroundColor:"Highlight"},n)},H=!y&&{border:"2px solid ".concat(I),selectors:(r={},r[Ue.up]={borderColor:"Highlight"},r)},j=!e.disabled&&{backgroundColor:x.inputPlaceholderBackgroundChecked,selectors:(a={},a[Ue.up]={backgroundColor:"Highlight"},a)};return{root:(0,i.__spreadArray)((0,i.__spreadArray)((0,i.__spreadArray)((0,i.__spreadArray)((0,i.__spreadArray)([k.root,v.fonts.medium,{userSelect:"none"},b&&{marginRight:8}],[y?void 0:k.enabled],!1),[y?k.disabled:void 0],!1),[b?void 0:k.row],!1),[b?k.column:void 0],!1),[h],!1),titleLabel:[{padding:0},f],container:[k.container,{display:"flex",flexWrap:"nowrap",alignItems:"center"},b&&{flexDirection:"column",height:"100%",textAlign:"center",margin:"8px 0"}],slideBox:(0,i.__spreadArray)((0,i.__spreadArray)([k.slideBox,!C&&(0,Ue.gm)(v),{background:"transparent",border:"none",flexGrow:1,lineHeight:28,display:"flex",alignItems:"center",selectors:(s={},s[":active .".concat(k.activeSection)]=A,s[":hover .".concat(k.activeSection)]=L,s[":active .".concat(k.inactiveSection)]=N,s[":hover .".concat(k.inactiveSection)]=N,s[":active .".concat(k.thumb)]=H,s[":hover .".concat(k.thumb)]=H,s[":active .".concat(k.zeroTick)]=j,s[":hover .".concat(k.zeroTick)]=j,s[Ue.up]={forcedColorAdjust:"none"},s)},b?{height:"100%",width:28,padding:"8px 0"}:{height:28,width:"auto",padding:"0 8px"}],[S?k.showValue:void 0],!1),[_?k.showTransitions:void 0],!1),thumb:[k.thumb,C&&(0,Ue.gm)(v,{inset:-4}),{borderWidth:2,borderStyle:"solid",borderColor:F,borderRadius:10,boxSizing:"border-box",background:R,display:"block",width:16,height:16,position:"absolute"},b?{left:-6,margin:"0 auto",transform:"translateY(8px)"}:{top:-6,transform:De(v)?"translateX(50%)":"translateX(-50%)"},_&&{transition:"left ".concat(Ue.cs.durationValue3," ").concat(Ue.cs.easeFunction1)},y&&{borderColor:B,selectors:(l={},l[Ue.up]={borderColor:"GrayText"},l)}],line:[k.line,{display:"flex",position:"relative"},b?{height:"100%",width:4,margin:"0 auto",flexDirection:"column-reverse"}:{width:"100%"}],lineContainer:[{borderRadius:4,boxSizing:"border-box"},b?{width:4,height:"100%"}:{height:4,width:"100%"}],activeSection:[k.activeSection,{background:E,selectors:(c={},c[Ue.up]={backgroundColor:"WindowText"},c)},_&&{transition:"width ".concat(Ue.cs.durationValue3," ").concat(Ue.cs.easeFunction1)},y&&{background:M,selectors:(u={},u[Ue.up]={backgroundColor:"GrayText",borderColor:"GrayText"},u)}],inactiveSection:[k.inactiveSection,{background:D,selectors:(d={},d[Ue.up]={border:"1px solid WindowText"},d)},_&&{transition:"width ".concat(Ue.cs.durationValue3," ").concat(Ue.cs.easeFunction1)},y&&{background:O,selectors:(p={},p[Ue.up]={borderColor:"GrayText"},p)}],zeroTick:[k.zeroTick,{position:"absolute",background:x.disabledBorder,selectors:(m={},m[Ue.up]={backgroundColor:"WindowText"},m)},e.disabled&&{background:x.disabledBackground,selectors:(g={},g[Ue.up]={backgroundColor:"GrayText"},g)},e.vertical?{width:"16px",height:"1px",transform:De(v)?"translateX(6px)":"translateX(-6px)"}:{width:"1px",height:"16px",transform:"translateY(-6px)"}],valueLabel:[k.valueLabel,{flexShrink:1,width:30,lineHeight:"1"},b?{margin:"0 auto",whiteSpace:"nowrap",width:40}:{margin:"0 8px",whiteSpace:"nowrap",width:40}]}}),void 0,{scope:"Slider"});function cp(e,t,o){void 0===o&&(o=10);var n=Math.pow(o,t);return Math.round(e*n)/n}var up,dp=(0,c.J9)((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[Ue.up]={color:"GrayText"},t)}})),pp=(0,c.J9)((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 ".concat(l.roundedCorner2," 0")},"&.ms-UpButton":{borderRadius:"0 ".concat(l.roundedCorner2," 0 0")}}},rootHovered:{backgroundColor:p,color:u},rootChecked:{backgroundColor:m,color:d,selectors:(n={},n[Ue.up]={backgroundColor:"Highlight",color:"HighlightText"},n)},rootPressed:{backgroundColor:m,color:d,selectors:(r={},r[Ue.up]={backgroundColor:"Highlight",color:"HighlightText"},r)},rootDisabled:{opacity:.5,selectors:(i={},i[Ue.up]={color:"GrayText",opacity:1},i)},icon:{fontSize:8,marginTop:0,marginRight:0,marginBottom:0,marginLeft:0}};return(0,Ue.TW)(g,{},o)}));!function(e){e[e.down=-1]="down",e[e.notSpinning=0]="notSpinning",e[e.up=1]="up"}(up||(up={}));var mp=Le(),gp={disabled:!1,label:"",step:1,labelPosition:Jt.start,incrementButtonIcon:{iconName:"ChevronUpSmall"},decrementButtonIcon:{iconName:"ChevronDownSmall"}},hp=function(){},fp=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},vp=a.forwardRef((function(e,t){var o=Zt(gp,e),n=o.disabled,r=o.label,s=o.min,l=o.max,c=o.step,u=o.defaultValue,d=o.value,p=o.precision,m=o.labelPosition,g=o.iconProps,h=o.incrementButtonIcon,v=o.incrementButtonAriaLabel,b=o.decrementButtonIcon,y=o.decrementButtonAriaLabel,_=o.ariaLabel,S=o.ariaDescribedBy,C=o.upArrowButtonStyles,x=o.downArrowButtonStyles,P=o.theme,k=o.ariaPositionInSet,I=o.ariaSetSize,w=o.ariaValueNow,T=o.ariaValueText,E=o.className,D=o.inputProps,M=o.onDecrement,O=o.onIncrement,R=o.iconButtonProps,F=o.onValidate,B=o.onChange,A=o.styles,N=a.useRef(null),L=fr("input"),H=fr("Label"),j=a.useState(!1),z=j[0],W=j[1],V=a.useState(up.notSpinning),K=V[0],G=V[1],U=Lo(),Y=a.useMemo((function(){return null!=p?p:Math.max(function(e){var t=/[1-9]([0]+$)|\.([0-9]*)/.exec(String(e));return t?t[1]?-t[1].length:t[2]?t[2].length:0:0}(c),0)}),[p,c]),q=Ma(d,null!=u?u:String(s||0),B),X=q[0],J=q[1],$=a.useState(),ee=$[0],te=$[1],oe=a.useRef({stepTimeoutHandle:-1,latestValue:void 0,latestIntermediateValue:void 0}).current;oe.latestValue=X,oe.latestIntermediateValue=ee;var ne=ir(d);a.useEffect((function(){d!==ne&&void 0!==ee&&te(void 0)}),[d,ne,ee]);var re=mp(A,{theme:P,disabled:n,isFocused:z,keyboardSpinDirection:K,labelPosition:m,className:E}),ie=Q(o,Z,["onBlur","onFocus","className","onChange"]),ae=a.useCallback((function(e){var t=oe.latestIntermediateValue;if(void 0!==t&&t!==oe.latestValue){var o=void 0;F?o=F(t,e):t&&t.trim().length&&!isNaN(Number(t))&&(o=String(fp(Number(t),{min:s,max:l}))),void 0!==o&&o!==oe.latestValue&&J(o,e)}te(void 0)}),[oe,l,s,F,J]),se=a.useCallback((function(){oe.stepTimeoutHandle>=0&&(U.clearTimeout(oe.stepTimeoutHandle),oe.stepTimeoutHandle=-1),(oe.spinningByMouse||K!==up.notSpinning)&&(oe.spinningByMouse=!1,G(up.notSpinning))}),[oe,K,U]),le=a.useCallback((function(e,t){if(t.persist(),void 0!==oe.latestIntermediateValue)return"keydown"!==t.type&&"mousedown"!==t.type||ae(t),void U.requestAnimationFrame((function(){le(e,t)}));var o=e(oe.latestValue||"",t);void 0!==o&&o!==oe.latestValue&&J(o,t);var n=oe.spinningByMouse;oe.spinningByMouse="mousedown"===t.type,oe.spinningByMouse&&(oe.stepTimeoutHandle=U.setTimeout((function(){le(e,t)}),n?75:400))}),[oe,U,ae,J]),ce=a.useCallback((function(e){if(O)return O(e);var t=fp(Number(e)+Number(c),{max:l});return t=cp(t,Y),String(t)}),[Y,l,O,c]),ue=a.useCallback((function(e){if(M)return M(e);var t=fp(Number(e)-Number(c),{min:s});return t=cp(t,Y),String(t)}),[Y,s,M,c]),de=a.useCallback((function(e){(n||e.which===f.up||e.which===f.down)&&se()}),[n,se]),pe=a.useCallback((function(e){le(ce,e)}),[ce,le]),me=a.useCallback((function(e){le(ue,e)}),[ue,le]);!function(e,t,o){a.useImperativeHandle(e.componentRef,(function(){return{get value(){return o},focus:function(){t.current&&t.current.focus()}}}),[t,o])}(o,N,X),bp(o);var ge=!!X&&!isNaN(Number(X)),he=(g||r)&&a.createElement("div",{className:re.labelWrapper},g&&a.createElement(tt,(0,i.__assign)({},g,{className:re.icon,"aria-hidden":"true"})),r&&a.createElement(Ya,{id:H,htmlFor:L,className:re.label,disabled:n},r));return a.createElement("div",{className:re.root,ref:t},m!==Jt.bottom&&he,a.createElement("div",(0,i.__assign)({},ie,{className:re.spinButtonWrapper,"aria-label":_&&_,"aria-posinset":k,"aria-setsize":I,"data-ktp-target":!0}),a.createElement("input",(0,i.__assign)({value:null!=ee?ee:X,id:L,onChange:hp,onInput:function(e){te(e.target.value)},className:re.input,type:"text",autoComplete:"off",role:"spinbutton","aria-labelledby":r&&H,"aria-valuenow":null!=w?w:ge?Number(X):void 0,"aria-valuetext":null!=T?T:ge?void 0:X,"aria-valuemin":s,"aria-valuemax":l,"aria-describedby":S,onBlur:function(e){var t;ae(e),W(!1),null===(t=o.onBlur)||void 0===t||t.call(o,e)},ref:N,onFocus:function(e){var t;N.current&&((oe.spinningByMouse||K!==up.notSpinning)&&se(),N.current.select(),W(!0),null===(t=o.onFocus)||void 0===t||t.call(o,e))},onKeyDown:function(e){if(e.which!==f.up&&e.which!==f.down&&e.which!==f.enter||(e.preventDefault(),e.stopPropagation()),n)se();else{var t=up.notSpinning;switch(e.which){case f.up:t=up.up,le(ce,e);break;case f.down:t=up.down,le(ue,e);break;case f.enter:ae(e);break;case f.escape:te(void 0)}K!==t&&G(t)}},onKeyUp:de,disabled:n,"aria-disabled":n,"data-lpignore":!0,"data-ktp-execute-target":!0},D)),a.createElement("span",{className:re.arrowButtonsContainer},a.createElement(yi,(0,i.__assign)({styles:pp(P,!0,C),className:"ms-UpButton",checked:K===up.up,disabled:n,iconProps:h,onMouseDown:pe,onMouseLeave:se,onMouseUp:se,tabIndex:-1,ariaLabel:v,"data-is-focusable":!1},R)),a.createElement(yi,(0,i.__assign)({styles:pp(P,!1,x),className:"ms-DownButton",checked:K===up.down,disabled:n,iconProps:b,onMouseDown:me,onMouseLeave:se,onMouseUp:se,tabIndex:-1,ariaLabel:y,"data-is-focusable":!1},R)))),m===Jt.bottom&&he)}));vp.displayName="SpinButton";var bp=function(e){},yp=Pe(vp,(function(e){var t,o,n,r,a=e.theme,s=e.className,l=e.labelPosition,c=e.disabled,u=e.isFocused,d=a.palette,p=a.semanticColors,m=a.effects,g=a.fonts,h=p.inputBorder,f=p.inputBackground,v=p.inputBorderHovered,b=p.inputFocusBorderAlt,y=p.inputText,_=d.white,S=p.inputBackgroundChecked,C=p.disabledText;return{root:[g.medium,{outline:"none",width:"100%",minWidth:86},s],labelWrapper:[{display:"inline-flex",alignItems:"center"},l===Jt.start&&{height:32,float:"left",marginRight:10},l===Jt.end&&{height:32,float:"right",marginLeft:10},l===Jt.top&&{marginBottom:-1}],icon:[{padding:"0 5px",fontSize:Ue.fF.large},c&&{color:C}],label:{pointerEvents:"none",lineHeight:Ue.fF.large},spinButtonWrapper:[(0,i.__assign)((0,i.__assign)({display:"flex",position:"relative",boxSizing:"border-box",height:32,minWidth:86},(0,Ue.Sq)(h,m.roundedCorner2,"border",0)),{":after":(t={borderWidth:"1px"},t[Ue.up]={borderColor:"GrayText"},t)}),(l===Jt.top||l===Jt.bottom)&&{width:"100%"},!c&&[{":hover:after":(o={borderColor:v},o[Ue.up]={borderColor:"Highlight"},o)},u&&{":hover:after, :after":(n={borderColor:b,borderWidth:"2px"},n[Ue.up]={borderColor:"Highlight"},n)}],c&&dp(a)],input:["ms-spinButton-input",{boxSizing:"border-box",boxShadow:"none",borderStyle:"none",flex:1,margin:0,fontSize:g.medium.fontSize,fontFamily:"inherit",color:y,backgroundColor:f,height:"100%",padding:"0 8px 0 9px",outline:0,display:"block",minWidth:61,whiteSpace:"nowrap",textOverflow:"ellipsis",overflow:"hidden",cursor:"text",userSelect:"text",borderRadius:"".concat(m.roundedCorner2," 0 0 ").concat(m.roundedCorner2)},!c&&{selectors:{"::selection":{backgroundColor:S,color:_,selectors:(r={},r[Ue.up]={backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},r)}}},c&&dp(a)],arrowButtonsContainer:[{display:"block",height:"100%",cursor:"default"},c&&dp(a)]}}),void 0,{scope:"SpinButton"}),_p=Le(),Sp=a.forwardRef((function(e,t){var o=fr(void 0,e.id),n=e.items,r=e.columnCount,s=e.onRenderItem,l=e.isSemanticRadio,c=e.ariaPosInSet,u=void 0===c?e.positionInSet:c,d=e.ariaSetSize,p=void 0===d?e.setSize:d,m=e.styles,g=e.doNotContainWithinFocusZone,h=Q(e,V,g?[]:["onBlur"]),f=_p(m,{theme:e.theme}),v=function(e,t){return e.reduce((function(e,o,n){return n%t==0?e.push([o]):e[e.length-1].push(o),e}),[])}(n,r),b=a.createElement("table",(0,i.__assign)({"aria-posinset":u,"aria-setsize":p,id:o,role:l?"radiogroup":"grid"},h,{className:f.root}),a.createElement("tbody",{role:l?"presentation":"rowgroup"},v.map((function(e,t){return a.createElement("tr",{role:l?"presentation":"row",key:t},e.map((function(e,t){return a.createElement("td",{role:"presentation",key:t+"-cell",className:f.tableCell},s(e,t))})))}))));return g?b:a.createElement(Yt,{elementRef:t,isCircularNavigation:e.shouldFocusCircularNavigate,className:f.focusedContainer,onBlur:e.onBlur},b)})),Cp=Pe(Sp,(function(e){return{root:{padding:2,outline:"none"},tableCell:{padding:0}}}));Cp.displayName="ButtonGrid";var xp=function(e){var t,o=fr("gridCell"),n=e.item,r=e.id,s=void 0===r?o:r,l=e.className,c=e.selected,d=e.disabled,p=void 0!==d&&d,m=e.onRenderItem,g=e.cellDisabledStyle,h=e.cellIsSelectedStyle,f=e.index,v=e.label,b=e.getClassNames,y=e.onClick,_=e.onHover,S=e.onMouseMove,C=e.onMouseLeave,x=e.onMouseEnter,P=e.onFocus,k=Q(e,U),I=a.useCallback((function(e){y&&!p&&y(n,e)}),[p,n,y]),w=a.useCallback((function(e){x&&x(e)||!_||p||_(n,e)}),[p,n,_,x]),T=a.useCallback((function(e){S&&S(e)||!_||p||_(n,e)}),[p,n,_,S]),E=a.useCallback((function(e){C&&C(e)||!_||p||_(void 0,e)}),[p,_,C]),D=a.useCallback((function(e){P&&!p&&P(n,e)}),[p,n,P]);return a.createElement(si,(0,i.__assign)({id:s,"data-index":f,"data-is-focusable":!0,"aria-selected":c,ariaLabel:v,title:v},k,{className:u(l,(t={},t[""+h]=c,t[""+g]=p,t)),onClick:I,onMouseEnter:w,onMouseMove:T,onMouseLeave:E,onFocus:D,getClassNames:b}),m(n))},Pp=Le(),kp=(0,c.J9)((function(e,t,o,n,r,i,a,s,l){var c=oi(e);return(0,Ue.l8)({root:["ms-Button",c.root,o,t,a&&["is-checked",c.rootChecked],i&&["is-disabled",c.rootDisabled],!i&&!a&&{selectors:{":hover":c.rootHovered,":focus":c.rootFocused,":active":c.rootPressed}},i&&a&&[c.rootCheckedDisabled],!i&&a&&{selectors:{":hover":c.rootCheckedHovered,":active":c.rootCheckedPressed}}],flexContainer:["ms-Button-flexContainer",c.flexContainer]})})),Ip={left:-2,top:-2,bottom:-2,right:-2,border:"none",outlineColor:"ButtonText"},wp=Pe((function(e){var t,o,n=e.item,r=e.idPrefix,s=void 0===r?e.id:r,l=e.isRadio,c=e.selected,u=void 0!==c&&c,d=e.disabled,p=void 0!==d&&d,m=e.styles,g=e.circle,h=void 0===g||g,f=e.color,v=e.onClick,b=e.onHover,y=e.onFocus,_=e.onMouseEnter,S=e.onMouseMove,C=e.onMouseLeave,x=e.onWheel,P=e.onKeyDown,k=e.height,I=e.width,w=e.borderWidth,T=Pp(m,{theme:e.theme,disabled:p,selected:u,circle:h,isWhite:(t=f,o=tl(t),"ffffff"===(null==o?void 0:o.hex)),height:k,width:I,borderWidth:w}),E=function(e){var t,o=T.svg;return a.createElement("svg",{className:o,role:"img","aria-label":e.label,viewBox:"0 0 20 20",fill:null===(t=tl(e.color))||void 0===t?void 0:t.str},h?a.createElement("circle",{cx:"50%",cy:"50%",r:"50%"}):a.createElement("rect",{width:"100%",height:"100%"}))},D=l?{role:"radio","aria-checked":u,selected:void 0}:{role:"gridcell",selected:u};return a.createElement(xp,(0,i.__assign)({item:n,id:"".concat(s,"-").concat(n.id,"-").concat(n.index),key:n.id,disabled:p},D,{onRenderItem:function(t){var o=e.onRenderColorCellContent;return(void 0===o?E:o)(t,E)},onClick:v,onHover:b,onFocus:y,label:n.label,className:T.colorCell,getClassNames:kp,index:n.index,onMouseEnter:_,onMouseMove:S,onMouseLeave:C,onWheel:x,onKeyDown:P}))}),(function(e){var t,o,n,r,i,a=e.theme,s=e.disabled,l=e.selected,c=e.circle,u=e.isWhite,d=e.height,p=void 0===d?20:d,m=e.width,g=void 0===m?20:m,h=e.borderWidth,f=a.semanticColors,b=a.palette,y=b.neutralLighter,_=b.neutralLight,S=b.neutralSecondary,C=b.neutralTertiary,x=h||(g<24?2:4);return{colorCell:[(0,Ue.gm)(a,{inset:-1,position:"relative",highContrastStyle:Ip}),{backgroundColor:f.bodyBackground,padding:0,position:"relative",boxSizing:"border-box",display:"inline-block",cursor:"pointer",userSelect:"none",borderRadius:0,border:"none",height:p,width:g,verticalAlign:"top"},!c&&{selectors:(t={},t[".".concat(v.Y2," &:focus::after, :host(.").concat(v.Y2,") &:focus::after")]={outlineOffset:"".concat(x-1,"px")},t)},c&&{borderRadius:"50%",selectors:(o={},o[".".concat(v.Y2," &:focus::after, :host(.").concat(v.Y2,") &:focus::after")]={outline:"none",borderColor:f.focusBorder,borderRadius:"50%",left:-x,right:-x,top:-x,bottom:-x,selectors:(n={},n[Ue.up]={outline:"1px solid ButtonText"},n)},o)},l&&{padding:2,border:"".concat(x,"px solid ").concat(_),selectors:(r={},r["&:hover::before"]={content:'""',height:p,width:g,position:"absolute",top:-x,left:-x,borderRadius:c?"50%":"default",boxShadow:"inset 0 0 0 1px ".concat(S)},r)},!l&&{selectors:(i={},i["&:hover, &:active, &:focus"]={backgroundColor:f.bodyBackground,padding:2,border:"".concat(x,"px solid ").concat(y)},i["&:focus"]={borderColor:f.bodyBackground,padding:0,selectors:{":hover":{borderColor:a.palette.neutralLight,padding:2}}},i)},s&&{color:f.disabledBodyText,pointerEvents:"none",opacity:.3},u&&!l&&{backgroundColor:C,padding:1}],svg:[{width:"100%",height:"100%"},c&&{borderRadius:"50%"}]}}),void 0,{scope:"ColorPickerGridCell"},!0),Tp=Le(),Ep=a.forwardRef((function(e,t){var o=fr("swatchColorPicker"),n=e.id||o,r=qo(),s=Go({isNavigationIdle:!0,cellFocused:!1,navigationIdleTimeoutId:void 0,navigationIdleDelay:250}),l=op(),c=l.setTimeout,u=l.clearTimeout,d=e.colorCells,p=e.cellShape,m=void 0===p?"circle":p,g=e.columnCount,h=e.shouldFocusCircularNavigate,v=void 0===h||h,b=e.className,y=e.disabled,_=void 0!==y&&y,S=e.doNotContainWithinFocusZone,C=e.styles,x=e.cellMargin,P=void 0===x?10:x,k=e.defaultSelectedId,I=e.focusOnHover,w=e.mouseLeaveParentSelector,T=e.onChange,E=e.onColorChanged,D=e.onCellHovered,M=e.onCellFocused,O=e.getColorGridCellStyles,R=e.cellHeight,F=e.cellWidth,B=e.cellBorderWidth,A=e.onRenderColorCellContent,N=a.useMemo((function(){return d.map((function(e,t){return(0,i.__assign)((0,i.__assign)({},e),{index:t})}))}),[d]),L=a.useCallback((function(e,t){var o,n=null===(o=d.filter((function(e){return e.id===t}))[0])||void 0===o?void 0:o.color;null==T||T(e,t,n),null==E||E(t,n)}),[T,E,d]),H=Ma(e.selectedId,k,L),j=H[0],z=H[1],W=Tp(C,{theme:e.theme,className:b,cellMargin:P}),V={root:W.root,tableCell:W.tableCell,focusedContainer:W.focusedContainer},K=d.length<=g,G=a.useCallback((function(e){M&&(s.cellFocused=!1,M(void 0,void 0,e))}),[s,M]),U=a.useCallback((function(e){return I?(s.isNavigationIdle&&!_&&e.currentTarget.focus(),!0):!s.isNavigationIdle||!!_}),[I,s,_]),Y=a.useCallback((function(e){if(!I)return!s.isNavigationIdle||!!_;var t=e.currentTarget;return!s.isNavigationIdle||r&&t===r.activeElement||t.focus(),!0}),[I,s,_,r]),q=a.useCallback((function(e){var t,o=w;if(I&&o&&s.isNavigationIdle&&!_)for(var n=null!==(t=null==r?void 0:r.querySelectorAll(o))&&void 0!==t?t:[],i=0;ie.length)&&(t=e.length);for(var o=0,n=new Array(t);o{function n(e){return n="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e},n(e)}function r(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 i(e){for(var t=1;t{"use strict";e.exports=jsmodule["react-dom"]},83923:e=>{"use strict";e.exports=jsmodule.react},24588:(e,t)=>{"use strict";function o(e){if("function"!=typeof WeakMap)return null;var t=new WeakMap,n=new WeakMap;return(o=function(e){return e?n:t})(e)}t._=t._interop_require_wildcard=function(e,t){if(!t&&e&&e.__esModule)return e;if(null===e||"object"!=typeof e&&"function"!=typeof e)return{default:e};var n=o(t);if(n&&n.has(e))return n.get(e);var r={__proto__:null},i=Object.defineProperty&&Object.getOwnPropertyDescriptor;for(var a in e)if("default"!==a&&Object.prototype.hasOwnProperty.call(e,a)){var s=i?Object.getOwnPropertyDescriptor(e,a):null;s&&(s.get||s.set)?Object.defineProperty(r,a,s):r[a]=e[a]}return r.default=e,n&&n.set(e,r),r}},31635:(e,t,o)=>{"use strict";o.r(t),o.d(t,{__addDisposableResource:()=>F,__assign:()=>i,__asyncDelegator:()=>k,__asyncGenerator:()=>P,__asyncValues:()=>I,__await:()=>x,__awaiter:()=>g,__classPrivateFieldGet:()=>M,__classPrivateFieldIn:()=>R,__classPrivateFieldSet:()=>O,__createBinding:()=>f,__decorate:()=>s,__disposeResources:()=>A,__esDecorate:()=>c,__exportStar:()=>v,__extends:()=>r,__generator:()=>h,__importDefault:()=>D,__importStar:()=>E,__makeTemplateObject:()=>w,__metadata:()=>m,__param:()=>l,__propKey:()=>d,__read:()=>y,__rest:()=>a,__runInitializers:()=>u,__setFunctionName:()=>p,__spread:()=>_,__spreadArray:()=>C,__spreadArrays:()=>S,__values:()=>b,default:()=>N});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)Object.prototype.hasOwnProperty.call(t,o)&&(e[o]=t[o])},n(e,t)};function r(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Class extends value "+String(t)+" is not a constructor or null");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(e,t){return function(o,n){t(o,n,e)}}function c(e,t,o,n,r,i){function a(e){if(void 0!==e&&"function"!=typeof e)throw new TypeError("Function expected");return e}for(var s,l=n.kind,c="getter"===l?"get":"setter"===l?"set":"value",u=!t&&e?n.static?e:e.prototype:null,d=t||(u?Object.getOwnPropertyDescriptor(u,n.name):{}),p=!1,m=o.length-1;m>=0;m--){var g={};for(var h in n)g[h]="access"===h?{}:n[h];for(var h in n.access)g.access[h]=n.access[h];g.addInitializer=function(e){if(p)throw new TypeError("Cannot add initializers after decoration has completed");i.push(a(e||null))};var f=(0,o[m])("accessor"===l?{get:d.get,set:d.set}:d[c],g);if("accessor"===l){if(void 0===f)continue;if(null===f||"object"!=typeof f)throw new TypeError("Object expected");(s=a(f.get))&&(d.get=s),(s=a(f.set))&&(d.set=s),(s=a(f.init))&&r.unshift(s)}else(s=a(f))&&("field"===l?r.unshift(s):d[c]=s)}u&&Object.defineProperty(u,n.name,d),p=!0}function u(e,t,o){for(var n=arguments.length>2,r=0;r0&&r[r.length-1])||6!==s[0]&&2!==s[0])){a=0;continue}if(3===s[0]&&(!r||s[1]>r[0]&&s[1]=e.length&&(e=void 0),{value:e&&e[n++],done:!e}}};throw new TypeError(t?"Object is not iterable.":"Symbol.iterator is not defined.")}function y(e,t){var o="function"==typeof Symbol&&e[Symbol.iterator];if(!o)return e;var n,r,i=o.call(e),a=[];try{for(;(void 0===t||t-- >0)&&!(n=i.next()).done;)a.push(n.value)}catch(e){r={error:e}}finally{try{n&&!n.done&&(o=i.return)&&o.call(i)}finally{if(r)throw r.error}}return a}function _(){for(var e=[],t=0;t1||s(e,t)}))})}function s(e,t){try{(o=r[e](t)).value instanceof x?Promise.resolve(o.value.v).then(l,c):u(i[0][2],o)}catch(e){u(i[0][3],e)}var o}function l(e){s("next",e)}function c(e){s("throw",e)}function u(e,t){e(t),i.shift(),i.length&&s(i[0][0],i[0][1])}}function k(e){var t,o;return t={},n("next"),n("throw",(function(e){throw e})),n("return"),t[Symbol.iterator]=function(){return this},t;function n(n,r){t[n]=e[n]?function(t){return(o=!o)?{value:x(e[n](t)),done:!1}:r?r(t):t}:r}}function I(e){if(!Symbol.asyncIterator)throw new TypeError("Symbol.asyncIterator is not defined.");var t,o=e[Symbol.asyncIterator];return o?o.call(e):(e=b(e),t={},n("next"),n("throw"),n("return"),t[Symbol.asyncIterator]=function(){return this},t);function n(o){t[o]=e[o]&&function(t){return new Promise((function(n,r){!function(e,t,o,n){Promise.resolve(n).then((function(t){e({value:t,done:o})}),t)}(n,r,(t=e[o](t)).done,t.value)}))}}}function w(e,t){return Object.defineProperty?Object.defineProperty(e,"raw",{value:t}):e.raw=t,e}var T=Object.create?function(e,t){Object.defineProperty(e,"default",{enumerable:!0,value:t})}:function(e,t){e.default=t};function E(e){if(e&&e.__esModule)return e;var t={};if(null!=e)for(var o in e)"default"!==o&&Object.prototype.hasOwnProperty.call(e,o)&&f(t,e,o);return T(t,e),t}function D(e){return e&&e.__esModule?e:{default:e}}function M(e,t,o,n){if("a"===o&&!n)throw new TypeError("Private accessor was defined without a getter");if("function"==typeof t?e!==t||!n:!t.has(e))throw new TypeError("Cannot read private member from an object whose class did not declare it");return"m"===o?n:"a"===o?n.call(e):n?n.value:t.get(e)}function O(e,t,o,n,r){if("m"===n)throw new TypeError("Private method is not writable");if("a"===n&&!r)throw new TypeError("Private accessor was defined without a setter");if("function"==typeof t?e!==t||!r:!t.has(e))throw new TypeError("Cannot write private member to an object whose class did not declare it");return"a"===n?r.call(e,o):r?r.value=o:t.set(e,o),o}function R(e,t){if(null===t||"object"!=typeof t&&"function"!=typeof t)throw new TypeError("Cannot use 'in' operator on non-object");return"function"==typeof e?t===e:e.has(t)}function F(e,t,o){if(null!=t){if("object"!=typeof t&&"function"!=typeof t)throw new TypeError("Object expected.");var n;if(o){if(!Symbol.asyncDispose)throw new TypeError("Symbol.asyncDispose is not defined.");n=t[Symbol.asyncDispose]}if(void 0===n){if(!Symbol.dispose)throw new TypeError("Symbol.dispose is not defined.");n=t[Symbol.dispose]}if("function"!=typeof n)throw new TypeError("Object not disposable.");e.stack.push({value:t,dispose:n,async:o})}else o&&e.stack.push({async:!0});return t}var B="function"==typeof SuppressedError?SuppressedError:function(e,t,o){var n=new Error(o);return n.name="SuppressedError",n.error=e,n.suppressed=t,n};function A(e){function t(t){e.error=e.hasError?new B(t,e.error,"An error was suppressed during disposal."):t,e.hasError=!0}return function o(){for(;e.stack.length;){var n=e.stack.pop();try{var r=n.dispose&&n.dispose.call(n.value);if(n.async)return Promise.resolve(r).then(o,(function(e){return t(e),o()}))}catch(e){t(e)}}if(e.hasError)throw e.error}()}const N={__extends:r,__assign:i,__rest:a,__decorate:s,__param:l,__metadata:m,__awaiter:g,__generator:h,__createBinding:f,__exportStar:v,__values:b,__read:y,__spread:_,__spreadArrays:S,__spreadArray:C,__await:x,__asyncGenerator:P,__asyncDelegator:k,__asyncValues:I,__makeTemplateObject:w,__importStar:E,__importDefault:D,__classPrivateFieldGet:M,__classPrivateFieldSet:O,__classPrivateFieldIn:R,__addDisposableResource:F,__disposeResources:A}}},t={};function o(n){var r=t[n];if(void 0!==r)return r.exports;var i=t[n]={exports:{}};return e[n].call(i.exports,i,i.exports,o),i.exports}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(30143);var e=o(18227);var t=o(39912);(0,o(33670).v)("@fluentui/font-icons-mdl2","8.5.38");var n,r,i,a="".concat(e.pD,"/assets/icons/"),s=(0,t.z)();void 0===n&&(n=(null===(r=null==s?void 0:s.FabricConfig)||void 0===r?void 0:r.iconBaseUrl)||(null===(i=null==s?void 0:s.FabricConfig)||void 0===i?void 0:i.fontBaseUrl)||a),[function(t,o){void 0===t&&(t="");var n={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons"',src:"url('".concat(t,"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,e.K1)(n,o)},function(t,o){void 0===t&&(t="");var n={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-0"',src:"url('".concat(t,"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,e.K1)(n,o)},function(t,o){void 0===t&&(t="");var n={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-1"',src:"url('".concat(t,"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,e.K1)(n,o)},function(t,o){void 0===t&&(t="");var n={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-2"',src:"url('".concat(t,"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,e.K1)(n,o)},function(t,o){void 0===t&&(t="");var n={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-3"',src:"url('".concat(t,"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,e.K1)(n,o)},function(t,o){void 0===t&&(t="");var n={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-4"',src:"url('".concat(t,"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,e.K1)(n,o)},function(t,o){void 0===t&&(t="");var n={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-5"',src:"url('".concat(t,"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,e.K1)(n,o)},function(t,o){void 0===t&&(t="");var n={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-6"',src:"url('".concat(t,"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,e.K1)(n,o)},function(t,o){void 0===t&&(t="");var n={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-7"',src:"url('".concat(t,"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,e.K1)(n,o)},function(t,o){void 0===t&&(t="");var n={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-8"',src:"url('".concat(t,"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,e.K1)(n,o)},function(t,o){void 0===t&&(t="");var n={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-9"',src:"url('".concat(t,"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,e.K1)(n,o)},function(t,o){void 0===t&&(t="");var n={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-10"',src:"url('".concat(t,"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,e.K1)(n,o)},function(t,o){void 0===t&&(t="");var n={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-11"',src:"url('".concat(t,"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,e.K1)(n,o)},function(t,o){void 0===t&&(t="");var n={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-12"',src:"url('".concat(t,"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,e.K1)(n,o)},function(t,o){void 0===t&&(t="");var n={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-13"',src:"url('".concat(t,"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,e.K1)(n,o)},function(t,o){void 0===t&&(t="");var n={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-14"',src:"url('".concat(t,"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,e.K1)(n,o)},function(t,o){void 0===t&&(t="");var n={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-15"',src:"url('".concat(t,"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,e.K1)(n,o)},function(t,o){void 0===t&&(t="");var n={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-16"',src:"url('".concat(t,"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,e.K1)(n,o)},function(t,o){void 0===t&&(t="");var n={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-17"',src:"url('".concat(t,"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,e.K1)(n,o)}].forEach((function(e){return e(n,undefined)})),(0,e.aH)("trash","delete"),(0,e.aH)("onedrive","onedrivelogo"),(0,e.aH)("alertsolid12","eventdatemissed12"),(0,e.aH)("sixpointstar","6pointstar"),(0,e.aH)("twelvepointstar","12pointstar"),(0,e.aH)("toggleon","toggleleft"),(0,e.aH)("toggleoff","toggleright")})()})(); \ No newline at end of file +(()=>{var e={57040:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DEFAULT_CALENDAR_STRINGS=t.DEFAULT_DATE_FORMATTING=t.DEFAULT_DATE_GRID_STRINGS=t.formatYear=t.formatMonth=t.formatMonthYear=t.formatMonthDayYear=t.formatDay=void 0;var n=o(31635);t.formatDay=function(e){return e.getDate().toString()},t.formatMonthDayYear=function(e,t){return t.months[e.getMonth()]+" "+e.getDate()+", "+e.getFullYear()},t.formatMonthYear=function(e,t){return t.months[e.getMonth()]+" "+e.getFullYear()},t.formatMonth=function(e,t){return t.months[e.getMonth()]},t.formatYear=function(e){return e.getFullYear().toString()},t.DEFAULT_DATE_GRID_STRINGS={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"]},t.DEFAULT_DATE_FORMATTING={formatDay:t.formatDay,formatMonth:t.formatMonth,formatYear:t.formatYear,formatMonthDayYear:t.formatMonthDayYear,formatMonthYear:t.formatMonthYear},t.DEFAULT_CALENDAR_STRINGS=n.__assign(n.__assign({},t.DEFAULT_DATE_GRID_STRINGS),{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"})},98553:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},87257:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(98553),t),n.__exportStar(o(57040),t)},84807:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},89888:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.findAvailableDate=void 0;var n=o(31635),r=o(58241),i=o(17372),a=o(47803),s=o(86384);t.findAvailableDate=function(e){var t=e.targetDate,o=e.initialDate,l=e.direction,c=n.__rest(e,["targetDate","initialDate","direction"]),u=t;if(!(0,r.isRestrictedDate)(t,c))return t;for(;0!==(0,s.compareDatePart)(o,u)&&(0,r.isRestrictedDate)(u,c)&&!(0,i.isAfterMaxDate)(u,c)&&!(0,a.isBeforeMinDate)(u,c);)u=(0,s.addDays)(u,l);return 0===(0,s.compareDatePart)(o,u)||(0,r.isRestrictedDate)(u,c)?void 0:u}},44204:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getBoundedDateRange=void 0;var n=o(31635),r=o(86384);t.getBoundedDateRange=function(e,t,o){var i=n.__spreadArray([],e,!0);return t&&(i=i.filter((function(e){return(0,r.compareDatePart)(e,t)>=0}))),o&&(i=i.filter((function(e){return(0,r.compareDatePart)(e,o)<=0}))),i}},12009:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getDateRangeTypeToUse=void 0;var n=o(74916),r=o(8584);t.getDateRangeTypeToUse=function(e,t,o){return!t||e!==n.DateRangeType.WorkWeek||(0,r.isContiguous)(t,!0,o)&&0!==t.length?e:n.DateRangeType.Week}},5230:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getDayGrid=void 0;var n=o(86384),r=o(74916),i=o(12009),a=o(44204),s=o(58241);t.getDayGrid=function(e){var t,o=e.selectedDate,l=e.dateRangeType,c=e.firstDayOfWeek,u=e.today,d=e.minDate,p=e.maxDate,m=e.weeksToShow,g=e.workWeekDays,h=e.daysToSelectInDayView,f=e.restrictedDates,v=e.markedDays,b={minDate:d,maxDate:p,restrictedDates:f},y=u||new Date,_=e.navigatedDate?e.navigatedDate:y;t=m&&m<=4?new Date(_.getFullYear(),_.getMonth(),_.getDate()):new Date(_.getFullYear(),_.getMonth(),1);for(var S=[];t.getDay()!==c;)t.setDate(t.getDate()-1);t=(0,n.addDays)(t,-r.DAYS_IN_WEEK);var C=!1,x=(0,i.getDateRangeTypeToUse)(l,g,c),P=[];o&&(P=(0,n.getDateRangeArray)(o,x,c,g,h),P=(0,a.getBoundedDateRange)(P,d,p));for(var k=!0,I=0;k;I++){var w=[];C=!0;for(var T=function(e){var o=new Date(t.getTime()),r={key:t.toString(),date:t.getDate().toString(),originalDate:o,isInMonth:t.getMonth()===_.getMonth(),isToday:(0,n.compareDates)(y,t),isSelected:(0,n.isInDateRangeArray)(t,P),isInBounds:!(0,s.isRestrictedDate)(t,b),isMarked:(null==v?void 0:v.some((function(e){return(0,n.compareDates)(o,e)})))||!1};w.push(r),r.isInMonth&&(C=!1),t.setDate(t.getDate()+1)},E=0;E{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(84807),t),n.__exportStar(o(89888),t),n.__exportStar(o(44204),t),n.__exportStar(o(12009),t),n.__exportStar(o(5230),t),n.__exportStar(o(17372),t),n.__exportStar(o(47803),t),n.__exportStar(o(58241),t),n.__exportStar(o(8584),t)},17372:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.isAfterMaxDate=void 0;var n=o(86384);t.isAfterMaxDate=function(e,t){var o=t.maxDate;return!!o&&(0,n.compareDatePart)(e,o)>=1}},47803:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.isBeforeMinDate=void 0;var n=o(86384);t.isBeforeMinDate=function(e,t){var o=t.minDate;return!!o&&(0,n.compareDatePart)(o,e)>=1}},8584:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.isContiguous=void 0,t.isContiguous=function(e,t,o){for(var n=new Set(e),r=0,i=0,a=e;i{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.isRestrictedDate=void 0;var n=o(86384),r=o(47803),i=o(17372);t.isRestrictedDate=function(e,t){var o=t.restrictedDates,a=t.minDate,s=t.maxDate;return!!(o||a||s)&&(o&&o.some((function(t){return(0,n.compareDates)(t,e)}))||(0,r.isBeforeMinDate)(e,t)||(0,i.isAfterMaxDate)(e,t))}},86384:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getDatePartHashValue=t.getEndDateOfWeek=t.getStartDateOfWeek=t.getWeekNumber=t.getWeekNumbersInMonth=t.isInDateRangeArray=t.getDateRangeArray=t.compareDatePart=t.compareDates=t.setMonth=t.getYearEnd=t.getYearStart=t.getMonthEnd=t.getMonthStart=t.addYears=t.addMonths=t.addWeeks=t.addDays=void 0;var n=o(74916),r=o(26570);function i(e,t){var o=new Date(e.getTime());return o.setDate(o.getDate()+t),o}function a(e,t){var o=new Date(e.getTime()),n=o.getMonth()+t;return o.setMonth(n),o.getMonth()!==(n%r.TimeConstants.MonthInOneYear+r.TimeConstants.MonthInOneYear)%r.TimeConstants.MonthInOneYear&&(o=i(o,-o.getDate())),o}function s(e,t){return!e&&!t||!(!e||!t)&&e.getFullYear()===t.getFullYear()&&e.getMonth()===t.getMonth()&&e.getDate()===t.getDate()}function l(e,t,o){switch(o){case n.FirstWeekOfYear.FirstFullWeek:return p(e,t,r.TimeConstants.DaysInOneWeek);case n.FirstWeekOfYear.FirstFourDayWeek:return p(e,t,4);default:return function(e,t){var o=m(e)-1,n=(e.getDay()-o%r.TimeConstants.DaysInOneWeek-t+2*r.TimeConstants.DaysInOneWeek)%r.TimeConstants.DaysInOneWeek;return Math.floor((o+n)/r.TimeConstants.DaysInOneWeek+1)}(e,t)}}function c(e,t){var o=t-e.getDay();return o>0&&(o-=r.TimeConstants.DaysInOneWeek),i(e,o)}function u(e){return new Date(e.getFullYear(),e.getMonth(),e.getDate())}function d(e){return e.getDate()+(e.getMonth()<<5)+(e.getFullYear()<<9)}function p(e,t,o){var i=m(e)-1,a=e.getDay()-i%r.TimeConstants.DaysInOneWeek,s=m(new Date(e.getFullYear()-1,n.MonthOfYear.December,31))-1,l=(t-a+2*r.TimeConstants.DaysInOneWeek)%r.TimeConstants.DaysInOneWeek;0!==l&&l>=o&&(l-=r.TimeConstants.DaysInOneWeek);var c=i-l;return c<0&&(0!=(l=(t-(a-=s%r.TimeConstants.DaysInOneWeek)+2*r.TimeConstants.DaysInOneWeek)%r.TimeConstants.DaysInOneWeek)&&l+1>=o&&(l-=r.TimeConstants.DaysInOneWeek),c=s-l),Math.floor(c/r.TimeConstants.DaysInOneWeek+1)}function m(e){for(var t=e.getMonth(),o=e.getFullYear(),n=0,r=0;r=0?t-1:r.TimeConstants.DaysInOneWeek-1)-e.getDay();return o<0&&(o+=r.TimeConstants.DaysInOneWeek),i(e,o)},t.getDatePartHashValue=d},74916:(e,t)=>{"use strict";var o,n,r,i;Object.defineProperty(t,"__esModule",{value:!0}),t.DAYS_IN_WEEK=t.DateRangeType=t.FirstWeekOfYear=t.MonthOfYear=t.DayOfWeek=void 0,(i=t.DayOfWeek||(t.DayOfWeek={}))[i.Sunday=0]="Sunday",i[i.Monday=1]="Monday",i[i.Tuesday=2]="Tuesday",i[i.Wednesday=3]="Wednesday",i[i.Thursday=4]="Thursday",i[i.Friday=5]="Friday",i[i.Saturday=6]="Saturday",(r=t.MonthOfYear||(t.MonthOfYear={}))[r.January=0]="January",r[r.February=1]="February",r[r.March=2]="March",r[r.April=3]="April",r[r.May=4]="May",r[r.June=5]="June",r[r.July=6]="July",r[r.August=7]="August",r[r.September=8]="September",r[r.October=9]="October",r[r.November=10]="November",r[r.December=11]="December",(n=t.FirstWeekOfYear||(t.FirstWeekOfYear={}))[n.FirstDay=0]="FirstDay",n[n.FirstFullWeek=1]="FirstFullWeek",n[n.FirstFourDayWeek=2]="FirstFourDayWeek",(o=t.DateRangeType||(t.DateRangeType={}))[o.Day=0]="Day",o[o.Week=1]="Week",o[o.Month=2]="Month",o[o.WorkWeek=3]="WorkWeek",t.DAYS_IN_WEEK=7},26570:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.TimeConstants=void 0,t.TimeConstants={MillisecondsInOneDay:864e5,MillisecondsIn1Sec:1e3,MillisecondsIn1Min:6e4,MillisecondsIn30Mins:18e5,MillisecondsIn1Hour:36e5,MinutesInOneDay:1440,MinutesInOneHour:60,DaysInOneWeek:7,MonthInOneYear:12,HoursInOneDay:24,SecondsInOneMinute:60,OffsetTo24HourFormat:12,TimeFormatRegex:/^(\d\d?):(\d\d):?(\d\d)? ?([ap]m)?/i}},6517:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(86384),t),n.__exportStar(o(74916),t),n.__exportStar(o(26570),t),n.__exportStar(o(87257),t),n.__exportStar(o(31542),t),n.__exportStar(o(9942),t),n.__exportStar(o(69708),t),o(30285)},69708:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.formatTimeString=void 0,t.formatTimeString=function(e,t,o){var n=e.toLocaleTimeString([],{hour:"numeric",minute:"2-digit",second:t?"2-digit":void 0,hour12:o});return o||"24"!==n.slice(0,2)||(n="00"+n.slice(2)),n}},9942:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getDateFromTimeSelection=t.ceilMinuteToIncrement=t.addMinutes=void 0;var n=o(26570);t.addMinutes=function(e,t){var o=new Date(e.getTime());return o.setTime(o.getTime()+t*n.TimeConstants.MinutesInOneHour*n.TimeConstants.MillisecondsIn1Sec),o},t.ceilMinuteToIncrement=function(e,t){var o=new Date(e.getTime()),r=o.getMinutes();if(n.TimeConstants.MinutesInOneHour%t)o.setMinutes(0);else{for(var i=n.TimeConstants.MinutesInOneHour/t,a=1;a<=i;a++)if(r>t*(a-1)&&r<=t*a){r=t*a;break}o.setMinutes(r)}return o},t.getDateFromTimeSelection=function(e,t,o){var r,i=n.TimeConstants.TimeFormatRegex.exec(o)||[],a=i[1],s=i[2],l=i[3],c=i[4],u=+a,d=+s,p=l?+l:0;e&&c&&("pm"===c.toLowerCase()&&u!==n.TimeConstants.OffsetTo24HourFormat?u+=n.TimeConstants.OffsetTo24HourFormat:"am"===c.toLowerCase()&&u===n.TimeConstants.OffsetTo24HourFormat&&(u-=n.TimeConstants.OffsetTo24HourFormat)),r=t.getHours()>u||t.getHours()===u&&t.getMinutes()>d?n.TimeConstants.HoursInOneDay-t.getHours()+u:Math.abs(t.getHours()-u);var m=n.TimeConstants.MillisecondsIn1Sec*n.TimeConstants.MinutesInOneHour*r*n.TimeConstants.SecondsInOneMinute+p*n.TimeConstants.MillisecondsIn1Sec,g=new Date(t.getTime()+m);return g.setMinutes(d),g.setSeconds(p),g}},30285:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),(0,o(37607).setVersion)("@fluentui/date-time-utilities","8.6.3")},29222:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.elementContains=void 0;var n=o(39399);t.elementContains=function(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.getParent)(t);if(i===e){r=!0;break}t=i}else e.contains&&(r=e.contains(t));return r}},16732:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.elementContainsAttribute=void 0;var n=o(27560);t.elementContainsAttribute=function(e,t,o){var r=(0,n.findElementRecursive)(e,(function(e){return e.hasAttribute(t)}),o);return r&&r.getAttribute(t)}},27560:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.findElementRecursive=void 0;var n=o(39399);t.findElementRecursive=function e(t,o,r){return null!=r||(r=document),t&&t!==r.body?o(t)?t:e((0,n.getParent)(t),o):null}},11613:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getActiveElement=void 0,t.getActiveElement=function(e){for(var t=e.activeElement;null==t?void 0:t.shadowRoot;)t=t.shadowRoot.activeElement;return t}},99484:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getChildren=void 0;var n=o(78658);t.getChildren=function(e,t){void 0===t&&(t=!0);var o=[];if(e){for(var r=0;r{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getEventTarget=void 0,t.getEventTarget=function(e){var t=e.target;return t&&t.shadowRoot&&(t=e.composedPath()[0]),t}},39399:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getParent=void 0;var n=o(54024);t.getParent=function(e,t){var o,r;return void 0===t&&(t=!0),e?t&&(0,n.getVirtualParent)(e)||("function"!=typeof e.assignedElements&&(null===(o=e.assignedSlot)||void 0===o?void 0:o.parentNode)?e.assignedSlot:11===(null===(r=e.parentNode)||void 0===r?void 0:r.nodeType)?e.parentNode.host:e.parentNode):null}},54024:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getVirtualParent=void 0;var n=o(78658);t.getVirtualParent=function(e){var t;return e&&(0,n.isVirtualElement)(e)&&(t=e._virtual.parent),t}},35183:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.setVirtualParent=t.setPortalAttribute=t.DATA_PORTAL_ATTRIBUTE=t.portalContainsElement=t.isVirtualElement=t.getVirtualParent=t.getParent=t.getEventTarget=t.getChildren=t.getActiveElement=t.findElementRecursive=t.elementContainsAttribute=t.elementContains=void 0;var n=o(29222);Object.defineProperty(t,"elementContains",{enumerable:!0,get:function(){return n.elementContains}});var r=o(16732);Object.defineProperty(t,"elementContainsAttribute",{enumerable:!0,get:function(){return r.elementContainsAttribute}});var i=o(27560);Object.defineProperty(t,"findElementRecursive",{enumerable:!0,get:function(){return i.findElementRecursive}});var a=o(11613);Object.defineProperty(t,"getActiveElement",{enumerable:!0,get:function(){return a.getActiveElement}});var s=o(99484);Object.defineProperty(t,"getChildren",{enumerable:!0,get:function(){return s.getChildren}});var l=o(60874);Object.defineProperty(t,"getEventTarget",{enumerable:!0,get:function(){return l.getEventTarget}});var c=o(39399);Object.defineProperty(t,"getParent",{enumerable:!0,get:function(){return c.getParent}});var u=o(54024);Object.defineProperty(t,"getVirtualParent",{enumerable:!0,get:function(){return u.getVirtualParent}});var d=o(78658);Object.defineProperty(t,"isVirtualElement",{enumerable:!0,get:function(){return d.isVirtualElement}});var p=o(86578);Object.defineProperty(t,"portalContainsElement",{enumerable:!0,get:function(){return p.portalContainsElement}});var m=o(13617);Object.defineProperty(t,"DATA_PORTAL_ATTRIBUTE",{enumerable:!0,get:function(){return m.DATA_PORTAL_ATTRIBUTE}}),Object.defineProperty(t,"setPortalAttribute",{enumerable:!0,get:function(){return m.setPortalAttribute}});var g=o(73172);Object.defineProperty(t,"setVirtualParent",{enumerable:!0,get:function(){return g.setVirtualParent}}),o(34463)},78658:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.isVirtualElement=void 0,t.isVirtualElement=function(e){return e&&!!e._virtual}},86578:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.portalContainsElement=void 0;var n=o(27560),r=o(13617);t.portalContainsElement=function(e,t,o){var i=(0,n.findElementRecursive)(e,(function(e){return t===e||e.hasAttribute(r.DATA_PORTAL_ATTRIBUTE)}),o);return null!==i&&i.hasAttribute(r.DATA_PORTAL_ATTRIBUTE)}},13617:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.setPortalAttribute=t.DATA_PORTAL_ATTRIBUTE=void 0,t.DATA_PORTAL_ATTRIBUTE="data-portal-element",t.setPortalAttribute=function(e){e.setAttribute(t.DATA_PORTAL_ATTRIBUTE,"true")}},73172:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.setVirtualParent=void 0,t.setVirtualParent=function(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))}},34463:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),(0,o(37607).setVersion)("@fluentui/dom-utilities","2.3.1")},34023:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.initializeIcons=void 0;var n=o(83048);t.initializeIcons=function(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('".concat(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.registerIcons)(o,t)}},9872:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.initializeIcons=void 0;var n=o(83048);t.initializeIcons=function(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('".concat(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.registerIcons)(o,t)}},94050:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.initializeIcons=void 0;var n=o(83048);t.initializeIcons=function(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('".concat(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.registerIcons)(o,t)}},61937:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.initializeIcons=void 0;var n=o(83048);t.initializeIcons=function(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('".concat(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.registerIcons)(o,t)}},82296:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.initializeIcons=void 0;var n=o(83048);t.initializeIcons=function(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('".concat(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.registerIcons)(o,t)}},16655:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.initializeIcons=void 0;var n=o(83048);t.initializeIcons=function(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('".concat(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.registerIcons)(o,t)}},78798:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.initializeIcons=void 0;var n=o(83048);t.initializeIcons=function(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('".concat(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.registerIcons)(o,t)}},23149:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.initializeIcons=void 0;var n=o(83048);t.initializeIcons=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('".concat(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.registerIcons)(o,t)}},98564:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.initializeIcons=void 0;var n=o(83048);t.initializeIcons=function(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('".concat(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.registerIcons)(o,t)}},80011:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.initializeIcons=void 0;var n=o(83048);t.initializeIcons=function(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('".concat(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.registerIcons)(o,t)}},42825:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.initializeIcons=void 0;var n=o(83048);t.initializeIcons=function(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('".concat(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.registerIcons)(o,t)}},30298:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.initializeIcons=void 0;var n=o(83048);t.initializeIcons=function(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('".concat(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.registerIcons)(o,t)}},7811:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.initializeIcons=void 0;var n=o(83048);t.initializeIcons=function(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('".concat(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.registerIcons)(o,t)}},52348:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.initializeIcons=void 0;var n=o(83048);t.initializeIcons=function(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('".concat(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.registerIcons)(o,t)}},82085:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.initializeIcons=void 0;var n=o(83048);t.initializeIcons=function(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('".concat(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.registerIcons)(o,t)}},14342:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.initializeIcons=void 0;var n=o(83048);t.initializeIcons=function(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('".concat(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.registerIcons)(o,t)}},21007:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.initializeIcons=void 0;var n=o(83048);t.initializeIcons=function(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('".concat(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.registerIcons)(o,t)}},86648:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.initializeIcons=void 0;var n=o(83048);t.initializeIcons=function(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('".concat(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.registerIcons)(o,t)}},39694:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.initializeIcons=void 0;var n=o(83048);t.initializeIcons=function(e,t){void 0===e&&(e="");var o={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons"',src:"url('".concat(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.registerIcons)(o,t)}},89941:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.registerIconAliases=void 0;var n=o(83048);t.registerIconAliases=function(){(0,n.registerIconAlias)("trash","delete"),(0,n.registerIconAlias)("onedrive","onedrivelogo"),(0,n.registerIconAlias)("alertsolid12","eventdatemissed12"),(0,n.registerIconAlias)("sixpointstar","6pointstar"),(0,n.registerIconAlias)("twelvepointstar","12pointstar"),(0,n.registerIconAlias)("toggleon","toggleleft"),(0,n.registerIconAlias)("toggleoff","toggleright")},t.default=t.registerIconAliases},8790:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.initializeIcons=void 0;var n=o(39694),r=o(34023),i=o(9872),a=o(42825),s=o(30298),l=o(7811),c=o(52348),u=o(82085),d=o(14342),p=o(21007),m=o(86648),g=o(94050),h=o(61937),f=o(82296),v=o(16655),b=o(78798),y=o(23149),_=o(98564),S=o(80011),C=o(83048),x=o(89941),P=o(52332),k="".concat(C.FLUENT_CDN_BASE_URL,"/assets/icons/"),I=(0,P.getWindow)();t.initializeIcons=function(e,t){var o,C;void 0===e&&(e=(null===(o=null==I?void 0:I.FabricConfig)||void 0===o?void 0:o.iconBaseUrl)||(null===(C=null==I?void 0:I.FabricConfig)||void 0===C?void 0:C.fontBaseUrl)||k),[n.initializeIcons,r.initializeIcons,i.initializeIcons,a.initializeIcons,s.initializeIcons,l.initializeIcons,c.initializeIcons,u.initializeIcons,d.initializeIcons,p.initializeIcons,m.initializeIcons,g.initializeIcons,h.initializeIcons,f.initializeIcons,v.initializeIcons,b.initializeIcons,y.initializeIcons,_.initializeIcons,S.initializeIcons].forEach((function(o){return o(e,t)})),(0,x.registerIconAliases)()},o(33890)},33890:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),(0,o(37607).setVersion)("@fluentui/font-icons-mdl2","8.5.38")},8335:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},59542:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},11633:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},25665:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ThemeProvider=void 0;var n=o(31635),r=o(83923),i=o(83048),a=o(52332);t.ThemeProvider=function(e){var t=e.scheme,o=e.theme,s=n.__rest(e,["scheme","theme"]);return r.createElement(a.Customizer,n.__assign({},s,{contextTransform:function(e){return(0,i.getThemedContext)(e,t,o)}}))}},10690:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.createComponent=void 0;var n=o(31635),r=o(83923),i=o(83048),a=o(52332),s=o(7816),l=o(93349);function c(e,t){for(var o=[],r=2;r{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getControlledDerivedProps=t.useControlledState=void 0;var n=o(83923);t.useControlledState=function(e,t,o){var r;o&&(r=o.defaultPropName&&void 0!==e[o.defaultPropName]?e[o.defaultPropName]:o&&o.defaultPropValue);var i=n.useState(r),a=i[0],s=i[1];return void 0!==e[t]?[e[t],s]:[a,s]},t.getControlledDerivedProps=function(e,t,o){return void 0!==e[t]?e[t]:o}},27970:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(514),t)},89021:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.legacyStyled=void 0;var n=o(31635);n.__exportStar(o(10690),t),n.__exportStar(o(8335),t),n.__exportStar(o(59542),t),n.__exportStar(o(11633),t),n.__exportStar(o(7816),t),n.__exportStar(o(25665),t),n.__exportStar(o(27970),t);var r=o(52332);Object.defineProperty(t,"legacyStyled",{enumerable:!0,get:function(){return r.styled}}),o(37781)},7816:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getSlots=t.createFactory=t.withSlots=void 0;var n=o(31635),r=o(83923),i=o(15241),a=o(52332),s=o(93349);function l(e,t){void 0===t&&(t={});var o=t.defaultProp,l=void 0===o?"children":o;return function(t,o,c,u,d){if(r.isValidElement(o))return o;var p=function(e,t){var o,n;return"string"==typeof t||"number"==typeof t||"boolean"==typeof t?((o={})[e]=t,n=o):n=t,n}(l,o),m=function(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 function(e,t,o,n,r,i){return void 0!==e.create?e.create(t,o,n,r):c(e)(t,o,n,r,i)}(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}},93349:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.assign=void 0;var n=o(31635);t.assign=n.__assign},37781:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),(0,o(37607).setVersion)("@fluentui/foundation-legacy","8.4.4")},81817:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ShadowDomStylesheet=t.SUPPORTS_MODIFYING_ADOPTED_STYLESHEETS=t.SUPPORTS_CONSTRUCTABLE_STYLESHEETS=void 0;var n=o(31635),r=o(9493),i=o(5195);t.SUPPORTS_CONSTRUCTABLE_STYLESHEETS="undefined"!=typeof document&&Array.isArray(document.adoptedStyleSheets)&&"replace"in CSSStyleSheet.prototype;var a,s=!1;if(t.SUPPORTS_CONSTRUCTABLE_STYLESHEETS)try{document.adoptedStyleSheets.push(),s=!0}catch(e){s=!1}t.SUPPORTS_MODIFYING_ADOPTED_STYLESHEETS=s;var l={};try{l=window||{}}catch(e){}var c=function(e){function o(t,n){var r=e.call(this,t,n)||this;return r._onAddSheetCallbacks=[],r._sheetCounter=0,r._adoptableSheets=new Map,l[i.SHADOW_DOM_STYLESHEET_SETTING]=o,r}return n.__extends(o,e),o.getInstance=function(e){var t=e||i.DEFAULT_SHADOW_CONFIG,s=t.stylesheetKey||i.GLOBAL_STYLESHEET_KEY,c=t.inShadow,u=t.window||("undefined"!=typeof window?window:void 0),d=u||l,p=u?u.document:"undefined"!=typeof document?document:void 0,m=(a=d[r.STYLESHEET_SETTING])&&!a.getAdoptedSheets;if(!a||m||a._lastStyleElement&&a._lastStyleElement.ownerDocument!==p){var g=(null==d?void 0:d.FabricConfig)||{},h={window:u,inShadow:c,stylesheetKey:s};g.mergeStyles=g.mergeStyles||{},g.mergeStyles=n.__assign(n.__assign({},h),g.mergeStyles);var f=void 0;m?function(e,t,o,n){var r;if(void 0===t&&(t=!1),n){var a=n.querySelectorAll("[data-merge-styles]");if(a){e.setConfig({window:o,inShadow:t,stylesheetKey:i.GLOBAL_STYLESHEET_KEY});for(var s=0;s{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyleOptions=t.getRTL=t.setRTL=void 0;var n,r=o(5195);function i(){return void 0===n&&(n="undefined"!=typeof document&&!!document.documentElement&&"rtl"===document.documentElement.getAttribute("dir")),n}t.setRTL=function(e){n!==e&&(n=e)},t.getRTL=i,n=i(),t.getStyleOptions=function(){return{rtl:i(),shadowConfig:r.DEFAULT_SHADOW_CONFIG}}},9493:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Stylesheet=t.STYLESHEET_SETTING=t.InjectionMode=void 0;var n=o(31635),r=o(5195);t.InjectionMode={none:0,insertNode:1,appendChild:2},t.STYLESHEET_SETTING="__stylesheet__";var i,a="undefined"!=typeof navigator&&/rv:11.0/.test(navigator.userAgent),s={};try{s=window||{}}catch(e){}var l=function(){function e(e,o){var r,i,a,s,l,c;this._rules=[],this._preservedRules=[],this._counter=0,this._keyToClassName={},this._onInsertRuleCallbacks=[],this._onResetCallbacks=[],this._classNameToArgs={},this._config=n.__assign({injectionMode:"undefined"==typeof document?t.InjectionMode.none:t.InjectionMode.insertNode,defaultPrefix:"css",namespace:void 0,cspSettings:void 0},e),this._classNameToArgs=null!==(r=null==o?void 0:o.classNameToArgs)&&void 0!==r?r:this._classNameToArgs,this._counter=null!==(i=null==o?void 0:o.counter)&&void 0!==i?i:this._counter,this._keyToClassName=null!==(s=null!==(a=this._config.classNameCache)&&void 0!==a?a:null==o?void 0:o.keyToClassName)&&void 0!==s?s:this._keyToClassName,this._preservedRules=null!==(l=null==o?void 0:o.preservedRules)&&void 0!==l?l:this._preservedRules,this._rules=null!==(c=null==o?void 0:o.rules)&&void 0!==c?c:this._rules}return e.getInstance=function(o){if(i=s[t.STYLESHEET_SETTING],s[r.SHADOW_DOM_STYLESHEET_SETTING])return s[r.SHADOW_DOM_STYLESHEET_SETTING].getInstance(o);if(!i||i._lastStyleElement&&i._lastStyleElement.ownerDocument!==document){var n=(null==s?void 0:s.FabricConfig)||{},a=new e(n.mergeStyles,n.serializedStylesheet);i=a,s[t.STYLESHEET_SETTING]=a}return i},e.prototype.serialize=function(){return JSON.stringify({classNameToArgs:this._classNameToArgs,counter:this._counter,keyToClassName:this._keyToClassName,preservedRules:this._preservedRules,rules:this._rules})},e.prototype.setConfig=function(e){this._config=n.__assign(n.__assign({},this._config),e)},e.prototype.onReset=function(e){var t=this;return this._onResetCallbacks.push(e),function(){t._onResetCallbacks=t._onResetCallbacks.filter((function(t){return t!==e}))}},e.prototype.onInsertRule=function(e){var t=this;return this._onInsertRuleCallbacks.push(e),function(){t._onInsertRuleCallbacks=t._onInsertRuleCallbacks.filter((function(t){return t!==e}))}},e.prototype.getClassName=function(e){var t=this._config.namespace,o=e||this._config.defaultPrefix;return"".concat(t?t+"-":"").concat(o,"-").concat(this._counter++)},e.prototype.cacheClassName=function(e,t,o,n){this._keyToClassName[this._getCacheKey(t)]=e,this._classNameToArgs[e]={args:o,rules:n}},e.prototype.classNameFromKey=function(e){return this._keyToClassName[this._getCacheKey(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,o,n){void 0===n&&(n=r.GLOBAL_STYLESHEET_KEY);var i=this._config.injectionMode,a=i!==t.InjectionMode.none?this._getStyleElement():void 0;if(o&&this._preservedRules.push(e),a)switch(i){case t.InjectionMode.insertNode:this._insertRuleIntoSheet(a.sheet,e);break;case t.InjectionMode.appendChild:a.appendChild(document.createTextNode(e))}else this._rules.push(e);this._config.onInsertRule&&this._config.onInsertRule(e),this._onInsertRuleCallbacks.forEach((function(t){return t({key:n,sheet:a?a.sheet:void 0,rule:e})}))},e.prototype.getRules=function(e){return(e?this._preservedRules.join(""):"")+this._rules.join("")},e.prototype.reset=function(){this._rules=[],this._counter=0,this._classNameToArgs={},this._keyToClassName={},this._onResetCallbacks.forEach((function(e){return e()}))},e.prototype.resetKeys=function(){this._keyToClassName={}},e.prototype._createStyleElement=function(){var e,t=(null===(e=this._config.window)||void 0===e?void 0:e.document)||document,o=t.head,n=t.createElement("style"),r=null;n.setAttribute("data-merge-styles","true");var i=this._config.cspSettings;if(i&&i.nonce&&n.setAttribute("nonce",i.nonce),this._lastStyleElement)r=this._lastStyleElement.nextElementSibling;else{var a=this._findPlaceholderStyleTag();r=a?a.nextElementSibling:o.childNodes[0]}return o.insertBefore(n,o.contains(r)?r:null),this._lastStyleElement=n,n},e.prototype._insertRuleIntoSheet=function(e,t){if(!e)return!1;try{return e.insertRule(t,e.cssRules.length),!0}catch(e){}return!1},e.prototype._getCacheKey=function(e){return e},e.prototype._getStyleElement=function(){var e=this;return this._styleElement||(this._styleElement=this._createStyleElement(),a||(this._config.window||window).requestAnimationFrame((function(){e._styleElement=void 0}))),this._styleElement},e.prototype._findPlaceholderStyleTag=function(){var e=document.head;return e?e.querySelector("style[data-merge-styles]"):null},e}();t.Stylesheet=l},49549:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.cloneExtendedCSSStyleSheet=t.cloneCSSStyleSheet=void 0,t.cloneCSSStyleSheet=function(e,t){for(var o=0;o{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.concatStyleSets=void 0;var n=o(31635),r=o(5195);t.concatStyleSets=function e(){for(var t=[],o=0;o0){i.subComponentStyles={};var h=i.subComponentStyles,f=function(t){if(a.hasOwnProperty(t)){var o=a[t];h[t]=function(t){return e.apply(void 0,o.map((function(e){return"function"==typeof e?e(t):e})))}}};for(var p in a)f(p)}return i}},18819:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.concatStyleSetsWithProps=void 0;var n=o(94237);t.concatStyleSetsWithProps=function(e){for(var t=[],o=1;o{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.extractStyleParts=void 0;var n=o(5195);t.extractStyleParts=function(e){for(var t=[],o=1;o=0)e(l.split(" "));else{var c=a.argsFromClassName(l);c?e(c):-1===r.indexOf(l)&&r.push(l)}else Array.isArray(l)?e(l):"object"==typeof l&&i.push(l)}}(t),{classes:r,objects:i}}},19397:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.fontFace=void 0;var n=o(81099),r=o(9493),i=o(34434);t.fontFace=function(e){var t=r.Stylesheet.getInstance(),o=(0,i.serializeRuleEntries)((0,n.getStyleOptions)(),e);if(!t.classNameFromKey(o)){var a=t.getClassName();t.insertRule("@font-face{".concat(o,"}"),!0),t.cacheClassName(a,o,[],["font-face",o])}}},89186:(e,t)=>{"use strict";var o;Object.defineProperty(t,"__esModule",{value:!0}),t.setVendorSettings=t.getVendorSettings=void 0,t.getVendorSettings=function(){var e;if(!o){var t="undefined"!=typeof document?document:void 0,n="undefined"!=typeof navigator?navigator:void 0,r=null===(e=null==n?void 0:n.userAgent)||void 0===e?void 0:e.toLowerCase();o=t?{isWebkit:!(!t||!("WebkitAppearance"in t.documentElement.style)),isMoz:!!(r&&r.indexOf("firefox")>-1),isOpera:!!(r&&r.indexOf("opera")>-1),isMs:!(!n||!/rv:11.0/i.test(n.userAgent)&&!/Edge\/\d./i.test(navigator.userAgent))}:{isWebkit:!0,isMoz:!0,isOpera:!0,isMs:!0}}return o},t.setVendorSettings=function(e){o=e}},15241:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.cloneCSSStyleSheet=t.makeShadowConfig=t.GLOBAL_STYLESHEET_KEY=t.DEFAULT_SHADOW_CONFIG=t.setRTL=t.SUPPORTS_MODIFYING_ADOPTED_STYLESHEETS=t.SUPPORTS_CONSTRUCTABLE_STYLESHEETS=t.ShadowDomStylesheet=t.Stylesheet=t.InjectionMode=t.keyframes=t.fontFace=t.concatStyleSetsWithProps=t.concatStyleSets=t.mergeCssSets=t.mergeStyleSets=t.mergeCss=t.mergeStyles=void 0;var n=o(84227);Object.defineProperty(t,"mergeStyles",{enumerable:!0,get:function(){return n.mergeStyles}}),Object.defineProperty(t,"mergeCss",{enumerable:!0,get:function(){return n.mergeCss}});var r=o(26037);Object.defineProperty(t,"mergeStyleSets",{enumerable:!0,get:function(){return r.mergeStyleSets}}),Object.defineProperty(t,"mergeCssSets",{enumerable:!0,get:function(){return r.mergeCssSets}});var i=o(94237);Object.defineProperty(t,"concatStyleSets",{enumerable:!0,get:function(){return i.concatStyleSets}});var a=o(18819);Object.defineProperty(t,"concatStyleSetsWithProps",{enumerable:!0,get:function(){return a.concatStyleSetsWithProps}});var s=o(19397);Object.defineProperty(t,"fontFace",{enumerable:!0,get:function(){return s.fontFace}});var l=o(50800);Object.defineProperty(t,"keyframes",{enumerable:!0,get:function(){return l.keyframes}});var c=o(9493);Object.defineProperty(t,"InjectionMode",{enumerable:!0,get:function(){return c.InjectionMode}}),Object.defineProperty(t,"Stylesheet",{enumerable:!0,get:function(){return c.Stylesheet}});var u=o(81817);Object.defineProperty(t,"ShadowDomStylesheet",{enumerable:!0,get:function(){return u.ShadowDomStylesheet}}),Object.defineProperty(t,"SUPPORTS_CONSTRUCTABLE_STYLESHEETS",{enumerable:!0,get:function(){return u.SUPPORTS_CONSTRUCTABLE_STYLESHEETS}}),Object.defineProperty(t,"SUPPORTS_MODIFYING_ADOPTED_STYLESHEETS",{enumerable:!0,get:function(){return u.SUPPORTS_MODIFYING_ADOPTED_STYLESHEETS}});var d=o(81099);Object.defineProperty(t,"setRTL",{enumerable:!0,get:function(){return d.setRTL}});var p=o(5195);Object.defineProperty(t,"DEFAULT_SHADOW_CONFIG",{enumerable:!0,get:function(){return p.DEFAULT_SHADOW_CONFIG}}),Object.defineProperty(t,"GLOBAL_STYLESHEET_KEY",{enumerable:!0,get:function(){return p.GLOBAL_STYLESHEET_KEY}}),Object.defineProperty(t,"makeShadowConfig",{enumerable:!0,get:function(){return p.makeShadowConfig}});var m=o(49549);Object.defineProperty(t,"cloneCSSStyleSheet",{enumerable:!0,get:function(){return m.cloneCSSStyleSheet}}),o(1225)},50800:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.keyframes=void 0;var n=o(81099),r=o(9493),i=o(34434);t.keyframes=function(e){var t=r.Stylesheet.getInstance(),o=[];for(var a in e)e.hasOwnProperty(a)&&o.push(a,"{",(0,i.serializeRuleEntries)((0,n.getStyleOptions)(),e[a]),"}");var s=o.join(""),l=t.classNameFromKey(s);if(l)return l;var c=t.getClassName();return t.insertRule("@keyframes ".concat(c,"{").concat(s,"}"),!0),t.cacheClassName(c,s,[],["keyframes",s]),c}},26037:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.mergeCssSets=t.mergeStyleSets=void 0;var n=o(31635),r=o(94237),i=o(30725),a=o(81099),s=o(34434),l=o(5195),c=o(9493);function u(e,t){var o,a={subComponentStyles:{}},u=void 0;(0,l.isShadowConfig)(e[0])?(u=e[0],o=e[1]):o=e[0],null!=u||(u=null==t?void 0:t.shadowConfig);var d=n.__assign(n.__assign({},t),{shadowConfig:u});if(!o&&e.length<=1)return{subComponentStyles:{}};var p=c.Stylesheet.getInstance(u);d.stylesheet=p;var m=r.concatStyleSets.apply(void 0,e),g=[];for(var h in m)if(m.hasOwnProperty(h)){if("subComponentStyles"===h){a.subComponentStyles=m.subComponentStyles||{};continue}if("__shadowConfig__"===h)continue;var f=m[h],v=(0,i.extractStyleParts)(p,f),b=v.classes,y=v.objects;(null==y?void 0:y.length)?(C=(0,s.styleToRegistration)(d||{},{displayName:h},y))&&(g.push(C),a[h]=b.concat([C.className]).join(" ")):a[h]=b.join(" ")}for(var _=0,S=g;_{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.mergeCss=t.mergeStyles=void 0;var n=o(30725),r=o(5195),i=o(81099),a=o(9493),s=o(34434);function l(e,t){var o=e instanceof Array?e:[e],i=t||{};(0,r.isShadowConfig)(o[0])&&(i.shadowConfig=o[0]),i.stylesheet=a.Stylesheet.getInstance(i.shadowConfig);var l=(0,n.extractStyleParts)(i.stylesheet,o),c=l.classes,u=l.objects;return u.length&&c.push((0,s.styleToClassName)(i,u)),c.join(" ")}t.mergeStyles=function(){for(var e=[],t=0;t{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.isShadowConfig=t.makeShadowConfig=t.DEFAULT_SHADOW_CONFIG=t.SHADOW_DOM_STYLESHEET_SETTING=t.GLOBAL_STYLESHEET_KEY=void 0,t.GLOBAL_STYLESHEET_KEY="__global__",t.SHADOW_DOM_STYLESHEET_SETTING="__shadow_dom_stylesheet__",t.DEFAULT_SHADOW_CONFIG={stylesheetKey:t.GLOBAL_STYLESHEET_KEY,inShadow:!1,window:void 0,__isShadowConfig__:!0},t.makeShadowConfig=function(e,t,o){return{stylesheetKey:e,inShadow:t,window:o,__isShadowConfig__:!0}},t.isShadowConfig=function(e){return!!e&&!0===e.__isShadowConfig__}},34434:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.styleToClassName=t.applyRegistration=t.styleToRegistration=t.serializeRuleEntries=void 0;var n=o(31635),r=o(9493),i=o(84591),a=o(66524),s=o(16431),l=o(19384),c=o(37502),u="displayName",d=/\:global\((.+?)\)/g;function p(e,t){return e.indexOf(":global(")>=0?e.replace(d,"$1"):0===e.indexOf(":host(")?e:0===e.indexOf(":")?t+e:e.indexOf("&")<0?t+" "+e:e}function m(e,t,o,n,r){void 0===t&&(t={__order:[]}),0===o.indexOf("@")?g([n],t,o=o+"{"+e,r):o.indexOf(",")>-1?function(e){if(!d.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(".concat(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 g([n],t,p(o,e),r)})):g([n],t,p(o,e),r)}function g(e,t,o,n){void 0===t&&(t={__order:[]}),void 0===o&&(o="&");var r=t[o];r||(r={},t[o]=r,t.__order.push(o));for(var i=0,a=e;i{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.tokenizeWithParentheses=void 0,t.tokenizeWithParentheses=function(e){for(var t=[],o=0,n=0,r=0;ro&&t.push(e.substring(o,r)),o=r+1)}return o{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.kebabRules=void 0;var o={};t.kebabRules=function(e,t){var n=e[t];"-"!==n.charAt(0)&&(e[t]=o[n]=o[n]||n.replace(/([A-Z])/g,"-$1").toLowerCase())}},66524:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.prefixRules=void 0;var n=o(89186),r={"user-select":1};t.prefixRules=function(e,t){var o=(0,n.getVendorSettings)(),i=e[t];if(r[i]){var a=e[t+1];r[i]&&(o.isWebkit&&e.push("-webkit-"+i,a),o.isMoz&&e.push("-moz-"+i,a),o.isMs&&e.push("-ms-"+i,a),o.isOpera&&e.push("-o-"+i,a))}}},16431:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.provideUnits=void 0;var o=["column-count","font-weight","flex","flex-grow","flex-shrink","fill-opacity","opacity","order","z-index","zoom"];t.provideUnits=function(e,t){var n=e[t],r=e[t+1];if("number"==typeof r){var i=o.indexOf(n)>-1,a=n.indexOf("--")>-1,s=i||a?"":"px";e[t+1]="".concat(r).concat(s)}}},19384:(e,t)=>{"use strict";var o;Object.defineProperty(t,"__esModule",{value:!0}),t.rtlifyRules=void 0;var n="left",r="right",i=((o={})[n]=r,o[r]=n,o),a={"w-resize":"e-resize","sw-resize":"se-resize","nw-resize":"ne-resize"};t.rtlifyRules=function(e,t,o){if(e.rtl){var s=t[o];if(!s)return;var l=t[o+1];if("string"==typeof l&&l.indexOf("@noflip")>=0)t[o+1]=l.replace(/\s*(?:\/\*\s*)?\@noflip\b(?:\s*\*\/)?\s*?/g,"");else if(s.indexOf(n)>=0)t[o]=s.replace(n,r);else if(s.indexOf(r)>=0)t[o]=s.replace(r,n);else if(String(l).indexOf(n)>=0)t[o+1]=l.replace(n,r);else if(String(l).indexOf(r)>=0)t[o+1]=l.replace(r,n);else if(i[s])t[o]=i[s];else if(a[l])t[o+1]=a[l];else switch(s){case"margin":case"padding":t[o+1]=function(e){if("string"==typeof e){var t=e.split(" ");if(4===t.length)return"".concat(t[0]," ").concat(t[3]," ").concat(t[2]," ").concat(t[1])}return e}(l);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(" ")}(l)}}}},1225:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),(0,o(37607).setVersion)("@fluentui/merge-styles","8.6.4")},85890:(e,t,o)=>{"use strict";o.d(t,{DU:()=>i,Iy:()=>s});var n,r=o(34556);function i(e){n!==e&&(n=e)}function a(){return void 0===n&&(n="undefined"!=typeof document&&!!document.documentElement&&"rtl"===document.documentElement.getAttribute("dir")),n}function s(){return{rtl:a(),shadowConfig:r.ou}}n=a()},926:(e,t,o)=>{"use strict";o.d(t,{nr:()=>c});var n,r=o(31635),i=o(34556),a="__stylesheet__",s="undefined"!=typeof navigator&&/rv:11.0/.test(navigator.userAgent),l={};try{l=window||{}}catch(e){}var c=function(){function e(e,t){var o,n,i,a,s,l;this._rules=[],this._preservedRules=[],this._counter=0,this._keyToClassName={},this._onInsertRuleCallbacks=[],this._onResetCallbacks=[],this._classNameToArgs={},this._config=(0,r.__assign)({injectionMode:"undefined"==typeof document?0:1,defaultPrefix:"css",namespace:void 0,cspSettings:void 0},e),this._classNameToArgs=null!==(o=null==t?void 0:t.classNameToArgs)&&void 0!==o?o:this._classNameToArgs,this._counter=null!==(n=null==t?void 0:t.counter)&&void 0!==n?n:this._counter,this._keyToClassName=null!==(a=null!==(i=this._config.classNameCache)&&void 0!==i?i:null==t?void 0:t.keyToClassName)&&void 0!==a?a:this._keyToClassName,this._preservedRules=null!==(s=null==t?void 0:t.preservedRules)&&void 0!==s?s:this._preservedRules,this._rules=null!==(l=null==t?void 0:t.rules)&&void 0!==l?l:this._rules}return e.getInstance=function(t){if(n=l[a],l[i.Se])return l[i.Se].getInstance(t);if(!n||n._lastStyleElement&&n._lastStyleElement.ownerDocument!==document){var o=(null==l?void 0:l.FabricConfig)||{},r=new e(o.mergeStyles,o.serializedStylesheet);n=r,l[a]=r}return n},e.prototype.serialize=function(){return JSON.stringify({classNameToArgs:this._classNameToArgs,counter:this._counter,keyToClassName:this._keyToClassName,preservedRules:this._preservedRules,rules:this._rules})},e.prototype.setConfig=function(e){this._config=(0,r.__assign)((0,r.__assign)({},this._config),e)},e.prototype.onReset=function(e){var t=this;return this._onResetCallbacks.push(e),function(){t._onResetCallbacks=t._onResetCallbacks.filter((function(t){return t!==e}))}},e.prototype.onInsertRule=function(e){var t=this;return this._onInsertRuleCallbacks.push(e),function(){t._onInsertRuleCallbacks=t._onInsertRuleCallbacks.filter((function(t){return t!==e}))}},e.prototype.getClassName=function(e){var t=this._config.namespace,o=e||this._config.defaultPrefix;return"".concat(t?t+"-":"").concat(o,"-").concat(this._counter++)},e.prototype.cacheClassName=function(e,t,o,n){this._keyToClassName[this._getCacheKey(t)]=e,this._classNameToArgs[e]={args:o,rules:n}},e.prototype.classNameFromKey=function(e){return this._keyToClassName[this._getCacheKey(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,o){void 0===o&&(o=i.P6);var n=this._config.injectionMode,r=0!==n?this._getStyleElement():void 0;if(t&&this._preservedRules.push(e),r)switch(n){case 1:this._insertRuleIntoSheet(r.sheet,e);break;case 2:r.appendChild(document.createTextNode(e))}else this._rules.push(e);this._config.onInsertRule&&this._config.onInsertRule(e),this._onInsertRuleCallbacks.forEach((function(t){return t({key:o,sheet:r?r.sheet:void 0,rule:e})}))},e.prototype.getRules=function(e){return(e?this._preservedRules.join(""):"")+this._rules.join("")},e.prototype.reset=function(){this._rules=[],this._counter=0,this._classNameToArgs={},this._keyToClassName={},this._onResetCallbacks.forEach((function(e){return e()}))},e.prototype.resetKeys=function(){this._keyToClassName={}},e.prototype._createStyleElement=function(){var e,t=(null===(e=this._config.window)||void 0===e?void 0:e.document)||document,o=t.head,n=t.createElement("style"),r=null;n.setAttribute("data-merge-styles","true");var i=this._config.cspSettings;if(i&&i.nonce&&n.setAttribute("nonce",i.nonce),this._lastStyleElement)r=this._lastStyleElement.nextElementSibling;else{var a=this._findPlaceholderStyleTag();r=a?a.nextElementSibling:o.childNodes[0]}return o.insertBefore(n,o.contains(r)?r:null),this._lastStyleElement=n,n},e.prototype._insertRuleIntoSheet=function(e,t){if(!e)return!1;try{return e.insertRule(t,e.cssRules.length),!0}catch(e){}return!1},e.prototype._getCacheKey=function(e){return e},e.prototype._getStyleElement=function(){var e=this;return this._styleElement||(this._styleElement=this._createStyleElement(),s||(this._config.window||window).requestAnimationFrame((function(){e._styleElement=void 0}))),this._styleElement},e.prototype._findPlaceholderStyleTag=function(){var e=document.head;return e?e.querySelector("style[data-merge-styles]"):null},e}()},37232:(e,t,o)=>{"use strict";o.d(t,{T:()=>i});var n=o(31635),r=o(34556);function i(){for(var e=[],t=0;t0){o.subComponentStyles={};var h=o.subComponentStyles,f=function(e){if(a.hasOwnProperty(e)){var t=a[e];h[e]=function(e){return i.apply(void 0,t.map((function(t){return"function"==typeof t?t(e):t})))}}};for(var p in a)f(p)}return o}},7940:(e,t,o)=>{"use strict";o.d(t,{p:()=>r});var n=o(37232);function r(e){for(var t=[],o=1;o{"use strict";o.d(t,{h:()=>r});var n=o(34556);function r(e){for(var t=[],o=1;o=0)e(l.split(" "));else{var c=a.argsFromClassName(l);c?e(c):-1===r.indexOf(l)&&r.push(l)}else Array.isArray(l)?e(l):"object"==typeof l&&i.push(l)}}(t),{classes:r,objects:i}}},6526:(e,t,o)=>{"use strict";o.d(t,{n:()=>a});var n=o(85890),r=o(926),i=o(57428);function a(e){var t=r.nr.getInstance(),o=(0,i.bz)((0,n.Iy)(),e);if(!t.classNameFromKey(o)){var a=t.getClassName();t.insertRule("@font-face{".concat(o,"}"),!0),t.cacheClassName(a,o,[],["font-face",o])}}},73294:(e,t,o)=>{"use strict";o.d(t,{L:()=>d,l:()=>u});var n=o(31635),r=o(37232),i=o(75768),a=o(85890),s=o(57428),l=o(34556),c=o(926);function u(){for(var e=[],t=0;t{"use strict";o.d(t,{Z:()=>l});var n=o(75768),r=o(34556),i=o(85890),a=o(926),s=o(57428);function l(){for(var e=[],t=0;t{"use strict";o.d(t,{HD:()=>a,P6:()=>n,Se:()=>r,db:()=>s,ou:()=>i});var n="__global__",r="__shadow_dom_stylesheet__",i={stylesheetKey:n,inShadow:!1,window:void 0,__isShadowConfig__:!0},a=function(e,t,o){return{stylesheetKey:e,inShadow:t,window:o,__isShadowConfig__:!0}},s=function(e){return!!e&&!0===e.__isShadowConfig__}},57428:(e,t,o)=>{"use strict";o.d(t,{Ae:()=>w,bz:()=>k,kG:()=>T,GJ:()=>I});var n,r=o(31635),i=o(926),a={},s={"user-select":1};function l(e,t){var o=function(){var e;if(!n){var t="undefined"!=typeof document?document:void 0,o="undefined"!=typeof navigator?navigator:void 0,r=null===(e=null==o?void 0:o.userAgent)||void 0===e?void 0:e.toLowerCase();n=t?{isWebkit:!(!t||!("WebkitAppearance"in t.documentElement.style)),isMoz:!!(r&&r.indexOf("firefox")>-1),isOpera:!!(r&&r.indexOf("opera")>-1),isMs:!(!o||!/rv:11.0/i.test(o.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]="".concat(n).concat(a)}}var p="left",m="right",g="@noflip",h=((c={})[p]=m,c[m]=p,c),f={"w-resize":"e-resize","sw-resize":"se-resize","nw-resize":"ne-resize"};function v(e,t,o){if(e.rtl){var n=t[o];if(!n)return;var r=t[o+1];if("string"==typeof r&&r.indexOf(g)>=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(f[r])t[o+1]=f[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"".concat(t[0]," ").concat(t[3]," ").concat(t[2]," ").concat(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)}}}var b="displayName",y=/\:global\((.+?)\)/g;function _(e,t){return e.indexOf(":global(")>=0?e.replace(y,"$1"):0===e.indexOf(":host(")?e:0===e.indexOf(":")?t+e:e.indexOf("&")<0?t+" "+e:e}function S(e,t,o,n,r){void 0===t&&(t={__order:[]}),0===o.indexOf("@")?C([n],t,o=o+"{"+e,r):o.indexOf(",")>-1?function(e){if(!y.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(".concat(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,_(o,e),r)})):C([n],t,_(o,e),r)}function C(e,t,o,n){void 0===t&&(t={__order:[]}),void 0===o&&(o="&");var r=t[o];r||(r={},t[o]=r,t.__order.push(o));for(var i=0,a=e;io&&t.push(e.substring(o,r)),o=r+1)}return o{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.FocusZone=void 0;var n,r=o(31635),i=o(83923),a=o(49671),s=o(52332),l=o(15241),c=o(83048),u="data-is-focusable",d="data-focuszone-id",p="tabindex",m="data-no-vertical-wrap",g="data-no-horizontal-wrap",h=999999999,f=-999999999;function v(e,t){var o;"function"==typeof MouseEvent?o=new MouseEvent("click",{ctrlKey:null==t?void 0:t.ctrlKey,metaKey:null==t?void 0:t.metaKey,shiftKey:null==t?void 0:t.shiftKey,altKey:null==t?void 0:t.altKey,bubbles:null==t?void 0:t.bubbles,cancelable:null==t?void 0:t.cancelable}):(o=document.createEvent("MouseEvents")).initMouseEvent("click",!!t&&t.bubbles,!!t&&t.cancelable,window,0,0,0,0,0,!!t&&t.ctrlKey,!!t&&t.altKey,!!t&&t.shiftKey,!!t&&t.metaKey,0,null),e.dispatchEvent(o)}var b={},y=new Set,_=["text","number","password","email","tel","url","search","textarea"],S=!1,C=function(e){function t(o){var n,r,l,c,u=this;(u=e.call(this,o)||this)._root=i.createRef(),u._mergedRef=(0,s.createMergedRef)(),u._onFocus=function(e){if(!u._portalContainsElement(e.target)){var t,o=u.props,n=o.onActiveElementChanged,r=o.doNotAllowFocusEventToPropagate,i=o.stopFocusPropagation,a=o.onFocusNotification,l=o.onFocus,c=o.shouldFocusInnerElementWhenReceivedFocus,d=o.defaultTabbableElement,p=u._isImmediateDescendantOfZone(e.target);if(p)t=e.target;else for(var m=e.target;m&&m!==u._root.current;){if((0,s.isElementTabbable)(m,void 0,u._inShadowRoot)&&u._isImmediateDescendantOfZone(m)){t=m;break}m=(0,s.getParent)(m,S)}if(c&&e.target===u._root.current){var g=d&&"function"==typeof d&&u._root.current&&d(u._root.current);g&&(0,s.isElementTabbable)(g,void 0,u._inShadowRoot)?(t=g,g.focus()):(u.focus(!0),u._activeElement&&(t=null))}var h=!u._activeElement;t&&t!==u._activeElement&&((p||h)&&u._setFocusAlignment(t,!0,!0),u._activeElement=t,h&&u._updateTabIndexes()),n&&n(u._activeElement,e),(i||r)&&e.stopPropagation(),l?l(e):a&&a()}},u._onBlur=function(){u._setParkedFocus(!1)},u._onMouseDown=function(e){if(!u._portalContainsElement(e.target)&&!u.props.disabled){for(var t=e.target,o=[];t&&t!==u._root.current;)o.push(t),t=(0,s.getParent)(t,S);for(;o.length&&((t=o.pop())&&(0,s.isElementTabbable)(t,void 0,u._inShadowRoot)&&u._setActiveElement(t,!0),!(0,s.isElementFocusZone)(t)););}},u._onKeyDown=function(e,t){if(!u._portalContainsElement(e.target)){var o=u.props,n=o.direction,r=o.disabled,i=o.isInnerZoneKeystroke,l=o.pagingSupportDisabled,c=o.shouldEnterInnerZone;if(!(r||(u.props.onKeyDown&&u.props.onKeyDown(e),e.isDefaultPrevented()||u._getDocument().activeElement===u._root.current&&u._isInnerZone))){if((c&&c(e)||i&&i(e))&&u._isImmediateDescendantOfZone(e.target)){var d=u._getFirstInnerZone();if(d){if(!d.focus(!0))return}else{if(!(0,s.isElementFocusSubZone)(e.target))return;if(!u.focusElement((0,s.getNextElement)(e.target,e.target.firstChild,!0)))return}}else{if(e.altKey)return;switch(e.which){case s.KeyCodes.space:if(u._shouldRaiseClicksOnSpace&&u._tryInvokeClickForFocusable(e.target,e))break;return;case s.KeyCodes.left:if(n!==a.FocusZoneDirection.vertical&&(u._preventDefaultWhenHandled(e),u._moveFocusLeft(t)))break;return;case s.KeyCodes.right:if(n!==a.FocusZoneDirection.vertical&&(u._preventDefaultWhenHandled(e),u._moveFocusRight(t)))break;return;case s.KeyCodes.up:if(n!==a.FocusZoneDirection.horizontal&&(u._preventDefaultWhenHandled(e),u._moveFocusUp()))break;return;case s.KeyCodes.down:if(n!==a.FocusZoneDirection.horizontal&&(u._preventDefaultWhenHandled(e),u._moveFocusDown()))break;return;case s.KeyCodes.pageDown:if(!l&&u._moveFocusPaging(!0))break;return;case s.KeyCodes.pageUp:if(!l&&u._moveFocusPaging(!1))break;return;case s.KeyCodes.tab:if(u.props.allowTabKey||u.props.handleTabKey===a.FocusZoneTabbableElements.all||u.props.handleTabKey===a.FocusZoneTabbableElements.inputOnly&&u._isElementInput(e.target)){var p=!1;if(u._processingTabKey=!0,p=n!==a.FocusZoneDirection.vertical&&u._shouldWrapFocus(u._activeElement,g)?((0,s.getRTL)(t)?!e.shiftKey:e.shiftKey)?u._moveFocusLeft(t):u._moveFocusRight(t):e.shiftKey?u._moveFocusUp():u._moveFocusDown(),u._processingTabKey=!1,p)break;u.props.shouldResetActiveElementWhenTabFromZone&&(u._activeElement=null)}return;case s.KeyCodes.home:if(u._isContentEditableElement(e.target)||u._isElementInput(e.target)&&!u._shouldInputLoseFocus(e.target,!1))return!1;var m=u._root.current&&u._root.current.firstChild;if(u._root.current&&m&&u.focusElement((0,s.getNextElement)(u._root.current,m,!0)))break;return;case s.KeyCodes.end:if(u._isContentEditableElement(e.target)||u._isElementInput(e.target)&&!u._shouldInputLoseFocus(e.target,!0))return!1;var h=u._root.current&&u._root.current.lastChild;if(u._root.current&&u.focusElement((0,s.getPreviousElement)(u._root.current,h,!0,!0,!0)))break;return;case s.KeyCodes.enter:if(u._shouldRaiseClicksOnEnter&&u._tryInvokeClickForFocusable(e.target,e))break;return;default:return}}e.preventDefault(),e.stopPropagation()}}},u._getHorizontalDistanceFromCenter=function(e,t,o){var n=u._focusAlignment.left||u._focusAlignment.x||0,r=Math.floor(o.top),i=Math.floor(t.bottom),a=Math.floor(o.bottom),s=Math.floor(t.top);return e&&r>i||!e&&a=o.left&&n<=o.left+o.width?0:Math.abs(o.left+o.width/2-n):u._shouldWrapFocus(u._activeElement,m)?h:f},(0,s.initializeComponentRef)(u),u._id=(0,s.getId)("FocusZone"),u._focusAlignment={left:0,top:0},u._processingTabKey=!1;var d=null===(r=null!==(n=o.shouldRaiseClicks)&&void 0!==n?n:t.defaultProps.shouldRaiseClicks)||void 0===r||r;return u._shouldRaiseClicksOnEnter=null!==(l=o.shouldRaiseClicksOnEnter)&&void 0!==l?l:d,u._shouldRaiseClicksOnSpace=null!==(c=o.shouldRaiseClicksOnSpace)&&void 0!==c?c:d,u}return r.__extends(t,e),t.getOuterZones=function(){return y.size},t._onKeyDownCapture=function(e){e.which===s.KeyCodes.tab&&y.forEach((function(e){return e._updateTabIndexes()}))},t.prototype.componentDidMount=function(){var e,o=this._root.current;if(this._inShadowRoot=!!(null===(e=this.context)||void 0===e?void 0:e.shadowRoot),b[this._id]=this,o){for(var n=(0,s.getParent)(o,S);n&&n!==this._getDocument().body&&1===n.nodeType;){if((0,s.isElementFocusZone)(n)){this._isInnerZone=!0;break}n=(0,s.getParent)(n,S)}this._isInnerZone||(y.add(this),this._root.current&&this._root.current.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,t=this._root.current,o=this._getDocument();if(this._inShadowRoot=!!(null===(e=this.context)||void 0===e?void 0:e.shadowRoot),(this._activeElement&&!(0,s.elementContains)(this._root.current,this._activeElement,S)||this._defaultFocusElement&&!(0,s.elementContains)(this._root.current,this._defaultFocusElement,S))&&(this._activeElement=null,this._defaultFocusElement=null,this._updateTabIndexes()),!this.props.preventFocusRestoration&&o&&this._lastIndexPath&&(o.activeElement===o.body||null===o.activeElement||o.activeElement===t)){var n=(0,s.getFocusableByIndexPath)(t,this._lastIndexPath);n?(this._setActiveElement(n,!0),n.focus(),this._setParkedFocus(!1)):this._setParkedFocus(!0)}},t.prototype.componentWillUnmount=function(){delete b[this._id],this._isInnerZone||(y.delete(this),this._root.current&&this._root.current.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,u=t.rootProps,d=t.ariaDescribedBy,p=t.ariaLabelledBy,m=t.className,g=(0,s.getNativeProps)(this.props,s.htmlElementProperties),h=o||a||"div";this._evaluateFocusBeforeRender();var f=(0,c.getTheme)();return i.createElement(h,r.__assign({"aria-labelledby":p,"aria-describedby":d},g,u,{className:(0,s.css)((n||(n=(0,l.mergeStyles)({selectors:{":focus":{outline:"none"}}},"ms-FocusZone")),n),m),ref:this._mergedRef(this.props.elementRef,this._root),"data-focuszone-id":this._id,onKeyDown:function(t){return e._onKeyDown(t,f)},onFocus:this._onFocus,onMouseDownCapture:this._onMouseDown}),this.props.children)},t.prototype.focus=function(e,t){if(void 0===e&&(e=!1),void 0===t&&(t=!1),this._root.current){if(!e&&"true"===this._root.current.getAttribute(u)&&this._isInnerZone){var o=this._getOwnerZone(this._root.current);if(o!==this._root.current){var n=b[o.getAttribute(d)];return!!n&&n.focusElement(this._root.current)}return!1}if(!e&&this._activeElement&&(0,s.elementContains)(this._root.current,this._activeElement)&&(0,s.isElementTabbable)(this._activeElement,void 0,this._inShadowRoot)&&(!t||(0,s.isElementVisibleAndNotHidden)(this._activeElement)))return this._activeElement.focus(),!0;var r=this._root.current.firstChild;return this.focusElement((0,s.getNextElement)(this._root.current,r,!0,void 0,void 0,void 0,void 0,void 0,t))}return!1},t.prototype.focusLast=function(){if(this._root.current){var e=this._root.current&&this._root.current.lastChild;return this.focusElement((0,s.getPreviousElement)(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},Object.defineProperty(t.prototype,"defaultFocusElement",{get:function(){return this._defaultFocusElement},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"activeElement",{get:function(){return this._activeElement},enumerable:!1,configurable:!0}),t.prototype._evaluateFocusBeforeRender=function(){var e=this._root.current,t=this._getDocument();if(t){var o=t.activeElement;if(o!==e){var n=(0,s.elementContains)(e,o,!1);this._lastIndexPath=n?(0,s.getElementIndexPath)(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,s.isElementFocusZone)(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,t){var o=e;if(o===this._root.current)return!1;do{if("BUTTON"===o.tagName||"A"===o.tagName||"INPUT"===o.tagName||"TEXTAREA"===o.tagName||"SUMMARY"===o.tagName)return!1;if(this._isImmediateDescendantOfZone(o)&&"true"===o.getAttribute(u)&&"true"!==o.getAttribute("data-disable-click-on-enter"))return v(o,t),!0;o=(0,s.getParent)(o,S)}while(o!==this._root.current);return!1},t.prototype._getFirstInnerZone=function(e){if(!(e=e||this._activeElement||this._root.current))return null;if((0,s.isElementFocusZone)(e))return b[e.getAttribute(d)];for(var t=e.firstElementChild;t;){if((0,s.isElementFocusZone)(t))return b[t.getAttribute(d)];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,l=void 0,c=!1,u=this.props.direction===a.FocusZoneDirection.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,s.getNextElement)(this._root.current,r):(0,s.getPreviousElement)(this._root.current,r),!u){l=r;break}if(r){var p=t(d,r.getBoundingClientRect());if(-1===p&&-1===i){l=r;break}if(p>-1&&(-1===i||p=0&&p<0)break}}while(r);if(l&&l!==this._activeElement)c=!0,this.focusElement(l);else if(this.props.isCircularNavigation&&n)return e?this.focusElement((0,s.getNextElement)(this._root.current,this._root.current.firstElementChild,!0)):this.focusElement((0,s.getPreviousElement)(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,m)?h:f:((-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,g);return!!this._moveFocus((0,s.getRTL)(e),(function(n,r){var i=-1;return((0,s.getRTL)(e)?parseFloat(r.top.toFixed(3))parseFloat(n.top.toFixed(3)))&&r.right<=n.right&&t.props.direction!==a.FocusZoneDirection.vertical?i=n.right-r.right:o||(i=f),i}),void 0,o)&&(this._setFocusAlignment(this._activeElement,!0,!1),!0)},t.prototype._moveFocusRight=function(e){var t=this,o=this._shouldWrapFocus(this._activeElement,g);return!!this._moveFocus(!(0,s.getRTL)(e),(function(n,r){var i=-1;return((0,s.getRTL)(e)?parseFloat(r.bottom.toFixed(3))>parseFloat(n.top.toFixed(3)):parseFloat(r.top.toFixed(3))=n.left&&t.props.direction!==a.FocusZoneDirection.vertical?i=r.left-n.left:o||(i=f),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,s.findScrollableParent)(o);if(!n)return!1;var r=-1,i=void 0,a=-1,l=-1,c=n.clientHeight,u=o.getBoundingClientRect();do{if(o=e?(0,s.getNextElement)(this._root.current,o):(0,s.getPreviousElement)(this._root.current,o)){var d=o.getBoundingClientRect(),p=Math.floor(d.top),m=Math.floor(u.bottom),g=Math.floor(d.bottom),h=Math.floor(u.top),f=this._getHorizontalDistanceFromCenter(e,u,d);if(e&&p>m+c||!e&&g-1&&(e&&p>a?(a=p,r=f,i=o):!e&&g-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,s.shouldWrapFocus)(e,t)},t.prototype._portalContainsElement=function(e){return e&&!!this._root.current&&(0,s.portalContainsElement)(e,this._root.current)},t.prototype._getDocument=function(){return(0,s.getDocument)(this._root.current)},t.contextType=s.MergeStylesShadowRootContext,t.defaultProps={isCircularNavigation:!1,direction:a.FocusZoneDirection.bidirectional,shouldRaiseClicks:!0,"data-tabster":'{"uncontrolled": {}}'},t}(i.Component);t.FocusZone=C},49671:(e,t)=>{"use strict";var o;Object.defineProperty(t,"__esModule",{value:!0}),t.FocusZoneDirection=t.FocusZoneTabbableElements=void 0,t.FocusZoneTabbableElements={none:0,all:1,inputOnly:2},(o=t.FocusZoneDirection||(t.FocusZoneDirection={}))[o.vertical=0]="vertical",o[o.horizontal=1]="horizontal",o[o.bidirectional=2]="bidirectional",o[o.domOrder=3]="domOrder"},5274:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(69028),t),n.__exportStar(o(49671),t)},62930:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);o(8998),n.__exportStar(o(5274),t)},8998:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),(0,o(37607).setVersion)("@fluentui/react-focus","8.9.1")},25698:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useIsomorphicLayoutEffect=void 0;var n=o(31635);o(49878),n.__exportStar(o(5673),t),n.__exportStar(o(81029),t),n.__exportStar(o(25498),t),n.__exportStar(o(32629),t),n.__exportStar(o(32585),t),n.__exportStar(o(53042),t),n.__exportStar(o(18735),t),n.__exportStar(o(85404),t),n.__exportStar(o(97215),t),n.__exportStar(o(77392),t),n.__exportStar(o(68411),t),n.__exportStar(o(65226),t),n.__exportStar(o(99388),t),n.__exportStar(o(70641),t),n.__exportStar(o(76572),t),n.__exportStar(o(34638),t),n.__exportStar(o(58176),t),n.__exportStar(o(40425),t),n.__exportStar(o(18540),t);var r=o(52332);Object.defineProperty(t,"useIsomorphicLayoutEffect",{enumerable:!0,get:function(){return r.useIsomorphicLayoutEffect}})},5673:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useAsync=void 0;var n=o(52332),r=o(83923);t.useAsync=function(){var e=r.useRef();return e.current||(e.current=new n.Async),r.useEffect((function(){return function(){var t;null===(t=e.current)||void 0===t||t.dispose(),e.current=void 0}}),[]),e.current}},81029:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useBoolean=void 0;var n=o(83923),r=o(25498);t.useBoolean=function(e){var t=n.useState(e),o=t[0],i=t[1];return[o,{setTrue:(0,r.useConst)((function(){return function(){i(!0)}})),setFalse:(0,r.useConst)((function(){return function(){i(!1)}})),toggle:(0,r.useConst)((function(){return function(){i((function(e){return!e}))}}))}]}},25498:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useConst=void 0;var n=o(83923);t.useConst=function(e){var t=n.useRef();return void 0===t.current&&(t.current={value:"function"==typeof e?e():e}),t.current.value}},32629:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useConstCallback=void 0;var n=o(83923);t.useConstCallback=function(e){var t=n.useRef();return t.current||(t.current=e),t.current}},32585:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useControllableValue=void 0;var n=o(83923),r=o(25498);t.useControllableValue=function(e,t,o){var i=n.useState(t),a=i[0],s=i[1],l=(0,r.useConst)(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.useConst)((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]}},53042:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useEventCallback=void 0;var n=o(83923),r=o(25498),i=o(52332);t.useEventCallback=function(e){var t=n.useRef((function(){throw new Error("Cannot call an event handler while rendering")}));return(0,i.useIsomorphicLayoutEffect)((function(){t.current=e}),[e]),(0,r.useConst)((function(){return function(){for(var e=[],o=0;o{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useForceUpdate=void 0;var n=o(83923),r=o(25498);t.useForceUpdate=function(){var e=n.useState(0)[1];return(0,r.useConst)((function(){return function(){return e((function(e){return++e}))}}))}},85404:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useId=void 0;var n=o(83923),r=o(52332);t.useId=function(e,t){var o=n.useRef(t);return o.current||(o.current=(0,r.getId)(e)),o.current}},97215:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useMergedRefs=void 0;var n=o(31635),r=o(83923);t.useMergedRefs=function(){for(var e=[],t=0;t{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useMount=void 0;var n=o(83923);t.useMount=function(e){var t=n.useRef(e);t.current=e,n.useEffect((function(){var e;null===(e=t.current)||void 0===e||e.call(t)}),[])}},68411:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useMountSync=void 0;var n=o(83923);t.useMountSync=function(e){var t=n.useRef(e);t.current=e,n.useLayoutEffect((function(){var e;null===(e=t.current)||void 0===e||e.call(t)}),[])}},65226:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useOnEvent=void 0;var n=o(52332),r=o(83923);t.useOnEvent=function(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&&o.addEventListener)return(0,n.on)(o,t,(function(e){return a.current(e)}),i)}),[e,t,i])}},99388:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.usePrevious=void 0;var n=o(83923);t.usePrevious=function(e){var t=(0,n.useRef)();return(0,n.useEffect)((function(){t.current=e})),t.current}},70641:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useRefEffect=void 0;var n=o(83923);t.useRefEffect=function(e,t){void 0===t&&(t=null);var o,r=n.useRef({ref:(o=function(e){r.ref.current!==e&&(r.cleanup&&(r.cleanup(),r.cleanup=void 0),r.ref.current=e,null!==e&&(r.cleanup=r.callback(e)))},o.current=t,o),callback:e}).current;return r.callback=e,r.ref}},76572:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useSetInterval=void 0;var n=o(83923),r=o(25498);t.useSetInterval=function(){var e=(0,r.useConst)({});return n.useEffect((function(){return function(){for(var t=0,o=Object.keys(e);t{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useSetTimeout=void 0;var n=o(83923),r=o(25498);t.useSetTimeout=function(){var e=(0,r.useConst)({});return n.useEffect((function(){return function(){for(var t=0,o=Object.keys(e);t{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useTarget=void 0;var n=o(52332),r=o(83923),i=o(97156);t.useTarget=function(e,t){var o,a,s,l=r.useRef(),c=r.useRef(null),u=(0,i.useWindow)();if(!e||e!==l.current||"string"==typeof e){var d=null==t?void 0:t.current;if(e)if("string"==typeof e)if(null===(o=null==d?void 0:d.getRootNode())||void 0===o?void 0:o.host)c.current=null!==(s=null===(a=null==d?void 0:d.getRootNode())||void 0===a?void 0:a.querySelector(e))&&void 0!==s?s:null;else{var p=(0,n.getDocument)(d);c.current=p?p.querySelector(e):null}else c.current="stopPropagation"in e||"getBoundingClientRect"in e?e:"current"in e?e.current:e;l.current=e}return[c,u]}},40425:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useUnmount=void 0;var n=o(83923);t.useUnmount=function(e){var t=n.useRef(e);t.current=e,n.useEffect((function(){return function(){var e;null===(e=t.current)||void 0===e||e.call(t)}}),[])}},18540:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useWarnings=void 0,o(31635),o(83923),o(52332),o(99388),o(25498),t.useWarnings=function(e){}},49878:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),(0,o(37607).setVersion)("@fluentui/react-hooks","8.8.1")},62614:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),function(e,t){for(var o in t)Object.defineProperty(e,o,{enumerable:!0,get:t[o]})}(t,{PortalCompatContextProvider:function(){return a},usePortalCompat:function(){return s}});var n=o(24588)._(o(83923)),r=n.createContext(void 0),i=function(){return function(){}},a=r.Provider;function s(){var e;return null!==(e=n.useContext(r))&&void 0!==e?e:i}},1249:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),function(e,t){for(var o in t)Object.defineProperty(e,o,{enumerable:!0,get:t[o]})}(t,{PortalCompatContextProvider:function(){return n.PortalCompatContextProvider},usePortalCompat:function(){return n.usePortalCompat}});var n=o(62614)},81359:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.WindowProvider=t.useDocument=t.useWindow=t.WindowContext=void 0;var n=o(83923);t.WindowContext=n.createContext({window:"object"==typeof window?window:void 0}),t.useWindow=function(){return n.useContext(t.WindowContext).window},t.useDocument=function(){var e;return null===(e=n.useContext(t.WindowContext).window)||void 0===e?void 0:e.document},t.WindowProvider=function(e){return n.createElement(t.WindowContext.Provider,{value:e},e.children)}},97156:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.WindowProvider=t.useDocument=t.useWindow=t.WindowContext=void 0;var n=o(81359);Object.defineProperty(t,"WindowContext",{enumerable:!0,get:function(){return n.WindowContext}}),Object.defineProperty(t,"useWindow",{enumerable:!0,get:function(){return n.useWindow}}),Object.defineProperty(t,"useDocument",{enumerable:!0,get:function(){return n.useDocument}}),Object.defineProperty(t,"WindowProvider",{enumerable:!0,get:function(){return n.WindowProvider}}),o(4600)},4600:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),(0,o(37607).setVersion)("@fluentui/react-window-provider","2.2.21")},28115:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(53133),t)},89496:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(49956),t)},95643:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(44437),t)},42792:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(45182),t)},74393:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(79259),t)},32865:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(87503),t)},33591:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(4461),t)},16473:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(41993),t)},12945:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(33465),t)},71688:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(24658),t)},80227:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(32339),t)},10346:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(8610),t)},77378:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(77098),t)},17384:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(11020),t)},60994:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(35488),t)},11743:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(94121),t)},52521:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(73719),t)},46831:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(769),t)},80102:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.TimeConstants=t.MonthOfYear=t.FirstWeekOfYear=t.DayOfWeek=t.DateRangeType=t.DAYS_IN_WEEK=t.setMonth=t.isInDateRangeArray=t.getYearStart=t.getYearEnd=t.getWeekNumbersInMonth=t.getWeekNumber=t.getStartDateOfWeek=t.getMonthStart=t.getMonthEnd=t.getEndDateOfWeek=t.getDateRangeArray=t.getDatePartHashValue=t.compareDates=t.compareDatePart=t.addYears=t.addWeeks=t.addMonths=t.addDays=void 0;var n=o(6517);Object.defineProperty(t,"addDays",{enumerable:!0,get:function(){return n.addDays}}),Object.defineProperty(t,"addMonths",{enumerable:!0,get:function(){return n.addMonths}}),Object.defineProperty(t,"addWeeks",{enumerable:!0,get:function(){return n.addWeeks}}),Object.defineProperty(t,"addYears",{enumerable:!0,get:function(){return n.addYears}}),Object.defineProperty(t,"compareDatePart",{enumerable:!0,get:function(){return n.compareDatePart}}),Object.defineProperty(t,"compareDates",{enumerable:!0,get:function(){return n.compareDates}}),Object.defineProperty(t,"getDatePartHashValue",{enumerable:!0,get:function(){return n.getDatePartHashValue}}),Object.defineProperty(t,"getDateRangeArray",{enumerable:!0,get:function(){return n.getDateRangeArray}}),Object.defineProperty(t,"getEndDateOfWeek",{enumerable:!0,get:function(){return n.getEndDateOfWeek}}),Object.defineProperty(t,"getMonthEnd",{enumerable:!0,get:function(){return n.getMonthEnd}}),Object.defineProperty(t,"getMonthStart",{enumerable:!0,get:function(){return n.getMonthStart}}),Object.defineProperty(t,"getStartDateOfWeek",{enumerable:!0,get:function(){return n.getStartDateOfWeek}}),Object.defineProperty(t,"getWeekNumber",{enumerable:!0,get:function(){return n.getWeekNumber}}),Object.defineProperty(t,"getWeekNumbersInMonth",{enumerable:!0,get:function(){return n.getWeekNumbersInMonth}}),Object.defineProperty(t,"getYearEnd",{enumerable:!0,get:function(){return n.getYearEnd}}),Object.defineProperty(t,"getYearStart",{enumerable:!0,get:function(){return n.getYearStart}}),Object.defineProperty(t,"isInDateRangeArray",{enumerable:!0,get:function(){return n.isInDateRangeArray}}),Object.defineProperty(t,"setMonth",{enumerable:!0,get:function(){return n.setMonth}}),Object.defineProperty(t,"DAYS_IN_WEEK",{enumerable:!0,get:function(){return n.DAYS_IN_WEEK}}),Object.defineProperty(t,"DateRangeType",{enumerable:!0,get:function(){return n.DateRangeType}}),Object.defineProperty(t,"DayOfWeek",{enumerable:!0,get:function(){return n.DayOfWeek}}),Object.defineProperty(t,"FirstWeekOfYear",{enumerable:!0,get:function(){return n.FirstWeekOfYear}}),Object.defineProperty(t,"MonthOfYear",{enumerable:!0,get:function(){return n.MonthOfYear}}),Object.defineProperty(t,"TimeConstants",{enumerable:!0,get:function(){return n.TimeConstants}})},84803:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(71963),t)},55025:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=void 0,o(31635).__exportStar(o(58007),t);var n=o(58007);Object.defineProperty(t,"default",{enumerable:!0,get:function(){return n.Dialog}})},56304:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(77620),t)},12446:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(44376),t)},23902:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(6540),t)},39108:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(84322),t)},9314:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(55204),t)},25644:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(25026),t)},94860:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(84602),t)},57993:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(41587),t)},34464:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(51600),t)},80371:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.FocusZoneTabbableElements=t.FocusZoneDirection=t.FocusZone=void 0;var n=o(62930);Object.defineProperty(t,"FocusZone",{enumerable:!0,get:function(){return n.FocusZone}}),Object.defineProperty(t,"FocusZoneDirection",{enumerable:!0,get:function(){return n.FocusZoneDirection}}),Object.defineProperty(t,"FocusZoneTabbableElements",{enumerable:!0,get:function(){return n.FocusZoneTabbableElements}})},40759:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(54659),t),n.__exportStar(o(71293),t)},30089:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(39801),t)},30936:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(6322),t)},40039:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.initializeIcons=void 0;var n=o(8790);Object.defineProperty(t,"initializeIcons",{enumerable:!0,get:function(){return n.initializeIcons}})},38992:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(61476),t)},38341:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(93259),t)},87301:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(31507),t)},16528:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(93259),t),n.__exportStar(o(31507),t),n.__exportStar(o(16552),t),n.__exportStar(o(30572),t)},47795:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(6347),t)},44472:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);o(90149),n.__exportStar(o(53408),t)},12329:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);o(90149),n.__exportStar(o(83967),t)},2133:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(99195),t)},13831:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(68455),t),n.__exportStar(o(53200),t),n.__exportStar(o(95143),t)},96925:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(8843),t)},52252:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=void 0,o(31635).__exportStar(o(83144),t);var n=o(83144);Object.defineProperty(t,"default",{enumerable:!0,get:function(){return n.Modal}})},54572:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(90048),t)},95923:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(96255),t)},63409:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(74573),t)},49307:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(1451),t)},48377:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(32449),t)},18596:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(32449),t)},31518:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(93694),t)},59465:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(82453),t)},42183:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(93739),t)},43300:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(92508),t)},79045:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(89659),t)},30205:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(69577),t)},81548:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(74426),t)},68318:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(46578),t)},4324:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(43315),t),n.__exportStar(o(76172),t)},47150:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(51076),t)},93344:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(32400),t)},30628:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(73666),t)},53646:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(67226),t)},18055:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(95143),t)},67026:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(28454),t)},62662:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(92462),t)},93753:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(9615),t),n.__exportStar(o(49660),t),n.__exportStar(o(40755),t),n.__exportStar(o(95608),t)},49064:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(89202),t)},14529:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(96231),t)},66044:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(67068),t)},96577:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(23449),t)},19198:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(70064),t)},15019:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getTheme=t.getScreenSelector=t.getPlaceholderStyles=t.getInputFocusStyle=t.getIconClassName=t.getIcon=t.getHighContrastNoAdjustStyle=t.getGlobalClassNames=t.getFocusStyle=t.getFocusOutlineStyle=t.getFadedOverflowStyle=t.getEdgeChromiumNoHighContrastAdjustSelector=t.fontFace=t.focusClear=t.createFontStyles=t.concatStyleSetsWithProps=t.concatStyleSets=t.buildClassMap=t.ZIndexes=t.ThemeSettingName=t.Stylesheet=t.ScreenWidthMinXXXLarge=t.ScreenWidthMinXXLarge=t.ScreenWidthMinXLarge=t.ScreenWidthMinUhfMobile=t.ScreenWidthMinSmall=t.ScreenWidthMinMedium=t.ScreenWidthMinLarge=t.ScreenWidthMaxXXLarge=t.ScreenWidthMaxXLarge=t.ScreenWidthMaxSmall=t.ScreenWidthMaxMedium=t.ScreenWidthMaxLarge=t.PulsingBeaconAnimationStyles=t.InjectionMode=t.IconFontSizes=t.HighContrastSelectorWhite=t.HighContrastSelectorBlack=t.HighContrastSelector=t.FontWeights=t.FontSizes=t.FontClassNames=t.EdgeChromiumHighContrastSelector=t.DefaultPalette=t.DefaultFontStyles=t.DefaultEffects=t.ColorClassNames=t.AnimationVariables=t.AnimationStyles=t.AnimationClassNames=void 0,t.registerDefaultFontFaces=t.createTheme=t.unregisterIcons=t.setIconOptions=t.removeOnThemeChangeCallback=t.registerOnThemeChangeCallback=t.registerIcons=t.registerIconAlias=t.normalize=t.noWrap=t.mergeStyles=t.mergeStyleSets=t.loadTheme=t.keyframes=t.hiddenContentStyle=t.getThemedContext=void 0,o(90149);var n=o(83048);Object.defineProperty(t,"AnimationClassNames",{enumerable:!0,get:function(){return n.AnimationClassNames}}),Object.defineProperty(t,"AnimationStyles",{enumerable:!0,get:function(){return n.AnimationStyles}}),Object.defineProperty(t,"AnimationVariables",{enumerable:!0,get:function(){return n.AnimationVariables}}),Object.defineProperty(t,"ColorClassNames",{enumerable:!0,get:function(){return n.ColorClassNames}}),Object.defineProperty(t,"DefaultEffects",{enumerable:!0,get:function(){return n.DefaultEffects}}),Object.defineProperty(t,"DefaultFontStyles",{enumerable:!0,get:function(){return n.DefaultFontStyles}}),Object.defineProperty(t,"DefaultPalette",{enumerable:!0,get:function(){return n.DefaultPalette}}),Object.defineProperty(t,"EdgeChromiumHighContrastSelector",{enumerable:!0,get:function(){return n.EdgeChromiumHighContrastSelector}}),Object.defineProperty(t,"FontClassNames",{enumerable:!0,get:function(){return n.FontClassNames}}),Object.defineProperty(t,"FontSizes",{enumerable:!0,get:function(){return n.FontSizes}}),Object.defineProperty(t,"FontWeights",{enumerable:!0,get:function(){return n.FontWeights}}),Object.defineProperty(t,"HighContrastSelector",{enumerable:!0,get:function(){return n.HighContrastSelector}}),Object.defineProperty(t,"HighContrastSelectorBlack",{enumerable:!0,get:function(){return n.HighContrastSelectorBlack}}),Object.defineProperty(t,"HighContrastSelectorWhite",{enumerable:!0,get:function(){return n.HighContrastSelectorWhite}}),Object.defineProperty(t,"IconFontSizes",{enumerable:!0,get:function(){return n.IconFontSizes}}),Object.defineProperty(t,"InjectionMode",{enumerable:!0,get:function(){return n.InjectionMode}}),Object.defineProperty(t,"PulsingBeaconAnimationStyles",{enumerable:!0,get:function(){return n.PulsingBeaconAnimationStyles}}),Object.defineProperty(t,"ScreenWidthMaxLarge",{enumerable:!0,get:function(){return n.ScreenWidthMaxLarge}}),Object.defineProperty(t,"ScreenWidthMaxMedium",{enumerable:!0,get:function(){return n.ScreenWidthMaxMedium}}),Object.defineProperty(t,"ScreenWidthMaxSmall",{enumerable:!0,get:function(){return n.ScreenWidthMaxSmall}}),Object.defineProperty(t,"ScreenWidthMaxXLarge",{enumerable:!0,get:function(){return n.ScreenWidthMaxXLarge}}),Object.defineProperty(t,"ScreenWidthMaxXXLarge",{enumerable:!0,get:function(){return n.ScreenWidthMaxXXLarge}}),Object.defineProperty(t,"ScreenWidthMinLarge",{enumerable:!0,get:function(){return n.ScreenWidthMinLarge}}),Object.defineProperty(t,"ScreenWidthMinMedium",{enumerable:!0,get:function(){return n.ScreenWidthMinMedium}}),Object.defineProperty(t,"ScreenWidthMinSmall",{enumerable:!0,get:function(){return n.ScreenWidthMinSmall}}),Object.defineProperty(t,"ScreenWidthMinUhfMobile",{enumerable:!0,get:function(){return n.ScreenWidthMinUhfMobile}}),Object.defineProperty(t,"ScreenWidthMinXLarge",{enumerable:!0,get:function(){return n.ScreenWidthMinXLarge}}),Object.defineProperty(t,"ScreenWidthMinXXLarge",{enumerable:!0,get:function(){return n.ScreenWidthMinXXLarge}}),Object.defineProperty(t,"ScreenWidthMinXXXLarge",{enumerable:!0,get:function(){return n.ScreenWidthMinXXXLarge}}),Object.defineProperty(t,"Stylesheet",{enumerable:!0,get:function(){return n.Stylesheet}}),Object.defineProperty(t,"ThemeSettingName",{enumerable:!0,get:function(){return n.ThemeSettingName}}),Object.defineProperty(t,"ZIndexes",{enumerable:!0,get:function(){return n.ZIndexes}}),Object.defineProperty(t,"buildClassMap",{enumerable:!0,get:function(){return n.buildClassMap}}),Object.defineProperty(t,"concatStyleSets",{enumerable:!0,get:function(){return n.concatStyleSets}}),Object.defineProperty(t,"concatStyleSetsWithProps",{enumerable:!0,get:function(){return n.concatStyleSetsWithProps}}),Object.defineProperty(t,"createFontStyles",{enumerable:!0,get:function(){return n.createFontStyles}}),Object.defineProperty(t,"focusClear",{enumerable:!0,get:function(){return n.focusClear}}),Object.defineProperty(t,"fontFace",{enumerable:!0,get:function(){return n.fontFace}}),Object.defineProperty(t,"getEdgeChromiumNoHighContrastAdjustSelector",{enumerable:!0,get:function(){return n.getEdgeChromiumNoHighContrastAdjustSelector}}),Object.defineProperty(t,"getFadedOverflowStyle",{enumerable:!0,get:function(){return n.getFadedOverflowStyle}}),Object.defineProperty(t,"getFocusOutlineStyle",{enumerable:!0,get:function(){return n.getFocusOutlineStyle}}),Object.defineProperty(t,"getFocusStyle",{enumerable:!0,get:function(){return n.getFocusStyle}}),Object.defineProperty(t,"getGlobalClassNames",{enumerable:!0,get:function(){return n.getGlobalClassNames}}),Object.defineProperty(t,"getHighContrastNoAdjustStyle",{enumerable:!0,get:function(){return n.getHighContrastNoAdjustStyle}}),Object.defineProperty(t,"getIcon",{enumerable:!0,get:function(){return n.getIcon}}),Object.defineProperty(t,"getIconClassName",{enumerable:!0,get:function(){return n.getIconClassName}}),Object.defineProperty(t,"getInputFocusStyle",{enumerable:!0,get:function(){return n.getInputFocusStyle}}),Object.defineProperty(t,"getPlaceholderStyles",{enumerable:!0,get:function(){return n.getPlaceholderStyles}}),Object.defineProperty(t,"getScreenSelector",{enumerable:!0,get:function(){return n.getScreenSelector}}),Object.defineProperty(t,"getTheme",{enumerable:!0,get:function(){return n.getTheme}}),Object.defineProperty(t,"getThemedContext",{enumerable:!0,get:function(){return n.getThemedContext}}),Object.defineProperty(t,"hiddenContentStyle",{enumerable:!0,get:function(){return n.hiddenContentStyle}}),Object.defineProperty(t,"keyframes",{enumerable:!0,get:function(){return n.keyframes}}),Object.defineProperty(t,"loadTheme",{enumerable:!0,get:function(){return n.loadTheme}}),Object.defineProperty(t,"mergeStyleSets",{enumerable:!0,get:function(){return n.mergeStyleSets}}),Object.defineProperty(t,"mergeStyles",{enumerable:!0,get:function(){return n.mergeStyles}}),Object.defineProperty(t,"noWrap",{enumerable:!0,get:function(){return n.noWrap}}),Object.defineProperty(t,"normalize",{enumerable:!0,get:function(){return n.normalize}}),Object.defineProperty(t,"registerIconAlias",{enumerable:!0,get:function(){return n.registerIconAlias}}),Object.defineProperty(t,"registerIcons",{enumerable:!0,get:function(){return n.registerIcons}}),Object.defineProperty(t,"registerOnThemeChangeCallback",{enumerable:!0,get:function(){return n.registerOnThemeChangeCallback}}),Object.defineProperty(t,"removeOnThemeChangeCallback",{enumerable:!0,get:function(){return n.removeOnThemeChangeCallback}}),Object.defineProperty(t,"setIconOptions",{enumerable:!0,get:function(){return n.setIconOptions}}),Object.defineProperty(t,"unregisterIcons",{enumerable:!0,get:function(){return n.unregisterIcons}});var r=o(51499);Object.defineProperty(t,"createTheme",{enumerable:!0,get:function(){return r.createTheme}}),Object.defineProperty(t,"registerDefaultFontFaces",{enumerable:!0,get:function(){return r.registerDefaultFontFaces}})},53e3:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(55316),t)},43676:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(60886),t)},63182:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(42680),t)},13636:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(52980),t)},85236:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.registerDefaultFontFaces=t.SharedColors=t.NeutralColors=t.MotionAnimations=t.MotionTimings=t.MotionDurations=t.mergeThemes=t.LocalizedFontNames=t.LocalizedFontFamilies=t.createTheme=t.createFontStyles=t.FluentTheme=t.Depths=t.DefaultSpacing=t.DefaultPalette=t.DefaultFontStyles=t.DefaultEffects=t.CommunicationColors=t.AnimationVariables=t.AnimationStyles=void 0;var n=o(31635),r=o(51499);Object.defineProperty(t,"AnimationStyles",{enumerable:!0,get:function(){return r.AnimationStyles}}),Object.defineProperty(t,"AnimationVariables",{enumerable:!0,get:function(){return r.AnimationVariables}}),Object.defineProperty(t,"CommunicationColors",{enumerable:!0,get:function(){return r.CommunicationColors}}),Object.defineProperty(t,"DefaultEffects",{enumerable:!0,get:function(){return r.DefaultEffects}}),Object.defineProperty(t,"DefaultFontStyles",{enumerable:!0,get:function(){return r.DefaultFontStyles}}),Object.defineProperty(t,"DefaultPalette",{enumerable:!0,get:function(){return r.DefaultPalette}}),Object.defineProperty(t,"DefaultSpacing",{enumerable:!0,get:function(){return r.DefaultSpacing}}),Object.defineProperty(t,"Depths",{enumerable:!0,get:function(){return r.Depths}}),Object.defineProperty(t,"FluentTheme",{enumerable:!0,get:function(){return r.FluentTheme}}),Object.defineProperty(t,"createFontStyles",{enumerable:!0,get:function(){return r.createFontStyles}}),Object.defineProperty(t,"createTheme",{enumerable:!0,get:function(){return r.createTheme}}),Object.defineProperty(t,"LocalizedFontFamilies",{enumerable:!0,get:function(){return r.LocalizedFontFamilies}}),Object.defineProperty(t,"LocalizedFontNames",{enumerable:!0,get:function(){return r.LocalizedFontNames}}),Object.defineProperty(t,"mergeThemes",{enumerable:!0,get:function(){return r.mergeThemes}}),Object.defineProperty(t,"MotionDurations",{enumerable:!0,get:function(){return r.MotionDurations}}),Object.defineProperty(t,"MotionTimings",{enumerable:!0,get:function(){return r.MotionTimings}}),Object.defineProperty(t,"MotionAnimations",{enumerable:!0,get:function(){return r.MotionAnimations}}),Object.defineProperty(t,"NeutralColors",{enumerable:!0,get:function(){return r.NeutralColors}}),Object.defineProperty(t,"SharedColors",{enumerable:!0,get:function(){return r.SharedColors}}),Object.defineProperty(t,"registerDefaultFontFaces",{enumerable:!0,get:function(){return r.registerDefaultFontFaces}}),n.__exportStar(o(10269),t)},16467:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(29181),t)},48742:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(72548),t)},26889:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(46783),t)},34718:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(14658),t)},71061:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.divProperties=t.disableBodyScroll=t.customizable=t.css=t.createMergedRef=t.createMemoizer=t.createArray=t.composeRenderFunction=t.composeComponentAs=t.colProperties=t.colGroupProperties=t.classNamesFunction=t.canUseDOM=t.calculatePrecision=t.buttonProperties=t.baseElementProperties=t.baseElementEvents=t.audioProperties=t.assign=t.assertNever=t.asAsync=t.arraysEqual=t.appendFunction=t.anchorProperties=t.allowScrollOnElement=t.allowOverscrollOnElement=t.addElementAtIndex=t.addDirectionalKeyCode=t.SelectionMode=t.SelectionDirection=t.Selection=t.SELECTION_CHANGE=t.Rectangle=t.KeyCodes=t.IsFocusVisibleClassName=t.GlobalSettings=t.FocusRectsProvider=t.FocusRectsContext=t.FocusRects=t.FabricPerformance=t.EventGroup=t.DelayedRender=t.DATA_PORTAL_ATTRIBUTE=t.DATA_IS_SCROLLABLE_ATTRIBUTE=t.CustomizerContext=t.Customizer=t.Customizations=t.BaseComponent=t.AutoScroll=t.Async=void 0,t.htmlElementProperties=t.hoistStatics=t.hoistMethods=t.hasVerticalOverflow=t.hasOverflow=t.hasHorizontalOverflow=t.getWindow=t.getVirtualParent=t.getScrollbarWidth=t.getResourceUrl=t.getRect=t.getRTLSafeKeyCode=t.getRTL=t.getPropsWithDefaults=t.getPreviousElement=t.getParent=t.getNextElement=t.getNativeProps=t.getNativeElementProps=t.getLastTabbable=t.getLastFocusable=t.getLanguage=t.getInitials=t.getId=t.getFocusableByIndexPath=t.getFirstVisibleElementFromSelector=t.getFirstTabbable=t.getFirstFocusable=t.getEventTarget=t.getElementIndexPath=t.getDocument=t.getDistanceBetweenPoints=t.getChildren=t.getActiveElement=t.format=t.formProperties=t.focusFirstChild=t.focusAsync=t.flatten=t.fitContentToBounds=t.findScrollableParent=t.findIndex=t.findElementRecursive=t.find=t.filteredAssign=t.extendComponent=t.enableBodyScroll=t.elementContainsAttribute=t.elementContains=t.doesElementContainFocus=void 0,t.setLanguage=t.setFocusVisibility=t.setBaseUrl=t.selectProperties=t.safeSetTimeout=t.safeRequestAnimationFrame=t.resetMemoizations=t.resetIds=t.resetControlledWarnings=t.replaceElement=t.removeIndex=t.removeDirectionalKeyCode=t.raiseClick=t.precisionRound=t.portalContainsElement=t.optionProperties=t.on=t.omit=t.olProperties=t.nullRender=t.modalize=t.MergeStylesRootProvider=t.MergeStylesShadowRootProvider=t.mergeSettings=t.mergeScopedSettings=t.mergeCustomizations=t.mergeAriaAttributeValues=t.merge=t.memoizeFunction=t.memoize=t.mapEnumByName=t.liProperties=t.labelProperties=t.isVirtualElement=t.isMac=t.isIOS=t.isIE11=t.isElementVisibleAndNotHidden=t.isElementVisible=t.isElementTabbable=t.isElementFocusZone=t.isElementFocusSubZone=t.isDirectionalKeyCode=t.isControlled=t.inputProperties=t.initializeFocusRects=t.initializeComponentRef=t.imgProperties=t.imageProperties=t.iframeProperties=void 0,t.warnMutuallyExclusive=t.warnDeprecations=t.warnControlledUsage=t.warnConditionallyRequiredProps=t.warn=t.videoProperties=t.values=t.useStyled=t.useShadowConfig=t.useMergeStylesShadowRootContext=t.useMergeStylesRootStylesheets=t.useMergeStylesHooks=t.useHasMergeStylesShadowRootContext=t.useFocusRects=t.useCustomizationSettings=t.useAdoptedStylesheetEx=t.useAdoptedStylesheet=t.unhoistMethods=t.trProperties=t.toMatrix=t.thProperties=t.textAreaProperties=t.tdProperties=t.tableProperties=t.styled=t.shouldWrapFocus=t.shallowCompare=t.setWarningCallback=t.setVirtualParent=t.setSSR=t.setRTL=t.setPortalAttribute=t.setMemoizeWeakMap=void 0,o(90149);var n=o(52332);Object.defineProperty(t,"Async",{enumerable:!0,get:function(){return n.Async}}),Object.defineProperty(t,"AutoScroll",{enumerable:!0,get:function(){return n.AutoScroll}}),Object.defineProperty(t,"BaseComponent",{enumerable:!0,get:function(){return n.BaseComponent}}),Object.defineProperty(t,"Customizations",{enumerable:!0,get:function(){return n.Customizations}}),Object.defineProperty(t,"Customizer",{enumerable:!0,get:function(){return n.Customizer}}),Object.defineProperty(t,"CustomizerContext",{enumerable:!0,get:function(){return n.CustomizerContext}}),Object.defineProperty(t,"DATA_IS_SCROLLABLE_ATTRIBUTE",{enumerable:!0,get:function(){return n.DATA_IS_SCROLLABLE_ATTRIBUTE}}),Object.defineProperty(t,"DATA_PORTAL_ATTRIBUTE",{enumerable:!0,get:function(){return n.DATA_PORTAL_ATTRIBUTE}}),Object.defineProperty(t,"DelayedRender",{enumerable:!0,get:function(){return n.DelayedRender}}),Object.defineProperty(t,"EventGroup",{enumerable:!0,get:function(){return n.EventGroup}}),Object.defineProperty(t,"FabricPerformance",{enumerable:!0,get:function(){return n.FabricPerformance}}),Object.defineProperty(t,"FocusRects",{enumerable:!0,get:function(){return n.FocusRects}}),Object.defineProperty(t,"FocusRectsContext",{enumerable:!0,get:function(){return n.FocusRectsContext}}),Object.defineProperty(t,"FocusRectsProvider",{enumerable:!0,get:function(){return n.FocusRectsProvider}}),Object.defineProperty(t,"GlobalSettings",{enumerable:!0,get:function(){return n.GlobalSettings}}),Object.defineProperty(t,"IsFocusVisibleClassName",{enumerable:!0,get:function(){return n.IsFocusVisibleClassName}}),Object.defineProperty(t,"KeyCodes",{enumerable:!0,get:function(){return n.KeyCodes}}),Object.defineProperty(t,"Rectangle",{enumerable:!0,get:function(){return n.Rectangle}}),Object.defineProperty(t,"SELECTION_CHANGE",{enumerable:!0,get:function(){return n.SELECTION_CHANGE}}),Object.defineProperty(t,"Selection",{enumerable:!0,get:function(){return n.Selection}}),Object.defineProperty(t,"SelectionDirection",{enumerable:!0,get:function(){return n.SelectionDirection}}),Object.defineProperty(t,"SelectionMode",{enumerable:!0,get:function(){return n.SelectionMode}}),Object.defineProperty(t,"addDirectionalKeyCode",{enumerable:!0,get:function(){return n.addDirectionalKeyCode}}),Object.defineProperty(t,"addElementAtIndex",{enumerable:!0,get:function(){return n.addElementAtIndex}}),Object.defineProperty(t,"allowOverscrollOnElement",{enumerable:!0,get:function(){return n.allowOverscrollOnElement}}),Object.defineProperty(t,"allowScrollOnElement",{enumerable:!0,get:function(){return n.allowScrollOnElement}}),Object.defineProperty(t,"anchorProperties",{enumerable:!0,get:function(){return n.anchorProperties}}),Object.defineProperty(t,"appendFunction",{enumerable:!0,get:function(){return n.appendFunction}}),Object.defineProperty(t,"arraysEqual",{enumerable:!0,get:function(){return n.arraysEqual}}),Object.defineProperty(t,"asAsync",{enumerable:!0,get:function(){return n.asAsync}}),Object.defineProperty(t,"assertNever",{enumerable:!0,get:function(){return n.assertNever}}),Object.defineProperty(t,"assign",{enumerable:!0,get:function(){return n.assign}}),Object.defineProperty(t,"audioProperties",{enumerable:!0,get:function(){return n.audioProperties}}),Object.defineProperty(t,"baseElementEvents",{enumerable:!0,get:function(){return n.baseElementEvents}}),Object.defineProperty(t,"baseElementProperties",{enumerable:!0,get:function(){return n.baseElementProperties}}),Object.defineProperty(t,"buttonProperties",{enumerable:!0,get:function(){return n.buttonProperties}}),Object.defineProperty(t,"calculatePrecision",{enumerable:!0,get:function(){return n.calculatePrecision}}),Object.defineProperty(t,"canUseDOM",{enumerable:!0,get:function(){return n.canUseDOM}}),Object.defineProperty(t,"classNamesFunction",{enumerable:!0,get:function(){return n.classNamesFunction}}),Object.defineProperty(t,"colGroupProperties",{enumerable:!0,get:function(){return n.colGroupProperties}}),Object.defineProperty(t,"colProperties",{enumerable:!0,get:function(){return n.colProperties}}),Object.defineProperty(t,"composeComponentAs",{enumerable:!0,get:function(){return n.composeComponentAs}}),Object.defineProperty(t,"composeRenderFunction",{enumerable:!0,get:function(){return n.composeRenderFunction}}),Object.defineProperty(t,"createArray",{enumerable:!0,get:function(){return n.createArray}}),Object.defineProperty(t,"createMemoizer",{enumerable:!0,get:function(){return n.createMemoizer}}),Object.defineProperty(t,"createMergedRef",{enumerable:!0,get:function(){return n.createMergedRef}}),Object.defineProperty(t,"css",{enumerable:!0,get:function(){return n.css}}),Object.defineProperty(t,"customizable",{enumerable:!0,get:function(){return n.customizable}}),Object.defineProperty(t,"disableBodyScroll",{enumerable:!0,get:function(){return n.disableBodyScroll}}),Object.defineProperty(t,"divProperties",{enumerable:!0,get:function(){return n.divProperties}}),Object.defineProperty(t,"doesElementContainFocus",{enumerable:!0,get:function(){return n.doesElementContainFocus}}),Object.defineProperty(t,"elementContains",{enumerable:!0,get:function(){return n.elementContains}}),Object.defineProperty(t,"elementContainsAttribute",{enumerable:!0,get:function(){return n.elementContainsAttribute}}),Object.defineProperty(t,"enableBodyScroll",{enumerable:!0,get:function(){return n.enableBodyScroll}}),Object.defineProperty(t,"extendComponent",{enumerable:!0,get:function(){return n.extendComponent}}),Object.defineProperty(t,"filteredAssign",{enumerable:!0,get:function(){return n.filteredAssign}}),Object.defineProperty(t,"find",{enumerable:!0,get:function(){return n.find}}),Object.defineProperty(t,"findElementRecursive",{enumerable:!0,get:function(){return n.findElementRecursive}}),Object.defineProperty(t,"findIndex",{enumerable:!0,get:function(){return n.findIndex}}),Object.defineProperty(t,"findScrollableParent",{enumerable:!0,get:function(){return n.findScrollableParent}}),Object.defineProperty(t,"fitContentToBounds",{enumerable:!0,get:function(){return n.fitContentToBounds}}),Object.defineProperty(t,"flatten",{enumerable:!0,get:function(){return n.flatten}}),Object.defineProperty(t,"focusAsync",{enumerable:!0,get:function(){return n.focusAsync}}),Object.defineProperty(t,"focusFirstChild",{enumerable:!0,get:function(){return n.focusFirstChild}}),Object.defineProperty(t,"formProperties",{enumerable:!0,get:function(){return n.formProperties}}),Object.defineProperty(t,"format",{enumerable:!0,get:function(){return n.format}}),Object.defineProperty(t,"getActiveElement",{enumerable:!0,get:function(){return n.getActiveElement}}),Object.defineProperty(t,"getChildren",{enumerable:!0,get:function(){return n.getChildren}}),Object.defineProperty(t,"getDistanceBetweenPoints",{enumerable:!0,get:function(){return n.getDistanceBetweenPoints}}),Object.defineProperty(t,"getDocument",{enumerable:!0,get:function(){return n.getDocument}}),Object.defineProperty(t,"getElementIndexPath",{enumerable:!0,get:function(){return n.getElementIndexPath}}),Object.defineProperty(t,"getEventTarget",{enumerable:!0,get:function(){return n.getEventTarget}}),Object.defineProperty(t,"getFirstFocusable",{enumerable:!0,get:function(){return n.getFirstFocusable}}),Object.defineProperty(t,"getFirstTabbable",{enumerable:!0,get:function(){return n.getFirstTabbable}}),Object.defineProperty(t,"getFirstVisibleElementFromSelector",{enumerable:!0,get:function(){return n.getFirstVisibleElementFromSelector}}),Object.defineProperty(t,"getFocusableByIndexPath",{enumerable:!0,get:function(){return n.getFocusableByIndexPath}}),Object.defineProperty(t,"getId",{enumerable:!0,get:function(){return n.getId}}),Object.defineProperty(t,"getInitials",{enumerable:!0,get:function(){return n.getInitials}}),Object.defineProperty(t,"getLanguage",{enumerable:!0,get:function(){return n.getLanguage}}),Object.defineProperty(t,"getLastFocusable",{enumerable:!0,get:function(){return n.getLastFocusable}}),Object.defineProperty(t,"getLastTabbable",{enumerable:!0,get:function(){return n.getLastTabbable}}),Object.defineProperty(t,"getNativeElementProps",{enumerable:!0,get:function(){return n.getNativeElementProps}}),Object.defineProperty(t,"getNativeProps",{enumerable:!0,get:function(){return n.getNativeProps}}),Object.defineProperty(t,"getNextElement",{enumerable:!0,get:function(){return n.getNextElement}}),Object.defineProperty(t,"getParent",{enumerable:!0,get:function(){return n.getParent}}),Object.defineProperty(t,"getPreviousElement",{enumerable:!0,get:function(){return n.getPreviousElement}}),Object.defineProperty(t,"getPropsWithDefaults",{enumerable:!0,get:function(){return n.getPropsWithDefaults}}),Object.defineProperty(t,"getRTL",{enumerable:!0,get:function(){return n.getRTL}}),Object.defineProperty(t,"getRTLSafeKeyCode",{enumerable:!0,get:function(){return n.getRTLSafeKeyCode}}),Object.defineProperty(t,"getRect",{enumerable:!0,get:function(){return n.getRect}}),Object.defineProperty(t,"getResourceUrl",{enumerable:!0,get:function(){return n.getResourceUrl}}),Object.defineProperty(t,"getScrollbarWidth",{enumerable:!0,get:function(){return n.getScrollbarWidth}}),Object.defineProperty(t,"getVirtualParent",{enumerable:!0,get:function(){return n.getVirtualParent}}),Object.defineProperty(t,"getWindow",{enumerable:!0,get:function(){return n.getWindow}}),Object.defineProperty(t,"hasHorizontalOverflow",{enumerable:!0,get:function(){return n.hasHorizontalOverflow}}),Object.defineProperty(t,"hasOverflow",{enumerable:!0,get:function(){return n.hasOverflow}}),Object.defineProperty(t,"hasVerticalOverflow",{enumerable:!0,get:function(){return n.hasVerticalOverflow}}),Object.defineProperty(t,"hoistMethods",{enumerable:!0,get:function(){return n.hoistMethods}}),Object.defineProperty(t,"hoistStatics",{enumerable:!0,get:function(){return n.hoistStatics}}),Object.defineProperty(t,"htmlElementProperties",{enumerable:!0,get:function(){return n.htmlElementProperties}}),Object.defineProperty(t,"iframeProperties",{enumerable:!0,get:function(){return n.iframeProperties}}),Object.defineProperty(t,"imageProperties",{enumerable:!0,get:function(){return n.imageProperties}}),Object.defineProperty(t,"imgProperties",{enumerable:!0,get:function(){return n.imgProperties}}),Object.defineProperty(t,"initializeComponentRef",{enumerable:!0,get:function(){return n.initializeComponentRef}}),Object.defineProperty(t,"initializeFocusRects",{enumerable:!0,get:function(){return n.initializeFocusRects}}),Object.defineProperty(t,"inputProperties",{enumerable:!0,get:function(){return n.inputProperties}}),Object.defineProperty(t,"isControlled",{enumerable:!0,get:function(){return n.isControlled}}),Object.defineProperty(t,"isDirectionalKeyCode",{enumerable:!0,get:function(){return n.isDirectionalKeyCode}}),Object.defineProperty(t,"isElementFocusSubZone",{enumerable:!0,get:function(){return n.isElementFocusSubZone}}),Object.defineProperty(t,"isElementFocusZone",{enumerable:!0,get:function(){return n.isElementFocusZone}}),Object.defineProperty(t,"isElementTabbable",{enumerable:!0,get:function(){return n.isElementTabbable}}),Object.defineProperty(t,"isElementVisible",{enumerable:!0,get:function(){return n.isElementVisible}}),Object.defineProperty(t,"isElementVisibleAndNotHidden",{enumerable:!0,get:function(){return n.isElementVisibleAndNotHidden}}),Object.defineProperty(t,"isIE11",{enumerable:!0,get:function(){return n.isIE11}}),Object.defineProperty(t,"isIOS",{enumerable:!0,get:function(){return n.isIOS}}),Object.defineProperty(t,"isMac",{enumerable:!0,get:function(){return n.isMac}}),Object.defineProperty(t,"isVirtualElement",{enumerable:!0,get:function(){return n.isVirtualElement}}),Object.defineProperty(t,"labelProperties",{enumerable:!0,get:function(){return n.labelProperties}}),Object.defineProperty(t,"liProperties",{enumerable:!0,get:function(){return n.liProperties}}),Object.defineProperty(t,"mapEnumByName",{enumerable:!0,get:function(){return n.mapEnumByName}}),Object.defineProperty(t,"memoize",{enumerable:!0,get:function(){return n.memoize}}),Object.defineProperty(t,"memoizeFunction",{enumerable:!0,get:function(){return n.memoizeFunction}}),Object.defineProperty(t,"merge",{enumerable:!0,get:function(){return n.merge}}),Object.defineProperty(t,"mergeAriaAttributeValues",{enumerable:!0,get:function(){return n.mergeAriaAttributeValues}}),Object.defineProperty(t,"mergeCustomizations",{enumerable:!0,get:function(){return n.mergeCustomizations}}),Object.defineProperty(t,"mergeScopedSettings",{enumerable:!0,get:function(){return n.mergeScopedSettings}}),Object.defineProperty(t,"mergeSettings",{enumerable:!0,get:function(){return n.mergeSettings}}),Object.defineProperty(t,"MergeStylesShadowRootProvider",{enumerable:!0,get:function(){return n.MergeStylesShadowRootProvider}}),Object.defineProperty(t,"MergeStylesRootProvider",{enumerable:!0,get:function(){return n.MergeStylesRootProvider}}),Object.defineProperty(t,"modalize",{enumerable:!0,get:function(){return n.modalize}}),Object.defineProperty(t,"nullRender",{enumerable:!0,get:function(){return n.nullRender}}),Object.defineProperty(t,"olProperties",{enumerable:!0,get:function(){return n.olProperties}}),Object.defineProperty(t,"omit",{enumerable:!0,get:function(){return n.omit}}),Object.defineProperty(t,"on",{enumerable:!0,get:function(){return n.on}}),Object.defineProperty(t,"optionProperties",{enumerable:!0,get:function(){return n.optionProperties}}),Object.defineProperty(t,"portalContainsElement",{enumerable:!0,get:function(){return n.portalContainsElement}}),Object.defineProperty(t,"precisionRound",{enumerable:!0,get:function(){return n.precisionRound}}),Object.defineProperty(t,"raiseClick",{enumerable:!0,get:function(){return n.raiseClick}}),Object.defineProperty(t,"removeDirectionalKeyCode",{enumerable:!0,get:function(){return n.removeDirectionalKeyCode}}),Object.defineProperty(t,"removeIndex",{enumerable:!0,get:function(){return n.removeIndex}}),Object.defineProperty(t,"replaceElement",{enumerable:!0,get:function(){return n.replaceElement}}),Object.defineProperty(t,"resetControlledWarnings",{enumerable:!0,get:function(){return n.resetControlledWarnings}}),Object.defineProperty(t,"resetIds",{enumerable:!0,get:function(){return n.resetIds}}),Object.defineProperty(t,"resetMemoizations",{enumerable:!0,get:function(){return n.resetMemoizations}}),Object.defineProperty(t,"safeRequestAnimationFrame",{enumerable:!0,get:function(){return n.safeRequestAnimationFrame}}),Object.defineProperty(t,"safeSetTimeout",{enumerable:!0,get:function(){return n.safeSetTimeout}}),Object.defineProperty(t,"selectProperties",{enumerable:!0,get:function(){return n.selectProperties}}),Object.defineProperty(t,"setBaseUrl",{enumerable:!0,get:function(){return n.setBaseUrl}}),Object.defineProperty(t,"setFocusVisibility",{enumerable:!0,get:function(){return n.setFocusVisibility}}),Object.defineProperty(t,"setLanguage",{enumerable:!0,get:function(){return n.setLanguage}}),Object.defineProperty(t,"setMemoizeWeakMap",{enumerable:!0,get:function(){return n.setMemoizeWeakMap}}),Object.defineProperty(t,"setPortalAttribute",{enumerable:!0,get:function(){return n.setPortalAttribute}}),Object.defineProperty(t,"setRTL",{enumerable:!0,get:function(){return n.setRTL}}),Object.defineProperty(t,"setSSR",{enumerable:!0,get:function(){return n.setSSR}}),Object.defineProperty(t,"setVirtualParent",{enumerable:!0,get:function(){return n.setVirtualParent}}),Object.defineProperty(t,"setWarningCallback",{enumerable:!0,get:function(){return n.setWarningCallback}}),Object.defineProperty(t,"shallowCompare",{enumerable:!0,get:function(){return n.shallowCompare}}),Object.defineProperty(t,"shouldWrapFocus",{enumerable:!0,get:function(){return n.shouldWrapFocus}}),Object.defineProperty(t,"styled",{enumerable:!0,get:function(){return n.styled}}),Object.defineProperty(t,"tableProperties",{enumerable:!0,get:function(){return n.tableProperties}}),Object.defineProperty(t,"tdProperties",{enumerable:!0,get:function(){return n.tdProperties}}),Object.defineProperty(t,"textAreaProperties",{enumerable:!0,get:function(){return n.textAreaProperties}}),Object.defineProperty(t,"thProperties",{enumerable:!0,get:function(){return n.thProperties}}),Object.defineProperty(t,"toMatrix",{enumerable:!0,get:function(){return n.toMatrix}}),Object.defineProperty(t,"trProperties",{enumerable:!0,get:function(){return n.trProperties}}),Object.defineProperty(t,"unhoistMethods",{enumerable:!0,get:function(){return n.unhoistMethods}}),Object.defineProperty(t,"useAdoptedStylesheet",{enumerable:!0,get:function(){return n.useAdoptedStylesheet}}),Object.defineProperty(t,"useAdoptedStylesheetEx",{enumerable:!0,get:function(){return n.useAdoptedStylesheetEx}}),Object.defineProperty(t,"useCustomizationSettings",{enumerable:!0,get:function(){return n.useCustomizationSettings}}),Object.defineProperty(t,"useFocusRects",{enumerable:!0,get:function(){return n.useFocusRects}}),Object.defineProperty(t,"useHasMergeStylesShadowRootContext",{enumerable:!0,get:function(){return n.useHasMergeStylesShadowRootContext}}),Object.defineProperty(t,"useMergeStylesHooks",{enumerable:!0,get:function(){return n.useMergeStylesHooks}}),Object.defineProperty(t,"useMergeStylesRootStylesheets",{enumerable:!0,get:function(){return n.useMergeStylesRootStylesheets}}),Object.defineProperty(t,"useMergeStylesShadowRootContext",{enumerable:!0,get:function(){return n.useMergeStylesShadowRootContext}}),Object.defineProperty(t,"useShadowConfig",{enumerable:!0,get:function(){return n.useShadowConfig}}),Object.defineProperty(t,"useStyled",{enumerable:!0,get:function(){return n.useStyled}}),Object.defineProperty(t,"values",{enumerable:!0,get:function(){return n.values}}),Object.defineProperty(t,"videoProperties",{enumerable:!0,get:function(){return n.videoProperties}}),Object.defineProperty(t,"warn",{enumerable:!0,get:function(){return n.warn}}),Object.defineProperty(t,"warnConditionallyRequiredProps",{enumerable:!0,get:function(){return n.warnConditionallyRequiredProps}}),Object.defineProperty(t,"warnControlledUsage",{enumerable:!0,get:function(){return n.warnControlledUsage}}),Object.defineProperty(t,"warnDeprecations",{enumerable:!0,get:function(){return n.warnDeprecations}}),Object.defineProperty(t,"warnMutuallyExclusive",{enumerable:!0,get:function(){return n.warnMutuallyExclusive}})},37735:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(67103),t)},25384:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(5552),t)},71628:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useWindow=t.useDocument=t.WindowProvider=t.WindowContext=void 0,o(90149);var n=o(97156);Object.defineProperty(t,"WindowContext",{enumerable:!0,get:function(){return n.WindowContext}}),Object.defineProperty(t,"WindowProvider",{enumerable:!0,get:function(){return n.WindowProvider}}),Object.defineProperty(t,"useDocument",{enumerable:!0,get:function(){return n.useDocument}}),Object.defineProperty(t,"useWindow",{enumerable:!0,get:function(){return n.useWindow}})},42502:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DirectionalHint=void 0,t.DirectionalHint={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}},66069:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getClassNames=void 0;var n=o(15019),r=o(71061);t.getClassNames=(0,r.memoizeFunction)((function(e,t,o,r){return{root:(0,n.mergeStyles)(e.__shadowConfig__,"ms-ActivityItem",t,e.root,r&&e.isCompactRoot),pulsingBeacon:(0,n.mergeStyles)(e.__shadowConfig__,"ms-ActivityItem-pulsingBeacon",e.pulsingBeacon),personaContainer:(0,n.mergeStyles)(e.__shadowConfig__,"ms-ActivityItem-personaContainer",e.personaContainer,r&&e.isCompactPersonaContainer),activityPersona:(0,n.mergeStyles)(e.__shadowConfig__,"ms-ActivityItem-activityPersona",e.activityPersona,r&&e.isCompactPersona,!r&&o&&2===o.length&&e.doublePersona),activityTypeIcon:(0,n.mergeStyles)(e.__shadowConfig__,"ms-ActivityItem-activityTypeIcon",e.activityTypeIcon,r&&e.isCompactIcon),activityContent:(0,n.mergeStyles)(e.__shadowConfig__,"ms-ActivityItem-activityContent",e.activityContent,r&&e.isCompactContent),activityText:(0,n.mergeStyles)(e.__shadowConfig__,"ms-ActivityItem-activityText",e.activityText),commentText:(0,n.mergeStyles)(e.__shadowConfig__,"ms-ActivityItem-commentText",e.commentText),timeStamp:(0,n.mergeStyles)(e.__shadowConfig__,"ms-ActivityItem-timeStamp",e.timeStamp,r&&e.isCompactTimeStamp)}}))},23795:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ActivityItem=void 0;var n=o(31635),r=o(83923),i=o(66069),a=o(93423),s=o(48377),l=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?r.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?r.createElement("div",{className:t.commentText},n):null},o._onRenderTimeStamp=function(e){var t=o._getClassNames(e);return!e.isCompact&&e.timeStamp?r.createElement("div",{className:t.timeStamp},e.timeStamp):null},o._onRenderPersonaArray=function(e){var t=o._getClassNames(e),i=null,a=e.activityPersonas;if(a[0].imageUrl||a[0].imageInitials){var l=[],c=a.length>1||e.isCompact,u=e.isCompact?3:4,d=void 0;e.isCompact&&(d={display:"inline-block",width:"10px",minWidth:"10px",overflow:"visible"}),a.filter((function(e,t){return t{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(31635),r=o(15019),i=o(71061),a="32px",s="16px",l="16px",c="13px",u=(0,i.memoizeFunction)((function(){return(0,r.keyframes)({from:{opacity:0},to:{opacity:1}})})),d=(0,i.memoizeFunction)((function(){return(0,r.keyframes)({from:{transform:"translateX(-10px)"},to:{transform:"translateX(0)"}})}));t.getStyles=(0,i.memoizeFunction)((function(e,t,o,i,p,m){var g;void 0===e&&(e=(0,r.getTheme)());var h={animationName:r.PulsingBeaconAnimationStyles.continuousPulseAnimationSingle(i||e.palette.themePrimary,p||e.palette.themeTertiary,"4px","28px","4px"),animationIterationCount:"1",animationDuration:".8s",zIndex:1},f={animationName:d(),animationIterationCount:"1",animationDuration:".5s"},v={animationName:u(),animationIterationCount:"1",animationDuration:".5s"},b={root:[e.fonts.small,{display:"flex",justifyContent:"flex-start",alignItems:"flex-start",boxSizing:"border-box",color:e.palette.neutralSecondary},m&&o&&v],pulsingBeacon:[{position:"absolute",top:"50%",left:"50%",transform:"translate(-50%, -50%)",width:"0px",height:"0px",borderRadius:"225px",borderStyle:"solid",opacity:0},m&&o&&h],isCompactRoot:{alignItems:"center"},personaContainer:{display:"flex",flexWrap:"wrap",minWidth:a,width:a,height:a},isCompactPersonaContainer:{display:"inline-flex",flexWrap:"nowrap",flexBasis:"auto",height:s,width:"auto",minWidth:"0",paddingRight:"6px"},activityTypeIcon:{height:a,fontSize:l,lineHeight:l,marginTop:"3px"},isCompactIcon:{height:s,minWidth:s,fontSize:c,lineHeight:c,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:(g={},g[r.HighContrastSelector]={border:"none",margin:"0"},g)}}},activityPersona:{display:"block"},doublePersona:{selectors:{":first-child":{alignSelf:"flex-end"}}},isCompactPersona:{display:"inline-block",width:"8px",minWidth:"8px",overflow:"visible"},activityContent:[{padding:"0 8px"},m&&o&&f],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"}},y=t||{},_=y.__shadowConfig__,S=n.__rest(y,["__shadowConfig__"]);return _?(0,r.concatStyleSets)(_,b,S):(0,r.concatStyleSets)(b,t)}))},51828:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},53133:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getActivityItemClassNames=t.getActivityItemStyles=void 0;var n=o(31635),r=o(93423);Object.defineProperty(t,"getActivityItemStyles",{enumerable:!0,get:function(){return r.getStyles}});var i=o(66069);Object.defineProperty(t,"getActivityItemClassNames",{enumerable:!0,get:function(){return i.getClassNames}}),n.__exportStar(o(23795),t),n.__exportStar(o(51828),t)},23302:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.AnnouncedBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=(0,i.classNamesFunction)(),s=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return n.__extends(t,e),t.prototype.render=function(){var e=this.props,t=e.message,o=e.styles,s=e.as,l=void 0===s?"div":s,c=e.className,u=a(o,{className:c});return r.createElement(l,n.__assign({role:"status",className:u.root},(0,i.getNativeProps)(this.props,i.divProperties,["className"])),r.createElement(i.DelayedRender,null,r.createElement("div",{className:u.screenReaderText},t)))},t.defaultProps={"aria-live":"polite"},t}(r.Component);t.AnnouncedBase=s},29089:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Announced=void 0;var n=o(71061),r=o(23302),i=o(21365);t.Announced=(0,n.styled)(r.AnnouncedBase,i.getStyles,void 0,{scope:"Announced"})},21365:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019);t.getStyles=function(e){return{root:e.className,screenReaderText:n.hiddenContentStyle}}},18666:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},49956:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(29089),t),n.__exportStar(o(23302),t),n.__exportStar(o(18666),t)},96771:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Autofill=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(97156),s="backward",l=function(e){function t(t){var o=e.call(this,t)||this;return o._inputElement=r.createRef(),o._autoFillEnabled=!0,o._onCompositionStart=function(e){o.setState({isComposing:!0}),o._autoFillEnabled=!1},o._onCompositionUpdate=function(){(0,i.isIE11)()&&o._updateValue(o._getCurrentInputValue(),!0)},o._onCompositionEnd=function(e){var t=o._getCurrentInputValue();o._tryEnableAutofill(t,o.value,!1,!0),o.setState({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 i.KeyCodes.backspace:o._autoFillEnabled=!1;break;case i.KeyCodes.left:case i.KeyCodes.right:o._autoFillEnabled&&(o.setState((function(e){return{inputValue:o.props.suggestedDisplayValue||e.inputValue}})),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.state.isComposing||o._tryEnableAutofill(t,o.value,e.nativeEvent.isComposing),!(0,i.isIE11)()||!o.state.isComposing){var n=e.nativeEvent.isComposing,r=void 0===n?o.state.isComposing:n;o._updateValue(t,r)}},o._onChanged=function(){},o._updateValue=function(e,t){if(e||e!==o.value){var n=o.props,r=n.onInputChange,i=n.onInputValueChange;r&&(e=(null==r?void 0:r(e,t))||""),o.setState({inputValue:e},(function(){return null==i?void 0:i(e,t)}))}},(0,i.initializeComponentRef)(o),o._async=new i.Async(o),o.state={inputValue:t.defaultVisibleValue||"",isComposing:!1},o}return n.__extends(t,e),t.getDerivedStateFromProps=function(e,t){if(e.updateValueInWillReceiveProps){var o=e.updateValueInWillReceiveProps();if(null!==o&&o!==t.inputValue&&!t.isComposing)return n.__assign(n.__assign({},t),{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:!1,configurable:!0}),Object.defineProperty(t.prototype,"isValueSelected",{get:function(){return Boolean(this.inputElement&&this.inputElement.selectionStart!==this.inputElement.selectionEnd)},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"value",{get:function(){return this._getControlledValue()||this.state.inputValue||""},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"selectionStart",{get:function(){return this._inputElement.current?this._inputElement.current.selectionStart:-1},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"selectionEnd",{get:function(){return this._inputElement.current?this._inputElement.current.selectionEnd:-1},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"inputElement",{get:function(){return this._inputElement.current},enumerable:!1,configurable:!0}),t.prototype.componentDidUpdate=function(e,t,o){var n,r=this.props,a=r.suggestedDisplayValue,l=r.shouldSelectFullInputValueInComponentDidUpdate,u=0;if(!r.preventValueSelection){var d=(null===(n=this.context)||void 0===n?void 0:n.window.document)||(0,i.getDocument)(this._inputElement.current);if(this._inputElement.current&&this._inputElement.current===(null==d?void 0:d.activeElement)&&this._autoFillEnabled&&this.value&&a&&c(a,this.value)){var p=!1;if(l&&(p=l()),p)this._inputElement.current.setSelectionRange(0,a.length,s);else{for(;u0&&this._inputElement.current.setSelectionRange(u,a.length,s)}}else this._inputElement.current&&(null===o||this._autoFillEnabled||this.state.isComposing||this._inputElement.current.setSelectionRange(o.start,o.end,o.dir))}},t.prototype.componentWillUnmount=function(){this._async.dispose()},t.prototype.render=function(){var e=(0,i.getNativeProps)(this.props,i.inputProperties),t=n.__assign(n.__assign({},this.props.style),{fontFamily:"inherit"});return r.createElement("input",n.__assign({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.getSnapshotBeforeUpdate=function(){var e,t,o=this._inputElement.current;return o&&o.selectionStart!==this.value.length?{start:null!==(e=o.selectionStart)&&void 0!==e?e:o.value.length,end:null!==(t=o.selectionEnd)&&void 0!==t?t:o.value.length,dir:o.selectionDirection||"backward"}:null},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&&c(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 ".concat(e," with type of ").concat(typeof e)),e.toString())},t.defaultProps={enableAutofillOnKeyPress:[i.KeyCodes.down,i.KeyCodes.up]},t.contextType=a.WindowContext,t}(r.Component);function c(e,t){return!(!e||!t)&&0===e.toLocaleLowerCase().indexOf(t.toLocaleLowerCase())}t.Autofill=l},35268:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},44437:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(96771),t),n.__exportStar(o(35268),t)},1082:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.BreadcrumbBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(80371),s=o(12329),l=o(30936),c=o(74393),u=o(42502),d=o(68318),p=o(34718),m=o(71061),g=(0,i.classNamesFunction)(),h=function(){return null},f={styles:function(e){return{root:{selectors:{"&.is-disabled":{color:e.theme.semanticColors.bodyText}}}}}},v=function(e){function t(t){var o=e.call(this,t)||this;return o._focusZone=r.createRef(),o._onReduceData=function(e){var t=e.renderedItems,o=e.renderedOverflowItems,r=e.props.overflowIndex,i=t[r];if(i)return(t=n.__spreadArray([],t,!0)).splice(r,1),o=n.__spreadArray(n.__spreadArray([],o,!0),[i],!1),n.__assign(n.__assign({},e),{renderedItems:t,renderedOverflowItems:o})},o._onGrowData=function(e){var t=e.renderedItems,o=e.renderedOverflowItems,r=e.props,i=r.overflowIndex,a=r.maxDisplayedItems,s=(o=n.__spreadArray([],o,!0)).pop();if(s&&!(t.length>=a))return(t=n.__spreadArray([],t,!0)).splice(i,0,s),n.__assign(n.__assign({},e),{renderedItems:t,renderedOverflowItems:o})},o._onRenderBreadcrumb=function(e){var t=e.props,s=t.ariaLabel,d=t.dividerAs,p=void 0===d?l.Icon:d,g=t.onRenderItem,v=t.overflowAriaLabel,b=t.overflowIndex,y=t.onRenderOverflowIcon,_=t.overflowButtonAs,S=e.renderedOverflowItems,C=e.renderedItems,x=S.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:f}})),P=C.length-1,k=S&&0!==S.length,I=C.map((function(e,t){var n=o._onRenderItem;return e.onRender&&(n=(0,m.composeRenderFunction)(e.onRender,n)),g&&(n=(0,m.composeRenderFunction)(g,n)),r.createElement("li",{className:o._classNames.listItem,key:e.key||String(t)},n(e),(t!==P||k&&t===b-1)&&r.createElement(p,{className:o._classNames.chevron,iconName:(0,i.getRTL)(o.props.theme)?"ChevronLeft":"ChevronRight",item:e}))}));if(k){var w=y?{}:{iconName:"More"},T=y||h,E=_||c.IconButton;I.splice(b,0,r.createElement("li",{className:o._classNames.overflow,key:"overflow"},r.createElement(E,{className:o._classNames.overflowButton,iconProps:w,role:"button","aria-haspopup":"true",ariaLabel:v,onRenderMenuIcon:T,menuProps:{items:x,directionalHint:u.DirectionalHint.bottomLeftEdge}}),b!==P+1&&r.createElement(p,{className:o._classNames.chevron,iconName:(0,i.getRTL)(o.props.theme)?"ChevronLeft":"ChevronRight",item:S[S.length-1]})))}var D=(0,i.getNativeProps)(o.props,i.htmlElementProperties,["className"]);return r.createElement("div",n.__assign({className:o._classNames.root,role:"navigation","aria-label":s},D),r.createElement(a.FocusZone,n.__assign({componentRef:o._focusZone,direction:a.FocusZoneDirection.horizontal},o.props.focusZoneProps),r.createElement("ol",{className:o._classNames.list},I)))},o._onRenderItem=function(e){if(!e)return null;var t=e.as,i=e.href,a=e.onClick,l=e.isCurrentItem,c=e.text,u=e.onRenderContent,d=n.__rest(e,["as","href","onClick","isCurrentItem","text","onRenderContent"]),g=b;if(u&&(g=(0,m.composeRenderFunction)(u,g)),o.props.onRenderItemContent&&(g=(0,m.composeRenderFunction)(o.props.onRenderItemContent,g)),a||i)return r.createElement(s.Link,n.__assign({},d,{as:t,className:o._classNames.itemLink,href:i,"aria-current":l?"page":void 0,onClick:o._onBreadcrumbClicked.bind(o,e)}),r.createElement(p.TooltipHost,n.__assign({content:c,overflowMode:p.TooltipOverflowMode.Parent},o.props.tooltipHostProps),g(e)));var h=t||"span";return r.createElement(h,n.__assign({},d,{className:o._classNames.item}),r.createElement(p.TooltipHost,n.__assign({content:c,overflowMode:p.TooltipOverflowMode.Parent},o.props.tooltipHostProps),g(e)))},o._onBreadcrumbClicked=function(e,t){e.onClick&&e.onClick(t,e)},(0,i.initializeComponentRef)(o),o._validateProps(t),o}return n.__extends(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,i=e.onGrowData,a=void 0===i?this._onGrowData:i,s=e.overflowIndex,l=e.maxDisplayedItems,c=e.items,u=e.className,p=e.theme,m=e.styles,h=n.__spreadArray([],c,!0),f=h.splice(s,h.length-l),v={props:this.props,renderedItems:h,renderedOverflowItems:f};return this._classNames=g(m,{className:u,theme:p}),r.createElement(d.ResizeGroup,{onRenderData:this._onRenderBreadcrumb,onReduceData:o,onGrowData:a,data:v})},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}(r.Component);function b(e){return e?r.createElement(r.Fragment,null,e.text):null}t.BreadcrumbBase=v},47341:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Breadcrumb=void 0;var n=o(71061),r=o(1082),i=o(31481);t.Breadcrumb=(0,n.styled)(r.BreadcrumbBase,i.getStyles,void 0,{scope:"Breadcrumb"})},31481:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(31635),r=o(15019),i=o(71061),a={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"},s={whiteSpace:"nowrap",textOverflow:"ellipsis",overflow:"hidden"},l=(0,r.getScreenSelector)(0,r.ScreenWidthMaxSmall),c=(0,r.getScreenSelector)(r.ScreenWidthMinMedium,r.ScreenWidthMaxMedium);t.getStyles=function(e){var t,o,u,d,p,m=e.className,g=e.theme,h=g.palette,f=g.semanticColors,v=g.fonts,b=(0,r.getGlobalClassNames)(a,g),y=f.menuItemBackgroundHovered,_=f.menuItemBackgroundPressed,S=h.neutralSecondary,C=r.FontWeights.regular,x=h.neutralPrimary,P=h.neutralPrimary,k=r.FontWeights.semibold,I=h.neutralSecondary,w=h.neutralSecondary,T={fontWeight:k,color:P},E={":hover":{color:x,backgroundColor:y,cursor:"pointer",selectors:(t={},t[r.HighContrastSelector]={color:"Highlight",backgroundColor:"transparent"},t)},":active":{backgroundColor:_,color:x},"&:active:hover":{color:x,backgroundColor:_},"&:active, &:hover, &:active:hover":{textDecoration:"none"}},D={color:S,padding:"0 8px",lineHeight:36,fontSize:18,fontWeight:C};return{root:[b.root,v.medium,{margin:"11px 0 1px"},m],list:[b.list,{whiteSpace:"nowrap",padding:0,margin:0,display:"flex",alignItems:"stretch"}],listItem:[b.listItem,{listStyleType:"none",margin:"0",padding:"0",display:"flex",position:"relative",alignItems:"center",selectors:{"&:last-child .ms-Breadcrumb-itemLink":n.__assign(n.__assign({},T),(o={},o[r.HighContrastSelector]={MsHighContrastAdjust:"auto",forcedColorAdjust:"auto"},o)),"&:last-child .ms-Breadcrumb-item":T}}],chevron:[b.chevron,{color:I,fontSize:v.small.fontSize,selectors:(u={},u[r.HighContrastSelector]=n.__assign({color:"WindowText"},(0,r.getHighContrastNoAdjustStyle)()),u[c]={fontSize:8},u[l]={fontSize:8},u)}],overflow:[b.overflow,{position:"relative",display:"flex",alignItems:"center"}],overflowButton:[b.overflowButton,(0,r.getFocusStyle)(g,{highContrastStyle:{left:1,right:1,top:1,bottom:1}}),s,{fontSize:16,color:w,height:"100%",cursor:"pointer",selectors:n.__assign(n.__assign({},E),(d={},d[l]={padding:"4px 6px"},d[c]={fontSize:v.mediumPlus.fontSize},d))}],itemLink:[b.itemLink,(0,r.getFocusStyle)(g),s,n.__assign(n.__assign({},D),{selectors:n.__assign((p={":focus":{color:h.neutralDark}},p[".".concat(i.IsFocusVisibleClassName," &:focus, :host(.").concat(i.IsFocusVisibleClassName,") &:focus")]={outline:"none"},p),E)})],item:[b.item,n.__assign(n.__assign({},D),{selectors:{":hover":{cursor:"default"}}})]}}},4206:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},45182:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(47341),t),n.__exportStar(o(1082),t),n.__exportStar(o(4206),t)},29418:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ActionButton=void 0;var n=o(31635),r=o(83923),i=o(63058),a=o(71061),s=o(36076),l=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return n.__extends(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.theme;return r.createElement(i.BaseButton,n.__assign({},this.props,{variantClassName:"ms-Button--action ms-Button--command",styles:(0,s.getStyles)(o,t),onRenderDescription:a.nullRender}))},n.__decorate([(0,a.customizable)("ActionButton",["theme","styles"],!0)],t)}(r.Component);t.ActionButton=l},36076:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r=o(71061),i=o(60500);t.getStyles=(0,r.memoizeFunction)((function(e,t){var o,r,a,s=(0,i.getStyles)(e),l={root:(o={padding:"0 4px",height:"40px",color:e.palette.neutralPrimary,backgroundColor:"transparent",border:"1px solid transparent"},o[n.HighContrastSelector]={borderColor:"Window"},o),rootHovered:(r={color:e.palette.themePrimary},r[n.HighContrastSelector]={color:"Highlight"},r),iconHovered:{color:e.palette.themePrimary},rootPressed:{color:e.palette.black},rootExpanded:{color:e.palette.themePrimary},iconPressed:{color:e.palette.themeDarker},rootDisabled:(a={color:e.palette.neutralTertiary,backgroundColor:"transparent",borderColor:"transparent"},a[n.HighContrastSelector]={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.concatStyleSets)(s,l,t)}))},21550:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getBaseButtonClassNames=t.ButtonGlobalClassNames=void 0;var n=o(71061),r=o(15019);t.ButtonGlobalClassNames={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"},t.getBaseButtonClassNames=(0,n.memoizeFunction)((function(e,o,n,i,a,s,l,c,u,d,p){var m,g,h=(0,r.getGlobalClassNames)(t.ButtonGlobalClassNames,e||{}),f=d&&!p;return(0,r.mergeStyleSets)(o.__shadowConfig__,{root:[h.msButton,o.root,i,u&&["is-checked",o.rootChecked],f&&["is-expanded",o.rootExpanded,(m={},m[":hover .".concat(h.msButtonIcon)]=o.iconExpandedHovered,m[":hover .".concat(h.msButtonMenuIcon)]=o.menuIconExpandedHovered||o.rootExpandedHovered,m[":hover"]=o.rootExpandedHovered,m)],c&&[t.ButtonGlobalClassNames.msButtonHasMenu,o.rootHasMenu],l&&["is-disabled",o.rootDisabled],!l&&!f&&!u&&(g={":hover":o.rootHovered},g[":hover .".concat(h.msButtonLabel)]=o.labelHovered,g[":hover .".concat(h.msButtonIcon)]=o.iconHovered,g[":hover .".concat(h.msButtonDescription)]=o.descriptionHovered,g[":hover .".concat(h.msButtonMenuIcon)]=o.menuIconHovered,g[":focus"]=o.rootFocused,g[":active"]=o.rootPressed,g[":active .".concat(h.msButtonIcon)]=o.iconPressed,g[":active .".concat(h.msButtonDescription)]=o.descriptionPressed,g[":active .".concat(h.msButtonMenuIcon)]=o.menuIconPressed,g),l&&u&&[o.rootCheckedDisabled],!l&&u&&{":hover":o.rootCheckedHovered,":active":o.rootCheckedPressed},n],flexContainer:[h.msButtonFlexContainer,o.flexContainer],textContainer:[h.msButtonTextContainer,o.textContainer],icon:[h.msButtonIcon,a,o.icon,f&&o.iconExpanded,u&&o.iconChecked,l&&o.iconDisabled],label:[h.msButtonLabel,o.label,u&&o.labelChecked,l&&o.labelDisabled],menuIcon:[h.msButtonMenuIcon,s,o.menuIcon,u&&o.menuIconChecked,l&&!p&&o.menuIconDisabled,!l&&!f&&!u&&{":hover":o.menuIconHovered,":active":o.menuIconPressed},f&&["is-expanded",o.menuIconExpanded]],description:[h.msButtonDescription,o.description,u&&o.descriptionChecked,l&&o.descriptionDisabled],screenReaderText:[h.msButtonScreenReaderText,o.screenReaderText]})}))},63058:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.BaseButton=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(30936),s=o(42502),l=o(52521),c=o(21550),u=o(44700),d=o(87301),p=o(71061),m="BaseButton",g=function(e){function t(t){var o=e.call(this,t)||this;return o._buttonElement=r.createRef(),o._splitButtonContainer=r.createRef(),o._mergedRef=(0,i.createMergedRef)(),o._renderedVisibleMenu=!1,o._getMemoizedMenuButtonKeytipProps=(0,i.memoizeFunction)((function(e){return n.__assign(n.__assign({},e),{hasMenu:!0})})),o._onRenderIcon=function(e,t){var s=o.props.iconProps;if(s&&(void 0!==s.iconName||s.imageProps)){var l=s.className,c=s.imageProps,u=n.__rest(s,["className","imageProps"]);if(s.styles)return r.createElement(a.Icon,n.__assign({className:(0,i.css)(o._classNames.icon,l),imageProps:c},u));if(s.iconName)return r.createElement(a.FontIcon,n.__assign({className:(0,i.css)(o._classNames.icon,l)},u));if(c)return r.createElement(a.ImageIcon,n.__assign({className:(0,i.css)(o._classNames.icon,l),imageProps:c},u))}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(a.FontIcon,n.__assign({iconName:"ChevronDown"},t,{className:o._classNames.menuIcon}))},o._onRenderMenu=function(e){var t=o.props.menuAs?(0,p.composeComponentAs)(o.props.menuAs,l.ContextualMenu):l.ContextualMenu;return r.createElement(t,n.__assign({},e))},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,i.portalContainsElement)(e.target,t)||t.focus()},o._onSplitButtonPrimaryClick=function(e){o.state.menuHidden||o._dismissMenu();var t=o._processingTouch&&!o.props.toggle;!t&&o.props.onClick?o.props.onClick(e):t&&o._onMenuClick(e)},o._onKeyDown=function(e){!o.props.disabled||e.which!==i.KeyCodes.enter&&e.which!==i.KeyCodes.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===i.KeyCodes.enter||e.which===i.KeyCodes.space?o._buttonElement.current&&(o._buttonElement.current.click(),e.preventDefault(),e.stopPropagation()):o._onMenuKeyDown(e)},o._onMenuKeyDown=function(e){var t;if(!o.props.disabled){o.props.onKeyDown&&o.props.onKeyDown(e);var n=e.which===i.KeyCodes.up,r=e.which===i.KeyCodes.down;if(!e.defaultPrevented&&o._isValidMenuOpenKey(e)){var a=o.props.onMenuClick;a&&a(e,o.props),o._onToggleMenu(!1),e.preventDefault(),e.stopPropagation()}e.which!==i.KeyCodes.enter&&e.which!==i.KeyCodes.space||(0,i.setFocusVisibility)(!0,e.target,null===(t=o.context)||void 0===t?void 0:t.registeredProviders),e.altKey||e.metaKey||!n&&!r||!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,n=t.onMenuClick,r=t.menuProps;n&&n(e,o.props);var i="boolean"==typeof(null==r?void 0:r.shouldFocusOnContainer)?r.shouldFocusOnContainer:"mouse"===e.nativeEvent.pointerType;e.defaultPrevented||(o._onToggleMenu(i),e.preventDefault(),e.stopPropagation())},(0,i.initializeComponentRef)(o),o._async=new i.Async(o),o._events=new i.EventGroup(o),(0,i.warnConditionallyRequiredProps)(m,t,["menuProps","onClick"],"split",o.props.split),(0,i.warnDeprecations)(m,t,{rootProps:void 0,description:"secondaryText",toggled:"checked"}),o._labelId=(0,i.getId)(),o._descriptionId=(0,i.getId)(),o._ariaDescriptionId=(0,i.getId)(),o.state={menuHidden:!0},o}return n.__extends(t,e),Object.defineProperty(t.prototype,"_isSplitButton",{get:function(){return!!this.props.menuProps&&!!this.props.onClick&&!0===this.props.split},enumerable:!1,configurable:!0}),t.prototype.render=function(){var e,t=this.props,o=t.ariaDescription,n=t.ariaLabel,r=t.ariaHidden,a=t.className,s=t.disabled,l=t.allowDisabledFocus,u=t.primaryDisabled,d=t.secondaryText,p=void 0===d?this.props.description:d,m=t.href,g=t.iconProps,h=t.menuIconProps,f=t.styles,v=t.checked,b=t.variantClassName,y=t.theme,_=t.toggle,S=t.getClassNames,C=t.role,x=this.state.menuHidden,P=s||u;this._classNames=S?S(y,a,b,g&&g.className,h&&h.className,P,v,!x,!!this.props.menuProps,this.props.split,!!l):(0,c.getBaseButtonClassNames)(y,f,a,b,g&&g.className,h&&h.className,P,!!this.props.menuProps,v,!x,this.props.split);var k=this,I=k._ariaDescriptionId,w=k._labelId,T=k._descriptionId,E=!P&&!!m,D=E?"a":"button",M=(0,i.getNativeProps)((0,i.assign)(E?{}:{type:"button"},this.props.rootProps,this.props),E?i.anchorProperties:i.buttonProperties,["disabled"]),O=n||M["aria-label"],R=void 0;o?R=I:p&&this.props.onRenderDescription!==i.nullRender?R=T:M["aria-describedby"]&&(R=M["aria-describedby"]);var F=void 0;M["aria-labelledby"]?F=M["aria-labelledby"]:R&&!O&&(F=this._hasText()?w:void 0);var B=!(!1===this.props["data-is-focusable"]||s&&!l||this._isSplitButton),A="menuitemcheckbox"===C||"checkbox"===C,N=A||!0===_?!!v:void 0,L=(0,i.assign)(M,((e={className:this._classNames.root,ref:this._mergedRef(this.props.elementRef,this._buttonElement),disabled:P&&!l,onKeyDown:this._onKeyDown,onKeyPress:this._onKeyPress,onKeyUp:this._onKeyUp,onMouseDown:this._onMouseDown,onMouseUp:this._onMouseUp,onClick:this._onClick,"aria-label":O,"aria-labelledby":F,"aria-describedby":R,"aria-disabled":P,"data-is-focusable":B})[A?"aria-checked":"aria-pressed"]=N,e));if(r&&(L["aria-hidden"]=!0),this._isSplitButton)return this._onRenderSplitButtonContent(D,L);if(this.props.menuProps){var H=this.props.menuProps.id,j=void 0===H?"".concat(this._labelId,"-menu"):H;(0,i.assign)(L,{"aria-expanded":!x,"aria-controls":x?null:j,"aria-haspopup":!0})}return this._onRenderContent(D,L)},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(){var e,t;this._isSplitButton&&this._splitButtonContainer.current?((0,i.setFocusVisibility)(!0,void 0,null===(e=this.context)||void 0===e?void 0:e.registeredProviders),this._splitButtonContainer.current.focus()):this._buttonElement.current&&((0,i.setFocusVisibility)(!0,void 0,null===(t=this.context)||void 0===t?void 0:t.registeredProviders),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,a=this.props,s=e,l=a.menuIconProps,c=a.menuProps,u=a.onRenderIcon,p=void 0===u?this._onRenderIcon:u,m=a.onRenderAriaDescription,g=void 0===m?this._onRenderAriaDescription:m,h=a.onRenderChildren,f=void 0===h?this._onRenderChildren:h,v=a.onRenderMenu,b=void 0===v?this._onRenderMenu:v,y=a.onRenderMenuIcon,_=void 0===y?this._onRenderMenuIcon:y,S=a.disabled,C=a.keytipProps;C&&c&&(C=this._getMemoizedMenuButtonKeytipProps(C));var x=function(e){return r.createElement(s,n.__assign({},t,e),r.createElement("span",{className:o._classNames.flexContainer,"data-automationid":"splitbuttonprimary"},p(a,o._onRenderIcon),o._onRenderTextContents(),g(a,o._onRenderAriaDescription),f(a,o._onRenderChildren),!o._isSplitButton&&(c||l||o.props.onRenderMenuIcon)&&_(o.props,o._onRenderMenuIcon),c&&!c.doNotLayer&&o._shouldRenderMenu()&&b(o._getMenuProps(c),o._onRenderMenu)))},P=C?r.createElement(d.KeytipData,{keytipProps:this._isSplitButton?void 0:C,ariaDescribedBy:t["aria-describedby"],disabled:S},(function(e){return x(e)})):x();return c&&c.doNotLayer?r.createElement(r.Fragment,null,P,this._shouldRenderMenu()&&b(this._getMenuProps(c),this._onRenderMenu)):r.createElement(r.Fragment,null,P,r.createElement(i.FocusRects,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._getMenuProps=function(e){var t=this.props.persistMenu,o=this.state.menuHidden;return e.ariaLabel||e.labelElementId||!this._hasText()||(e=n.__assign(n.__assign({},e),{labelElementId:this._labelId})),n.__assign(n.__assign({id:this._labelId+"-menu",directionalHint:s.DirectionalHint.bottomLeftEdge},e),{shouldFocusOnContainer:this._menuShouldFocusOnContainer,shouldFocusOnMount:this._menuShouldFocusOnMount,hidden:t?o:void 0,className:(0,i.css)("ms-BaseButton-menuhost",e.className),target:this._isSplitButton?this._splitButtonContainer.current:this._buttonElement.current,onDismiss:this._onDismissMenu})},t.prototype._onRenderSplitButtonContent=function(e,t){var o=this,a=this.props,s=a.styles,l=void 0===s?{}:s,c=a.disabled,p=a.allowDisabledFocus,m=a.checked,g=a.getSplitButtonClassNames,h=a.primaryDisabled,f=a.menuProps,v=a.toggle,b=a.role,y=a.primaryActionButtonProps,_=this.props.keytipProps,S=this.state.menuHidden,C=g?g(!!c,!S,!!m,!!p):l&&(0,u.getSplitButtonClassNames)(l,!!c,!S,!!m,!!h);(0,i.assign)(t,{onClick:void 0,onPointerDown:void 0,onPointerUp:void 0,tabIndex:-1,"data-is-focusable":!1}),_&&f&&(_=this._getMemoizedMenuButtonKeytipProps(_));var x=(0,i.getNativeProps)(t,[],["disabled"]);y&&(0,i.assign)(t,y);var P=function(a){return r.createElement("div",n.__assign({},x,{"data-ktp-target":a?a["data-ktp-target"]:void 0,role:b||"button","aria-disabled":c,"aria-haspopup":!0,"aria-expanded":!S,"aria-pressed":v?!!m:void 0,"aria-describedby":(0,i.mergeAriaAttributeValues)(t["aria-describedby"],a?a["aria-describedby"]:void 0),className:C&&C.splitButtonContainer,onKeyDown:o._onSplitButtonContainerKeyDown,onTouchStart:o._onTouchStart,ref:o._splitButtonContainer,"data-is-focusable":!0,onClick:c||h?void 0:o._onSplitButtonPrimaryClick,tabIndex:!c&&!h||p?0:void 0,"aria-roledescription":t["aria-roledescription"],onFocusCapture:o._onSplitContainerFocusCapture}),r.createElement("span",{style:{display:"flex",width:"100%"}},o._onRenderContent(e,t),o._onRenderSplitButtonMenuButton(C,a),o._onRenderSplitButtonDivider(C)))};return _?r.createElement(d.KeytipData,{keytipProps:_,disabled:c},(function(e){return P(e)})):P()},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=i.primaryDisabled,p=this.state.menuHidden,m=this.props.menuIconProps;void 0===m&&(m={iconName:"ChevronDown"});var g=n.__assign(n.__assign({},c),{styles:e,checked:s,disabled:l,allowDisabledFocus:a,onClick:this._onMenuClick,menuProps:void 0,iconProps:n.__assign(n.__assign({},m),{className:this._classNames.menuIcon}),ariaLabel:u,"aria-haspopup":!0,"aria-expanded":!p,"data-is-focusable":!1});return r.createElement(t,n.__assign({},g,{"data-ktp-execute-target":o?o["data-ktp-execute-target"]:o,onMouseDown:this._onMouseDown,tabIndex:d&&!a?0:-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.state.menuHidden&&e.focus()}),500)},t.prototype._isValidMenuOpenKey=function(e){return this.props.menuTriggerKeyCode?e.which===this.props.menuTriggerKeyCode:!!this.props.menuProps&&e.which===i.KeyCodes.down&&(e.altKey||e.metaKey)},t.defaultProps={baseClassName:"ms-Button",styles:{},split:!1},t.contextType=i.FocusRectsContext,t}(r.Component);t.BaseButton=g},60500:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(71061),r=o(15019),i={outline:0},a=function(e){return{fontSize:e,margin:"0 4px",height:"16px",lineHeight:"16px",textAlign:"center",flexShrink:0}};t.getStyles=(0,n.memoizeFunction)((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.getFocusStyle)(e,{inset:1,highContrastStyle:p,borderColor:"transparent"}),e.fonts.medium,{border:"1px solid "+c,borderRadius:s.roundedCorner2,boxSizing:"border-box",cursor:"pointer",display:"inline-block",padding:"0 16px",textDecoration:"none",textAlign:"center",userSelect:"none",":active > span":{position:"relative",left:0,top:0}}],rootDisabled:[(0,r.getFocusStyle)(e,{inset:1,highContrastStyle:p,borderColor:"transparent"}),{backgroundColor:u,borderColor:u,color:d,cursor:"default",":hover":i,":focus":i}],iconDisabled:(t={color:d},t[r.HighContrastSelector]={color:"GrayText"},t),menuIconDisabled:(o={color:d},o[r.HighContrastSelector]={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.hiddenContentStyle}}))},98395:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Button=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(18972),s=o(22356),l=o(29418),c=o(6412),u=o(38032),d=o(57624),p=function(e){function t(t){var o=e.call(this,t)||this;return(0,i.warn)("The Button component has been deprecated. Use specific variants instead. (PrimaryButton, DefaultButton, IconButton, ActionButton, etc.)"),o}return n.__extends(t,e),t.prototype.render=function(){var e=this.props;switch(e.buttonType){case a.ButtonType.command:return r.createElement(l.ActionButton,n.__assign({},e));case a.ButtonType.compound:return r.createElement(c.CompoundButton,n.__assign({},e));case a.ButtonType.icon:return r.createElement(u.IconButton,n.__assign({},e));case a.ButtonType.primary:return r.createElement(d.PrimaryButton,n.__assign({},e));default:return r.createElement(s.DefaultButton,n.__assign({},e))}},t}(r.Component);t.Button=p},18972:(e,t)=>{"use strict";var o,n;Object.defineProperty(t,"__esModule",{value:!0}),t.ButtonType=t.ElementType=void 0,(n=t.ElementType||(t.ElementType={}))[n.button=0]="button",n[n.anchor=1]="anchor",(o=t.ButtonType||(t.ButtonType={}))[o.normal=0]="normal",o[o.primary=1]="primary",o[o.hero=2]="hero",o[o.compound=3]="compound",o[o.command=4]="command",o[o.icon=5]="icon",o[o.default=6]="default"},5233:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.primaryStyles=t.standardStyles=void 0;var n=o(31635),r=o(15019),i=o(71061);t.standardStyles=function(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,g=l.buttonText,h=l.buttonTextHovered,f=l.buttonTextDisabled,v=l.buttonTextChecked,b=l.buttonTextCheckedHovered;return{root:{backgroundColor:u,color:g},rootHovered:(t={backgroundColor:p,color:h},t[r.HighContrastSelector]={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:(o={color:f,backgroundColor:m},o[r.HighContrastSelector]={color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},o),splitButtonContainer:(i={},i[r.HighContrastSelector]={border:"none"},i),splitButtonMenuButton:{color:c.white,backgroundColor:"transparent",":hover":(a={backgroundColor:c.neutralLight},a[r.HighContrastSelector]={color:"Highlight"},a)},splitButtonMenuButtonDisabled:{backgroundColor:l.buttonBackgroundDisabled,":hover":{backgroundColor:l.buttonBackgroundDisabled}},splitButtonDivider:n.__assign(n.__assign({},{position:"absolute",width:1,right:31,top:8,bottom:8}),(s={backgroundColor:c.neutralTertiaryAlt},s[r.HighContrastSelector]={backgroundColor:"WindowText"},s)),splitButtonDividerDisabled:{backgroundColor:e.palette.neutralTertiaryAlt},splitButtonMenuButtonChecked:{backgroundColor:c.neutralQuaternaryAlt,":hover":{backgroundColor:c.neutralQuaternaryAlt}},splitButtonMenuButtonExpanded:{backgroundColor:c.neutralQuaternaryAlt,":hover":{backgroundColor:c.neutralQuaternaryAlt}},splitButtonMenuIcon:{color:l.buttonText},splitButtonMenuIconDisabled:{color:l.buttonTextDisabled}}},t.primaryStyles=function(e){var t,o,a,s,l,c,u,d,p,m=e.palette,g=e.semanticColors;return{root:(t={backgroundColor:g.primaryButtonBackground,border:"1px solid ".concat(g.primaryButtonBackground),color:g.primaryButtonText},t[r.HighContrastSelector]=n.__assign({color:"Window",backgroundColor:"WindowText",borderColor:"WindowText"},(0,r.getHighContrastNoAdjustStyle)()),t[".".concat(i.IsFocusVisibleClassName," &:focus, :host(.").concat(i.IsFocusVisibleClassName,") &:focus")]={":after":{border:"none",outlineColor:m.white}},t),rootHovered:(o={backgroundColor:g.primaryButtonBackgroundHovered,border:"1px solid ".concat(g.primaryButtonBackgroundHovered),color:g.primaryButtonTextHovered},o[r.HighContrastSelector]={color:"Window",backgroundColor:"Highlight",borderColor:"Highlight"},o),rootPressed:(a={backgroundColor:g.primaryButtonBackgroundPressed,border:"1px solid ".concat(g.primaryButtonBackgroundPressed),color:g.primaryButtonTextPressed},a[r.HighContrastSelector]=n.__assign({color:"Window",backgroundColor:"WindowText",borderColor:"WindowText"},(0,r.getHighContrastNoAdjustStyle)()),a),rootExpanded:{backgroundColor:g.primaryButtonBackgroundPressed,color:g.primaryButtonTextPressed},rootChecked:{backgroundColor:g.primaryButtonBackgroundPressed,color:g.primaryButtonTextPressed},rootCheckedHovered:{backgroundColor:g.primaryButtonBackgroundPressed,color:g.primaryButtonTextPressed},rootDisabled:(s={color:g.primaryButtonTextDisabled,backgroundColor:g.primaryButtonBackgroundDisabled},s[r.HighContrastSelector]={color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},s),splitButtonContainer:(l={},l[r.HighContrastSelector]={border:"none"},l),splitButtonDivider:n.__assign(n.__assign({},{position:"absolute",width:1,right:31,top:8,bottom:8}),(c={backgroundColor:m.white},c[r.HighContrastSelector]={backgroundColor:"Window"},c)),splitButtonMenuButton:(u={backgroundColor:g.primaryButtonBackground,color:g.primaryButtonText},u[r.HighContrastSelector]={backgroundColor:"Canvas"},u[":hover"]=(d={backgroundColor:g.primaryButtonBackgroundHovered},d[r.HighContrastSelector]={color:"Highlight"},d),u),splitButtonMenuButtonDisabled:{backgroundColor:g.primaryButtonBackgroundDisabled,":hover":{backgroundColor:g.primaryButtonBackgroundDisabled}},splitButtonMenuButtonChecked:{backgroundColor:g.primaryButtonBackgroundPressed,":hover":{backgroundColor:g.primaryButtonBackgroundPressed}},splitButtonMenuButtonExpanded:{backgroundColor:g.primaryButtonBackgroundPressed,":hover":{backgroundColor:g.primaryButtonBackgroundPressed}},splitButtonMenuIcon:{color:g.primaryButtonText},splitButtonMenuIconDisabled:(p={color:m.neutralTertiary},p[r.HighContrastSelector]={color:"GrayText"},p)}}},96410:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.CommandBarButton=void 0;var n=o(31635),r=o(83923),i=o(63058),a=o(71061),s=o(85468),l=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return n.__extends(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.theme;return r.createElement(i.BaseButton,n.__assign({},this.props,{variantClassName:"ms-Button--commandBar",styles:(0,s.getStyles)(o,t),onRenderDescription:a.nullRender}))},n.__decorate([(0,a.customizable)("CommandBarButton",["theme","styles"],!0)],t)}(r.Component);t.CommandBarButton=l},85468:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(31635),r=o(15019),i=o(71061),a=o(60500),s=o(45246),l=o(21550);t.getStyles=(0,i.memoizeFunction)((function(e,t,o,i){var c,u,d,p,m,g,h,f,v,b,y,_,S,C=(0,a.getStyles)(e),x=(0,s.getStyles)(e),P=e.palette,k=e.semanticColors,I={root:[(0,r.getFocusStyle)(e,{inset:2,highContrastStyle:{left:4,top:4,bottom:4,right:4,border:"none"},borderColor:"transparent"}),e.fonts.medium,(c={minWidth:"40px",backgroundColor:P.white,color:P.neutralPrimary,padding:"0 4px",border:"none",borderRadius:0},c[r.HighContrastSelector]={border:"none"},c)],rootHovered:(u={backgroundColor:P.neutralLighter,color:P.neutralDark},u[r.HighContrastSelector]={color:"Highlight"},u[".".concat(l.ButtonGlobalClassNames.msButtonIcon)]={color:P.themeDarkAlt},u[".".concat(l.ButtonGlobalClassNames.msButtonMenuIcon)]={color:P.neutralPrimary},u),rootPressed:(d={backgroundColor:P.neutralLight,color:P.neutralDark},d[".".concat(l.ButtonGlobalClassNames.msButtonIcon)]={color:P.themeDark},d[".".concat(l.ButtonGlobalClassNames.msButtonMenuIcon)]={color:P.neutralPrimary},d),rootChecked:(p={backgroundColor:P.neutralLight,color:P.neutralDark},p[".".concat(l.ButtonGlobalClassNames.msButtonIcon)]={color:P.themeDark},p[".".concat(l.ButtonGlobalClassNames.msButtonMenuIcon)]={color:P.neutralPrimary},p),rootCheckedHovered:(m={backgroundColor:P.neutralQuaternaryAlt},m[".".concat(l.ButtonGlobalClassNames.msButtonIcon)]={color:P.themeDark},m[".".concat(l.ButtonGlobalClassNames.msButtonMenuIcon)]={color:P.neutralPrimary},m),rootExpanded:(g={backgroundColor:P.neutralLight,color:P.neutralDark},g[".".concat(l.ButtonGlobalClassNames.msButtonIcon)]={color:P.themeDark},g[".".concat(l.ButtonGlobalClassNames.msButtonMenuIcon)]={color:P.neutralPrimary},g),rootExpandedHovered:{backgroundColor:P.neutralQuaternaryAlt},rootDisabled:(h={backgroundColor:P.white},h[".".concat(l.ButtonGlobalClassNames.msButtonIcon)]=(f={color:k.disabledBodySubtext},f[r.HighContrastSelector]=n.__assign({color:"GrayText"},(0,r.getHighContrastNoAdjustStyle)()),f),h[r.HighContrastSelector]=n.__assign({color:"GrayText",backgroundColor:"Window"},(0,r.getHighContrastNoAdjustStyle)()),h),splitButtonContainer:(v={height:"100%"},v[r.HighContrastSelector]={border:"none"},v),splitButtonDividerDisabled:(b={},b[r.HighContrastSelector]={backgroundColor:"Window"},b),splitButtonDivider:{backgroundColor:P.neutralTertiaryAlt},splitButtonMenuButton:{backgroundColor:P.white,border:"none",borderTopRightRadius:"0",borderBottomRightRadius:"0",color:P.neutralSecondary,":hover":(y={backgroundColor:P.neutralLighter,color:P.neutralDark},y[r.HighContrastSelector]={color:"Highlight"},y[".".concat(l.ButtonGlobalClassNames.msButtonIcon)]={color:P.neutralPrimary},y),":active":(_={backgroundColor:P.neutralLight},_[".".concat(l.ButtonGlobalClassNames.msButtonIcon)]={color:P.neutralPrimary},_)},splitButtonMenuButtonDisabled:(S={backgroundColor:P.white},S[r.HighContrastSelector]=n.__assign({color:"GrayText",border:"none",backgroundColor:"Window"},(0,r.getHighContrastNoAdjustStyle)()),S),splitButtonMenuButtonChecked:{backgroundColor:P.neutralLight,color:P.neutralDark,":hover":{backgroundColor:P.neutralQuaternaryAlt}},splitButtonMenuButtonExpanded:{backgroundColor:P.neutralLight,color:P.black,":hover":{backgroundColor:P.neutralQuaternaryAlt}},splitButtonMenuIcon:{color:P.neutralPrimary},splitButtonMenuIconDisabled:{color:P.neutralTertiary},label:{fontWeight:"normal"},icon:{color:P.themePrimary},menuIcon:{color:P.neutralSecondary}};return(0,r.concatStyleSets)(C,x,I,t)}))},98156:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.CommandButton=void 0;var n=o(29418);t.CommandButton=n.ActionButton},6412:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.CompoundButton=void 0;var n=o(31635),r=o(83923),i=o(63058),a=o(71061),s=o(32558),l=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return n.__extends(t,e),t.prototype.render=function(){var e=this.props,t=e.primary,o=void 0!==t&&t,a=e.styles,l=e.theme;return r.createElement(i.BaseButton,n.__assign({},this.props,{variantClassName:o?"ms-Button--compoundPrimary":"ms-Button--compound",styles:(0,s.getStyles)(l,a,o)}))},n.__decorate([(0,a.customizable)("CompoundButton",["theme","styles"],!0)],t)}(r.Component);t.CompoundButton=l},32558:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(31635),r=o(15019),i=o(71061),a=o(60500),s=o(45246),l=o(5233);t.getStyles=(0,i.memoizeFunction)((function(e,t,o){var i,c,u,d,p,m=e.fonts,g=e.palette,h=(0,a.getStyles)(e),f=(0,s.getStyles)(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:r.FontWeights.semibold},description:[m.small,{lineHeight:"100%"}]},b={description:{color:g.neutralSecondary},descriptionHovered:{color:g.neutralDark},descriptionPressed:{color:"inherit"},descriptionChecked:{color:"inherit"},descriptionDisabled:{color:"inherit"}},y={description:(i={color:g.white},i[r.HighContrastSelector]=n.__assign({backgroundColor:"WindowText",color:"Window"},(0,r.getHighContrastNoAdjustStyle)()),i),descriptionHovered:(c={color:g.white},c[r.HighContrastSelector]={backgroundColor:"Highlight",color:"Window"},c),descriptionPressed:(u={color:"inherit"},u[r.HighContrastSelector]=n.__assign({color:"Window",backgroundColor:"WindowText"},(0,r.getHighContrastNoAdjustStyle)()),u),descriptionChecked:(d={color:"inherit"},d[r.HighContrastSelector]=n.__assign({color:"Window",backgroundColor:"WindowText"},(0,r.getHighContrastNoAdjustStyle)()),d),descriptionDisabled:(p={color:"inherit"},p[r.HighContrastSelector]={color:"inherit"},p)};return(0,r.concatStyleSets)(h,v,o?(0,l.primaryStyles)(e):(0,l.standardStyles)(e),o?y:b,f,t)}))},22356:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DefaultButton=void 0;var n=o(31635),r=o(83923),i=o(63058),a=o(71061),s=o(7926),l=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return n.__extends(t,e),t.prototype.render=function(){var e=this.props,t=e.primary,o=void 0!==t&&t,l=e.styles,c=e.theme;return r.createElement(i.BaseButton,n.__assign({},this.props,{variantClassName:o?"ms-Button--primary":"ms-Button--default",styles:(0,s.getStyles)(c,l,o),onRenderDescription:a.nullRender}))},n.__decorate([(0,a.customizable)("DefaultButton",["theme","styles"],!0)],t)}(r.Component);t.DefaultButton=l},7926:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r=o(71061),i=o(60500),a=o(45246),s=o(5233);t.getStyles=(0,r.memoizeFunction)((function(e,t,o){var r=(0,i.getStyles)(e),l=(0,a.getStyles)(e),c={root:{minWidth:"80px",height:"32px"},label:{fontWeight:n.FontWeights.semibold}};return(0,n.concatStyleSets)(r,c,o?(0,s.primaryStyles)(e):(0,s.standardStyles)(e),l,t)}))},38032:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.IconButton=void 0;var n=o(31635),r=o(83923),i=o(63058),a=o(71061),s=o(50938),l=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return n.__extends(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.theme;return r.createElement(i.BaseButton,n.__assign({},this.props,{variantClassName:"ms-Button--icon",styles:(0,s.getStyles)(o,t),onRenderText:a.nullRender,onRenderDescription:a.nullRender}))},n.__decorate([(0,a.customizable)("IconButton",["theme","styles"],!0)],t)}(r.Component);t.IconButton=l},50938:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r=o(71061),i=o(60500),a=o(45246);t.getStyles=(0,r.memoizeFunction)((function(e,t){var o,r=(0,i.getStyles)(e),s=(0,a.getStyles)(e),l=e.palette,c={root:{padding:"0 4px",width:"32px",height:"32px",backgroundColor:"transparent",border:"none",color:e.semanticColors.link},rootHovered:(o={color:l.themeDarkAlt,backgroundColor:l.neutralLighter},o[n.HighContrastSelector]={borderColor:"Highlight",color:"Highlight"},o),rootHasMenu:{width:"auto"},rootPressed:{color:l.themeDark,backgroundColor:l.neutralLight},rootExpanded:{color:l.themeDark,backgroundColor:l.neutralLight},rootChecked:{color:l.themeDark,backgroundColor:l.neutralLight},rootCheckedHovered:{color:l.themeDark,backgroundColor:l.neutralQuaternaryAlt},rootDisabled:{color:l.neutralTertiaryAlt}};return(0,n.concatStyleSets)(r,c,s,t)}))},13954:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.MessageBarButton=void 0;var n=o(31635),r=o(83923),i=o(22356),a=o(71061),s=o(52548),l=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return n.__extends(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.theme;return r.createElement(i.DefaultButton,n.__assign({},this.props,{styles:(0,s.getStyles)(o,t),onRenderDescription:a.nullRender}))},n.__decorate([(0,a.customizable)("MessageBarButton",["theme","styles"],!0)],t)}(r.Component);t.MessageBarButton=l},52548:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r=o(71061);t.getStyles=(0,r.memoizeFunction)((function(e,t){return(0,n.concatStyleSets)({root:[(0,n.getFocusStyle)(e,{inset:1,highContrastStyle:{outlineOffset:"-4px",outline:"1px solid Window"},borderColor:"transparent"}),{height:24}]},t)}))},57624:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.PrimaryButton=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(22356),s=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return n.__extends(t,e),t.prototype.render=function(){return r.createElement(a.DefaultButton,n.__assign({},this.props,{primary:!0,onRenderDescription:i.nullRender}))},n.__decorate([(0,i.customizable)("PrimaryButton",["theme","styles"],!0)],t)}(r.Component);t.PrimaryButton=s},44700:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getSplitButtonClassNames=t.SplitButtonGlobalClassNames=void 0;var n=o(71061),r=o(15019);t.SplitButtonGlobalClassNames={msSplitButtonDivider:"ms-SplitButton-divider"},t.getSplitButtonClassNames=(0,n.memoizeFunction)((function(e,o,n,i,a){return{root:(0,r.mergeStyles)(e.splitButtonMenuButton,n&&[e.splitButtonMenuButtonExpanded],o&&[e.splitButtonMenuButtonDisabled],i&&!o&&[e.splitButtonMenuButtonChecked],a&&!o&&[{":focus":e.splitButtonMenuFocused}]),splitButtonContainer:(0,r.mergeStyles)(e.splitButtonContainer,!o&&i&&[e.splitButtonContainerChecked,{":hover":e.splitButtonContainerCheckedHovered}],!o&&!i&&[{":hover":e.splitButtonContainerHovered,":focus":e.splitButtonContainerFocused}],o&&e.splitButtonContainerDisabled),icon:(0,r.mergeStyles)(e.splitButtonMenuIcon,o&&e.splitButtonMenuIconDisabled,!o&&a&&e.splitButtonMenuIcon),flexContainer:(0,r.mergeStyles)(e.splitButtonFlexContainer),divider:(0,r.mergeStyles)(t.SplitButtonGlobalClassNames.msSplitButtonDivider,e.splitButtonDivider,(a||o)&&e.splitButtonDividerDisabled)}}))},45246:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(31635),r=o(15019),i=o(71061);t.getStyles=(0,i.memoizeFunction)((function(e,t){var o,i,a,s,l,c,u,d,p,m,g,h,f,v,b,y,_=e.effects,S=e.palette,C=e.semanticColors,x={left:-2,top:-2,bottom:-2,right:-2,border:"none"},P={position:"absolute",width:1,right:31,top:8,bottom:8},k={splitButtonContainer:[(0,r.getFocusStyle)(e,{highContrastStyle:x,inset:2,pointerEvents:"none"}),{display:"inline-flex",".ms-Button--default":{borderTopRightRadius:"0",borderBottomRightRadius:"0",borderRight:"none",flexGrow:"1"},".ms-Button--primary":(o={borderTopRightRadius:"0",borderBottomRightRadius:"0",border:"none",flexGrow:"1",":hover":{border:"none"},":active":{border:"none"}},o[r.HighContrastSelector]=n.__assign(n.__assign({color:"WindowText",backgroundColor:"Window",border:"1px solid WindowText",borderRightWidth:"0"},(0,r.getHighContrastNoAdjustStyle)()),{":hover":{backgroundColor:"Highlight",border:"1px solid Highlight",borderRightWidth:"0",color:"HighlightText"},":active":{border:"1px solid Highlight"}}),o),".ms-Button--default + .ms-Button":(i={},i[r.HighContrastSelector]={border:"1px solid WindowText",borderLeftWidth:"0",":hover":{backgroundColor:"HighlightText",borderColor:"Highlight",color:"Highlight",".ms-Button-menuIcon":n.__assign({backgroundColor:"HighlightText",color:"Highlight"},(0,r.getHighContrastNoAdjustStyle)())}},i),'.ms-Button--default + .ms-Button[aria-expanded="true"]':(a={},a[r.HighContrastSelector]={backgroundColor:"HighlightText",borderColor:"Highlight",color:"Highlight",".ms-Button-menuIcon":n.__assign({backgroundColor:"HighlightText",color:"Highlight"},(0,r.getHighContrastNoAdjustStyle)())},a),".ms-Button--primary + .ms-Button":(s={border:"none"},s[r.HighContrastSelector]={border:"1px solid WindowText",borderLeftWidth:"0",":hover":{borderLeftWidth:"0",backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText",".ms-Button-menuIcon":n.__assign(n.__assign({},(0,r.getHighContrastNoAdjustStyle)()),{color:"HighlightText"})}},s),'.ms-Button--primary + .ms-Button[aria-expanded="true"]':n.__assign(n.__assign({backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},(0,r.getHighContrastNoAdjustStyle)()),{".ms-Button-menuIcon":{color:"HighlightText"}}),".ms-Button.is-disabled":(l={},l[r.HighContrastSelector]={color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},l)}],splitButtonContainerHovered:{".ms-Button--default.is-disabled":(c={backgroundColor:C.buttonBackgroundDisabled,color:C.buttonTextDisabled},c[r.HighContrastSelector]={color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},c),".ms-Button--primary.is-disabled":(u={backgroundColor:C.primaryButtonBackgroundDisabled,color:C.primaryButtonTextDisabled},u[r.HighContrastSelector]={color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},u)},splitButtonContainerChecked:{".ms-Button--primary":(d={},d[r.HighContrastSelector]=n.__assign({color:"Window",backgroundColor:"WindowText"},(0,r.getHighContrastNoAdjustStyle)()),d)},splitButtonContainerCheckedHovered:{".ms-Button--primary":(p={},p[r.HighContrastSelector]=n.__assign({color:"Window",backgroundColor:"WindowText"},(0,r.getHighContrastNoAdjustStyle)()),p)},splitButtonContainerFocused:{outline:"none!important"},splitButtonMenuButton:(m={padding:6,height:"auto",boxSizing:"border-box",borderRadius:0,borderTopRightRadius:_.roundedCorner2,borderBottomRightRadius:_.roundedCorner2,border:"1px solid ".concat(S.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},m[r.HighContrastSelector]={".ms-Button-menuIcon":{color:"WindowText"}},m),splitButtonDivider:n.__assign(n.__assign({},P),(g={},g[r.HighContrastSelector]={backgroundColor:"WindowText"},g)),splitButtonDividerDisabled:n.__assign(n.__assign({},P),(h={},h[r.HighContrastSelector]={backgroundColor:"GrayText"},h)),splitButtonMenuButtonDisabled:(f={pointerEvents:"none",border:"none",":hover":{cursor:"default"},".ms-Button--primary":(v={},v[r.HighContrastSelector]={color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},v),".ms-Button-menuIcon":(b={},b[r.HighContrastSelector]={color:"GrayText"},b)},f[r.HighContrastSelector]={color:"GrayText",border:"1px solid GrayText",backgroundColor:"Window"},f),splitButtonFlexContainer:{display:"flex",height:"100%",flexWrap:"nowrap",justifyContent:"center",alignItems:"center"},splitButtonContainerDisabled:(y={outline:"none",border:"none"},y[r.HighContrastSelector]=n.__assign({color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},(0,r.getHighContrastNoAdjustStyle)()),y),splitButtonMenuFocused:n.__assign({},(0,r.getFocusStyle)(e,{highContrastStyle:x,inset:2}))};return(0,r.concatStyleSets)(k,t)}))},79259:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ButtonGlobalClassNames=void 0;var n=o(31635);n.__exportStar(o(63058),t),n.__exportStar(o(18972),t),n.__exportStar(o(98395),t),n.__exportStar(o(29418),t),n.__exportStar(o(96410),t),n.__exportStar(o(98156),t),n.__exportStar(o(6412),t),n.__exportStar(o(22356),t),n.__exportStar(o(13954),t),n.__exportStar(o(57624),t),n.__exportStar(o(38032),t),n.__exportStar(o(44700),t);var r=o(21550);Object.defineProperty(t,"ButtonGlobalClassNames",{enumerable:!0,get:function(){return r.ButtonGlobalClassNames}})},76420:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.CalendarBase=void 0;var n=o(31635),r=o(83923),i=o(6517),a=o(78686),s=o(19066),l=o(52332),c=o(25698),u=o(76071),d=(0,l.classNamesFunction)(),p=[i.DayOfWeek.Monday,i.DayOfWeek.Tuesday,i.DayOfWeek.Wednesday,i.DayOfWeek.Thursday,i.DayOfWeek.Friday],m={isMonthPickerVisible:!0,isDayPickerVisible:!0,showMonthPickerAsOverlay:!1,today:new Date,firstDayOfWeek:i.DayOfWeek.Sunday,dateRangeType:i.DateRangeType.Day,showGoToToday:!0,strings:i.DEFAULT_CALENDAR_STRINGS,highlightCurrentMonth:!1,highlightSelectedMonth:!1,navigationIcons:u.defaultCalendarNavigationIcons,showWeekNumbers:!1,firstWeekOfYear:i.FirstWeekOfYear.FirstDay,dateTimeFormatter:i.DEFAULT_DATE_FORMATTING,showSixWeeksByDefault:!1,workWeekDays:p,showCloseButton:!1,allFocusable:!1};function g(e){var t=e.showMonthPickerAsOverlay,o=e.isDayPickerVisible,n=(0,l.getWindow)();return t||o&&n&&n.innerWidth<=440}t.CalendarBase=r.forwardRef((function(e,t){var o=(0,l.getPropsWithDefaults)(m,e),u=function(e){var t=e.value,o=e.today,n=e.onSelectDate,i=r.useMemo((function(){return void 0===o?new Date:o}),[o]),a=(0,c.useControllableValue)(t,i),s=a[0],l=void 0===s?i:s,u=a[1],d=r.useState(t),p=d[0],m=void 0===p?i:p,g=d[1],h=r.useState(t),f=h[0],v=void 0===f?i:f,b=h[1],y=r.useState(t),_=y[0],S=void 0===_?i:_,C=y[1];return t&&S.valueOf()!==t.valueOf()&&(g(t),b(t),C(t)),[l,m,v,function(e,t){b(e),g(e),u(e),null==n||n(e,t)},function(e){b(e),g(e)},function(e){b(e)}]}(o),p=u[0],h=u[1],f=u[2],v=u[3],b=u[4],y=u[5],_=function(e){var t=(0,c.useControllableValue)(g(e)?void 0:e.isMonthPickerVisible,!1),o=t[0],n=void 0===o||o,r=t[1],i=(0,c.useControllableValue)(g(e)?void 0:e.isDayPickerVisible,!0),a=i[0],s=void 0===a||a,l=i[1];return[n,s,function(){r(!n),l(!s)}]}(o),S=_[0],C=_[1],x=_[2],P=function(e,t,o){var n=e.componentRef,i=r.useRef(null),a=r.useRef(null),s=r.useRef(!1),c=r.useCallback((function(){t&&i.current?(0,l.focusAsync)(i.current):o&&a.current&&(0,l.focusAsync)(a.current)}),[t,o]);return r.useImperativeHandle(n,(function(){return{focus:c}}),[c]),r.useEffect((function(){s.current&&(c(),s.current=!1)})),[i,a,function(){s.current=!0}]}(o,C,S),k=P[0],I=P[1],w=P[2],T=function(){var e=B;return e&&$&&(e=h.getFullYear()!==$.getFullYear()||h.getMonth()!==$.getMonth()||f.getFullYear()!==$.getFullYear()||f.getMonth()!==$.getMonth()),B&&r.createElement("button",{className:(0,l.css)("js-goToday",ne.goTodayButton),onClick:D,onKeyDown:M(D),type:"button",disabled:!e},F.goToToday)},E=g(o)?function(){x(),w()}:void 0,D=function(){b($),w()},M=function(e){return function(t){switch(t.which){case l.KeyCodes.enter:case l.KeyCodes.space:e()}}},O=o.firstDayOfWeek,R=o.dateRangeType,F=o.strings,B=o.showGoToToday,A=o.highlightCurrentMonth,N=o.highlightSelectedMonth,L=o.navigationIcons,H=o.minDate,j=o.maxDate,z=o.restrictedDates,W=o.id,V=o.className,K=o.showCloseButton,G=o.allFocusable,U=o.styles,Y=o.showWeekNumbers,q=o.theme,X=o.calendarDayProps,Z=o.calendarMonthProps,Q=o.dateTimeFormatter,J=o.today,$=void 0===J?new Date:J,ee=g(o),te=!ee&&!C,oe=ee&&B,ne=d(U,{theme:q,className:V,isMonthPickerVisible:S,isDayPickerVisible:C,monthPickerOnly:te,showMonthPickerAsOverlay:ee,overlaidWithButton:oe,overlayedWithButton:oe,showGoToToday:B,showWeekNumbers:Y}),re="",ie="";if(Q&&F.todayDateFormatString&&(re=(0,l.format)(F.todayDateFormatString,Q.formatMonthDayYear($,F))),Q&&F.selectedDateFormatString){var ae=te?Q.formatMonthYear:Q.formatMonthDayYear;ie=(0,l.format)(F.selectedDateFormatString,ae(p,F))}var se=ie+", "+re;return r.createElement("div",{id:W,ref:t,role:"group","aria-label":se,className:(0,l.css)("ms-DatePicker",ne.root,V,"ms-slideDownIn10"),onKeyDown:function(e){var t;switch(e.which){case l.KeyCodes.enter:case l.KeyCodes.backspace:e.preventDefault();break;case l.KeyCodes.escape:null===(t=o.onDismiss)||void 0===t||t.call(o);break;case l.KeyCodes.pageUp:e.ctrlKey?b((0,i.addYears)(h,1)):b((0,i.addMonths)(h,1)),e.preventDefault();break;case l.KeyCodes.pageDown:e.ctrlKey?b((0,i.addYears)(h,-1)):b((0,i.addMonths)(h,-1)),e.preventDefault()}}},r.createElement("div",{className:ne.liveRegion,"aria-live":"polite","aria-atomic":"true"},r.createElement("span",null,ie)),C&&r.createElement(a.CalendarDay,n.__assign({selectedDate:p,navigatedDate:h,today:o.today,onSelectDate:v,onNavigateDate:function(e,t){b(e),t&&w()},onDismiss:o.onDismiss,firstDayOfWeek:O,dateRangeType:R,strings:F,onHeaderSelect:E,navigationIcons:L,showWeekNumbers:o.showWeekNumbers,firstWeekOfYear:o.firstWeekOfYear,dateTimeFormatter:o.dateTimeFormatter,showSixWeeksByDefault:o.showSixWeeksByDefault,minDate:H,maxDate:j,restrictedDates:z,workWeekDays:o.workWeekDays,componentRef:k,showCloseButton:K,allFocusable:G},X)),C&&S&&r.createElement("div",{className:ne.divider}),S?r.createElement("div",{className:ne.monthPickerWrapper},r.createElement(s.CalendarMonth,n.__assign({navigatedDate:f,selectedDate:h,strings:F,onNavigateDate:function(e,t){t&&w(),t?(te&&v(e),b(e)):y(e)},today:o.today,highlightCurrentMonth:A,highlightSelectedMonth:N,onHeaderSelect:E,navigationIcons:L,dateTimeFormatter:o.dateTimeFormatter,minDate:H,maxDate:j,componentRef:I},Z)),T()):T(),r.createElement(l.FocusRects,null))})),t.CalendarBase.displayName="CalendarBase"},82135:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Calendar=void 0;var n=o(52332),r=o(76420),i=o(77083);t.Calendar=(0,n.styled)(r.CalendarBase,i.styles,void 0,{scope:"Calendar"})},77083:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.styles=void 0;var n=o(83048);t.styles=function(e){var t,o=e.className,r=e.theme,i=e.isDayPickerVisible,a=e.isMonthPickerVisible,s=e.showWeekNumbers,l=r.palette,c=i&&a?440:220;return s&&i&&(c+=30),{root:[n.normalize,{display:"flex",width:c},!a&&{flexDirection:"column"},o],divider:{top:0,borderRight:"1px solid",borderColor:l.neutralLight},monthPickerWrapper:[{display:"flex",flexDirection:"column"}],goTodayButton:[(0,n.getFocusStyle)(r,{inset:-1}),{bottom:0,color:l.neutralPrimary,height:30,lineHeight:30,backgroundColor:"transparent",border:"none",boxSizing:"content-box",padding:"0 4px",alignSelf:"flex-end",marginRight:16,marginTop:3,fontSize:n.FontSizes.small,fontFamily:"inherit",overflow:"visible",selectors:{"& div":{fontSize:n.FontSizes.small},"&:hover":{color:l.themePrimary,backgroundColor:"transparent",cursor:"pointer",selectors:(t={},t[n.HighContrastSelector]={outline:"1px solid Buttontext",borderRadius:"2px"},t)},"&:active":{color:l.themeDark},"&:disabled":{color:l.neutralTertiaryAlt,pointerEvents:"none"}}}],liveRegion:{border:0,height:"1px",margin:"-1px",overflow:"hidden",padding:0,width:"1px",position:"absolute"}}}},98752:(e,t)=>{"use strict";var o;Object.defineProperty(t,"__esModule",{value:!0}),t.AnimationDirection=void 0,(o=t.AnimationDirection||(t.AnimationDirection={}))[o.Horizontal=0]="Horizontal",o[o.Vertical=1]="Vertical"},21219:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.CalendarDayBase=void 0;var n=o(31635),r=o(83923),i=o(52332),a=o(30936),s=o(6517),l=o(67033),c=o(25698),u=(0,i.classNamesFunction)();t.CalendarDayBase=function(e){var t=r.useRef(null);r.useImperativeHandle(e.componentRef,(function(){return{focus:function(){var e,o;null===(o=null===(e=t.current)||void 0===e?void 0:e.focus)||void 0===o||o.call(e)}}}),[]);var o=e.strings,a=e.navigatedDate,s=e.dateTimeFormatter,m=e.styles,g=e.theme,h=e.className,f=e.onHeaderSelect,v=e.showSixWeeksByDefault,b=e.minDate,y=e.maxDate,_=e.restrictedDates,S=e.onNavigateDate,C=e.showWeekNumbers,x=e.dateRangeType,P=e.animationDirection,k=(0,c.useId)(),I=u(m,{theme:g,className:h,headerIsClickable:!!f,showWeekNumbers:C,animationDirection:P}),w=s.formatMonthYear(a,o),T=f?"button":"div",E=o.yearPickerHeaderAriaLabel?(0,i.format)(o.yearPickerHeaderAriaLabel,w):w;return r.createElement("div",{className:I.root},r.createElement("div",{className:I.header},r.createElement(T,{"aria-label":f?E:void 0,className:I.monthAndYear,onClick:f,"data-is-focusable":!!f,tabIndex:f?0:-1,onKeyDown:p(f),type:"button"},r.createElement("span",{id:k,"aria-live":"polite","aria-atomic":"true"},w)),r.createElement(d,n.__assign({},e,{classNames:I}))),r.createElement(l.CalendarDayGrid,n.__assign({},e,{styles:m,componentRef:t,strings:o,navigatedDate:a,weeksToShow:v?6:void 0,dateTimeFormatter:s,minDate:b,maxDate:y,restrictedDates:_,onNavigateDate:S,labelledBy:k,dateRangeType:x})))},t.CalendarDayBase.displayName="CalendarDayBase";var d=function(e){var t,o,n=e.minDate,l=e.maxDate,c=e.navigatedDate,u=e.allFocusable,d=e.strings,m=e.navigationIcons,g=e.showCloseButton,h=e.classNames,f=e.onNavigateDate,v=e.onDismiss,b=function(){f((0,s.addMonths)(c,1),!1)},y=function(){f((0,s.addMonths)(c,-1),!1)},_=m.leftNavigation,S=m.rightNavigation,C=m.closeIcon,x=!n||(0,s.compareDatePart)(n,(0,s.getMonthStart)(c))<0,P=!l||(0,s.compareDatePart)((0,s.getMonthEnd)(c),l)<0;return r.createElement("div",{className:h.monthComponents},r.createElement("button",{className:(0,i.css)(h.headerIconButton,(t={},t[h.disabledStyle]=!x,t)),tabIndex:x?void 0:u?0:-1,"aria-disabled":!x,onClick:x?y:void 0,onKeyDown:x?p(y):void 0,title:d.prevMonthAriaLabel?d.prevMonthAriaLabel+" "+d.months[(0,s.addMonths)(c,-1).getMonth()]:void 0,type:"button"},r.createElement(a.Icon,{iconName:_})),r.createElement("button",{className:(0,i.css)(h.headerIconButton,(o={},o[h.disabledStyle]=!P,o)),tabIndex:P?void 0:u?0:-1,"aria-disabled":!P,onClick:P?b:void 0,onKeyDown:P?p(b):void 0,title:d.nextMonthAriaLabel?d.nextMonthAriaLabel+" "+d.months[(0,s.addMonths)(c,1).getMonth()]:void 0,type:"button"},r.createElement(a.Icon,{iconName:S})),g&&r.createElement("button",{className:(0,i.css)(h.headerIconButton),onClick:v,onKeyDown:p(v),title:d.closeButtonAriaLabel,type:"button"},r.createElement(a.Icon,{iconName:C})))};d.displayName="CalendarDayNavigationButtons";var p=function(e){return function(t){t.which===i.KeyCodes.enter&&(null==e||e())}}},78686:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.CalendarDay=void 0;var n=o(21219),r=o(28920),i=o(71061);t.CalendarDay=(0,i.styled)(n.CalendarDayBase,r.styles,void 0,{scope:"CalendarDay"})},28920:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.styles=void 0;var n=o(31635),r=o(83048);t.styles=function(e){var t,o=e.className,i=e.theme,a=e.headerIsClickable,s=e.showWeekNumbers,l=i.palette,c={selectors:(t={"&, &:disabled, & button":{color:l.neutralTertiaryAlt,pointerEvents:"none"}},t[r.HighContrastSelector]={color:"GrayText",forcedColorAdjust:"none"},t)};return{root:[r.normalize,{width:196,padding:12,boxSizing:"content-box"},s&&{width:226},o],header:{position:"relative",display:"inline-flex",height:28,lineHeight:44,width:"100%"},monthAndYear:[(0,r.getFocusStyle)(i,{inset:1}),n.__assign(n.__assign({},r.AnimationStyles.fadeIn200),{alignItems:"center",fontSize:r.FontSizes.medium,fontFamily:"inherit",color:l.neutralPrimary,display:"inline-block",flexGrow:1,fontWeight:r.FontWeights.semibold,padding:"0 4px 0 10px",border:"none",backgroundColor:"transparent",borderRadius:2,lineHeight:28,overflow:"hidden",whiteSpace:"nowrap",textAlign:"left",textOverflow:"ellipsis"}),a&&{selectors:{"&:hover":{cursor:"pointer",background:l.neutralLight,color:l.black}}}],monthComponents:{display:"inline-flex",alignSelf:"flex-end"},headerIconButton:[(0,r.getFocusStyle)(i,{inset:-1}),{width:28,height:28,display:"block",textAlign:"center",lineHeight:28,fontSize:r.FontSizes.small,fontFamily:"inherit",color:l.neutralPrimary,borderRadius:2,position:"relative",backgroundColor:"transparent",border:"none",padding:0,overflow:"visible",selectors:{"&:hover":{color:l.neutralDark,backgroundColor:l.neutralLight,cursor:"pointer",outline:"1px solid transparent"}}}],disabledStyle:c}}},25817:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},43639:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.CalendarMonthBase=void 0;var n=o(83923),r=o(80371),i=o(6517),a=o(30936),s=o(95772),l=o(52332),c=o(53086),u=o(25698),d=o(76071),p=(0,l.classNamesFunction)(),m={styles:s.getStyles,strings:void 0,navigationIcons:d.defaultCalendarNavigationIcons,dateTimeFormatter:i.DEFAULT_DATE_FORMATTING,yearPickerHidden:!1};function g(e,t,o){return o.getFullYear()===t&&o.getMonth()===e}function h(e){return function(t){t.which===l.KeyCodes.enter&&e()}}t.CalendarMonthBase=function(e){var t,o,s=(0,l.getPropsWithDefaults)(m,e),d=function(e){var t=e.componentRef,o=n.useRef(null),r=n.useRef(null),i=n.useRef(!1),a=n.useCallback((function(){r.current?r.current.focus():o.current&&o.current.focus()}),[]);return n.useImperativeHandle(t,(function(){return{focus:a}}),[a]),n.useEffect((function(){i.current&&(a(),i.current=!1)})),[o,r,function(){i.current=!0}]}(s),f=d[0],v=d[1],b=d[2],y=n.useState(!1),_=y[0],S=y[1],C=function(e){var t=e.navigatedDate.getFullYear(),o=(0,u.usePrevious)(t);return void 0===o||o===t?void 0:o>t}(s),x=s.navigatedDate,P=s.selectedDate,k=s.strings,I=s.today,w=void 0===I?new Date:I,T=s.navigationIcons,E=s.dateTimeFormatter,D=s.minDate,M=s.maxDate,O=s.theme,R=s.styles,F=s.className,B=s.allFocusable,A=s.highlightCurrentMonth,N=s.highlightSelectedMonth,L=s.animationDirection,H=s.yearPickerHidden,j=s.onNavigateDate,z=function(e){return function(){return K(e)}},W=function(){j((0,i.addYears)(x,1),!1)},V=function(){j((0,i.addYears)(x,-1),!1)},K=function(e){var t;null===(t=s.onHeaderSelect)||void 0===t||t.call(s),j((0,i.setMonth)(x,e),!0)},G=function(){var e;H?null===(e=s.onHeaderSelect)||void 0===e||e.call(s):(b(),S(!0))},U=T.leftNavigation,Y=T.rightNavigation,q=E,X=!D||(0,i.compareDatePart)(D,(0,i.getYearStart)(x))<0,Z=!M||(0,i.compareDatePart)((0,i.getYearEnd)(x),M)<0,Q=p(R,{theme:O,className:F,hasHeaderClickCallback:!!s.onHeaderSelect||!H,highlightCurrent:A,highlightSelected:N,animateBackwards:C,animationDirection:L});if(_){var J=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"".concat(r(e.fromYear)," - ").concat(r(e.toYear))};return[r,{rangeAriaLabel:i,prevRangeAriaLabel:function(e){return t.prevYearRangeAriaLabel?"".concat(t.prevYearRangeAriaLabel," ").concat(i(e)):""},nextRangeAriaLabel:function(e){return t.nextYearRangeAriaLabel?"".concat(t.nextYearRangeAriaLabel," ").concat(i(e)):""},headerAriaLabelFormatString:t.yearPickerHeaderAriaLabel}]}(s),$=J[0],ee=J[1];return n.createElement(c.CalendarYear,{key:"calendarYear",minYear:D?D.getFullYear():void 0,maxYear:M?M.getFullYear():void 0,onSelectYear:function(e){if(b(),x.getFullYear()!==e){var t=new Date(x.getTime());t.setFullYear(e),M&&t>M?t=(0,i.setMonth)(t,M.getMonth()):D&&t{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.CalendarMonth=void 0;var n=o(43639),r=o(95772),i=o(71061);t.CalendarMonth=(0,i.styled)(n.CalendarMonthBase,r.getStyles,void 0,{scope:"CalendarMonth"})},95772:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(37094);t.getStyles=function(e){return(0,n.getStyles)(e)}},2941:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},37094:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(31635),r=o(83048),i=o(98752);t.getStyles=function(e){var t,o,a,s,l,c,u,d=e.className,p=e.theme,m=e.hasHeaderClickCallback,g=e.highlightCurrent,h=e.highlightSelected,f=e.animateBackwards,v=e.animationDirection,b=p.palette,y={};void 0!==f&&(y=v===i.AnimationDirection.Horizontal?f?r.AnimationStyles.slideRightIn20:r.AnimationStyles.slideLeftIn20:f?r.AnimationStyles.slideDownIn20:r.AnimationStyles.slideUpIn20);var _=void 0!==f?r.AnimationStyles.fadeIn200:{};return{root:[r.normalize,{width:196,padding:12,boxSizing:"content-box",overflow:"hidden"},d],headerContainer:{display:"flex"},currentItemButton:[(0,r.getFocusStyle)(p,{inset:-1}),n.__assign(n.__assign({},_),{fontSize:r.FontSizes.medium,fontWeight:r.FontWeights.semibold,fontFamily:"inherit",textAlign:"left",color:"inherit",backgroundColor:"transparent",flexGrow:1,padding:"0 4px 0 10px",border:"none",overflow:"visible"}),m&&{selectors:{"&:hover, &:active":{cursor:m?"pointer":"default",color:b.neutralDark,outline:"1px solid transparent",backgroundColor:b.neutralLight}}}],navigationButtonsContainer:{display:"flex",alignItems:"center"},navigationButton:[(0,r.getFocusStyle)(p,{inset:-1}),{fontFamily:"inherit",width:28,minWidth:28,height:28,minHeight:28,display:"block",textAlign:"center",lineHeight:28,fontSize:r.FontSizes.small,color:b.neutralPrimary,borderRadius:2,position:"relative",backgroundColor:"transparent",border:"none",padding:0,overflow:"visible",selectors:{"&:hover":{color:b.neutralDark,cursor:"pointer",outline:"1px solid transparent",backgroundColor:b.neutralLight}}}],gridContainer:{marginTop:4},buttonRow:n.__assign(n.__assign({},y),{marginBottom:16,selectors:{"&:nth-child(n + 3)":{marginBottom:0}}}),itemButton:[(0,r.getFocusStyle)(p,{inset:-1}),{width:40,height:40,minWidth:40,minHeight:40,lineHeight:40,fontSize:r.FontSizes.small,fontFamily:"inherit",padding:0,margin:"0 12px 0 0",color:b.neutralPrimary,backgroundColor:"transparent",border:"none",borderRadius:2,overflow:"visible",selectors:{"&:nth-child(4n + 4)":{marginRight:0},"&:nth-child(n + 9)":{marginBottom:0},"& div":{fontWeight:r.FontWeights.regular},"&:hover":{color:b.neutralDark,backgroundColor:b.neutralLight,cursor:"pointer",outline:"1px solid transparent",selectors:(t={},t[r.HighContrastSelector]=n.__assign({background:"Window",color:"WindowText",outline:"1px solid Highlight"},(0,r.getHighContrastNoAdjustStyle)()),t)},"&:active":{backgroundColor:b.themeLight,selectors:(o={},o[r.HighContrastSelector]=n.__assign({background:"Window",color:"Highlight"},(0,r.getHighContrastNoAdjustStyle)()),o)}}}],current:g?{color:b.white,backgroundColor:b.themePrimary,selectors:(a={"& div":{fontWeight:r.FontWeights.semibold},"&:hover":{backgroundColor:b.themePrimary,selectors:(s={},s[r.HighContrastSelector]=n.__assign({backgroundColor:"WindowText",color:"Window"},(0,r.getHighContrastNoAdjustStyle)()),s)}},a[r.HighContrastSelector]=n.__assign({backgroundColor:"WindowText",color:"Window"},(0,r.getHighContrastNoAdjustStyle)()),a)}:{},selected:h?{color:b.neutralPrimary,backgroundColor:b.themeLight,fontWeight:r.FontWeights.semibold,selectors:(l={"& div":{fontWeight:r.FontWeights.semibold},"&:hover, &:active":{backgroundColor:b.themeLight,selectors:(c={},c[r.HighContrastSelector]=n.__assign({color:"Window",background:"Highlight"},(0,r.getHighContrastNoAdjustStyle)()),c)}},l[r.HighContrastSelector]=n.__assign({background:"Highlight",color:"Window"},(0,r.getHighContrastNoAdjustStyle)()),l)}:{},disabled:{selectors:(u={"&, &:disabled, & button":{color:b.neutralTertiaryAlt,pointerEvents:"none"}},u[r.HighContrastSelector]={color:"GrayText",forcedColorAdjust:"none"},u)}}}},71143:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},37475:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.CalendarYearBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(80371),s=o(30936),l=o(25698),c=o(76071),u=(0,i.classNamesFunction)(),d={prevRangeAriaLabel:void 0,nextRangeAriaLabel:void 0},p=function(e){var t,o,n=e.styles,a=e.theme,s=e.className,l=e.highlightCurrentYear,c=e.highlightSelectedYear,d=e.year,p=e.selected,m=e.disabled,g=e.componentRef,h=e.onSelectYear,f=e.onRenderYear,v=r.useRef(null);r.useImperativeHandle(g,(function(){return{focus:function(){var e,t;null===(t=null===(e=v.current)||void 0===e?void 0:e.focus)||void 0===t||t.call(e)}}}),[]);var b=u(n,{theme:a,className:s,highlightCurrent:l,highlightSelected:c});return r.createElement("button",{className:(0,i.css)(b.itemButton,(t={},t[b.selected]=p,t[b.disabled]=m,t)),type:"button",role:"gridcell",onClick:m?void 0:function(){null==h||h(d)},onKeyDown:m?void 0:function(e){e.which===i.KeyCodes.enter&&(null==h||h(d))},disabled:m,"aria-selected":p,ref:v},null!==(o=null==f?void 0:f(d))&&void 0!==o?o:d)};p.displayName="CalendarYearGridCell";var m,g=function(e){var t=e.styles,o=e.theme,i=e.className,s=e.fromYear,l=e.toYear,c=e.animationDirection,d=e.animateBackwards,m=e.minYear,g=e.maxYear,h=e.onSelectYear,f=e.selectedYear,v=e.componentRef,b=r.useRef(null),y=r.useRef(null);r.useImperativeHandle(v,(function(){return{focus:function(){var e,t;null===(t=null===(e=b.current||y.current)||void 0===e?void 0:e.focus)||void 0===t||t.call(e)}}}),[]);for(var _,S,C,x,P=u(t,{theme:o,className:i,animateBackwards:d,animationDirection:c}),k=function(t){var o,n;return null!==(n=null===(o=e.onRenderYear)||void 0===o?void 0:o.call(e,t))&&void 0!==n?n:t},I="".concat(k(s)," - ").concat(k(l)),w=s,T=[],E=0;E<(l-s+1)/4;E++){T.push([]);for(var D=0;D<4;D++)T[E].push((void 0,void 0,void 0,S=(_=w)===f,C=void 0!==m&&_g,x=_===(new Date).getFullYear(),r.createElement(p,n.__assign({},e,{key:_,year:_,selected:S,current:x,disabled:C,onSelectYear:h,componentRef:S?b:x?y:void 0,theme:o})))),w++}return r.createElement(a.FocusZone,null,r.createElement("div",{className:P.gridContainer,role:"grid","aria-label":I},T.map((function(e,t){return r.createElement.apply(r,n.__spreadArray(["div",{key:"yearPickerRow_"+t+"_"+s,role:"row",className:P.buttonRow}],e,!1))}))))};g.displayName="CalendarYearGrid",function(e){e[e.Previous=0]="Previous",e[e.Next=1]="Next"}(m||(m={}));var h=function(e){var t,o=e.styles,n=e.theme,a=e.className,l=e.navigationIcons,p=void 0===l?c.defaultCalendarNavigationIcons:l,g=e.strings,h=void 0===g?d:g,f=e.direction,v=e.onSelectPrev,b=e.onSelectNext,y=e.fromYear,_=e.toYear,S=e.maxYear,C=e.minYear,x=u(o,{theme:n,className:a}),P=f===m.Previous?h.prevRangeAriaLabel:h.nextRangeAriaLabel,k=f===m.Previous?-12:12,I=P?"string"==typeof P?P:P({fromYear:y+k,toYear:_+k}):void 0,w=f===m.Previous?void 0!==C&&yS,T=function(){f===m.Previous?null==v||v():null==b||b()},E=(0,i.getRTL)()?f===m.Next:f===m.Previous;return r.createElement("button",{className:(0,i.css)(x.navigationButton,(t={},t[x.disabled]=w,t)),onClick:w?void 0:T,onKeyDown:w?void 0:function(e){e.which===i.KeyCodes.enter&&T()},type:"button",title:I,disabled:w},r.createElement(s.Icon,{iconName:E?p.leftNavigation:p.rightNavigation}))};h.displayName="CalendarYearNavArrow";var f=function(e){var t=e.styles,o=e.theme,i=e.className,a=u(t,{theme:o,className:i});return r.createElement("div",{className:a.navigationButtonsContainer},r.createElement(h,n.__assign({},e,{direction:m.Previous})),r.createElement(h,n.__assign({},e,{direction:m.Next})))};f.displayName="CalendarYearNav";var v=function(e){var t=e.styles,o=e.theme,n=e.className,a=e.fromYear,s=e.toYear,l=e.strings,c=void 0===l?d:l,p=e.animateBackwards,m=e.animationDirection,g=function(){var t;null===(t=e.onHeaderSelect)||void 0===t||t.call(e,!0)},h=function(t){var o,n;return null!==(n=null===(o=e.onRenderYear)||void 0===o?void 0:o.call(e,t))&&void 0!==n?n:t},f=u(t,{theme:o,className:n,hasHeaderClickCallback:!!e.onHeaderSelect,animateBackwards:p,animationDirection:m});if(e.onHeaderSelect){var v=c.rangeAriaLabel,b=c.headerAriaLabelFormatString,y=v?"string"==typeof v?v:v(e):void 0,_=b?(0,i.format)(b,y):y;return r.createElement("button",{className:f.currentItemButton,onClick:g,onKeyDown:function(e){e.which!==i.KeyCodes.enter&&e.which!==i.KeyCodes.space||g()},"aria-label":_,role:"button",type:"button"},r.createElement("span",{"aria-live":"assertive","aria-atomic":"true"},h(a)," - ",h(s)))}return r.createElement("div",{className:f.current},h(a)," - ",h(s))};v.displayName="CalendarYearTitle";var b=function(e){var t,o=e.styles,i=e.theme,a=e.className,s=e.animateBackwards,l=e.animationDirection,c=e.onRenderTitle,d=u(o,{theme:i,className:a,hasHeaderClickCallback:!!e.onHeaderSelect,animateBackwards:s,animationDirection:l});return r.createElement("div",{className:d.headerContainer},null!==(t=null==c?void 0:c(e))&&void 0!==t?t:r.createElement(v,n.__assign({},e)),r.createElement(f,n.__assign({},e)))};b.displayName="CalendarYearHeader",t.CalendarYearBase=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,l.usePrevious)(r);return i&&i!==r?i>r:void 0}(e),o=function(e){var t=e.selectedYear,o=e.navigatedYear,n=r.useMemo((function(){return t||o||10*Math.floor((new Date).getFullYear()/10)}),[o,t]),i=r.useState(n),a=i[0],s=i[1];return r.useEffect((function(){s(n)}),[n]),[a,a+12-1,function(){s((function(e){return e+12}))},function(){s((function(e){return e-12}))}]}(e),i=o[0],a=o[1],s=o[2],c=o[3],d=r.useRef(null);r.useImperativeHandle(e.componentRef,(function(){return{focus:function(){var e,t;null===(t=null===(e=d.current)||void 0===e?void 0:e.focus)||void 0===t||t.call(e)}}}));var p=e.styles,m=e.theme,h=e.className,f=u(p,{theme:m,className:h});return r.createElement("div",{className:f.root},r.createElement(b,n.__assign({},e,{fromYear:i,toYear:a,onSelectPrev:c,onSelectNext:s,animateBackwards:t})),r.createElement(g,n.__assign({},e,{fromYear:i,toYear:a,animateBackwards:t,componentRef:d})))},t.CalendarYearBase.displayName="CalendarYearBase"},53086:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.CalendarYear=void 0;var n=o(55032),r=o(71061),i=o(37475);t.CalendarYear=(0,r.styled)(i.CalendarYearBase,n.getStyles,void 0,{scope:"CalendarYear"})},55032:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(37094);t.getStyles=function(e){return(0,n.getStyles)(e)}},22073:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},76071:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.defaultCalendarNavigationIcons=t.defaultDayPickerStrings=t.defaultCalendarStrings=void 0;var n=o(6517);t.defaultCalendarStrings=n.DEFAULT_CALENDAR_STRINGS,t.defaultDayPickerStrings=t.defaultCalendarStrings,t.defaultCalendarNavigationIcons={leftNavigation:"Up",rightNavigation:"Down",closeIcon:"CalculatorMultiply"}},4461:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.FirstWeekOfYear=t.DateRangeType=t.DayOfWeek=void 0;var n=o(31635);n.__exportStar(o(82135),t),n.__exportStar(o(98752),t),n.__exportStar(o(25817),t),n.__exportStar(o(2941),t),n.__exportStar(o(71143),t),n.__exportStar(o(22073),t),n.__exportStar(o(15842),t),n.__exportStar(o(76071),t);var r=o(6517);Object.defineProperty(t,"DayOfWeek",{enumerable:!0,get:function(){return r.DayOfWeek}}),Object.defineProperty(t,"DateRangeType",{enumerable:!0,get:function(){return r.DateRangeType}}),Object.defineProperty(t,"FirstWeekOfYear",{enumerable:!0,get:function(){return r.FirstWeekOfYear}})},9502:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.CalendarDayGridBase=void 0;var n=o(31635),r=o(83923),i=o(52332),a=o(80371),s=o(6517),l=o(25698),c=o(36866),u=o(19231),d=(0,i.classNamesFunction)();t.CalendarDayGridBase=function(e){var t=r.useRef(null),o=(0,l.useId)(),p=function(){var e=r.useRef({});return[e,function(t){return function(o){null===o?delete e.current[t]:e.current[t]=o}}]}(),m=p[0],g=p[1],h=function(e,t,o){return r.useMemo((function(){for(var r,i=(0,s.getDayGrid)(e),a=i[1][0].originalDate,l=i[i.length-1][6].originalDate,c=(null===(r=e.getMarkedDays)||void 0===r?void 0:r.call(e,a,l))||[],u=[],d=0;d0)};return[function(e,n){var r={},a=n.slice(1,n.length-1);return a.forEach((function(n,s){n.forEach((function(n,l){var c=a[s-1]&&a[s-1][l]&&o(a[s-1][l].originalDate,n.originalDate,a[s-1][l].isSelected,n.isSelected),u=a[s+1]&&a[s+1][l]&&o(a[s+1][l].originalDate,n.originalDate,a[s+1][l].isSelected,n.isSelected),d=a[s][l-1]&&o(a[s][l-1].originalDate,n.originalDate,a[s][l-1].isSelected,n.isSelected),p=a[s][l+1]&&o(a[s][l+1].originalDate,n.originalDate,a[s][l+1].isSelected,n.isSelected),m=[];m.push(t(e,c,u,d,p)),m.push(function(e,t,o,n,r){var a=[];return t||a.push(e.datesAbove),o||a.push(e.datesBelow),n||a.push((0,i.getRTL)()?e.datesRight:e.datesLeft),r||a.push((0,i.getRTL)()?e.datesLeft:e.datesRight),a.join(" ")}(e,c,u,d,p)),r[s+"_"+l]=m.join(" ")}))})),r},t]}(e),b=v[0],y=v[1];r.useImperativeHandle(e.componentRef,(function(){return{focus:function(){var e,o;null===(o=null===(e=t.current)||void 0===e?void 0:e.focus)||void 0===o||o.call(e)}}}),[]);var _=e.styles,S=e.theme,C=e.className,x=e.dateRangeType,P=e.showWeekNumbers,k=e.labelledBy,I=e.lightenDaysOutsideNavigatedMonth,w=e.animationDirection,T=d(_,{theme:S,className:C,dateRangeType:x,showWeekNumbers:P,lightenDaysOutsideNavigatedMonth:void 0===I||I,animationDirection:w,animateBackwards:f}),E=b(T,h),D={weeks:h,navigatedDayRef:t,calculateRoundedStyles:y,activeDescendantId:o,classNames:T,weekCorners:E,getDayInfosInRangeOfDay:function(t){var o=function(e,t){if(t&&e===s.DateRangeType.WorkWeek){for(var o=t.slice().sort(),n=!0,r=1;r{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.CalendarDayGrid=void 0;var n=o(9502),r=o(80269),i=o(71061);t.CalendarDayGrid=(0,i.styled)(n.CalendarDayGridBase,r.styles,void 0,{scope:"CalendarDayGrid"})},80269:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.styles=void 0;var n=o(31635),r=o(83048),i=o(6517),a=o(98752),s={hoverStyle:"ms-CalendarDay-hoverStyle",pressedStyle:"ms-CalendarDay-pressedStyle",dayIsTodayStyle:"ms-CalendarDay-dayIsToday",daySelectedStyle:"ms-CalendarDay-daySelected"},l=(0,r.keyframes)({"100%":{width:0,height:0,overflow:"hidden"},"99.9%":{width:"100%",height:28,overflow:"visible"},"0%":{width:"100%",height:28,overflow:"visible"}});t.styles=function(e){var t,o,c,u,d,p,m,g,h,f,v=e.theme,b=e.dateRangeType,y=e.showWeekNumbers,_=e.lightenDaysOutsideNavigatedMonth,S=e.animateBackwards,C=e.animationDirection,x=v.palette,P=(0,r.getGlobalClassNames)(s,v),k={};void 0!==S&&(k=C===a.AnimationDirection.Horizontal?S?r.AnimationStyles.slideRightIn20:r.AnimationStyles.slideLeftIn20:S?r.AnimationStyles.slideDownIn20:r.AnimationStyles.slideUpIn20);var I={},w={};void 0!==S&&C!==a.AnimationDirection.Horizontal&&(I=S?{animationName:""}:r.AnimationStyles.slideUpOut20,w=S?r.AnimationStyles.slideDownOut20:{animationName:""});var T={selectors:{"&, &:disabled, & button":{color:x.neutralTertiaryAlt,pointerEvents:"none"}}};return{wrapper:{paddingBottom:10},table:[{textAlign:"center",borderCollapse:"collapse",borderSpacing:"0",tableLayout:"fixed",fontSize:"inherit",marginTop:4,width:196,position:"relative",paddingBottom:10},y&&{width:226}],dayCell:[(0,r.getFocusStyle)(v,{inset:-3}),{margin:0,padding:0,width:28,height:28,lineHeight:28,fontSize:r.FontSizes.small,fontWeight:r.FontWeights.regular,color:x.neutralPrimary,cursor:"pointer",position:"relative",selectors:(t={},t[r.HighContrastSelector]=n.__assign({color:"WindowText",backgroundColor:"transparent",zIndex:0},(0,r.getHighContrastNoAdjustStyle)()),t["&."+P.hoverStyle]={backgroundColor:x.neutralLighter,selectors:(o={},o[r.HighContrastSelector]={zIndex:3,backgroundColor:"Window",outline:"1px solid Highlight"},o)},t["&."+P.pressedStyle]={backgroundColor:x.neutralLight,selectors:(c={},c[r.HighContrastSelector]={borderColor:"Highlight",color:"Highlight",backgroundColor:"Window"},c)},t["&."+P.pressedStyle+"."+P.hoverStyle]={selectors:(u={},u[r.HighContrastSelector]={backgroundColor:"Window",outline:"1px solid Highlight"},u)},t)}],daySelected:[b!==i.DateRangeType.Month&&{backgroundColor:x.neutralLight+"!important",selectors:(d={"&::before":{content:'""',position:"absolute",top:0,bottom:0,left:0,right:0}},d["&:hover, &."+P.hoverStyle+", &."+P.pressedStyle]=(p={backgroundColor:x.neutralLight+"!important"},p[r.HighContrastSelector]={color:"HighlightText!important",background:"Highlight!important"},p),d[r.HighContrastSelector]=n.__assign({background:"Highlight!important",color:"HighlightText!important",borderColor:"Highlight!important"},(0,r.getHighContrastNoAdjustStyle)()),d)}],weekRow:k,weekDayLabelCell:r.AnimationStyles.fadeIn200,weekNumberCell:{margin:0,padding:0,borderRight:"1px solid",borderColor:x.neutralLight,backgroundColor:x.neutralLighterAlt,color:x.neutralSecondary,boxSizing:"border-box",width:28,height:28,fontWeight:r.FontWeights.regular,fontSize:r.FontSizes.small},dayOutsideBounds:T,dayOutsideNavigatedMonth:_&&{color:x.neutralSecondary,fontWeight:r.FontWeights.regular},dayButton:{width:24,height:24,lineHeight:24,fontSize:r.FontSizes.small,fontWeight:"inherit",borderRadius:2,border:"none",padding:0,color:"inherit",backgroundColor:"transparent",cursor:"pointer",overflow:"visible",selectors:{span:{height:"inherit",lineHeight:"inherit"}}},dayIsToday:{backgroundColor:x.themePrimary+"!important",borderRadius:"100%",color:x.white+"!important",fontWeight:r.FontWeights.semibold+"!important",selectors:(m={},m[r.HighContrastSelector]=n.__assign({background:"WindowText!important",color:"Window!important",borderColor:"WindowText!important"},(0,r.getHighContrastNoAdjustStyle)()),m)},firstTransitionWeek:n.__assign(n.__assign({position:"absolute",opacity:0,width:0,height:0,overflow:"hidden"},I),{animationName:I.animationName+","+l}),lastTransitionWeek:n.__assign(n.__assign({position:"absolute",opacity:0,width:0,height:0,overflow:"hidden",marginTop:-28},w),{animationName:w.animationName+","+l}),dayMarker:{width:4,height:4,backgroundColor:x.neutralSecondary,borderRadius:"100%",bottom:1,left:0,right:0,position:"absolute",margin:"auto",selectors:(g={},g["."+P.dayIsTodayStyle+" &"]={backgroundColor:x.white,selectors:(h={},h[r.HighContrastSelector]={backgroundColor:"Window"},h)},g["."+P.daySelectedStyle+" &"]={selectors:(f={},f[r.HighContrastSelector]={backgroundColor:"HighlightText"},f)},g[r.HighContrastSelector]=n.__assign({backgroundColor:"WindowText"},(0,r.getHighContrastNoAdjustStyle)()),g)},topRightCornerDate:{borderTopRightRadius:"2px"},topLeftCornerDate:{borderTopLeftRadius:"2px"},bottomRightCornerDate:{borderBottomRightRadius:"2px"},bottomLeftCornerDate:{borderBottomLeftRadius:"2px"},datesAbove:{"&::before":{borderTop:"1px solid ".concat(x.neutralSecondary)}},datesBelow:{"&::before":{borderBottom:"1px solid ".concat(x.neutralSecondary)}},datesLeft:{"&::before":{borderLeft:"1px solid ".concat(x.neutralSecondary)}},datesRight:{"&::before":{borderRight:"1px solid ".concat(x.neutralSecondary)}}}}},15842:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},10033:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.CalendarGridDayCell=void 0;var n=o(83923),r=o(52332),i=o(6517);t.CalendarGridDayCell=function(e){var t,o=e.navigatedDate,a=e.dateTimeFormatter,s=e.allFocusable,l=e.strings,c=e.activeDescendantId,u=e.navigatedDayRef,d=e.calculateRoundedStyles,p=e.weeks,m=e.classNames,g=e.day,h=e.dayIndex,f=e.weekIndex,v=e.weekCorners,b=e.ariaHidden,y=e.customDayCellRef,_=e.dateRangeType,S=e.daysToSelectInDayView,C=e.onSelectDate,x=e.restrictedDates,P=e.minDate,k=e.maxDate,I=e.onNavigateDate,w=e.getDayInfosInRangeOfDay,T=e.getRefsFromDayInfos,E=null!==(t=null==v?void 0:v[f+"_"+h])&&void 0!==t?t:"",D=(0,i.compareDates)(o,g.originalDate),M=g.originalDate.getDate()+", "+l.months[g.originalDate.getMonth()]+", "+g.originalDate.getFullYear();return g.isMarked&&(M=M+", "+l.dayMarkedAriaLabel),n.createElement("td",{className:(0,r.css)(m.dayCell,v&&E,g.isSelected&&m.daySelected,g.isSelected&&"ms-CalendarDay-daySelected",!g.isInBounds&&m.dayOutsideBounds,!g.isInMonth&&m.dayOutsideNavigatedMonth),ref:function(e){null==y||y(e,g.originalDate,m),g.setRef(e),D&&(u.current=e)},"aria-hidden":b,"aria-disabled":!b&&!g.isInBounds,onClick:g.isInBounds&&!b?g.onSelected:void 0,onMouseOver:b?void 0:function(e){var t=w(g),o=T(t);o.forEach((function(e,n){var r;if(e&&(e.classList.add("ms-CalendarDay-hoverStyle"),!t[n].isSelected&&_===i.DateRangeType.Day&&S&&S>1)){e.classList.remove(m.bottomLeftCornerDate,m.bottomRightCornerDate,m.topLeftCornerDate,m.topRightCornerDate);var a=d(m,!1,!1,n>0,n1)){var a=d(m,!1,!1,n>0,n{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.CalendarGridRow=void 0;var n=o(31635),r=o(83923),i=o(52332),a=o(6517),s=o(10033);t.CalendarGridRow=function(e){var t=e.classNames,o=e.week,l=e.weeks,c=e.weekIndex,u=e.rowClassName,d=e.ariaRole,p=e.showWeekNumbers,m=e.firstDayOfWeek,g=e.firstWeekOfYear,h=e.navigatedDate,f=e.strings,v=p?(0,a.getWeekNumbersInMonth)(l.length,m,g,h):null,b=v?f.weekNumberFormatString&&(0,i.format)(f.weekNumberFormatString,v[c]):"";return r.createElement("tr",{role:d,className:u,key:c+"_"+o[0].key},p&&v&&r.createElement("th",{className:t.weekNumberCell,key:c,title:b,"aria-label":b,scope:"row"},r.createElement("span",null,v[c])),o.map((function(t,o){return r.createElement(s.CalendarGridDayCell,n.__assign({},e,{key:t.key,day:t,dayIndex:o}))})))}},36866:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.CalendarMonthHeaderRow=void 0;var n=o(83923),r=o(52332),i=o(6517);t.CalendarMonthHeaderRow=function(e){var t=e.showWeekNumbers,o=e.strings,a=e.firstDayOfWeek,s=e.allFocusable,l=e.weeksToShow,c=e.weeks,u=e.classNames,d=o.shortDays.slice(),p=(0,r.findIndex)(c[1],(function(e){return 1===e.originalDate.getDate()}));if(1===l&&p>=0){var m=(p+a)%i.DAYS_IN_WEEK;d[m]=o.shortMonths[c[1][p].originalDate.getMonth()]}return n.createElement("tr",null,t&&n.createElement("th",{className:u.dayCell}),d.map((function(e,t){var l=(t+a)%i.DAYS_IN_WEEK,c=o.days[l];return n.createElement("th",{className:(0,r.css)(u.dayCell,u.weekDayLabelCell),scope:"col",key:d[l]+" "+t,title:c,"aria-label":c,"data-is-focusable":!!s||void 0},d[l])})))}},1189:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Callout=void 0;var n=o(31635),r=o(83923),i=o(5432),a=o(44472);t.Callout=r.forwardRef((function(e,t){var o=e.layerProps,s=e.doNotLayer,l=n.__rest(e,["layerProps","doNotLayer"]),c=r.createElement(i.CalloutContent,n.__assign({},l,{doNotLayer:s,ref:t}));return s?c:r.createElement(a.Layer,n.__assign({},o),c)})),t.Callout.displayName="Callout"},8902:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},79477:(e,t,o)=>{"use strict";var n;Object.defineProperty(t,"__esModule",{value:!0}),t.CalloutContentBase=void 0;var r=o(31635),i=o(83923),a=o(42502),s=o(71061),l=o(73373),c=o(43300),u=o(42183),d=o(71061),p=o(15019),m=o(25698),g=o(50478),h=((n={})[c.RectangleEdge.top]=p.AnimationClassNames.slideUpIn10,n[c.RectangleEdge.bottom]=p.AnimationClassNames.slideDownIn10,n[c.RectangleEdge.left]=p.AnimationClassNames.slideLeftIn10,n[c.RectangleEdge.right]=p.AnimationClassNames.slideRightIn10,n),f={opacity:0,filter:"opacity(0)",pointerEvents:"none"},v=["role","aria-roledescription"],b={preventDismissOnLostFocus:!1,preventDismissOnScroll:!1,preventDismissOnResize:!1,isBeakVisible:!0,beakWidth:16,gapSpace:0,minPagePadding:8,directionalHint:a.DirectionalHint.bottomAutoEdge},y=(0,d.classNamesFunction)({disableCaching:!0});function _(e){var t,o,n=r.__assign(r.__assign({},null===(t=null==e?void 0:e.beakPosition)||void 0===t?void 0:t.elementPosition),{display:(null===(o=null==e?void 0:e.beakPosition)||void 0===o?void 0:o.hideBeak)?"none":void 0});return n.top||n.bottom||n.left||n.right||(n.left=0,n.top=0),n}function S(e,t){for(var o in t)if(t.hasOwnProperty(o)){var n=e[o],r=t[o];if(void 0===n||void 0===r)return!1;if(n.toFixed(2)!==r.toFixed(2))return!1}return!0}t.CalloutContentBase=i.memo(i.forwardRef((function(e,t){var o=(0,s.getPropsWithDefaults)(b,e),n=o.styles,a=o.style,d=o.ariaLabel,p=o.ariaDescribedBy,C=o.ariaLabelledBy,x=o.className,P=o.isBeakVisible,k=o.children,I=o.beakWidth,w=o.calloutWidth,T=o.calloutMaxWidth,E=o.calloutMinWidth,D=o.doNotLayer,M=o.finalHeight,O=o.hideOverflow,R=void 0===O?!!M:O,F=o.backgroundColor,B=o.calloutMaxHeight,A=o.onScroll,N=o.shouldRestoreFocus,L=void 0===N||N,H=o.target,j=o.hidden,z=o.onLayerMounted,W=o.popupProps,V=i.useRef(null),K=i.useRef(null),G=(0,m.useMergedRefs)(K,null==W?void 0:W.ref),U=i.useState(null),Y=U[0],q=U[1],X=i.useCallback((function(e){q(e)}),[]),Z=(0,m.useMergedRefs)(V,t),Q=(0,m.useTarget)(o.target,{current:Y}),J=Q[0],$=Q[1],ee=function(e,t,o){var n=e.bounds,r=e.minPagePadding,a=void 0===r?b.minPagePadding:r,s=e.target,l=i.useState(!1),u=l[0],d=l[1],p=i.useRef(),g=i.useCallback((function(){if(!p.current||u){var e="function"==typeof n?o?n(s,o):void 0:n;!e&&o&&(e={top:(e=(0,c.getBoundsFromTargetWindow)(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}),p.current=e,u&&d(!1)}return p.current}),[n,a,s,t,o,u]),h=(0,m.useAsync)();return(0,m.useOnEvent)(o,"resize",h.debounce((function(){d(!0)}),500,{leading:!0})),g}(o,J,$),te=function(e,t,o,n,a,s){var l,u=i.useState(),d=u[0],p=u[1],h=i.useRef(0),f=i.useRef(),v=(0,m.useAsync)(),b=e.hidden,y=e.target,_=e.finalHeight,C=e.calloutMaxHeight,x=e.onPositioned,P=e.directionalHint,k=e.hideOverflow,I=e.preferScrollResizePositioning,w=(0,g.useWindowEx)(),T=i.useRef();T.current!==s.current&&(T.current=s.current,l=s.current?null==w?void 0:w.getComputedStyle(s.current):void 0);var E=null==l?void 0:l.overflowY;return i.useEffect((function(){if(!b){var i=v.requestAnimationFrame((function(){var i,s,l,u;if(t.current&&o){var m=r.__assign(r.__assign({},e),{target:n.current,bounds:a()}),g=o.cloneNode(!0);g.style.maxHeight=C?"".concat(C):"",g.style.visibility="hidden",null===(i=o.parentElement)||void 0===i||i.appendChild(g);var v=f.current===y?d:void 0,b=I&&!(k||"clip"===E||"hidden"===E),P=_?(0,c.positionCard)(m,t.current,g,v,w):(0,c.positionCallout)(m,t.current,g,v,b,void 0,w);null===(s=o.parentElement)||void 0===s||s.removeChild(g),!d&&P||d&&P&&(u=P,!S((l=d).elementPosition,u.elementPosition)||!S(l.beakPosition.elementPosition,u.beakPosition.elementPosition))&&h.current<5?(h.current++,p(P)):h.current>0&&(h.current=0,null==x||x(d))}}),o);return f.current=y,function(){v.cancelAnimationFrame(i),f.current=void 0}}p(void 0),h.current=0}),[b,P,v,o,C,t,n,_,a,x,d,e,y,k,I,E,w]),d}(o,V,Y,J,ee,G),oe=function(e,t,o,n){var r,a=e.calloutMaxHeight,s=e.finalHeight,u=e.directionalHint,d=e.directionalHintFixed,p=e.hidden,m=e.gapSpace,g=e.beakWidth,h=e.isBeakVisible,f=e.coverTarget,v=i.useState(),b=v[0],y=v[1],_=null!==(r=null==n?void 0:n.elementPosition)&&void 0!==r?r:{},S=_.top,C=_.bottom,x=(null==o?void 0:o.current)?(0,l.getRectangleFromTarget)(o.current):void 0;return i.useEffect((function(){var e,o,r=null!==(e=t())&&void 0!==e?e:{},i=r.top,s=r.bottom;(null==n?void 0:n.targetEdge)===c.RectangleEdge.top&&(null==x?void 0:x.top)&&!f&&(s=x.top-(0,l.calculateGapSpace)(h,g,m)),"number"==typeof S&&s?o=s-S:"number"==typeof C&&"number"==typeof i&&s&&(o=s-i-C),y(!a&&!p||a&&o&&a>o?o:a||void 0)}),[C,a,s,u,d,t,p,n,S,m,g,h,x,f]),b}(o,ee,J,te),ne=function(e,t,o,n,r){var a=e.hidden,l=e.onDismiss,c=e.preventDismissOnScroll,u=e.preventDismissOnResize,d=e.preventDismissOnLostFocus,p=e.dismissOnTargetClick,g=e.shouldDismissOnWindowFocus,h=e.preventDismissOnEvent,f=i.useRef(!1),v=(0,m.useAsync)(),b=(0,m.useConst)([function(){f.current=!0},function(){f.current=!1}]),y=!!t;return i.useEffect((function(){var e=function(e){y&&!c&&m(e)},t=function(e){u||h&&h(e)||null==l||l(e)},i=function(e){d||m(e)},m=function(e){var t=e.composedPath?e.composedPath():[],i=t.length>0?t[0]:e.target,a=o.current&&!(0,s.elementContains)(o.current,i);if(a&&f.current)f.current=!1;else if(!n.current&&a||e.target!==r&&a&&(!n.current||"stopPropagation"in n.current||p||i!==n.current&&!(0,s.elementContains)(n.current,i))){if(h&&h(e))return;null==l||l(e)}},b=function(e){g&&((!h||h(e))&&(h||d)||(null==r?void 0:r.document.hasFocus())||null!==e.relatedTarget||null==l||l(e))},_=new Promise((function(o){v.setTimeout((function(){if(!a&&r){var n=[(0,s.on)(r,"scroll",e,!0),(0,s.on)(r,"resize",t,!0),(0,s.on)(r.document.documentElement,"focus",i,!0),(0,s.on)(r.document.documentElement,"click",i,!0),(0,s.on)(r,"blur",b,!0)];o((function(){n.forEach((function(e){return e()}))}))}}),0)}));return function(){_.then((function(e){return e()}))}}),[a,v,o,n,r,l,g,p,d,u,c,y,h]),b}(o,te,V,J,$),re=ne[0],ie=ne[1],ae=(null==te?void 0:te.elementPosition.top)&&(null==te?void 0:te.elementPosition.bottom),se=r.__assign(r.__assign({},null==te?void 0:te.elementPosition),{maxHeight:oe});if(ae&&(se.bottom=void 0),function(e,t,o){var n=e.hidden,r=e.setInitialFocus,a=(0,m.useAsync)(),l=!!t;i.useEffect((function(){if(!n&&r&&l&&o){var e=a.requestAnimationFrame((function(){return(0,s.focusFirstChild)(o)}),o);return function(){return a.cancelAnimationFrame(e)}}}),[n,l,a,o,r])}(o,te,Y),i.useEffect((function(){j||null==z||z()}),[j]),!$)return null;var le=R,ce=P&&!!H,ue=y(n,{theme:o.theme,className:x,overflowYHidden:le,calloutWidth:w,positions:te,beakWidth:I,backgroundColor:F,calloutMaxWidth:T,calloutMinWidth:E,doNotLayer:D}),de=r.__assign(r.__assign({maxHeight:B||"100%"},a),le&&{overflowY:"hidden"}),pe=o.hidden?{visibility:"hidden"}:void 0;return i.createElement("div",{ref:Z,className:ue.container,style:pe},i.createElement("div",r.__assign({},(0,s.getNativeProps)(o,s.divProperties,v),{className:(0,s.css)(ue.root,te&&te.targetEdge&&h[te.targetEdge]),style:te?r.__assign({},se):f,tabIndex:-1,ref:X}),ce&&i.createElement("div",{className:ue.beak,style:_(te)}),ce&&i.createElement("div",{className:ue.beakCurtain}),i.createElement(u.Popup,r.__assign({role:o.role,"aria-roledescription":o["aria-roledescription"],ariaDescribedBy:p,ariaLabel:d,ariaLabelledBy:C,className:ue.calloutMain,onDismiss:o.onDismiss,onMouseDown:re,onMouseUp:ie,onRestoreFocus:o.onRestoreFocus,onScroll:A,shouldRestoreFocus:L,style:de},W,{ref:G}),k)))})),(function(e,t){return!(t.shouldUpdateWhenHidden||!e.hidden||!t.hidden)||(0,s.shallowCompare)(e,t)})),t.CalloutContentBase.displayName="CalloutContentBase"},5432:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.CalloutContent=void 0;var n=o(71061),r=o(79477),i=o(19010);t.CalloutContent=(0,n.styled)(r.CalloutContentBase,i.getStyles,void 0,{scope:"CalloutContent"})},19010:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019);function r(e){return{height:e,width:e}}var i={container:"ms-Callout-container",root:"ms-Callout",beak:"ms-Callout-beak",beakCurtain:"ms-Callout-beakCurtain",calloutMain:"ms-Callout-main"};t.getStyles=function(e){var t,o=e.theme,a=e.className,s=e.overflowYHidden,l=e.calloutWidth,c=e.beakWidth,u=e.backgroundColor,d=e.calloutMaxWidth,p=e.calloutMinWidth,m=e.doNotLayer,g=(0,n.getGlobalClassNames)(i,o),h=o.semanticColors,f=o.effects;return{container:[g.container,{position:"relative"}],root:[g.root,o.fonts.medium,{position:"absolute",display:"flex",zIndex:m?n.ZIndexes.Layer:void 0,boxSizing:"border-box",borderRadius:f.roundedCorner2,boxShadow:f.elevation16,selectors:(t={},t[n.HighContrastSelector]={borderWidth:1,borderStyle:"solid",borderColor:"WindowText"},t)},(0,n.focusClear)(),a,!!l&&{width:l},!!d&&{maxWidth:d},!!p&&{minWidth:p}],beak:[g.beak,{position:"absolute",backgroundColor:h.menuBackground,boxShadow:"inherit",border:"inherit",boxSizing:"border-box",transform:"rotate(45deg)"},r(c),u&&{backgroundColor:u}],beakCurtain:[g.beakCurtain,{position:"absolute",top:0,right:0,bottom:0,left:0,backgroundColor:h.menuBackground,borderRadius:f.roundedCorner2}],calloutMain:[g.calloutMain,{backgroundColor:h.menuBackground,overflowX:"hidden",overflowY:"auto",position:"relative",width:"100%",borderRadius:f.roundedCorner2},s&&{overflowY:"hidden"},u&&{backgroundColor:u}]}}},6216:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.FocusTrapCallout=void 0;var n=o(31635),r=o(83923),i=o(1189),a=o(34464);t.FocusTrapCallout=function(e){return r.createElement(i.Callout,n.__assign({},e),r.createElement(a.FocusTrapZone,n.__assign({disabled:e.hidden},e.focusTrapProps),e.children))}},64627:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},41993:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(1189),t),n.__exportStar(o(8902),t),n.__exportStar(o(5432),t),n.__exportStar(o(79477),t),n.__exportStar(o(6216),t),n.__exportStar(o(64627),t),n.__exportStar(o(42502),t)},36842:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.CheckBase=void 0;var n=o(83923),r=o(30936),i=(0,o(71061).classNamesFunction)();t.CheckBase=n.forwardRef((function(e,t){var o=e.checked,a=void 0!==o&&o,s=e.className,l=e.theme,c=e.styles,u=e.useFastIcons,d=void 0===u||u,p=i(c,{theme:l,className:s,checked:a}),m=d?r.FontIcon:r.Icon;return n.createElement("div",{className:p.root,ref:t},n.createElement(m,{iconName:"CircleRing",className:p.circle}),n.createElement(m,{iconName:"StatusCircleCheckmark",className:p.check}))})),t.CheckBase.displayName="CheckBase"},21149:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Check=void 0;var n=o(71061),r=o(36842),i=o(10569);t.Check=(0,n.styled)(r.CheckBase,i.getStyles,void 0,{scope:"Check"},!0)},10569:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=t.CheckGlobalClassNames=void 0;var n=o(31635),r=o(15019),i=o(71061);t.CheckGlobalClassNames={root:"ms-Check",circle:"ms-Check-circle",check:"ms-Check-check",checkHost:"ms-Check-checkHost"},t.getStyles=function(e){var o,a,s,l,c,u=e.height,d=void 0===u?e.checkBoxHeight||"18px":u,p=e.checked,m=e.className,g=e.theme,h=g.palette,f=g.semanticColors,v=g.fonts,b=(0,i.getRTL)(g),y=(0,r.getGlobalClassNames)(t.CheckGlobalClassNames,g),_={fontSize:d,position:"absolute",left:0,top:0,width:d,height:d,textAlign:"center",display:"inline-flex",alignItems:"center",justifyContent:"center",verticalAlign:"middle"};return{root:[y.root,v.medium,{lineHeight:"1",width:d,height:d,verticalAlign:"top",position:"relative",userSelect:"none",selectors:(o={":before":{content:'""',position:"absolute",top:"1px",right:"1px",bottom:"1px",left:"1px",borderRadius:"50%",opacity:1,background:f.bodyBackground}},o[".".concat(y.checkHost,":hover &, .").concat(y.checkHost,":focus &, &:hover, &:focus")]={opacity:1},o)},p&&["is-checked",{selectors:{":before":{background:h.themePrimary,opacity:1,selectors:(a={},a[r.HighContrastSelector]={background:"Window"},a)}}}],m],circle:[y.circle,_,{color:h.neutralSecondary,selectors:(s={},s[r.HighContrastSelector]={color:"WindowText"},s)},p&&{color:h.white}],check:[y.check,_,{opacity:0,color:h.neutralSecondary,fontSize:r.IconFontSizes.medium,left:b?"-0.5px":".5px",top:"-1px",selectors:(l={":hover":{opacity:1}},l[r.HighContrastSelector]=n.__assign({},(0,r.getHighContrastNoAdjustStyle)()),l)},p&&{opacity:1,color:h.white,fontWeight:900,selectors:(c={},c[r.HighContrastSelector]={border:"none",color:"WindowText"},c)}],checkHost:y.checkHost}}},12542:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},33465:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(21149),t),n.__exportStar(o(36842),t),n.__exportStar(o(12542),t)},20130:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.CheckboxBase=void 0;var n=o(31635),r=o(83923),i=o(25698),a=o(52332),s=o(57573),l=(0,a.classNamesFunction)();t.CheckboxBase=r.forwardRef((function(e,t){var o=e.disabled,c=e.required,u=e.inputProps,d=e.name,p=e.ariaLabel,m=e.ariaLabelledBy,g=e.ariaDescribedBy,h=e.ariaPositionInSet,f=e.ariaSetSize,v=e.title,b=e.checkmarkIconProps,y=e.styles,_=e.theme,S=e.className,C=e.boxSide,x=void 0===C?"start":C,P=(0,i.useId)("checkbox-",e.id),k=r.useRef(null),I=(0,i.useMergedRefs)(k,t),w=r.useRef(null),T=(0,i.useControllableValue)(e.checked,e.defaultChecked,e.onChange),E=T[0],D=T[1],M=(0,i.useControllableValue)(e.indeterminate,e.defaultIndeterminate),O=M[0],R=M[1];(0,a.useFocusRects)(k);var F=l(y,{theme:_,className:S,disabled:o,indeterminate:O,checked:E,reversed:"start"!==x,isUsingCustomLabelRender:!!e.onRenderLabel}),B=r.useCallback((function(e){O?(D(!!E,e),R(!1)):D(!E,e)}),[D,R,O,E]),A=r.useCallback((function(e){return e&&e.label?r.createElement("span",{className:F.text,title:e.title},e.label):null}),[F.text]),N=r.useCallback((function(e){if(w.current){var t=!!e;w.current.indeterminate=t,R(t)}}),[R]);!function(e,t,o,n,i){r.useImperativeHandle(e.componentRef,(function(){return{get checked(){return!!t},get indeterminate(){return!!o},set indeterminate(e){n(e)},focus:function(){i.current&&i.current.focus()}}}),[i,t,o,n])}(e,E,O,N,w),r.useEffect((function(){return N(O)}),[N,O]);var L=e.onRenderLabel||A,H=O?"mixed":void 0,j=n.__assign(n.__assign({className:F.input,type:"checkbox"},u),{checked:!!E,disabled:o,required:c,name:d,id:P,title:v,onChange:B,"aria-disabled":o,"aria-label":p,"aria-labelledby":m,"aria-describedby":g,"aria-posinset":h,"aria-setsize":f,"aria-checked":H});return r.createElement("div",{className:F.root,title:v,ref:I},r.createElement("input",n.__assign({},j,{ref:w,title:v,"data-ktp-execute-target":!0})),r.createElement("label",{className:F.label,htmlFor:P},r.createElement("div",{className:F.checkbox,"data-ktp-target":!0},r.createElement(s.Icon,n.__assign({iconName:"CheckMark"},b,{className:F.checkmark}))),L(e,A)))})),t.CheckboxBase.displayName="CheckboxBase"},53717:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Checkbox=void 0;var n=o(52332),r=o(20130),i=o(52641);t.Checkbox=(0,n.styled)(r.CheckboxBase,i.getStyles,void 0,{scope:"Checkbox"})},52641:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(31635),r=o(83048),i=o(52332),a={root:"ms-Checkbox",label:"ms-Checkbox-label",checkbox:"ms-Checkbox-checkbox",checkmark:"ms-Checkbox-checkmark",text:"ms-Checkbox-text"},s="20px",l="200ms",c="cubic-bezier(.4, 0, .23, 1)";t.getStyles=function(e){var t,o,u,d,p,m,g,h,f,v,b,y,_,S,C,x,P,k,I=e.className,w=e.theme,T=e.reversed,E=e.checked,D=e.disabled,M=e.isUsingCustomLabelRender,O=e.indeterminate,R=w.semanticColors,F=w.effects,B=w.palette,A=w.fonts,N=(0,r.getGlobalClassNames)(a,w),L=R.inputForegroundChecked,H=B.neutralSecondary,j=B.neutralPrimary,z=R.inputBackgroundChecked,W=R.inputBackgroundChecked,V=R.disabledBodySubtext,K=R.inputBorderHovered,G=R.inputBackgroundCheckedHovered,U=R.inputBackgroundChecked,Y=R.inputBackgroundCheckedHovered,q=R.inputBackgroundCheckedHovered,X=R.inputTextHovered,Z=R.disabledBodySubtext,Q=R.bodyText,J=R.disabledText,$=[(t={content:'""',borderRadius:F.roundedCorner2,position:"absolute",width:10,height:10,top:4,left:4,boxSizing:"border-box",borderWidth:5,borderStyle:"solid",borderColor:D?V:z,transitionProperty:"border-width, border, border-color",transitionDuration:l,transitionTimingFunction:c},t[r.HighContrastSelector]={borderColor:"WindowText"},t)];return{root:[N.root,{position:"relative",display:"flex"},T&&"reversed",E&&"is-checked",!D&&"is-enabled",D&&"is-disabled",!D&&[!E&&(o={},o[":hover .".concat(N.checkbox)]=(u={borderColor:K},u[r.HighContrastSelector]={borderColor:"Highlight"},u),o[":focus .".concat(N.checkbox)]={borderColor:K},o[":hover .".concat(N.checkmark)]=(d={color:H,opacity:"1"},d[r.HighContrastSelector]={color:"Highlight"},d),o),E&&!O&&(p={},p[":hover .".concat(N.checkbox)]={background:Y,borderColor:q},p[":focus .".concat(N.checkbox)]={background:Y,borderColor:q},p[r.HighContrastSelector]=(m={},m[":hover .".concat(N.checkbox)]={background:"Highlight",borderColor:"Highlight"},m[":focus .".concat(N.checkbox)]={background:"Highlight"},m[":focus:hover .".concat(N.checkbox)]={background:"Highlight"},m[":focus:hover .".concat(N.checkmark)]={color:"Window"},m[":hover .".concat(N.checkmark)]={color:"Window"},m),p),O&&(g={},g[":hover .".concat(N.checkbox,", :hover .").concat(N.checkbox,":after")]=(h={borderColor:G},h[r.HighContrastSelector]={borderColor:"WindowText"},h),g[":focus .".concat(N.checkbox)]={borderColor:G},g[":hover .".concat(N.checkmark)]={opacity:"0"},g),(f={},f[":hover .".concat(N.text,", :focus .").concat(N.text)]=(v={color:X},v[r.HighContrastSelector]={color:D?"GrayText":"WindowText"},v),f)],I],input:(b={position:"absolute",background:"none",opacity:0},b[".".concat(i.IsFocusVisibleClassName," &:focus + label::before, :host(.").concat(i.IsFocusVisibleClassName,") &:focus + label::before")]=(y={outline:"1px solid "+w.palette.neutralSecondary,outlineOffset:"2px"},y[r.HighContrastSelector]={outline:"1px solid WindowText"},y),b),label:[N.label,w.fonts.medium,{display:"flex",alignItems:M?"center":"flex-start",cursor:D?"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:[N.checkbox,(_={position:"relative",display:"flex",flexShrink:0,alignItems:"center",justifyContent:"center",height:s,width:s,border:"1px solid ".concat(j),borderRadius:F.roundedCorner2,boxSizing:"border-box",transitionProperty:"background, border, border-color",transitionDuration:l,transitionTimingFunction:c,overflow:"hidden",":after":O?$:null},_[r.HighContrastSelector]=n.__assign({borderColor:"WindowText"},(0,r.getHighContrastNoAdjustStyle)()),_),O&&{borderColor:z},T?{marginLeft:4}:{marginRight:4},!D&&!O&&E&&(S={background:U,borderColor:W},S[r.HighContrastSelector]={background:"Highlight",borderColor:"Highlight"},S),D&&(C={borderColor:V},C[r.HighContrastSelector]={borderColor:"GrayText"},C),E&&D&&(x={background:Z,borderColor:V},x[r.HighContrastSelector]={background:"Window"},x)],checkmark:[N.checkmark,(P={opacity:E&&!O?"1":"0",color:L},P[r.HighContrastSelector]=n.__assign({color:D?"GrayText":"Window"},(0,r.getHighContrastNoAdjustStyle)()),P)],text:[N.text,(k={color:D?J:Q,fontSize:A.medium.fontSize,lineHeight:"20px"},k[r.HighContrastSelector]=n.__assign({color:D?"GrayText":"WindowText"},(0,r.getHighContrastNoAdjustStyle)()),k),T?{marginRight:4}:{marginLeft:4}]}}},214:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},24658:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(53717),t),n.__exportStar(o(20130),t),n.__exportStar(o(214),t)},578:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ChoiceGroupBase=void 0;var n=o(31635),r=o(83923),i=o(47795),a=o(71061),s=o(3867),l=o(25698),c=o(50478),u=(0,a.classNamesFunction)(),d=function(e,t){return"".concat(t,"-").concat(e.key)},p=function(e,t){return void 0===t?void 0:(0,a.find)(e,(function(e){return e.key===t}))},m=function(e,t,o,n,r){var i=p(e,t)||e.filter((function(e){return!e.disabled}))[0],s=i&&(null==r?void 0:r.getElementById(d(i,o)));s&&(s.focus(),(0,a.setFocusVisibility)(!0,s,n))};t.ChoiceGroupBase=r.forwardRef((function(e,t){var o=e.className,g=e.theme,h=e.styles,f=e.options,v=void 0===f?[]:f,b=e.label,y=e.required,_=e.disabled,S=e.name,C=e.defaultSelectedKey,x=e.componentRef,P=e.onChange,k=(0,l.useId)("ChoiceGroup"),I=(0,l.useId)("ChoiceGroupLabel"),w=(0,a.getNativeProps)(e,a.divProperties,["onChange","className","required"]),T=u(h,{theme:g,className:o,optionsContainIconOrImage:v.some((function(e){return!(!e.iconProps&&!e.imageSrc)}))}),E=e.ariaLabelledBy||(b?I:e["aria-labelledby"]),D=(0,l.useControllableValue)(e.selectedKey,C),M=D[0],O=D[1],R=r.useState(),F=R[0],B=R[1],A=r.useRef(null),N=(0,l.useMergedRefs)(A,t),L=r.useContext(a.FocusRectsContext);!function(e,t,o,n,i){var a=(0,c.useDocumentEx)();r.useImperativeHandle(n,(function(){return{get checkedOption(){return p(e,t)},focus:function(){m(e,t,o,i,a)}}}),[e,t,o,i,a])}(v,M,k,x,null==L?void 0:L.registeredProviders),(0,a.useFocusRects)(A);var H=r.useCallback((function(e,t){var o;t&&(B(t.itemKey),null===(o=t.onFocus)||void 0===o||o.call(t,e))}),[]),j=r.useCallback((function(e,t){var o;B(void 0),null===(o=null==t?void 0:t.onBlur)||void 0===o||o.call(t,e)}),[]),z=r.useCallback((function(e,t){var o;t&&(O(t.itemKey),null===(o=t.onChange)||void 0===o||o.call(t,e),null==P||P(e,p(v,t.itemKey)))}),[P,v,O]),W=r.useCallback((function(e){(function(e){return e.relatedTarget instanceof HTMLElement&&"true"===e.relatedTarget.dataset.isFocusTrapZoneBumper})(e)&&m(v,M,k,null==L?void 0:L.registeredProviders)}),[v,M,k,L]);return r.createElement("div",n.__assign({className:T.root},w,{ref:N}),r.createElement("div",n.__assign({role:"radiogroup"},E&&{"aria-labelledby":E},{onFocus:W}),b&&r.createElement(i.Label,{className:T.label,required:y,id:I,disabled:_},b),r.createElement("div",{className:T.flexContainer},v.map((function(e){return r.createElement(s.ChoiceGroupOption,n.__assign({itemKey:e.key},e,{key:e.key,onBlur:j,onFocus:H,onChange:z,focused:e.key===F,checked:e.key===M,disabled:e.disabled||_,id:d(e,k),labelId:e.labelId||"".concat(I,"-").concat(e.key),name:S||k,required:y}))})))))})),t.ChoiceGroupBase.displayName="ChoiceGroup"},40629:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ChoiceGroup=void 0;var n=o(71061),r=o(578),i=o(10465);t.ChoiceGroup=(0,n.styled)(r.ChoiceGroupBase,i.getStyles,void 0,{scope:"ChoiceGroup"})},10465:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r={root:"ms-ChoiceFieldGroup",flexContainer:"ms-ChoiceFieldGroup-flexContainer"};t.getStyles=function(e){var t=e.className,o=e.optionsContainIconOrImage,i=e.theme,a=(0,n.getGlobalClassNames)(r,i);return{root:[t,a.root,i.fonts.medium,{display:"block"}],flexContainer:[a.flexContainer,o&&{display:"flex",flexDirection:"row",flexWrap:"wrap"}]}}},91222:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},65505:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ChoiceGroupOptionBase=void 0;var n=o(31635),r=o(83923),i=o(38992),a=o(30936),s=o(71061),l=(0,s.classNamesFunction)(),c={imageSize:{width:32,height:32}};t.ChoiceGroupOptionBase=function(e){var t=(0,s.getPropsWithDefaults)(n.__assign(n.__assign({},c),{key:e.itemKey}),e),o=t.ariaLabel,u=t.focused,d=t.required,p=t.theme,m=t.iconProps,g=t.imageSrc,h=t.imageSize,f=t.disabled,v=t.checked,b=t.id,y=t.styles,_=t.name,S=n.__rest(t,["ariaLabel","focused","required","theme","iconProps","imageSrc","imageSize","disabled","checked","id","styles","name"]),C=l(y,{theme:p,hasIcon:!!m,hasImage:!!g,checked:v,disabled:f,imageIsLarge:!!g&&(h.width>71||h.height>71),imageSize:h,focused:u}),x=(0,s.getNativeProps)(S,s.inputProperties),P=x.className,k=n.__rest(x,["className"]),I=function(){return r.createElement("span",{id:t.labelId,className:"ms-ChoiceFieldLabel"},t.text)},w=function(){var e=t.imageAlt,o=void 0===e?"":e,l=t.selectedImageSrc,c=(t.onRenderLabel?(0,s.composeRenderFunction)(t.onRenderLabel,I):I)(n.__assign(n.__assign({},t),{key:t.itemKey}));return r.createElement("label",{htmlFor:b,className:C.field},g&&r.createElement("div",{className:C.innerField},r.createElement("div",{className:C.imageWrapper},r.createElement(i.Image,n.__assign({src:g,alt:o},h))),r.createElement("div",{className:C.selectedImageWrapper},r.createElement(i.Image,n.__assign({src:l,alt:o},h)))),m&&r.createElement("div",{className:C.innerField},r.createElement("div",{className:C.iconWrapper},r.createElement(a.Icon,n.__assign({},m)))),g||m?r.createElement("div",{className:C.labelWrapper},c):c)},T=t.onRenderField,E=void 0===T?w:T;return r.createElement("div",{className:C.root},r.createElement("div",{className:C.choiceFieldWrapper},r.createElement("input",n.__assign({"aria-label":o,id:b,className:(0,s.css)(C.input,P),type:"radio",name:_,disabled:f,checked:v,required:d},k,{onChange:function(e){var o;null===(o=t.onChange)||void 0===o||o.call(t,e,n.__assign(n.__assign({},t),{key:t.itemKey}))},onFocus:function(e){var o;null===(o=t.onFocus)||void 0===o||o.call(t,e,n.__assign(n.__assign({},t),{key:t.itemKey}))},onBlur:function(e){var o;null===(o=t.onBlur)||void 0===o||o.call(t,e)}})),E(n.__assign(n.__assign({},t),{key:t.itemKey}),w)))},t.ChoiceGroupOptionBase.displayName="ChoiceGroupOption"},21116:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ChoiceGroupOption=void 0;var n=o(71061),r=o(65505),i=o(63390);t.ChoiceGroupOption=(0,n.styled)(r.ChoiceGroupOptionBase,i.getStyles,void 0,{scope:"ChoiceGroupOption"})},63390:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(31635),r=o(15019),i=o(71061),a={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"},s="200ms",l="cubic-bezier(.4, 0, .23, 1)";function c(e,t){var o,n;return["is-inFocus",{selectors:(o={},o[".".concat(i.IsFocusVisibleClassName," &, :host(.").concat(i.IsFocusVisibleClassName,") &")]={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 ".concat(e),position:"absolute",selectors:(n={},n[r.HighContrastSelector]={borderColor:"WindowText",borderWidth:t?1:2},n)}}},o)}]}function u(e,t,o){return[t,{paddingBottom:2,transitionProperty:"opacity",transitionDuration:s,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}]]}t.getStyles=function(e){var t,o,i,d,p,m=e.theme,g=e.hasIcon,h=e.hasImage,f=e.checked,v=e.disabled,b=e.imageIsLarge,y=e.focused,_=e.imageSize,S=m.palette,C=m.semanticColors,x=m.fonts,P=(0,r.getGlobalClassNames)(a,m),k=S.neutralPrimary,I=C.inputBorderHovered,w=C.inputBackgroundChecked,T=S.themeDark,E=C.disabledBodySubtext,D=C.bodyBackground,M=S.neutralSecondary,O=C.inputBackgroundChecked,R=S.themeDark,F=C.disabledBodySubtext,B=S.neutralDark,A=C.focusBorder,N=C.inputBorderHovered,L=C.inputBackgroundChecked,H=S.themeDark,j=S.neutralLighter,z={selectors:{".ms-ChoiceFieldLabel":{color:B},":before":{borderColor:f?T:I},":after":[!g&&!h&&!f&&{content:'""',transitionProperty:"background-color",left:5,top:5,width:10,height:10,backgroundColor:M},f&&{borderColor:R,background:R}]}},W={borderColor:f?H:N,selectors:{":before":{opacity:1,borderColor:f?T:I}}},V=[{content:'""',display:"inline-block",backgroundColor:D,borderWidth:1,borderStyle:"solid",borderColor:k,width:20,height:20,fontWeight:"normal",position:"absolute",top:0,left:0,boxSizing:"border-box",transitionProperty:"border-color",transitionDuration:s,transitionTimingFunction:l,borderRadius:"50%"},v&&{borderColor:E,selectors:(t={},t[r.HighContrastSelector]=n.__assign({borderColor:"GrayText",background:"Window"},(0,r.getHighContrastNoAdjustStyle)()),t)},f&&{borderColor:v?E:w,selectors:(o={},o[r.HighContrastSelector]={borderColor:"Highlight",background:"Window",forcedColorAdjust:"none"},o)},(g||h)&&{top:3,right:3,left:"auto",opacity:f?1:0}],K=[{content:'""',width:0,height:0,borderRadius:"50%",position:"absolute",left:10,right:0,transitionProperty:"border-width",transitionDuration:s,transitionTimingFunction:l,boxSizing:"border-box"},f&&{borderWidth:5,borderStyle:"solid",borderColor:v?F:O,background:O,left:5,top:5,width:10,height:10,selectors:(i={},i[r.HighContrastSelector]={borderColor:"Highlight",forcedColorAdjust:"none"},i)},f&&(g||h)&&{top:8,right:8,left:"auto"}];return{root:[P.root,m.fonts.medium,{display:"flex",alignItems:"center",boxSizing:"border-box",color:C.bodyText,minHeight:26,border:"none",position:"relative",marginTop:8,selectors:{".ms-ChoiceFieldLabel":{display:"inline-block"}}},!g&&!h&&{selectors:{".ms-ChoiceFieldLabel":{paddingLeft:"26px"}}},h&&"ms-ChoiceField--image",g&&"ms-ChoiceField--icon",(g||h)&&{display:"inline-flex",fontSize:0,margin:"0 4px 4px 0",paddingLeft:0,backgroundColor:j,height:"100%"}],choiceFieldWrapper:[P.choiceFieldWrapper,y&&c(A,g||h)],input:[P.input,{position:"absolute",opacity:0,top:0,right:0,width:"100%",height:"100%",margin:0},v&&"is-disabled"],field:[P.field,f&&P.checked,{display:"inline-block",cursor:"pointer",marginTop:0,position:"relative",verticalAlign:"top",userSelect:"none",minHeight:20,selectors:{":hover":!v&&z,":focus":!v&&z,":before":V,":after":K}},g&&"ms-ChoiceField--icon",h&&"ms-ChoiceField-field--image",(g||h)&&{boxSizing:"content-box",cursor:"pointer",paddingTop:22,margin:0,textAlign:"center",transitionProperty:"all",transitionDuration:s,transitionTimingFunction:"ease",border:"1px solid transparent",justifyContent:"center",alignItems:"center",display:"flex",flexDirection:"column"},f&&{borderColor:L},(g||h)&&!v&&{selectors:{":hover":W,":focus":W}},v&&{cursor:"default",selectors:{".ms-ChoiceFieldLabel":{color:C.disabledBodyText,selectors:(d={},d[r.HighContrastSelector]=n.__assign({color:"GrayText"},(0,r.getHighContrastNoAdjustStyle)()),d)}}},f&&v&&{borderColor:j}],innerField:[P.innerField,h&&{height:_.height,width:_.width},(g||h)&&{position:"relative",display:"inline-block",paddingLeft:30,paddingRight:30},(g||h)&&b&&{paddingLeft:24,paddingRight:24},(g||h)&&v&&{opacity:.25,selectors:(p={},p[r.HighContrastSelector]={color:"GrayText",opacity:1},p)}],imageWrapper:u(!1,P.imageWrapper,f),selectedImageWrapper:u(!0,P.imageWrapper,f),iconWrapper:[P.iconWrapper,{fontSize:32,lineHeight:32,height:32}],labelWrapper:[P.labelWrapper,x.medium,(g||h)&&{display:"block",position:"relative",margin:"4px 8px 2px 8px",height:32,lineHeight:15,maxWidth:2*_.width,overflow:"hidden",whiteSpace:"pre-wrap"}]}}},70431:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},3867:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(21116),t),n.__exportStar(o(70431),t)},32339:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(40629),t),n.__exportStar(o(578),t),n.__exportStar(o(91222),t),n.__exportStar(o(3867),t)},969:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Beak=t.BEAK_WIDTH=t.BEAK_HEIGHT=void 0;var n=o(83923),r=o(71061),i=o(13725),a=o(43300);t.BEAK_HEIGHT=10,t.BEAK_WIDTH=18,t.Beak=n.forwardRef((function(e,o){var s,l,c,u,d,p,m=e.left,g=e.top,h=e.bottom,f=e.right,v=e.color,b=e.direction,y=void 0===b?a.RectangleEdge.top:b;switch(y===a.RectangleEdge.top||y===a.RectangleEdge.bottom?(s=t.BEAK_HEIGHT,l=t.BEAK_WIDTH):(s=t.BEAK_WIDTH,l=t.BEAK_HEIGHT),y){case a.RectangleEdge.top:default:c="".concat(t.BEAK_WIDTH/2,", 0"),u="".concat(t.BEAK_WIDTH,", ").concat(t.BEAK_HEIGHT),d="0, ".concat(t.BEAK_HEIGHT),p="translateY(-100%)";break;case a.RectangleEdge.right:c="0, 0",u="".concat(t.BEAK_HEIGHT,", ").concat(t.BEAK_HEIGHT),d="0, ".concat(t.BEAK_WIDTH),p="translateX(100%)";break;case a.RectangleEdge.bottom:c="0, 0",u="".concat(t.BEAK_WIDTH,", 0"),d="".concat(t.BEAK_WIDTH/2,", ").concat(t.BEAK_HEIGHT),p="translateY(100%)";break;case a.RectangleEdge.left:c="".concat(t.BEAK_HEIGHT,", 0"),u="0, ".concat(t.BEAK_HEIGHT),d="".concat(t.BEAK_HEIGHT,", ").concat(t.BEAK_WIDTH),p="translateX(-100%)"}var _=(0,r.classNamesFunction)()(i.getStyles,{left:m,top:g,bottom:h,right:f,height:"".concat(s,"px"),width:"".concat(l,"px"),transform:p,color:v});return n.createElement("div",{className:_.root,role:"presentation",ref:o},n.createElement("svg",{height:s,width:l,className:_.beak},n.createElement("polygon",{points:c+" "+u+" "+d})))})),t.Beak.displayName="Beak"},13725:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019);t.getStyles=function(e){var t;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",selectors:(t={},t[n.HighContrastSelector]={fill:"windowtext"},t)}}}},74474:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.CoachmarkBase=t.COACHMARK_ATTRIBUTE_NAME=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(43300),s=o(89659),l=o(969),c=o(42502),u=o(79209),d=o(34464),p=o(25698),m=o(50478),g=(0,i.classNamesFunction)();t.COACHMARK_ATTRIBUTE_NAME="data-coachmarkid";var h={isCollapsed:!0,mouseProximityOffset:10,delayBeforeMouseOpen:3600,delayBeforeCoachmarkAnimation:0,isPositionForced:!0,positioningContainerProps:{directionalHint:c.DirectionalHint.bottomAutoEdge}};function f(e,t,o){var n,r;return e?!t||t.directionalHint!==c.DirectionalHint.topAutoEdge&&t.directionalHint!==c.DirectionalHint.bottomAutoEdge?{left:-1/0,top:-1/0,bottom:1/0,right:1/0,width:1/0,height:1/0}:{left:0,top:-1/0,bottom:1/0,right:null!==(n=null==o?void 0:o.innerWidth)&&void 0!==n?n:0,width:null!==(r=null==o?void 0:o.innerWidth)&&void 0!==r?r:0,height:1/0}:void 0}t.CoachmarkBase=r.forwardRef((function(e,t){var o=(0,i.getPropsWithDefaults)(h,e),c=(0,m.useWindowEx)(),v=r.useRef(null),b=r.useRef(null),y=function(){var e=(0,p.useAsync)(),t=r.useState(),o=t[0],n=t[1],i=r.useState(),a=i[0],s=i[1];return[o,a,function(t){var o=t.alignmentEdge,r=t.targetEdge;return e.requestAnimationFrame((function(){n(o),s(r)}))}]}(),_=y[0],S=y[1],C=y[2],x=function(e,t){var o=e.isCollapsed,n=e.onAnimationOpenStart,a=e.onAnimationOpenEnd,s=r.useState(!!o),l=s[0],c=s[1],u=(0,p.useSetTimeout)().setTimeout,d=r.useRef(!l),m=r.useCallback((function(){var e,o;d.current||(c(!1),null==n||n(),null===(o=null===(e=t.current)||void 0===e?void 0:e.addEventListener)||void 0===o||o.call(e,"transitionend",(function(){u((function(){t.current&&(0,i.focusFirstChild)(t.current)}),1e3),null==a||a()})),d.current=!0)}),[t,a,n,u]);return r.useEffect((function(){o||m()}),[o]),[l,m]}(o,v),P=x[0],k=x[1],I=function(e,t,o){var n=(0,i.getRTL)(e.theme);return r.useMemo((function(){var e,r,i=void 0===o?a.RectangleEdge.bottom:(0,a.getOppositeEdge)(o),s={direction:i},c="3px";switch(i){case a.RectangleEdge.top:case a.RectangleEdge.bottom:t?t===a.RectangleEdge.left?(s.left="".concat(u.COACHMARK_WIDTH/2-l.BEAK_WIDTH/2,"px"),e="left"):(s.right="".concat(u.COACHMARK_WIDTH/2-l.BEAK_WIDTH/2,"px"),e="right"):(s.left="calc(50% - ".concat(l.BEAK_WIDTH/2,"px)"),e="center"),i===a.RectangleEdge.top?(s.top=c,r="top"):(s.bottom=c,r="bottom");break;case a.RectangleEdge.left:case a.RectangleEdge.right:t?t===a.RectangleEdge.top?(s.top="".concat(u.COACHMARK_WIDTH/2-l.BEAK_WIDTH/2,"px"),r="top"):(s.bottom="".concat(u.COACHMARK_WIDTH/2-l.BEAK_WIDTH/2,"px"),r="bottom"):(s.top="calc(50% - ".concat(l.BEAK_WIDTH/2,"px)"),r="center"),i===a.RectangleEdge.left?(n?s.right=c:s.left=c,e="left"):(n?s.left=c:s.right=c,e="right")}return[s,"".concat(e," ").concat(r)]}),[t,o,n])}(o,_,S),w=I[0],T=I[1],E=function(e,t){var o=r.useState(!!e.isCollapsed),n=o[0],i=o[1],a=r.useState(e.isCollapsed?{width:0,height:0}:{}),s=a[0],l=a[1],c=(0,p.useAsync)();return r.useEffect((function(){c.requestAnimationFrame((function(){t.current&&(l({width:t.current.offsetWidth,height:t.current.offsetHeight}),i(!1))}))}),[]),[n,s]}(o,v),D=E[0],M=E[1],O=r.useState(f(o.isPositionForced,o.positioningContainerProps,c)),R=O[0],F=O[1],B=function(e){var t=e.ariaAlertText,o=(0,p.useAsync)(),n=r.useState(),i=n[0],a=n[1];return r.useEffect((function(){o.requestAnimationFrame((function(){a(t)}))}),[]),i}(o),A=function(e){var t=e.preventFocusOnMount,o=(0,p.useSetTimeout)().setTimeout,n=r.useRef(null);return r.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,i.getDocument)())||void 0===n?void 0:n.documentElement;(0,p.useOnEvent)(r,"keydown",(function(e){var n,r;(e.altKey&&e.which===i.KeyCodes.c||e.which===i.KeyCodes.enter&&(null===(r=null===(n=t.current)||void 0===n?void 0:n.contains)||void 0===r?void 0:r.call(n,e.target)))&&o()}),!0);var a=function(o){var n;if(e.preventDismissOnLostFocus){var r=o.target,a=t.current&&!(0,i.elementContains)(t.current,r),s=e.target;a&&r!==s&&!(0,i.elementContains)(s,r)&&(null===(n=e.onDismiss)||void 0===n||n.call(e,o))}};(0,p.useOnEvent)(r,"click",a,!0),(0,p.useOnEvent)(r,"focus",a,!0)}(o,b,k),function(e){var t=e.onDismiss;r.useImperativeHandle(e.componentRef,(function(e){return{dismiss:function(){null==t||t(e)}}}),[t])}(o),function(e,t,o,n){var a=(0,p.useSetTimeout)(),s=a.setTimeout,l=a.clearTimeout,c=r.useRef(),u=(0,m.useWindowEx)(),d=(0,m.useDocumentEx)();r.useEffect((function(){var r=function(){t.current&&(c.current=t.current.getBoundingClientRect())},a=new i.EventGroup({});return s((function(){var t=e.mouseProximityOffset,i=void 0===t?0:t,p=[];s((function(){r(),a.on(u,"resize",(function(){p.forEach((function(e){l(e)})),p.splice(0,p.length),p.push(s((function(){r(),n(f(e.isPositionForced,e.positioningContainerProps,u))}),100))}))}),10),a.on(d,"mousemove",(function(t){var n,a=t.clientY,s=t.clientX;r(),function(e,t,o,n){return void 0===n&&(n=0),t>e.left-n&&te.top-n&&o{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Coachmark=void 0;var n=o(71061),r=o(79209),i=o(74474);t.Coachmark=(0,n.styled)(i.CoachmarkBase,r.getStyles,void 0,{scope:"Coachmark"})},79209:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=t.rotateOne=t.scaleOne=t.translateOne=t.COACHMARK_HEIGHT=t.COACHMARK_WIDTH=void 0;var n=o(15019),r=o(71061);t.COACHMARK_WIDTH=32,t.COACHMARK_HEIGHT=32,t.translateOne=(0,r.memoizeFunction)((function(){return(0,n.keyframes)({"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)"}})})),t.scaleOne=(0,r.memoizeFunction)((function(){return(0,n.keyframes)({"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)"}})})),t.rotateOne=(0,r.memoizeFunction)((function(){return(0,n.keyframes)({"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)"}})})),t.getStyles=function(e){var o,i=e.theme,a=e.className,s=e.color,l=e.beaconColorOne,c=e.beaconColorTwo,u=e.delayBeforeCoachmarkAnimation,d=e.isCollapsed,p=e.isMeasuring,m=e.entityHostHeight,g=e.entityHostWidth,h=e.transformOrigin;if(!i)throw new Error("theme is undefined or null in base Dropdown getStyles function.");var f=n.PulsingBeaconAnimationStyles.continuousPulseAnimationDouble(l||i.palette.themePrimary,c||i.palette.themeTertiary,"35px","150px","10px"),v=n.PulsingBeaconAnimationStyles.createDefaultAnimation(f,u);return{root:[i.fonts.medium,{position:"relative"},a],pulsingBeacon:[{position:"absolute",top:"50%",left:"50%",transform:(0,r.getRTL)(i)?"translate(50%, -50%)":"translate(-50%, -50%)",width:"0px",height:"0px",borderRadius:"225px",borderStyle:"solid",opacity:"0"},d&&v],translateAnimationContainer:[{width:"100%",height:"100%"},d&&{animationDuration:"14s",animationTimingFunction:"linear",animationDirection:"normal",animationIterationCount:"1",animationDelay:"0s",animationFillMode:"forwards",animationName:(0,t.translateOne)(),transition:"opacity 0.5s ease-in-out"},!d&&{opacity:"1"}],scaleAnimationLayer:[{width:"100%",height:"100%"},d&&{animationDuration:"14s",animationTimingFunction:"linear",animationDirection:"normal",animationIterationCount:"1",animationDelay:"0s",animationFillMode:"forwards",animationName:(0,t.scaleOne)()}],rotateAnimationLayer:[{width:"100%",height:"100%"},d&&{animationDuration:"14s",animationTimingFunction:"linear",animationDirection:"normal",animationIterationCount:"1",animationDelay:"0s",animationFillMode:"forwards",animationName:(0,t.rotateOne)()},!d&&{opacity:"1"}],entityHost:[{position:"relative",outline:"none",overflow:"hidden",backgroundColor:s,borderRadius:t.COACHMARK_WIDTH,transition:"border-radius 250ms, width 500ms, height 500ms cubic-bezier(0.5, 0, 0, 1)",visibility:"hidden",selectors:(o={},o[n.HighContrastSelector]={backgroundColor:"Window",border:"2px solid WindowText"},o[".".concat(r.IsFocusVisibleClassName," &:focus")]={outline:"1px solid ".concat(i.palette.themeTertiary)},o)},!p&&d&&{width:t.COACHMARK_WIDTH,height:t.COACHMARK_HEIGHT},!p&&{visibility:"visible"},!d&&{borderRadius:"1px",opacity:"1",width:g,height:m},d&&{cursor:"pointer"}],entityInnerHost:[{transition:"transform 500ms cubic-bezier(0.5, 0, 0, 1)",transformOrigin:h,transform:"scale(0)"},!d&&{width:g,height:m,transform:"scale(1)"},!p&&{visibility:"visible"}],childrenContainer:[{display:!p&&d?"none":"block"}],ariaContainer:{position:"fixed",opacity:0,height:0,width:0,pointerEvents:"none"}}}},21918:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},68215:(e,t,o)=>{"use strict";var n;Object.defineProperty(t,"__esModule",{value:!0}),t.PositioningContainer=t.useHeightOffset=void 0;var r=o(31635),i=o(83923),a=o(76475),s=o(15019),l=o(44472),c=o(42502),u=o(71061),d=o(43300),p=o(15019),m=o(25698),g=o(50478),h={opacity:0},f=((n={})[d.RectangleEdge.top]="slideUpIn20",n[d.RectangleEdge.bottom]="slideDownIn20",n[d.RectangleEdge.left]="slideLeftIn20",n[d.RectangleEdge.right]="slideRightIn20",n),v={preventDismissOnScroll:!1,offsetFromTarget:0,minPagePadding:8,directionalHint:c.DirectionalHint.bottomAutoEdge};function b(e,t){var o=e.finalHeight,n=i.useState({value:0}),r=n[0],a=n[1],s=(0,m.useAsync)(),l=i.useRef(0),c=function(){t&&o&&(l.current=s.requestAnimationFrame((function(){if(t.current){var e=t.current.lastChild,n=e.scrollHeight-e.offsetHeight;a({value:r.value+n}),e.offsetHeightA?A:O,L=i.createElement("div",{ref:y,className:(0,u.css)("ms-PositioningContainer",F.container)},i.createElement("div",{className:(0,p.mergeStyles)("ms-PositioningContainer-layerHost",F.root,E,B,!!M&&{width:M},D&&{zIndex:s.ZIndexes.Layer}),style:k?k.elementPosition:h,tabIndex:-1,ref:n},R,N));return D?L:i.createElement(l.Layer,r.__assign({},o.layerProps),L)})),t.PositioningContainer.displayName="PositioningContainer"},76475:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getClassNames=void 0;var n=o(71061),r=o(15019);t.getClassNames=(0,n.memoizeFunction)((function(){var e;return(0,r.mergeStyleSets)({root:[{position:"absolute",boxSizing:"border-box",border:"1px solid ${}",selectors:(e={},e[r.HighContrastSelector]={border:"1px solid WindowText"},e)},(0,r.focusClear)()],container:{position:"relative"},main:{backgroundColor:"#ffffff",overflowX:"hidden",overflowY:"hidden",position:"relative"},overFlowYHidden:{overflowY:"hidden"}})}))},13504:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},89659:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(68215),t),n.__exportStar(o(13504),t)},8610:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(87741),t),n.__exportStar(o(74474),t),n.__exportStar(o(21918),t)},40542:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ColorPickerBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(13636),s=o(34718),l=o(42502),c=o(5641),u=o(74051),d=o(47076),p=o(7066),m=o(18441),g=o(61029),h=o(36306),f=o(86861),v=o(16505),b=o(78073),y=o(58655),_=o(70510),S=(0,i.classNamesFunction)(),C=["hex","r","g","b","a","t"],x={hex:"hexError",r:"redError",g:"greenError",b:"blueError",a:"alphaError",t:"transparencyError"},P=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,v.updateH)(r.state.color,t))},r._onATChanged=function(e,t){var o="transparency"===r.props.alphaType?f.updateT:h.updateA;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,v="t"===l,_=c?d.MIN_HEX_LENGTH:d.MIN_RGBA_LENGTH;if(s.length>=_&&(c||!isNaN(Number(s)))){var S=void 0;S=c?(0,p.getColorFromString)("#"+(0,y.correctHex)(s)):u||v?(u?h.updateA:f.updateT)(i,(0,g.clamp)(Number(s),d.MAX_COLOR_ALPHA)):(0,m.getColorFromRGBA)((0,b.correctRGB)(n.__assign(n.__assign({},i),((t={})[l]=Number(s),t)))),r._updateColor(e,S)}else r.setState({editingColor:void 0})}},(0,i.initializeComponentRef)(r);var a=o.strings;(0,i.warnDeprecations)("ColorPicker",o,{hexLabel:"strings.hex",redLabel:"strings.red",greenLabel:"strings.green",blueLabel:"strings.blue",alphaLabel:"strings.alpha",alphaSliderHidden:"alphaType"}),a.hue&&(0,i.warn)("ColorPicker property 'strings.hue' was used but has been deprecated. Use 'strings.hueAriaLabel' instead."),r.state={color:k(o)||(0,p.getColorFromString)("#ffffff")},r._textChangeHandlers={};for(var s=0,l=C;s=d.MIN_HEX_LENGTH&&o.length<=d.MAX_HEX_LENGTH)){var n=x[e];return this._strings[n]}}},t.prototype._onTextChange=function(e,t,o){var r,i=this.state.color,a="hex"===e,s="a"===e,l="t"===e;if(o=(o||"").substr(0,a?d.MAX_HEX_LENGTH:d.MAX_RGBA_LENGTH),(a?d.HEX_REGEX:d.RGBA_REGEX).test(o))if(""!==o&&(a?o.length===d.MAX_HEX_LENGTH:s||l?Number(o)<=d.MAX_COLOR_ALPHA:Number(o)<=d.MAX_COLOR_RGB))if(String(i[e])===o)this.state.editingColor&&this.setState({editingColor:void 0});else{var c=a?(0,p.getColorFromString)("#"+o):l?(0,f.updateT)(i,Number(o)):(0,m.getColorFromRGBA)(n.__assign(n.__assign({},i),((r={})[e]=Number(o),r)));this._updateColor(t,c)}else this.setState({editingColor:{component:e,value:o}})},t.prototype._updateColor=function(e,t){if(t){var o=this.state,n=o.color,r=o.editingColor;if(t.h!==n.h||t.str!==n.str||r){if(e&&this.props.onChange&&(this.props.onChange(e,t),e.defaultPrevented))return;this.setState({color:t,editingColor:void 0})}}},t.defaultProps={alphaType:"alpha",strings:{rootAriaLabelFormat:"Color picker, {0} selected.",hex:"Hex",red:"Red",green:"Green",blue:"Blue",alpha:"Alpha",transparency:"Transparency",hueAriaLabel:"Hue",svAriaLabel:_.ColorRectangleBase.defaultProps.ariaLabel,svAriaValueFormat:_.ColorRectangleBase.defaultProps.ariaValueFormat,svAriaDescription:_.ColorRectangleBase.defaultProps.ariaDescription,hexError:"Hex values must be between 3 and 6 characters long",alphaError:"Alpha must be between 0 and 100",transparencyError:"Transparency must be between 0 and 100",redError:"Red must be between 0 and 255",greenError:"Green must be between 0 and 255",blueError:"Blue must be between 0 and 255"}},t}(r.Component);function k(e){var t=e.color;return"string"==typeof t?(0,p.getColorFromString)(t):t}t.ColorPickerBase=P},61017:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ColorPicker=void 0;var n=o(71061),r=o(40542),i=o(49325);t.ColorPicker=(0,n.styled)(r.ColorPickerBase,i.getStyles,void 0,{scope:"ColorPicker"})},49325:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0,t.getStyles=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",forcedColorAdjust:"none"}],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"}}}]}}},37282:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},70510:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t._getNewColor=t.ColorRectangleBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(47076),s=o(19833),l=o(32668),c=o(61029),u=o(97156),d=o(50478),p=(0,i.classNamesFunction)(),m=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,i.getId)("ColorRectangle-description"),o._onKeyDown=function(e){var t=o.state.color,n=t.s,r=t.v,s=e.shiftKey?10:1;switch(e.which){case i.KeyCodes.up:o._isAdjustingSaturation=!1,r+=s;break;case i.KeyCodes.down:o._isAdjustingSaturation=!1,r-=s;break;case i.KeyCodes.left:o._isAdjustingSaturation=!0,n-=s;break;case i.KeyCodes.right:o._isAdjustingSaturation=!0,n+=s;break;default:return}o._updateColor(e,(0,l.updateSV)(t,(0,c.clamp)(n,a.MAX_COLOR_SATURATION),(0,c.clamp)(r,a.MAX_COLOR_VALUE)))},o._onMouseDown=function(e){var t=(0,d.getWindowEx)(o.context);o._disposables.push((0,i.on)(t,"mousemove",o._onMouseMove,!0),(0,i.on)(t,"mouseup",o._disposeListeners,!0)),o._onMouseMove(e)},o._onMouseMove=function(e){if(o._root.current){var t=g(e,o.state.color,o._root.current);t&&o._updateColor(e,t)}},o._onTouchStart=function(e){o._root.current&&e.stopPropagation()},o._onTouchMove=function(e){if(o._root.current){var t=g(e,o.state.color,o._root.current);t&&o._updateColor(e,t),e.preventDefault(),e.stopPropagation()}},o._disposeListeners=function(){o._disposables.forEach((function(e){return e()})),o._disposables=[]},(0,i.initializeComponentRef)(o),o.state={color:t.color},o}return n.__extends(t,e),Object.defineProperty(t.prototype,"color",{get:function(){return this.state.color},enumerable:!1,configurable:!0}),t.prototype.componentDidUpdate=function(e,t){e!==this.props&&this.props.color&&this.setState({color:this.props.color})},t.prototype.componentDidMount=function(){this._root.current&&(this._root.current.addEventListener("touchstart",this._onTouchStart,{capture:!0,passive:!1}),this._root.current.addEventListener("touchmove",this._onTouchMove,{capture:!0,passive:!1}))},t.prototype.componentWillUnmount=function(){this._root.current&&(this._root.current.removeEventListener("touchstart",this._onTouchStart),this._root.current.removeEventListener("touchmove",this._onTouchMove)),this._disposeListeners()},t.prototype.render=function(){var e=this.props,t=e.minSize,o=e.theme,n=e.className,i=e.styles,l=e.ariaValueFormat,c=e.ariaLabel,u=e.ariaDescription,d=this.state.color,m=p(i,{theme:o,className:n,minSize:t}),g=l.replace("{0}",String(d.s)).replace("{1}",String(d.v));return r.createElement("div",{ref:this._root,tabIndex:0,className:m.root,style:{backgroundColor:(0,s.getFullColorString)(d)},onMouseDown:this._onMouseDown,onKeyDown:this._onKeyDown,role:"slider","aria-valuetext":g,"aria-valuenow":this._isAdjustingSaturation?d.s:d.v,"aria-valuemin":0,"aria-valuemax":a.MAX_COLOR_VALUE,"aria-label":c,"aria-describedby":this._descriptionId,"data-is-focusable":!0},r.createElement("div",{className:m.description,id:this._descriptionId},u),r.createElement("div",{className:m.light}),r.createElement("div",{className:m.dark}),r.createElement("div",{className:m.thumb,style:{left:d.s+"%",top:a.MAX_COLOR_VALUE-d.v+"%",backgroundColor:d.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.contextType=u.WindowContext,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);function g(e,t,o){var n=o.getBoundingClientRect(),r=void 0,i=e;if(i.touches){var s=i.touches[i.touches.length-1];void 0!==s.clientX&&void 0!==s.clientY&&(r={clientX:s.clientX,clientY:s.clientY})}if(!r){var u=e;void 0!==u.clientX&&void 0!==u.clientY&&(r={clientX:u.clientX,clientY:u.clientY})}if(r){var d=(r.clientX-n.left)/n.width,p=(r.clientY-n.top)/n.height;return(0,l.updateSV)(t,(0,c.clamp)(Math.round(d*a.MAX_COLOR_SATURATION),a.MAX_COLOR_SATURATION),(0,c.clamp)(Math.round(a.MAX_COLOR_VALUE-p*a.MAX_COLOR_VALUE),a.MAX_COLOR_VALUE))}}t.ColorRectangleBase=m,t._getNewColor=g},5641:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ColorRectangle=void 0;var n=o(71061),r=o(70510),i=o(21021);t.ColorRectangle=(0,n.styled)(r.ColorRectangleBase,i.getStyles,void 0,{scope:"ColorRectangle"})},21021:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(31635),r=o(15019),i=o(71061),a=o(83048);t.getStyles=function(e){var t,o,s=e.className,l=e.theme,c=e.minSize,u=l.palette,d=l.effects;return{root:["ms-ColorPicker-colorRect",{position:"relative",marginBottom:8,border:"1px solid ".concat(u.neutralLighter),borderRadius:d.roundedCorner2,minWidth:c,minHeight:c,outline:"none",selectors:(t={},t[r.HighContrastSelector]=n.__assign({},(0,r.getHighContrastNoAdjustStyle)()),t[".".concat(i.IsFocusVisibleClassName," &:focus, :host(.").concat(i.IsFocusVisibleClassName,") &:focus")]=(o={outline:"1px solid ".concat(u.neutralSecondary)},o["".concat(r.HighContrastSelector)]={outline:"2px solid CanvasText"},o),t)},s],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 ".concat(u.neutralSecondaryAlt),borderRadius:"50%",boxShadow:d.elevation8,transform:"translate(-50%, -50%)",selectors:{":before":{position:"absolute",left:0,right:0,top:0,bottom:0,border:"2px solid ".concat(u.white),borderRadius:"50%",boxSizing:"border-box",content:'""'}}}],description:a.hiddenContentStyle}}},36626:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},89656:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ColorSliderBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(61029),s=o(47076),l=(0,i.classNamesFunction)(),c=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 i.KeyCodes.left:t-=r;break;case i.KeyCodes.right:t+=r;break;case i.KeyCodes.home:t=0;break;case i.KeyCodes.end:t=n;break;default:return}o._updateValue(e,(0,a.clamp)(t,n))},o._onMouseDown=function(e){var t=(0,i.getWindow)(o);t&&o._disposables.push((0,i.on)(t,"mousemove",o._onMouseMove,!0),(0,i.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,a.clamp)(Math.round(r*t),t);o._updateValue(e,i)}},o._onTouchStart=function(e){o._root.current&&e.stopPropagation()},o._onTouchMove=function(e){if(o._root.current){var t=e.touches[e.touches.length-1];if(void 0!==t.clientX){var n=o._maxValue,r=o._root.current.getBoundingClientRect(),i=(t.clientX-r.left)/r.width,s=(0,a.clamp)(Math.round(i*n),n);o._updateValue(e,s)}e.preventDefault(),e.stopPropagation()}},o._disposeListeners=function(){o._disposables.forEach((function(e){return e()})),o._disposables=[]},(0,i.initializeComponentRef)(o),(0,i.warnDeprecations)("ColorSlider",t,{thumbColor:"styles.sliderThumb",overlayStyle:"overlayColor",isAlpha:"type",maxValue:"type",minValue:"type"}),"hue"===o._type||t.overlayColor||t.overlayStyle||(0,i.warn)("ColorSlider: 'overlayColor' is required when 'type' is \"alpha\" or \"transparency\""),o.state={currentValue:t.value||0},o}return n.__extends(t,e),Object.defineProperty(t.prototype,"value",{get:function(){return this.state.currentValue},enumerable:!1,configurable:!0}),t.prototype.componentDidUpdate=function(e,t){e!==this.props&&void 0!==this.props.value&&this.setState({currentValue:this.props.value})},t.prototype.componentDidMount=function(){this._root.current&&(this._root.current.addEventListener("touchstart",this._onTouchStart,{capture:!0,passive:!1}),this._root.current.addEventListener("touchmove",this._onTouchMove,{capture:!0,passive:!1}))},t.prototype.componentWillUnmount=function(){this._root.current&&(this._root.current.removeEventListener("touchstart",this._onTouchStart),this._root.current.removeEventListener("touchmove",this._onTouchMove)),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,c=o.styles,u=o.ariaLabel,d=void 0===u?e:u,p=this.value,m=l(c,{theme:a,className:s,type:e}),g=100*p/t;return r.createElement("div",{ref:this._root,className:m.root,tabIndex:0,onKeyDown:this._onKeyDown,onMouseDown:this._onMouseDown,role:"slider","aria-valuenow":p,"aria-valuetext":String(p),"aria-valuemin":0,"aria-valuemax":t,"aria-label":d,"data-is-focusable":!0},!(!i&&!n)&&r.createElement("div",{className:m.sliderOverlay,style:i?{background:"transparency"===e?"linear-gradient(to right, #".concat(i,", transparent)"):"linear-gradient(to right, transparent, #".concat(i,")")}:n}),r.createElement("div",{className:m.sliderThumb,style:{left:g+"%"}}))},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:!1,configurable:!0}),Object.defineProperty(t.prototype,"_maxValue",{get:function(){return"hue"===this._type?s.MAX_COLOR_HUE:s.MAX_COLOR_ALPHA},enumerable:!1,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);t.ColorSliderBase=c},74051:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ColorSlider=void 0;var n=o(71061),r=o(89656),i=o(20735);t.ColorSlider=(0,n.styled)(r.ColorSliderBase,i.getStyles,void 0,{scope:"ColorSlider"})},20735:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(71061),r=o(15019),i={background:"linear-gradient(".concat(["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(","),")")},a={backgroundImage:"url(data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAAoAAAAKCAYAAACNMs+9AAAAJUlEQVQYV2N89erVfwY0ICYmxoguxjgUFKI7GsTH5m4M3w1ChQC1/Ca8i2n1WgAAAABJRU5ErkJggg==)"};t.getStyles=function(e){var t,o,s=e.theme,l=e.className,c=e.type,u=void 0===c?"hue":c,d=e.isAlpha,p=void 0===d?"hue"!==u:d,m=s.palette,g=s.effects;return{root:["ms-ColorPicker-slider",{position:"relative",height:20,marginBottom:8,border:"1px solid ".concat(m.neutralLight),borderRadius:g.roundedCorner2,boxSizing:"border-box",outline:"none",forcedColorAdjust:"none",selectors:(t={},t[".".concat(n.IsFocusVisibleClassName," &:focus")]=(o={outline:"1px solid ".concat(m.neutralSecondary)},o["".concat(r.HighContrastSelector)]={outline:"2px solid CanvasText"},o),t)},p?a:i,l],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 ".concat(m.neutralSecondaryAlt),borderRadius:"50%",boxShadow:g.elevation8,transform:"translate(-50%, -50%)",top:"50%",forcedColorAdjust:"auto"}]}}},83588:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},11020:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(61017),t),n.__exportStar(o(40542),t),n.__exportStar(o(37282),t),n.__exportStar(o(36626),t),n.__exportStar(o(83588),t)},80583:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getComboBoxOptionClassNames=t.getClassNames=void 0;var n=o(71061),r=o(15019);t.getClassNames=(0,n.memoizeFunction)((function(e,t,o,n,i,a,s,l){return{container:(0,r.mergeStyles)(e.__shadowConfig__,"ms-ComboBox-container",t,e.container),label:(0,r.mergeStyles)(e.__shadowConfig__,e.label,n&&e.labelDisabled),root:(0,r.mergeStyles)(e.__shadowConfig__,"ms-ComboBox",l?e.rootError:o&&"is-open",i&&"is-required",e.root,!s&&e.rootDisallowFreeForm,l&&!a?e.rootError:!n&&a&&e.rootFocused,!n&&{selectors:{":hover":l?e.rootError:!o&&!a&&e.rootHovered,":active":l?e.rootError:e.rootPressed,":focus":l?e.rootError:e.rootFocused}},n&&["is-disabled",e.rootDisabled]),input:(0,r.mergeStyles)(e.__shadowConfig__,"ms-ComboBox-Input",e.input,n&&e.inputDisabled),errorMessage:(0,r.mergeStyles)(e.__shadowConfig__,e.errorMessage),callout:(0,r.mergeStyles)(e.__shadowConfig__,"ms-ComboBox-callout",e.callout),optionsContainerWrapper:(0,r.mergeStyles)(e.__shadowConfig__,"ms-ComboBox-optionsContainerWrapper",e.optionsContainerWrapper),optionsContainer:(0,r.mergeStyles)(e.__shadowConfig__,"ms-ComboBox-optionsContainer",e.optionsContainer),header:(0,r.mergeStyles)(e.__shadowConfig__,"ms-ComboBox-header",e.header),divider:(0,r.mergeStyles)(e.__shadowConfig__,"ms-ComboBox-divider",e.divider),screenReaderText:(0,r.mergeStyles)(e.__shadowConfig__,e.screenReaderText)}})),t.getComboBoxOptionClassNames=(0,n.memoizeFunction)((function(e){return{optionText:(0,r.mergeStyles)(e.__shadowConfig__,"ms-ComboBox-optionText",e.optionText),root:(0,r.mergeStyles)(e.__shadowConfig__,"ms-ComboBox-option",e.root,{selectors:{":hover":e.rootHovered,":focus":e.rootFocused,":active":e.rootPressed}}),optionTextWrapper:(0,r.mergeStyles)(e.__shadowConfig__,e.optionTextWrapper)}}))},84793:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ComboBox=void 0;var n,r,i=o(31635),a=o(83923),s=o(95643),l=o(71061),c=o(16473),u=o(71688),d=o(46701),p=o(80583),m=o(47795),g=o(30628),h=o(74393),f=o(25698),v=o(52332),b=o(97156),y=o(50478);!function(e){e[e.backward=-1]="backward",e[e.none=0]="none",e[e.forward=1]="forward"}(n||(n={})),function(e){e[e.clearAll=-2]="clearAll",e[e.default=-1]="default"}(r||(r={}));var _=a.memo((function(e){return(0,e.render)()}),(function(e,t){e.render;var o=i.__rest(e,["render"]),n=(t.render,i.__rest(t,["render"]));return(0,l.shallowCompare)(o,n)})),S="ComboBox",C={options:[],allowFreeform:!1,autoComplete:"on",buttonIconProps:{iconName:"ChevronDown"}};function x(e,t){for(var o=(0,v.getChildren)(e),n=0;n0&&d();var r=o._id+e.key;c.items.push(n(i.__assign(i.__assign({id:r},e),{index:t}),o._onRenderItem)),c.id=r;break;case g.SelectableOptionMenuItemType.Divider:t>0&&c.items.push(n(i.__assign(i.__assign({},e),{index:t}),o._onRenderItem)),c.items.length>0&&d();break;default:c.items.push(n(i.__assign(i.__assign({},e),{index:t}),o._onRenderItem))}}(e,t)})),c.items.length>0&&d();var p=o._id;return a.createElement("div",{id:p+"-list",className:o._classNames.optionsContainer,"aria-labelledby":r&&p+"-label","aria-label":s&&!r?s:void 0,"aria-multiselectable":l?"true":void 0,role:"listbox"},u)},o._onRenderItem=function(e){switch(e.itemType){case g.SelectableOptionMenuItemType.Divider:return o._renderSeparator(e);case g.SelectableOptionMenuItemType.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,n=o.props.onRenderOption,r=void 0===n?o._onRenderOptionContent:n,s=null!==(t=e.id)&&void 0!==t?t:o._id+"-list"+e.index,l=o._isOptionSelected(e.index),c=o._isOptionChecked(e.index),d=o._isOptionIndeterminate(e.index),m=o._getCurrentOptionStyles(e),g=(0,p.getComboBoxOptionClassNames)(m),f=e.title;return a.createElement(_,{key:e.key,index:e.index,disabled:e.disabled,isSelected:l,isChecked:c,isIndeterminate:d,text:e.text,render:function(){return o.props.multiSelect?a.createElement(u.Checkbox,{id:s,ariaLabel:e.ariaLabel,ariaLabelledBy:e.ariaLabel?void 0:s+"-label",key:e.key,styles:m,className:"ms-ComboBox-option",onChange:o._onItemClick(e),label:e.text,checked:c,indeterminate:d,title:f,disabled:e.disabled,onRenderLabel:o._renderCheckboxLabel.bind(o,i.__assign(i.__assign({},e),{id:s+"-label"})),inputProps:i.__assign({"aria-selected":c?"true":"false",role:"option"},{"data-index":e.index,"data-is-focusable":!0})}):a.createElement(h.CommandButton,{id:s,key:e.key,"data-index":e.index,styles:m,checked:l,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":l?"true":"false",ariaLabel:e.ariaLabel,disabled:e.disabled,title:f},a.createElement("span",{className:g.optionTextWrapper,ref:l?o._selectedElement:void 0},r(e,o._onRenderOptionContent)))},data:e.data})},o._onCalloutMouseDown=function(e){e.preventDefault()},o._onScroll=function(){var e;o._isScrollIdle||void 0===o._scrollIdleTimeoutId?o._isScrollIdle=!1:(o._async.clearTimeout(o._scrollIdleTimeoutId),o._scrollIdleTimeoutId=void 0),(null===(e=o.props.calloutProps)||void 0===e?void 0:e.onScroll)&&o.props.calloutProps.onScroll(),o._scrollIdleTimeoutId=o._async.setTimeout((function(){o._isScrollIdle=!0}),250)},o._onRenderOptionContent=function(e){var t=(0,p.getComboBoxOptionClassNames)(o._getCurrentOptionStyles(e));return a.createElement("span",{className:t.optionText},e.text)},o._onRenderMultiselectOptionContent=function(e){var t=(0,p.getComboBoxOptionClassNames)(o._getCurrentOptionStyles(e));return a.createElement("span",{id:e.id,"aria-hidden":"true",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,i=t.disabled,a=t.allowFreeform,s=t.allowFreeInput,c=t.autoComplete,u=t.hoisted.currentOptions,d=o.state,p=d.isOpen,m=d.currentPendingValueValidIndexOnHover;if(o._lastKeyDownWasAltOrMeta=O(e),i)o._handleInputWhenDisabled(e);else{var g=o._getPendingSelectedIndex(!1);switch(e.which){case l.KeyCodes.enter:o._autofill.current&&o._autofill.current.inputElement&&o._autofill.current.inputElement.select(),o._submitPendingValue(e),o.props.multiSelect&&p?o.setState({currentPendingValueValidIndex:g}):(p||(!a||void 0===o.state.currentPendingValue||null===o.state.currentPendingValue||o.state.currentPendingValue.length<=0)&&o.state.currentPendingValueValidIndex<0)&&o.setState({isOpen:!p});break;case l.KeyCodes.tab:return o.props.multiSelect||o._submitPendingValue(e),void(p&&o._setOpenStateAndFocusOnClose(!p,!1));case l.KeyCodes.escape:if(o._resetSelectedIndex(),!p)return;o.setState({isOpen:!1});break;case l.KeyCodes.up:if(m===r.clearAll&&(g=o.props.hoisted.currentOptions.length),e.altKey||e.metaKey){if(p){o._setOpenStateAndFocusOnClose(!p,!0);break}return}e.preventDefault(),o._setPendingInfoFromIndexAndDirection(g,n.backward);break;case l.KeyCodes.down:e.altKey||e.metaKey?o._setOpenStateAndFocusOnClose(!0,!0):(m===r.clearAll&&(g=-1),e.preventDefault(),o._setPendingInfoFromIndexAndDirection(g,n.forward));break;case l.KeyCodes.home:case l.KeyCodes.end:if(a||s)return;g=-1;var h=n.forward;e.which===l.KeyCodes.end&&(g=u.length,h=n.backward),o._setPendingInfoFromIndexAndDirection(g,h);break;case l.KeyCodes.space:if(!a&&!s&&"off"===c)break;default:if(e.which>=112&&e.which<=123)return;if(e.keyCode===l.KeyCodes.alt||"Meta"===e.key)return;if(!a&&!s&&"on"===c){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.allowFreeInput,a=t.autoComplete,s=o.state.isOpen,c=o._lastKeyDownWasAltOrMeta&&O(e);o._lastKeyDownWasAltOrMeta=!1;var u=c&&!((0,l.isMac)()||(0,l.isIOS)());n?o._handleInputWhenDisabled(e):e.which!==l.KeyCodes.space?u&&s?o._setOpenStateAndFocusOnClose(!s,!0):("focusing"===o.state.focusState&&o.props.openOnKeyboardFocus&&o.setState({isOpen:!0}),"focused"!==o.state.focusState&&o.setState({focusState:"focused"})):r||i||"off"!==a||o._setOpenStateAndFocusOnClose(!s,!!s)},o._onOptionMouseLeave=function(){o._shouldIgnoreMouseEvent()||o.props.persistMenu&&!o.state.isOpen||o.setState({currentPendingValueValidIndexOnHover:r.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,l.initializeComponentRef)(o),o._async=new l.Async(o),o._events=new l.EventGroup(o),(0,l.warnMutuallyExclusive)(S,t,{defaultSelectedKey:"selectedKey",text:"defaultSelectedKey",selectedKey:"value",dropdownWidth:"useComboBoxAsMenuWidth",ariaLabel:"label"}),o._id=t.id||(0,l.getId)("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:r.default},o}return i.__extends(t,e),Object.defineProperty(t.prototype,"selectedOptions",{get:function(){var e=this.props.hoisted,t=e.currentOptions,o=e.selectedIndices;return(0,g.getAllSelectedOptions)(t,o)},enumerable:!1,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,n,r,a=this,s=this.props,c=s.allowFreeform,u=s.allowFreeInput,d=s.text,p=s.onMenuOpen,m=s.onMenuDismissed,g=s.hoisted,h=g.currentOptions,f=g.selectedIndices,v=this.state,b=v.currentPendingValue,_=v.currentPendingValueValidIndex,S=v.isOpen;!S||t.isOpen&&t.currentPendingValueValidIndex===_||this._async.setTimeout((function(){return a._scrollIntoView()}),0);var C=(0,y.getDocumentEx)(this.context);this._hasFocus()&&(S||t.isOpen&&!S&&this._focusInputAfterClose&&this._autofill.current&&(null==C?void 0:C.activeElement)!==this._autofill.current.inputElement)&&this.focus(void 0,!0),this._focusInputAfterClose&&(t.isOpen&&!S||this._hasFocus()&&(!S&&!this.props.multiSelect&&e.hoisted.selectedIndices&&f&&e.hoisted.selectedIndices[0]!==f[0]||!c&&!u||d!==e.text))&&this._onFocus(),this._notifyPendingValueChanged(t),S&&!t.isOpen&&(this._overrideScrollDismiss=!0,this._async.clearTimeout(this._overrideScrollDimissTimeout),this._overrideScrollDimissTimeout=this._async.setTimeout((function(){a._overrideScrollDismiss=!1}),100),null==p||p()),!S&&t.isOpen&&m&&m();var x=_,P=h.map((function(e,t){return i.__assign(i.__assign({},e),{index:t})}));!(0,l.shallowCompare)(e.hoisted.currentOptions,h)&&b&&(x=this.props.allowFreeform||this.props.allowFreeInput?this._processInputChangeWithFreeform(b):this._updateAutocompleteIndexWithoutFreeform(b));var k=void 0;S&&this._hasFocus()&&-1!==x?k=null!==(o=P[x].id)&&void 0!==o?o:this._id+"-list"+x:S&&f.length&&(k=null!==(r=null===(n=P[f[0]])||void 0===n?void 0:n.id)&&void 0!==r?r:this._id+"-list"+f[0]),k!==this.state.ariaActiveDescendantValue&&this.setState({ariaActiveDescendantValue:k})},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,s=t.errorMessage,c=t.onRenderContainer,u=void 0===c?this._onRenderContainer:c,m=t.onRenderLabel,g=void 0===m?this._onRenderLabel:m,h=t.onRenderList,f=void 0===h?this._onRenderList:h,v=t.onRenderItem,b=void 0===v?this._onRenderItem:v,y=t.onRenderOption,_=void 0===y?this._onRenderOptionContent:y,S=t.allowFreeform,C=t.styles,x=t.theme,P=t.persistMenu,k=t.multiSelect,I=t.hoisted,w=I.suggestedDisplayValue,T=I.selectedIndices,E=I.currentOptions,D=this.state.isOpen;this._currentVisibleValue=this._getVisibleValue();var M=k?this._getMultiselectDisplayString(T,E,w):void 0,O=(0,l.getNativeProps)(this.props,l.divProperties,["onChange","value","aria-describedby","aria-labelledby"]),R=!!(s&&s.length>0);this._classNames=this.props.getClassNames?this.props.getClassNames(x,!!D,!!n,!!r,!!this._hasFocus(),!!S,!!R,o):(0,p.getClassNames)((0,d.getStyles)(x,C),o,!!D,!!n,!!r,!!this._hasFocus(),!!S,!!R);var F=this._renderComboBoxWrapper(M,e);return a.createElement("div",i.__assign({},O,{ref:this.props.hoisted.mergedRootRef,className:this._classNames.container}),g({props:this.props,multiselectAccessibleText:M},this._onRenderLabel),F,(P||D)&&u(i.__assign(i.__assign({},this.props),{onRenderList:f,onRenderItem:b,onRenderOption:_,options:E.map((function(e,t){return i.__assign(i.__assign({},e),{index:t})})),onDismiss:this._onDismiss}),this._onRenderContainer),R&&a.createElement("div",{role:"alert",id:e,className:this._classNames.errorMessage},s))},t.prototype._getPendingString=function(e,t,o){return null!=e?e:T(t,o)?M(t[o]):""},t.prototype._getMultiselectDisplayString=function(e,t,o){for(var n=[],r=0;e&&r0){var l=M(a[0]);s=this._adjustForCaseSensitivity(l)!==e?l:"",n=a[0].index}}else 1===(a=o.map((function(e,t){return i.__assign(i.__assign({},e),{index:t})})).filter((function(o){return E(o)&&!o.disabled&&t._adjustForCaseSensitivity(M(o))===e}))).length&&(n=a[0].index);return this._setPendingInfo(r,n,s),n},t.prototype._processInputChangeWithoutFreeform=function(e){var t=this,o=this.state,n=o.currentPendingValue,r=o.currentPendingValueValidIndex;if("on"===this.props.autoComplete&&""!==e){this._autoCompleteTimeout&&(this._async.clearTimeout(this._autoCompleteTimeout),this._autoCompleteTimeout=void 0,e=w(n)+e);var i=this._updateAutocompleteIndexWithoutFreeform(e);return this._autoCompleteTimeout=this._async.setTimeout((function(){t._autoCompleteTimeout=void 0}),1e3),i}var a=r>=0?r:this._getFirstSelectedIndex();return this._setPendingInfoFromIndex(a),a},t.prototype._updateAutocompleteIndexWithoutFreeform=function(e){var t=this,o=this.props.hoisted.currentOptions,n=e;e=this._adjustForCaseSensitivity(e);var r=o.map((function(e,t){return i.__assign(i.__assign({},e),{index:t})})).filter((function(o){return E(o)&&!o.disabled&&0===t._adjustForCaseSensitivity(o.text).indexOf(e)}));return r.length>0?(this._setPendingInfo(n,r[0].index,M(r[0])),r[0].index):-1},t.prototype._getFirstSelectedIndex=function(){var e=this.props.hoisted.selectedIndices;return(null==e?void 0:e.length)?e[0]:-1},t.prototype._getNextSelectableIndex=function(e,t){var o=this.props.hoisted.currentOptions,r=e+t;if(!T(o,r=Math.max(0,Math.min(o.length-1,r))))return-1;var i=o[r];if(!D(i)||!0===i.hidden){if(t===n.none||!(r>0&&t=0&&rn.none))return e;r=this._getNextSelectableIndex(r,t)}return r},t.prototype._setSelectedIndex=function(e,t,o){void 0===o&&(o=n.none);var r=this.props,a=r.onChange,s=r.onPendingValueChanged,l=r.hoisted,c=l.selectedIndices,u=l.currentOptions,d=c?c.slice():[],p=u.slice();if(T(u,e=this._getNextSelectableIndex(e,o))){if(this.props.multiSelect||d.length<1||1===d.length&&d[0]!==e){var m=i.__assign({},u[e]);if(!m||m.disabled)return;if(this.props.multiSelect)if(m.selected=void 0!==m.selected?!m.selected:d.indexOf(e)<0,m.itemType===g.SelectableOptionMenuItemType.SelectAll)d=[],m.selected?u.forEach((function(e,t){!e.disabled&&D(e)&&(d.push(t),p[t]=i.__assign(i.__assign({},e),{selected:!0}))})):p=u.map((function(e){return i.__assign(i.__assign({},e),{selected:!1})}));else{m.selected&&d.indexOf(e)<0?d.push(e):!m.selected&&d.indexOf(e)>=0&&(d=d.filter((function(t){return t!==e}))),p[e]=m;var h=p.filter((function(e){return e.itemType===g.SelectableOptionMenuItemType.SelectAll}))[0];if(h){var f=this._isSelectAllChecked(d),v=p.indexOf(h);f?(d.push(v),p[v]=i.__assign(i.__assign({},h),{selected:!0})):(d=d.filter((function(e){return e!==v})),p[v]=i.__assign(i.__assign({},h),{selected:!1}))}}else d[0]=e;t.persist(),this.props.selectedKey||null===this.props.selectedKey||(this.props.hoisted.setSelectedIndices(d),this.props.hoisted.setCurrentOptions(p)),this._hasPendingValue&&s&&(s(),this._hasPendingValue=!1),a&&a(t,m,e,M(m))}this.props.multiSelect&&this.state.isOpen||this._clearPendingInfo()}},t.prototype._submitPendingValue=function(e){var t,o=this.props,n=o.onChange,r=o.allowFreeform,i=o.autoComplete,a=o.multiSelect,s=o.hoisted,c=s.currentOptions,u=this.state,d=u.currentPendingValue,p=u.currentPendingValueValidIndex,m=u.currentPendingValueValidIndexOnHover,g=this.props.hoisted.selectedIndices;if(!this._processingClearPendingInfo){if(r){if(null==d)return void(m>=0&&(this._setSelectedIndex(m,e),this._clearPendingInfo()));if(T(c,p)){var h=this._adjustForCaseSensitivity(M(c[p])),f=this._autofill.current,v=this._adjustForCaseSensitivity(d);if(v===h||i&&0===h.indexOf(v)&&(null==f?void 0:f.isValueSelected)&&d.length+(f.selectionEnd-f.selectionStart)===h.length||void 0!==(null===(t=null==f?void 0:f.inputElement)||void 0===t?void 0:t.value)&&this._adjustForCaseSensitivity(f.inputElement.value)===h){if(this._setSelectedIndex(p,e),a&&this.state.isOpen)return;return void this._clearPendingInfo()}}if(n)n&&n(e,void 0,void 0,d);else{var b={key:d||(0,l.getId)(),text:w(d)};a&&(b.selected=!0);var y=c.concat([b]);g&&(a||(g=[]),g.push(y.length-1)),s.setCurrentOptions(y),s.setSelectedIndices(g)}}else p>=0?this._setSelectedIndex(p,e):m>=0&&this._setSelectedIndex(m,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?a.createElement("div",{role:"presentation",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 a.createElement("div",{id:e.id,key:e.key,className:this._classNames.header},o(e,this._onRenderOptionContent))},t.prototype._renderCheckboxLabel=function(e){var t=this.props.onRenderOption;return(void 0===t?this._onRenderMultiselectOptionContent:t)(e,this._onRenderMultiselectOptionContent)},t.prototype._isOptionHighlighted=function(e){var t=this.state.currentPendingValueValidIndexOnHover;return t!==r.clearAll&&(t>=0?t===e:this._isOptionSelected(e))},t.prototype._isOptionSelected=function(e){return 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._isOptionIndeterminate=function(e){var t=this.props,o=t.multiSelect,n=t.hoisted;if(o&&void 0!==e&&n.selectedIndices&&n.currentOptions){var r=n.currentOptions[e];if(r&&r.itemType===g.SelectableOptionMenuItemType.SelectAll)return n.selectedIndices.length>0&&!this._isSelectAllChecked()}return!1},t.prototype._isSelectAllChecked=function(e){var t=this.props,o=t.multiSelect,n=t.hoisted,r=n.currentOptions.find((function(e){return e.itemType===g.SelectableOptionMenuItemType.SelectAll})),i=e||n.selectedIndices;if(!o||!i||!r)return!1;var a=n.currentOptions.indexOf(r),s=i.filter((function(e){return e!==a})),l=n.currentOptions.filter((function(e){return!e.disabled&&e.itemType!==g.SelectableOptionMenuItemType.SelectAll&&D(e)}));return s.length===l.length},t.prototype._getPendingSelectedIndex=function(e){var t=this.state,o=t.currentPendingValueValidIndex,n=t.currentPendingValue;return o>=0||e&&null!=n?o:this.props.multiSelect?-1:this._getFirstSelectedIndex()},t.prototype._scrollIntoView=function(){var e=this.props,t=e.onScrollToItem,o=e.scrollSelectedToTop,n=this._getPendingSelectedIndex(!0);if(t)t(n>=0?n:this._getFirstSelectedIndex());else{var r=this._selectedElement.current;if(this.props.multiSelect&&this._comboBoxMenu.current&&(r=x(this._comboBoxMenu.current,(function(e){var t;return(null===(t=e.dataset)||void 0===t?void 0:t.index)===n.toString()}))),r&&r.offsetParent){var i=!0;if(this._comboBoxMenu.current&&this._comboBoxMenu.current.offsetParent){var a=this._comboBoxMenu.current.offsetParent,s=r.offsetParent,l=s.offsetHeight,c=s.offsetTop,u=a,d=u.offsetHeight,p=u.scrollTop,m=c+l>p+d;c0&&t=0&&e=o.length-1?e=-1:t===n.backward&&e<=0&&(e=o.length);var r=this._getNextSelectableIndex(e,t);e===r?t===n.forward?e=this._getNextSelectableIndex(-1,t):t===n.backward&&(e=this._getNextSelectableIndex(o.length,t)):e=r,T(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&&T(o,a)?s=a:i!==e.currentPendingValueValidIndex&&T(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!==l.KeyCodes.tab&&e.which!==l.KeyCodes.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(0,d.getCaretDownButtonStyles)(this.props.theme,e)},t.prototype._getCurrentOptionStyles=function(e){var t,o=this.props.comboBoxOptionStyles,n=e.styles,r=(0,d.getOptionStyles)(this.props.theme,o,n,this._isPendingOption(e),e.hidden,this._isOptionHighlighted(e.index));return r.__shadowConfig__=null===(t=this.props.styles)||void 0===t?void 0:t.__shadowConfig__,r},t.prototype._getAriaAutoCompleteValue=function(){return this.props.disabled||"on"!==this.props.autoComplete?"list":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},t.prototype._adjustForCaseSensitivity=function(e){return this.props.caseSensitive?e:e.toLowerCase()},t.contextType=b.WindowContext,i.__decorate([(0,l.customizable)("ComboBox",["theme","styles"],!0)],t)}(a.Component);function k(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,l.findIndex)(e,(function(e){return e.key===t}));n>-1&&(o[n]=!0)},r=0,i=t;r=0&&t{"use strict";var n,r;Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=t.getCaretDownButtonStyles=t.getOptionStyles=void 0;var i=o(31635),a=o(15019),s=o(71061),l=(0,s.memoizeFunction)((function(e){var t,o=e.semanticColors;return{backgroundColor:o.disabledBackground,color:o.disabledText,cursor:"default",selectors:(t={":after":{borderColor:o.disabledBackground}},t[a.HighContrastSelector]={color:"GrayText",selectors:{":after":{borderColor:"GrayText"}}},t)}})),c={selectors:(n={},n[a.HighContrastSelector]=i.__assign({backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},(0,a.getHighContrastNoAdjustStyle)()),n)},u={selectors:(r={},r[a.HighContrastSelector]=i.__assign({color:"WindowText",backgroundColor:"Window"},(0,a.getHighContrastNoAdjustStyle)()),r)};t.getOptionStyles=(0,s.memoizeFunction)((function(e,t,o,n,r,s){var l,u=e.palette,d=e.semanticColors,p={textHoveredColor:d.menuItemTextHovered,textSelectedColor:u.neutralDark,textDisabledColor:d.disabledText,backgroundHoveredColor:d.menuItemBackgroundHovered,backgroundPressedColor:d.menuItemBackgroundPressed},m={root:[e.fonts.medium,{backgroundColor:n?p.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.__assign(i.__assign((l={},l[a.HighContrastSelector]={border:"none",borderColor:"Background"},l),!r&&{"&.ms-Checkbox":{display:"flex",alignItems:"center"}}),{"&.ms-Button--command:hover:active":{backgroundColor:p.backgroundPressedColor},".ms-Checkbox-label":{width:"100%"}})},s?[{backgroundColor:"transparent",color:p.textSelectedColor,selectors:{":hover":[{backgroundColor:p.backgroundHoveredColor},c]}},(0,a.getFocusStyle)(e,{inset:-1,isFocusedOnly:!1}),c]:[]],rootHovered:{backgroundColor:p.backgroundHoveredColor,color:p.textHoveredColor},rootFocused:{backgroundColor:p.backgroundHoveredColor},rootDisabled:{color:p.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,a.concatStyleSets)(m,t,o)})),t.getCaretDownButtonStyles=(0,s.memoizeFunction)((function(e,t){var o,n,r=e.semanticColors,s=e.fonts,c={buttonTextColor:r.bodySubtext,buttonTextHoveredCheckedColor:r.buttonTextChecked,buttonBackgroundHoveredColor:r.listItemBackgroundHovered,buttonBackgroundCheckedColor:r.listItemBackgroundChecked,buttonBackgroundCheckedHoveredColor:r.listItemBackgroundCheckedHovered},u={selectors:(o={},o[a.HighContrastSelector]=i.__assign({backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},(0,a.getHighContrastNoAdjustStyle)()),o)},d={root:{color:c.buttonTextColor,fontSize:s.small.fontSize,position:"absolute",top:0,height:"100%",lineHeight:30,width:32,textAlign:"center",cursor:"default",selectors:(n={},n[a.HighContrastSelector]=i.__assign({backgroundColor:"ButtonFace",borderColor:"ButtonText",color:"ButtonText"},(0,a.getHighContrastNoAdjustStyle)()),n)},icon:{fontSize:s.small.fontSize},rootHovered:[{backgroundColor:c.buttonBackgroundHoveredColor,color:c.buttonTextHoveredCheckedColor,cursor:"pointer"},u],rootPressed:[{backgroundColor:c.buttonBackgroundCheckedColor,color:c.buttonTextHoveredCheckedColor},u],rootChecked:[{backgroundColor:c.buttonBackgroundCheckedColor,color:c.buttonTextHoveredCheckedColor},u],rootCheckedHovered:[{backgroundColor:c.buttonBackgroundCheckedHoveredColor,color:c.buttonTextHoveredCheckedColor},u],rootDisabled:[l(e),{position:"absolute"}]};return(0,a.concatStyleSets)(d,t)})),t.getStyles=(0,s.memoizeFunction)((function(e,t,o){var n,r,s,c,d,p,m=e.semanticColors,g=e.fonts,h=e.effects,f={textColor:m.inputText,borderColor:m.inputBorder,borderHoveredColor:m.inputBorderHovered,borderPressedColor:m.inputFocusBorderAlt,borderFocusedColor:m.inputFocusBorderAlt,backgroundColor:m.inputBackground,erroredColor:m.errorText},v={headerTextColor:m.menuHeader,dividerBorderColor:m.bodyDivider},b={selectors:(n={},n[a.HighContrastSelector]={color:"GrayText"},n)},y=[{color:m.inputPlaceholderText},b],_=[{color:m.inputTextHovered},b],S=[{color:m.disabledText},b],C=i.__assign(i.__assign({color:"HighlightText",backgroundColor:"Window"},(0,a.getHighContrastNoAdjustStyle)()),{selectors:{":after":{borderColor:"Highlight"}}}),x=(0,a.getInputFocusStyle)(f.borderPressedColor,h.roundedCorner2,"border",0),P={container:{},label:{},labelDisabled:{},root:[e.fonts.medium,{boxShadow:"none",marginLeft:"0",paddingRight:32,paddingLeft:9,color:f.textColor,position:"relative",outline:"0",userSelect:"none",backgroundColor:f.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[a.HighContrastSelector]=C,r)},":after":{pointerEvents:"none",content:"''",position:"absolute",left:0,top:0,bottom:0,right:0,borderWidth:"1px",borderStyle:"solid",borderColor:f.borderColor,borderRadius:h.roundedCorner2}}}],rootHovered:{selectors:(s={":after":{borderColor:f.borderHoveredColor},".ms-ComboBox-Input":[{color:m.inputTextHovered},(0,a.getPlaceholderStyles)(_),u]},s[a.HighContrastSelector]=i.__assign(i.__assign({color:"HighlightText",backgroundColor:"Window"},(0,a.getHighContrastNoAdjustStyle)()),{selectors:{":after":{borderColor:"Highlight"}}}),s)},rootPressed:[{position:"relative",selectors:(c={},c[a.HighContrastSelector]=C,c)}],rootFocused:[{selectors:(d={".ms-ComboBox-Input":[{color:m.inputTextHovered},u]},d[a.HighContrastSelector]=C,d)},x],rootDisabled:l(e),rootError:{selectors:{":after":{borderColor:f.erroredColor},":hover:after":{borderColor:m.inputBorderHovered}}},rootDisallowFreeForm:{},input:[(0,a.getPlaceholderStyles)(y),{backgroundColor:f.backgroundColor,color:f.textColor,boxSizing:"border-box",width:"100%",height:"100%",borderStyle:"none",outline:"none",font:"inherit",textOverflow:"ellipsis",padding:"0",selectors:{"::-ms-clear":{display:"none"}}},u],inputDisabled:[l(e),(0,a.getPlaceholderStyles)(S)],errorMessage:[e.fonts.small,{color:f.erroredColor,marginTop:"5px"}],callout:{boxShadow:h.elevation8},optionsContainerWrapper:{width:o},optionsContainer:{display:"block"},screenReaderText:a.hiddenContentStyle,header:[g.medium,{fontWeight:a.FontWeights.semibold,color:v.headerTextColor,backgroundColor:"none",borderStyle:"none",height:36,lineHeight:36,cursor:"default",padding:"0 8px",userSelect:"none",textAlign:"left",selectors:(p={},p[a.HighContrastSelector]=i.__assign({color:"GrayText"},(0,a.getHighContrastNoAdjustStyle)()),p)}],divider:{height:1,backgroundColor:v.dividerBorderColor}};return(0,a.concatStyleSets)(P,t)}))},28898:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},75810:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.VirtualizedComboBox=void 0;var n=o(31635),r=o(83923),i=o(84793),a=o(2133),s=o(71061),l=function(e){function t(t){var o=e.call(this,t)||this;return o._comboBox=r.createRef(),o._list=r.createRef(),o._onRenderList=function(e){var t=e.id,n=e.onRenderItem;return r.createElement(a.List,{componentRef:o._list,role:"listbox",id:"".concat(t,"-list"),"aria-labelledby":"".concat(t,"-label"),items:e.options,onRenderCell:n?function(e){return n(e)}:function(){return null}})},o._onScrollToItem=function(e){o._list.current&&o._list.current.scrollToIndex(e)},(0,s.initializeComponentRef)(o),o}return n.__extends(t,e),Object.defineProperty(t.prototype,"selectedOptions",{get:function(){return this._comboBox.current?this._comboBox.current.selectedOptions:[]},enumerable:!1,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 r.createElement(i.ComboBox,n.__assign({},this.props,{componentRef:this._comboBox,onRenderList:this._onRenderList,onScrollToItem:this._onScrollToItem}))},t}(r.Component);t.VirtualizedComboBox=l},35488:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(84793),t),n.__exportStar(o(28898),t),n.__exportStar(o(75810),t)},27160:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.CommandBarBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(95923),s=o(68318),l=o(80371),c=o(74393),u=o(34718),d=o(81151),p=(0,i.classNamesFunction)(),m=function(e){function t(t){var o=e.call(this,t)||this;return o._overflowSet=r.createRef(),o._resizeGroup=r.createRef(),o._onRenderData=function(e){var t=o.props,n=t.ariaLabel,s=t.primaryGroupAriaLabel,c=t.farItemsGroupAriaLabel,u=e.farItems&&e.farItems.length>0;return r.createElement(l.FocusZone,{className:(0,i.css)(o._classNames.root),direction:l.FocusZoneDirection.horizontal,role:"menubar","aria-label":n},r.createElement(a.OverflowSet,{role:u?"group":"none","aria-label":u?s:void 0,componentRef:o._overflowSet,className:(0,i.css)(o._classNames.primarySet),items:e.primaryItems,overflowItems:e.overflowItems.length?e.overflowItems:void 0,onRenderItem:o._onRenderItem,onRenderOverflowButton:o._onRenderOverflowButton}),u&&r.createElement(a.OverflowSet,{role:"group","aria-label":c,className:(0,i.css)(o._classNames.secondarySet),items:e.farItems,onRenderItem:o._onRenderItem,onRenderOverflowButton:i.nullRender}))},o._onRenderItem=function(e){if(e.onRender)return e.onRender(e,(function(){}));var t=e.text||e.name,a=n.__assign(n.__assign({allowDisabledFocus:!0,role:"menuitem"},e),{styles:(0,d.getCommandButtonStyles)(e.buttonStyles),className:(0,i.css)("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)?r.createElement(u.TooltipHost,n.__assign({role:"none",content:t,setAriaDescribedBy:!1},e.tooltipHostProps),o._commandButton(e,a)):o._commandButton(e,a)},o._commandButton=function(e,t){var a=o.props.buttonAs,s=e.commandBarButtonAs,l=c.CommandBarButton;return s&&(l=(0,i.composeComponentAs)(s,l)),a&&(l=(0,i.composeComponentAs)(a,l)),r.createElement(l,n.__assign({},t))},o._onRenderOverflowButton=function(e){var t=o.props.overflowButtonProps,a=void 0===t?{}:t,s=n.__spreadArray(n.__spreadArray([],a.menuProps?a.menuProps.items:[],!0),e,!0),l=n.__assign(n.__assign({role:"menuitem"},a),{styles:n.__assign({menuIcon:{fontSize:"17px"}},a.styles),className:(0,i.css)("ms-CommandBar-overflowButton",a.className),menuProps:n.__assign(n.__assign({},a.menuProps),{items:s}),menuIconProps:n.__assign({iconName:"More"},a.menuIconProps)}),u=o.props.overflowButtonAs?(0,i.composeComponentAs)(o.props.overflowButtonAs,c.CommandBarButton):c.CommandBarButton;return r.createElement(u,n.__assign({},l))},o._onReduceData=function(e){var t=o.props,r=t.shiftOnReduce,i=t.onDataReduced,a=e.primaryItems,s=e.overflowItems,l=e.cacheKey,c=e.farItems,u=a[r?0:a.length-1];if(void 0!==u){u.renderedInOverflow=!0,s=n.__spreadArray([u],s,!0),a=r?a.slice(1):a.slice(0,-1);var d=n.__assign(n.__assign({},e),{primaryItems:a,overflowItems:s});return l=o._computeCacheKey({primaryItems:a,overflow:s.length>0,farItems:c}),i&&i(u),d.cacheKey=l,d}},o._onGrowData=function(e){var t=o.props,r=t.shiftOnReduce,i=t.onDataGrown,a=e.minimumOverflowItems,s=e.primaryItems,l=e.overflowItems,c=e.cacheKey,u=e.farItems,d=l[0];if(void 0!==d&&l.length>a){d.renderedInOverflow=!1,l=l.slice(1),s=r?n.__spreadArray([d],s,!0):n.__spreadArray(n.__spreadArray([],s,!0),[d],!1);var p=n.__assign(n.__assign({},e),{primaryItems:s,overflowItems:l});return c=o._computeCacheKey({primaryItems:s,overflow:l.length>0,farItems:u}),i&&i(d),p.cacheKey=c,p}},(0,i.initializeComponentRef)(o),o}return n.__extends(t,e),t.prototype.render=function(){var e=this.props,t=e.items,o=e.overflowItems,a=e.farItems,l=e.styles,c=e.theme,u=e.dataDidRender,d=e.onReduceData,m=void 0===d?this._onReduceData:d,g=e.onGrowData,h=void 0===g?this._onGrowData:g,f=e.resizeGroupAs,v=void 0===f?s.ResizeGroup:f,b={primaryItems:n.__spreadArray([],t,!0),overflowItems:n.__spreadArray([],o,!0),minimumOverflowItems:n.__spreadArray([],o,!0).length,farItems:a,cacheKey:this._computeCacheKey({primaryItems:n.__spreadArray([],t,!0),overflow:o&&o.length>0,farItems:a})};this._classNames=p(l,{theme:c});var y=(0,i.getNativeProps)(this.props,i.divProperties);return r.createElement(v,n.__assign({},y,{componentRef:this._resizeGroup,data:b,onReduceData:m,onGrowData:h,onRenderData:this._onRenderData,dataDidRender:u}))},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,n=e.farItems,r=function(e,t){var o=t.cacheKey;return e+(void 0===o?t.key:o)};return[t&&t.reduce(r,""),o?"overflow":"",n&&n.reduce(r,"")].join("")},t.defaultProps={items:[],overflowItems:[]},t}(r.Component);t.CommandBarBase=m},95651:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.CommandBar=void 0;var n=o(71061),r=o(27160),i=o(81151);t.CommandBar=(0,n.styled)(r.CommandBarBase,i.getStyles,void 0,{scope:"CommandBar"})},81151:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getCommandButtonStyles=t.getStyles=void 0;var n=o(31635),r=o(71061);t.getStyles=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"}]}},t.getCommandButtonStyles=(0,r.memoizeFunction)((function(e){var t={height:"100%"},o={whiteSpace:"nowrap"},r=e||{},i=r.root,a=r.label,s=n.__rest(r,["root","label"]);return n.__assign(n.__assign({},s),{root:i?[t,i]:t,label:a?[o,a]:o})}))},64324:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},94121:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getCommandButtonStyles=t.getCommandBarStyles=void 0;var n=o(31635),r=o(81151);Object.defineProperty(t,"getCommandBarStyles",{enumerable:!0,get:function(){return r.getStyles}}),Object.defineProperty(t,"getCommandButtonStyles",{enumerable:!0,get:function(){return r.getCommandButtonStyles}}),n.__exportStar(o(95651),t),n.__exportStar(o(27160),t),n.__exportStar(o(64324),t)},82120:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ContextualMenuBase=t.canAnyMenuItemsCheck=t.getSubmenuItems=void 0;var n=o(31635),r=o(83923),i=o(3668),a=o(42502),s=o(80371),l=o(71061),c=o(50719),u=o(16473),d=o(73648),p=o(17630),m=o(15019),g=o(28437),h=o(25698),f=o(4324),v=o(46263),b=(0,l.classNamesFunction)(),y=(0,l.classNamesFunction)(),_={items:[],shouldFocusOnMount:!0,gapSpace:0,directionalHint:a.DirectionalHint.bottomAutoEdge,beakWidth:16};function S(e){for(var t=0,o=0,n=e;o0){var f=0;return r.createElement("li",{role:"presentation",key:c.key||e.key||"section-".concat(a)},r.createElement("div",n.__assign({},d),r.createElement("ul",{className:o.list,role:"presentation"},c.topDivider&&ye(a,t,!0,!0),u&&be(u,e.key||a,t,e.title),c.items.map((function(e,t){var n=fe(e,t,f,S(c.items),s,l,o);if(e.itemType!==i.ContextualMenuItemType.Divider&&e.itemType!==i.ContextualMenuItemType.Header){var r=e.customOnRenderListLength?e.customOnRenderListLength:1;f+=r}return n})),c.bottomDivider&&ye(a,t,!1,!0))))}}},be=function(e,t,o,n){return r.createElement("li",{role:"presentation",title:n,key:t,className:o.item},e)},ye=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},_e=function(e,t,o,i,a,s,u){if(e.onRender)return e.onRender(n.__assign({"aria-posinset":i+1,"aria-setsize":a},e),R);var d={item:e,classNames:t,index:o,focusableElementIndex:i,totalItemCount:a,hasCheckmarks:s,hasIcons:u,contextualMenuItemAs:m.contextualMenuItemAs,onItemMouseEnter:le,onItemMouseLeave:ue,onItemMouseMove:ce,onItemMouseDown:T,executeItemClick:me,onItemKeyDown:ae,expandedMenuItemKey:H,openSubMenu:j,dismissSubMenu:W,dismissMenu:R};if(e.href){var g=p.ContextualMenuAnchor;return e.contextualMenuItemWrapperAs&&(g=(0,l.composeComponentAs)(e.contextualMenuItemWrapperAs,g)),r.createElement(g,n.__assign({},d,{onItemClick:pe}))}if(e.split&&(0,c.hasSubmenu)(e)){var h=p.ContextualMenuSplitButton;return e.contextualMenuItemWrapperAs&&(h=(0,l.composeComponentAs)(e.contextualMenuItemWrapperAs,h)),r.createElement(h,n.__assign({},d,{onItemClick:de,onItemClickBase:ge,onTap:Q}))}var f=p.ContextualMenuButton;return e.contextualMenuItemWrapperAs&&(f=(0,l.composeComponentAs)(e.contextualMenuItemWrapperAs,f)),r.createElement(f,n.__assign({},d,{onItemClick:de,onItemClickBase:ge}))},Se=function(e,t,o,i,a,s){var c=d.ContextualMenuItem;e.contextualMenuItemAs&&(c=(0,l.composeComponentAs)(e.contextualMenuItemAs,c)),m.contextualMenuItemAs&&(c=(0,l.composeComponentAs)(m.contextualMenuItemAs,c));var u=e.itemProps,p=e.id,g=u&&(0,l.getNativeProps)(u,l.divProperties);return r.createElement("div",n.__assign({id:p,className:o.header},g,{style:e.style}),r.createElement(c,n.__assign({item:e,classNames:t,index:i,onCheckmarkClick:a?de:void 0,hasIcons:s},u)))},Ce=m.isBeakVisible,xe=m.items,Pe=m.labelElementId,ke=m.id,Ie=m.className,we=m.beakWidth,Te=m.directionalHint,Ee=m.directionalHintForRTL,De=m.alignTargetEdge,Me=m.gapSpace,Oe=m.coverTarget,Re=m.ariaLabel,Fe=m.doNotLayer,Be=m.target,Ae=m.bounds,Ne=m.useTargetWidth,Le=m.useTargetAsMinWidth,He=m.directionalHintFixed,je=m.shouldFocusOnMount,ze=m.shouldFocusOnContainer,We=m.title,Ve=m.styles,Ke=m.theme,Ge=m.calloutProps,Ue=m.onRenderSubMenu,Ye=void 0===Ue?E:Ue,qe=m.onRenderMenuList,Xe=void 0===qe?function(e,t){return he(e,Je)}:qe,Ze=m.focusZoneProps,Qe=m.getMenuClassNames,Je=Qe?Qe(Ke,Ie):b(Ve,{theme:Ke,className:Ie}),$e=function e(t){for(var o=0,n=t;o0){var it=S(xe),at=Je.subComponentStyles?Je.subComponentStyles.callout:void 0;return r.createElement(v.MenuContext.Consumer,null,(function(e){return r.createElement(u.Callout,n.__assign({styles:at,onRestoreFocus:N},Ge,{target:Be||e.target,isBeakVisible:Ce,beakWidth:we,directionalHint:Te,directionalHintForRTL:Ee,gapSpace:Me,coverTarget:Oe,doNotLayer:Fe,className:(0,l.css)("ms-ContextualMenu-Callout",Ge&&Ge.className),setInitialFocus:je,onDismiss:m.onDismiss||e.onDismiss,onScroll:q,bounds:Ae,directionalHintFixed:He,alignTargetEdge:De,hidden:m.hidden||e.hidden,ref:t}),r.createElement("div",{style:te,ref:g,id:ke,className:Je.container,tabIndex:ze?0:-1,onKeyDown:ie,onKeyUp:re,onFocusCapture:U,"aria-label":Re,"aria-labelledby":Pe,role:"menu"},We&&r.createElement("div",{className:Je.title}," ",We," "),xe&&xe.length?function(e,t){var o=m.focusZoneAs,i=void 0===o?s.FocusZone:o;return r.createElement(i,n.__assign({},t),e)}(Xe({ariaLabel:Re,items:xe,totalItemCount:it,hasCheckmarks:tt,hasIcons:$e,defaultMenuItemRenderer:function(e){return function(e,t){var o=e.index,n=e.focusableElementIndex,r=e.totalItemCount,i=e.hasCheckmarks,a=e.hasIcons;return fe(e,o,n,r,i,a,t)}(e,Je)},labelElementId:Pe},(function(e,t){return he(e,Je)})),et):null,ot&&Ye(ot,E)),r.createElement(l.FocusRects,null))}))}return null})),(function(e,t){return!(t.shouldUpdateWhenHidden||!e.hidden||!t.hidden)||(0,l.shallowCompare)(e,t)})),t.ContextualMenuBase.displayName="ContextualMenuBase"},28437:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getItemStyles=t.getItemClassNames=t.getSplitButtonVerticalDividerClassNames=void 0;var n=o(64485),r=o(74582),i=o(15019),a=o(71061),s="28px",l=(0,i.getScreenSelector)(0,i.ScreenWidthMaxMedium);t.getSplitButtonVerticalDividerClassNames=(0,a.memoizeFunction)((function(e){var t;return(0,i.mergeStyleSets)((0,n.getDividerClassNames)(e),{wrapper:{position:"absolute",right:28,selectors:(t={},t[l]={right:32},t)},divider:{height:16,width:1}})}));var c={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"};t.getItemClassNames=(0,a.memoizeFunction)((function(e,t,o,n,l,u,d,p,m,g,h,f){var v,b,y,_,S=(0,r.getMenuItemStyles)(e),C=(0,i.getGlobalClassNames)(c,e);return(0,i.mergeStyleSets)({item:[C.item,S.item,d],divider:[C.divider,S.divider,p],root:[C.root,S.root,n&&[C.isChecked,S.rootChecked],l&&S.anchorLink,o&&[C.isExpanded,S.rootExpanded],t&&[C.isDisabled,S.rootDisabled],!t&&!o&&[{selectors:(v={":hover":S.rootHovered,":active":S.rootPressed},v[".".concat(a.IsFocusVisibleClassName," &:focus, .").concat(a.IsFocusVisibleClassName," &:focus:hover, :host(.").concat(a.IsFocusVisibleClassName,") &:focus, :host(.").concat(a.IsFocusVisibleClassName,") &:focus:hover")]=S.rootFocused,v[".".concat(a.IsFocusVisibleClassName," &:hover, :host(.").concat(a.IsFocusVisibleClassName,") &:hover")]={background:"inherit;"},v)}],f],splitPrimary:[S.root,{width:"calc(100% - ".concat(s,")")},n&&["is-checked",S.rootChecked],(t||h)&&["is-disabled",S.rootDisabled],!(t||h)&&!n&&[{selectors:(b={":hover":S.rootHovered},b[":hover ~ .".concat(C.splitMenu)]=S.rootHovered,b[":active"]=S.rootPressed,b[".".concat(a.IsFocusVisibleClassName," &:focus, .").concat(a.IsFocusVisibleClassName," &:focus:hover, :host(.").concat(a.IsFocusVisibleClassName,") &:focus, :host(.").concat(a.IsFocusVisibleClassName,") &:focus:hover")]=S.rootFocused,b[".".concat(a.IsFocusVisibleClassName," &:hover, :host(.").concat(a.IsFocusVisibleClassName,") &:hover")]={background:"inherit;"},b)}]],splitMenu:[C.splitMenu,S.root,{flexBasis:"0",padding:"0 8px",minWidth:s},o&&["is-expanded",S.rootExpanded],t&&["is-disabled",S.rootDisabled],!t&&!o&&[{selectors:(y={":hover":S.rootHovered,":active":S.rootPressed},y[".".concat(a.IsFocusVisibleClassName," &:focus, .").concat(a.IsFocusVisibleClassName," &:focus:hover, :host(.").concat(a.IsFocusVisibleClassName,") &:focus, :host(.").concat(a.IsFocusVisibleClassName,") &:focus:hover")]=S.rootFocused,y[".".concat(a.IsFocusVisibleClassName," &:hover, :host(.").concat(a.IsFocusVisibleClassName,") &:hover")]={background:"inherit;"},y)}]],anchorLink:S.anchorLink,linkContent:[C.linkContent,S.linkContent],linkContentMenu:[C.linkContentMenu,S.linkContent,{justifyContent:"center"}],icon:[C.icon,u&&S.iconColor,S.icon,m,t&&[C.isDisabled,S.iconDisabled]],iconColor:S.iconColor,checkmarkIcon:[C.checkmarkIcon,u&&S.checkmarkIcon,S.icon,m],subMenuIcon:[C.subMenuIcon,S.subMenuIcon,g,o&&{color:e.palette.neutralPrimary},t&&[S.iconDisabled]],label:[C.label,S.label],secondaryText:[C.secondaryText,S.secondaryText],splitContainer:[S.splitButtonFlexContainer,!t&&!n&&[{selectors:(_={},_[".".concat(a.IsFocusVisibleClassName," &:focus, .").concat(a.IsFocusVisibleClassName," &:focus:hover, :host(.").concat(a.IsFocusVisibleClassName,") &:focus, :host(.").concat(a.IsFocusVisibleClassName,") &:focus:hover")]=S.rootFocused,_)}]],screenReaderText:[C.screenReaderText,S.screenReaderText,i.hiddenContentStyle,{visibility:"hidden"}]})})),t.getItemStyles=function(e){var o=e.theme,n=e.disabled,r=e.expanded,i=e.checked,a=e.isAnchorLink,s=e.knownIcon,l=e.itemClassName,c=e.dividerClassName,u=e.iconClassName,d=e.subMenuClassName,p=e.primaryDisabled,m=e.className;return(0,t.getItemClassNames)(o,n,r,i,a,s,l,c,u,d,p,m)}},74582:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getMenuItemStyles=t.CONTEXTUAL_MENU_ITEM_HEIGHT=void 0;var n=o(31635),r=o(15019),i=o(71061);t.CONTEXTUAL_MENU_ITEM_HEIGHT=36;var a=(0,r.getScreenSelector)(0,r.ScreenWidthMaxMedium);t.getMenuItemStyles=(0,i.memoizeFunction)((function(e){var o,i,s,l,c,u=e.semanticColors,d=e.fonts,p=e.palette,m=u.menuItemBackgroundHovered,g=u.menuItemTextHovered,h=u.menuItemBackgroundPressed,f=u.bodyDivider,v={item:[d.medium,{color:u.bodyText,position:"relative",boxSizing:"border-box"}],divider:{display:"block",height:"1px",backgroundColor:f,position:"relative"},root:[(0,r.getFocusStyle)(e),d.medium,{color:u.bodyText,backgroundColor:"transparent",border:"none",width:"100%",height:t.CONTEXTUAL_MENU_ITEM_HEIGHT,lineHeight:t.CONTEXTUAL_MENU_ITEM_HEIGHT,display:"block",cursor:"pointer",padding:"0px 8px 0 4px",textAlign:"left"}],rootDisabled:{color:u.disabledBodyText,cursor:"default",pointerEvents:"none",selectors:(o={},o[r.HighContrastSelector]={color:"GrayText",opacity:1},o)},rootHovered:{backgroundColor:m,color:g,selectors:{".ms-ContextualMenu-icon":{color:p.themeDarkAlt},".ms-ContextualMenu-submenuIcon":{color:p.neutralPrimary}}},rootFocused:{backgroundColor:p.white},rootChecked:{selectors:{".ms-ContextualMenu-checkmarkIcon":{color:p.neutralPrimary}}},rootPressed:{backgroundColor:h,selectors:{".ms-ContextualMenu-icon":{color:p.themeDark},".ms-ContextualMenu-submenuIcon":{color:p.neutralPrimary}}},rootExpanded:{backgroundColor:h,color:u.bodyTextChecked,selectors:(i={".ms-ContextualMenu-submenuIcon":(s={},s[r.HighContrastSelector]={color:"inherit"},s)},i[r.HighContrastSelector]=n.__assign({},(0,r.getHighContrastNoAdjustStyle)()),i)},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",whiteSpace:"nowrap",overflow:"hidden"},secondaryText:{color:e.palette.neutralSecondary,paddingLeft:"20px",textAlign:"right"},icon:{display:"inline-block",minHeight:"1px",maxHeight:t.CONTEXTUAL_MENU_ITEM_HEIGHT,fontSize:r.IconFontSizes.medium,width:r.IconFontSizes.medium,margin:"0 4px",verticalAlign:"middle",flexShrink:"0",selectors:(l={},l[a]={fontSize:r.IconFontSizes.large,width:r.IconFontSizes.large},l)},iconColor:{color:u.menuIcon},iconDisabled:{color:u.disabledBodyText},checkmarkIcon:{color:u.bodySubtext},subMenuIcon:{height:t.CONTEXTUAL_MENU_ITEM_HEIGHT,lineHeight:t.CONTEXTUAL_MENU_ITEM_HEIGHT,color:p.neutralSecondary,textAlign:"center",display:"inline-block",verticalAlign:"middle",flexShrink:"0",fontSize:r.IconFontSizes.small,selectors:(c={":hover":{color:p.neutralPrimary},":active":{color:p.neutralPrimary}},c[a]={fontSize:r.IconFontSizes.medium},c)},splitButtonFlexContainer:[(0,r.getFocusStyle)(e),{display:"flex",height:t.CONTEXTUAL_MENU_ITEM_HEIGHT,flexWrap:"nowrap",justifyContent:"center",alignItems:"flex-start"}]};return(0,r.concatStyleSets)(v)}))},18291:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ContextualMenu=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(82120),s=o(73903);function l(e){return r.createElement(c,n.__assign({},e))}var c=(0,i.styled)(a.ContextualMenuBase,s.getStyles,(function(e){return{onRenderSubMenu:e.onRenderSubMenu?(0,i.composeRenderFunction)(e.onRenderSubMenu,l):l}}),{scope:"ContextualMenu"});t.ContextualMenu=c,t.ContextualMenu.displayName="ContextualMenu"},73903:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r=o(74582),i={root:"ms-ContextualMenu",container:"ms-ContextualMenu-container",list:"ms-ContextualMenu-list",header:"ms-ContextualMenu-header",title:"ms-ContextualMenu-title",isopen:"is-open"};t.getStyles=function(e){var t=e.className,o=e.theme,a=(0,n.getGlobalClassNames)(i,o),s=o.fonts,l=o.semanticColors,c=o.effects;return{root:[o.fonts.medium,a.root,a.isopen,{backgroundColor:l.menuBackground,minWidth:"180px"},t],container:[a.container,{selectors:{":focus":{outline:0}}}],list:[a.list,a.isopen,{listStyleType:"none",margin:"0",padding:"0"}],header:[a.header,s.small,{fontWeight:n.FontWeights.semibold,color:l.menuHeader,background:"none",backgroundColor:"transparent",border:"none",height:r.CONTEXTUAL_MENU_ITEM_HEIGHT,lineHeight:r.CONTEXTUAL_MENU_ITEM_HEIGHT,cursor:"default",padding:"0px 6px",userSelect:"none",textAlign:"left"}],title:[a.title,{fontSize:s.mediumPlus.fontSize,paddingRight:"14px",paddingLeft:"14px",paddingBottom:"5px",paddingTop:"5px",backgroundColor:l.menuItemBackgroundPressed}],subComponentStyles:{callout:{root:{boxShadow:c.elevation8}},menuItem:{}}}}},3668:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ContextualMenuItemType=t.DirectionalHint=void 0;var n,r=o(42502);Object.defineProperty(t,"DirectionalHint",{enumerable:!0,get:function(){return r.DirectionalHint}}),(n=t.ContextualMenuItemType||(t.ContextualMenuItemType={}))[n.Normal=0]="Normal",n[n.Divider=1]="Divider",n[n.Header=2]="Header",n[n.Section=3]="Section"},61421:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ContextualMenuItemBase=void 0;var n=o(31635),r=o(83923),i=o(50719),a=o(71061),s=o(30936),l=function(e){var t=e.item,o=e.classNames,i=t.iconProps;return r.createElement(s.Icon,n.__assign({},i,{className:o.icon}))},c=function(e){var t=e.item;return e.hasIcons?t.onRenderIcon?t.onRenderIcon(e,l):l(e):null},u=function(e){var t=e.onCheckmarkClick,o=e.item,n=e.classNames,a=(0,i.getIsChecked)(o);return t?r.createElement(s.Icon,{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,l=e.theme;return(0,i.hasSubmenu)(t)?r.createElement(s.Icon,n.__assign({iconName:(0,a.getRTL)(l)?"ChevronLeft":"ChevronRight"},t.submenuIconProps,{className:o.subMenuIcon})):null},g=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.hasSubmenu)(t)&&n&&a&&n(t,a)}},o.dismissSubMenu=function(){var e=o.props,t=e.item,n=e.dismissSubMenu;(0,i.hasSubmenu)(t)&&n&&n()},o.dismissMenu=function(e){var t=o.props.dismissMenu;t&&t(void 0,e)},(0,a.initializeComponentRef)(o),o}return n.__extends(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);t.ContextualMenuItemBase=g},73648:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ContextualMenuItem=void 0;var n=o(71061),r=o(61421),i=o(28437);t.ContextualMenuItem=(0,n.styled)(r.ContextualMenuItemBase,i.getItemStyles,void 0,{scope:"ContextualMenuItem"})},86779:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},15434:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ContextualMenuAnchor=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(56228),s=o(87301),l=o(50719),c=o(73648),u=function(e){function t(){var t=null!==e&&e.apply(this,arguments)||this;return t._anchor=r.createRef(),t._getMemoizedMenuButtonKeytipProps=(0,i.memoizeFunction)((function(e){return n.__assign(n.__assign({},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 n.__extends(t,e),t.prototype.render=function(){var e=this,t=this.props,o=t.item,a=t.classNames,u=t.index,d=t.focusableElementIndex,p=t.totalItemCount,m=t.hasCheckmarks,g=t.hasIcons,h=t.expandedMenuItemKey,f=t.onItemClick,v=t.openSubMenu,b=t.dismissSubMenu,y=t.dismissMenu,_=c.ContextualMenuItem;this.props.item.contextualMenuItemAs&&(_=(0,i.composeComponentAs)(this.props.item.contextualMenuItemAs,_)),this.props.contextualMenuItemAs&&(_=(0,i.composeComponentAs)(this.props.contextualMenuItemAs,_));var S=o.rel;o.target&&"_blank"===o.target.toLowerCase()&&(S=S||"nofollow noopener noreferrer");var C=(0,l.hasSubmenu)(o),x=(0,i.getNativeProps)(o,i.anchorProperties),P=(0,l.isItemDisabled)(o),k=o.itemProps,I=o.ariaDescription,w=o.keytipProps;w&&C&&(w=this._getMemoizedMenuButtonKeytipProps(w)),I&&(this._ariaDescriptionId=(0,i.getId)());var T=(0,i.mergeAriaAttributeValues)(o.ariaDescribedBy,I?this._ariaDescriptionId:void 0,x["aria-describedby"]),E={"aria-describedby":T};return r.createElement("div",null,r.createElement(s.KeytipData,{keytipProps:o.keytipProps,ariaDescribedBy:T,disabled:P},(function(t){return r.createElement("a",n.__assign({},E,x,t,{ref:e._anchor,href:o.href,target:o.target,rel:S,className:a.root,role:"menuitem","aria-haspopup":C||void 0,"aria-expanded":C?o.key===h:void 0,"aria-posinset":d+1,"aria-setsize":p,"aria-disabled":(0,l.isItemDisabled)(o),style:o.style,onClick:e._onItemClick,onMouseEnter:e._onItemMouseEnter,onMouseLeave:e._onItemMouseLeave,onMouseMove:e._onItemMouseMove,onKeyDown:C?e._onItemKeyDown:void 0}),r.createElement(_,n.__assign({componentRef:o.componentRef,item:o,classNames:a,index:u,onCheckmarkClick:m&&f?f:void 0,hasIcons:g,openSubMenu:v,dismissSubMenu:b,dismissMenu:y,getSubmenuTarget:e._getSubmenuTarget},k)),e._renderAriaDescription(I,a.screenReaderText))})))},t}(a.ContextualMenuItemWrapper);t.ContextualMenuAnchor=u},97048:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ContextualMenuButton=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(56228),s=o(87301),l=o(50719),c=o(73648),u=function(e){function t(){var t=null!==e&&e.apply(this,arguments)||this;return t._btn=r.createRef(),t._getMemoizedMenuButtonKeytipProps=(0,i.memoizeFunction)((function(e){return n.__assign(n.__assign({},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 n.__extends(t,e),t.prototype.render=function(){var e=this,t=this.props,o=t.item,a=t.classNames,u=t.index,d=t.focusableElementIndex,p=t.totalItemCount,m=t.hasCheckmarks,g=t.hasIcons,h=t.contextualMenuItemAs,f=t.expandedMenuItemKey,v=t.onItemMouseDown,b=t.onItemClick,y=t.openSubMenu,_=t.dismissSubMenu,S=t.dismissMenu,C=c.ContextualMenuItem;o.contextualMenuItemAs&&(C=(0,i.composeComponentAs)(o.contextualMenuItemAs,C)),h&&(C=(0,i.composeComponentAs)(h,C));var x=(0,l.getIsChecked)(o),P=null!==x,k=(0,l.getMenuItemAriaRole)(o),I=(0,l.hasSubmenu)(o),w=o.itemProps,T=o.ariaLabel,E=o.ariaDescription,D=(0,i.getNativeProps)(o,i.buttonProperties);delete D.disabled;var M=o.role||k;E&&(this._ariaDescriptionId=(0,i.getId)());var O=(0,i.mergeAriaAttributeValues)(o.ariaDescribedBy,E?this._ariaDescriptionId:void 0,D["aria-describedby"]),R={className:a.root,onClick:this._onItemClick,onKeyDown:I?this._onItemKeyDown:void 0,onMouseEnter:this._onItemMouseEnter,onMouseLeave:this._onItemMouseLeave,onMouseDown:function(e){return v?v(o,e):void 0},onMouseMove:this._onItemMouseMove,href:o.href,title:o.title,"aria-label":T,"aria-describedby":O,"aria-haspopup":I||void 0,"aria-expanded":I?o.key===f:void 0,"aria-posinset":d+1,"aria-setsize":p,"aria-disabled":(0,l.isItemDisabled)(o),"aria-checked":"menuitemcheckbox"!==M&&"menuitemradio"!==M||!P?void 0:!!x,"aria-selected":"menuitem"===M&&P?!!x:void 0,role:M,style:o.style},F=o.keytipProps;return F&&I&&(F=this._getMemoizedMenuButtonKeytipProps(F)),r.createElement(s.KeytipData,{keytipProps:F,ariaDescribedBy:O,disabled:(0,l.isItemDisabled)(o)},(function(t){return r.createElement("button",n.__assign({ref:e._btn},D,R,t),r.createElement(C,n.__assign({componentRef:o.componentRef,item:o,classNames:a,index:u,onCheckmarkClick:m&&b?b:void 0,hasIcons:g,openSubMenu:y,dismissSubMenu:_,dismissMenu:S,getSubmenuTarget:e._getSubmenuTarget},w)),e._renderAriaDescription(E,a.screenReaderText))}))},t}(a.ContextualMenuItemWrapper);t.ContextualMenuButton=u},56228:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ContextualMenuItemWrapper=void 0;var n=o(31635),r=o(83923),i=o(71061),a=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,i.initializeComponentRef)(o),o}return n.__extends(t,e),t.prototype.shouldComponentUpdate=function(e){return!(0,i.shallowCompare)(e,this.props)},t}(r.Component);t.ContextualMenuItemWrapper=a},60327:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},61006:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ContextualMenuSplitButton=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(73648),s=o(28437),l=o(87301),c=o(50719),u=o(56304),d=function(e){function t(t){var o=e.call(this,t)||this;return o._getMemoizedMenuButtonKeytipProps=(0,i.memoizeFunction)((function(e){return n.__assign(n.__assign({},e),{hasMenu:!0})})),o._onItemKeyDown=function(e){var t=o.props,n=t.item,r=t.onItemKeyDown;e.which===i.KeyCodes.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(n.__assign(n.__assign({},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(n.__assign(n.__assign({},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&&!n.canCheck&&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 i.Async(o),o._events=new i.EventGroup(o),o._dismissLabelId=(0,i.getId)(),o}return n.__extends(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,t=this,o=this.props,a=o.item,s=o.classNames,u=o.index,d=o.focusableElementIndex,p=o.totalItemCount,m=o.hasCheckmarks,g=o.hasIcons,h=o.onItemMouseLeave,f=o.expandedMenuItemKey,v=(0,c.hasSubmenu)(a),b=a.keytipProps;b&&(b=this._getMemoizedMenuButtonKeytipProps(b));var y=a.ariaDescription;y&&(this._ariaDescriptionId=(0,i.getId)());var _=null!==(e=(0,c.getIsChecked)(a))&&void 0!==e?e:void 0;return r.createElement(l.KeytipData,{keytipProps:b,disabled:(0,c.isItemDisabled)(a)},(function(e){return r.createElement("div",{"data-ktp-target":e["data-ktp-target"],ref:function(e){return t._splitButton=e},role:(0,c.getMenuItemAriaRole)(a),"aria-label":a.ariaLabel,className:s.splitContainer,"aria-disabled":(0,c.isItemDisabled)(a),"aria-expanded":v?a.key===f:void 0,"aria-haspopup":!0,"aria-describedby":(0,i.mergeAriaAttributeValues)(a.ariaDescribedBy,y?t._ariaDescriptionId:void 0,e["aria-describedby"]),"aria-checked":_,"aria-posinset":d+1,"aria-setsize":p,onMouseEnter:t._onItemMouseEnterPrimary,onMouseLeave:h?h.bind(t,n.__assign(n.__assign({},a),{subMenuProps:null,items:null})):void 0,onMouseMove:t._onItemMouseMovePrimary,onKeyDown:t._onItemKeyDown,onClick:t._executeItemClick,onTouchStart:t._onTouchStart,tabIndex:0,"data-is-focusable":!0,"aria-roledescription":a["aria-roledescription"]},t._renderSplitPrimaryButton(a,s,u,m,g),t._renderSplitDivider(a),t._renderSplitIconButton(a,s,u,e),t._renderAriaDescription(y,s.screenReaderText))}))},t.prototype._renderSplitPrimaryButton=function(e,t,o,s,l){var u=this.props,d=u.contextualMenuItemAs,p=void 0===d?a.ContextualMenuItem:d,m=u.onItemClick,g={key:e.key,disabled:(0,c.isItemDisabled)(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,id:this._dismissLabelId,onRenderIcon:e.onRenderIcon,data:e.data,"data-is-focusable":!1},h=e.itemProps;return r.createElement("button",n.__assign({},(0,i.getNativeProps)(g,i.buttonProperties)),r.createElement(p,n.__assign({"data-is-focusable":!1,item:g,classNames:t,index:o,onCheckmarkClick:s&&m?m:void 0,hasIcons:l},h)))},t.prototype._renderSplitDivider=function(e){var t=e.getSplitButtonVerticalDividerClassNames||s.getSplitButtonVerticalDividerClassNames;return r.createElement(u.VerticalDivider,{getClassNames:t})},t.prototype._renderSplitIconButton=function(e,t,o,s){var l=this.props,u=l.onItemMouseLeave,d=l.onItemMouseDown,p=l.openSubMenu,m=l.dismissSubMenu,g=l.dismissMenu,h=a.ContextualMenuItem;this.props.item.contextualMenuItemAs&&(h=(0,i.composeComponentAs)(this.props.item.contextualMenuItemAs,h)),this.props.contextualMenuItemAs&&(h=(0,i.composeComponentAs)(this.props.contextualMenuItemAs,h));var f={onClick:this._onIconItemClick,disabled:(0,c.isItemDisabled)(e),className:t.splitMenu,subMenuProps:e.subMenuProps,submenuIconProps:e.submenuIconProps,split:!0,key:e.key,"aria-labelledby":this._dismissLabelId},v=n.__assign(n.__assign({},(0,i.getNativeProps)(f,i.buttonProperties)),{onMouseEnter:this._onItemMouseEnterIcon,onMouseLeave:u?u.bind(this,e):void 0,onMouseDown:function(t){return d?d(e,t):void 0},onMouseMove:this._onItemMouseMoveIcon,"data-is-focusable":!1,"data-ktp-execute-target":s["data-ktp-execute-target"],"aria-haspopup":!0}),b=e.itemProps;return r.createElement("button",n.__assign({},v),r.createElement(h,n.__assign({componentRef:e.componentRef,item:f,classNames:t,index:o,hasIcons:!1,openSubMenu:p,dismissSubMenu:m,dismissMenu:g,getSubmenuTarget:this._getSubmenuTarget},b)))},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}(o(56228).ContextualMenuItemWrapper);t.ContextualMenuSplitButton=d},17630:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(15434),t),n.__exportStar(o(97048),t),n.__exportStar(o(61006),t),n.__exportStar(o(56228),t),n.__exportStar(o(60327),t)},73719:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getContextualMenuItemStyles=t.getContextualMenuItemClassNames=t.getMenuItemStyles=void 0;var n=o(31635);n.__exportStar(o(18291),t),n.__exportStar(o(82120),t),n.__exportStar(o(3668),t),n.__exportStar(o(73648),t),n.__exportStar(o(61421),t),n.__exportStar(o(86779),t);var r=o(74582);Object.defineProperty(t,"getMenuItemStyles",{enumerable:!0,get:function(){return r.getMenuItemStyles}});var i=o(28437);Object.defineProperty(t,"getContextualMenuItemClassNames",{enumerable:!0,get:function(){return i.getItemClassNames}}),Object.defineProperty(t,"getContextualMenuItemStyles",{enumerable:!0,get:function(){return i.getItemStyles}})},77976:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DatePickerBase=void 0;var n=o(31635),r=o(83923),i=o(52332),a=o(33591),s=o(6517),l=o(16473),c=o(15019),u=o(13636),d=o(34464),p=o(25698),m=o(52155),g=(0,i.classNamesFunction)(),h={allowTextInput:!1,formatDate:function(e){return e?e.toDateString():""},parseDateFromString:function(e){e.match(/^\d{4}(-\d{2}){2}$/)&&(e+="T12:00");var t=Date.parse(e);return t?new Date(t):null},firstDayOfWeek:s.DayOfWeek.Sunday,initialPickerDate:new Date,isRequired:!1,isMonthPickerVisible:!0,showMonthPickerAsOverlay:!1,strings:m.defaultDatePickerStrings,highlightCurrentMonth:!1,highlightSelectedMonth:!1,borderless:!1,pickerAriaLabel:"Calendar",showWeekNumbers:!1,firstWeekOfYear:s.FirstWeekOfYear.FirstDay,showGoToToday:!0,showCloseButton:!1,underlined:!1,allFocusable:!1};function f(e,t,o){return!!t&&(0,s.compareDatePart)(t,e)>0||!!o&&(0,s.compareDatePart)(o,e)<0}t.DatePickerBase=r.forwardRef((function(e,t){var o,m,v=(0,i.getPropsWithDefaults)(h,e),b=v.firstDayOfWeek,y=v.strings,_=v.label,S=v.theme,C=v.className,x=v.styles,P=v.initialPickerDate,k=v.isRequired,I=v.disabled,w=v.ariaLabel,T=v.pickerAriaLabel,E=v.placeholder,D=v.allowTextInput,M=v.borderless,O=v.minDate,R=v.maxDate,F=v.showCloseButton,B=v.calendarProps,A=v.calloutProps,N=v.textField,L=v.underlined,H=v.allFocusable,j=v.calendarAs,z=void 0===j?a.Calendar:j,W=v.tabIndex,V=v.disableAutoFocus,K=void 0===V||V,G=(0,p.useId)("DatePicker",v.id),U=(0,p.useId)("DatePicker-Callout"),Y=r.useRef(null),q=r.useRef(null),X=function(){var e=r.useRef(null),t=r.useRef(!1);return[e,function(){var t,o;null===(o=null===(t=e.current)||void 0===t?void 0:t.focus)||void 0===o||o.call(t)},t,function(){t.current=!0}]}(),Z=X[0],Q=X[1],J=X[2],$=X[3],ee=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,p.useAsync)();return r.useEffect((function(){l.current&&!a&&(o&&c.requestAnimationFrame(t),null==n||n()),l.current=!0}),[a]),[a,s]}(v,Q),te=ee[0],oe=ee[1],ne=function(e){var t=e.formatDate,o=e.value,n=e.onSelectDate,i=(0,p.useControllableValue)(o,void 0,(function(e,t){return null==n?void 0:n(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]}(v),re=ne[0],ie=ne[1],ae=ne[2],se=ne[3],le=function(e,t,o,n,a){var l,c=e.isRequired,u=e.allowTextInput,d=e.strings,p=e.parseDateFromString,m=e.onSelectDate,g=e.formatDate,h=e.minDate,v=e.maxDate,b=e.textField,y=r.useState(),_=y[0],S=y[1],C=r.useState(),x=C[0],P=C[1],k=r.useRef(!0),I=null===(l=null==b?void 0:b.validateOnLoad)||void 0===l||l;return r.useEffect((function(){k.current&&(k.current=!1,!I)||(c&&!t?S(d.isRequiredErrorMessage||" "):t&&f(t,h,v)?S(d.isOutOfBoundsErrorMessage||" "):S(void 0))}),[h&&(0,s.getDatePartHashValue)(h),v&&(0,s.getDatePartHashValue)(v),t&&(0,s.getDatePartHashValue)(t),c,I]),[a?void 0:_,function(e){if(void 0===e&&(e=null),u)if(n||e){if(t&&!_&&g&&g(null!=e?e:t)===n)return;if(!(e=e||p(n))||isNaN(e.getTime())){o(t);var r=g?g(t):"",a=d.isResetStatusMessage?(0,i.format)(d.isResetStatusMessage,n,r):d.invalidInputErrorMessage||"";P(a)}else f(e,h,v)?S(d.isOutOfBoundsErrorMessage||" "):(o(e),S(void 0),P(void 0))}else S(c?d.isRequiredErrorMessage||" ":void 0),null==m||m(e);else c&&!n?S(d.isRequiredErrorMessage||" "):(S(void 0),P(void 0))},S,a?void 0:x,P]}(v,re,ae,ie,te),ce=le[0],ue=le[1],de=le[2],pe=le[3],me=le[4],ge=r.useCallback((function(){te||($(),oe(!0))}),[te,$,oe]);r.useImperativeHandle(v.componentRef,(function(){return{focus:Q,reset:function(){oe(!1),ae(void 0),de(void 0),me(void 0)},showDatePickerPopup:ge}}),[Q,de,oe,ae,me,ge]);var he=function(e){te&&(oe(!1),ue(e),!D&&e&&ae(e))},fe=function(e){$(),he(e)},ve=g(x,{theme:S,className:C,disabled:I,underlined:L,label:!!_,isDatePickerShown:te}),be=(0,i.getNativeProps)(v,i.divProperties,["value"]),ye=N&&N.iconProps,_e=N&&N.id&&N.id!==G?N.id:G+"-label",Se=!D&&!I,Ce=null===(m=null!==(o=null==N?void 0:N["data-is-focusable"])&&void 0!==o?o:v["data-is-focusable"])||void 0===m||m,xe=D?{role:"button","aria-expanded":te,"aria-label":null!=w?w:_,"aria-labelledby":N&&N["aria-labelledby"]}:{};return r.createElement("div",n.__assign({},be,{className:ve.root,ref:t}),r.createElement("div",{ref:q,"aria-owns":te?U:void 0,className:ve.wrapper},r.createElement(u.TextField,n.__assign({role:"combobox",label:_,"aria-expanded":te,ariaLabel:w,"aria-haspopup":"dialog","aria-controls":te?U:void 0,required:k,disabled:I,errorMessage:ce,placeholder:E,borderless:M,value:ie,componentRef:Z,underlined:L,tabIndex:W,readOnly:!D},N,{"data-is-focusable":Ce,id:_e,className:(0,i.css)(ve.textField,N&&N.className),iconProps:n.__assign(n.__assign(n.__assign({iconName:"Calendar"},xe),ye),{className:(0,i.css)(ve.icon,ye&&ye.className),onClick:function(e){e.stopPropagation(),te||v.disabled?v.allowTextInput&&he():ge()}}),onRenderDescription:function(e,t){return r.createElement(r.Fragment,null,e.description||e.onRenderDescription?t(e):null,r.createElement("div",{"aria-live":"assertive",className:ve.statusMessage},pe))},onKeyDown:function(e){switch(e.which){case i.KeyCodes.enter:e.preventDefault(),e.stopPropagation(),te?v.allowTextInput&&he():(ue(),ge());break;case i.KeyCodes.escape:!function(e){te&&(e.stopPropagation(),fe())}(e);break;case i.KeyCodes.down:e.altKey&&!te&&ge()}},onFocus:function(){K||D||(J.current||ge(),J.current=!1)},onBlur:function(e){ue()},onClick:function(e){!v.openOnClick&&v.disableAutoFocus||te||v.disabled?v.allowTextInput&&he():ge()},onChange:function(e,t){var o,n=v.textField;D&&(te&&he(),se(t)),null===(o=null==n?void 0:n.onChange)||void 0===o||o.call(n,e,t)},onRenderInput:Se?function(e){var t=(0,i.getNativeProps)(e,i.divProperties),o=(0,c.mergeStyles)(t.className,ve.readOnlyTextField);return r.createElement("div",n.__assign({},t,{className:o,tabIndex:W||0}),ie||r.createElement("span",{className:ve.readOnlyPlaceholder},E))}:void 0}))),te&&r.createElement(l.Callout,n.__assign({id:U,role:"dialog",ariaLabel:T,isBeakVisible:!1,gapSpace:0,doNotLayer:!1,target:q.current,directionalHint:l.DirectionalHint.bottomLeftEdge},A,{className:(0,i.css)(ve.callout,A&&A.className),onDismiss:function(e){fe()},onPositioned:function(){var e=!0;v.calloutProps&&void 0!==v.calloutProps.setInitialFocus&&(e=v.calloutProps.setInitialFocus),Y.current&&e&&Y.current.focus()}}),r.createElement(d.FocusTrapZone,{isClickableOutsideFocusTrap:!0,disableFirstFocus:K},r.createElement(z,n.__assign({},B,{onSelectDate:function(e){v.calendarProps&&v.calendarProps.onSelectDate&&v.calendarProps.onSelectDate(e),fe(e)},onDismiss:function(e){fe()},isMonthPickerVisible:v.isMonthPickerVisible,showMonthPickerAsOverlay:v.showMonthPickerAsOverlay,today:v.today,value:re||P,firstDayOfWeek:b,strings:y,highlightCurrentMonth:v.highlightCurrentMonth,highlightSelectedMonth:v.highlightSelectedMonth,showWeekNumbers:v.showWeekNumbers,firstWeekOfYear:v.firstWeekOfYear,showGoToToday:v.showGoToToday,dateTimeFormatter:v.dateTimeFormatter,minDate:O,maxDate:R,componentRef:Y,showCloseButton:F,allFocusable:H})))))})),t.DatePickerBase.displayName="DatePickerBase"},33219:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DatePicker=void 0;var n=o(52332),r=o(77976),i=o(58015);t.DatePicker=(0,n.styled)(r.DatePickerBase,i.styles,void 0,{scope:"DatePicker"})},58015:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.styles=void 0;var n=o(83048),r={root:"ms-DatePicker",callout:"ms-DatePicker-callout",withLabel:"ms-DatePicker-event--with-label",withoutLabel:"ms-DatePicker-event--without-label",disabled:"msDatePickerDisabled "};t.styles=function(e){var t,o=e.className,i=e.theme,a=e.disabled,s=e.underlined,l=e.label,c=e.isDatePickerShown,u=i.palette,d=i.semanticColors,p=i.fonts,m=(0,n.getGlobalClassNames)(r,i),g={color:u.neutralSecondary,fontSize:n.FontSizes.icon,lineHeight:"18px",pointerEvents:"none",position:"absolute",right:"4px",padding:"5px"};return{root:[m.root,i.fonts.large,c&&"is-open",n.normalize,o],textField:[{position:"relative",selectors:{"& input[readonly]":{cursor:"pointer"},input:{selectors:{"::-ms-clear":{display:"none"}}}}},a&&{selectors:{"& input[readonly]":{cursor:"default"}}}],callout:[m.callout],icon:[g,l?m.withLabel:m.withoutLabel,{paddingTop:"7px"},!a&&[m.disabled,{pointerEvents:"initial",cursor:"pointer"}],a&&{color:d.disabledText,cursor:"default"}],statusMessage:[p.small,{color:d.errorText,marginTop:5}],readOnlyTextField:[{cursor:"pointer",height:32,lineHeight:30,overflow:"hidden",textOverflow:"ellipsis"},s&&{lineHeight:34}],readOnlyPlaceholder:(t={color:d.inputPlaceholderText},t[n.HighContrastSelector]={color:"GrayText"},t)}}},38148:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},52155:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.defaultDatePickerStrings=void 0;var n=o(31635),r=o(33591);t.defaultDatePickerStrings=n.__assign(n.__assign({},r.defaultCalendarStrings),{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",isResetStatusMessage:'Invalid entry "{0}", date reset to "{1}"'})},769:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(33219),t),n.__exportStar(o(77976),t),n.__exportStar(o(38148),t),n.__exportStar(o(98752),t),n.__exportStar(o(52155),t)},73936:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DetailsColumnBase=void 0;var n=o(31635),r=o(83923),i=o(30936),a=o(71061),s=o(29638),l=o(43937),c=(0,a.classNamesFunction)(),u=function(e){return function(t){return t?t.column.isIconOnly?r.createElement("span",{className:e.accessibleLabel},t.column.name):r.createElement(r.Fragment,null,t.column.name):null}},d=function(e){function t(t){var o=e.call(this,t)||this;return o._root=r.createRef(),o._tooltipRef=r.createRef(),o._onRenderFilterIcon=function(e){return function(e){var t=e.columnProps,o=n.__rest(e,["columnProps"]),a=(null==t?void 0:t.useFastIcons)?i.FontIcon:i.Icon;return r.createElement(a,n.__assign({},o))}},o._onRenderColumnHeaderTooltip=function(e){return r.createElement("span",{className:e.hostClassName},e.children)},o._onColumnClick=function(e){var t=o.props,n=t.onColumnClick,r=t.column;r.columnActionsMode!==s.ColumnActionsMode.disabled&&(r.onColumnClick&&r.onColumnClick(e,r),n&&n(e,r))},o._onColumnBlur=function(){o._tooltipRef.current&&o._tooltipRef.current.dismiss()},o._onColumnFocus=function(){o._tooltipRef.current&&o._tooltipRef.current.show()},o._onDragStart=function(e,t,n,r){var i=o._classNames;t&&(o._updateHeaderDragInfo(t),o._root.current.classList.add(i.borderWhileDragging),o._async.setTimeout((function(){o._root.current&&o._root.current.classList.add(i.noBorderWhileDragging)}),20))},o._onDragEnd=function(e,t){var n=o._classNames;t&&o._updateHeaderDragInfo(-1,t),o._root.current.classList.remove(n.borderWhileDragging),o._root.current.classList.remove(n.noBorderWhileDragging)},o._updateHeaderDragInfo=function(e,t){o.props.setDraggedItemIndex&&o.props.setDraggedItemIndex(e),o.props.updateDragInfo&&o.props.updateDragInfo({itemIndex:e},t)},o._onColumnContextMenu=function(e){var t=o.props,n=t.onColumnContextMenu,r=t.column;r.onColumnContextMenu&&(r.onColumnContextMenu(r,e),e.preventDefault()),n&&(n(r,e),e.preventDefault())},o._onRootMouseDown=function(e){o.props.isDraggable&&0===e.button&&e.stopPropagation()},(0,a.initializeComponentRef)(o),o._async=new a.Async(o),o._events=new a.EventGroup(o),o}return n.__extends(t,e),t.prototype.render=function(){var e=this.props,t=e.column,o=e.parentId,d=e.isDraggable,p=e.styles,m=e.theme,g=e.cellStyleProps,h=void 0===g?l.DEFAULT_CELL_STYLE_PROPS:g,f=e.useFastIcons,v=void 0===f||f,b=this.props.onRenderColumnHeaderTooltip,y=void 0===b?this._onRenderColumnHeaderTooltip:b;this._classNames=c(p,{theme:m,headerClassName:t.headerClassName,iconClassName:t.iconClassName,isActionable:t.columnActionsMode!==s.ColumnActionsMode.disabled,isEmpty:!t.name,isIconVisible:t.isSorted||t.isGrouped||t.isFiltered,isPadded:t.isPadded,isIconOnly:t.isIconOnly,cellStyleProps:h,transitionDurationDrag:200,transitionDurationDrop:1500});var _=this._classNames,S=v?i.FontIcon:i.Icon,C=t.onRenderFilterIcon?(0,a.composeRenderFunction)(t.onRenderFilterIcon,this._onRenderFilterIcon(this._classNames)):this._onRenderFilterIcon(this._classNames),x=t.onRenderHeader?(0,a.composeRenderFunction)(t.onRenderHeader,u(this._classNames)):u(this._classNames),P=t.columnActionsMode!==s.ColumnActionsMode.disabled&&(void 0!==t.onColumnClick||void 0!==this.props.onColumnClick),k=this.props.onRenderColumnHeaderTooltip?!t.ariaLabel:this._hasAccessibleDescription(),I={"aria-label":t.ariaLabel?t.ariaLabel:t.isIconOnly?t.name:void 0,"aria-labelledby":t.ariaLabel||t.isIconOnly?void 0:"".concat(o,"-").concat(t.key,"-name"),"aria-describedby":k?"".concat(o,"-").concat(t.key,"-tooltip"):void 0};return r.createElement(r.Fragment,null,r.createElement("div",n.__assign({key:t.key,ref:this._root,role:"columnheader"},!P&&I,{"aria-sort":t.isSorted?t.isSortedDescending?"descending":"ascending":"none","data-is-focusable":P||t.columnActionsMode===s.ColumnActionsMode.disabled?void 0:"true",className:_.root,"data-is-draggable":d,draggable:d,style:{width:(t.calculatedWidth||0)+h.cellLeftPadding+h.cellRightPadding+(t.isPadded?h.cellExtraRightPadding:0)},"data-automationid":"ColumnsHeaderColumn","data-item-key":t.key,onBlur:this._onColumnBlur,onFocus:this._onColumnFocus}),d&&r.createElement(S,{iconName:"GripperBarVertical",className:_.gripperBarVerticalStyle}),y({hostClassName:_.cellTooltip,id:"".concat(o,"-").concat(t.key,"-tooltip"),setAriaDescribedBy:!1,column:t,componentRef:this._tooltipRef,content:t.columnActionsMode!==s.ColumnActionsMode.disabled?t.ariaLabel:"",children:r.createElement("span",n.__assign({id:"".concat(o,"-").concat(t.key),className:_.cellTitle,"data-is-focusable":P&&t.columnActionsMode!==s.ColumnActionsMode.disabled?"true":void 0,role:P?"button":void 0},P&&I,{onContextMenu:this._onColumnContextMenu,onClick:this._onColumnClick,"aria-haspopup":t.columnActionsMode===s.ColumnActionsMode.hasDropdown?"menu":void 0,"aria-expanded":t.columnActionsMode===s.ColumnActionsMode.hasDropdown?!!t.isMenuOpen:void 0}),r.createElement("span",{id:"".concat(o,"-").concat(t.key,"-name"),className:_.cellName},(t.iconName||t.iconClassName)&&r.createElement(S,{className:_.iconClassName,iconName:t.iconName}),x(this.props)),t.isFiltered&&r.createElement(S,{className:_.nearIcon,iconName:"Filter"}),(t.isSorted||t.showSortIconWhenUnsorted)&&r.createElement(S,{className:_.sortIcon,iconName:t.isSorted?t.isSortedDescending?"SortDown":"SortUp":"Sort"}),t.isGrouped&&r.createElement(S,{className:_.nearIcon,iconName:"GroupedDescending"}),t.columnActionsMode===s.ColumnActionsMode.hasDropdown&&!t.isIconOnly&&C({"aria-hidden":!0,columnProps:this.props,className:_.filterChevron,iconName:"ChevronDown"}))},this._onRenderColumnHeaderTooltip)),this.props.onRenderColumnHeaderTooltip?null:this._renderAccessibleDescription())},t.prototype.componentDidMount=function(){var e=this;this.props.dragDropHelper&&this.props.isDraggable&&this._addDragDropHandling();var t=this._classNames;this.props.isDropped&&(this._root.current&&(this._root.current.classList.add(t.borderAfterDropping),this._async.setTimeout((function(){e._root.current&&e._root.current.classList.add(t.noBorderAfterDropping)}),20)),this._async.setTimeout((function(){e._root.current&&(e._root.current.classList.remove(t.borderAfterDropping),e._root.current.classList.remove(t.noBorderAfterDropping))}),1520))},t.prototype.componentWillUnmount=function(){this._dragDropSubscription&&(this._dragDropSubscription.dispose(),delete this._dragDropSubscription),this._async.dispose(),this._events.dispose()},t.prototype.componentDidUpdate=function(){!this._dragDropSubscription&&this.props.dragDropHelper&&this.props.isDraggable&&this._addDragDropHandling(),this._dragDropSubscription&&!this.props.isDraggable&&(this._dragDropSubscription.dispose(),this._events.off(this._root.current,"mousedown"),delete this._dragDropSubscription)},t.prototype._getColumnDragDropOptions=function(){var e=this,t=this.props.columnIndex;return{selectionIndex:t,context:{data:t,index:t},canDrag:function(){return e.props.isDraggable},canDrop:function(){return!1},onDragStart:this._onDragStart,updateDropState:function(){},onDrop:function(){},onDragEnd:this._onDragEnd}},t.prototype._hasAccessibleDescription=function(){var e=this.props.column;return!!(e.filterAriaLabel||e.sortAscendingAriaLabel||e.sortDescendingAriaLabel||e.groupAriaLabel||e.sortableAriaLabel)},t.prototype._renderAccessibleDescription=function(){var e=this.props,t=e.column,o=e.parentId,n=this._classNames;return this._hasAccessibleDescription()&&!this.props.onRenderColumnHeaderTooltip?r.createElement("label",{key:"".concat(t.key,"_label"),id:"".concat(o,"-").concat(t.key,"-tooltip"),className:n.accessibleLabel,hidden:!0},t.isFiltered&&t.filterAriaLabel||null,(t.isSorted||t.showSortIconWhenUnsorted)&&(t.isSorted?t.isSortedDescending?t.sortDescendingAriaLabel:t.sortAscendingAriaLabel:t.sortableAriaLabel)||null,t.isGrouped&&t.groupAriaLabel||null):null},t.prototype._addDragDropHandling=function(){this._dragDropSubscription=this.props.dragDropHelper.subscribe(this._root.current,this._events,this._getColumnDragDropOptions()),this._events.on(this._root.current,"mousedown",this._onRootMouseDown)},t}(r.Component);t.DetailsColumnBase=d},73275:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DetailsColumn=void 0;var n=o(71061),r=o(73936),i=o(29975);t.DetailsColumn=(0,n.styled)(r.DetailsColumnBase,i.getDetailsColumnStyles,void 0,{scope:"DetailsColumn"})},29975:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getDetailsColumnStyles=void 0;var n=o(31635),r=o(15019),i=o(43937),a=o(42606),s={isActionable:"is-actionable",cellIsCheck:"ms-DetailsHeader-cellIsCheck",collapseButton:"ms-DetailsHeader-collapseButton",isCollapsed:"is-collapsed",isAllSelected:"is-allSelected",isSelectAllHidden:"is-selectAllHidden",isResizingColumn:"is-resizingColumn",isEmpty:"is-empty",isIconVisible:"is-icon-visible",cellSizer:"ms-DetailsHeader-cellSizer",isResizing:"is-resizing",dropHintCircleStyle:"ms-DetailsHeader-dropHintCircleStyle",dropHintLineStyle:"ms-DetailsHeader-dropHintLineStyle",cellTitle:"ms-DetailsHeader-cellTitle",cellName:"ms-DetailsHeader-cellName",filterChevron:"ms-DetailsHeader-filterChevron",gripperBarVerticalStyle:"ms-DetailsColumn-gripperBar",nearIcon:"ms-DetailsColumn-nearIcon"};t.getDetailsColumnStyles=function(e){var t,o=e.theme,l=e.headerClassName,c=e.iconClassName,u=e.isActionable,d=e.isEmpty,p=e.isIconVisible,m=e.isPadded,g=e.isIconOnly,h=e.cellStyleProps,f=void 0===h?i.DEFAULT_CELL_STYLE_PROPS:h,v=e.transitionDurationDrag,b=e.transitionDurationDrop,y=o.semanticColors,_=o.palette,S=o.fonts,C=(0,r.getGlobalClassNames)(s,o),x={iconForegroundColor:y.bodySubtext,headerForegroundColor:y.bodyText,headerBackgroundColor:y.bodyBackground,dropdownChevronForegroundColor:_.neutralSecondary,resizerColor:_.neutralTertiaryAlt},P={color:x.iconForegroundColor,opacity:1,paddingLeft:8},k={outline:"1px solid ".concat(_.themePrimary)},I={outlineColor:"transparent"};return{root:[(0,a.getCellStyles)(e),S.small,u&&[C.isActionable,{selectors:{":hover":{color:y.bodyText,background:y.listHeaderBackgroundHovered},":active":{background:y.listHeaderBackgroundPressed}}}],d&&[C.isEmpty,{textOverflow:"clip"}],p&&C.isIconVisible,m&&{paddingRight:f.cellExtraRightPadding+f.cellRightPadding},{selectors:{':hover i[data-icon-name="GripperBarVertical"]':{display:"block"}}},l],gripperBarVerticalStyle:{display:"none",position:"absolute",textAlign:"left",color:_.neutralTertiary,left:1},nearIcon:[C.nearIcon,P],sortIcon:[P,{paddingLeft:4,position:"relative",top:1}],iconClassName:[{color:x.iconForegroundColor,opacity:1},c],filterChevron:[C.filterChevron,{color:x.dropdownChevronForegroundColor,paddingLeft:6,verticalAlign:"middle",fontSize:S.small.fontSize}],cellTitle:[C.cellTitle,(0,r.getFocusStyle)(o),n.__assign({display:"flex",flexDirection:"row",justifyContent:"flex-start",alignItems:"stretch",boxSizing:"border-box",overflow:"hidden",padding:"0 ".concat(f.cellRightPadding,"px 0 ").concat(f.cellLeftPadding,"px")},g?{alignContent:"flex-end",maxHeight:"100%",flexWrap:"wrap-reverse"}:{})],cellName:[C.cellName,{flex:"0 1 auto",overflow:"hidden",textOverflow:"ellipsis",fontWeight:r.FontWeights.semibold,fontSize:S.medium.fontSize},g&&{selectors:(t={},t[".".concat(C.nearIcon)]={paddingLeft:0},t)}],cellTooltip:{display:"block",position:"absolute",top:0,left:0,bottom:0,right:0},accessibleLabel:r.hiddenContentStyle,borderWhileDragging:k,noBorderWhileDragging:[I,{transition:"outline ".concat(v,"ms ease")}],borderAfterDropping:k,noBorderAfterDropping:[I,{transition:"outline ".concat(b,"ms ease")}]}}},66428:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},62485:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},54449:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DetailsHeaderBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(29638),s=o(80371),l=o(30936),c=o(44472),u=o(30396),d=o(40759),p=o(8229),m=o(18055),g=o(23902),h=o(73275),f=o(89263),v=(0,i.classNamesFunction)(),b=[],y=function(e){function t(t){var o=e.call(this,t)||this;return o._rootElement=r.createRef(),o._rootComponent=r.createRef(),o._draggedColumnIndex=-1,o._dropHintDetails={},o._updateDroppingState=function(e,t){o._draggedColumnIndex>=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._computeColumnIndexOffset=function(e){var t=1;return e&&(t+=1),o.props.groupNestingDepth&&o.props.groupNestingDepth>0&&(t+=1),t},o._updateDragInfo=function(e,t){var n=o._getColumnReorderProps(),r=e.itemIndex;if(r>=0)o._draggedColumnIndex=r-o._computeColumnIndexOffset(!o._isCheckboxColumnHidden()),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?b: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[m].dropHintElementRef,"inline-block"),o._currentDropHintIndex=m)}},o._renderColumnSizer=function(e){var t,n=e.columnIndex,a=o.props.columns,s=void 0===a?b:a,l=s[n],c=o.state.columnResizeDetails,u=o._classNames;return l.isResizable?r.createElement("div",{key:"".concat(l.key,"_sizer"),"aria-hidden":!0,role:"button","data-is-focusable":!1,onClick:x,"data-sizer-index":n,onBlur:o._onSizerBlur,className:(0,i.css)(u.cellSizer,n=0&&this._onDropIndexInfo.targetIndex>=0){var t=e.columns,o=void 0===t?b:t,n=this.props.columns,r=void 0===n?b: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?b:o,g=t.ariaLabel,y=t.ariaLabelForToggleAllGroupsButton,_=t.ariaLabelForSelectAllCheckbox,S=t.selectAllVisibility,C=t.ariaLabelForSelectionColumn,x=t.indentWidth,P=t.onColumnClick,k=t.onColumnContextMenu,I=t.onRenderColumnHeaderTooltip,w=void 0===I?this._onRenderColumnHeaderTooltip:I,T=t.styles,E=t.selectionMode,D=t.theme,M=t.onRenderDetailsCheckbox,O=t.groupNestingDepth,R=t.useFastIcons,F=t.checkboxVisibility,B=t.className,A=this.state,N=A.isAllSelected,L=A.columnResizeDetails,H=A.isSizing,j=A.isAllCollapsed,z=S!==f.SelectAllVisibility.none,W=S===f.SelectAllVisibility.hidden,V=F===a.CheckboxVisibility.always,K=this._getColumnReorderProps(),G=K&&K.frozenColumnCountFromStart?K.frozenColumnCountFromStart:0,U=K&&K.frozenColumnCountFromEnd?K.frozenColumnCountFromEnd:0;this._classNames=v(T,{theme:D,isAllSelected:N,isSelectAllHidden:S===f.SelectAllVisibility.hidden,isResizingColumn:!!L&&H,isSizing:H,isAllCollapsed:j,isCheckboxHidden:W,className:B});var Y=this._classNames,q=R?l.FontIcon:l.Icon,X=O>0,Z=X&&this.props.collapseAllVisibility===d.CollapseAllVisibility.visible,Q=this._computeColumnIndexOffset(z),J=(0,i.getRTL)(D);return r.createElement(s.FocusZone,{role:"row","aria-label":g,className:Y.root,componentRef:this._rootComponent,elementRef:this._rootElement,onMouseMove:this._onRootMouseMove,"data-automationid":"DetailsHeader",direction:s.FocusZoneDirection.horizontal},z?[r.createElement("div",{key:"__checkbox",className:Y.cellIsCheck,"aria-labelledby":"".concat(this._id,"-checkTooltip"),onClick:W?void 0:this._onSelectAllClicked,role:"columnheader"},w({hostClassName:Y.checkTooltip,id:"".concat(this._id,"-checkTooltip"),setAriaDescribedBy:!1,content:_,children:r.createElement(p.DetailsRowCheck,{id:"".concat(this._id,"-check"),"aria-label":E===m.SelectionMode.multiple?_:C,"data-is-focusable":!W||void 0,isHeader:!0,selected:N,anySelected:!1,canSelect:!W,className:Y.check,onRenderDetailsCheckbox:M,useFastIcons:R,isVisible:V})},this._onRenderColumnHeaderTooltip)),this.props.onRenderColumnHeaderTooltip?null:_&&!W?r.createElement("label",{key:"__checkboxLabel",id:"".concat(this._id,"-checkTooltip"),className:Y.accessibleLabel,"aria-hidden":!0},_):C&&W?r.createElement("label",{key:"__checkboxLabel",id:"".concat(this._id,"-checkTooltip"),className:Y.accessibleLabel,"aria-hidden":!0},C):null]:null,Z?r.createElement("div",{className:Y.cellIsGroupExpander,onClick:this._onToggleCollapseAll,"data-is-focusable":!0,"aria-label":y,"aria-expanded":!j,role:"columnheader"},r.createElement(q,{className:Y.collapseButton,iconName:J?"ChevronLeftMed":"ChevronRightMed"}),r.createElement("span",{className:Y.accessibleLabel},y)):X?r.createElement("div",{className:Y.cellIsGroupExpander,"data-is-focusable":!1,role:"columnheader"}):null,r.createElement(u.GroupSpacer,{indentWidth:x,role:"gridcell",count:O-1}),n.map((function(t,o){var i=!!K&&o>=G&&o=0},t.prototype._isCheckboxColumnHidden=function(){var e=this.props,t=e.selectionMode,o=e.checkboxVisibility;return t===m.SelectionMode.none||o===a.CheckboxVisibility.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 S(e,t,o){return e?t>=o:t<=o}function C(e,t,o){return e?t<=o:t>=o}function x(e){e.stopPropagation()}t.DetailsHeaderBase=y},64524:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DetailsHeader=void 0;var n=o(71061),r=o(54449),i=o(42606);t.DetailsHeader=(0,n.styled)(r.DetailsHeaderBase,i.getDetailsHeaderStyles,void 0,{scope:"DetailsHeader"})},42606:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getDetailsHeaderStyles=t.getCellStyles=t.HEADER_HEIGHT=void 0;var n=o(31635),r=o(15019),i=o(71061),a=o(43937),s=o(30396),l={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"};t.HEADER_HEIGHT=42,t.getCellStyles=function(e){var o=e.theme,n=e.cellStyleProps,i=void 0===n?a.DEFAULT_CELL_STYLE_PROPS:n,s=o.semanticColors;return[(0,r.getGlobalClassNames)(l,o).cell,(0,r.getFocusStyle)(o),{color:s.bodyText,position:"relative",display:"inline-block",boxSizing:"border-box",padding:"0 ".concat(i.cellRightPadding,"px 0 ").concat(i.cellLeftPadding,"px"),lineHeight:"inherit",margin:"0",height:t.HEADER_HEIGHT,verticalAlign:"top",whiteSpace:"nowrap",textOverflow:"ellipsis",textAlign:"left"}]},t.getDetailsHeaderStyles=function(e){var o,c,u,d,p=e.theme,m=e.className,g=e.isAllSelected,h=e.isResizingColumn,f=e.isSizing,v=e.isAllCollapsed,b=e.cellStyleProps,y=void 0===b?a.DEFAULT_CELL_STYLE_PROPS:b,_=p.semanticColors,S=p.palette,C=p.fonts,x=(0,r.getGlobalClassNames)(l,p),P={iconForegroundColor:_.bodySubtext,headerForegroundColor:_.bodyText,headerBackgroundColor:_.bodyBackground,resizerColor:S.neutralTertiaryAlt},k={opacity:1,transition:"opacity 0.3s linear"},I=(0,t.getCellStyles)(e);return{root:[x.root,C.small,{display:"inline-block",background:P.headerBackgroundColor,position:"relative",minWidth:"100%",verticalAlign:"top",height:t.HEADER_HEIGHT,lineHeight:t.HEADER_HEIGHT,whiteSpace:"nowrap",boxSizing:"content-box",paddingBottom:"1px",paddingTop:"16px",borderBottom:"1px solid ".concat(_.bodyDivider),cursor:"default",userSelect:"none",selectors:(o={},o["&:hover .".concat(x.check)]={opacity:1},o["& .".concat(x.tooltipHost," .").concat(x.checkTooltip)]={display:"block"},o)},g&&x.isAllSelected,h&&x.isResizingColumn,m],check:[x.check,{height:t.HEADER_HEIGHT},{selectors:(c={},c[".".concat(i.IsFocusVisibleClassName," &:focus, :host(.").concat(i.IsFocusVisibleClassName,") &:focus")]={opacity:1},c)}],cellWrapperPadded:{paddingRight:y.cellExtraRightPadding+y.cellRightPadding},cellIsCheck:[I,x.cellIsCheck,{position:"relative",padding:0,margin:0,display:"inline-flex",alignItems:"center",border:"none"},g&&{opacity:1}],cellIsGroupExpander:[I,{display:"inline-flex",alignItems:"center",justifyContent:"center",fontSize:C.small.fontSize,padding:0,border:"none",width:s.SPACER_WIDTH,color:S.neutralSecondary,selectors:{":hover":{backgroundColor:S.neutralLighter},":active":{backgroundColor:S.neutralLight}}}],cellIsActionable:{selectors:{":hover":{color:_.bodyText,background:_.listHeaderBackgroundHovered},":active":{background:_.listHeaderBackgroundPressed}}},cellIsEmpty:{textOverflow:"clip"},cellSizer:[x.cellSizer,(0,r.focusClear)(),{display:"inline-block",position:"relative",cursor:"ew-resize",bottom:0,top:0,overflow:"hidden",height:"inherit",background:"transparent",zIndex:1,width:16,selectors:(u={":after":{content:'""',position:"absolute",top:0,bottom:0,width:1,background:P.resizerColor,opacity:0,left:"50%"},":focus:after":k,":hover:after":k},u["&.".concat(x.isResizing,":after")]=[k,{boxShadow:"0 0 5px 0 rgba(0, 0, 0, 0.4)"}],u)}],cellIsResizing:x.isResizing,cellSizerStart:{margin:"0 -8px"},cellSizerEnd:{margin:0,marginLeft:-16},collapseButton:[x.collapseButton,{transformOrigin:"50% 50%",transition:"transform .1s linear"},v?[x.isCollapsed,{transform:"rotate(0deg)"}]:{transform:(0,i.getRTL)(p)?"rotate(-90deg)":"rotate(90deg)"}],checkTooltip:x.checkTooltip,sizingOverlay:f&&{position:"absolute",left:0,top:0,right:0,bottom:0,cursor:"ew-resize",background:"rgba(255, 255, 255, 0)",selectors:(d={},d[r.HighContrastSelector]=n.__assign({background:"transparent"},(0,r.getHighContrastNoAdjustStyle)()),d)},accessibleLabel:r.hiddenContentStyle,dropHintCircleStyle:[x.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 ".concat(S.themePrimary),background:S.white}],dropHintCaretStyle:[x.dropHintCaretStyle,{display:"none",position:"absolute",top:-28,left:-6.5,fontSize:C.medium.fontSize,color:S.themePrimary,overflow:"visible",zIndex:10}],dropHintLineStyle:[x.dropHintLineStyle,{display:"none",position:"absolute",bottom:0,top:0,overflow:"hidden",height:42,width:1,background:S.themePrimary,zIndex:10}],dropHintStyle:{display:"inline-block",position:"absolute"}}}},89263:(e,t)=>{"use strict";var o;Object.defineProperty(t,"__esModule",{value:!0}),t.SelectAllVisibility=void 0,(o=t.SelectAllVisibility||(t.SelectAllVisibility={}))[o.none=0]="none",o[o.hidden=1]="hidden",o[o.visible=2]="visible"},90130:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.buildColumns=t.DetailsListBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(29638),s=o(64524),l=o(89263),c=o(47765),u=o(80371),d=o(18055),p=o(23902),m=o(40759),g=o(2133),h=o(67103),f=o(71293),v=o(43937),b=o(45041),y=o(30396),_=o(52332),S=o(25698),C=o(97156),x=o(50478),P=(0,i.classNamesFunction)(),k=100,I={tabIndex:0},w={},T=function(e){var t=e.selection,o=e.ariaLabelForListHeader,c=e.ariaLabelForSelectAllCheckbox,p=e.ariaLabelForSelectionColumn,h=e.className,b=e.checkboxVisibility,y=e.compact,C=e.constrainMode,x=e.dragDropEvents,k=e.groups,T=e.groupProps,E=e.indentWidth,D=e.items,M=e.isPlaceholderData,O=e.isHeaderVisible,R=e.layoutMode,F=e.onItemInvoked,B=e.onItemContextMenu,A=e.onColumnHeaderClick,N=e.onColumnHeaderContextMenu,L=e.selectionMode,H=void 0===L?t.mode:L,j=e.selectionPreservedOnEmptyClick,z=e.selectionZoneProps,W=e.ariaLabel,V=e.ariaLabelForGrid,K=e.rowElementEventMap,G=e.shouldApplyApplicationRole,U=void 0!==G&&G,Y=e.getKey,q=e.listProps,X=e.usePageCache,Z=e.onShouldVirtualize,Q=e.viewport,J=e.minimumPixelsForDrag,$=e.getGroupHeight,ee=e.styles,te=e.theme,oe=e.cellStyleProps,ne=void 0===oe?v.DEFAULT_CELL_STYLE_PROPS:oe,re=e.onRenderCheckbox,ie=e.useFastIcons,ae=e.dragDropHelper,se=e.adjustedColumns,le=e.isCollapsed,ce=e.isSizing,ue=e.isSomeGroupExpanded,de=e.version,pe=e.rootRef,me=e.listRef,ge=e.focusZoneRef,he=e.columnReorderOptions,fe=e.groupedListRef,ve=e.headerRef,be=e.onGroupExpandStateChanged,ye=e.onColumnIsSizingChanged,_e=e.onRowDidMount,Se=e.onRowWillUnmount,Ce=e.disableSelectionZone,xe=e.isSelectedOnFocus,Pe=void 0===xe||xe,ke=e.onColumnResized,Ie=e.onColumnAutoResized,we=e.onToggleCollapse,Te=e.onActiveRowChanged,Ee=e.onBlur,De=e.rowElementEventMap,Me=e.onRenderMissingItem,Oe=e.onRenderItemColumn,Re=e.onRenderField,Fe=e.getCellValueKey,Be=e.getRowAriaLabel,Ae=e.getRowAriaDescribedBy,Ne=e.checkButtonAriaLabel,Le=e.checkButtonGroupAriaLabel,He=e.checkboxCellClassName,je=e.useReducedRowRenderer,ze=e.enableUpdateAnimations,We=e.enterModalSelectionOnTouch,Ve=e.onRenderDefaultRow,Ke=e.selectionZoneRef,Ge=e.focusZoneProps,Ue="grid",Ye=e.role?e.role:Ue,qe=(0,_.getId)("row"),Xe=function(e){for(var t=0,o=e;o&&o.length>0;)t++,o=o[0].children;return t}(k),Ze=function(e){return r.useMemo((function(){var t={};if(e)for(var o=1,n=1,r=0,i=e;rr.left&&t.clientXr.top&&t.clientY0?w:I,d={item:n,itemIndex:r,flatIndexOffset:(O?2:1)+l,compact:y,columns:se,groupNestingDepth:o,id:"".concat(qe,"-").concat(r),selectionMode:H,selection:t,onDidMount:_e,onWillUnmount:Se,onRenderItemColumn:Oe,onRenderField:Re,getCellValueKey:Fe,eventsToRegister:De,dragDropEvents:x,dragDropHelper:ae,viewport:Q,checkboxVisibility:b,collapseAllVisibility:yt,getRowAriaLabel:Be,getRowAriaDescribedBy:Ae,checkButtonAriaLabel:Ne,checkboxCellClassName:He,useReducedRowRenderer:je,indentWidth:E,cellStyleProps:ne,onRenderDetailsCheckbox:re,enableUpdateAnimations:ze,rowWidth:_t,useFastIcons:ie,role:c,isGridRow:!0,focusZoneProps:u};return n?a(d):Me?Me(r,d):null}),[y,se,H,t,qe,_e,Se,Oe,Re,Fe,De,x,ae,Q,b,yt,Be,Ae,O,Ne,He,je,E,ne,re,ze,ie,Ve,Me,e.onRenderRow,_t,Ye,Ze]),Ct=r.useCallback((function(e){return function(t,o){return St(e,t,o)}}),[St]),xt=r.useCallback((function(e){return e.which===(0,i.getRTLSafeKeyCode)(i.KeyCodes.right,te)}),[te]),Pt=n.__assign(n.__assign({},Ge),{componentRef:Ge&&Ge.componentRef?Ge.componentRef:ge,className:Ge&&Ge.className?(0,i.css)(pt.focusZone,Ge.className):pt.focusZone,direction:Ge?Ge.direction:u.FocusZoneDirection.vertical,shouldEnterInnerZone:Ge&&Ge.shouldEnterInnerZone?Ge.shouldEnterInnerZone:xt,onActiveElementChanged:Ge&&Ge.onActiveElementChanged?Ge.onActiveElementChanged:Te,shouldRaiseClicksOnEnter:!1,onBlur:Ge&&Ge.onBlur?Ge.onBlur:Ee}),kt=k&&(null==T?void 0:T.groupedListAs)?(0,_.composeComponentAs)(T.groupedListAs,m.GroupedList):m.GroupedList,It=k?r.createElement(kt,{focusZoneProps:Pt,componentRef:fe,groups:k,groupProps:vt,items:D,onRenderCell:St,role:"presentation",selection:t,selectionMode:b!==a.CheckboxVisibility.hidden?H:d.SelectionMode.none,dragDropEvents:x,dragDropHelper:ae,eventsToRegister:K,listProps:Qe,onGroupExpandStateChanged:be,usePageCache:X,onShouldVirtualize:Z,getGroupHeight:$,compact:y}):r.createElement(u.FocusZone,n.__assign({},Pt),r.createElement(g.List,n.__assign({ref:me,role:"presentation",items:D,onRenderCell:Ct(0),usePageCache:X,onShouldVirtualize:Z},Qe))),wt=r.useCallback((function(e){e.which===i.KeyCodes.down&&ge.current&&ge.current.focus()&&(Pe&&0===t.getSelectedIndices().length&&t.setIndexSelected(0,!0,!1),e.preventDefault(),e.stopPropagation())}),[t,ge,Pe]),Tt=r.useCallback((function(e){e.which!==i.KeyCodes.up||e.altKey||ve.current&&ve.current.focus()&&(e.preventDefault(),e.stopPropagation())}),[ve]);return r.createElement("div",n.__assign({ref:pe,className:pt.root,"data-automationid":"DetailsList","data-is-scrollable":"false"},U?{role:"application"}:{}),r.createElement(i.FocusRects,null),r.createElement("div",{role:Ye,"aria-label":V||W,"aria-rowcount":M?0:ut,"aria-colcount":dt,"aria-busy":M},r.createElement("div",{onKeyDown:wt,role:"presentation",className:pt.headerWrapper},O&&nt({componentRef:ve,selectionMode:H,layoutMode:R,selection:t,columns:se,onColumnClick:A,onColumnContextMenu:N,onColumnResized:ke,onColumnIsSizingChanged:ye,onColumnAutoResized:Ie,groupNestingDepth:Xe,isAllCollapsed:le,onToggleCollapseAll:we,ariaLabel:o,ariaLabelForSelectAllCheckbox:c,ariaLabelForSelectionColumn:p,selectAllVisibility:Je,collapseAllVisibility:T&&T.collapseAllVisibility,viewport:Q,columnReorderProps:ct,minimumPixelsForDrag:J,cellStyleProps:ne,checkboxVisibility:b,indentWidth:E,onRenderDetailsCheckbox:re,rowWidth:bt(se),useFastIcons:ie},nt)),r.createElement("div",{onKeyDown:Tt,role:"presentation",className:pt.contentWrapper},Ce?It:r.createElement(d.SelectionZone,n.__assign({ref:Ke,selection:t,selectionPreservedOnEmptyClick:j,selectionMode:H,isSelectedOnFocus:Pe,selectionClearedOnEscapePress:Pe,toggleWithoutModifierPressed:!Pe,onItemInvoked:F,onItemContextMenu:B,enterModalOnTouch:We},z||{}),It)),it(n.__assign({},at))))},E=function(e){function t(t){var o=e.call(this,t)||this;return o._root=r.createRef(),o._header=r.createRef(),o._groupedList=r.createRef(),o._list=r.createRef(),o._focusZone=r.createRef(),o._selectionZone=r.createRef(),o._onRenderRow=function(e,t){return r.createElement(c.DetailsRow,n.__assign({},e))},o._getDerivedStateFromProps=function(e,t){var r=o.props,i=r.checkboxVisibility,a=r.items,s=r.setKey,l=r.selectionMode,c=void 0===l?o._selection.mode:l,u=r.columns,d=r.viewport,m=r.compact,g=r.dragDropEvents,h=(o.props.groupProps||{}).isAllGroupsCollapsed,f=void 0===h?void 0:h,v=e.viewport&&e.viewport.width||0,b=d&&d.width||0,y=e.setKey!==s||void 0===e.setKey,_=!1;e.layoutMode!==o.props.layoutMode&&(_=!0);var S=t;return y&&(o._initialFocusedIndex=e.initialFocusedIndex,S=n.__assign(n.__assign({},S),{focusedItemIndex:void 0!==o._initialFocusedIndex?o._initialFocusedIndex:-1})),o.props.disableSelectionZone||e.items===a||o._selection.setItems(e.items,y),e.checkboxVisibility===i&&e.columns===u&&v===b&&e.compact===m||(_=!0),S=n.__assign(n.__assign({},S),o._adjustColumns(e,S,!0)),e.selectionMode!==c&&(_=!0),void 0===f&&e.groupProps&&void 0!==e.groupProps.isAllGroupsCollapsed&&(S=n.__assign(n.__assign({},S),{isCollapsed:e.groupProps.isAllGroupsCollapsed,isSomeGroupExpanded:!e.groupProps.isAllGroupsCollapsed})),e.dragDropEvents!==g&&(o._dragDropHelper&&o._dragDropHelper.dispose(),o._dragDropHelper=e.dragDropEvents?new p.DragDropHelper({selection:o._selection,minimumPixelsForDrag:e.minimumPixelsForDrag}):void 0,_=!0),_&&(S=n.__assign(n.__assign({},S),{version:{}})),S},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,r){var i=Math.max(e.minWidth||k,t);o.props.onColumnResize&&o.props.onColumnResize(e,i,r),o._rememberCalculatedWidth(e,i),o.setState(n.__assign(n.__assign({},o._adjustColumns(o.props,o.state,!0,r)),{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,i.initializeComponentRef)(o),o._async=new i.Async(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},(0,i.warnMutuallyExclusive)("DetailsList",t,{selection:"getKey"}),o._selection=t.selection||new d.Selection({onSelectionChanged:void 0,getKey:t.getKey,selectionMode:t.selectionMode}),o.props.disableSelectionZone||o._selection.setItems(t.items,!1),o._dragDropHelper=t.dragDropEvents?new p.DragDropHelper({selection:o._selection,minimumPixelsForDrag:t.minimumPixelsForDrag}):void 0,o._initialFocusedIndex=t.initialFocusedIndex,o}return n.__extends(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.updateColumn=function(e,t){var o,n,r=this.props,i=r.columns,s=void 0===i?[]:i,l=r.selectionMode,c=r.checkboxVisibility,u=r.columnReorderOptions,p=t.width,m=t.newColumnIndex,g=s.findIndex((function(t){return t.key===e.key}));if(p&&this._onColumnResized(e,p,g),void 0!==m&&u){var h=l===d.SelectionMode.none||c===a.CheckboxVisibility.hidden,f=(c!==a.CheckboxVisibility.hidden?2:1)+g,v=h?f-1:f-2,b=h?m-1:m-2,y=null!==(o=u.frozenColumnCountFromStart)&&void 0!==o?o:0,_=null!==(n=u.frozenColumnCountFromEnd)&&void 0!==n?n:0;if(b>=y&&b0&&-1!==this.state.focusedItemIndex&&!(0,i.elementContains)(this._root.current,null==o?void 0:o.activeElement,!1)){var r,a=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,r){var i=this._getAdjustedColumns(e,t,o,r),a=this.props.viewport,s=a&&a.width?a.width:0;return n.__assign(n.__assign({},t),{adjustedColumns:i,lastWidth:s})},t.prototype._getAdjustedColumns=function(e,t,o,n){var r,i=this,s=e.items,l=e.layoutMode,c=e.selectionMode,u=e.viewport,d=u&&u.width?u.width:0,p=e.columns,m=this.props?this.props.columns:[],g=t?t.lastWidth:-1,h=t?t.lastSelectionMode:void 0;return o||g!==d||h!==c||m&&p!==m?(p=p||D(s,!0),l===a.DetailsListLayoutMode.fixedColumns?(r=this._getFixedColumns(p,d,e)).forEach((function(e){i._rememberCalculatedWidth(e,e.calculatedWidth)})):(r=this._getJustifiedColumns(p,d,e)).forEach((function(e){i._getColumnOverride(e.key).currentWidth=e.calculatedWidth})),r):p||[]},t.prototype._getFixedColumns=function(e,t,o){var r=this,i=this.props,s=i.selectionMode,l=void 0===s?this._selection.mode:s,c=i.checkboxVisibility,u=i.flexMargin,p=i.skipViewportMeasures,m=t-(u||0),g=0;e.forEach((function(e){p||!e.flexGrow?m-=e.maxWidth||e.minWidth||k:(m-=e.minWidth||k,g+=e.flexGrow),m-=M(e,o,!0)}));var h=l!==d.SelectionMode.none&&c!==a.CheckboxVisibility.hidden?b.CHECK_CELL_WIDTH:0,f=this._getGroupNestingDepth()*y.SPACER_WIDTH,v=(m-=h+f)/g;return p||e.forEach((function(e){var t=n.__assign(n.__assign({},e),r._columnOverrides[e.key]);if(t.flexGrow&&t.maxWidth){var o=t.flexGrow*v+t.minWidth,i=o-t.maxWidth;i>0&&(m+=i,g-=i/(o-t.minWidth)*t.flexGrow)}})),v=m>0?m/g:0,e.map((function(e){var o=n.__assign(n.__assign({},e),r._columnOverrides[e.key]);return!p&&o.flexGrow&&m<=0&&0===t||o.calculatedWidth||(!p&&o.flexGrow?(o.calculatedWidth=o.minWidth+o.flexGrow*v,o.calculatedWidth=Math.min(o.calculatedWidth,o.maxWidth||Number.MAX_VALUE)):o.calculatedWidth=o.maxWidth||o.minWidth||k),o}))},t.prototype._getJustifiedColumns=function(e,t,o){var r=this,i=o.selectionMode,s=void 0===i?this._selection.mode:i,l=o.checkboxVisibility,c=o.skipViewportMeasures,u=s!==d.SelectionMode.none&&l!==a.CheckboxVisibility.hidden?b.CHECK_CELL_WIDTH:0,p=this._getGroupNestingDepth()*y.SPACER_WIDTH,m=0,g=0,h=t-(u+p),f=e.map((function(e,t){var i=n.__assign(n.__assign({},e),{calculatedWidth:e.minWidth||k}),a=n.__assign(n.__assign({},i),r._columnOverrides[e.key]);return i.isCollapsible||i.isCollapsable||(g+=M(i,o)),m+=M(a,o),a}));if(c)return f;for(var v=f.length-1;v>=0&&m>h;){var _=(P=f[v]).minWidth||k,S=m-h;if(P.calculatedWidth-_>=S||!P.isCollapsible&&!P.isCollapsable){var C=P.calculatedWidth;g{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DetailsList=void 0;var n=o(71061),r=o(90130),i=o(13521);t.DetailsList=(0,n.styled)(r.DetailsListBase,i.getDetailsListStyles,void 0,{scope:"DetailsList"})},13521:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getDetailsListStyles=void 0;var n=o(15019),r={root:"ms-DetailsList",compact:"ms-DetailsList--Compact",contentWrapper:"ms-DetailsList-contentWrapper",headerWrapper:"ms-DetailsList-headerWrapper",isFixed:"is-fixed",isHorizontalConstrained:"is-horizontalConstrained",listCell:"ms-List-cell"};t.getDetailsListStyles=function(e){var t,o,i=e.theme,a=e.className,s=e.isHorizontalConstrained,l=e.compact,c=e.isFixed,u=i.semanticColors,d=(0,n.getGlobalClassNames)(r,i);return{root:[d.root,i.fonts.small,{position:"relative",color:u.listText,selectors:(t={},t["& .".concat(d.listCell)]={minHeight:38,wordBreak:"break-word"},t)},c&&d.isFixed,l&&[d.compact,{selectors:(o={},o[".".concat(d.listCell)]={minHeight:32},o)}],s&&[d.isHorizontalConstrained,{overflowX:"auto",overflowY:"visible",WebkitOverflowScrolling:"touch"}],a],focusZone:[{display:"inline-block",minWidth:"100%",minHeight:1}],headerWrapper:d.headerWrapper,contentWrapper:d.contentWrapper}}},29638:(e,t)=>{"use strict";var o,n,r,i,a;Object.defineProperty(t,"__esModule",{value:!0}),t.CheckboxVisibility=t.DetailsListLayoutMode=t.ColumnDragEndLocation=t.ConstrainMode=t.ColumnActionsMode=void 0,(a=t.ColumnActionsMode||(t.ColumnActionsMode={}))[a.disabled=0]="disabled",a[a.clickable=1]="clickable",a[a.hasDropdown=2]="hasDropdown",(i=t.ConstrainMode||(t.ConstrainMode={}))[i.unconstrained=0]="unconstrained",i[i.horizontalConstrained=1]="horizontalConstrained",(r=t.ColumnDragEndLocation||(t.ColumnDragEndLocation={}))[r.outside=0]="outside",r[r.surface=1]="surface",r[r.header=2]="header",(n=t.DetailsListLayoutMode||(t.DetailsListLayoutMode={}))[n.fixedColumns=0]="fixedColumns",n[n.justified=1]="justified",(o=t.CheckboxVisibility||(t.CheckboxVisibility={}))[o.onHover=0]="onHover",o[o.always=1]="always",o[o.hidden=2]="hidden"},19042:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DetailsRowBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(29638),s=o(8229),l=o(30396),c=o(72924),u=o(80371),d=o(18055),p=o(71061),m=o(71061),g=(0,p.classNamesFunction)(),h=[],f=function(e){function t(t){var o=e.call(this,t)||this;return o._root=r.createRef(),o._cellMeasurer=r.createRef(),o._focusZone=r.createRef(),o._onSelectionChanged=function(){var e=v(o.props);(0,i.shallowCompare)(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,i.initializeComponentRef)(o),o._events=new i.EventGroup(o),o.state={selectionState:v(t),columnMeasureInfo:void 0,isDropping:!1},o._droppingClassNames="",o}return n.__extends(t,e),t.getDerivedStateFromProps=function(e,t){return n.__assign(n.__assign({},t),{selectionState:v(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,d.SELECTION_CHANGE,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=v(e);return this.state.selectionState.isSelected!==o.isSelected||!(0,i.shallowCompare)(this.props,e)}return!0},t.prototype.render=function(){var e,t=this.props,o=t.className,s=t.columns,p=void 0===s?h:s,f=t.dragDropEvents,v=t.item,b=t.itemIndex,y=t.id,_=t.flatIndexOffset,S=void 0===_?2:_,C=t.onRenderCheck,x=void 0===C?this._onRenderCheck:C,P=t.onRenderDetailsCheckbox,k=t.onRenderItemColumn,I=t.onRenderField,w=t.getCellValueKey,T=t.selectionMode,E=t.checkboxVisibility,D=t.getRowAriaLabel,M=t.getRowAriaDescription,O=t.getRowAriaDescribedBy,R=t.isGridRow,F=t.checkButtonAriaLabel,B=t.checkboxCellClassName,A=t.rowFieldsAs,N=t.selection,L=t.indentWidth,H=t.enableUpdateAnimations,j=t.compact,z=t.theme,W=t.styles,V=t.cellsByColumn,K=t.groupNestingDepth,G=t.useFastIcons,U=void 0===G||G,Y=t.cellStyleProps,q=t.group,X=t.focusZoneProps,Z=t.disabled,Q=void 0!==Z&&Z,J=this.state,$=J.columnMeasureInfo,ee=J.isDropping,te=this.state.selectionState,oe=te.isSelected,ne=void 0!==oe&&oe,re=te.isSelectionModal,ie=void 0!==re&&re,ae=f?!(!f.canDrag||!f.canDrag(v)):void 0,se=ee?this._droppingClassNames||"is-dropping":"",le=D?D(v):void 0,ce=M?M(v):void 0,ue=O?O(v):void 0,de=!!N&&N.canSelectItem(v,b)&&!Q,pe=T===d.SelectionMode.multiple,me=T!==d.SelectionMode.none&&E!==a.CheckboxVisibility.hidden,ge=T===d.SelectionMode.none?void 0:ne,he=q?b-q.startIndex+1:void 0,fe=q?q.count:void 0,ve=X?X.direction:u.FocusZoneDirection.horizontal;this._classNames=n.__assign(n.__assign({},this._classNames),g(W,{theme:z,isSelected:ne,canSelect:!pe,anySelected:ie,checkboxCellClassName:B,droppingClassName:se,className:o,compact:j,enableUpdateAnimations:H,cellStyleProps:Y,disabled:Q}));var be={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,i.shallowCompare)(this._rowClassNames||{},be)||(this._rowClassNames=be);var ye=A?(0,i.composeComponentAs)(A,c.DetailsRowFields):c.DetailsRowFields,_e=r.createElement(ye,{rowClassNames:this._rowClassNames,rowHeaderId:"".concat(y,"-header"),cellsByColumn:V,columns:p,item:v,itemIndex:b,isSelected:ne,columnStartIndex:(me?1:0)+(K?1:0),onRenderItemColumn:k,onRenderField:I,getCellValueKey:w,enableUpdateAnimations:H,cellStyleProps:Y}),Se=this.props.role?this.props.role:"row";this._ariaRowDescriptionId=(0,m.getId)("DetailsRow-description");var Ce=p.some((function(e){return!!e.isRowHeader})),xe="".concat(y,"-checkbox")+(Ce?" ".concat(y,"-header"):""),Pe=R?{}:{"aria-level":K&&K+1||void 0,"aria-posinset":he,"aria-setsize":fe};return r.createElement(u.FocusZone,n.__assign({"data-is-focusable":!0},(0,i.getNativeProps)(this.props,i.divProperties),"boolean"==typeof ae?{"data-is-draggable":ae,draggable:ae}:{},X,Pe,{direction:ve,elementRef:this._root,componentRef:this._focusZone,role:Se,"aria-label":le,"aria-disabled":Q||void 0,"aria-describedby":ce?this._ariaRowDescriptionId:ue,className:this._classNames.root,"data-selection-index":b,"data-selection-touch-invoke":!0,"data-selection-disabled":null!==(e=this.props["data-selection-disabled"])&&void 0!==e?e:Q||void 0,"data-item-index":b,"aria-rowindex":void 0===he?b+S:void 0,"data-automationid":"DetailsRow","aria-selected":ge,allowFocusRoot:!0}),ce?r.createElement("span",{key:"description",role:"presentation",hidden:!0,id:this._ariaRowDescriptionId},ce):null,me&&r.createElement("div",{role:"gridcell","data-selection-toggle":!0,className:this._classNames.checkCell},x({id:y?"".concat(y,"-checkbox"):void 0,selected:ne,selectionMode:T,anySelected:ie,"aria-label":F,"aria-labelledby":y?xe:void 0,canSelect:de,compact:j,className:this._classNames.check,theme:z,isVisible:E===a.CheckboxVisibility.always,onRenderDetailsCheckbox:P,useFastIcons:U})),r.createElement(l.GroupSpacer,{indentWidth:L,role:"gridcell",count:0===K?-1:K}),v&&_e,$&&r.createElement("span",{role:"presentation",className:(0,i.css)(this._classNames.cellMeasurer,this._classNames.cell),ref:this._cellMeasurer},r.createElement(ye,{rowClassNames:this._rowClassNames,rowHeaderId:"".concat(y,"-header"),columns:[$.column],item:v,itemIndex:b,columnStartIndex:(me?1:0)+(K?1:0)+p.length,onRenderItemColumn:k,getCellValueKey:w})))},t.prototype.measureCell=function(e,t){var o=this.props.columns,r=void 0===o?h:o,i=n.__assign({},r[e]);i.minWidth=0,i.maxWidth=999999,delete i.calculatedWidth,this.setState({columnMeasureInfo:{index:e,column:i,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 r.createElement(s.DetailsRowCheck,n.__assign({},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}(r.Component);function v(e){var t,o=e.itemIndex,n=e.selection;return{isSelected:!!(null==n?void 0:n.isIndexSelected(o)),isSelectionModal:!!(null===(t=null==n?void 0:n.isModal)||void 0===t?void 0:t.call(n))}}t.DetailsRowBase=f},47765:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DetailsRow=void 0;var n=o(71061),r=o(19042),i=o(43937);t.DetailsRow=(0,n.styled)(r.DetailsRowBase,i.getDetailsRowStyles,void 0,{scope:"DetailsRow"})},43937:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getDetailsRowStyles=t.DEFAULT_ROW_HEIGHTS=t.DEFAULT_CELL_STYLE_PROPS=t.DetailsRowGlobalClassNames=void 0;var n=o(31635),r=o(15019),i=o(71061),a=o(69303);t.DetailsRowGlobalClassNames={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"},t.DEFAULT_CELL_STYLE_PROPS={cellLeftPadding:12,cellRightPadding:8,cellExtraRightPadding:24},t.DEFAULT_ROW_HEIGHTS={rowHeight:42,compactRowHeight:32};var s=n.__assign(n.__assign({},t.DEFAULT_ROW_HEIGHTS),{rowVerticalPadding:11,compactRowVerticalPadding:6});t.getDetailsRowStyles=function(e){var o,l,c,u,d,p,m,g,h,f,v,b,y,_,S=e.theme,C=e.isSelected,x=e.canSelect,P=e.droppingClassName,k=e.isCheckVisible,I=e.checkboxCellClassName,w=e.compact,T=e.className,E=e.cellStyleProps,D=void 0===E?t.DEFAULT_CELL_STYLE_PROPS:E,M=e.enableUpdateAnimations,O=e.disabled,R=S.palette,F=S.fonts,B=R.neutralPrimary,A=R.white,N=R.neutralSecondary,L=R.neutralLighter,H=R.neutralLight,j=R.neutralDark,z=R.neutralQuaternaryAlt,W=S.semanticColors,V=W.focusBorder,K=W.linkHovered,G=(0,r.getGlobalClassNames)(t.DetailsRowGlobalClassNames,S),U={defaultHeaderText:B,defaultMetaText:N,defaultBackground:A,defaultHoverHeaderText:j,defaultHoverMetaText:B,defaultHoverBackground:L,selectedHeaderText:j,selectedMetaText:B,selectedBackground:H,selectedHoverHeaderText:j,selectedHoverMetaText:B,selectedHoverBackground:z,focusHeaderText:j,focusMetaText:B,focusBackground:H,focusHoverBackground:z},Y=[(0,r.getFocusStyle)(S,{inset:-1,borderColor:V,outlineColor:A,highContrastStyle:{top:2,right:2,bottom:2,left:2},pointerEvents:"none"}),G.isSelected,{color:U.selectedMetaText,background:U.selectedBackground,borderBottom:"1px solid ".concat(A),selectors:(o={"&:before":{position:"absolute",display:"block",top:-1,height:1,bottom:0,left:0,right:0,content:"",borderTop:"1px solid ".concat(A)}},o[".".concat(G.cell," > .").concat(a.GlobalClassNames.root)]={color:K,selectors:(l={},l[r.HighContrastSelector]={color:"HighlightText"},l)},o["&:hover"]={background:U.selectedHoverBackground,color:U.selectedHoverMetaText,selectors:(c={},c[r.HighContrastSelector]={background:"Highlight",selectors:(u={},u[".".concat(G.cell)]={color:"HighlightText"},u[".".concat(G.cell," > .").concat(a.GlobalClassNames.root)]={forcedColorAdjust:"none",color:"HighlightText"},u)},c[".".concat(G.isRowHeader)]={color:U.selectedHoverHeaderText,selectors:(d={},d[r.HighContrastSelector]={color:"HighlightText"},d)},c)},o["&:focus"]={background:U.focusBackground,selectors:(p={},p[".".concat(G.cell)]={color:U.focusMetaText,selectors:(m={},m[r.HighContrastSelector]={color:"HighlightText",selectors:{"> a":{color:"HighlightText"}}},m)},p[".".concat(G.isRowHeader)]={color:U.focusHeaderText,selectors:(g={},g[r.HighContrastSelector]={color:"HighlightText"},g)},p[r.HighContrastSelector]={background:"Highlight"},p)},o[r.HighContrastSelector]=n.__assign(n.__assign({background:"Highlight",color:"HighlightText"},(0,r.getHighContrastNoAdjustStyle)()),{selectors:{a:{color:"HighlightText"}}}),o["&:focus:hover"]={background:U.focusHoverBackground},o)}],q=[G.isContentUnselectable,{userSelect:"none",cursor:"default"}],X={minHeight:s.compactRowHeight,border:0},Z={minHeight:s.compactRowHeight,paddingTop:s.compactRowVerticalPadding,paddingBottom:s.compactRowVerticalPadding,paddingLeft:"".concat(D.cellLeftPadding,"px")},Q=[(0,r.getFocusStyle)(S,{inset:-1}),G.cell,{display:"inline-block",position:"relative",boxSizing:"border-box",minHeight:s.rowHeight,verticalAlign:"top",whiteSpace:"nowrap",overflow:"hidden",textOverflow:"ellipsis",paddingTop:s.rowVerticalPadding,paddingBottom:s.rowVerticalPadding,paddingLeft:"".concat(D.cellLeftPadding,"px"),selectors:(h={"& > button":{maxWidth:"100%"}},h["[data-is-focusable='true']"]=(0,r.getFocusStyle)(S,{inset:-1,borderColor:N,outlineColor:A}),h)},C&&{selectors:(f={},f[r.HighContrastSelector]=n.__assign({background:"Highlight",color:"HighlightText"},(0,r.getHighContrastNoAdjustStyle)()),f)},w&&Z,O&&{opacity:.5}];return{root:[G.root,r.AnimationClassNames.fadeIn400,P,S.fonts.small,k&&G.isCheckVisible,(0,r.getFocusStyle)(S,{borderColor:V,outlineColor:A}),{borderBottom:"1px solid ".concat(L),background:U.defaultBackground,color:U.defaultMetaText,display:"inline-flex",minWidth:"100%",minHeight:s.rowHeight,whiteSpace:"nowrap",padding:0,boxSizing:"border-box",verticalAlign:"top",textAlign:"left",selectors:(v={},v[".".concat(G.listCellFirstChild," &:before")]={display:"none"},v["&:hover"]={background:U.defaultHoverBackground,color:U.defaultHoverMetaText,selectors:(b={},b[".".concat(G.isRowHeader)]={color:U.defaultHoverHeaderText},b[".".concat(G.cell," > .").concat(a.GlobalClassNames.root)]={color:K},b)},v["&:hover .".concat(G.check)]={opacity:1},v[".".concat(i.IsFocusVisibleClassName," &:focus .").concat(G.check,", :host(.").concat(i.IsFocusVisibleClassName,") &:focus .").concat(G.check)]={opacity:1},v[".ms-GroupSpacer"]={flexShrink:0,flexGrow:0},v)},C&&Y,!x&&q,w&&X,T],cellUnpadded:{paddingRight:"".concat(D.cellRightPadding,"px")},cellPadded:{paddingRight:"".concat(D.cellExtraRightPadding+D.cellRightPadding,"px"),selectors:(y={},y["&.".concat(G.cellCheck)]={paddingRight:0},y)},cell:Q,cellAnimation:M&&r.AnimationStyles.slideLeftIn40,cellMeasurer:[G.cellMeasurer,{overflow:"visible",whiteSpace:"nowrap"}],checkCell:[Q,G.cellCheck,I,{padding:0,paddingTop:1,marginTop:-1,flexShrink:0}],fields:[G.fields,{display:"flex",alignItems:"stretch"}],isRowHeader:[G.isRowHeader,{color:U.defaultHeaderText,fontSize:F.medium.fontSize},C&&{color:U.selectedHeaderText,fontWeight:r.FontWeights.semibold,selectors:(_={},_[r.HighContrastSelector]={color:"HighlightText"},_)}],isMultiline:[Q,{whiteSpace:"normal",wordBreak:"break-word",textOverflow:"clip"}],check:[G.check]}}},8278:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},8229:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DetailsRowCheck=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(12945),s=o(45041),l=o(18055),c=(0,i.classNamesFunction)(),u=r.memo((function(e){return r.createElement(a.Check,{theme:e.theme,checked:e.checked,className:e.className,useFastIcons:!0})}));function d(e){return r.createElement(a.Check,{checked:e.checked})}function p(e){return r.createElement(u,{theme:e.theme,checked:e.checked})}t.DetailsRowCheck=(0,i.styled)((function(e){var t=e.isVisible,o=void 0!==t&&t,a=e.canSelect,s=void 0!==a&&a,u=e.anySelected,m=void 0!==u&&u,g=e.selected,h=void 0!==g&&g,f=e.selectionMode,v=e.isHeader,b=void 0!==v&&v,y=e.className,_=(e.checkClassName,e.styles),S=e.theme,C=e.compact,x=e.onRenderDetailsCheckbox,P=e.useFastIcons,k=void 0===P||P,I=n.__rest(e,["isVisible","canSelect","anySelected","selected","selectionMode","isHeader","className","checkClassName","styles","theme","compact","onRenderDetailsCheckbox","useFastIcons"]),w=k?p:d,T=x?(0,i.composeRenderFunction)(x,w):w,E=c(_,{theme:S,canSelect:s,selected:h,anySelected:m,className:y,isHeader:b,isVisible:o,compact:C}),D={checked:h,theme:S},M=(0,i.getNativeElementProps)("div",I,["aria-label","aria-labelledby","aria-describedby"]),O=f===l.SelectionMode.single?"radio":"checkbox";return s?r.createElement("div",n.__assign({},I,{role:O,className:(0,i.css)(E.root,E.check),"aria-checked":h,"data-selection-toggle":!0,"data-automationid":"DetailsRowCheck",tabIndex:-1}),T(D)):r.createElement("div",n.__assign({},M,{className:(0,i.css)(E.root,E.check)}))}),s.getDetailsRowCheckStyles,void 0,{scope:"DetailsRowCheck"},!0)},45041:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getDetailsRowCheckStyles=t.CHECK_CELL_WIDTH=void 0;var n=o(15019),r=o(43937),i=o(42606),a=o(10569),s={root:"ms-DetailsRow-check",isDisabled:"ms-DetailsRow-check--isDisabled",isHeader:"ms-DetailsRow-check--isHeader"};t.CHECK_CELL_WIDTH=48,t.getDetailsRowCheckStyles=function(e){var o=e.theme,l=e.className,c=e.isHeader,u=e.selected,d=e.anySelected,p=e.canSelect,m=e.compact,g=e.isVisible,h=(0,n.getGlobalClassNames)(s,o),f=r.DEFAULT_ROW_HEIGHTS.rowHeight,v=r.DEFAULT_ROW_HEIGHTS.compactRowHeight,b=c?i.HEADER_HEIGHT:m?v:f,y=g||u||d;return{root:[h.root,l],check:[!p&&h.isDisabled,c&&h.isHeader,(0,n.getFocusStyle)(o),o.fonts.small,a.CheckGlobalClassNames.checkHost,{display:"flex",alignItems:"center",justifyContent:"center",cursor:"default",boxSizing:"border-box",verticalAlign:"top",background:"none",backgroundColor:"transparent",border:"none",opacity:y?1:0,height:b,width:t.CHECK_CELL_WIDTH,padding:0,margin:0}],isDisabled:[]}}},80390:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},72924:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DetailsRowFields=void 0;var n=o(83923),r=o(71061),i=o(43937);function a(e,t,o){return e&&o?function(e,t){var o=e&&t&&t.fieldName?e[t.fieldName]:"";return null==o&&(o=""),"boolean"==typeof o?o.toString():o}(e,o):null}t.DetailsRowFields=function(e){var t=e.columns,o=e.rowClassNames,s=e.cellStyleProps,l=void 0===s?i.DEFAULT_CELL_STYLE_PROPS:s,c=e.item,u=e.itemIndex,d=e.isSelected,p=e.onRenderItemColumn,m=e.getCellValueKey,g=e.onRenderField,h=e.cellsByColumn,f=e.enableUpdateAnimations,v=e.rowHeaderId,b=n.useRef(),y=b.current||(b.current={}),_=n.useCallback((function(e){var t=e.column,i=e.cellValueKey,a=e.className,s=e.onRender,c=e.item,u=e.itemIndex,d=void 0===t.calculatedWidth?"auto":t.calculatedWidth+l.cellLeftPadding+l.cellRightPadding+(t.isPadded?l.cellExtraRightPadding:0),p="".concat(t.key).concat(void 0!==i?"-".concat(i):"");return n.createElement("div",{key:p,id:t.isRowHeader?v:void 0,role:t.isRowHeader?"rowheader":"gridcell",className:(0,r.css)(t.className,t.isMultiline&&o.isMultiline,t.isRowHeader&&o.isRowHeader,o.cell,t.isPadded?o.cellPadded:o.cellUnpadded,a),style:{width:d},"data-automationid":"DetailsRowCell","data-automation-key":t.key},s(c,u,t))}),[o,l,v]);return n.createElement("div",{className:o.fields,"data-automationid":"DetailsRowFields",role:"presentation"},t.map((function(e){var t=e.getValueKey,n=void 0===t?m:t,i=h&&e.key in h&&function(){return h[e.key]}||e.onRender||p||a,s=_;e.onRenderField&&(s=(0,r.composeRenderFunction)(e.onRenderField,s)),g&&(s=(0,r.composeRenderFunction)(g,s));var l=y[e.key],v=f&&n?n(c,u,e):void 0,b=!1;return void 0!==v&&void 0!==l&&v!==l&&(b=!0),y[e.key]=v,s({item:c,itemIndex:u,isSelected:d,column:e,cellValueKey:v,className:b?o.cellAnimation:void 0,onRender:i})})))}},62367:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},49660:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ShimmeredDetailsListBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(18055),s=o(98341),l=o(62662),c=o(29638),u=o(43937),d=(0,i.classNamesFunction)(),p=function(e){function t(t){var o=e.call(this,t)||this;return o._onRenderShimmerPlaceholder=function(e,t){var n=o.props.onRenderCustomPlaceholder,i=n?n(t,e,o._renderDefaultShimmerPlaceholder):o._renderDefaultShimmerPlaceholder(t);return r.createElement(l.Shimmer,{customElementsGroup:i})},o._renderDefaultShimmerPlaceholder=function(e){var t=e.columns,o=e.compact,n=e.selectionMode,i=e.checkboxVisibility,s=e.cellStyleProps,d=void 0===s?u.DEFAULT_CELL_STYLE_PROPS:s,p=u.DEFAULT_ROW_HEIGHTS.rowHeight,m=u.DEFAULT_ROW_HEIGHTS.compactRowHeight,g=o?m:p+1,h=[];return n!==a.SelectionMode.none&&i!==c.CheckboxVisibility.hidden&&h.push(r.createElement(l.ShimmerElementsGroup,{key:"checkboxGap",shimmerElements:[{type:l.ShimmerElementType.gap,width:"40px",height:g}]})),t.forEach((function(e,t){var o=[],n=d.cellLeftPadding+d.cellRightPadding+e.calculatedWidth+(e.isPadded?d.cellExtraRightPadding:0);o.push({type:l.ShimmerElementType.gap,width:d.cellLeftPadding,height:g}),e.isIconOnly?(o.push({type:l.ShimmerElementType.line,width:e.calculatedWidth,height:e.calculatedWidth}),o.push({type:l.ShimmerElementType.gap,width:d.cellRightPadding,height:g})):(o.push({type:l.ShimmerElementType.line,width:.95*e.calculatedWidth,height:7}),o.push({type:l.ShimmerElementType.gap,width:d.cellRightPadding+(e.calculatedWidth-.95*e.calculatedWidth)+(e.isPadded?d.cellExtraRightPadding:0),height:g})),h.push(r.createElement(l.ShimmerElementsGroup,{key:t,width:"".concat(n,"px"),shimmerElements:o}))})),h.push(r.createElement(l.ShimmerElementsGroup,{key:"endGap",width:"100%",shimmerElements:[{type:l.ShimmerElementType.gap,width:"100%",height:g}]})),r.createElement("div",{style:{display:"flex"}},h)},o._shimmerItems=t.shimmerLines?new Array(t.shimmerLines):new Array(10),o}return n.__extends(t,e),t.prototype.render=function(){var e=this.props,t=e.detailsListStyles,o=e.enableShimmer,a=e.items,l=e.listProps,c=(e.onRenderCustomPlaceholder,e.removeFadingOverlay),u=(e.shimmerLines,e.styles),p=e.theme,m=e.ariaLabelForGrid,g=e.ariaLabelForShimmer,h=n.__rest(e,["detailsListStyles","enableShimmer","items","listProps","onRenderCustomPlaceholder","removeFadingOverlay","shimmerLines","styles","theme","ariaLabelForGrid","ariaLabelForShimmer"]),f=l&&l.className;this._classNames=d(u,{theme:p});var v=n.__assign(n.__assign({},l),{className:o&&!c?(0,i.css)(this._classNames.root,f):f});return r.createElement(s.DetailsList,n.__assign({},h,{styles:t,items:o?this._shimmerItems:a,isPlaceholderData:o,ariaLabelForGrid:o&&g||m,onRenderMissingItem:this._onRenderShimmerPlaceholder,listProps:v}))},t}(r.Component);t.ShimmeredDetailsListBase=p},9615:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ShimmeredDetailsList=void 0;var n=o(71061),r=o(49660),i=o(40755);t.ShimmeredDetailsList=(0,n.styled)(r.ShimmeredDetailsListBase,i.getShimmeredDetailsListStyles,void 0,{scope:"ShimmeredDetailsList"})},40755:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getShimmeredDetailsListStyles=void 0,t.getShimmeredDetailsListStyles=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%, ".concat(t.whiteTranslucent40," 65%,").concat(t.white," 100%)")}}}}}},95608:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},71963:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(18055),t),n.__exportStar(o(88578),t),n.__exportStar(o(64524),t),n.__exportStar(o(54449),t),n.__exportStar(o(42606),t),n.__exportStar(o(89263),t),n.__exportStar(o(98341),t),n.__exportStar(o(90130),t),n.__exportStar(o(13521),t),n.__exportStar(o(29638),t),n.__exportStar(o(47765),t),n.__exportStar(o(19042),t),n.__exportStar(o(8278),t),n.__exportStar(o(43937),t),n.__exportStar(o(8229),t),n.__exportStar(o(45041),t),n.__exportStar(o(80390),t),n.__exportStar(o(72924),t),n.__exportStar(o(62367),t),n.__exportStar(o(62485),t),n.__exportStar(o(73275),t),n.__exportStar(o(73936),t),n.__exportStar(o(29975),t),n.__exportStar(o(66428),t)},38680:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DialogBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(38557),s=o(52252),l=o(4324),c=(0,i.classNamesFunction)(),u=o(59290),d={isDarkOverlay:!1,isBlocking:!1,className:"",containerClassName:"",topOffsetFixed:!1,enableAriaHiddenSiblings:!0},p={type:a.DialogType.normal,className:"",topButtonsProps:[]},m=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,i.getId)("Dialog"),o._defaultTitleTextId=o._id+"-title",o._defaultSubTextId=o._id+"-subText",o}return n.__extends(t,e),t.prototype.render=function(){var e,t,o,i,a,l=this.props,m=l.className,g=l.containerClassName,h=l.contentClassName,f=l.elementToFocusOnDismiss,v=l.firstFocusableSelector,b=l.forceFocusInsideTrap,y=l.styles,_=l.hidden,S=l.disableRestoreFocus,C=void 0===S?l.ignoreExternalFocusing:S,x=l.isBlocking,P=l.isClickableOutsideFocusTrap,k=l.isDarkOverlay,I=l.isOpen,w=void 0===I?!_:I,T=l.onDismiss,E=l.onDismissed,D=l.onLayerDidMount,M=l.responsiveMode,O=l.subText,R=l.theme,F=l.title,B=l.topButtonsProps,A=l.type,N=l.minWidth,L=l.maxWidth,H=l.modalProps,j=n.__assign({onLayerDidMount:D},null==H?void 0:H.layerProps);(null==H?void 0:H.dragOptions)&&!(null===(e=H.dragOptions)||void 0===e?void 0:e.dragHandleSelector)&&(i="ms-Dialog-draggable-header",(a=n.__assign({},H.dragOptions)).dragHandleSelector=".".concat(i));var z=n.__assign(n.__assign(n.__assign(n.__assign({},d),{elementToFocusOnDismiss:f,firstFocusableSelector:v,forceFocusInsideTrap:b,disableRestoreFocus:C,isClickableOutsideFocusTrap:P,responsiveMode:M,className:m,containerClassName:g,isBlocking:x,isDarkOverlay:k,onDismissed:E}),H),{dragOptions:a,layerProps:j,isOpen:w}),W=n.__assign(n.__assign(n.__assign({className:h,subText:O,title:F,topButtonsProps:B,type:A},p),l.dialogContentProps),{draggableHeaderClassName:i,titleProps:n.__assign({id:(null===(t=l.dialogContentProps)||void 0===t?void 0:t.titleId)||this._defaultTitleTextId},null===(o=l.dialogContentProps)||void 0===o?void 0:o.titleProps)}),V=c(y,{theme:R,className:z.className,containerClassName:z.containerClassName,hidden:_,dialogDefaultMinWidth:N,dialogDefaultMaxWidth:L});return r.createElement(s.Modal,n.__assign({},z,{className:V.root,containerClassName:V.main,onDismiss:T||z.onDismiss,subtitleAriaId:this._getSubTextId(),titleAriaId:this._getTitleTextId()}),r.createElement(u.DialogContent,n.__assign({subTextId:this._defaultSubTextId,showCloseButton:z.isBlocking,onDismiss:T},W),l.children))},t.defaultProps={hidden:!0},n.__decorate([l.withResponsiveMode],t)}(r.Component);t.DialogBase=m},931:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Dialog=void 0;var n=o(71061),r=o(38680),i=o(23743);t.Dialog=(0,n.styled)(r.DialogBase,i.getStyles,void 0,{scope:"Dialog"}),t.Dialog.displayName="Dialog"},23743:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r={root:"ms-Dialog"};t.getStyles=function(e){var t,o=e.className,i=e.containerClassName,a=e.dialogDefaultMinWidth,s=void 0===a?"288px":a,l=e.dialogDefaultMaxWidth,c=void 0===l?"340px":l,u=e.hidden,d=e.theme;return{root:[(0,n.getGlobalClassNames)(r,d).root,d.fonts.medium,o],main:[{width:s,outline:"3px solid transparent",selectors:(t={},t["@media (min-width: ".concat(n.ScreenWidthMinMedium,"px)")]={width:"auto",maxWidth:c,minWidth:s},t)},!u&&{display:"flex"},i]}}},32676:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},28855:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DialogContentBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(38557),s=o(74393),l=o(16764),c=o(4324),u=(0,i.classNamesFunction)(),d=r.createElement(l.DialogFooter,null).type,p=function(e){function t(t){var o=e.call(this,t)||this;return(0,i.initializeComponentRef)(o),(0,i.warnDeprecations)("DialogContent",t,{titleId:"titleProps.id"}),o}return n.__extends(t,e),t.prototype.render=function(){var e,t=this.props,o=t.showCloseButton,l=t.className,c=t.closeButtonAriaLabel,d=t.onDismiss,p=t.subTextId,m=t.subText,g=t.titleProps,h=void 0===g?{}:g,f=t.titleId,v=t.title,b=t.type,y=t.styles,_=t.theme,S=t.draggableHeaderClassName,C=u(y,{theme:_,className:l,isLargeHeader:b===a.DialogType.largeHeader,isClose:b===a.DialogType.close,draggableHeaderClassName:S}),x=this._groupChildren();return m&&(e=r.createElement("p",{className:C.subText,id:p},m)),r.createElement("div",{className:C.content},r.createElement("div",{className:C.header},r.createElement("div",n.__assign({id:f,role:"heading","aria-level":1},h,{className:(0,i.css)(C.title,h.className)}),v),r.createElement("div",{className:C.topButton},this.props.topButtonsProps.map((function(e,t){return r.createElement(s.IconButton,n.__assign({key:e.uniqueId||t},e))})),(b===a.DialogType.close||o&&b!==a.DialogType.largeHeader)&&r.createElement(s.IconButton,{className:C.button,iconProps:{iconName:"Cancel"},ariaLabel:c,onClick:d}))),r.createElement("div",{className:C.inner},r.createElement("div",{className:C.innerContent},e,x.contents),x.footers))},t.prototype._groupChildren=function(){var e={footers:[],contents:[]};return r.Children.map(this.props.children,(function(t){"object"==typeof t&&null!==t&&t.type===d?e.footers.push(t):e.contents.push(t)})),e},t.defaultProps={showCloseButton:!1,className:"",topButtonsProps:[],closeButtonAriaLabel:"Close"},n.__decorate([c.withResponsiveMode],t)}(r.Component);t.DialogContentBase=p},59290:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DialogContent=void 0;var n=o(71061),r=o(28855),i=o(49436);t.DialogContent=(0,n.styled)(r.DialogContentBase,i.getStyles,void 0,{scope:"DialogContent"}),t.DialogContent.displayName="DialogContent"},49436:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r={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"};t.getStyles=function(e){var t,o,i,a=e.className,s=e.theme,l=e.isLargeHeader,c=e.isClose,u=e.hidden,d=e.isMultiline,p=e.draggableHeaderClassName,m=s.palette,g=s.fonts,h=s.effects,f=s.semanticColors,v=(0,n.getGlobalClassNames)(r,s);return{content:[l&&[v.contentLgHeader,{borderTop:"4px solid ".concat(m.themePrimary)}],c&&v.close,{flexGrow:1,overflowY:"hidden"},a],subText:[v.subText,g.medium,{margin:"0 0 24px 0",color:f.bodySubtext,lineHeight:"1.5",wordWrap:"break-word",fontWeight:n.FontWeights.regular}],header:[v.header,{position:"relative",width:"100%",boxSizing:"border-box"},c&&v.close,p&&[p,{cursor:"move"}]],button:[v.button,u&&{selectors:{".ms-Icon.ms-Icon--Cancel":{color:f.buttonText,fontSize:n.IconFontSizes.medium}}}],inner:[v.inner,{padding:"0 24px 24px",selectors:(t={},t["@media (min-width: ".concat(n.ScreenWidthMinSmall,"px) and (max-width: ").concat(n.ScreenWidthMaxSmall,"px)")]={padding:"0 16px 16px"},t)}],innerContent:[v.content,{position:"relative",width:"100%"}],title:[v.title,g.xLarge,{color:f.bodyText,margin:"0",minHeight:g.xLarge.fontSize,padding:"16px 46px 20px 24px",lineHeight:"normal",selectors:(o={},o["@media (min-width: ".concat(n.ScreenWidthMinSmall,"px) and (max-width: ").concat(n.ScreenWidthMaxSmall,"px)")]={padding:"16px 46px 16px 16px"},o)},l&&{color:f.menuHeader},d&&{fontSize:g.xxLarge.fontSize}],topButton:[{display:"flex",flexDirection:"row",flexWrap:"nowrap",position:"absolute",top:"0",right:"0",padding:"15px 15px 0 0",selectors:(i={"> *":{flex:"0 0 auto"},".ms-Dialog-button":{color:f.buttonText},".ms-Dialog-button:hover":{color:f.buttonTextHovered,borderRadius:h.roundedCorner2}},i["@media (min-width: ".concat(n.ScreenWidthMinSmall,"px) and (max-width: ").concat(n.ScreenWidthMaxSmall,"px)")]={padding:"15px 8px 0 0"},i)}]}}},38557:(e,t)=>{"use strict";var o;Object.defineProperty(t,"__esModule",{value:!0}),t.DialogType=void 0,(o=t.DialogType||(t.DialogType={}))[o.normal=0]="normal",o[o.largeHeader=1]="largeHeader",o[o.close=2]="close"},47777:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DialogFooterBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=(0,i.classNamesFunction)(),s=function(e){function t(t){var o=e.call(this,t)||this;return(0,i.initializeComponentRef)(o),o}return n.__extends(t,e),t.prototype.render=function(){var e=this.props,t=e.className,o=e.styles,n=e.theme;return this._classNames=a(o,{theme:n,className:t}),r.createElement("div",{className:this._classNames.actions},r.createElement("div",{className:this._classNames.actionsRight},this._renderChildrenAsActions()))},t.prototype._renderChildrenAsActions=function(){var e=this;return r.Children.map(this.props.children,(function(t){return t?r.createElement("span",{className:e._classNames.action},t):null}))},t}(r.Component);t.DialogFooterBase=s},16764:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DialogFooter=void 0;var n=o(71061),r=o(47777),i=o(8286);t.DialogFooter=(0,n.styled)(r.DialogFooterBase,i.getStyles,void 0,{scope:"DialogFooter"}),t.DialogFooter.displayName="DialogFooter"},8286:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r={actions:"ms-Dialog-actions",action:"ms-Dialog-action",actionsRight:"ms-Dialog-actionsRight"};t.getStyles=function(e){var t=e.className,o=e.theme,i=(0,n.getGlobalClassNames)(r,o);return{actions:[i.actions,{position:"relative",width:"100%",minHeight:"24px",lineHeight:"24px",margin:"16px 0 0",fontSize:"0",selectors:{".ms-Button":{lineHeight:"normal",verticalAlign:"middle"}}},t],action:[i.action,{margin:"0 4px"}],actionsRight:[i.actionsRight,{alignItems:"center",display:"flex",fontSize:"0",justifyContent:"flex-end",marginRight:"-4px"}]}}},44959:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},58007:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(931),t),n.__exportStar(o(38680),t),n.__exportStar(o(59290),t),n.__exportStar(o(28855),t),n.__exportStar(o(16764),t),n.__exportStar(o(47777),t),n.__exportStar(o(32676),t),n.__exportStar(o(38557),t),n.__exportStar(o(44959),t)},79128:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.VerticalDividerBase=void 0;var n=o(83923),r=(0,o(71061).classNamesFunction)();t.VerticalDividerBase=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}))})),t.VerticalDividerBase.displayName="VerticalDividerBase"},64485:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getDividerClassNames=void 0;var n=o(71061),r=o(15019);t.getDividerClassNames=(0,n.memoizeFunction)((function(e){return(0,r.mergeStyleSets)({wrapper:{display:"inline-flex",height:"100%",alignItems:"center"},divider:{width:1,height:"100%",backgroundColor:e.palette.neutralTertiaryAlt}})}))},67779:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.VerticalDivider=void 0;var n=o(11903),r=o(79128),i=o(71061);t.VerticalDivider=(0,i.styled)(r.VerticalDividerBase,n.getStyles,void 0,{scope:"VerticalDivider"})},11903:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0,t.getStyles=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}]}}},13092:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},77620:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(67779),t),n.__exportStar(o(13092),t)},11490:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DocumentCardBase=t.DocumentCardContext=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(81814),s=o(97156),l=o(50478),c=(0,i.classNamesFunction)();t.DocumentCardContext=r.createContext({});var u=function(e){function o(t){var o=e.call(this,t)||this;return o._rootElement=r.createRef(),o._onClick=function(e){o._onAction(e)},o._onKeyDown=function(e){e.which!==i.KeyCodes.enter&&e.which!==i.KeyCodes.space||o._onAction(e)},o._onAction=function(e){var t=o.props,n=t.onClick,r=t.onClickHref,i=t.onClickTarget,a=(0,l.getWindowEx)(o.context);n?n(e):!n&&r&&(i?a.open(r,i,"noreferrer noopener nofollow"):a.location.href=r,e.preventDefault(),e.stopPropagation())},(0,i.initializeComponentRef)(o),(0,i.warnDeprecations)("DocumentCard",t,{accentColor:void 0}),o}return n.__extends(o,e),o.prototype.render=function(){var e,o=this.props,s=o.onClick,l=o.onClickHref,u=o.children,d=o.type,p=o.accentColor,m=o.styles,g=o.theme,h=o.className,f=(0,i.getNativeProps)(this.props,i.divProperties,["className","onClick","type","role"]),v=!(!s&&!l);this._classNames=c(m,{theme:g,className:h,actionable:v,compact:d===a.DocumentCardType.compact}),d===a.DocumentCardType.compact&&p&&(e={borderBottomColor:p});var b={role:this.props.role||(v?s?"button":"link":void 0),tabIndex:v?0:void 0};return r.createElement("div",n.__assign({ref:this._rootElement,role:"group",className:this._classNames.root,onKeyDown:v?this._onKeyDown:void 0,onClick:v?this._onClick:void 0,style:e},f),r.createElement(t.DocumentCardContext.Provider,{value:b},u))},o.prototype.focus=function(){this._rootElement.current&&this._rootElement.current.focus()},o.defaultProps={type:a.DocumentCardType.normal},o.contextType=s.WindowContext,o}(r.Component);t.DocumentCardBase=u},56117:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DocumentCard=void 0;var n=o(71061),r=o(11490),i=o(4161);t.DocumentCard=(0,n.styled)(r.DocumentCardBase,i.getStyles,void 0,{scope:"DocumentCard"})},4161:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r=o(71061),i=o(20245),a=o(84006),s=o(16751),l=o(85092),c={root:"ms-DocumentCard",rootActionable:"ms-DocumentCard--actionable",rootCompact:"ms-DocumentCard--compact"};t.getStyles=function(e){var t,o,u=e.className,d=e.theme,p=e.actionable,m=e.compact,g=d.palette,h=d.fonts,f=d.effects,v=(0,n.getGlobalClassNames)(c,d);return{root:[v.root,{WebkitFontSmoothing:"antialiased",backgroundColor:g.white,border:"1px solid ".concat(g.neutralLight),maxWidth:"320px",minWidth:"206px",userSelect:"none",position:"relative",selectors:(t={":focus":{outline:"0px solid"}},t[".".concat(r.IsFocusVisibleClassName," &:focus, :host(.").concat(r.IsFocusVisibleClassName,") &:focus")]=(0,n.getInputFocusStyle)(g.neutralSecondary,f.roundedCorner2),t[".".concat(l.DocumentCardLocationGlobalClassNames.root," + .").concat(s.DocumentCardTitleGlobalClassNames.root)]={paddingTop:"4px"},t)},p&&[v.rootActionable,{selectors:{":hover":{cursor:"pointer",borderColor:g.neutralTertiaryAlt},":hover:after":{content:'" "',position:"absolute",top:0,right:0,bottom:0,left:0,border:"1px solid ".concat(g.neutralTertiaryAlt),pointerEvents:"none"}}}],m&&[v.rootCompact,{display:"flex",maxWidth:"480px",height:"108px",selectors:(o={},o[".".concat(i.DocumentCardPreviewGlobalClassNames.root)]={borderRight:"1px solid ".concat(g.neutralLight),borderBottom:0,maxHeight:"106px",maxWidth:"144px"},o[".".concat(i.DocumentCardPreviewGlobalClassNames.icon)]={maxHeight:"32px",maxWidth:"32px"},o[".".concat(a.DocumentCardActivityGlobalClassNames.root)]={paddingBottom:"12px"},o[".".concat(s.DocumentCardTitleGlobalClassNames.root)]={paddingBottom:"12px 16px 8px 16px",fontSize:h.mediumPlus.fontSize,lineHeight:"16px"},o)}],u]}}},81814:(e,t)=>{"use strict";var o;Object.defineProperty(t,"__esModule",{value:!0}),t.DocumentCardType=void 0,(o=t.DocumentCardType||(t.DocumentCardType={}))[o.normal=0]="normal",o[o.compact=1]="compact"},15471:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DocumentCardActionsBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(30936),s=o(74393),l=(0,i.classNamesFunction)(),c=function(e){function t(t){var o=e.call(this,t)||this;return(0,i.initializeComponentRef)(o),o}return n.__extends(t,e),t.prototype.render=function(){var e=this,t=this.props,o=t.actions,i=t.views,c=t.styles,u=t.theme,d=t.className;return this._classNames=l(c,{theme:u,className:d}),r.createElement("div",{className:this._classNames.root},o&&o.map((function(t,o){return r.createElement("div",{className:e._classNames.action,key:o},r.createElement(s.IconButton,n.__assign({},t)))})),i>0&&r.createElement("div",{className:this._classNames.views},r.createElement(a.Icon,{iconName:"View",className:this._classNames.viewsIcon}),i))},t}(r.Component);t.DocumentCardActionsBase=c},84818:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DocumentCardActions=void 0;var n=o(71061),r=o(15471),i=o(92308);t.DocumentCardActions=(0,n.styled)(r.DocumentCardActionsBase,i.getStyles,void 0,{scope:"DocumentCardActions"})},92308:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r={root:"ms-DocumentCardActions",action:"ms-DocumentCardActions-action",views:"ms-DocumentCardActions-views"};t.getStyles=function(e){var t=e.className,o=e.theme,i=o.palette,a=o.fonts,s=(0,n.getGlobalClassNames)(r,o);return{root:[s.root,{height:"".concat(34,"px"),padding:"".concat(4,"px ").concat(12,"px"),position:"relative"},t],action:[s.action,{float:"left",marginRight:"4px",color:i.neutralSecondary,cursor:"pointer",selectors:{".ms-Button":{fontSize:a.mediumPlus.fontSize,height:34,width:34},".ms-Button:hover .ms-Button-icon":{color:o.semanticColors.buttonText,cursor:"pointer"}}}],views:[s.views,{textAlign:"right",lineHeight:34}],viewsIcon:{marginRight:"8px",fontSize:a.medium.fontSize,verticalAlign:"top"}}}},4373:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},19625:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DocumentCardActivityBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(48377),s=o(18596),l=(0,i.classNamesFunction)(),c=function(e){function t(t){var o=e.call(this,t)||this;return(0,i.initializeComponentRef)(o),o}return n.__extends(t,e),t.prototype.render=function(){var e=this.props,t=e.activity,o=e.people,n=e.styles,i=e.theme,a=e.className;return this._classNames=l(n,{theme:i,className:a,multiplePeople:o.length>1}),o&&0!==o.length?r.createElement("div",{className:this._classNames.root},this._renderAvatars(o),r.createElement("div",{className:this._classNames.details},r.createElement("span",{className:this._classNames.name},this._getNameString(o)),r.createElement("span",{className:this._classNames.activity},t))):null},t.prototype._renderAvatars=function(e){return r.createElement("div",{className:this._classNames.avatars},e.length>1?this._renderAvatar(e[1]):null,this._renderAvatar(e[0]))},t.prototype._renderAvatar=function(e){return r.createElement("div",{className:this._classNames.avatar},r.createElement(s.PersonaCoin,{imageInitials:e.initials,text:e.name,imageUrl:e.profileImageSrc,initialsColor:e.initialsColor,allowPhoneInitials:e.allowPhoneInitials,role:"presentation",size:a.PersonaSize.size32}))},t.prototype._getNameString=function(e){var t=e[0].name;return e.length>=2&&(t+=" +"+(e.length-1)),t},t}(r.Component);t.DocumentCardActivityBase=c},59140:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DocumentCardActivity=void 0;var n=o(71061),r=o(19625),i=o(84006);t.DocumentCardActivity=(0,n.styled)(r.DocumentCardActivityBase,i.getStyles,void 0,{scope:"DocumentCardActivity"})},84006:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=t.DocumentCardActivityGlobalClassNames=void 0;var n=o(15019);t.DocumentCardActivityGlobalClassNames={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"},t.getStyles=function(e){var o=e.theme,r=e.className,i=e.multiplePeople,a=o.palette,s=o.fonts,l=(0,n.getGlobalClassNames)(t.DocumentCardActivityGlobalClassNames,o);return{root:[l.root,i&&l.multiplePeople,{padding:"".concat(8,"px ").concat(16,"px"),position:"relative"},r],avatars:[l.avatars,{marginLeft:"-2px",height:"32px"}],avatar:[l.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 ".concat(a.white),borderRadius:"50%"},":nth-of-type(2)":i&&{marginLeft:"-16px"}}}],details:[l.details,{left:"".concat(i?72:56,"px"),height:32,position:"absolute",top:8,width:"calc(100% - ".concat(72,"px)")}],name:[l.name,{display:"block",fontSize:s.small.fontSize,lineHeight:"15px",height:"15px",overflow:"hidden",textOverflow:"ellipsis",whiteSpace:"nowrap",color:a.neutralPrimary,fontWeight:n.FontWeights.semibold}],activity:[l.activity,{display:"block",fontSize:s.small.fontSize,lineHeight:"15px",height:"15px",overflow:"hidden",textOverflow:"ellipsis",whiteSpace:"nowrap",color:a.neutralSecondary}]}}},72519:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},40676:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DocumentCardDetailsBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=(0,i.classNamesFunction)(),s=function(e){function t(t){var o=e.call(this,t)||this;return(0,i.initializeComponentRef)(o),o}return n.__extends(t,e),t.prototype.render=function(){var e=this.props,t=e.children,o=e.styles,n=e.theme,i=e.className;return this._classNames=a(o,{theme:n,className:i}),r.createElement("div",{className:this._classNames.root},t)},t}(r.Component);t.DocumentCardDetailsBase=s},99767:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DocumentCardDetails=void 0;var n=o(71061),r=o(40676),i=o(5563);t.DocumentCardDetails=(0,n.styled)(r.DocumentCardDetailsBase,i.getStyles,void 0,{scope:"DocumentCardDetails"})},5563:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r={root:"ms-DocumentCardDetails"};t.getStyles=function(e){var t=e.className,o=e.theme;return{root:[(0,n.getGlobalClassNames)(r,o).root,{display:"flex",flexDirection:"column",flex:1,justifyContent:"space-between",overflow:"hidden"},t]}}},46080:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},65081:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DocumentCardImageBase=void 0;var n=o(31635),r=o(83923),i=o(30936),a=o(38992),s=o(71061),l=(0,s.classNamesFunction)(),c=function(e){function t(t){var o=e.call(this,t)||this;return o._onImageLoad=function(){o.setState({imageHasLoaded:!0})},(0,s.initializeComponentRef)(o),o.state={imageHasLoaded:!1},o}return n.__extends(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.width,n=e.height,i=e.imageFit,s=e.imageSrc;return this._classNames=l(t,this.props),r.createElement("div",{className:this._classNames.root},s&&r.createElement(a.Image,{width:o,height:n,imageFit:i,src:s,role:"presentation",alt:"",onLoad:this._onImageLoad}),this.state.imageHasLoaded?this._renderCornerIcon():this._renderCenterIcon())},t.prototype._renderCenterIcon=function(){var e=this.props.iconProps;return r.createElement("div",{className:this._classNames.centeredIconWrapper},r.createElement(i.Icon,n.__assign({className:this._classNames.centeredIcon},e)))},t.prototype._renderCornerIcon=function(){var e=this.props.iconProps;return r.createElement(i.Icon,n.__assign({className:this._classNames.cornerIcon},e))},t}(r.Component);t.DocumentCardImageBase=c},63188:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DocumentCardImage=void 0;var n=o(71061),r=o(65081),i=o(80214);t.DocumentCardImage=(0,n.styled)(r.DocumentCardImageBase,i.getStyles,void 0,{scope:"DocumentCardImage"})},80214:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var o="42px",n="32px";t.getStyles=function(e){var t=e.theme,r=e.className,i=e.height,a=e.width,s=t.palette;return{root:[{borderBottom:"1px solid ".concat(s.neutralLight),position:"relative",backgroundColor:s.neutralLighterAlt,overflow:"hidden",height:i&&"".concat(i,"px"),width:a&&"".concat(a,"px")},r],centeredIcon:[{height:o,width:o,fontSize:o}],centeredIconWrapper:[{display:"flex",alignItems:"center",justifyContent:"center",height:"100%",width:"100%",position:"absolute",top:0,left:0}],cornerIcon:[{left:"10px",bottom:"10px",height:n,width:n,fontSize:n,position:"absolute",overflow:"visible"}]}}},75319:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},46559:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DocumentCardLocationBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=(0,i.classNamesFunction)(),s=function(e){function t(t){var o=e.call(this,t)||this;return(0,i.initializeComponentRef)(o),o}return n.__extends(t,e),t.prototype.render=function(){var e=this.props,t=e.location,o=e.locationHref,n=e.ariaLabel,i=e.onClick,s=e.styles,l=e.theme,c=e.className;return this._classNames=a(s,{theme:l,className:c}),r.createElement("a",{className:this._classNames.root,href:o,onClick:i,"aria-label":n},t)},t}(r.Component);t.DocumentCardLocationBase=s},18306:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DocumentCardLocation=void 0;var n=o(71061),r=o(46559),i=o(85092);t.DocumentCardLocation=(0,n.styled)(r.DocumentCardLocationBase,i.getStyles,void 0,{scope:"DocumentCardLocation"})},85092:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=t.DocumentCardLocationGlobalClassNames=void 0;var n=o(15019);t.DocumentCardLocationGlobalClassNames={root:"ms-DocumentCardLocation"},t.getStyles=function(e){var o=e.theme,r=e.className,i=o.palette,a=o.fonts;return{root:[(0,n.getGlobalClassNames)(t.DocumentCardLocationGlobalClassNames,o).root,a.small,{color:i.themePrimary,display:"block",fontWeight:n.FontWeights.semibold,overflow:"hidden",padding:"8px 16px",position:"relative",textDecoration:"none",textOverflow:"ellipsis",whiteSpace:"nowrap",selectors:{":hover":{color:i.themePrimary,cursor:"pointer"}}},r]}}},81893:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},27467:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DocumentCardLogoBase=void 0;var n=o(31635),r=o(83923),i=o(30936),a=o(71061),s=(0,a.classNamesFunction)(),l=function(e){function t(t){var o=e.call(this,t)||this;return(0,a.initializeComponentRef)(o),o}return n.__extends(t,e),t.prototype.render=function(){var e=this.props,t=e.logoIcon,o=e.styles,n=e.theme,a=e.className;return this._classNames=s(o,{theme:n,className:a}),r.createElement("div",{className:this._classNames.root},r.createElement(i.Icon,{iconName:t}))},t}(r.Component);t.DocumentCardLogoBase=l},88550:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DocumentCardLogo=void 0;var n=o(71061),r=o(27467),i=o(29760);t.DocumentCardLogo=(0,n.styled)(r.DocumentCardLogoBase,i.getStyles,void 0,{scope:"DocumentCardLogo"})},29760:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r={root:"ms-DocumentCardLogo"};t.getStyles=function(e){var t=e.theme,o=e.className,i=t.palette,a=t.fonts;return{root:[(0,n.getGlobalClassNames)(r,t).root,{fontSize:a.xxLargePlus.fontSize,color:i.themePrimary,display:"block",padding:"16px 16px 0 16px"},o]}}},65537:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},94790:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DocumentCardPreviewBase=void 0;var n=o(31635),r=o(83923),i=o(30936),a=o(38992),s=o(12329),l=o(71061),c=(0,l.classNamesFunction)(),u=function(e){function t(t){var o=e.call(this,t)||this;return o._renderPreviewList=function(e){var t=o.props,i=t.getOverflowDocumentCountText,l=t.maxDisplayCount,c=void 0===l?3:l,u=e.length-c,d=u?i?i(u):"+"+u:null,p=e.slice(0,c).map((function(e,t){return r.createElement("li",{key:t},r.createElement(a.Image,{className:o._classNames.fileListIcon,src:e.iconSrc,role:"presentation",alt:"",width:"16px",height:"16px"}),r.createElement(s.Link,n.__assign({className:o._classNames.fileListLink,href:e.url},e.linkProps),e.name))}));return r.createElement("div",null,r.createElement("ul",{className:o._classNames.fileList},p),d&&r.createElement("span",{className:o._classNames.fileListOverflowText},d))},(0,l.initializeComponentRef)(o),o}return n.__extends(t,e),t.prototype.render=function(){var e,t,o=this.props,n=o.previewImages,i=o.styles,a=o.theme,s=o.className,l=n.length>1;return this._classNames=c(i,{theme:a,className:s,isFileList:l}),n.length>1?t=this._renderPreviewList(n):1===n.length&&(t=this._renderPreviewImage(n[0]),n[0].accentColor&&(e={borderBottomColor:n[0].accentColor})),r.createElement("div",{className:this._classNames.root,style:e},t)},t.prototype._renderPreviewImage=function(e){var t=e.width,o=e.height,s=e.imageFit,c=e.previewIconProps,u=e.previewIconContainerClass;if(c)return r.createElement("div",{className:(0,l.css)(this._classNames.previewIcon,u),style:{width:t,height:o}},r.createElement(i.Icon,n.__assign({},c)));var d,p=r.createElement(a.Image,{width:t,height:o,imageFit:s,src:e.previewImageSrc,role:"presentation",alt:""});return e.iconSrc&&(d=r.createElement(a.Image,{className:this._classNames.icon,src:e.iconSrc,role:"presentation",alt:""})),r.createElement("div",null,p,d)},t}(r.Component);t.DocumentCardPreviewBase=u},75521:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DocumentCardPreview=void 0;var n=o(71061),r=o(94790),i=o(20245);t.DocumentCardPreview=(0,n.styled)(r.DocumentCardPreviewBase,i.getStyles,void 0,{scope:"DocumentCardPreview"})},20245:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=t.DocumentCardPreviewGlobalClassNames=void 0;var n=o(15019),r=o(71061);t.DocumentCardPreviewGlobalClassNames={root:"ms-DocumentCardPreview",icon:"ms-DocumentCardPreview-icon",iconContainer:"ms-DocumentCardPreview-iconContainer"},t.getStyles=function(e){var o,i,a=e.theme,s=e.className,l=e.isFileList,c=a.palette,u=a.fonts,d=(0,n.getGlobalClassNames)(t.DocumentCardPreviewGlobalClassNames,a);return{root:[d.root,u.small,{backgroundColor:l?c.white:c.neutralLighterAlt,borderBottom:"1px solid ".concat(c.neutralLight),overflow:"hidden",position:"relative"},s],previewIcon:[d.iconContainer,{display:"flex",alignItems:"center",justifyContent:"center",height:"100%"}],icon:[d.icon,{left:"10px",bottom:"10px",position:"absolute"}],fileList:{padding:"16px 16px 0 16px",listStyleType:"none",margin:0,selectors:{li:{height:"16px",lineHeight:"16px",display:"flex",flexWrap:"nowrap",alignItems:"center",marginBottom:"8px",overflow:"hidden"}}},fileListIcon:{display:"inline-block",flexShrink:0,marginRight:"8px"},fileListLink:[(0,n.getFocusStyle)(a,{highContrastStyle:{border:"1px solid WindowText",outline:"none"}}),{boxSizing:"border-box",color:c.neutralDark,flexGrow:1,overflow:"hidden",display:"inline-block",textDecoration:"none",textOverflow:"ellipsis",whiteSpace:"nowrap",selectors:(o={":hover":{color:c.themePrimary}},o[".".concat(r.IsFocusVisibleClassName," &:focus, :host(.").concat(r.IsFocusVisibleClassName,") &:focus")]={selectors:(i={},i[n.HighContrastSelector]={outline:"none"},i)},o)}],fileListOverflowText:{padding:"0px 16px 8px 16px",display:"block"}}}},5194:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},4016:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DocumentCardStatusBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(30936),s=(0,i.classNamesFunction)(),l=function(e){function t(t){var o=e.call(this,t)||this;return(0,i.initializeComponentRef)(o),o}return n.__extends(t,e),t.prototype.render=function(){var e=this.props,t=e.statusIcon,o=e.status,i=e.styles,l=e.theme,c=e.className,u={iconName:t,styles:{root:{padding:"8px"}}};return this._classNames=s(i,{theme:l,className:c}),r.createElement("div",{className:this._classNames.root},t&&r.createElement(a.Icon,n.__assign({},u)),o)},t}(r.Component);t.DocumentCardStatusBase=l},5339:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DocumentCardStatus=void 0;var n=o(71061),r=o(4016),i=o(96087);t.DocumentCardStatus=(0,n.styled)(r.DocumentCardStatusBase,i.getStyles,void 0,{scope:"DocumentCardStatus"})},96087:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r={root:"ms-DocumentCardStatus"};t.getStyles=function(e){var t=e.className,o=e.theme,i=o.palette,a=o.fonts;return{root:[(0,n.getGlobalClassNames)(r,o).root,a.medium,{margin:"8px 16px",color:i.neutralPrimary,backgroundColor:i.neutralLighter,height:"32px"},t]}}},6588:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},74952:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DocumentCardTitleBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(52332),s=o(11490),l=o(97156),c=o(50478),u=(0,i.classNamesFunction)(),d=function(e){function t(t){var o=e.call(this,t)||this;return o._titleElement=r.createRef(),o._truncateTitle=function(){o._needMeasurement&&o._async.requestAnimationFrame(o._truncateWhenInAnimation)},o._truncateWhenInAnimation=function(){var e=o.props.title,t=o._titleElement.current;if(t){var n=getComputedStyle(t);if(n.width&&n.lineHeight&&n.height){var r=t.clientWidth,i=t.scrollWidth;o._clientWidth=r;var a=Math.floor((parseInt(n.height,10)+5)/parseInt(n.lineHeight,10));t.style.whiteSpace="";var 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)})}}}},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,a.initializeComponentRef)(o),o._async=new i.Async(o),o._events=new i.EventGroup(o),o._clientWidth=void 0,o.state={truncatedTitleFirstPiece:void 0,truncatedTitleSecondPiece:void 0},o}return n.__extends(t,e),t.prototype.componentDidUpdate=function(e){var t=this;if(this.props.title!==e.title&&this.setState({truncatedTitleFirstPiece:void 0,truncatedTitleSecondPiece:void 0}),e.shouldTruncate!==this.props.shouldTruncate){var o=(0,c.getWindowEx)(this.context);this.props.shouldTruncate?(this._truncateTitle(),this._async.requestAnimationFrame(this._shrinkTitle),this._events.on(o,"resize",this._updateTruncation)):this._events.off(o,"resize",this._updateTruncation)}else this._needMeasurement&&this._async.requestAnimationFrame((function(){t._truncateWhenInAnimation(),t._shrinkTitle()}))},t.prototype.componentDidMount=function(){if(this.props.shouldTruncate){this._truncateTitle();var e=(0,c.getWindowEx)(this.context);this._events.on(e,"resize",this._updateTruncation)}},t.prototype.componentWillUnmount=function(){this._events.dispose(),this._async.dispose()},t.prototype.render=function(){var e=this,t=this.props,o=t.title,n=t.shouldTruncate,i=t.showAsSecondaryTitle,a=t.styles,l=t.theme,c=t.className,d=this.state,p=d.truncatedTitleFirstPiece,m=d.truncatedTitleSecondPiece;return this._classNames=u(a,{theme:l,className:c,showAsSecondaryTitle:i}),n&&p&&m?r.createElement(s.DocumentCardContext.Consumer,null,(function(t){var n=t.role,i=t.tabIndex;return r.createElement("div",{className:e._classNames.root,ref:e._titleElement,title:o,tabIndex:i,role:n},p,"…",m)})):r.createElement(s.DocumentCardContext.Consumer,null,(function(t){var n=t.role,i=t.tabIndex;return r.createElement("div",{className:e._classNames.root,ref:e._titleElement,title:o,tabIndex:i,role:n,style:e._needMeasurement?{whiteSpace:"nowrap"}:void 0},o)}))},Object.defineProperty(t.prototype,"_needMeasurement",{get:function(){return!!this.props.shouldTruncate&&void 0===this._clientWidth},enumerable:!1,configurable:!0}),t.prototype._updateTruncation=function(){var e=this;this._timerId||(this._timerId=this._async.setTimeout((function(){delete e._timerId,e._clientWidth=void 0,e.setState({truncatedTitleFirstPiece:void 0,truncatedTitleSecondPiece:void 0})}),250))},t.contextType=l.WindowContext,t}(r.Component);t.DocumentCardTitleBase=d},18451:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DocumentCardTitle=void 0;var n=o(71061),r=o(74952),i=o(16751);t.DocumentCardTitle=(0,n.styled)(r.DocumentCardTitleBase,i.getStyles,void 0,{scope:"DocumentCardTitle"})},16751:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=t.DocumentCardTitleGlobalClassNames=void 0;var n=o(15019),r=o(71061);t.DocumentCardTitleGlobalClassNames={root:"ms-DocumentCardTitle"},t.getStyles=function(e){var o,i=e.theme,a=e.className,s=e.showAsSecondaryTitle,l=i.palette,c=i.fonts,u=i.effects;return{root:[(0,n.getGlobalClassNames)(t.DocumentCardTitleGlobalClassNames,i).root,s?c.medium:c.large,{padding:"8px 16px",display:"block",overflow:"hidden",position:"relative",wordWrap:"break-word",height:s?"45px":"38px",lineHeight:s?"18px":"21px",color:s?l.neutralSecondary:l.neutralPrimary,selectors:(o={":focus":{outline:"0px solid"}},o[".".concat(r.IsFocusVisibleClassName," &:focus, :host(.").concat(r.IsFocusVisibleClassName,") &:focus")]=(0,n.getInputFocusStyle)(l.neutralSecondary,u.roundedCorner2),o)},a]}}},97268:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},44376:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(56117),t),n.__exportStar(o(81814),t),n.__exportStar(o(84818),t),n.__exportStar(o(4373),t),n.__exportStar(o(59140),t),n.__exportStar(o(72519),t),n.__exportStar(o(99767),t),n.__exportStar(o(46080),t),n.__exportStar(o(18306),t),n.__exportStar(o(81893),t),n.__exportStar(o(75521),t),n.__exportStar(o(5194),t),n.__exportStar(o(63188),t),n.__exportStar(o(75319),t),n.__exportStar(o(18451),t),n.__exportStar(o(97268),t),n.__exportStar(o(88550),t),n.__exportStar(o(65537),t),n.__exportStar(o(5339),t),n.__exportStar(o(6588),t)},41858:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DropdownBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(16473),s=o(74393),l=o(90102),c=o(15305),u=o(80371),d=o(30936),p=o(47795),m=o(49307),g=o(4324),h=o(30628),f=o(71688),v=o(52332),b=o(25698),y=o(97156),_=o(50478),S=(0,i.classNamesFunction)(),C={options:[]};t.DropdownBase=r.forwardRef((function(e,t){var o=(0,v.getPropsWithDefaults)(C,e),a=r.useRef(null),s=(0,b.useMergedRefs)(t,a),l=(0,g.useResponsiveMode)(a,o.responsiveMode),c=function(e){var t,o=e.defaultSelectedKeys,n=e.selectedKeys,a=e.defaultSelectedKey,s=e.selectedKey,l=e.options,c=e.multiSelect,u=(0,b.usePrevious)(l),d=r.useState([]),p=d[0],m=d[1],g=l!==u;t=c?g&&void 0!==o?o:n:g&&void 0!==a?a:s;var h=(0,b.usePrevious)(t);return r.useEffect((function(){var e=function(e){return(0,i.findIndex)(l,(function(t){return null!=e?t.key===e:!!t.selected||!!t.isSelected}))};void 0===t&&u||t===h&&!g||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(n.__assign(n.__assign({id:r},e),{index:t}),o._onRenderItem)),a.id=r;break;case h.SelectableOptionMenuItemType.Divider:t>0&&a.items.push(i(n.__assign(n.__assign({},e),{index:t}),o._onRenderItem)),a.items.length>0&&l();break;default:a.items.push(i(n.__assign(n.__assign({},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 h.SelectableOptionMenuItemType.Divider:return o._renderSeparator(e);case h.SelectableOptionMenuItemType.Header:return o._renderHeader(e);default:return o._renderOption(e)}},o._renderOption=function(e){var t,a=o.props,l=a.onRenderOption,c=void 0===l?o._onRenderOption:l,u=a.hoisted.selectedIndices,d=void 0===u?[]:u,p=!(void 0===e.index||!d)&&d.indexOf(e.index)>-1,m=e.hidden?o._classNames.dropdownItemHidden:p&&!0===e.disabled?o._classNames.dropdownItemSelectedAndDisabled:p?o._classNames.dropdownItemSelected:!0===e.disabled?o._classNames.dropdownItemDisabled:o._classNames.dropdownItem,g=e.title,h=o._listId+e.index,v=null!==(t=e.id)&&void 0!==t?t:h+"-label",b=o._classNames.subComponentStyles?o._classNames.subComponentStyles.multiSelectItem:void 0;return o.props.multiSelect?r.createElement(f.Checkbox,{id:h,key:e.key,disabled:e.disabled,onChange:o._onItemClick(e),inputProps:n.__assign({"aria-selected":p,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||e.hidden)}),label:e.text,title:g,onRenderLabel:o._onRenderItemLabel.bind(o,n.__assign(n.__assign({},e),{id:v})),className:(0,i.css)(m,"is-multi-select"),checked:p,styles:b,ariaPositionInSet:e.hidden?void 0:o._sizePosCache.positionInSet(e.index),ariaSetSize:e.hidden?void 0:o._sizePosCache.optionSetSize,ariaLabel:e.ariaLabel,ariaLabelledBy:e.ariaLabel?void 0:v}):r.createElement(s.CommandButton,{id:h,key:e.key,"data-index":e.index,"data-is-focusable":!e.disabled,disabled:e.disabled,className:m,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":p?"true":"false",ariaLabel:e.ariaLabel,title:g,"aria-posinset":o._sizePosCache.positionInSet(e.index),"aria-setsize":o._sizePosCache.optionSetSize},c(e,o._onRenderOption))},o._onRenderOption=function(e){return r.createElement("span",{className:o._classNames.dropdownOptionText},e.text)},o._onRenderMultiselectOption=function(e){return r.createElement("span",{id:e.id,"aria-hidden":"true",className:o._classNames.dropdownOptionText},e.text)},o._onRenderItemLabel=function(e){var t=o.props.onRenderOption;return(void 0===t?o._onRenderMultiselectOption:t)(e,o._onRenderMultiselectOption)},o._onPositioned=function(e){o._focusZone.current&&o._requestAnimationFrame((function(){var e=o.props.hoisted.selectedIndices;if(o._focusZone.current)if(!o._hasBeenPositioned&&e&&e[0]&&!o.props.options[e[0]].disabled){var t=(0,i.getDocument)().getElementById("".concat(o._id,"-list").concat(e[0]));t&&o._focusZone.current.focusElement(t),o._hasBeenPositioned=!0}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(){var e=(0,_.getWindowEx)(o.context);o._isScrollIdle||void 0===o._scrollIdleTimeoutId?o._isScrollIdle=!1:(e.clearTimeout(o._scrollIdleTimeoutId),o._scrollIdleTimeoutId=void 0),o._scrollIdleTimeoutId=e.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.state.isOpen||(o.setState({hasFocus:!1}),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,a=o.state.isOpen;switch(e.which){case i.KeyCodes.enter:o.setState({isOpen:!a});break;case i.KeyCodes.escape:if(!a)return;o.setState({isOpen:!1});break;case i.KeyCodes.up:if(r){if(a){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 i.KeyCodes.down:r&&(e.stopPropagation(),e.preventDefault()),r&&!a||o.props.multiSelect?o.setState({isOpen:!0}):o._isDisabled()||(t=o._moveIndex(e,1,n+1,n));break;case i.KeyCodes.home:o.props.multiSelect||(t=o._moveIndex(e,1,0,n));break;case i.KeyCodes.end:o.props.multiSelect||(t=o._moveIndex(e,-1,o.props.options.length-1,n));break;case i.KeyCodes.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;o.props.onKeyUp&&(o.props.onKeyUp(e),e.defaultPrevented)||(e.which===i.KeyCodes.space?(o.setState({isOpen:!n}),e.stopPropagation(),e.preventDefault()):t&&n&&o.setState({isOpen:!1}))}},o._onZoneKeyDown=function(e){var t,n,r;o._lastKeyDownWasAltOrMeta=o._isAltOrMeta(e);var a=e.altKey||e.metaKey;switch(e.which){case i.KeyCodes.up:a?o.setState({isOpen:!1}):o._host.current&&(r=(0,i.getLastFocusable)(o._host.current,o._host.current.lastChild,!0));break;case i.KeyCodes.home:case i.KeyCodes.end:case i.KeyCodes.pageUp:case i.KeyCodes.pageDown:break;case i.KeyCodes.down:!a&&o._host.current&&(r=(0,i.getFirstFocusable)(o._host.current,o._host.current.firstChild,!0));break;case i.KeyCodes.escape:o.setState({isOpen:!1});break;case i.KeyCodes.tab:o.setState({isOpen:!1});var s=(0,i.getDocument)();s&&(e.shiftKey?null===(t=(0,v.getPreviousElement)(s.body,o._dropDown.current,!1,!1,!0,!0))||void 0===t||t.focus():null===(n=(0,v.getNextElement)(s.body,o._dropDown.current,!1,!1,!0,!0))||void 0===n||n.focus());break;default:return}r&&r.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){if(!o._isDisabled()){o.props.onFocus&&o.props.onFocus(e);var t={hasFocus:!0};o._shouldOpenOnFocus()&&(t.isOpen=!0),o.setState(t)}},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(p.Label,{className:o._classNames.label,id:o._labelId,required:n,styles:a,disabled:i},t):null},(0,i.initializeComponentRef)(o),t.multiSelect,t.selectedKey,t.selectedKeys,t.defaultSelectedKey,t.defaultSelectedKeys;var l=t.options;return o._id=t.id||(0,i.getId)("Dropdown"),o._labelId=o._id+"-label",o._listId=o._id+"-list",o._optionId=o._id+"-option",o._isScrollIdle=!0,o._hasBeenPositioned=!1,o._sizePosCache.updateOptions(l),o.state={isOpen:!1,hasFocus:!1,calloutRenderEdge:void 0},o}return n.__extends(t,e),Object.defineProperty(t.prototype,"selectedOptions",{get:function(){var e=this.props,t=e.options,o=e.hoisted.selectedIndices;return(0,h.getAllSelectedOptions)(t,o)},enumerable:!1,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._hasBeenPositioned=!1,this.props.onDismiss&&this.props.onDismiss())},t.prototype.render=function(){var e=this._id,t=this.props,o=t.className,a=t.label,s=t.options,l=t.ariaLabel,c=t.required,u=t.errorMessage,d=t.styles,p=t.theme,m=t.panelProps,g=t.calloutProps,f=t.onRenderTitle,v=void 0===f?this._getTitle:f,b=t.onRenderContainer,y=void 0===b?this._onRenderContainer:b,_=t.onRenderCaretDown,C=void 0===_?this._onRenderCaretDown:_,x=t.onRenderLabel,P=void 0===x?this._onRenderLabel:x,k=t.onRenderItem,I=void 0===k?this._onRenderItem:k,w=t.hoisted.selectedIndices,T=this.state,E=T.isOpen,D=T.calloutRenderEdge,M=T.hasFocus,O=t.onRenderPlaceholder||t.onRenderPlaceHolder||this._getPlaceholder;s!==this._sizePosCache.cachedOptions&&this._sizePosCache.updateOptions(s);var R=(0,h.getAllSelectedOptions)(s,w),F=(0,i.getNativeProps)(t,i.divProperties),B=this._isDisabled(),A=e+"-errorMessage";this._classNames=S(d,{theme:p,className:o,hasError:!!(u&&u.length>0),hasLabel:!!a,isOpen:E,required:c,disabled:B,isRenderingPlaceholder:!R.length,panelClassName:m?m.className:void 0,calloutClassName:g?g.className:void 0,calloutRenderEdge:D});var N=!!u&&u.length>0;return r.createElement("div",{className:this._classNames.root,ref:this.props.hoisted.rootRef,"aria-owns":E?this._listId:void 0},P(this.props,this._onRenderLabel),r.createElement("div",n.__assign({"data-is-focusable":!B,"data-ktp-target":!0,ref:this._dropDown,id:e,tabIndex:B?-1:0,role:"combobox","aria-haspopup":"listbox","aria-expanded":E?"true":"false","aria-label":l,"aria-labelledby":a&&!l?(0,i.mergeAriaAttributeValues)(this._labelId,this._optionId):void 0,"aria-describedby":N?this._id+"-errorMessage":void 0,"aria-required":c,"aria-disabled":B,"aria-controls":E?this._listId:void 0},F,{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":M?"polite":void 0,"aria-atomic":!!M||void 0,"aria-invalid":N},R.length?v(R,this._onRenderTitle):O(t,this._onRenderPlaceholder)),r.createElement("span",{className:this._classNames.caretDownWrapper},C(t,this._onRenderCaretDown))),E&&y(n.__assign(n.__assign({},t),{onDismiss:this._onDismiss,onRenderItem:I}),this._onRenderContainer),N&&r.createElement("div",{role:"alert",id:A,className:this._classNames.errorMessage},u))},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===l.DropdownMenuItemType.Header||r[o].itemType===l.DropdownMenuItemType.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(u.FocusZone,{ref:this._focusZone,direction:u.FocusZoneDirection.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,n=e.hidden?this._classNames.dropdownDividerHidden:this._classNames.dropdownDivider;return t>0?r.createElement("div",{role:"presentation",key:o,className:n}):null},t.prototype._renderHeader=function(e){var t=this.props.onRenderOption,o=void 0===t?this._onRenderOption:t,n=e.key,i=e.id,a=e.hidden?this._classNames.dropdownItemHeaderHidden:this._classNames.dropdownItemHeader;return r.createElement("div",{id:i,key:n,className:a},o(e,this._onRenderOption))},t.prototype._onItemMouseEnter=function(e,t){this._shouldIgnoreMouseEvent()||t.currentTarget.focus()},t.prototype._onItemMouseMove=function(e,t){var o=(0,_.getDocumentEx)(this.context),n=t.currentTarget;this._gotMouseMove=!0,this._isScrollIdle&&o.activeElement!==n&&n.focus()},t.prototype._shouldIgnoreMouseEvent=function(){return!this._isScrollIdle||!this._gotMouseMove},t.prototype._isAltOrMeta=function(e){return e.which===i.KeyCodes.alt||"Meta"===e.key},t.prototype._shouldHandleKeyUp=function(e){var t=this._lastKeyDownWasAltOrMeta&&this._isAltOrMeta(e);return this._lastKeyDownWasAltOrMeta=!1,!!t&&!((0,i.isMac)()||(0,i.isIOS)())},t.prototype._shouldOpenOnFocus=function(){var e=this.state.hasFocus,t=this.props.openOnKeyboardFocus;return!this._isFocusedByClick&&!0===t&&!e},t.defaultProps={options:[]},t.contextType=y.WindowContext,t}(r.Component)},21749:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Dropdown=void 0;var n=o(71061),r=o(41858),i=o(77793);t.Dropdown=(0,n.styled)(r.DropdownBase,i.getStyles,void 0,{scope:"Dropdown"}),t.Dropdown.displayName="Dropdown"},77793:(e,t,o)=>{"use strict";var n,r,i,a,s;Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var l=o(31635),c=o(71061),u=o(43300),d=o(15019),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={})["".concat(d.HighContrastSelector,", ").concat(d.HighContrastSelectorWhite.replace("@media ",""))]=l.__assign({},(0,d.getHighContrastNoAdjustStyle)()),n),g={selectors:l.__assign((r={},r[d.HighContrastSelector]=(i={backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},i[".".concat(c.IsFocusVisibleClassName," &:focus:after")]={borderColor:"HighlightText"},i),r[".ms-Checkbox-checkbox"]=(a={},a[d.HighContrastSelector]={borderColor:"HighlightText"},a),r),m)},h={selectors:(s={},s[d.HighContrastSelector]={borderColor:"Highlight"},s)},f=(0,d.getScreenSelector)(0,d.ScreenWidthMinMedium);t.getStyles=function(e){var t,o,n,r,i,a,s,m,v,b,y,_,S=e.theme,C=e.hasError,x=e.hasLabel,P=e.className,k=e.isOpen,I=e.disabled,w=e.required,T=e.isRenderingPlaceholder,E=e.panelClassName,D=e.calloutClassName,M=e.calloutRenderEdge;if(!S)throw new Error("theme is undefined or null in base Dropdown getStyles function.");var O=(0,d.getGlobalClassNames)(p,S),R=S.palette,F=S.semanticColors,B=S.effects,A=S.fonts,N={color:F.menuItemTextHovered},L={color:F.menuItemText},H={borderColor:F.errorText},j=[O.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%"}}],z=[O.dropdownItemHeader,l.__assign(l.__assign({},A.medium),{fontWeight:d.FontWeights.semibold,color:F.menuHeader,background:"none",backgroundColor:"transparent",border:"none",height:36,lineHeight:36,cursor:"default",padding:"0 8px",userSelect:"none",textAlign:"left",selectors:(t={},t[d.HighContrastSelector]=l.__assign({color:"GrayText"},(0,d.getHighContrastNoAdjustStyle)()),t)})],W=F.menuItemBackgroundPressed,V=function(e){var t,o;return void 0===e&&(e=!1),{selectors:(t={"&:hover":[{color:F.menuItemTextHovered,backgroundColor:e?W:F.menuItemBackgroundHovered},g],"&.is-multi-select:hover":[{backgroundColor:e?W:"transparent"},g],"&:active:hover":[{color:F.menuItemTextHovered,backgroundColor:e?F.menuItemBackgroundHovered:F.menuItemBackgroundPressed},g]},t[".".concat(c.IsFocusVisibleClassName," &:focus:after, :host(.").concat(c.IsFocusVisibleClassName,") &:focus:after")]=(o={left:0,top:0,bottom:0,right:0},o[d.HighContrastSelector]={inset:"2px"},o),t[d.HighContrastSelector]={border:"none"},t)}},K=l.__spreadArray(l.__spreadArray([],j,!0),[{backgroundColor:W,color:F.menuItemTextHovered},V(!0),g],!1),G=l.__spreadArray(l.__spreadArray([],j,!0),[{color:F.disabledText,cursor:"default",selectors:(o={},o[d.HighContrastSelector]={color:"GrayText",border:"none"},o)}],!1),U=M===u.RectangleEdge.bottom?"".concat(B.roundedCorner2," ").concat(B.roundedCorner2," 0 0"):"0 0 ".concat(B.roundedCorner2," ").concat(B.roundedCorner2),Y=M===u.RectangleEdge.bottom?"0 0 ".concat(B.roundedCorner2," ").concat(B.roundedCorner2):"".concat(B.roundedCorner2," ").concat(B.roundedCorner2," 0 0");return{root:[O.root,P],label:O.label,dropdown:[O.dropdown,d.normalize,A.medium,{color:F.menuItemText,borderColor:F.focusBorder,position:"relative",outline:0,userSelect:"none",selectors:(n={},n["&:hover ."+O.title]=[!I&&N,{borderColor:k?R.neutralSecondary:R.neutralPrimary},h],n["&:focus ."+O.title]=[!I&&N,{selectors:(r={},r[d.HighContrastSelector]={color:"Highlight"},r)}],n["&:focus:after"]=[{pointerEvents:"none",content:"''",position:"absolute",boxSizing:"border-box",top:"0px",left:"0px",width:"100%",height:"100%",border:I?"none":"2px solid ".concat(R.themePrimary),borderRadius:"2px",selectors:(i={},i[d.HighContrastSelector]={color:"Highlight"},i)}],n["&:active ."+O.title]=[!I&&N,{borderColor:R.themePrimary},h],n["&:hover ."+O.caretDown]=!I&&L,n["&:focus ."+O.caretDown]=[!I&&L,{selectors:(a={},a[d.HighContrastSelector]={color:"Highlight"},a)}],n["&:active ."+O.caretDown]=!I&&L,n["&:hover ."+O.titleIsPlaceHolder]=!I&&L,n["&:focus ."+O.titleIsPlaceHolder]=!I&&L,n["&:active ."+O.titleIsPlaceHolder]=!I&&L,n["&:hover ."+O.titleHasError]=H,n["&:active ."+O.titleHasError]=H,n)},k&&"is-open",I&&"is-disabled",w&&"is-required",w&&!x&&{selectors:(s={":before":{content:"'*'",color:F.errorText,position:"absolute",top:-5,right:-10}},s[d.HighContrastSelector]={selectors:{":after":{right:-14}}},s)}],title:[O.title,d.normalize,{backgroundColor:F.inputBackground,borderWidth:1,borderStyle:"solid",borderColor:F.inputBorder,borderRadius:k?U:B.roundedCorner2,cursor:"pointer",display:"block",height:32,lineHeight:30,padding:"0 28px 0 8px",position:"relative",overflow:"hidden",whiteSpace:"nowrap",textOverflow:"ellipsis"},T&&[O.titleIsPlaceHolder,{color:F.inputPlaceholderText}],C&&[O.titleHasError,H],I&&{backgroundColor:F.disabledBackground,border:"none",color:F.disabledText,cursor:"default",selectors:(m={},m[d.HighContrastSelector]=l.__assign({border:"1px solid GrayText",color:"GrayText",backgroundColor:"Window"},(0,d.getHighContrastNoAdjustStyle)()),m)}],caretDownWrapper:[O.caretDownWrapper,{height:32,lineHeight:30,paddingTop:1,position:"absolute",right:8,top:0},!I&&{cursor:"pointer"}],caretDown:[O.caretDown,{color:R.neutralSecondary,fontSize:A.small.fontSize,pointerEvents:"none"},I&&{color:F.disabledText,selectors:(v={},v[d.HighContrastSelector]=l.__assign({color:"GrayText"},(0,d.getHighContrastNoAdjustStyle)()),v)}],errorMessage:l.__assign(l.__assign({color:F.errorText},S.fonts.small),{paddingTop:5}),callout:[O.callout,{boxShadow:B.elevation8,borderRadius:Y,selectors:(b={},b[".ms-Callout-main"]={borderRadius:Y},b)},D],dropdownItemsWrapper:{selectors:{"&:focus":{outline:0}}},dropdownItems:[O.dropdownItems,{display:"block"}],dropdownItem:l.__spreadArray(l.__spreadArray([],j,!0),[V()],!1),dropdownItemSelected:K,dropdownItemDisabled:G,dropdownItemSelectedAndDisabled:[K,G,{backgroundColor:"transparent"}],dropdownItemHidden:l.__spreadArray(l.__spreadArray([],j,!0),[{display:"none"}],!1),dropdownDivider:[O.dropdownDivider,{height:1,backgroundColor:F.bodyDivider}],dropdownDividerHidden:[O.dropdownDivider,{display:"none"}],dropdownOptionText:[O.dropdownOptionText,{overflow:"hidden",whiteSpace:"nowrap",textOverflow:"ellipsis",minWidth:0,maxWidth:"100%",wordWrap:"break-word",overflowWrap:"break-word",margin:"1px"}],dropdownItemHeader:z,dropdownItemHeaderHidden:l.__spreadArray(l.__spreadArray([],z,!0),[{display:"none"}],!1),subComponentStyles:{label:{root:{display:"inline-block"}},multiSelectItem:{root:{padding:0},label:{alignSelf:"stretch",padding:"0 8px",width:"100%"},input:{selectors:(y={},y[".".concat(c.IsFocusVisibleClassName," &:focus + label::before, :host(.").concat(c.IsFocusVisibleClassName,") &:focus + label::before")]={outlineOffset:"0px"},y)}},panel:{root:[E],main:{selectors:(_={},_[f]={width:272},_)},contentInner:{padding:"0 0 20px"}}}}}},90102:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DropdownMenuItemType=void 0;var n=o(30628);Object.defineProperty(t,"DropdownMenuItemType",{enumerable:!0,get:function(){return n.SelectableOptionMenuItemType}})},84322:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(21749),t),n.__exportStar(o(41858),t),n.__exportStar(o(90102),t)},15305:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DropdownSizePosCache=void 0;var n=o(31635),r=o(90102),i=function(){function e(){this._size=0}return e.prototype.updateOptions=function(e){for(var t=[],o=[],i=0,a=0;athis._notSelectableOptionsCache[t];)t++;if(this._displayOnlyOptionsCache[t]===e)throw new Error("Unexpected: Option at index ".concat(e," is not a selectable element."));if(this._notSelectableOptionsCache[t]!==e)return e-t+1}},e}();t.DropdownSizePosCache=i},25876:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.BaseExtendedPicker=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(95643),s=o(97388),l=o(80371),c=o(18055),u=s,d=function(e){function t(t){var o=e.call(this,t)||this;return o.floatingPicker=r.createRef(),o.selectedItemsList=r.createRef(),o.root=r.createRef(),o.input=r.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===i.KeyCodes.backspace&&o.selectedItemsList.current&&o.items.length&&(o.input.current&&!o.input.current.isValueSelected&&o.input.current.inputElement===e.currentTarget.ownerDocument.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,i.initializeComponentRef)(o),o.selection=new c.Selection({onSelectionChanged:function(){return o.onSelectionChange()}}),o.state={queryString:""},o}return n.__extends(t,e),Object.defineProperty(t.prototype,"items",{get:function(){var e,t,o,n;return null!==(n=null!==(o=null!==(e=this.props.selectedItems)&&void 0!==e?e:null===(t=this.selectedItemsList.current)||void 0===t?void 0:t.items)&&void 0!==o?o:this.props.defaultSelectedItems)&&void 0!==n?n:null},enumerable:!1,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:!1,configurable:!0}),Object.defineProperty(t.prototype,"highlightedItems",{get:function(){return this.selectedItemsList.current?this.selectedItemsList.current.highlightedItems():[]},enumerable:!1,configurable:!0}),t.prototype.render=function(){var e=this.props,t=e.className,o=e.inputProps,s=e.disabled,d=e.focusZoneProps,p=this.floatingPicker.current&&-1!==this.floatingPicker.current.currentSelectedSuggestionIndex?"sug-"+this.floatingPicker.current.currentSelectedSuggestionIndex:void 0,m=!!this.floatingPicker.current&&this.floatingPicker.current.isSuggestionsShown;return r.createElement("div",{ref:this.root,className:(0,i.css)("ms-BasePicker ms-BaseExtendedPicker",t||""),onKeyDown:this.onBackspace,onCopy:this.onCopy},r.createElement(l.FocusZone,n.__assign({direction:l.FocusZoneDirection.bidirectional},d),r.createElement(c.SelectionZone,{selection:this.selection,selectionMode:c.SelectionMode.multiple},r.createElement("div",{className:(0,i.css)("ms-BasePicker-text",u.pickerText),role:"list"},this.props.headerComponent,this.renderSelectedItemsList(),this.canAddItems()&&r.createElement(a.Autofill,n.__assign({},o,{className:(0,i.css)("ms-BasePicker-input",u.pickerInput),ref:this.input,onFocus:this.onInputFocus,onClick:this.onInputClick,onInputValueChange:this.onInputChange,"aria-activedescendant":p,"aria-owns":m?"suggestion-list":void 0,"aria-expanded":m,"aria-haspopup":"true",role:"combobox",disabled:s,onPaste:this.onPaste}))))),this.renderFloatingPicker())},Object.defineProperty(t.prototype,"floatingPickerProps",{get:function(){return this.props.floatingPickerProps},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"selectedItemsListProps",{get:function(){return this.props.selectedItemsListProps},enumerable:!1,configurable:!0}),t.prototype.canAddItems=function(){var e=this.props.itemLimit;return void 0===e||this.items.length{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.pickerInput=t.pickerText=void 0,(0,o(65715).loadStyles)([{rawString:".pickerText_9f838726{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_9f838726:hover{border-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:"}.pickerInput_9f838726{height:34px;border:none;-webkit-box-flex:1;-ms-flex-positive:1;flex-grow:1;outline:0;padding:0 6px 0;margin:1px}.pickerInput_9f838726::-ms-clear{display:none}"}]),t.pickerText="pickerText_9f838726",t.pickerInput="pickerInput_9f838726"},759:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},7586:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ExtendedPeoplePicker=t.BaseExtendedPeoplePicker=void 0;var n=o(31635);o(48306);var r=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return n.__extends(t,e),t}(o(25876).BaseExtendedPicker);t.BaseExtendedPeoplePicker=r;var i=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return n.__extends(t,e),t}(r);t.ExtendedPeoplePicker=i},48306:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.peoplePickerPersonaContent=t.peoplePicker=t.peoplePickerPersona=t.resultItem=t.resultContent=void 0,(0,o(65715).loadStyles)([{rawString:".resultContent_4cc31f3f{display:table-row}.resultContent_4cc31f3f .resultItem_4cc31f3f{display:table-cell;vertical-align:bottom}.peoplePickerPersona_4cc31f3f{width:180px}.peoplePickerPersona_4cc31f3f .ms-Persona-details{width:100%}.peoplePicker_4cc31f3f .ms-BasePicker-text{min-height:40px}.peoplePickerPersonaContent_4cc31f3f{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}"}]),t.resultContent="resultContent_4cc31f3f",t.resultItem="resultItem_4cc31f3f",t.peoplePickerPersona="peoplePickerPersona_4cc31f3f",t.peoplePicker="peoplePicker_4cc31f3f",t.peoplePickerPersonaContent="peoplePickerPersonaContent_4cc31f3f"},55204:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(25876),t),n.__exportStar(o(759),t),n.__exportStar(o(7586),t)},84874:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.FabricBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(15019),s=o(25698),l=(0,i.classNamesFunction)(),c=(0,i.memoizeFunction)((function(e,t){return(0,a.createTheme)(n.__assign(n.__assign({},e),{rtl:t}))}));t.FabricBase=r.forwardRef((function(e,t){var o=e.className,a=e.theme,u=e.applyTheme,d=e.applyThemeToBody,p=e.styles,m=l(p,{theme:a,applyTheme:u,className:o}),g=r.useRef(null);return function(e,t,o){var n=t.bodyThemed;r.useEffect((function(){if(e){var t=(0,i.getDocument)(o.current);if(t)return t.body.classList.add(n),function(){t.body.classList.remove(n)}}}),[n,e,o])}(d,m,g),r.createElement(r.Fragment,null,function(e,t,o,a){var l=t.root,u=e.as,d=void 0===u?"div":u,p=e.dir,m=e.theme,g=(0,i.getNativeProps)(e,i.divProperties,["dir"]),h=function(e){var t=e.theme,o=e.dir,n=(0,i.getRTL)(t)?"rtl":"ltr",r=(0,i.getRTL)()?"rtl":"ltr",a=o||n;return{rootDir:a!==n||a!==r?a:o,needsTheme:a!==n}}(e),f=h.rootDir,v=h.needsTheme,b=r.createElement(i.FocusRectsProvider,{providerRef:o},r.createElement(d,n.__assign({dir:f},g,{className:l,ref:(0,s.useMergedRefs)(o,a)})));return v&&(b=r.createElement(i.Customizer,{settings:{theme:c(m,"rtl"===p)}},b)),b}(e,m,g,t))})),t.FabricBase.displayName="FabricBase"},23293:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Fabric=void 0;var n=o(71061),r=o(84874),i=o(75497);t.Fabric=(0,n.styled)(r.FabricBase,i.getStyles,void 0,{scope:"Fabric"})},75497:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r={fontFamily:"inherit"},i={root:"ms-Fabric",bodyThemed:"ms-Fabric-bodyThemed"};t.getStyles=function(e){var t=e.applyTheme,o=e.className,a=e.preventBlanketFontInheritance,s=e.theme;return{root:[(0,n.getGlobalClassNames)(i,s).root,s.fonts.medium,{color:s.palette.neutralPrimary},!a&&{"& button":r,"& input":r,"& textarea":r},t&&{color:s.semanticColors.bodyText,backgroundColor:s.semanticColors.bodyBackground},o],bodyThemed:[{backgroundColor:s.semanticColors.bodyBackground}]}}},8670:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},25026:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(23293),t),n.__exportStar(o(84874),t),n.__exportStar(o(8670),t)},91938:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.FacepileBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(13078),s=o(81685),l=o(30936),c=o(48377),u=o(18596),d=(0,i.classNamesFunction)(),p=function(e){function t(t){var o=e.call(this,t)||this;return o._classNames=d(o.props.styles,{theme:o.props.theme,className:o.props.className}),o._getPersonaControl=function(e){var t=o.props,i=t.getPersonaProps,a=t.personaSize;return r.createElement(c.Persona,n.__assign({imageInitials:e.imageInitials,imageUrl:e.imageUrl,initialsColor:e.initialsColor,allowPhoneInitials:e.allowPhoneInitials,text:e.personaName,size:a},i?i(e):null,{styles:{details:{flex:"1 0 auto"}}}))},o._getPersonaCoinControl=function(e){var t=o.props,i=t.getPersonaProps,a=t.personaSize;return r.createElement(u.PersonaCoin,n.__assign({imageInitials:e.imageInitials,imageUrl:e.imageUrl,initialsColor:e.initialsColor,allowPhoneInitials:e.allowPhoneInitials,text:e.personaName,size:a},i?i(e):null))},(0,i.initializeComponentRef)(o),o._ariaDescriptionId=(0,i.getId)(),o}return n.__extends(t,e),t.prototype.render=function(){var e=this.props.overflowButtonProps,t=this.props,o=t.chevronButtonProps,n=t.maxDisplayablePersonas,i=t.personas,a=t.overflowPersonas,s=t.showAddButton,l=t.ariaLabel,c=t.showTooltip,u=void 0===c||c,d=this._classNames,p="number"==typeof n?Math.min(i.length,n):i.length;o&&!e&&(e=o);var m=a&&a.length>0,g=m?i:i.slice(0,p),h=(m?a:i.slice(p))||[];return r.createElement("div",{className:d.root},this.onRenderAriaDescription(),r.createElement("div",{className:d.itemContainer},s?this._getAddNewElement():null,r.createElement("ul",{className:d.members,"aria-label":l},this._onRenderVisiblePersonas(g,0===h.length&&1===i.length,u)),e?this._getOverflowElement(h):null))},t.prototype.onRenderAriaDescription=function(){var e=this.props.ariaDescription,t=this._classNames;return e&&r.createElement("span",{className:t.screenReaderOnly,id:this._ariaDescriptionId},e)},t.prototype._onRenderVisiblePersonas=function(e,t,o){var n=this,i=this.props,a=i.onRenderPersona,s=void 0===a?this._getPersonaControl:a,l=i.onRenderPersonaCoin,c=void 0===l?this._getPersonaCoinControl:l,u=i.onRenderPersonaWrapper;return e.map((function(e,i){var a=t?s(e,n._getPersonaControl):c(e,n._getPersonaCoinControl),l=e.onClick?function(){return n._getElementWithOnClickEvent(a,e,o,i)}:function(){return n._getElementWithoutOnClickEvent(a,e,o,i)};return r.createElement("li",{key:"".concat(t?"persona":"personaCoin","-").concat(i),className:n._classNames.member},u?u(e,l):l())}))},t.prototype._getElementWithOnClickEvent=function(e,t,o,a){var l=t.keytipProps;return r.createElement(s.FacepileButton,n.__assign({},(0,i.getNativeProps)(t,i.buttonProperties),this._getElementProps(t,o,a),{keytipProps:l,onClick:this._onPersonaClick.bind(this,t)}),e)},t.prototype._getElementWithoutOnClickEvent=function(e,t,o,a){return r.createElement("div",n.__assign({},(0,i.getNativeProps)(t,i.buttonProperties),this._getElementProps(t,o,a)),e)},t.prototype._getElementProps=function(e,t,o){var n=this._classNames;return{key:(e.imageUrl?"i":"")+o,"data-is-focusable":!0,className:n.itemButton,title:t?e.personaName:void 0,onMouseMove:this._onPersonaMouseMove.bind(this,e),onMouseOut:this._onPersonaMouseOut.bind(this,e)}},t.prototype._getOverflowElement=function(e){switch(this.props.overflowButtonType){case a.OverflowButtonType.descriptive:return this._getDescriptiveOverflowElement(e);case a.OverflowButtonType.downArrow:return this._getIconElement("ChevronDown");case a.OverflowButtonType.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(", "),i=n.__assign({title:o},this.props.overflowButtonProps),a=Math.max(e.length,0),l=this._classNames;return r.createElement(s.FacepileButton,n.__assign({},i,{ariaDescription:i.title,className:l.descriptiveOverflowButton}),r.createElement(u.PersonaCoin,{size:t,onRenderInitials:this._renderInitialsNotPictured(a),initialsColor:u.PersonaInitialsColor.transparent}))},t.prototype._getIconElement=function(e){var t=this.props,o=t.overflowButtonProps,i=t.personaSize,a=this._classNames;return r.createElement(s.FacepileButton,n.__assign({},o,{className:a.overflowButton}),r.createElement(u.PersonaCoin,{size:i,onRenderInitials:this._renderInitials(e,!0),initialsColor:u.PersonaInitialsColor.transparent}))},t.prototype._getAddNewElement=function(){var e=this.props,t=e.addButtonProps,o=e.personaSize,i=this._classNames;return r.createElement(s.FacepileButton,n.__assign({},t,{className:i.addButton}),r.createElement(u.PersonaCoin,{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 r.createElement(l.Icon,{iconName:e,className:t?o.overflowInitialsIcon:""})}},t.prototype._renderInitialsNotPictured=function(e){var t=this._classNames;return function(){return r.createElement("span",{className:t.overflowInitialsIcon},e<100?"+"+e:"99+")}},t.defaultProps={maxDisplayablePersonas:5,personas:[],overflowPersonas:[],personaSize:u.PersonaSize.size32},t}(r.Component);t.FacepileBase=p},30165:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Facepile=void 0;var n=o(71061),r=o(91938),i=o(89089);t.Facepile=(0,n.styled)(r.FacepileBase,i.styles,void 0,{scope:"Facepile"})},89089:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.styles=void 0;var n=o(15019),r={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"};t.styles=function(e){var t,o=e.className,i=e.theme,a=e.spacingAroundItemButton,s=void 0===a?2:a,l=i.palette,c=i.fonts,u=(0,n.getGlobalClassNames)(r,i),d={textAlign:"center",padding:0,borderRadius:"50%",verticalAlign:"top",display:"inline",backgroundColor:"transparent",border:"none",selectors:{"&::-moz-focus-inner":{padding:0,border:0}}};return{root:[u.root,i.fonts.medium,{width:"auto"},o],addButton:[u.addButton,(0,n.getFocusStyle)(i,{inset:-1}),d,{fontSize:c.medium.fontSize,color:l.white,backgroundColor:l.themePrimary,marginRight:2*s+"px",selectors:{"&:hover":{backgroundColor:l.themeDark},"&:focus":{backgroundColor:l.themeDark},"&:active":{backgroundColor:l.themeDarker},"&:disabled":{backgroundColor:l.neutralTertiaryAlt}}}],descriptiveOverflowButton:[u.descriptiveOverflowButton,(0,n.getFocusStyle)(i,{inset:-1}),d,{fontSize:c.small.fontSize,color:l.neutralSecondary,backgroundColor:l.neutralLighter,marginLeft:"".concat(2*s,"px")}],itemButton:[u.itemButton,d],itemContainer:[u.itemContainer,{display:"flex"}],members:[u.members,{display:"flex",overflow:"hidden",listStyleType:"none",padding:0,margin:"-".concat(s,"px")}],member:[u.member,{display:"inline-flex",flex:"0 0 auto",margin:"".concat(s,"px")}],overflowButton:[u.overflowButton,(0,n.getFocusStyle)(i,{inset:-1}),d,{fontSize:c.medium.fontSize,color:l.neutralSecondary,backgroundColor:l.neutralLighter,marginLeft:"".concat(2*s,"px")}],overflowInitialsIcon:[{color:l.neutralPrimary,selectors:(t={},t[n.HighContrastSelector]={color:"WindowText"},t)}],screenReaderOnly:n.hiddenContentStyle}}},13078:(e,t)=>{"use strict";var o;Object.defineProperty(t,"__esModule",{value:!0}),t.OverflowButtonType=void 0,(o=t.OverflowButtonType||(t.OverflowButtonType={}))[o.none=0]="none",o[o.descriptive=1]="descriptive",o[o.more=2]="more",o[o.downArrow=3]="downArrow"},81685:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.FacepileButton=void 0;var n=o(31635),r=o(83923),i=o(74393),a=o(71061),s=o(71009),l=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return n.__extends(t,e),t.prototype.render=function(){var e=this.props,t=e.className,o=e.styles,l=n.__rest(e,["className","styles"]),c=(0,s.getStyles)(this.props.theme,t,o);return r.createElement(i.BaseButton,n.__assign({},l,{variantClassName:"ms-Button--facepile",styles:c,onRenderDescription:a.nullRender}))},n.__decorate([(0,a.customizable)("FacepileButton",["theme","styles"],!0)],t)}(r.Component);t.FacepileButton=l},71009:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(31635),r=o(15019),i=o(71061),a=o(60500);t.getStyles=(0,i.memoizeFunction)((function(e,t,o){var i=(0,a.getStyles)(e),s=(0,r.concatStyleSets)(i,o);return n.__assign(n.__assign({},s),{root:[i.root,t,e.fonts.medium,o&&o.root]})}))},84602:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(13078),t),n.__exportStar(o(91938),t),n.__exportStar(o(30165),t)},54754:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.BaseFloatingPicker=void 0;var n=o(31635),r=o(83923),i=o(19250),a=o(71061),s=o(42502),l=o(16473),c=o(58459),u=i,d=function(e){function t(t){var o=e.call(this,t)||this;return o.root=r.createRef(),o.suggestionsControl=r.createRef(),o.SuggestionsControlOfProperType=c.SuggestionsControl,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 a.KeyCodes.escape:o.hidePicker(),e.preventDefault(),e.stopPropagation();break;case a.KeyCodes.tab:case a.KeyCodes.enter:!e.shiftKey&&!e.ctrlKey&&o.suggestionsControl.current&&o.suggestionsControl.current.handleKeyDown(t)?(e.preventDefault(),e.stopPropagation()):o._onValidateInput();break;case a.KeyCodes.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 a.KeyCodes.up:case a.KeyCodes.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 a.Async(o),(0,a.initializeComponentRef)(o),o.suggestionStore=t.suggestionsStore,o.state={queryString:"",didBind:!1},o}return n.__extends(t,e),Object.defineProperty(t.prototype,"inputText",{get:function(){return this.state.queryString},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"suggestions",{get:function(){return this.suggestionStore.suggestions},enumerable:!1,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:!1,configurable:!0}),Object.defineProperty(t.prototype,"isSuggestionsShown",{get:function(){return void 0!==this.state.suggestionsVisible&&this.state.suggestionsVisible},enumerable:!1,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 r.createElement("div",{ref:this.root,className:(0,a.css)("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?r.createElement(l.Callout,n.__assign({className:u.callout,isBeakVisible:!1,gapSpace:5,target:this.props.inputElement,onDismiss:this.hidePicker,directionalHint:s.DirectionalHint.bottomLeftEdge,directionalHintForRTL:s.DirectionalHint.bottomRightEdge,calloutWidth:this.props.calloutWidth?this.props.calloutWidth:0},this.props.pickerCalloutProps),r.createElement(e,n.__assign({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;Array.isArray(e)?this.updateSuggestions(e,!0):e&&e.then&&(this.currentPromise=e,e.then((function(o){e===t.currentPromise&&t.isComponentMounted&&t.updateSuggestions(o,!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}(r.Component);t.BaseFloatingPicker=d},19250:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.callout=void 0,(0,o(65715).loadStyles)([{rawString:".callout_ad5629e1 .ms-Suggestions-itemButton{padding:0;border:none}.callout_ad5629e1 .ms-Suggestions{min-width:300px}"}]),t.callout="callout_ad5629e1"},19045:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},42458:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.createItem=t.FloatingPeoplePicker=t.BaseFloatingPeoplePicker=void 0;var n=o(31635),r=o(71061),i=o(54754),a=o(57629);o(29352);var s=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return n.__extends(t,e),t}(i.BaseFloatingPicker);t.BaseFloatingPeoplePicker=s;var l=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return n.__extends(t,e),t.defaultProps={onRenderSuggestionsItem:function(e,t){return(0,a.SuggestionItemNormal)(n.__assign({},e),n.__assign({},t))},createGenericItem:c},t}(s);function c(e,t){var o={key:e,primaryText:e,imageInitials:"!",isValid:t};return t||(o.imageInitials=(0,r.getInitials)(e,(0,r.getRTL)())),o}t.FloatingPeoplePicker=l,t.createItem=c},29352:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.peoplePickerPersonaContent=t.peoplePicker=t.peoplePickerPersona=t.resultItem=t.resultContent=void 0,(0,o(65715).loadStyles)([{rawString:".resultContent_f73be5be{display:table-row}.resultContent_f73be5be .resultItem_f73be5be{display:table-cell;vertical-align:bottom}.peoplePickerPersona_f73be5be{width:180px}.peoplePickerPersona_f73be5be .ms-Persona-details{width:100%}.peoplePicker_f73be5be .ms-BasePicker-text{min-height:40px}.peoplePickerPersonaContent_f73be5be{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}"}]),t.resultContent="resultContent_f73be5be",t.resultItem="resultItem_f73be5be",t.peoplePickerPersona="peoplePickerPersona_f73be5be",t.peoplePicker="peoplePicker_f73be5be",t.peoplePickerPersonaContent="peoplePickerPersonaContent_f73be5be"},57629:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.SuggestionItemNormal=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(48377),s=o(29352);t.SuggestionItemNormal=function(e,t){return r.createElement("div",{className:(0,i.css)("ms-PeoplePicker-personaContent",s.peoplePickerPersonaContent)},r.createElement(a.Persona,n.__assign({presence:void 0!==e.presence?e.presence:a.PersonaPresence.none,size:a.PersonaSize.size40,className:(0,i.css)("ms-PeoplePicker-Persona",s.peoplePickerPersona),showSecondaryText:!0},e)))}},24707:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},58459:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.SuggestionsControl=t.SuggestionsHeaderFooterItem=t.SuggestionItemType=void 0;var n,r=o(31635),i=o(83923),a=o(71061),s=o(56039),l=o(68621),c=o(15019),u=l;!function(e){e[e.header=0]="header",e[e.suggestion=1]="suggestion",e[e.footer=2]="footer"}(n=t.SuggestionItemType||(t.SuggestionItemType={}));var d=function(e){function t(t){var o=e.call(this,t)||this;return(0,a.initializeComponentRef)(o),o}return r.__extends(t,e),t.prototype.render=function(){var e,t=this.props,o=t.renderItem,n=t.onExecute,r=t.isSelected,s=t.id,l=t.className;return n?i.createElement("div",{id:s,onClick:n,className:(0,a.css)("ms-Suggestions-sectionButton",l,u.actionButton,(e={},e["is-selected "+u.buttonSelected]=r,e))},o()):i.createElement("div",{id:s,className:(0,a.css)("ms-Suggestions-section",l,u.suggestionsTitle)},o())},t}(i.Component);t.SuggestionsHeaderFooterItem=d;var p=function(e){function t(t){var o=e.call(this,t)||this;return o._selectedElement=i.createRef(),o._suggestions=i.createRef(),o.SuggestionsOfProperType=s.SuggestionsCore,(0,a.initializeComponentRef)(o),o.state={selectedHeaderIndex:-1,selectedFooterIndex:-1,suggestions:t.suggestions},o}return r.__extends(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,s=(0,c.mergeStyles)(c.hiddenContentStyle),l=this.state.suggestions&&this.state.suggestions.length>0&&r;return i.createElement("div",{className:(0,a.css)("ms-Suggestions",t||"",u.root)},o&&this.renderHeaderItems(),this._renderSuggestions(),n&&this.renderFooterItems(),l?i.createElement("span",{role:"alert","aria-live":"polite",className:s},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:!1,configurable:!0}),Object.defineProperty(t.prototype,"currentSuggestionIndex",{get:function(){return this._suggestions.current?this._suggestions.current.currentIndex:-1},enumerable:!1,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:!1,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 i=e===n.header,a=i?this.props.headerItemsProps:this.props.footerItemsProps;if(a&&a.length>t+1)for(var s=t+1;s0)return null===(o=this._suggestions.current)||void 0===o||o.setSelectedSuggestion(i-1),this.setState({selectedHeaderIndex:-1,selectedFooterIndex:-1}),!0}else{var i,a=e===n.header,s=a?this.props.headerItemsProps:this.props.footerItemsProps;if(s&&(i=void 0!==t?t:s.length)>0)for(var l=i-1;l>=0;l--){var c=s[l];if(c.onExecute&&c.shouldShow())return this.setState({selectedHeaderIndex:a?l:-1}),this.setState({selectedFooterIndex:a?-1:l}),null===(r=this._suggestions.current)||void 0===r||r.deselectAllSuggestions(),!0}}return!1},t.prototype._getCurrentIndexForType=function(e){switch(e){case n.header:return this.state.selectedHeaderIndex;case n.suggestion:return this._suggestions.current.currentIndex;case n.footer:return this.state.selectedFooterIndex}},t.prototype._getNextItemSectionType=function(e){switch(e){case n.header:return n.suggestion;case n.suggestion:return n.footer;case n.footer:return n.header}},t.prototype._getPreviousItemSectionType=function(e){switch(e){case n.header:return n.footer;case n.suggestion:return n.header;case n.footer:return n.suggestion}},t}(i.Component);t.SuggestionsControl=p},68621:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.screenReaderOnly=t.itemButton=t.suggestionsSpinner=t.suggestionsTitle=t.buttonSelected=t.actionButton=t.root=void 0,(0,o(65715).loadStyles)([{rawString:".root_ade399af{min-width:260px}.actionButton_ade399af{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_ade399af{text-align:left}html[dir=rtl] .actionButton_ade399af{text-align:right}.actionButton_ade399af:hover{background-color:"},{theme:"neutralLighter",defaultValue:"#f3f2f1"},{rawString:";cursor:pointer}.actionButton_ade399af:active,.actionButton_ade399af:focus{background-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:"}.actionButton_ade399af .ms-Button-icon{font-size:16px;width:25px}.actionButton_ade399af .ms-Button-label{margin:0 4px 0 9px}html[dir=rtl] .actionButton_ade399af .ms-Button-label{margin:0 9px 0 4px}.buttonSelected_ade399af{background-color:"},{theme:"themeLighter",defaultValue:"#deecf9"},{rawString:"}.buttonSelected_ade399af:hover{background-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:";cursor:pointer}@media screen and (-ms-high-contrast:active),screen and (forced-colors:active){.buttonSelected_ade399af:hover{background-color:Highlight;color:HighlightText}}@media screen and (-ms-high-contrast:active),screen and (forced-colors:active){.buttonSelected_ade399af{background-color:Highlight;color:HighlightText;-ms-high-contrast-adjust:none}}.suggestionsTitle_ade399af{font-size:12px}.suggestionsSpinner_ade399af{margin:5px 0;white-space:nowrap;line-height:20px;font-size:12px}html[dir=ltr] .suggestionsSpinner_ade399af{padding-left:14px}html[dir=rtl] .suggestionsSpinner_ade399af{padding-right:14px}html[dir=ltr] .suggestionsSpinner_ade399af{text-align:left}html[dir=rtl] .suggestionsSpinner_ade399af{text-align:right}.suggestionsSpinner_ade399af .ms-Spinner-circle{display:inline-block;vertical-align:middle}.suggestionsSpinner_ade399af .ms-Spinner-label{display:inline-block;margin:0 10px 0 16px;vertical-align:middle}html[dir=rtl] .suggestionsSpinner_ade399af .ms-Spinner-label{margin:0 16px 0 10px}.itemButton_ade399af{height:100%;width:100%;padding:7px 12px}@media screen and (-ms-high-contrast:active),screen and (forced-colors:active){.itemButton_ade399af{color:WindowText}}.screenReaderOnly_ade399af{position:absolute;width:1px;height:1px;padding:0;margin:-1px;overflow:hidden;clip:rect(0,0,0,0);border:0}"}]),t.root="root_ade399af",t.actionButton="actionButton_ade399af",t.buttonSelected="buttonSelected_ade399af",t.suggestionsTitle="suggestionsTitle_ade399af",t.suggestionsSpinner="suggestionsSpinner_ade399af",t.itemButton="itemButton_ade399af",t.screenReaderOnly="screenReaderOnly_ade399af"},56039:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.SuggestionsCore=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(31518),s=o(65161),l=function(e){function t(t){var o=e.call(this,t)||this;return o._selectedElement=r.createRef(),o.SuggestionsItemOfProperType=a.SuggestionsItem,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,i.initializeComponentRef)(o),o.currentIndex=-1,o}return n.__extends(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:!1,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,a=t.resultsMaximumNumber,l=t.showRemoveButtons,c=t.suggestionsContainerAriaLabel,u=this.SuggestionsItemOfProperType,d=this.props.suggestions;return a&&(d=d.slice(0,a)),r.createElement("div",{className:(0,i.css)("ms-Suggestions-container",s.suggestionsContainer),id:"suggestion-list",role:"listbox","aria-label":c},d.map((function(t,i){return r.createElement("div",{ref:t.selected||i===e.currentIndex?e._selectedElement:void 0,key:t.item.key?t.item.key:i,id:"sug-"+i},r.createElement(u,{id:"sug-item"+i,suggestionModel:t,RenderSuggestion:o,onClick:e._onClickTypedSuggestionsItem(t.item,i),className:n,showRemoveButton:l,onRemoveItem:e._onRemoveTypedSuggestionsItem(t.item,i),isSelectedOverride:i===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}(r.Component);t.SuggestionsCore=l},65161:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.suggestionsContainer=void 0,(0,o(65715).loadStyles)([{rawString:".suggestionsContainer_44c59fda{overflow-y:auto;overflow-x:hidden;max-height:300px}.suggestionsContainer_44c59fda .ms-Suggestion-item:hover{background-color:"},{theme:"neutralLighter",defaultValue:"#f3f2f1"},{rawString:";cursor:pointer}.suggestionsContainer_44c59fda .is-suggested{background-color:"},{theme:"themeLighter",defaultValue:"#deecf9"},{rawString:"}.suggestionsContainer_44c59fda .is-suggested:hover{background-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:";cursor:pointer}"}]),t.suggestionsContainer="suggestionsContainer_44c59fda"},91523:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.SuggestionsStore=void 0;var o=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}();t.SuggestionsStore=o},41587:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(54754),t),n.__exportStar(o(19045),t),n.__exportStar(o(42458),t),n.__exportStar(o(91523),t),n.__exportStar(o(58459),t),n.__exportStar(o(56039),t),n.__exportStar(o(24707),t)},79813:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.FocusTrapZone=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(25698),s=o(71628),l=o(50478),c={disabled:!1,disableFirstFocus:!1,forceFocusInsideTrap:!0,isClickableOutsideFocusTrap:!1,"data-tabster":'{"uncontrolled": {"completely": true}}'};t.FocusTrapZone=r.forwardRef((function(e,o){var u,d=r.useRef(null),p=r.useRef(null),m=r.useRef(null),g=(0,a.useMergedRefs)(d,o),h=(0,s.useDocument)(),f=(0,l.useWindowEx)(),v=(0,i.useHasMergeStylesShadowRootContext)(),b=null===(u=(0,a.usePrevious)(!1))||void 0===u||u,y=(0,i.getPropsWithDefaults)(c,e),_=(0,a.useConst)({hasFocus:!1,focusStackId:(0,a.useId)("ftz-",y.id)}),S=y.children,C=y.componentRef,x=y.disabled,P=y.disableFirstFocus,k=y.forceFocusInsideTrap,I=y.focusPreviouslyFocusedInnerElement,w=y.firstFocusableSelector,T=y.firstFocusableTarget,E=y.disableRestoreFocus,D=void 0===E?y.ignoreExternalFocusing:E,M=y.isClickableOutsideFocusTrap,O=y.enableAriaHiddenSiblings,R={"aria-hidden":!0,style:{pointerEvents:"none",position:"fixed"},tabIndex:x?-1:0,"data-is-visible":!0,"data-is-focus-trap-zone-bumper":!0},F=r.useCallback((function(e){e!==p.current&&e!==m.current&&(0,i.focusAsync)(e)}),[]),B=(0,a.useEventCallback)((function(){if(d.current){var e=_.previouslyFocusedElementInTrapZone;if(I&&e&&(0,i.elementContains)(d.current,e))F(e);else{var t=null;if("string"==typeof T)t=d.current.querySelector(T);else if(T)t=T(d.current);else if(w){var o="string"==typeof w?w:w();t=d.current.querySelector("."+o)}t||(t=(0,i.getNextElement)(d.current,d.current.firstChild,!1,!1,!1,!0,void 0,void 0,void 0,v)),t&&F(t)}}})),A=function(e){if(!x&&d.current){var t=e===_.hasFocus?(0,i.getLastTabbable)(d.current,m.current,!0,!1,v):(0,i.getFirstTabbable)(d.current,p.current,!0,!1,v);t&&(t===p.current||t===m.current?B():t.focus())}},N=(0,a.useEventCallback)((function(e){if(t.FocusTrapZone.focusStack=t.FocusTrapZone.focusStack.filter((function(e){return _.focusStackId!==e})),h){var o=h.activeElement;D||"function"!=typeof(null==e?void 0:e.focus)||!(0,i.elementContains)(d.current,o)&&o!==h.body&&!o.shadowRoot||F(e)}})),L=(0,a.useEventCallback)((function(e){if(!x&&_.focusStackId===t.FocusTrapZone.focusStack.slice(-1)[0]){var o=(0,i.getEventTarget)(e);o&&!(0,i.elementContains)(d.current,o)&&(h&&(0,i.getActiveElement)(h)===h.body?setTimeout((function(){h&&(0,i.getActiveElement)(h)===h.body&&(B(),_.hasFocus=!0)}),0):(B(),_.hasFocus=!0),e.preventDefault(),e.stopPropagation())}}));return r.useEffect((function(){var e=[];return k&&e.push((0,i.on)(f,"focus",L,!0)),M||e.push((0,i.on)(f,"click",L,!0)),function(){e.forEach((function(e){return e()}))}}),[k,M,f]),r.useEffect((function(){if(!x&&(b||k)&&d.current){t.FocusTrapZone.focusStack.push(_.focusStackId);var e=y.elementToFocusOnDismiss||(0,i.getActiveElement)(h);return P||(0,i.elementContains)(d.current,e)||B(),function(){return N(e)}}}),[k,x]),r.useEffect((function(){if(!x&&O)return(0,i.modalize)(d.current)}),[x,O,d]),(0,a.useUnmount)((function(){delete _.previouslyFocusedElementInTrapZone})),function(e,t,o){r.useImperativeHandle(e,(function(){return{get previouslyFocusedElement(){return t},focus:o}}),[o,t])}(C,_.previouslyFocusedElementInTrapZone,B),r.createElement("div",n.__assign({"aria-labelledby":y.ariaLabelledBy},(0,i.getNativeProps)(y,i.divProperties),{ref:g,onFocusCapture:function(e){var t;null===(t=y.onFocusCapture)||void 0===t||t.call(y,e),e.target===p.current?A(!0):e.target===m.current&&A(!1),_.hasFocus=!0,e.target!==e.currentTarget&&e.target!==p.current&&e.target!==m.current&&(_.previouslyFocusedElementInTrapZone=(0,i.getEventTarget)(e.nativeEvent))},onBlurCapture:function(e){var t;null===(t=y.onBlurCapture)||void 0===t||t.call(y,e);var o=e.relatedTarget;null===e.relatedTarget&&(o=(0,i.getActiveElement)(h)),(0,i.elementContains)(d.current,o)||(_.hasFocus=!1)}}),r.createElement("div",n.__assign({},R,{ref:p})),S,r.createElement("div",n.__assign({},R,{ref:m})))})),t.FocusTrapZone.displayName="FocusTrapZone",t.FocusTrapZone.focusStack=[]},14566:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},51600:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(79813),t),n.__exportStar(o(14566),t)},30844:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.GroupFooterBase=void 0;var n=o(83923),r=o(71061),i=o(30396),a=(0,r.classNamesFunction)();t.GroupFooterBase=function(e){var t=e.group,o=e.groupLevel,r=e.footerText,s=e.indentWidth,l=e.styles,c=e.theme,u=a(l,{theme:c});return t&&r?n.createElement("div",{className:u.root},n.createElement(i.GroupSpacer,{indentWidth:s,count:o}),r):null}},48143:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.GroupFooter=void 0;var n=o(71061),r=o(15059),i=o(30844);t.GroupFooter=(0,n.styled)(i.GroupFooterBase,r.getStyles,void 0,{scope:"GroupFooter"})},15059:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r={root:"ms-groupFooter"};t.getStyles=function(e){var t=e.theme,o=e.className,i=(0,n.getGlobalClassNames)(r,t);return{root:[t.fonts.medium,i.root,{position:"relative",padding:"5px 38px"},o]}}},55066:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.GroupHeaderBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(18055),s=o(12945),l=o(30936),c=o(30396),u=o(66044),d=o(45041),p=(0,i.classNamesFunction)(),m=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 a=o.state.isCollapsed&&e.which===(0,i.getRTLSafeKeyCode)(i.KeyCodes.right,o.props.theme);(!o.state.isCollapsed&&e.which===(0,i.getRTLSafeKeyCode)(i.KeyCodes.left,o.props.theme)||a)&&(o._toggleCollapse(),e.stopPropagation(),e.preventDefault())}},o._onToggleClick=function(e){o._toggleCollapse(),e.stopPropagation(),e.preventDefault()},o._onHeaderClick=function(){var e=o.props,t=e.group,n=e.onGroupHeaderClick;n&&n(t)},o._onRenderTitle=function(e){if(!e.group)return null;var t=e.onRenderName?(0,i.composeRenderFunction)(e.onRenderName,o._onRenderName):o._onRenderName;return r.createElement("div",{className:o._classNames.title,id:o._id,onClick:o._onHeaderClick,role:"gridcell","aria-colspan":o.props.ariaColSpan,"data-selection-invoke":!0},t(e))},o._onRenderName=function(e){var t=e.group;return t?r.createElement(r.Fragment,null,r.createElement("span",null,t.name),r.createElement("span",{className:o._classNames.headerCount},"(",t.count,t.hasMoreData&&"+",")")):null},o._id=(0,i.getId)("GroupHeader"),o.state={isCollapsed:o.props.group&&o.props.group.isCollapsed,isLoadingVisible:!1},o}return n.__extends(t,e),t.getDerivedStateFromProps=function(e,t){if(e.group){var o=e.group.isCollapsed,r=e.isGroupLoading,i=!o&&r&&r(e.group);return n.__assign(n.__assign({},t),{isCollapsed:o||!1,isLoadingVisible:i||!1})}return t},t.prototype.render=function(){var e=this.props,t=e.group,o=e.groupLevel,s=void 0===o?0:o,m=e.viewport,g=e.selectionMode,h=e.loadingText,f=e.isSelected,v=void 0!==f&&f,b=e.selected,y=void 0!==b&&b,_=e.indentWidth,S=e.onRenderGroupHeaderCheckbox,C=e.isCollapsedGroupSelectVisible,x=void 0===C||C,P=e.expandButtonProps,k=e.expandButtonIcon,I=e.selectAllButtonProps,w=e.theme,T=e.styles,E=e.className,D=e.compact,M=e.ariaLevel,O=e.ariaPosInSet,R=e.ariaSetSize,F=e.ariaRowIndex,B=e.useFastIcons,A=this.props.onRenderTitle?(0,i.composeRenderFunction)(this.props.onRenderTitle,this._onRenderTitle):this._onRenderTitle,N=B?this._fastDefaultCheckboxRender:this._defaultCheckboxRender,L=S?(0,i.composeRenderFunction)(S,N):N,H=this.state,j=H.isCollapsed,z=H.isLoadingVisible,W=g===a.SelectionMode.multiple,V=W&&(x||!(t&&t.isCollapsed)),K=y||v,G=(0,i.getRTL)(w);return this._classNames=p(T,{theme:w,className:E,selected:K,isCollapsed:j,compact:D}),t?r.createElement("div",{className:this._classNames.root,style:m?{minWidth:m.width}:{},role:"row","aria-level":M,"aria-setsize":R,"aria-posinset":O,"aria-rowindex":F,"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":W?K:void 0,"data-selection-index":t.startIndex,"data-selection-span":t.count},r.createElement("div",{className:this._classNames.groupHeaderContainer,role:"presentation"},V?r.createElement("div",{role:"gridcell"},r.createElement("button",n.__assign({"data-is-focusable":!1,type:"button",className:this._classNames.check,role:"checkbox",id:"".concat(this._id,"-check"),"aria-checked":K,"aria-labelledby":"".concat(this._id,"-check ").concat(this._id),"data-selection-toggle":!0},I),L({checked:K,theme:w},L))):g!==a.SelectionMode.none&&r.createElement(c.GroupSpacer,{indentWidth:d.CHECK_CELL_WIDTH,count:1}),r.createElement(c.GroupSpacer,{indentWidth:_,count:s}),r.createElement("div",{className:this._classNames.dropIcon,role:"presentation"},r.createElement(l.Icon,{iconName:"Tag"})),r.createElement("div",{role:"gridcell"},r.createElement("button",n.__assign({"data-is-focusable":!1,"data-selection-disabled":!0,type:"button",className:this._classNames.expand,onClick:this._onToggleClick,"aria-expanded":!this.state.isCollapsed},P),r.createElement(l.Icon,{className:this._classNames.expandIsCollapsed,iconName:k||(G?"ChevronLeftMed":"ChevronRightMed")}))),A(this.props),z&&r.createElement(u.Spinner,{label:h}))):null},t.prototype._defaultCheckboxRender=function(e){return r.createElement(s.Check,{checked:e.checked})},t.prototype._fastDefaultCheckboxRender=function(e){return r.createElement(g,{theme:e.theme,checked:e.checked})},t.defaultProps={expandButtonProps:{"aria-label":"expand collapse group"}},t}(r.Component);t.GroupHeaderBase=m;var g=r.memo((function(e){return r.createElement(s.Check,{theme:e.theme,checked:e.checked,className:e.className,useFastIcons:!0})}))},89965:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.GroupHeader=void 0;var n=o(71061),r=o(22585),i=o(55066);t.GroupHeader=(0,n.styled)(i.GroupHeaderBase,r.getStyles,void 0,{scope:"GroupHeader"})},22585:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r=o(71061),i=o(43937),a=o(45041),s=o(30396),l={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"},c="cubic-bezier(0.390, 0.575, 0.565, 1.000)";t.getStyles=function(e){var t,o,u,d,p,m=e.theme,g=e.className,h=e.selected,f=e.isCollapsed,v=e.compact,b=i.DEFAULT_CELL_STYLE_PROPS.cellLeftPadding,y=v?40:48,_=m.semanticColors,S=m.palette,C=m.fonts,x=(0,n.getGlobalClassNames)(l,m),P=[(0,n.getFocusStyle)(m),{cursor:"default",background:"none",backgroundColor:"transparent",border:"none",padding:0}];return{root:[x.root,(0,n.getFocusStyle)(m),m.fonts.medium,{borderBottom:"1px solid ".concat(_.listBackground),cursor:"default",userSelect:"none",selectors:(t={":hover":{background:_.listItemBackgroundHovered,color:_.actionLinkHovered}},t["&:hover .".concat(x.check)]={opacity:1},t[".".concat(r.IsFocusVisibleClassName," &:focus .").concat(x.check,", :host(.").concat(r.IsFocusVisibleClassName,") &:focus .").concat(x.check)]={opacity:1},t[":global(.".concat(x.group,".").concat(x.isDropping,")")]={selectors:(o={},o["& > .".concat(x.root," .").concat(x.dropIcon)]={transition:"transform ".concat(n.AnimationVariables.durationValue4," ").concat("cubic-bezier(0.075, 0.820, 0.165, 1.000)"," ")+"opacity ".concat(n.AnimationVariables.durationValue1," ").concat(c),transitionDelay:n.AnimationVariables.durationValue3,opacity:1,transform:"rotate(0.2deg) scale(1);"},o[".".concat(x.check)]={opacity:0},o)},t)},h&&[x.isSelected,{background:_.listItemBackgroundChecked,selectors:(u={":hover":{background:_.listItemBackgroundCheckedHovered}},u["".concat(x.check)]={opacity:1},u)}],v&&[x.compact,{border:"none"}],g],groupHeaderContainer:[{display:"flex",alignItems:"center",height:y}],headerCount:[{padding:"0px 4px"}],check:[x.check,P,{display:"flex",alignItems:"center",justifyContent:"center",paddingTop:1,marginTop:-1,opacity:0,width:a.CHECK_CELL_WIDTH,height:y,selectors:(d={},d[".".concat(r.IsFocusVisibleClassName," &:focus, :host(.").concat(r.IsFocusVisibleClassName,") &:focus")]={opacity:1},d)}],expand:[x.expand,P,{display:"flex",flexShrink:0,alignItems:"center",justifyContent:"center",fontSize:C.small.fontSize,width:s.SPACER_WIDTH,height:y,color:h?S.neutralPrimary:S.neutralSecondary,selectors:{":hover":{backgroundColor:h?S.neutralQuaternary:S.neutralLight},":active":{backgroundColor:h?S.neutralTertiaryAlt:S.neutralQuaternaryAlt}}}],expandIsCollapsed:[f?[x.isCollapsed,{transform:"rotate(0deg)",transformOrigin:"50% 50%",transition:"transform .1s linear"}]:{transform:(0,r.getRTL)(m)?"rotate(-90deg)":"rotate(90deg)",transformOrigin:"50% 50%",transition:"transform .1s linear"}],title:[x.title,{paddingLeft:b,fontSize:v?C.medium.fontSize:C.mediumPlus.fontSize,fontWeight:f?n.FontWeights.regular:n.FontWeights.semibold,cursor:"pointer",outline:0,whiteSpace:"nowrap",textOverflow:"ellipsis",overflow:"hidden"}],dropIcon:[x.dropIcon,{position:"absolute",left:-26,fontSize:n.IconFontSizes.large,color:S.neutralSecondary,transition:"transform ".concat(n.AnimationVariables.durationValue2," ").concat("cubic-bezier(0.600, -0.280, 0.735, 0.045)",", ")+"opacity ".concat(n.AnimationVariables.durationValue4," ").concat(c),opacity:0,transform:"rotate(0.2deg) scale(0.65)",transformOrigin:"10px 10px",selectors:(p={},p[":global(.".concat(x.iconTag,")")]={position:"absolute"},p)}]}}},49523:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.GroupShowAllBase=void 0;var n=o(83923),r=o(83923),i=o(71061),a=o(12329),s=o(30396),l=(0,i.classNamesFunction)();t.GroupShowAllBase=function(e){var t=e.group,o=e.groupLevel,i=e.showAllLinkText,c=void 0===i?"Show All":i,u=e.styles,d=e.theme,p=e.onToggleSummarize,m=l(u,{theme:d}),g=(0,r.useCallback)((function(e){p(t),e.stopPropagation(),e.preventDefault()}),[p,t]);return t?n.createElement("div",{className:m.root},n.createElement(s.GroupSpacer,{count:o}),n.createElement(a.Link,{onClick:g},c)):null}},54414:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.GroupShowAll=void 0;var n=o(71061),r=o(25992),i=o(49523);t.GroupShowAll=(0,n.styled)(i.GroupShowAllBase,r.getStyles,void 0,{scope:"GroupShowAll"})},25992:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r={root:"ms-GroupShowAll",link:"ms-Link"};t.getStyles=function(e){var t,o=e.theme,i=o.fonts,a=(0,n.getGlobalClassNames)(r,o);return{root:[a.root,{position:"relative",padding:"10px 84px",cursor:"pointer",selectors:(t={},t[".".concat(a.link)]={fontSize:i.small.fontSize},t)}]}}},30396:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.GroupSpacer=t.SPACER_WIDTH=void 0;var n=o(83923);t.SPACER_WIDTH=36,t.GroupSpacer=function(e){var o=e.count,r=e.indentWidth,i=void 0===r?t.SPACER_WIDTH:r,a=e.role,s=void 0===a?"presentation":a,l=o*i;return o>0?n.createElement("span",{className:"ms-GroupSpacer",style:{display:"inline-block",width:l},role:s}):null}},60767:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},96254:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.GroupedListBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(67154),s=o(2133),l=o(18055),c=o(43937),u=o(80371),d=(0,i.classNamesFunction)(),p=c.DEFAULT_ROW_HEIGHTS.rowHeight,m=c.DEFAULT_ROW_HEIGHTS.compactRowHeight,g=function(e){function t(t){var o=e.call(this,t)||this;o._list=r.createRef(),o._renderGroup=function(e,t){var i=o.props,s=i.dragDropEvents,l=i.dragDropHelper,c=i.eventsToRegister,u=i.groupProps,d=i.items,p=i.listProps,m=i.onRenderCell,g=i.selectionMode,h=i.selection,f=i.viewport,v=i.onShouldVirtualize,b=i.groups,y=i.compact,_={onToggleSelectGroup:o._onToggleSelectGroup,onToggleCollapse:o._onToggleCollapse,onToggleSummarize:o._onToggleSummarize},S=n.__assign(n.__assign({},u.headerProps),_),C=n.__assign(n.__assign({},u.showAllProps),_),x=n.__assign(n.__assign({},u.footerProps),_),P=o._getGroupNestingDepth();if(!u.showEmptyGroups&&e&&0===e.count)return null;var k=n.__assign(n.__assign({},p||{}),{version:o.state.version});return r.createElement(a.GroupedListSection,{key:o._getGroupKey(e,t),dragDropEvents:s,dragDropHelper:l,eventsToRegister:c,footerProps:x,getGroupItemLimit:u&&u.getGroupItemLimit,group:e,groupIndex:t,groupNestingDepth:P,groupProps:u,headerProps:S,listProps:k,items:d,onRenderCell:m,onRenderGroupHeader:u.onRenderHeader,onRenderGroupShowAll:u.onRenderShowAll,onRenderGroupFooter:u.onRenderFooter,selectionMode:g,selection:h,showAllProps:C,viewport:f,onShouldVirtualize:v,groupedListClassNames:o._classNames,groups:b,compact:y})},o._getDefaultGroupItemLimit=function(e){return e.children&&e.children.length>0?e.children.length:e.count},o._getGroupItemLimit=function(e){var t=o.props.groupProps;return(t&&t.getGroupItemLimit?t.getGroupItemLimit:o._getDefaultGroupItemLimit)(e)},o._getGroupHeight=function(e){var t=o.props.compact?m:p;return t+(e.isCollapsed?0:t*o._getGroupItemLimit(e))},o._getPageHeight=function(e){var t=o.state.groups,n=o.props.getGroupHeight,r=void 0===n?o._getGroupHeight:n,i=t&&t[e];return i?r(i,e):0},o._onToggleCollapse=function(e){var t=o.props.groupProps,n=t&&t.headerProps&&t.headerProps.onToggleCollapse;e&&(n&&n(e),e.isCollapsed=!e.isCollapsed,o._updateIsSomeGroupExpanded(),o.forceUpdate())},o._onToggleSelectGroup=function(e){var t=o.props,n=t.selection,r=t.selectionMode;e&&n&&r===l.SelectionMode.multiple&&n.toggleRangeSelected(e.startIndex,e.count)},o._isInnerZoneKeystroke=function(e){return e.which===(0,i.getRTLSafeKeyCode)(i.KeyCodes.right)},o._onToggleSummarize=function(e){var t=o.props.groupProps,n=t&&t.showAllProps&&t.showAllProps.onToggleSummarize;n?n(e):(e&&(e.isShowingAll=!e.isShowingAll),o.forceUpdate())},o._getPageSpecification=function(e){var t=o.state.groups,n=t&&t[e];return{key:n&&n.key}},(0,i.initializeComponentRef)(o),o._isSomeGroupExpanded=o._computeIsSomeGroupExpanded(t.groups);var s=t.listProps,c=(void 0===s?{}:s).version,u=void 0===c?{}:c;return o.state={groups:t.groups,items:t.items,listProps:t.listProps,version:u},o}return n.__extends(t,e),t.getDerivedStateFromProps=function(e,t){var o=e.groups,r=e.selectionMode,i=e.compact,a=e.items,s=e.listProps,l=s&&s.version,c=n.__assign(n.__assign({},t),{selectionMode:r,compact:i,groups:o,listProps:s,items:a}),u=!1;return l===(t.listProps&&t.listProps.version)&&a===t.items&&o===t.groups&&r===t.selectionMode&&i===t.compact||(u=!0),u&&(c=n.__assign(n.__assign({},c),{version:{}})),c},t.prototype.scrollToIndex=function(e,t,o){this._list.current&&this._list.current.scrollToIndex(e,t,o)},t.prototype.getStartItemIndexInView=function(){return this._list.current.getStartItemIndexInView()||0},t.prototype.componentDidMount=function(){var e=this.props,t=e.groupProps,o=e.groups,n=void 0===o?[]:o;t&&t.isAllGroupsCollapsed&&this._setGroupsCollapsedState(n,t.isAllGroupsCollapsed)},t.prototype.render=function(){var e=this.props,t=e.className,o=e.usePageCache,a=e.onShouldVirtualize,l=e.theme,c=e.role,p=void 0===c?"treegrid":c,m=e.styles,g=e.compact,h=e.focusZoneProps,f=void 0===h?{}:h,v=e.rootListProps,b=void 0===v?{}:v,y=this.state,_=y.groups,S=y.version;this._classNames=d(m,{theme:l,className:t,compact:g});var C=f.shouldEnterInnerZone,x=void 0===C?this._isInnerZoneKeystroke:C;return r.createElement(u.FocusZone,n.__assign({direction:u.FocusZoneDirection.vertical,"data-automationid":"GroupedList","data-is-scrollable":"false",role:"presentation"},f,{shouldEnterInnerZone:x,className:(0,i.css)(this._classNames.root,f.className)}),r.createElement(i.FocusRects,null),_?r.createElement(s.List,n.__assign({ref:this._list,role:p,items:_,onRenderCell:this._renderGroup,getItemCountForPage:this._returnOne,getPageHeight:this._getPageHeight,getPageSpecification:this._getPageSpecification,usePageCache:o,onShouldVirtualize:a,version:S},b)):this._renderGroup(void 0,0))},t.prototype.forceUpdate=function(){e.prototype.forceUpdate.call(this),this._forceListUpdates()},t.prototype.toggleCollapseAll=function(e){var t=this.state.groups,o=void 0===t?[]:t,n=this.props.groupProps,r=n&&n.onToggleCollapseAll;o.length>0&&(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:l.SelectionMode.multiple,isHeaderVisible:!0,groupProps:{},compact:!1},t}(r.Component);t.GroupedListBase=g},13849:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.GroupedList=void 0;var n=o(71061),r=o(24781),i=o(96254);t.GroupedList=(0,n.styled)(i.GroupedListBase,r.getStyles,void 0,{scope:"GroupedList"})},24781:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r={root:"ms-GroupedList",compact:"ms-GroupedList--Compact",group:"ms-GroupedList-group",link:"ms-Link",listCell:"ms-List-cell"};t.getStyles=function(e){var t,o,i=e.theme,a=e.className,s=e.compact,l=i.palette,c=(0,n.getGlobalClassNames)(r,i);return{root:[c.root,i.fonts.small,{position:"relative",selectors:(t={},t[".".concat(c.listCell)]={minHeight:38},t)},s&&[c.compact,{selectors:(o={},o[".".concat(c.listCell)]={minHeight:32},o)}],a],group:[c.group,{transition:"background-color ".concat(n.AnimationVariables.durationValue2," ").concat("cubic-bezier(0.445, 0.050, 0.550, 0.950)")}],groupIsDropping:{backgroundColor:l.neutralLight}}}},88578:(e,t)=>{"use strict";var o;Object.defineProperty(t,"__esModule",{value:!0}),t.CollapseAllVisibility=void 0,(o=t.CollapseAllVisibility||(t.CollapseAllVisibility={}))[o.hidden=0]="hidden",o[o.visible=1]="visible"},67154:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.GroupedListSection=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(18055),s=o(89965),l=o(54414),c=o(48143),u=o(2133),d=function(e){function t(o){var a=e.call(this,o)||this;a._root=r.createRef(),a._list=r.createRef(),a._subGroupRefs={},a._droppingClassName="",a._onRenderGroupHeader=function(e){return r.createElement(s.GroupHeader,n.__assign({},e))},a._onRenderGroupShowAll=function(e){return r.createElement(l.GroupShowAll,n.__assign({},e))},a._onRenderGroupFooter=function(e){return r.createElement(c.GroupFooter,n.__assign({},e))},a._renderSubGroup=function(e,o){var n=a.props,i=n.dragDropEvents,s=n.dragDropHelper,l=n.eventsToRegister,c=n.getGroupItemLimit,u=n.groupNestingDepth,d=n.groupProps,p=n.items,m=n.headerProps,g=n.showAllProps,h=n.footerProps,f=n.listProps,v=n.onRenderCell,b=n.selection,y=n.selectionMode,_=n.viewport,S=n.onRenderGroupHeader,C=n.onRenderGroupShowAll,x=n.onRenderGroupFooter,P=n.onShouldVirtualize,k=n.group,I=n.compact,w=e.level?e.level+1:u;return!e||e.count>0||d&&d.showEmptyGroups?r.createElement(t,{ref:function(e){return a._subGroupRefs["subGroup_"+o]=e},key:a._getGroupKey(e,o),dragDropEvents:i,dragDropHelper:s,eventsToRegister:l,footerProps:h,getGroupItemLimit:c,group:e,groupIndex:o,groupNestingDepth:w,groupProps:d,headerProps:m,items:p,listProps:f,onRenderCell:v,selection:b,selectionMode:y,showAllProps:g,viewport:_,onRenderGroupHeader:S,onRenderGroupShowAll:C,onRenderGroupFooter:x,onShouldVirtualize:P,groups:k?k.children:[],compact:I}):null},a._getGroupDragDropOptions=function(){var e=a.props,t=e.group,o=e.groupIndex,n=e.dragDropEvents;return{eventMap:e.eventsToRegister,selectionIndex:-1,context:{data:t,index:o,isGroup:!0},updateDropState:a._updateDroppingState,canDrag:n.canDrag,canDrop:n.canDrop,onDrop:n.onDrop,onDragStart:n.onDragStart,onDragEnter:n.onDragEnter,onDragLeave:n.onDragLeave,onDragEnd:n.onDragEnd,onDragOver:n.onDragOver}},a._updateDroppingState=function(e,t){var o=a.state.isDropping,n=a.props,r=n.dragDropEvents,i=n.group;o!==e&&(o?r&&r.onDragLeave&&r.onDragLeave(i,t):r&&r.onDragEnter&&(a._droppingClassName=r.onDragEnter(i,t)),a.setState({isDropping:e}))};var u=o.selection,d=o.group;return(0,i.initializeComponentRef)(a),a._id=(0,i.getId)("GroupedListSection"),a.state={isDropping:!1,isSelected:!(!u||!d)&&u.isRangeSelected(d.startIndex,d.count)},a._events=new i.EventGroup(a),a}return n.__extends(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,a.SELECTION_CHANGE,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,a=e.groupIndex,s=e.headerProps,l=e.showAllProps,c=e.footerProps,d=e.viewport,p=e.selectionMode,m=e.onRenderGroupHeader,g=void 0===m?this._onRenderGroupHeader:m,h=e.onRenderGroupShowAll,f=void 0===h?this._onRenderGroupShowAll:h,v=e.onRenderGroupFooter,b=void 0===v?this._onRenderGroupFooter:v,y=e.onShouldVirtualize,_=e.groupedListClassNames,S=e.groups,C=e.compact,x=e.listProps,P=void 0===x?{}:x,k=this.state.isSelected,I=o&&t?t(o):1/0,w=o&&!o.children&&!o.isCollapsed&&!o.isShowingAll&&(o.count>I||o.hasMoreData),T=o&&o.children&&o.children.length>0,E=P.version,D={group:o,groupIndex:a,groupLevel:o?o.level:0,isSelected:k,selected:k,viewport:d,selectionMode:p,groups:S,compact:C},M={groupedListId:this._id,ariaLevel:(null==o?void 0:o.level)?o.level+1:1,ariaSetSize:S?S.length:void 0,ariaPosInSet:void 0!==a?a+1:void 0},O=n.__assign(n.__assign(n.__assign({},s),D),M),R=n.__assign(n.__assign({},l),D),F=n.__assign(n.__assign({},c),D),B=!!this.props.dragDropHelper&&this._getGroupDragDropOptions().canDrag(o)&&!!this.props.dragDropEvents.canDragGroups;return r.createElement("div",n.__assign({ref:this._root},B&&{draggable:!0},{className:(0,i.css)(_&&_.group,this._getDroppingClassName()),role:"presentation"}),g(O,this._onRenderGroupHeader),o&&o.isCollapsed?null:T?r.createElement(u.List,{role:"presentation",ref:this._list,items:o?o.children:[],onRenderCell:this._renderSubGroup,getItemCountForPage:this._returnOne,onShouldVirtualize:y,version:E,id:this._id}):this._onRenderGroup(I),o&&o.isCollapsed?null:w&&f(R,this._onRenderGroupShowAll),b(F,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;o=0;)i.push({group:e[s],groupIndex:s+1}),s--;for(;i.length>0;){var l=i.pop(),c=l.group,u=l.groupIndex;for(o[r]={group:c,groupId:(0,a.getId)("GroupedListSection"),type:"header",groupIndex:u},r++;!0!==c.isCollapsed&&(null==c?void 0:c.children)&&c.children.length>0;){for(s=c.children.length-1;s>0;)i.push({group:c.children[s],groupIndex:s+1}),s--;c=c.children[0],o[r]={group:c,groupId:(0,a.getId)("GroupedListSection"),type:"header",groupIndex:1},r++}if(!0!==c.isCollapsed){for(var d=c.startIndex,p=n?n(c):1/0,m=c.isShowingAll?t.length:c.count,g=d+Math.min(m,p);dp||c.hasMoreData)&&(o[r]={group:c,type:"showAll"},r++)}o[r]={group:c,type:"footer"},r++}return o.length=r,o}(I,k,$.current,null==p?void 0:p.getGroupItemLimit)}),[I,null==p?void 0:p.getGroupItemLimit,k,ae,$,V]),de=i.useCallback((function(e){var t=ue[e];return{key:"header"===t.type?t.group.key:void 0}}),[ue]);i.useImperativeHandle(W,(function(){var e;return{scrollToIndex:function(t,o,n){var r,i=(e=null!=e?e:ue.reduce((function(e,t,o){return"item"===t.type&&(e[t.itemIndex]=o),e}),[]))[t],a="function"==typeof o?function(e){var t;return"item"===(null===(t=ue[e])||void 0===t?void 0:t.type)?o(ue[e].itemIndex):0}:void 0;null===(r=te.current)||void 0===r||r.scrollToIndex(i,a,n)},getStartItemIndexInView:function(){var e;return(null===(e=te.current)||void 0===e?void 0:e.getStartItemIndexInView())||0}}}),[ue,te]),i.useEffect((function(){return(null==p?void 0:p.isAllGroupsCollapsed)&&g(I,p.isAllGroupsCollapsed),J.current=new a.EventGroup(n),function(){var e;null===(e=J.current)||void 0===e||e.dispose(),J.current=void 0}}),[]),i.useEffect((function(){re({})}),[K]),i.useEffect((function(){var e=m(I);e!==ee.current&&(ee.current=e,null==w||w(e))}),[I,ae,w,V]);var pe=i.useCallback((function(e){var t,o=null===(t=null==p?void 0:p.headerProps)||void 0===t?void 0:t.onToggleCollapse;e&&(null==o||o(e),e.isCollapsed=!e.isCollapsed,se({}),re({}))}),[se,p]),me=function(e){e&&t&&u===l.SelectionMode.multiple&&t.toggleRangeSelected(e.startIndex,e.count)},ge=function(e){var t,o=null===(t=null==p?void 0:p.showAllProps)||void 0===t?void 0:t.onToggleSummarize;o?o(e):(e&&(e.isShowingAll=!e.isShowingAll),re({}),se({}))},he=function(e,t){var o;return{group:e,groupIndex:t,groupLevel:null!==(o=e.level)&&void 0!==o?o:0,viewport:z,selectionMode:u,groups:I,compact:x,onToggleSelectGroup:me,onToggleCollapse:pe,onToggleSummarize:ge}};return i.createElement(c.FocusZone,r.__assign({direction:c.FocusZoneDirection.vertical,"data-automationid":"GroupedList","data-is-scrollable":"false",role:"presentation"},N,{shouldEnterInnerZone:ce,className:(0,a.css)(Q.root,N.className)}),i.createElement(s.List,r.__assign({ref:te,role:F,items:ue,onRenderCellConditional:function(e,o){var n;if("header"===e.type)return function(e,o){var n,a=e.group;n="treegrid"===F?{ariaLevel:a.level?a.level+1:1,ariaSetSize:I?I.length:void 0,ariaPosInSet:e.groupIndex}:{ariaRowIndex:o};var s=r.__assign(r.__assign(r.__assign(r.__assign({},p.headerProps),he(e.group,o)),{key:a.key,groupedListId:e.groupId}),n);return i.createElement(S,{render:U,defaultRender:b,item:e,selection:t,eventGroup:J.current,props:s})}(e,o);if("showAll"===e.type)return function(e,t){var o=e.group,n=r.__assign(r.__assign(r.__assign({},p.showAllProps),he(o,t)),{key:o.key?"".concat(o.key,"-show-all"):void 0});return Z(n,y)}(e,o);if("footer"===e.type)return function(e,t){var o=e.group,n=r.__assign(r.__assign(r.__assign({},p.footerProps),he(o,t)),{key:o.key?"".concat(o.key,"-footer"):void 0});return q(n,_)}(e,o);var a=e.group.level?e.group.level+1:1;return j(a,e.item,null!==(n=e.itemIndex)&&void 0!==n?n:o,e.group)},usePageCache:D,onShouldVirtualize:M,getPageSpecification:de,version:ne,getKey:v},T,H)))};var S=function(e){var t=e.render,o=e.defaultRender,n=e.item,a=e.selection,s=e.eventGroup,c=e.props,u=n.group,d=function(e,t,o,n){var r=i.useState((function(){var n;return null!==(n=null==o?void 0:o.isRangeSelected(e,t))&&void 0!==n&&n})),a=r[0],s=r[1];return i.useEffect((function(){if(o&&n){var r=function(){var n;s(null!==(n=null==o?void 0:o.isRangeSelected(e,t))&&void 0!==n&&n)};return n.on(o,l.SELECTION_CHANGE,r),function(){null==n||n.off(o,l.SELECTION_CHANGE,r)}}}),[e,t,o,n]),a}(u.startIndex,u.count,a,s);return t(r.__assign(r.__assign({},c),{isSelected:d,selected:d}),o)},C=function(e){function o(t){var o=e.call(this,t)||this;o._groupedList=i.createRef(),(0,a.initializeComponentRef)(o);var n=t.listProps,r=(void 0===n?{}:n).version,s=void 0===r?{}:r,l=t.groups;return o.state={version:s,groupExpandedVersion:{},groups:l},o}return r.__extends(o,e),o.getDerivedStateFromProps=function(e,t){var o=e.groups,n=e.selectionMode,i=e.compact,a=e.items,s=e.listProps,l=s&&s.version,c=r.__assign(r.__assign({},t),{groups:o});return l===t.version&&a===t.items&&o===t.groups&&n===t.selectionMode&&i===t.compact||(c.version={}),c},o.prototype.scrollToIndex=function(e,t,o){var n;null===(n=this._groupedList.current)||void 0===n||n.scrollToIndex(e,t,o)},o.prototype.getStartItemIndexInView=function(){var e;return(null===(e=this._groupedList.current)||void 0===e?void 0:e.getStartItemIndexInView())||0},o.prototype.render=function(){return i.createElement(t.GroupedListV2FC,r.__assign({},this.props,this.state,{groupedListRef:this._groupedList}))},o.prototype.forceUpdate=function(){e.prototype.forceUpdate.call(this),this._forceListUpdate()},o.prototype.toggleCollapseAll=function(e){var t,o=this.state.groups,n=this.props.groupProps;o&&o.length>0&&(null===(t=null==n?void 0:n.onToggleCollapseAll)||void 0===t||t.call(n,e),g(o,e),this.setState({groupExpandedVersion:{}}),this.forceUpdate())},o.prototype._forceListUpdate=function(){this.setState({version:{}})},o.displayName="GroupedListV2",o}(i.Component);t.GroupedListV2Wrapper=C},68961:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.GroupedListV2_unstable=void 0;var n=o(71061),r=o(24781),i=o(45350),a=(0,n.styled)(i.GroupedListV2Wrapper,r.getStyles,void 0,{scope:"GroupedListV2"});t.GroupedListV2_unstable=a,a.displayName="GroupedListV2_unstable"},48170:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},54659:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.GroupSpacer=void 0;var n=o(31635);n.__exportStar(o(13849),t),n.__exportStar(o(96254),t),n.__exportStar(o(88578),t),n.__exportStar(o(89965),t),n.__exportStar(o(48143),t),n.__exportStar(o(54414),t);var r=o(30396);Object.defineProperty(t,"GroupSpacer",{enumerable:!0,get:function(){return r.GroupSpacer}}),n.__exportStar(o(60767),t),n.__exportStar(o(67154),t),n.__exportStar(o(68961),t),n.__exportStar(o(45350),t),n.__exportStar(o(48170),t)},51158:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.CardCallout=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(42502),s=o(16473);t.CardCallout=function(e){var t=e.gapSpace,o=void 0===t?0:t,l=e.directionalHint,c=void 0===l?a.DirectionalHint.bottomLeftEdge:l,u=e.directionalHintFixed,d=e.targetElement,p=e.firstFocus,m=e.trapFocus,g=e.onLeave,h=e.className,f=e.finalHeight,v=e.content,b=e.calloutProps,y=n.__assign(n.__assign(n.__assign({},(0,i.getNativeProps)(e,i.divProperties)),{className:h,target:d,isBeakVisible:!1,directionalHint:c,directionalHintFixed:u,finalHeight:f,minPagePadding:24,onDismiss:g,gapSpace:o}),b);return r.createElement(r.Fragment,null,m?r.createElement(s.FocusTrapCallout,n.__assign({},y,{focusTrapProps:{forceFocusInsideTrap:!1,isClickableOutsideFocusTrap:!0,disableFirstFocus:!p}}),v):r.createElement(s.Callout,n.__assign({},y),v))}},36876:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ExpandingCardBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(87688),s=o(51158),l=(0,i.classNamesFunction)(),c=function(e){function t(t){var o=e.call(this,t)||this;return o._expandedElem=r.createRef(),o._onKeyDown=function(e){e.which===i.KeyCodes.escape&&o.props.onLeave&&o.props.onLeave(e)},o._onRenderCompactCard=function(){return r.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})})),r.createElement("div",{className:o._classNames.expandedCard,ref:o._expandedElem},r.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 i.Async(o),(0,i.initializeComponentRef)(o),o.state={firstFrameRendered:!1,needsScroll:!1},o}return n.__extends(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,i=e.expandedCardHeight,c=e.theme,u=e.mode,d=e.className,p=this.state,m=p.needsScroll,g=p.firstFrameRendered,h=o+i;this._classNames=l(t,{theme:c,compactCardHeight:o,className:d,expandedCardHeight:i,needsScroll:m,expandedCardFirstFrameRendered:u===a.ExpandingCardMode.expanded&&g});var f=r.createElement("div",{onMouseEnter:this.props.onEnter,onMouseLeave:this.props.onLeave,onKeyDown:this._onKeyDown},this._onRenderCompactCard(),this._onRenderExpandedCard());return r.createElement(s.CardCallout,n.__assign({},this.props,{content:f,finalHeight:h,className:this._classNames.root}))},t.defaultProps={compactCardHeight:156,expandedCardHeight:384,directionalHintFixed:!0},t}(r.Component);t.ExpandingCardBase=c},8383:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ExpandingCard=void 0;var n=o(71061),r=o(51459),i=o(36876);t.ExpandingCard=(0,n.styled)(i.ExpandingCardBase,r.getStyles,void 0,{scope:"ExpandingCard"})},51459:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r={root:"ms-ExpandingCard-root",compactCard:"ms-ExpandingCard-compactCard",expandedCard:"ms-ExpandingCard-expandedCard",expandedCardScroll:"ms-ExpandingCard-expandedCardScrollRegion"};t.getStyles=function(e){var t,o=e.theme,i=e.needsScroll,a=e.expandedCardFirstFrameRendered,s=e.compactCardHeight,l=e.expandedCardHeight,c=e.className,u=o.palette,d=(0,n.getGlobalClassNames)(r,o);return{root:[d.root,{width:320,pointerEvents:"none",selectors:(t={},t[n.HighContrastSelector]={border:"1px solid WindowText"},t)},c],compactCard:[d.compactCard,{pointerEvents:"auto",position:"relative",height:s}],expandedCard:[d.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:u.neutralLighter}}},a&&{height:l}],expandedCardScroll:[d.expandedCardScroll,i&&{height:"100%",boxSizing:"border-box",overflowY:"auto"}]}}},87688:(e,t)=>{"use strict";var o;Object.defineProperty(t,"__esModule",{value:!0}),t.ExpandingCardMode=void 0,(o=t.ExpandingCardMode||(t.ExpandingCardMode={}))[o.compact=0]="compact",o[o.expanded=1]="expanded"},67530:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.HoverCardBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(61534),s=o(8383),l=o(87688),c=o(97734),u=(0,i.classNamesFunction)(),d=function(e){function t(t){var o=e.call(this,t)||this;return o._hoverCard=r.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:l.ExpandingCardMode.compact,openMode:"keydown"===e.type?a.OpenCardMode.hotKey:a.OpenCardMode.hover}}))}),o.props.cardOpenDelay)},o._cardDismiss=function(e,t){if(e){if(!(t instanceof MouseEvent))return;if("keydown"===t.type&&t.which!==i.KeyCodes.escape)return;o.props.sticky||o._currentMouseTarget!==t.currentTarget&&t.which!==i.KeyCodes.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:l.ExpandingCardMode.compact,openMode:a.OpenCardMode.hover})},o._instantOpenAsExpanded=function(e){o._async.clearTimeout(o._dismissTimerId),o.setState((function(e){return e.isHoverCardVisible?e:{isHoverCardVisible:!0,mode:l.ExpandingCardMode.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,i.initializeComponentRef)(o),o._async=new i.Async(o),o._events=new i.EventGroup(o),o._nativeDismissEvent=o._cardDismiss.bind(o,!0),o._childDismissEvent=o._cardDismiss.bind(o,!1),o.state={isHoverCardVisible:!1,mode:l.ExpandingCardMode.compact,openMode:a.OpenCardMode.hover},o}return n.__extends(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:l.ExpandingCardMode.expanded},(function(){o.props.onCardExpand&&o.props.onCardExpand()}))}),this.props.expandedCardOpenDelay),this.props.onCardVisible&&this.props.onCardVisible()):(this.setState({mode:l.ExpandingCardMode.compact}),this.props.onCardHide&&this.props.onCardHide()))},t.prototype.render=function(){var e=this.props,t=e.expandingCardProps,o=e.children,l=e.id,d=e.setAriaDescribedBy,p=void 0===d||d,m=e.styles,g=e.theme,h=e.className,f=e.type,v=e.plainCardProps,b=e.trapFocus,y=e.setInitialFocus,_=this.state,S=_.isHoverCardVisible,C=_.mode,x=_.openMode,P=l||(0,i.getId)("hoverCard");this._classNames=u(m,{theme:g,className:h});var k=n.__assign(n.__assign({},(0,i.getNativeProps)(this.props,i.divProperties)),{id:P,trapFocus:!!b,firstFocus:y||x===a.OpenCardMode.hotKey,targetElement:this._getTargetElement(this.props.target),onEnter:this._cardOpen,onLeave:this._childDismissEvent}),I=n.__assign(n.__assign(n.__assign({},t),k),{mode:C}),w=n.__assign(n.__assign({},v),k);return r.createElement("div",{className:this._classNames.host,ref:this._hoverCard,"aria-describedby":p&&S?P:void 0,"data-is-focusable":!this.props.target},o,S&&(f===a.HoverCardType.expanding?r.createElement(s.ExpandingCard,n.__assign({},I)):r.createElement(c.PlainCard,n.__assign({},w))))},t.prototype._getTargetElement=function(e){switch(typeof e){case"string":return(0,i.getDocument)().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:i.KeyCodes.c,type:a.HoverCardType.expanding},t}(r.Component);t.HoverCardBase=d},95741:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.HoverCard=void 0;var n=o(71061),r=o(56265),i=o(67530);t.HoverCard=(0,n.styled)(i.HoverCardBase,r.getStyles,void 0,{scope:"HoverCard"})},56265:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r={host:"ms-HoverCard-host"};t.getStyles=function(e){var t=e.className,o=e.theme;return{host:[(0,n.getGlobalClassNames)(r,o).host,t]}}},61534:(e,t)=>{"use strict";var o,n;Object.defineProperty(t,"__esModule",{value:!0}),t.HoverCardType=t.OpenCardMode=void 0,(n=t.OpenCardMode||(t.OpenCardMode={}))[n.hover=0]="hover",n[n.hotKey=1]="hotKey",(o=t.HoverCardType||(t.HoverCardType={})).plain="PlainCard",o.expanding="ExpandingCard"},61067:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.PlainCardBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(51158),s=(0,i.classNamesFunction)(),l=function(e){function t(t){var o=e.call(this,t)||this;return o._onKeyDown=function(e){e.which===i.KeyCodes.escape&&o.props.onLeave&&o.props.onLeave(e)},(0,i.initializeComponentRef)(o),o}return n.__extends(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.theme,i=e.className;this._classNames=s(t,{theme:o,className:i});var l=r.createElement("div",{onMouseEnter:this.props.onEnter,onMouseLeave:this.props.onLeave,onKeyDown:this._onKeyDown},this.props.onRenderPlainCard(this.props.renderData));return r.createElement(a.CardCallout,n.__assign({},this.props,{content:l,className:this._classNames.root}))},t}(r.Component);t.PlainCardBase=l},97734:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.PlainCard=void 0;var n=o(71061),r=o(3168),i=o(61067);t.PlainCard=(0,n.styled)(i.PlainCardBase,r.getStyles,void 0,{scope:"PlainCard"})},3168:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r={root:"ms-PlainCard-root"};t.getStyles=function(e){var t,o=e.theme,i=e.className;return{root:[(0,n.getGlobalClassNames)(r,o).root,{pointerEvents:"auto",selectors:(t={},t[n.HighContrastSelector]={border:"1px solid WindowText"},t)},i]}}},27201:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},39801:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(95741),t),n.__exportStar(o(67530),t),n.__exportStar(o(61534),t),n.__exportStar(o(8383),t),n.__exportStar(o(36876),t),n.__exportStar(o(87688),t),n.__exportStar(o(97734),t),n.__exportStar(o(61067),t),n.__exportStar(o(27201),t)},56756:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getFontIcon=t.FontIcon=t.getIconContent=void 0;var n=o(31635),r=o(83923),i=o(10065),a=o(71061),s=o(15019);t.getIconContent=(0,a.memoizeFunction)((function(e){var t=(0,s.getIcon)(e)||{subset:{},code:void 0},o=t.code,n=t.subset;return o?{children:o,iconClassName:n.className,fontFamily:n.fontFace&&n.fontFace.fontFamily,mergeImageProps:n.mergeImageProps}:null}),void 0,!0),t.FontIcon=function(e){var o=e.iconName,s=e.className,l=e.style,c=void 0===l?{}:l,u=(0,t.getIconContent)(o)||{},d=u.iconClassName,p=u.children,m=u.fontFamily,g=u.mergeImageProps,h=(0,a.getNativeProps)(e,a.htmlElementProperties),f=e["aria-label"]||e.title,v=e["aria-label"]||e["aria-labelledby"]||e.title?{role:g?void 0:"img"}:{"aria-hidden":!0},b=p;return g&&"object"==typeof p&&"object"==typeof p.props&&f&&(b=r.cloneElement(p,{alt:f})),r.createElement("i",n.__assign({"data-icon-name":o},v,h,g?{title:void 0,"aria-label":void 0}:{},{className:(0,a.css)(i.MS_ICON,i.classNames.root,d,!o&&i.classNames.placeholder,s),style:n.__assign({fontFamily:m},c)}),b)},t.getFontIcon=(0,a.memoizeFunction)((function(e,o,n){return(0,t.FontIcon)({iconName:e,className:o,"aria-label":n})}))},38802:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.IconBase=void 0;var n=o(31635),r=o(83923),i=o(69318),a=o(60305),s=o(64186),l=o(71061),c=o(56756),u=(0,l.classNamesFunction)({cacheSize:100}),d=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.ImageLoadState.error&&o.setState({imageLoadError:!0})},o.state={imageLoadError:!1},o}return n.__extends(t,e),t.prototype.render=function(){var e=this.props,t=e.children,o=e.className,s=e.styles,d=e.iconName,p=e.imageErrorAs,m=e.theme,g="string"==typeof d&&0===d.length,h=!!this.props.imageProps||this.props.iconType===i.IconType.image||this.props.iconType===i.IconType.Image,f=(0,c.getIconContent)(d)||{},v=f.iconClassName,b=f.children,y=f.mergeImageProps,_=u(s,{theme:m,className:o,iconClassName:v,isImage:h,isPlaceholder:g}),S=h?"span":"i",C=(0,l.getNativeProps)(this.props,l.htmlElementProperties,["aria-label"]),x=this.state.imageLoadError,P=n.__assign(n.__assign({},this.props.imageProps),{onLoadingStateChange:this._onImageLoadingStateChange}),k=x&&p||a.Image,I=this.props["aria-label"]||this.props.ariaLabel,w=P.alt||I||this.props.title,T=w||this.props["aria-labelledby"]||P["aria-label"]||P["aria-labelledby"]?{role:h||y?void 0:"img","aria-label":h||y?void 0:w}:{"aria-hidden":!0},E=b;return y&&b&&"object"==typeof b&&w&&(E=r.cloneElement(b,{alt:w})),r.createElement(S,n.__assign({"data-icon-name":d},T,C,y?{title:void 0,"aria-label":void 0}:{},{className:_.root}),h?r.createElement(k,n.__assign({},P)):t||E)},t}(r.Component);t.IconBase=d},57573:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Icon=void 0;var n=o(71061),r=o(38802),i=o(10065);t.Icon=(0,n.styled)(r.IconBase,i.getStyles,void 0,{scope:"Icon"},!0),t.Icon.displayName="Icon"},10065:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=t.MS_ICON=t.classNames=void 0;var n=o(15019);t.classNames=(0,n.mergeStyleSets)({root:{display:"inline-block"},placeholder:["ms-Icon-placeHolder",{width:"1em"}],image:["ms-Icon-imageContainer",{overflow:"hidden"}]}),t.MS_ICON="ms-Icon",t.getStyles=function(e){var o=e.className,n=e.iconClassName,r=e.isPlaceholder,i=e.isImage,a=e.styles;return{root:[r&&t.classNames.placeholder,t.classNames.root,i&&t.classNames.image,n,o,a&&a.root,a&&a.imageContainer]}}},69318:(e,t)=>{"use strict";var o;Object.defineProperty(t,"__esModule",{value:!0}),t.IconType=void 0,(o=t.IconType||(t.IconType={}))[o.default=0]="default",o[o.image=1]="image",o[o.Default=1e5]="Default",o[o.Image=100001]="Image"},83538:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ImageIcon=void 0;var n=o(31635),r=o(83923),i=o(60305),a=o(71061),s=o(10065);t.ImageIcon=function(e){var t=e.className,o=e.imageProps,l=(0,a.getNativeProps)(e,a.htmlElementProperties,["aria-label","aria-labelledby","title","aria-describedby"]),c=o.alt||e["aria-label"],u=c||e["aria-labelledby"]||e.title||o["aria-label"]||o["aria-labelledby"]||o.title,d={"aria-labelledby":e["aria-labelledby"],"aria-describedby":e["aria-describedby"],title:e.title},p=u?{}:{"aria-hidden":!0};return r.createElement("div",n.__assign({},p,l,{className:(0,a.css)(s.MS_ICON,s.classNames.root,s.classNames.image,t)}),r.createElement(i.Image,n.__assign({},d,o,{alt:u?c:""})))}},6322:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(57573),t),n.__exportStar(o(38802),t),n.__exportStar(o(69318),t),n.__exportStar(o(56756),t),n.__exportStar(o(83538),t)},89206:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ImageBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(64186),s=o(25698),l=(0,i.classNamesFunction)(),c=/\.svg$/i;t.ImageBase=r.forwardRef((function(e,t){var o=r.useRef(),u=r.useRef(),d=function(e,t){var o=e.onLoadingStateChange,n=e.onLoad,i=e.onError,l=e.src,u=r.useState(a.ImageLoadState.notLoaded),d=u[0],p=u[1];(0,s.useIsomorphicLayoutEffect)((function(){p(a.ImageLoadState.notLoaded)}),[l]),r.useEffect((function(){d===a.ImageLoadState.notLoaded&&t.current&&(l&&t.current.naturalWidth>0&&t.current.naturalHeight>0||t.current.complete&&c.test(l))&&p(a.ImageLoadState.loaded)})),r.useEffect((function(){null==o||o(d)}),[d]);var m=r.useCallback((function(e){null==n||n(e),l&&p(a.ImageLoadState.loaded)}),[l,n]),g=r.useCallback((function(e){null==i||i(e),p(a.ImageLoadState.error)}),[i]);return[d,m,g]}(e,u),p=d[0],m=d[1],g=d[2],h=(0,i.getNativeProps)(e,i.imgProperties,["width","height"]),f=e.src,v=e.alt,b=e.width,y=e.height,_=e.shouldFadeIn,S=void 0===_||_,C=e.shouldStartVisible,x=e.className,P=e.imageFit,k=e.role,I=e.maximizeFrame,w=e.styles,T=e.theme,E=e.loading,D=function(e,t,o,n){var i=r.useRef(t),s=r.useRef();return(void 0===s||i.current===a.ImageLoadState.notLoaded&&t===a.ImageLoadState.loaded)&&(s.current=function(e,t,o,n){var r=e.imageFit,i=e.width,s=e.height;if(void 0!==e.coverStyle)return e.coverStyle;if(t===a.ImageLoadState.loaded&&(r===a.ImageFit.cover||r===a.ImageFit.contain||r===a.ImageFit.centerContain||r===a.ImageFit.centerCover)&&o.current&&n.current){var l;if(l="number"==typeof i&&"number"==typeof s&&r!==a.ImageFit.centerContain&&r!==a.ImageFit.centerCover?i/s:n.current.clientWidth/n.current.clientHeight,o.current.naturalWidth/o.current.naturalHeight>l)return a.ImageCoverStyle.landscape}return a.ImageCoverStyle.portrait}(e,t,o,n)),i.current=t,s.current}(e,p,u,o),M=l(w,{theme:T,className:x,width:b,height:y,maximizeFrame:I,shouldFadeIn:S,shouldStartVisible:C,isLoaded:p===a.ImageLoadState.loaded||p===a.ImageLoadState.notLoaded&&e.shouldStartVisible,isLandscape:D===a.ImageCoverStyle.landscape,isCenter:P===a.ImageFit.center,isCenterContain:P===a.ImageFit.centerContain,isCenterCover:P===a.ImageFit.centerCover,isContain:P===a.ImageFit.contain,isCover:P===a.ImageFit.cover,isNone:P===a.ImageFit.none,isError:p===a.ImageLoadState.error,isNotImageFit:void 0===P});return r.createElement("div",{className:M.root,style:{width:b,height:y},ref:o},r.createElement("img",n.__assign({},h,{onLoad:m,onError:g,key:"fabricImage"+e.src||"",className:M.image,ref:(0,s.useMergedRefs)(u,t),src:f,alt:v,role:k,loading:E})))})),t.ImageBase.displayName="ImageBase"},60305:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Image=void 0;var n=o(71061),r=o(89206),i=o(44645);t.Image=(0,n.styled)(r.ImageBase,i.getStyles,void 0,{scope:"Image"},!0),t.Image.displayName="Image"},44645:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r=o(71061),i={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"};t.getStyles=function(e){var t=e.className,o=e.width,a=e.height,s=e.maximizeFrame,l=e.isLoaded,c=e.shouldFadeIn,u=e.shouldStartVisible,d=e.isLandscape,p=e.isCenter,m=e.isContain,g=e.isCover,h=e.isCenterContain,f=e.isCenterCover,v=e.isNone,b=e.isError,y=e.isNotImageFit,_=e.theme,S=(0,n.getGlobalClassNames)(i,_),C={position:"absolute",left:"50% /* @noflip */",top:"50%",transform:"translate(-50%,-50%)"},x=(0,r.getWindow)(),P=void 0!==x&&void 0===x.navigator.msMaxTouchPoints,k=m&&d||g&&!d?{width:"100%",height:"auto"}:{width:"auto",height:"100%"};return{root:[S.root,_.fonts.medium,{overflow:"hidden"},s&&[S.rootMaximizeFrame,{height:"100%",width:"100%"}],l&&c&&!u&&n.AnimationClassNames.fadeIn400,(p||m||g||h||f)&&{position:"relative"},t],image:[S.image,{display:"block",opacity:0},l&&["is-loaded",{opacity:1}],p&&[S.imageCenter,C],m&&[S.imageContain,P&&{width:"100%",height:"100%",objectFit:"contain"},!P&&k,!P&&C],g&&[S.imageCover,P&&{width:"100%",height:"100%",objectFit:"cover"},!P&&k,!P&&C],h&&[S.imageCenterContain,d&&{maxWidth:"100%"},!d&&{maxHeight:"100%"},C],f&&[S.imageCenterCover,d&&{maxHeight:"100%"},!d&&{maxWidth:"100%"},C],v&&[S.imageNone,{width:"auto",height:"auto"}],y&&[!!o&&!a&&{height:"auto",width:"100%"},!o&&!!a&&{height:"100%",width:"auto"},!!o&&!!a&&{height:"100%",width:"100%"}],d&&S.imageLandscape,!d&&S.imagePortrait,!l&&"is-notLoaded",c&&"is-fadeIn",b&&"is-error"]}}},64186:(e,t)=>{"use strict";var o,n,r;Object.defineProperty(t,"__esModule",{value:!0}),t.ImageLoadState=t.ImageCoverStyle=t.ImageFit=void 0,(r=t.ImageFit||(t.ImageFit={}))[r.center=0]="center",r[r.contain=1]="contain",r[r.cover=2]="cover",r[r.none=3]="none",r[r.centerCover=4]="centerCover",r[r.centerContain=5]="centerContain",(n=t.ImageCoverStyle||(t.ImageCoverStyle={}))[n.landscape=0]="landscape",n[n.portrait=1]="portrait",(o=t.ImageLoadState||(t.ImageLoadState={}))[o.notLoaded=0]="notLoaded",o[o.loaded=1]="loaded",o[o.error=2]="error",o[o.errorLoaded=3]="errorLoaded"},61476:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(60305),t),n.__exportStar(o(89206),t),n.__exportStar(o(64186),t)},54959:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Keytip=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(93025),s=o(16473),l=o(52521),c=o(62606),u=o(61939),d=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return n.__extends(t,e),t.prototype.render=function(){var e,t=this.props,o=t.keySequences,d=t.offset,p=t.overflowSetSequence,m=this.props.calloutProps;e=p?(0,a.ktpTargetFromSequences)((0,a.mergeOverflows)(o,p)):(0,a.ktpTargetFromSequences)(o);var g=(0,i.getFirstVisibleElementFromSelector)(e);return g?(e=g,d&&(m=n.__assign({coverTarget:!0,directionalHint:l.DirectionalHint.topLeftEdge},m)),m&&void 0!==m.directionalHint||(m=n.__assign(n.__assign({},m),{directionalHint:l.DirectionalHint.bottomCenter})),r.createElement(s.Callout,n.__assign({},m,{isBeakVisible:!1,doNotLayer:!0,minPagePadding:0,styles:d?(0,u.getCalloutOffsetStyles)(d):u.getCalloutStyles,preventDismissOnScroll:!0,target:e}),r.createElement(c.KeytipContent,n.__assign({},this.props)))):r.createElement(r.Fragment,null)},t}(r.Component);t.Keytip=d},61939:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getCalloutOffsetStyles=t.getCalloutStyles=t.getStyles=void 0;var n=o(15019);t.getStyles=function(e){var t,o=e.theme,r=e.disabled,i=e.visible;return{container:[{backgroundColor:o.palette.neutralDark},r&&{opacity:.5,selectors:(t={},t[n.HighContrastSelector]={color:"GrayText",opacity:1},t)},!i&&{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"},r&&{color:o.palette.neutralTertiaryAlt}]}},t.getCalloutStyles=function(e){return{container:[],root:[{border:"none",boxShadow:"none"}],beak:[],beakCurtain:[],calloutMain:[{backgroundColor:"transparent"}]}},t.getCalloutOffsetStyles=function(e){return function(o){return(0,n.mergeStyleSets)((0,t.getCalloutStyles)(o),{root:[{marginLeft:e.left||e.x,marginTop:e.top||e.y}]})}}},18008:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},98483:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.KeytipContentBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return n.__extends(t,e),t.prototype.render=function(){var e=this.props,t=e.content,o=e.styles,n=e.theme,a=e.disabled,s=e.visible,l=(0,i.classNamesFunction)()(o,{theme:n,disabled:a,visible:s});return r.createElement("div",{className:l.container},r.createElement("span",{className:l.root},t))},t}(r.Component);t.KeytipContentBase=a},62606:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.KeytipContent=void 0;var n=o(71061),r=o(98483),i=o(61939);t.KeytipContent=(0,n.styled)(r.KeytipContentBase,i.getStyles,void 0,{scope:"KeytipContent"})},93259:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(54959),t),n.__exportStar(o(18008),t)},78927:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.KeytipData=void 0;var n=o(31635),r=o(30572),i=o(34400);t.KeytipData=function(e){var t,o=e.children,a=n.__rest(e,["children"]),s=(0,i.useKeytipData)(a),l=s.keytipId,c=s.ariaDescribedBy;return o(((t={})[r.DATAKTP_TARGET]=l,t[r.DATAKTP_EXECUTE_TARGET]=l,t["aria-describedby"]=c,t))}},49304:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},31507:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useKeytipRef=void 0;var n=o(31635);n.__exportStar(o(78927),t),n.__exportStar(o(49304),t);var r=o(52507);Object.defineProperty(t,"useKeytipRef",{enumerable:!0,get:function(){return r.useKeytipRef}})},34400:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useKeytipData=void 0;var n=o(31635),r=o(83923),i=o(25698),a=o(71061),s=o(30572);t.useKeytipData=function(e){var t=r.useRef(),o=e.keytipProps?n.__assign({disabled:e.disabled},e.keytipProps):void 0,l=(0,i.useConst)(s.KeytipManager.getInstance()),c=(0,i.usePrevious)(e);(0,i.useIsomorphicLayoutEffect)((function(){t.current&&o&&((null==c?void 0:c.keytipProps)!==e.keytipProps||(null==c?void 0:c.disabled)!==e.disabled)&&l.update(o,t.current)})),(0,i.useIsomorphicLayoutEffect)((function(){return o&&(t.current=l.register(o)),function(){o&&l.unregister(o,t.current)}}),[]);var u={ariaDescribedBy:void 0,keytipId:void 0};return o&&(u=function(e,t,o){var r=e.addParentOverflow(t),i=(0,a.mergeAriaAttributeValues)(o,(0,s.getAriaDescribedBy)(r.keySequences)),l=n.__spreadArray([],r.keySequences,!0);return r.overflowSetSequence&&(l=(0,s.mergeOverflows)(l,r.overflowSetSequence)),{ariaDescribedBy:i,keytipId:(0,s.sequencesToID)(l)}}(l,o,e.ariaDescribedBy)),u}},52507:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.setAttribute=t.useKeytipRef=void 0;var n=o(83923),r=o(30572),i=o(34400);function a(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="".concat(i," ").concat(o))}e.setAttribute(t,r)}}function s(e,t){return e.querySelector("[".concat(t,"]"))}t.useKeytipRef=function(e){var t=(0,i.useKeytipData)(e),o=t.keytipId,l=t.ariaDescribedBy;return n.useCallback((function(e){if(e){var t=s(e,r.DATAKTP_TARGET)||e,n=s(e,r.DATAKTP_EXECUTE_TARGET)||t,i=s(e,r.DATAKTP_ARIA_TARGET)||n;a(t,r.DATAKTP_TARGET,o),a(n,r.DATAKTP_EXECUTE_TARGET,o),a(i,"aria-describedby",l,!0)}}),[o,l])},t.setAttribute=a},38866:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.KeytipLayerBase=void 0;var n=o(31635),r=o(83923),i=o(36049),a=o(38341),s=o(44472),l=o(71061),c=o(49683),u=o(810),d=o(93025),p=o(94181),m=o(12429),g=o(97156),h=o(50478),f={key:(0,l.isMac)()?"Control":"Meta",modifierKeys:[l.KeyCodes.alt]},v=f,b={key:"Escape"},y=(0,l.classNamesFunction)(),_=function(e){function t(t,o){var n=e.call(this,t,o)||this;n._keytipManager=c.KeytipManager.getInstance(),n._delayedKeytipQueue=[],n._keyHandled=!1,n._isKeytipInstanceTargetVisible=function(e,t){var o,r=(0,h.getDocumentEx)(n.context),i=(0,h.getWindowEx)(n.context),a=(0,d.ktpTargetFromSequences)(e),s=null!==(o=null==r?void 0:r.querySelectorAll(a))&&void 0!==o?o:[];return s.length>1&&t<=s.length?(0,l.isElementVisibleAndNotHidden)(s[t-1],null!=i?i:void 0):1===t},n._onDismiss=function(e){n.state.inKeytipMode&&n._exitKeytipMode(e)},n._onKeyDown=function(e){n._keyHandled=!1;var t=e.key;switch(t){case"Tab":case"Enter":case"Spacebar":case" ":case"ArrowUp":case"Up":case"ArrowDown":case"Down":case"ArrowLeft":case"Left":case"ArrowRight":case"Right":n.state.inKeytipMode&&(n._keyHandled=!0,n._exitKeytipMode(e));break;default:"Esc"===t?t="Escape":"OS"!==t&&"Win"!==t||(t="Meta");var o={key:t};o.modifierKeys=n._getModifierKey(t,e),n.processTransitionInput(o,e)}},n._onKeyPress=function(e){n.state.inKeytipMode&&!n._keyHandled&&(n.processInput(e.key.toLocaleLowerCase(),e),e.preventDefault(),e.stopPropagation())},n._onKeytipAdded=function(e){var t,o=e.keytip,r=e.uniqueID;if(n._keytipTree.addNode(o,r),n._setKeytips(),n._keytipTree.isCurrentKeytipParent(o)&&(n._delayedKeytipQueue=n._delayedKeytipQueue.concat((null===(t=n._keytipTree.currentKeytip)||void 0===t?void 0:t.children)||[]),n._addKeytipToQueue((0,d.sequencesToID)(o.keySequences)),n._keytipTree.currentKeytip&&n._keytipTree.currentKeytip.hasDynamicChildren&&n._keytipTree.currentKeytip.children.indexOf(o.id)<0)){var i=n._keytipTree.getNode(n._keytipTree.currentKeytip.id);i&&(n._keytipTree.currentKeytip=i)}n._persistedKeytipChecks(o)},n._onKeytipUpdated=function(e){var t,o=e.keytip,r=e.uniqueID;n._keytipTree.updateNode(o,r),n._setKeytips(),n._keytipTree.isCurrentKeytipParent(o)&&(n._delayedKeytipQueue=n._delayedKeytipQueue.concat((null===(t=n._keytipTree.currentKeytip)||void 0===t?void 0:t.children)||[]),n._addKeytipToQueue((0,d.sequencesToID)(o.keySequences))),n._persistedKeytipChecks(o)},n._persistedKeytipChecks=function(e){if(n._newCurrentKeytipSequences&&(0,l.arraysEqual)(e.keySequences,n._newCurrentKeytipSequences)&&n._triggerKeytipImmediately(e),n._isCurrentKeytipAnAlias(e)){var t=e.keySequences;e.overflowSetSequence&&(t=(0,d.mergeOverflows)(t,e.overflowSetSequence)),n._keytipTree.currentKeytip=n._keytipTree.getNode((0,d.sequencesToID)(t))}},n._onKeytipRemoved=function(e){var t=e.keytip,o=e.uniqueID;n._removeKeytipFromQueue((0,d.sequencesToID)(t.keySequences)),n._keytipTree.removeNode(t,o),n._setKeytips()},n._onPersistedKeytipAdded=function(e){var t=e.keytip,o=e.uniqueID;n._keytipTree.addNode(t,o,!0)},n._onPersistedKeytipRemoved=function(e){var t=e.keytip,o=e.uniqueID;n._keytipTree.removeNode(t,o)},n._onPersistedKeytipExecute=function(e){n._persistedKeytipExecute(e.overflowButtonSequences,e.keytipSequences)},n._setInKeytipMode=function(e){n.setState({inKeytipMode:e}),n._keytipManager.inKeytipMode=e},n._warnIfDuplicateKeytips=function(){var e=n._getDuplicateIds(n._keytipTree.getChildren());e.length&&(0,l.warn)("Duplicate keytips found for "+e.join(", "))},n._getDuplicateIds=function(e){var t={};return e.filter((function(e){return t[e]=t[e]?t[e]+1:1,2===t[e]}))},(0,l.initializeComponentRef)(n),n._events=new l.EventGroup(n),n._async=new l.Async(n);var r=n._keytipManager.getKeytips();return n.state={inKeytipMode:!1,keytips:r,visibleKeytips:n._getVisibleKeytips(r)},n._buildTree(),n._currentSequence="",n._events.on(n._keytipManager,m.KeytipEvents.KEYTIP_ADDED,n._onKeytipAdded),n._events.on(n._keytipManager,m.KeytipEvents.KEYTIP_UPDATED,n._onKeytipUpdated),n._events.on(n._keytipManager,m.KeytipEvents.KEYTIP_REMOVED,n._onKeytipRemoved),n._events.on(n._keytipManager,m.KeytipEvents.PERSISTED_KEYTIP_ADDED,n._onPersistedKeytipAdded),n._events.on(n._keytipManager,m.KeytipEvents.PERSISTED_KEYTIP_REMOVED,n._onPersistedKeytipRemoved),n._events.on(n._keytipManager,m.KeytipEvents.PERSISTED_KEYTIP_EXECUTE,n._onPersistedKeytipExecute),n}return n.__extends(t,e),t.prototype.render=function(){var e=this,t=this.props,o=t.content,l=t.styles,c=this.state,u=c.keytips,p=c.visibleKeytips;return this._classNames=y(l,{}),r.createElement(s.Layer,{styles:i.getLayerStyles},r.createElement("span",{id:m.KTP_LAYER_ID,className:this._classNames.innerContent},"".concat(o).concat(m.KTP_ARIA_SEPARATOR)),u&&u.map((function(t,o){return r.createElement("span",{key:o,id:(0,d.sequencesToID)(t.keySequences),className:e._classNames.innerContent},t.keySequences.join(m.KTP_ARIA_SEPARATOR))})),p&&p.map((function(e){return r.createElement(a.Keytip,n.__assign({key:(0,d.sequencesToID)(e.keySequences)},e))})))},t.prototype.componentDidMount=function(){var e=(0,h.getWindowEx)(this.context);this._events.on(e,"mouseup",this._onDismiss,!0),this._events.on(e,"pointerup",this._onDismiss,!0),this._events.on(e,"resize",this._onDismiss),this._events.on(e,"keydown",this._onKeyDown,!0),this._events.on(e,"keypress",this._onKeyPress,!0),this._events.on(e,"scroll",this._onDismiss,!0),this._events.on(this._keytipManager,m.KeytipEvents.ENTER_KEYTIP_MODE,this._enterKeytipMode),this._events.on(this._keytipManager,m.KeytipEvents.EXIT_KEYTIP_MODE,this._exitKeytipMode)},t.prototype.componentWillUnmount=function(){this._async.dispose(),this._events.dispose()},t.prototype.getCurrentSequence=function(){return this._currentSequence},t.prototype.getKeytipTree=function(){return this._keytipTree},t.prototype.processTransitionInput=function(e,t){var o=this._keytipTree.currentKeytip;(0,p.transitionKeysContain)(this.props.keytipExitSequences,e)&&o?(this._keyHandled=!0,this._exitKeytipMode(t)):(0,p.transitionKeysContain)(this.props.keytipReturnSequences,e)?o&&(this._keyHandled=!0,o.id===this._keytipTree.root.id?this._exitKeytipMode(t):(o.onReturn&&o.onReturn(this._getKtpExecuteTarget(o),this._getKtpTarget(o)),this._currentSequence="",this._keytipTree.currentKeytip=this._keytipTree.getNode(o.parent),this.showKeytips(this._keytipTree.getChildren()),this._warnIfDuplicateKeytips())):(0,p.transitionKeysContain)(this.props.keytipStartSequences,e)&&!o&&(this._keyHandled=!0,this._enterKeytipMode(e),this._warnIfDuplicateKeytips())},t.prototype.processInput=function(e,t){var o=this._currentSequence+e,n=this._keytipTree.currentKeytip;if(n){var r=this._keytipTree.getExactMatchedNode(o,n);if(r){this._keytipTree.currentKeytip=n=r;var i=this._keytipTree.getChildren();return n.onExecute&&(n.onExecute(this._getKtpExecuteTarget(n),this._getKtpTarget(n)),n=this._keytipTree.currentKeytip),0!==i.length||n.hasDynamicChildren||n.hasMenu?(this.showKeytips(i),this._warnIfDuplicateKeytips()):this._exitKeytipMode(t),void(this._currentSequence="")}var a=this._keytipTree.getPartiallyMatchedNodes(o,n);if(a.length>0){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(e){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(e))},t.prototype._buildTree=function(){this._keytipTree=new u.KeytipTree;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,l.getDocument)().querySelector((0,d.ktpTargetFromId)(e.id))},t.prototype._getKtpTarget=function(e){return(0,l.getDocument)().querySelector((0,d.ktpTargetFromSequences)(e.keySequences))},t.prototype._isCurrentKeytipAnAlias=function(e){var t=this._keytipTree.currentKeytip;return!(!t||!t.overflowSetSequence&&!t.persisted||!(0,l.arraysEqual)(e.keySequences,t.keySequences))},t.defaultProps={keytipStartSequences:[f],keytipExitSequences:[v],keytipReturnSequences:[b],content:""},t.contextType=g.WindowContext,t}(r.Component);t.KeytipLayerBase=_},5477:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.KeytipLayer=void 0;var n=o(71061),r=o(38866),i=o(36049);t.KeytipLayer=(0,n.styled)(r.KeytipLayerBase,i.getStyles,void 0,{scope:"KeytipLayer"})},36049:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=t.getLayerStyles=void 0;var n=o(15019);t.getLayerStyles=function(e){return{root:[{zIndex:n.ZIndexes.KeytipLayer}]}},t.getStyles=function(e){return{innerContent:[{position:"absolute",width:0,height:0,margin:0,padding:0,border:0,overflow:"hidden",visibility:"hidden"}]}}},95782:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},810:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.KeytipTree=void 0;var n=o(31635),r=o(71061),i=o(93025),a=o(12429),s=function(){function e(){this.nodeMap={},this.root={id:a.KTP_LAYER_ID,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,i.sequencesToID)(n);n.pop();var a=this._getParentID(n),s=this._createNode(r,a,[],e,o);this.nodeMap[t]=s,this.getNodes([a]).forEach((function(e){return e.children.push(r)}))},e.prototype.updateNode=function(e,t){var o=this._getFullSequence(e),n=(0,i.sequencesToID)(o);o.pop();var r=this._getParentID(o),a=this.nodeMap[t],s=a.parent;a&&(s!==r&&this._removeChildFromParents(s,a.id),a.id!==n&&this.getNodes([r]).forEach((function(e){var t=e.children.indexOf(a.id);t>=0?e.children[t]=n:e.children.push(n)})),a.id=n,a.keySequences=e.keySequences,a.overflowSetSequence=e.overflowSetSequence,a.onExecute=e.onExecute,a.onReturn=e.onReturn,a.hasDynamicChildren=e.hasDynamicChildren,a.hasMenu=e.hasMenu,a.parent=r,a.disabled=e.disabled)},e.prototype.removeNode=function(e,t){var o=this._getFullSequence(e),n=(0,i.sequencesToID)(o);o.pop(),this._removeChildFromParents(this._getParentID(o),n),this.nodeMap[t]&&delete this.nodeMap[t]},e.prototype.getExactMatchedNode=function(e,t,o){var n=this,a=null!=o?o:(0,r.getDocument)(),s=this.getNodes(t.children).filter((function(t){return n._getNodeSequence(t)===e&&!t.disabled}));if(0!==s.length){var l=s[0];if(1===s.length)return l;var c=l.keySequences,u=l.overflowSetSequence,d=u?(0,i.mergeOverflows)(c,u):c,p=(0,i.ktpTargetFromSequences)(d),m=a.querySelectorAll(p);if(s.length=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,r.values)(this.nodeMap);return(0,r.find)(t,(function(t){return t.id===e}))},e.prototype.isCurrentKeytipParent=function(e){if(this.currentKeytip){var t=n.__spreadArray([],e.keySequences,!0);e.overflowSetSequence&&(t=(0,i.mergeOverflows)(t,e.overflowSetSequence)),t.pop();var o=0===t.length?this.root.id:(0,i.sequencesToID)(t),r=!1;return this.currentKeytip.overflowSetSequence&&(r=(0,i.sequencesToID)(this.currentKeytip.keySequences)===o),r||this.currentKeytip.id===o}return!1},e.prototype._getParentID=function(e){return 0===e.length?this.root.id:(0,i.sequencesToID)(e)},e.prototype._getFullSequence=function(e){var t=n.__spreadArray([],e.keySequences,!0);return e.overflowSetSequence&&(t=(0,i.mergeOverflows)(t,e.overflowSetSequence)),t},e.prototype._getNodeSequence=function(e){var t=n.__spreadArray([],e.keySequences,!0);return e.overflowSetSequence&&(t=(0,i.mergeOverflows)(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=n.hasOverflowSubMenu,g={id:e,keySequences:a,overflowSetSequence:l,parent:t,children:o,onExecute:u,onReturn:d,hasDynamicChildren:s,hasMenu:c,disabled:p,persisted:r,hasOverflowSubMenu:m};return g.children=Object.keys(this.nodeMap).reduce((function(t,o){return i.nodeMap[o].parent===e&&t.push(i.nodeMap[o].id),t}),[]),g},e.prototype._removeChildFromParents=function(e,t){this.getNodes([e]).forEach((function(e){var o=e.children.indexOf(t);o>=0&&e.children.splice(o,1)}))},e}();t.KeytipTree=s},16552:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(5477),t),n.__exportStar(o(38866),t),n.__exportStar(o(95782),t)},77638:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.LabelBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=(0,o(71061).classNamesFunction)({cacheSize:100}),s=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return n.__extends(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,n.__assign({},(0,i.getNativeProps)(this.props,i.divProperties),{className:m.root}),s)},t}(r.Component);t.LabelBase=s},21505:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Label=void 0;var n=o(71061),r=o(77638),i=o(47829);t.Label=(0,n.styled)(r.LabelBase,i.getStyles,void 0,{scope:"Label"})},47829:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(31635),r=o(15019);t.getStyles=function(e){var t,o=e.theme,i=e.className,a=e.disabled,s=e.required,l=o.semanticColors,c=r.FontWeights.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"},a&&{color:d,selectors:(t={},t[r.HighContrastSelector]=n.__assign({color:"GrayText"},(0,r.getHighContrastNoAdjustStyle)()),t)},s&&{selectors:{"::after":{content:"' *'",color:p,paddingRight:12}}},i]}}},1130:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},6347:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(77638),t),n.__exportStar(o(1130),t),n.__exportStar(o(21505),t)},13006:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.LayerBase=void 0;var n,r=o(31635),i=o(1249),a=o(83923),s=o(76324),l=o(25644),c=o(71061),u=o(2052),d=o(25698),p=(0,c.classNamesFunction)();t.LayerBase=a.forwardRef((function(e,t){var o=(0,i.usePortalCompat)(),g=a.useRef(null),h=(0,d.useMergedRefs)(g,t),f=a.useRef(),v=a.useRef(null),b=a.useContext(c.FocusRectsContext),y=a.useState(!1),_=y[0],S=y[1],C=a.useCallback((function(e){var t,o=!!(null==(t=null==b?void 0:b.providerRef)?void 0:t.current)&&t.current.classList.contains(c.IsFocusVisibleClassName);e&&o&&e.classList.add(c.IsFocusVisibleClassName)}),[b]),x=e.children,P=e.className,k=e.eventBubblingEnabled,I=e.fabricProps,w=e.hostId,T=e.insertFirst,E=e.onLayerDidMount,D=void 0===E?function(){}:E,M=e.onLayerMounted,O=void 0===M?function(){}:M,R=e.onLayerWillUnmount,F=e.styles,B=e.theme,A=(0,d.useMergedRefs)(v,null==I?void 0:I.ref,C),N=p(F,{theme:B,className:P,isNotHost:!w}),L=function(){null==R||R();var e=f.current;f.current=void 0,e&&e.parentNode&&e.parentNode.removeChild(e)},H=function(){var e,t,o,n,r=(0,c.getDocument)(g.current),i=(null===(t=null===(e=g.current)||void 0===e?void 0:e.getRootNode())||void 0===t?void 0:t.host)?null===(o=null==g?void 0:g.current)||void 0===o?void 0:o.getRootNode():void 0;if(r&&(r||i)){var a=function(e,t){var o,n;void 0===t&&(t=null);var r=null!=t?t:e;if(w){var i=(0,u.getLayerHost)(w);return i?null!==(o=i.rootRef.current)&&void 0!==o?o:null:null!==(n=r.getElementById(w))&&void 0!==n?n:null}var a=(0,u.getDefaultTarget)(),s=a?r.querySelector(a):null;return s||(s=(0,u.createDefaultLayerHost)(e,t)),s}(r,i);if(a){a.__tabsterElementFlags||(a.__tabsterElementFlags={}),a.__tabsterElementFlags.noDirectAriaHidden=!0,L();var s=(null!==(n=a.ownerDocument)&&void 0!==n?n:r).createElement("div");s.className=N.root,(0,c.setPortalAttribute)(s),(0,c.setVirtualParent)(s,g.current),T?a.insertBefore(s,a.firstChild):a.appendChild(s),f.current=s,S(!0)}}};return(0,d.useIsomorphicLayoutEffect)((function(){H(),w&&(0,u.registerLayer)(w,H);var e=f.current?o(f.current):void 0;return function(){e&&e(),L(),w&&(0,u.unregisterLayer)(w,H)}}),[w]),a.useEffect((function(){f.current&&_&&(null==O||O(),null==D||D(),S(!1))}),[_,O,D]),a.createElement("span",{className:"ms-layer",ref:h},f.current&&s.createPortal(a.createElement(c.FocusRectsProvider,{layerRoot:!0,providerRef:A},a.createElement(l.Fabric,r.__assign({},!k&&(n||(n={},["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 n[e]=m}))),n),I,{className:(0,c.css)(N.content,null==I?void 0:I.className),ref:A}),x)),f.current))})),t.LayerBase.displayName="LayerBase";var m=function(e){e.eventPhase===Event.BUBBLING_PHASE&&"mouseenter"!==e.type&&"mouseleave"!==e.type&&"touchstart"!==e.type&&"touchend"!==e.type&&e.stopPropagation()}},71497:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Layer=void 0;var n=o(71061),r=o(13006),i=o(76797);t.Layer=(0,n.styled)(r.LayerBase,i.getStyles,void 0,{scope:"Layer",fields:["hostId","theme","styles"]})},2052:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getDefaultTarget=t.setDefaultTarget=t.notifyHostChanged=t.cleanupDefaultLayerHost=t.createDefaultLayerHost=t.unregisterLayerHost=t.registerLayerHost=t.getLayerHost=t.getLayerCount=t.unregisterLayer=t.registerLayer=void 0;var o={},n={},r="fluent-default-layer-host",i="#".concat(r);t.registerLayer=function(e,t){o[e]||(o[e]=[]),o[e].push(t);var r=n[e];if(r)for(var i=0,a=r;i=0&&(r.splice(i,1),0===r.length&&delete o[e])}var a=n[e];if(a)for(var s=0,l=a;s=0&&o.splice(r,1),0===o.length&&delete n[e]}},t.createDefaultLayerHost=function(e,t){void 0===t&&(t=null);var o=e.createElement("div");return o.setAttribute("id",r),o.style.cssText="position:fixed;z-index:1000000",t?t.appendChild(o):null==e||e.body.appendChild(o),o},t.cleanupDefaultLayerHost=function(e,t){void 0===t&&(t=null);var o=null!=t?t:e,n=o.querySelector("#".concat(r));n&&o.removeChild(n)},t.notifyHostChanged=function(e){o[e]&&o[e].forEach((function(e){return e()}))},t.setDefaultTarget=function(e){i=e},t.getDefaultTarget=function(){return i}},76797:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r={root:"ms-Layer",rootNoHost:"ms-Layer--fixed",content:"ms-Layer-content"};t.getStyles=function(e){var t=e.className,o=e.isNotHost,i=e.theme,a=(0,n.getGlobalClassNames)(r,i);return{root:[a.root,i.fonts.medium,o&&[a.rootNoHost,{position:"fixed",zIndex:n.ZIndexes.Layer,top:0,left:0,bottom:0,right:0,visibility:"hidden"}],t],content:[a.content,{visibility:"visible"}]}}},69394:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},26103:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.LayerHost=void 0;var n=o(31635),r=o(83923),i=o(25698),a=o(71061),s=o(2052);t.LayerHost=function(e){var t=e.className,o=r.useState((function(){return(0,a.getId)()}))[0],l=e.id,c=void 0===l?o:l,u=r.useRef({hostId:c,rootRef:r.useRef(null),notifyLayersChanged:function(){}});return r.useImperativeHandle(e.componentRef,(function(){return u.current})),r.useEffect((function(){(0,s.registerLayerHost)(c,u.current),(0,s.notifyHostChanged)(c)}),[]),(0,i.useUnmount)((function(){(0,s.unregisterLayerHost)(c,u.current),(0,s.notifyHostChanged)(c)})),r.createElement("div",n.__assign({},e,{className:(0,a.css)("ms-LayerHost",t),ref:u.current.rootRef}))}},51968:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},53408:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getLayerStyles=t.unregisterLayerHost=t.unregisterLayer=t.setLayerHostSelector=t.registerLayerHost=t.registerLayer=t.notifyHostChanged=t.getLayerHost=t.getLayerCount=t.getLayerHostSelector=t.cleanupDefaultLayerHost=t.createDefaultLayerHost=void 0;var n=o(31635);n.__exportStar(o(71497),t),n.__exportStar(o(13006),t),n.__exportStar(o(69394),t),n.__exportStar(o(26103),t),n.__exportStar(o(51968),t);var r=o(2052);Object.defineProperty(t,"createDefaultLayerHost",{enumerable:!0,get:function(){return r.createDefaultLayerHost}}),Object.defineProperty(t,"cleanupDefaultLayerHost",{enumerable:!0,get:function(){return r.cleanupDefaultLayerHost}}),Object.defineProperty(t,"getLayerHostSelector",{enumerable:!0,get:function(){return r.getDefaultTarget}}),Object.defineProperty(t,"getLayerCount",{enumerable:!0,get:function(){return r.getLayerCount}}),Object.defineProperty(t,"getLayerHost",{enumerable:!0,get:function(){return r.getLayerHost}}),Object.defineProperty(t,"notifyHostChanged",{enumerable:!0,get:function(){return r.notifyHostChanged}}),Object.defineProperty(t,"registerLayer",{enumerable:!0,get:function(){return r.registerLayer}}),Object.defineProperty(t,"registerLayerHost",{enumerable:!0,get:function(){return r.registerLayerHost}}),Object.defineProperty(t,"setLayerHostSelector",{enumerable:!0,get:function(){return r.setDefaultTarget}}),Object.defineProperty(t,"unregisterLayer",{enumerable:!0,get:function(){return r.unregisterLayer}}),Object.defineProperty(t,"unregisterLayerHost",{enumerable:!0,get:function(){return r.unregisterLayerHost}});var i=o(76797);Object.defineProperty(t,"getLayerStyles",{enumerable:!0,get:function(){return i.getStyles}})},43120:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.LinkBase=void 0;var n=o(31635),r=o(83923),i=o(6080);t.LinkBase=r.forwardRef((function(e,t){var o=(0,i.useLink)(e,t),a=o.slots,s=o.slotProps;return r.createElement(a.root,n.__assign({},s.root))})),t.LinkBase.displayName="LinkBase"},34811:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Link=void 0;var n=o(52332),r=o(43120),i=o(69303);t.Link=(0,n.styled)(r.LinkBase,i.getStyles,void 0,{scope:"Link"})},69303:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=t.GlobalClassNames=void 0;var n=o(83048),r=o(52332);t.GlobalClassNames={root:"ms-Link"},t.getStyles=function(e){var o,i,a,s,l,c,u,d=e.className,p=e.isButton,m=e.isDisabled,g=e.isUnderlined,h=e.theme,f=h.semanticColors,v=f.link,b=f.linkHovered,y=f.disabledText,_=f.focusBorder,S=(0,n.getGlobalClassNames)(t.GlobalClassNames,h);return{root:[S.root,h.fonts.medium,{color:v,outline:"none",fontSize:"inherit",fontWeight:"inherit",textDecoration:g?"underline":"none",selectors:(o={},o[".".concat(r.IsFocusVisibleClassName," &:focus, :host(.").concat(r.IsFocusVisibleClassName,") &:focus")]={boxShadow:"0 0 0 1px ".concat(_," inset"),outline:"1px auto ".concat(_),selectors:(i={},i[n.HighContrastSelector]={outline:"1px solid WindowText"},i)},o[n.HighContrastSelector]={borderBottom:"none"},o)},p&&{background:"none",backgroundColor:"transparent",border:"none",cursor:"pointer",display:"inline",margin:0,overflow:"inherit",padding:0,textAlign:"left",textOverflow:"inherit",userSelect:"text",borderBottom:"1px solid transparent",selectors:(a={},a[n.HighContrastSelector]={color:"LinkText",forcedColorAdjust:"none"},a)},!p&&{selectors:(s={},s[n.HighContrastSelector]={MsHighContrastAdjust:"auto",forcedColorAdjust:"auto"},s)},m&&["is-disabled",{color:y,cursor:"default"},{selectors:(l={"&:link, &:visited":{pointerEvents:"none"}},l[n.HighContrastSelector]={color:"GrayText"},l)}],!m&&{selectors:{"&:active, &:hover, &:active:hover":{color:b,textDecoration:"underline",selectors:(c={},c[n.HighContrastSelector]={color:"LinkText"},c)},"&:focus":{color:v,selectors:(u={},u[n.HighContrastSelector]={color:"LinkText"},u)}}},S.root,d]}}},81852:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},83967:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(34811),t),n.__exportStar(o(43120),t),n.__exportStar(o(81852),t)},6080:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useLink=void 0;var n=o(31635),r=o(83923),i=o(25698),a=o(52332),s=(0,a.classNamesFunction)();t.useLink=function(e,t){var o=e.as,u=e.className,d=e.disabled,p=e.href,m=e.onClick,g=e.styles,h=e.theme,f=e.underline,v=r.useRef(null),b=(0,i.useMergedRefs)(v,t);l(e,v),(0,a.useFocusRects)(v);var y=s(g,{className:u,isButton:!p,isDisabled:d,isUnderlined:f,theme:h}),_=o||(p?"a":"button");return{state:{},slots:{root:_},slotProps:{root:n.__assign(n.__assign({},c(_,e)),{"aria-disabled":d,className:y.root,onClick:function(e){d?e.preventDefault():m&&m(e)},ref:b})}}};var l=function(e,t){r.useImperativeHandle(e.componentRef,(function(){return{focus:function(){t.current&&t.current.focus()}}}),[t])},c=function(e,t){t.as;var o=t.disabled,r=t.target,i=t.href,a=(t.theme,t.getStyles,t.styles,t.componentRef,t.underline,n.__rest(t,["as","disabled","target","href","theme","getStyles","styles","componentRef","underline"]));return"string"==typeof e?"a"===e?n.__assign({target:r,href:o?void 0:i},a):"button"===e?n.__assign({type:"button",disabled:o},a):n.__assign(n.__assign({},a),{disabled:o}):n.__assign({target:r,href:i,disabled:o},a)}},65951:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.List=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(60104),s=o(71061),l=o(5524),c=o(97156),u=o(50478),d="spacer-",p=1/3,m={top:-1,bottom:-1,left:-1,right:-1,width:0,height:0},g=function(e){return e.getBoundingClientRect()},h=g,f=g,v=function(e){function t(t){var o=e.call(this,t)||this;return o._root=r.createRef(),o._surface=r.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||!t.hasMounted&&o.props.renderEarly&&(0,i.canUseDOM)()?(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,i=e.divProps;return r.createElement("div",n.__assign({ref:t},i),o)},o._onRenderSurface=function(e){var t=e.surfaceRef,o=e.pageElements,i=e.divProps;return r.createElement("div",n.__assign({ref:t},i),o)},o._onRenderPage=function(e,t){for(var i,a=o.props,s=a.onRenderCell,l=a.onRenderCellConditional,c=a.role,u=e.page,d=u.items,p=void 0===d?[]:d,m=u.startIndex,g=n.__rest(e,["page"]),h=void 0===c?"listitem":"presentation",f=[],v=0;ve){if(t&&this._scrollElement){for(var m=f(this._scrollElement),g=(0,l.getScrollYPosition)(this._scrollElement),h={top:g,bottom:g+m.height},v=e-u,b=0;b=h.top&&y<=h.bottom)return;sh.bottom&&(s=y-m.height)}return void(this._scrollElement&&(0,l.setScrollYPosition)(this._scrollElement,s))}s+=p}},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?r:void 0,"aria-label":d.length>0?p["aria-label"]: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 n.__assign(n.__assign({},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,i.getParent)(t)}},t.prototype._onScroll=function(){this.state.isScrolling||this.props.ignoreScrollingState||this.setState({isScrolling:!0}),this._resetRequiredWindows(),this._onScrollingDoneDebounced()},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._onAsyncIdleDebounced()},t.prototype._onScrollingDone=function(){this.props.ignoreScrollingState||(this.setState({isScrolling:!1}),this._onAsyncIdle())},t.prototype._onAsyncResize=function(){this.forceUpdate()},t.prototype._updatePages=function(e,t){this._requiredRect||this._updateRenderRects(e,t);var o=this._buildPages(e,t),r=t.pages;return this._notifyPageChanges(r,o.pages,this.props),n.__assign(n.__assign(n.__assign({},t),o),{pagesVersion:{}})},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,I=!y||P>=y.top&&p<=y.bottom,w=!S._requiredRect||P>=S._requiredRect.top&&p<=S._requiredRect.bottom;if(!b&&(w||I&&k)||!v||h>=o&&h=S._visibleRect.top&&p<=S._visibleRect.bottom),c.push(E),w&&S._allowedRect&&(C=l,x={top:p,bottom:P,height:s,left:y.left,right:y.right,width:y.width},C.top=x.topC.bottom||-1===C.bottom?x.bottom:C.bottom,C.right=x.right>C.right||-1===C.right?x.right:C.right,C.width=C.right-C.left+1,C.height=C.bottom-C.top+1)}else g||(g=S._createPage(d+o,void 0,o,0,void 0,m,!0)),g.height=(g.height||0)+(P-p)+1,g.itemCount+=u;if(p+=P-p+1,b&&v)return"break"},S=this,C=a;Cthis._estimatedPageHeight*p)&&(c=this._surfaceRect=h(this._surface.current),this._scrollTop=d),!o&&u&&u===this._scrollHeight||this._measureVersion++,this._scrollHeight=u||0;var g=Math.max(0,-c.top),f=(0,i.getWindow)(this._root.current),v={top:g,left:c.left,bottom:g+f.innerHeight,right:c.right,width:c.width,height:f.innerHeight};this._requiredRect=b(v,this._requiredWindowsBehind,this._requiredWindowsAhead),this._allowedRect=b(v,a,r),this._visibleRect=v}},t.defaultProps={startIndex:0,onRenderCell:function(e,t,o){return r.createElement(r.Fragment,null,e&&e.name||"")},onRenderCellConditional:void 0,renderedWindowsAhead:2,renderedWindowsBehind:2},t.contextType=c.WindowContext,t}(r.Component);function b(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}}t.List=v},60104:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ScrollToMode=void 0,t.ScrollToMode={auto:0,top:1,bottom:2,center:3}},99195:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(65951),t),n.__exportStar(o(60104),t)},5524:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.setScrollYPosition=t.getScrollYPosition=t.getScrollHeight=void 0,t.getScrollHeight=function(e){if(void 0===e)return 0;var t=0;return"scrollHeight"in e?t=e.scrollHeight:"document"in e&&(t=e.document.documentElement.scrollHeight),t},t.getScrollYPosition=function(e){if(void 0===e)return 0;var t=0;return"scrollTop"in e?t=e.scrollTop:"scrollY"in e&&(t=e.scrollY),Math.ceil(t)},t.setScrollYPosition=function(e,t){"scrollTop"in e?e.scrollTop=t:"scrollY"in e&&e.scrollTo(e.scrollX,t)}},11604:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.MarqueeSelectionBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(97156),s=o(50478),l=(0,i.classNamesFunction)(),c=function(e){function t(t){var o=e.call(this,t)||this;return o._root=r.createRef(),o._onMouseDown=function(e){var t=o.props,n=t.isEnabled,r=t.onShouldStartSelection;if(!o._isMouseEventOnScrollbar(e)&&!o._isInSelectionToggle(e)&&!o._isTouch&&n&&!o._isDragStartInSelection(e)&&(!r||r(e))&&o._scrollableSurface&&0===e.button&&o._root.current){var a=(0,s.getWindowEx)(o.context);o._selectedIndicies={},o._preservedIndicies=void 0,o._events.on(a,"mousemove",o._onAsyncMouseMove,!0),o._events.on(o._scrollableParent,"scroll",o._onAsyncMouseMove),o._events.on(a,"click",o._onMouseUp,!0),o._autoScroll=new i.AutoScroll(o._root.current,a),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,i.initializeComponentRef)(o),o._async=new i.Async(o),o._events=new i.EventGroup(o),o.state={dragRect:void 0},o}return n.__extends(t,e),t.prototype.componentDidMount=function(){var e=(0,s.getWindowEx)(this.context),t=(0,s.getDocumentEx)(this.context);this._scrollableParent=(0,i.findScrollableParent)(this._root.current),this._scrollableSurface=this._scrollableParent===e?null==t?void 0:t.body:this._scrollableParent;var o=this.props.isDraggingConstrainedToRoot?this._root.current:this._scrollableSurface;this._events.on(o,"mousedown",this._onMouseDown),this._events.on(o,"touchstart",this._onTouchStart,!0),this._events.on(o,"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,i=e.theme,a=e.className,s=e.styles,c=this.state.dragRect,u=l(s,{theme:i,className:a});return r.createElement("div",n.__assign({},t,{className:u.root,ref:this._root}),o,c&&r.createElement("div",{className:u.dragMask}),c&&r.createElement("div",{className:u.box,style:c},r.createElement("div",{className:u.boxFill})))},t.prototype._isMouseEventOnScrollbar=function(e){var t=e.target,o=t.offsetWidth-t.clientWidth,n=t.offsetHeight-t.clientHeight;if(o||n){var r=t.getBoundingClientRect();if((0,i.getRTL)(this.props.theme)){if(e.clientXr.left+t.clientWidth)return!0;if(e.clientY>r.top+t.clientHeight)return!0}return!1},t.prototype._getRootRect=function(){return{left:this._rootRect.left+(this._scrollableSurface?this._scrollLeft-this._scrollableSurface.scrollLeft:this._scrollLeft),top:this._rootRect.top+(this._scrollableSurface?this._scrollTop-this._scrollableSurface.scrollTop:this._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,i.getDistanceBetweenPoints)(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},a={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(a,t),this.setState({dragRect:a})}return!1}},t.prototype._onMouseUp=function(e){var t=(0,s.getWindowEx)(this.context);this._events.off(t),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;c{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.MarqueeSelection=void 0;var n=o(71061),r=o(11604),i=o(77675);t.MarqueeSelection=(0,n.styled)(r.MarqueeSelectionBase,i.getStyles,void 0,{scope:"MarqueeSelection"})},77675:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019);t.getStyles=function(e){var t,o,r,i=e.theme,a=e.className,s=i.palette;return{root:[a,{position:"relative",cursor:"default"}],dragMask:[{position:"absolute",background:"rgba(255, 0, 0, 0)",left:0,top:0,right:0,bottom:0,selectors:(t={},t[n.HighContrastSelector]={background:"none",backgroundColor:"transparent"},t)}],box:[{position:"absolute",boxSizing:"border-box",border:"1px solid ".concat(s.themePrimary),pointerEvents:"none",zIndex:10,selectors:(o={},o[n.HighContrastSelector]={borderColor:"Highlight"},o)}],boxFill:[{position:"absolute",boxSizing:"border-box",backgroundColor:s.themePrimary,opacity:.1,left:0,top:0,right:0,bottom:0,selectors:(r={},r[n.HighContrastSelector]={background:"none",backgroundColor:"transparent"},r)}]}}},53200:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},16348:(e,t,o)=>{"use strict";var n;Object.defineProperty(t,"__esModule",{value:!0}),t.MessageBarBase=void 0;var r=o(31635),i=o(83923),a=o(71061),s=o(74393),l=o(30936),c=o(24312),u=o(25698),d=((n={})[c.MessageBarType.info]="Info",n[c.MessageBarType.warning]="Info",n[c.MessageBarType.error]="ErrorBadge",n[c.MessageBarType.blocked]="Blocked2",n[c.MessageBarType.severeWarning]="Warning",n[c.MessageBarType.success]="Completed",n),p=(0,a.classNamesFunction)(),m=function(e){switch(e){case c.MessageBarType.blocked:case c.MessageBarType.error:case c.MessageBarType.severeWarning:return"assertive"}return"polite"},g=function(e){switch(e){case c.MessageBarType.blocked:case c.MessageBarType.error:case c.MessageBarType.severeWarning:return"alert"}return"status"};t.MessageBarBase=i.forwardRef((function(e,t){var o=(0,u.useBoolean)(!1),n=o[0],h=o[1].toggle,f=(0,u.useId)("MessageBar"),v=e.actions,b=e.className,y=e.children,_=e.overflowButtonAriaLabel,S=e.dismissIconProps,C=e.styles,x=e.theme,P=e.messageBarType,k=void 0===P?c.MessageBarType.info:P,I=e.onDismiss,w=void 0===I?void 0:I,T=e.isMultiline,E=void 0===T||T,D=e.truncated,M=e.dismissButtonAriaLabel,O=e.messageBarIconProps,R=e.role,F=e.delayedRender,B=void 0===F||F,A=e.expandButtonProps,N=e.onExpandButtonToggled,L=void 0===N?void 0:N,H=i.useCallback((function(){h(),L&&L(!n)}),[n,L,h]),j=(0,a.getNativeProps)(e,a.htmlElementProperties,["className","role"]),z=p(C,{theme:x,messageBarType:k||c.MessageBarType.info,onDismiss:void 0!==w,actions:void 0!==v,truncated:D,isMultiline:E,expandSingleLine:n,className:b}),W={iconName:n?"DoubleChevronUp":"DoubleChevronDown"},V=v||w?{"aria-describedby":f,role:"region"}:{},K=v?i.createElement("div",{className:z.actions},v):null,G=w?i.createElement(s.IconButton,{disabled:!1,className:z.dismissal,onClick:w,iconProps:S||{iconName:"Clear"},title:M,ariaLabel:M}):null;return i.createElement("div",r.__assign({ref:t,className:z.root},V),i.createElement("div",{className:z.content},i.createElement("div",{className:z.iconContainer,"aria-hidden":!0},O?i.createElement(l.Icon,r.__assign({},O,{className:(0,a.css)(z.icon,O.className)})):i.createElement(l.Icon,{iconName:d[k],className:z.icon})),i.createElement("div",{className:z.text,id:f,role:R||g(k),"aria-live":m(k)},i.createElement("span",r.__assign({className:z.innerText},j),B?i.createElement(a.DelayedRender,null,i.createElement("span",null,y)):i.createElement("span",null,y))),!E&&!K&&D&&i.createElement("div",{className:z.expandSingleLine},i.createElement(s.IconButton,r.__assign({disabled:!1,className:z.expand,onClick:H,iconProps:W,ariaLabel:_,"aria-expanded":n},A))),!E&&K,!E&&G&&i.createElement("div",{className:z.dismissSingleLine},G),E&&G),E&&K)})),t.MessageBarBase.displayName="MessageBar"},84623:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.MessageBar=void 0;var n=o(71061),r=o(16348),i=o(22035);t.MessageBar=(0,n.styled)(r.MessageBarBase,i.getStyles,void 0,{scope:"MessageBar"})},22035:(e,t,o)=>{"use strict";var n,r,i,a;Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var s=o(31635),l=o(15019),c=o(24312),u={root:"ms-MessageBar",error:"ms-MessageBar--error",blocked:"ms-MessageBar--blocked",severeWarning:"ms-MessageBar--severeWarning",success:"ms-MessageBar--success",warning:"ms-MessageBar--warning",multiline:"ms-MessageBar-multiline",singleline:"ms-MessageBar-singleline",dismissalSingleLine:"ms-MessageBar-dismissalSingleLine",expandingSingleLine:"ms-MessageBar-expandingSingleLine",content:"ms-MessageBar-content",iconContainer:"ms-MessageBar-icon",text:"ms-MessageBar-text",innerText:"ms-MessageBar-innerText",dismissSingleLine:"ms-MessageBar-dismissSingleLine",expandSingleLine:"ms-MessageBar-expandSingleLine",dismissal:"ms-MessageBar-dismissal",expand:"ms-MessageBar-expand",actions:"ms-MessageBar-actions",actionsSingleline:"ms-MessageBar-actionsSingleLine"},d=((n={})[c.MessageBarType.error]="errorBackground",n[c.MessageBarType.blocked]="errorBackground",n[c.MessageBarType.success]="successBackground",n[c.MessageBarType.warning]="warningBackground",n[c.MessageBarType.severeWarning]="severeWarningBackground",n[c.MessageBarType.info]="infoBackground",n),p=((r={})[c.MessageBarType.error]="errorIcon",r[c.MessageBarType.blocked]="errorIcon",r[c.MessageBarType.success]="successIcon",r[c.MessageBarType.warning]="warningIcon",r[c.MessageBarType.severeWarning]="severeWarningIcon",r[c.MessageBarType.info]="infoIcon",r),m=((i={})[c.MessageBarType.error]="#ff0000",i[c.MessageBarType.blocked]="#ff0000",i[c.MessageBarType.success]="#bad80a",i[c.MessageBarType.warning]="#fff100",i[c.MessageBarType.severeWarning]="#ff0000",i[c.MessageBarType.info]="WindowText",i),g=((a={})[c.MessageBarType.error]="#e81123",a[c.MessageBarType.blocked]="#e81123",a[c.MessageBarType.success]="#107c10",a[c.MessageBarType.warning]="#966400",a[c.MessageBarType.severeWarning]="#d83b01",a[c.MessageBarType.info]="WindowText",a);t.getStyles=function(e){var t,o,n,r,i,a,h,f,v,b,y,_=e.theme,S=e.className,C=e.onDismiss,x=e.truncated,P=e.isMultiline,k=e.expandSingleLine,I=e.messageBarType,w=void 0===I?c.MessageBarType.info:I,T=_.semanticColors,E=_.fonts,D=(0,l.getScreenSelector)(0,l.ScreenWidthMaxSmall),M=(0,l.getGlobalClassNames)(u,_),O={fontSize:l.IconFontSizes.xSmall,height:10,lineHeight:"10px",color:T.messageText,selectors:(t={},t[l.HighContrastSelector]=s.__assign(s.__assign({},(0,l.getHighContrastNoAdjustStyle)()),{color:"WindowText"}),t)},R=[(0,l.getFocusStyle)(_,{inset:1,highContrastStyle:{outlineOffset:"-6px",outline:"1px solid Highlight"},borderColor:"transparent"}),{flexShrink:0,width:32,height:32,padding:"8px 12px",selectors:{"& .ms-Button-icon":O,":hover":{backgroundColor:"transparent"},":active":{backgroundColor:"transparent"}}}];return{root:[M.root,E.medium,w===c.MessageBarType.error&&M.error,w===c.MessageBarType.blocked&&M.blocked,w===c.MessageBarType.severeWarning&&M.severeWarning,w===c.MessageBarType.success&&M.success,w===c.MessageBarType.warning&&M.warning,P?M.multiline:M.singleline,!P&&C&&M.dismissalSingleLine,!P&&x&&M.expandingSingleLine,{background:T[d[w]],boxSizing:"border-box",color:T.messageText,minHeight:32,width:"100%",display:"flex",wordBreak:"break-word",selectors:(o={".ms-Link":{color:T.messageLink,selectors:{":hover":{color:T.messageLinkHovered}}}},o[l.HighContrastSelector]=s.__assign(s.__assign({},(0,l.getHighContrastNoAdjustStyle)()),{background:"transparent",border:"1px solid ".concat(m[w]),color:"WindowText"}),o[l.HighContrastSelectorWhite]={border:"1px solid ".concat(g[w])},o)},P&&{flexDirection:"column"},S],content:[M.content,(n={display:"flex",width:"100%",lineHeight:"normal"},n[D]={display:"grid",gridTemplateColumns:"auto 1fr auto",gridTemplateRows:"1fr auto",gridTemplateAreas:'\n "icon text close"\n "action action action"\n '},n)],iconContainer:[M.iconContainer,(r={fontSize:l.IconFontSizes.medium,minWidth:16,minHeight:16,display:"flex",flexShrink:0,margin:"8px 0 8px 12px"},r[D]={gridArea:"icon"},r)],icon:{color:T[p[w]],selectors:(i={},i[l.HighContrastSelector]=s.__assign(s.__assign({},(0,l.getHighContrastNoAdjustStyle)()),{color:"WindowText"}),i)},text:[M.text,s.__assign(s.__assign({minWidth:0,display:"flex",flexGrow:1,margin:8},E.small),(a={},a[D]={gridArea:"text"},a.selectors=(h={},h[l.HighContrastSelector]=s.__assign({},(0,l.getHighContrastNoAdjustStyle)()),h),a)),!C&&{marginRight:12}],innerText:[M.innerText,{lineHeight:16,selectors:{"& span a:last-child":{paddingLeft:4}}},x&&{overflow:"visible",whiteSpace:"pre-wrap"},!P&&{overflow:"hidden",textOverflow:"ellipsis",whiteSpace:"nowrap"},!P&&!x&&{selectors:(f={},f[D]={overflow:"visible",whiteSpace:"pre-wrap"},f)},k&&{overflow:"visible",whiteSpace:"pre-wrap"}],dismissSingleLine:[M.dismissSingleLine,(v={},v[D]={gridArea:"close"},v)],expandSingleLine:M.expandSingleLine,dismissal:[M.dismissal,R],expand:[M.expand,R],actions:[P?M.actions:M.actionsSingleline,(b={display:"flex",flexGrow:0,flexShrink:0,flexBasis:"auto",flexDirection:"row-reverse",alignItems:"center",margin:"0 12px 0 8px",forcedColorAdjust:"auto",MsHighContrastAdjust:"auto"},b[D]={gridArea:"action",marginRight:8,marginBottom:8},b.selectors={"& button:nth-child(n+2)":(y={marginLeft:8},y[D]={marginBottom:0},y)},b),P&&{marginBottom:8},C&&!P&&{marginRight:0}]}}},24312:(e,t)=>{"use strict";var o;Object.defineProperty(t,"__esModule",{value:!0}),t.MessageBarType=void 0,(o=t.MessageBarType||(t.MessageBarType={}))[o.info=0]="info",o[o.error=1]="error",o[o.blocked=2]="blocked",o[o.severeWarning=3]="severeWarning",o[o.success=4]="success",o[o.warning=5]="warning"},8843:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(84623),t),n.__exportStar(o(16348),t),n.__exportStar(o(24312),t)},41646:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ModalBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(34464),s=o(80029),l=o(63409),c=o(44472),u=o(42183),d=o(4324),p=o(42502),m=o(30936),g=o(37996),h=o(97156),f=o(25698),v={x:0,y:0},b={isOpen:!1,isDarkOverlay:!0,className:"",containerClassName:"",enableAriaHiddenSiblings:!0},y=(0,i.classNamesFunction)();t.ModalBase=r.forwardRef((function(e,t){var o,_,S,C,x,P=(0,i.getPropsWithDefaults)(b,e),k=P.allowTouchBodyScroll,I=P.className,w=P.children,T=P.containerClassName,E=P.scrollableContentClassName,D=P.elementToFocusOnDismiss,M=P.firstFocusableSelector,O=P.focusTrapZoneProps,R=P.forceFocusInsideTrap,F=P.disableRestoreFocus,B=void 0===F?P.ignoreExternalFocusing:F,A=P.isBlocking,N=P.isAlert,L=P.isClickableOutsideFocusTrap,H=P.isDarkOverlay,j=P.onDismiss,z=P.layerProps,W=P.overlay,V=P.isOpen,K=P.titleAriaId,G=P.styles,U=P.subtitleAriaId,Y=P.theme,q=P.topOffsetFixed,X=P.responsiveMode,Z=P.onLayerDidMount,Q=P.isModeless,J=P.dragOptions,$=P.onDismissed,ee=P.enableAriaHiddenSiblings,te=P.popupProps,oe=r.useRef(null),ne=r.useRef(null),re=(0,f.useMergedRefs)(ne,null==O?void 0:O.componentRef),ie=r.useRef(null),ae=(0,f.useMergedRefs)(oe,t),se=(0,d.useResponsiveMode)(ae),le=(0,f.useId)("ModalFocusTrapZone",null==O?void 0:O.id),ce=(0,h.useWindow)(),ue=(0,f.useSetTimeout)(),de=ue.setTimeout,pe=ue.clearTimeout,me=r.useState(V),ge=me[0],he=me[1],fe=r.useState(V),ve=fe[0],be=fe[1],ye=r.useState(v),_e=ye[0],Se=ye[1],Ce=r.useState(),xe=Ce[0],Pe=Ce[1],ke=(0,f.useBoolean)(!1),Ie=ke[0],we=ke[1],Te=we.toggle,Ee=we.setFalse,De=(0,f.useConst)((function(){return{onModalCloseTimer:0,allowTouchBodyScroll:k,scrollableContent:null,lastSetCoordinates:v,events:new i.EventGroup({})}})),Me=(J||{}).keepInBounds,Oe=null!=N?N:A&&!Q,Re=void 0===z?"":z.className,Fe=y(G,{theme:Y,className:I,containerClassName:T,scrollableContentClassName:E,isOpen:V,isVisible:ve,hasBeenOpened:De.hasBeenOpened,modalRectangleTop:xe,topOffsetFixed:q,isModeless:Q,layerClassName:Re,windowInnerHeight:null==ce?void 0:ce.innerHeight,isDefaultDragHandle:J&&!J.dragHandleSelector}),Be=n.__assign(n.__assign({eventBubblingEnabled:!1},z),{onLayerDidMount:z&&z.onLayerDidMount?z.onLayerDidMount:Z,insertFirst:(null==z?void 0:z.insertFirst)||Q,className:Fe.layer}),Ae=r.useCallback((function(e){e?De.allowTouchBodyScroll?(0,i.allowOverscrollOnElement)(e,De.events):(0,i.allowScrollOnElement)(e,De.events):De.events.off(De.scrollableContent),De.scrollableContent=e}),[De]),Ne=function(){var e=ie.current,t=null==e?void 0:e.getBoundingClientRect();t&&(q&&Pe(t.top),Me&&(De.minPosition={x:-t.left,y:-t.top},De.maxPosition={x:t.left,y:t.top}))},Le=r.useCallback((function(e,t){var o=De.minPosition,n=De.maxPosition;return Me&&o&&n&&(t=Math.max(o[e],t),t=Math.min(n[e],t)),t}),[Me,De]),He=function(){var e;De.lastSetCoordinates=v,Ee(),De.isInKeyboardMoveMode=!1,he(!1),Se(v),null===(e=De.disposeOnKeyUp)||void 0===e||e.call(De),null==$||$()},je=r.useCallback((function(){Ee(),De.isInKeyboardMoveMode=!1}),[De,Ee]),ze=r.useCallback((function(e,t){Se((function(e){return{x:Le("x",e.x+t.delta.x),y:Le("y",e.y+t.delta.y)}}))}),[Le]),We=r.useCallback((function(){ne.current&&ne.current.focus()}),[]);r.useEffect((function(){var e;pe(De.onModalCloseTimer),V&&(requestAnimationFrame((function(){return de(Ne,0)})),he(!0),J&&(e=function(e){e.altKey&&e.ctrlKey&&e.keyCode===i.KeyCodes.space&&(0,i.elementContains)(De.scrollableContent,e.target)&&(Te(),e.preventDefault(),e.stopPropagation())},De.disposeOnKeyUp||(De.events.on(ce,"keyup",e,!0),De.disposeOnKeyUp=function(){De.events.off(ce,"keyup",e,!0),De.disposeOnKeyUp=void 0})),De.hasBeenOpened=!0,be(!0)),!V&&ge&&(De.onModalCloseTimer=de(He,1e3*parseFloat(s.animationDuration)),be(!1))}),[ge,V]),(0,f.useUnmount)((function(){De.events.dispose()})),function(e,t){r.useImperativeHandle(e.componentRef,(function(){return{focus:function(){t.current&&t.current.focus()}}}),[t])}(P,ne);var Ve=r.createElement(a.FocusTrapZone,n.__assign({},O,{id:le,ref:ie,componentRef:re,className:(0,i.css)(Fe.main,null==O?void 0:O.className),elementToFocusOnDismiss:null!==(o=null==O?void 0:O.elementToFocusOnDismiss)&&void 0!==o?o:D,isClickableOutsideFocusTrap:null!==(_=null==O?void 0:O.isClickableOutsideFocusTrap)&&void 0!==_?_:Q||L||!A,disableRestoreFocus:null!==(S=null==O?void 0:O.disableRestoreFocus)&&void 0!==S?S:B,forceFocusInsideTrap:(null!==(C=null==O?void 0:O.forceFocusInsideTrap)&&void 0!==C?C:R)&&!Q,firstFocusableSelector:(null==O?void 0:O.firstFocusableSelector)||M,focusPreviouslyFocusedInnerElement:null===(x=null==O?void 0:O.focusPreviouslyFocusedInnerElement)||void 0===x||x,onBlur:De.isInKeyboardMoveMode?function(e){var t,o;null===(t=null==O?void 0:O.onBlur)||void 0===t||t.call(O,e),De.lastSetCoordinates=v,De.isInKeyboardMoveMode=!1,null===(o=De.disposeOnKeyDown)||void 0===o||o.call(De)}:void 0}),J&&De.isInKeyboardMoveMode&&r.createElement("div",{className:Fe.keyboardMoveIconContainer},J.keyboardMoveIconProps?r.createElement(m.Icon,n.__assign({},J.keyboardMoveIconProps)):r.createElement(m.Icon,{iconName:"move",className:Fe.keyboardMoveIcon})),r.createElement("div",{ref:Ae,className:Fe.scrollableContent,"data-is-scrollable":!0},J&&Ie&&r.createElement(J.menu,{items:[{key:"move",text:J.moveMenuItemText,onClick:function(){var e=function(e){if(e.altKey&&e.ctrlKey&&e.keyCode===i.KeyCodes.space)return e.preventDefault(),void e.stopPropagation();var t=e.altKey||e.keyCode===i.KeyCodes.escape;if(Ie&&t&&Ee(),!De.isInKeyboardMoveMode||e.keyCode!==i.KeyCodes.escape&&e.keyCode!==i.KeyCodes.enter||(De.isInKeyboardMoveMode=!1,e.preventDefault(),e.stopPropagation()),De.isInKeyboardMoveMode){var o=!0,n=function(e){var t=10;return e.shiftKey?e.ctrlKey||(t=50):e.ctrlKey&&(t=1),t}(e);switch(e.keyCode){case i.KeyCodes.escape:Se(De.lastSetCoordinates);case i.KeyCodes.enter:De.lastSetCoordinates=v;break;case i.KeyCodes.up:Se((function(e){return{x:e.x,y:Le("y",e.y-n)}}));break;case i.KeyCodes.down:Se((function(e){return{x:e.x,y:Le("y",e.y+n)}}));break;case i.KeyCodes.left:Se((function(e){return{x:Le("x",e.x-n),y:e.y}}));break;case i.KeyCodes.right:Se((function(e){return{x:Le("x",e.x+n),y:e.y}}));break;default:o=!1}o&&(e.preventDefault(),e.stopPropagation())}};De.lastSetCoordinates=_e,Ee(),De.isInKeyboardMoveMode=!0,De.events.on(ce,"keydown",e,!0),De.disposeOnKeyDown=function(){De.events.off(ce,"keydown",e,!0),De.disposeOnKeyDown=void 0}}},{key:"close",text:J.closeMenuItemText,onClick:He}],onDismiss:Ee,alignTargetEdge:!0,coverTarget:!0,directionalHint:p.DirectionalHint.topLeftEdge,directionalHintFixed:!0,shouldFocusOnMount:!0,target:De.scrollableContent}),w));return ge&&se>=(X||d.ResponsiveMode.small)&&r.createElement(c.Layer,n.__assign({ref:ae},Be),r.createElement(u.Popup,n.__assign({role:Oe?"alertdialog":"dialog",ariaLabelledBy:K,ariaDescribedBy:U,onDismiss:j,shouldRestoreFocus:!B,enableAriaHiddenSiblings:ee,"aria-modal":!Q},te),r.createElement("div",{className:Fe.root,role:Q?void 0:"document"},!Q&&r.createElement(l.Overlay,n.__assign({"aria-hidden":!0,isDarkThemed:H,onClick:A?void 0:j,allowTouchBodyScroll:k},W)),J?r.createElement(g.DraggableZone,{handleSelector:J.dragHandleSelector||"#".concat(le),preventDragSelector:"button",onStart:je,onDragChange:ze,onStop:We,position:_e},Ve):Ve)))||null})),t.ModalBase.displayName="Modal"},14793:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Modal=void 0;var n=o(71061),r=o(41646),i=o(80029);t.Modal=(0,n.styled)(r.ModalBase,i.getStyles,void 0,{scope:"Modal",fields:["theme","styles","enableAriaHiddenSiblings"]}),t.Modal.displayName="Modal"},80029:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=t.animationDuration=void 0;var n=o(15019);t.animationDuration=n.AnimationVariables.durationValue2;var r={root:"ms-Modal",main:"ms-Dialog-main",scrollableContent:"ms-Modal-scrollableContent",isOpen:"is-open",layer:"ms-Modal-Layer"};t.getStyles=function(e){var o,i=e.className,a=e.containerClassName,s=e.scrollableContentClassName,l=e.isOpen,c=e.isVisible,u=e.hasBeenOpened,d=e.modalRectangleTop,p=e.theme,m=e.topOffsetFixed,g=e.isModeless,h=e.layerClassName,f=e.isDefaultDragHandle,v=e.windowInnerHeight,b=p.palette,y=p.effects,_=p.fonts,S=(0,n.getGlobalClassNames)(r,p);return{root:[S.root,_.medium,{backgroundColor:"transparent",position:"fixed",height:"100%",width:"100%",display:"flex",alignItems:"center",justifyContent:"center",opacity:0,pointerEvents:"none",transition:"opacity ".concat(t.animationDuration)},m&&"number"==typeof d&&u&&{alignItems:"flex-start"},l&&S.isOpen,c&&{opacity:1},c&&!g&&{pointerEvents:"auto"},i],main:[S.main,{boxShadow:y.elevation64,borderRadius:y.roundedCorner2,backgroundColor:b.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:g?n.ZIndexes.Layer:void 0},g&&{pointerEvents:"auto"},m&&"number"==typeof d&&u&&{top:d},f&&{cursor:"move"},a],scrollableContent:[S.scrollableContent,{overflowY:"auto",flexGrow:1,maxHeight:"100vh",selectors:(o={},o["@supports (-webkit-overflow-scrolling: touch)"]={maxHeight:v},o)},s],layer:g&&[h,S.layer,{pointerEvents:"none"}],keyboardMoveIconContainer:{position:"absolute",display:"flex",justifyContent:"center",width:"100%",padding:"3px 0px"},keyboardMoveIcon:{fontSize:_.xLargePlus.fontSize,width:"24px"}}}},36274:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},83144:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(14793),t),n.__exportStar(o(41646),t),n.__exportStar(o(36274),t)},31594:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.NavBase=t.isRelativeUrl=void 0;var n,r=o(31635),i=o(83923),a=o(74393),s=o(31305),l=o(71061),c=o(80371),u=o(30936),d=o(52332),p=o(97156),m=o(50478);function g(e){return!!e&&!/^[a-z0-9+-.]+:\/\//i.test(e)}t.isRelativeUrl=g;var h=(0,l.classNamesFunction)(),f=function(e){function t(t){var o=e.call(this,t)||this;return o._focusZone=i.createRef(),o._onRenderLink=function(e){var t=o.props,n=t.styles,r=t.groups,a=t.theme,s=h(n,{theme:a,groups:r});return i.createElement("div",{className:s.linkText},e.name)},o._renderGroup=function(e,t){var n=o.props,a=n.styles,s=n.groups,l=n.theme,c=n.onRenderGroupHeader,u=void 0===c?o._renderGroupHeader:c,d=o._isGroupExpanded(e),p=h(a,{theme:l,isGroup:!0,isExpanded:d,groups:s}),m=r.__assign(r.__assign({},e),{isExpanded:d,onHeaderClick:function(t,n){o._onGroupHeaderClicked(e,t)}});return i.createElement("div",{key:t,className:p.group},m.name?u(m,o._renderGroupHeader):null,i.createElement("div",{className:p.groupContent},o._renderLinks(m.links,0)))},o._renderGroupHeader=function(e){var t,n=o.props,r=n.styles,a=n.groups,s=n.theme,l=n.expandButtonAriaLabel,c=e.isExpanded,d=h(r,{theme:s,isGroup:!0,isExpanded:c,groups:a}),p=null!==(t=e.collapseAriaLabel)&&void 0!==t?t:e.expandAriaLabel,m=(c?p:e.expandAriaLabel)||l,g=e.onHeaderClick,f=g?function(e){g(e,c)}:void 0;return i.createElement("button",{className:d.chevronButton,onClick:f,"aria-label":m,"aria-expanded":c},i.createElement(u.Icon,{className:d.chevronIcon,iconName:"ChevronDown"}),e.name)},(0,l.initializeComponentRef)(o),o.state={isGroupCollapsed:{},isLinkExpandStateChanged:!1,selectedKey:t.initialSelectedKey||t.selectedKey},o}return r.__extends(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.groups,n=e.className,a=e.isOnTop,s=e.role,l=void 0===s?"navigation":s,u=e.theme;if(!o)return null;var d=o.map(this._renderGroup),p=h(t,{theme:u,className:n,isOnTop:a,groups:o});return i.createElement(c.FocusZone,r.__assign({direction:c.FocusZoneDirection.vertical,componentRef:this._focusZone},this.props.focusZoneProps),i.createElement("nav",{role:l,className:p.root,"aria-label":this.props.ariaLabel},d))},Object.defineProperty(t.prototype,"selectedKey",{get:function(){return this.state.selectedKey},enumerable:!1,configurable:!0}),t.prototype.focus=function(e){return void 0===e&&(e=!1),!(!this._focusZone||!this._focusZone.current)&&this._focusZone.current.focus(e)},t.prototype._renderNavLink=function(e,t,o){var n=this.props,r=n.styles,l=n.groups,c=n.theme,u=e.icon||e.iconProps,p=this._isLinkSelected(e),m=e.ariaCurrent,f=void 0===m?"page":m,v=h(r,{theme:c,isSelected:p,isDisabled:e.disabled,isButtonEntry:e.onClick&&!e.forceAnchor,leftPadding:14*o+3+(u?0:24),groups:l}),b=e.url&&e.target&&!g(e.url)?"noopener noreferrer":void 0,y=this.props.linkAs?(0,d.composeComponentAs)(this.props.linkAs,a.ActionButton):a.ActionButton,_=this.props.onRenderLink?(0,d.composeRenderFunction)(this.props.onRenderLink,this._onRenderLink):this._onRenderLink;return i.createElement(y,{className:v.link,styles:s.buttonStyles,href:e.url||(e.forceAnchor?"#":void 0),iconProps:e.iconProps||{iconName:e.icon},onClick:e.onClick?this._onNavButtonLinkClicked.bind(this,e):this._onNavAnchorLinkClicked.bind(this,e),title:void 0!==e.title?e.title:e.name,target:e.target,rel:b,disabled:e.disabled,"aria-current":p?f:void 0,"aria-label":e.ariaLabel?e.ariaLabel:void 0,link:e},_(e))},t.prototype._renderCompositeLink=function(e,t,o){var n,a=r.__assign({},(0,l.getNativeProps)(e,l.divProperties,["onClick"])),s=this.props,c=s.expandButtonAriaLabel,d=s.styles,p=s.groups,m=s.theme,g=h(d,{theme:m,isExpanded:!!e.isExpanded,isSelected:this._isLinkSelected(e),isLink:!0,isDisabled:e.disabled,position:14*o+1,groups:p}),f="";if(e.links&&e.links.length>0)if(e.collapseAriaLabel||e.expandAriaLabel){var v=null!==(n=e.collapseAriaLabel)&&void 0!==n?n:e.expandAriaLabel;f=e.isExpanded?v:e.expandAriaLabel}else f=c?"".concat(e.name," ").concat(c):e.name;return i.createElement("div",r.__assign({},a,{key:e.key||t,className:g.compositeLink}),e.links&&e.links.length>0?i.createElement("button",{className:g.chevronButton,onClick:this._onLinkExpandClicked.bind(this,e),"aria-label":f,"aria-expanded":e.isExpanded?"true":"false"},i.createElement(u.Icon,{className:g.chevronIcon,iconName:"ChevronDown"})):null,this._renderNavLink(e,t,o))},t.prototype._renderLink=function(e,t,o){var n=this.props,r=n.styles,a=n.groups,s=n.theme,l=h(r,{theme:s,groups:a});return i.createElement("li",{key:e.key||t,role:"listitem",className:l.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,a=r.styles,s=r.groups,l=r.theme,c=h(a,{theme:l,groups:s});return i.createElement("ul",{role:"list",className:c.navItems},n)},t.prototype._onGroupHeaderClicked=function(e,t){e.onHeaderClick&&e.onHeaderClick(t,this._isGroupExpanded(e)),void 0===e.isExpanded&&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,l.getWindow)()||!e.url)return!1;var t=(0,m.getDocumentEx)(this.context);(n=n||t.createElement("a")).href=e.url||"";var o=n.href;return location.href===o||location.protocol+"//"+location.host+location.pathname===o||!!location.hash&&(location.hash===e.url||(n.href=location.hash.substring(1),n.href===o))},t.prototype._isGroupExpanded=function(e){return void 0!==e.isExpanded?e.isExpanded: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=r.__assign(r.__assign({},this.state.isGroupCollapsed),((t={})[e.name]=this._isGroupExpanded(e),t));this.setState({isGroupCollapsed:o})}},t.defaultProps={groups:null},t.contextType=p.WindowContext,t}(i.Component);t.NavBase=f},61501:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Nav=void 0;var n=o(71061),r=o(31594),i=o(31305);t.Nav=(0,n.styled)(r.NavBase,i.getStyles,void 0,{scope:"Nav"})},31305:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=t.buttonStyles=void 0;var n=o(15019),r={root:"ms-Nav",linkText:"ms-Nav-linkText",compositeLink:"ms-Nav-compositeLink",link:"ms-Nav-link",chevronButton:"ms-Nav-chevronButton",chevronIcon:"ms-Nav-chevron",navItem:"ms-Nav-navItem",navItems:"ms-Nav-navItems",group:"ms-Nav-group",groupContent:"ms-Nav-groupContent"};t.buttonStyles={textContainer:{overflow:"hidden"},label:{whiteSpace:"nowrap",textOverflow:"ellipsis",overflow:"hidden"}},t.getStyles=function(e){var t,o=e.className,i=e.theme,a=e.isOnTop,s=e.isExpanded,l=e.isGroup,c=e.isLink,u=e.isSelected,d=e.isDisabled,p=e.isButtonEntry,m=e.navHeight,g=void 0===m?44:m,h=e.position,f=e.leftPadding,v=void 0===f?20:f,b=e.leftPaddingExpanded,y=void 0===b?28:b,_=e.rightPadding,S=void 0===_?20:_,C=i.palette,x=i.semanticColors,P=i.fonts,k=(0,n.getGlobalClassNames)(r,i);return{root:[k.root,o,P.medium,{overflowY:"auto",userSelect:"none",WebkitOverflowScrolling:"touch"},a&&[{position:"absolute"},n.AnimationClassNames.slideRightIn40]],linkText:[k.linkText,{margin:"0 4px",overflow:"hidden",verticalAlign:"middle",textAlign:"left",textOverflow:"ellipsis"}],compositeLink:[k.compositeLink,{display:"block",position:"relative",color:x.bodyText},s&&"is-expanded",u&&"is-selected",d&&"is-disabled",d&&{color:x.disabledText}],link:[k.link,(0,n.getFocusStyle)(i),{display:"block",position:"relative",height:g,width:"100%",lineHeight:"".concat(g,"px"),textDecoration:"none",cursor:"pointer",textOverflow:"ellipsis",whiteSpace:"nowrap",overflow:"hidden",paddingLeft:v,paddingRight:S,color:x.bodyText,selectors:(t={},t[n.HighContrastSelector]={border:0,selectors:{":focus":{border:"1px solid WindowText"}}},t)},!d&&{selectors:{".ms-Nav-compositeLink:hover &":{backgroundColor:x.bodyBackgroundHovered}}},u&&{color:x.bodyTextChecked,fontWeight:n.FontWeights.semibold,backgroundColor:x.bodyBackgroundChecked,selectors:{"&:after":{borderLeft:"2px solid ".concat(C.themePrimary),content:'""',position:"absolute",top:0,right:0,bottom:0,left:0,pointerEvents:"none"}}},d&&{color:x.disabledText},p&&{color:C.themePrimary}],chevronButton:[k.chevronButton,(0,n.getFocusStyle)(i),P.small,{display:"block",textAlign:"left",lineHeight:"".concat(g,"px"),margin:"5px 0",padding:"0px, ".concat(S,"px, 0px, ").concat(y,"px"),border:"none",textOverflow:"ellipsis",whiteSpace:"nowrap",overflow:"hidden",cursor:"pointer",color:x.bodyText,backgroundColor:"transparent",selectors:{"&:visited":{color:x.bodyText}}},l&&{fontSize:P.large.fontSize,width:"100%",height:g,borderBottom:"1px solid ".concat(x.bodyDivider)},c&&{display:"block",width:y-2,height:g-2,position:"absolute",top:"1px",left:"".concat(h,"px"),zIndex:n.ZIndexes.Nav,padding:0,margin:0}],chevronIcon:[k.chevronIcon,{position:"absolute",left:"8px",height:g,display:"inline-flex",alignItems:"center",lineHeight:"".concat(g,"px"),fontSize:P.small.fontSize,transition:"transform .1s linear"},s&&{transform:"rotate(-180deg)"},c&&{top:0}],navItem:[k.navItem,{padding:0}],navItems:[k.navItems,{listStyleType:"none",padding:0,margin:0}],group:[k.group,s&&"is-expanded"],groupContent:[k.groupContent,{display:"none",marginBottom:"40px"},n.AnimationClassNames.slideDownIn20,s&&{display:"block"}]}}},8926:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},90048:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(61501),t),n.__exportStar(o(31594),t),n.__exportStar(o(8926),t)},12301:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.OverflowButton=void 0;var n=o(31635),r=o(83923),i=o(49683),a=o(25698),s=function(e,t,o){for(var n=0,r=e;n{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.OverflowSetBase=void 0;var n=o(31635),r=o(83923),i=o(25698),a=o(71061),s=o(12301),l=o(50478),c=(0,a.classNamesFunction)();t.OverflowSetBase=r.forwardRef((function(e,t){var o=r.useRef(null),u=(0,i.useMergedRefs)(o,t);!function(e,t){var o=(0,l.useDocumentEx)();r.useImperativeHandle(e.componentRef,(function(){return{focus:function(e,o){var n=!1;return t.current&&(n=(0,a.focusFirstChild)(t.current,o)),n},focusElement:function(e){var n=!1;return!!e&&(t.current&&(0,a.elementContains)(t.current,e)&&(e.focus(),n=(null==o?void 0:o.activeElement)===e),n)}}}),[t,o])}(e,o);var d=e.items,p=e.overflowItems,m=e.className,g=e.styles,h=e.vertical,f=e.role,v=e.overflowSide,b=void 0===v?"end":v,y=e.onRenderItem,_=c(g,{className:m,vertical:h}),S=!!p&&p.length>0;return r.createElement("div",n.__assign({},(0,a.getNativeProps)(e,a.divProperties),{role:f||"group","aria-orientation":"menubar"===f?!0===h?"vertical":"horizontal":void 0,className:_.root,ref:u}),"start"===b&&S&&r.createElement(s.OverflowButton,n.__assign({},e,{className:_.overflowButton})),d&&d.map((function(e,t){return r.createElement("div",{className:_.item,key:e.key,role:"none"},y(e))})),"end"===b&&S&&r.createElement(s.OverflowButton,n.__assign({},e,{className:_.overflowButton})))})),t.OverflowSetBase.displayName="OverflowSet"},83301:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.OverflowSet=void 0;var n=o(71061),r=o(76274),i=o(16081);t.OverflowSet=(0,n.styled)(r.OverflowSetBase,i.getStyles,void 0,{scope:"OverflowSet"})},16081:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var o={flexShrink:0,display:"inherit"};t.getStyles=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",o],overflowButton:["ms-OverflowSet-overflowButton",o]}}},56742:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},96255:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(83301),t),n.__exportStar(o(76274),t),n.__exportStar(o(56742),t)},90006:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.OverlayBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=(0,i.classNamesFunction)(),s=function(e){function t(t){var o=e.call(this,t)||this;(0,i.initializeComponentRef)(o);var n=o.props.allowTouchBodyScroll,r=void 0!==n&&n;return o._allowTouchBodyScroll=r,o}return n.__extends(t,e),t.prototype.componentDidMount=function(){!this._allowTouchBodyScroll&&(0,i.disableBodyScroll)()},t.prototype.componentWillUnmount=function(){!this._allowTouchBodyScroll&&(0,i.enableBodyScroll)()},t.prototype.render=function(){var e=this.props,t=e.isDarkThemed,o=e.className,s=e.theme,l=e.styles,c=(0,i.getNativeProps)(this.props,i.divProperties),u=a(l,{theme:s,className:o,isDark:t});return r.createElement("div",n.__assign({},c,{className:u.root}))},t}(r.Component);t.OverlayBase=s},5649:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Overlay=void 0;var n=o(71061),r=o(90006),i=o(54533);t.Overlay=(0,n.styled)(r.OverlayBase,i.getStyles,void 0,{scope:"Overlay"})},54533:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r={root:"ms-Overlay",rootDark:"ms-Overlay--dark"};t.getStyles=function(e){var t,o=e.className,i=e.theme,a=e.isNone,s=e.isDark,l=i.palette,c=(0,n.getGlobalClassNames)(r,i);return{root:[c.root,i.fonts.medium,{backgroundColor:l.whiteTranslucent40,top:0,right:0,bottom:0,left:0,position:"absolute",selectors:(t={},t[n.HighContrastSelector]={border:"1px solid WindowText",opacity:0},t)},a&&{visibility:"hidden"},s&&[c.rootDark,{backgroundColor:l.blackTranslucent40}],o]}}},77357:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},74573:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(5649),t),n.__exportStar(o(90006),t),n.__exportStar(o(77357),t)},70902:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.PanelBase=void 0;var n,r=o(31635),i=o(83923),a=o(74393),s=o(44472),l=o(63409),c=o(42183),u=o(71061),d=o(51600),p=o(76922),m=o(97156),g=o(50478),h=(0,u.classNamesFunction)();!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 f=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.isActive&&o.props.onDismiss(e),(!e||e&&!e.defaultPrevented)&&o.close()},o._allowScrollOnPanel=function(e){e?o._allowTouchBodyScroll?(0,u.allowOverscrollOnElement)(e,o._events):(0,u.allowScrollOnElement)(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.IconButton,{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",r.__assign({id:n,role:"heading","aria-level":1},l,{className:(0,u.css)(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(e)}),200)},o._clearExistingAnimationTimer=function(){null!==o._animationCallback&&o._async.clearTimeout(o._animationCallback)},o._onPanelClick=function(e){o.dismiss(e)},o._onTransitionComplete=function(e){o._updateFooterPosition(),e===n.open&&o.props.onOpened&&o.props.onOpened(),e===n.closed&&o.props.onDismissed&&o.props.onDismissed()};var s=o.props.allowTouchBodyScroll,l=void 0!==s&&s;return o._allowTouchBodyScroll=l,(0,u.initializeComponentRef)(o),(0,u.warnDeprecations)("Panel",t,{ignoreExternalFocusing:"focusTrapZoneProps",forceFocusInsideTrap:"focusTrapZoneProps",firstFocusableSelector:"focusTrapZoneProps"}),o.state={isFooterSticky:!1,visibility:n.closed,id:(0,u.getId)("Panel")},o}return r.__extends(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._async=new u.Async(this),this._events=new u.EventGroup(this);var e=(0,g.getWindowEx)(this.context),t=(0,g.getDocumentEx)(this.context);this._events.on(e,"resize",this._updateFooterPosition),this._shouldListenForOuterClick(this.props)&&this._events.on(null==t?void 0:t.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));var i=(0,g.getDocumentEx)(this.context);o&&!r?this._events.on(null==i?void 0:i.body,"mousedown",this._dismissOnOuterClick,!0):!o&&r&&this._events.off(null==i?void 0:i.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,m=e.firstFocusableSelector,g=e.focusTrapZoneProps,f=e.forceFocusInsideTrap,v=e.hasCloseButton,b=e.headerText,y=e.headerClassName,_=void 0===y?"":y,S=e.ignoreExternalFocusing,C=e.isBlocking,x=e.isFooterAtBottom,P=e.isLightDismiss,k=e.isHiddenOnDismiss,I=e.layerProps,w=e.overlayProps,T=e.popupProps,E=e.type,D=e.styles,M=e.theme,O=e.customWidth,R=e.onLightDismissClick,F=void 0===R?this._onPanelClick:R,B=e.onRenderNavigation,A=void 0===B?this._onRenderNavigation:B,N=e.onRenderHeader,L=void 0===N?this._onRenderHeader:N,H=e.onRenderBody,j=void 0===H?this._onRenderBody:H,z=e.onRenderFooter,W=void 0===z?this._onRenderFooter:z,V=this.state,K=V.isFooterSticky,G=V.visibility,U=V.id,Y=E===p.PanelType.smallFixedNear||E===p.PanelType.customNear,q=(0,u.getRTL)(M)?Y:!Y,X=E===p.PanelType.custom||E===p.PanelType.customNear?{width:O}:{},Z=(0,u.getNativeProps)(this.props,u.divProperties),Q=this.isActive,J=G===n.animatingClosed||G===n.animatingOpen;if(this._headerTextId=b&&U+"-headerText",!Q&&!J&&!k)return null;this._classNames=h(D,{theme:M,className:o,focusTrapZoneClassName:g?g.className:void 0,hasCloseButton:v,headerClassName:_,isAnimating:J,isFooterSticky:K,isFooterAtBottom:x,isOnRightSide:q,isOpen:Q,isHiddenOnDismiss:k,type:E,hasCustomNavigation:this._hasCustomNavigation});var $,ee=this._classNames,te=this._allowTouchBodyScroll;return C&&Q&&($=i.createElement(l.Overlay,r.__assign({className:ee.overlay,isDarkThemed:!1,onClick:P?F:void 0,allowTouchBodyScroll:te},w))),i.createElement(s.Layer,r.__assign({},I),i.createElement(c.Popup,r.__assign({role:"dialog","aria-modal":C?"true":void 0,ariaLabelledBy:this._headerTextId?this._headerTextId:void 0,onDismiss:this.dismiss,className:ee.hiddenPanel,enableAriaHiddenSiblings:!!Q},T),i.createElement("div",r.__assign({"aria-hidden":!Q&&J},Z,{ref:this._panel,className:ee.root}),$,i.createElement(d.FocusTrapZone,r.__assign({ignoreExternalFocusing:S,forceFocusInsideTrap:!(!C||k&&!Q)&&f,firstFocusableSelector:m,isClickableOutsideFocusTrap:!0},g,{className:ee.main,style:X,elementToFocusOnDismiss:a}),i.createElement("div",{className:ee.contentInner},i.createElement("div",{ref:this._allowScrollOnPanel,className:ee.scrollableContent,"data-is-scrollable":!0},i.createElement("div",{className:ee.commands,"data-is-visible":!0},A(this.props,this._onRenderNavigation)),(this._hasCustomNavigation||!v)&&L(this.props,this._onRenderHeader,this._headerTextId),j(this.props,this._onRenderBody),W(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:!1,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";Object.defineProperty(t,"__esModule",{value:!0}),t.Panel=void 0;var n=o(71061),r=o(70902),i=o(86661);t.Panel=(0,n.styled)(r.PanelBase,i.getStyles,void 0,{scope:"Panel"})},86661:(e,t,o)=>{"use strict";var n,r,i,a,s;Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var l=o(31635),c=o(76922),u=o(15019),d={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"},p="auto",m=((n={})["@media (min-width: ".concat(u.ScreenWidthMinMedium,"px)")]={width:340},n),g=((r={})["@media (min-width: ".concat(u.ScreenWidthMinLarge,"px)")]={width:592},r["@media (min-width: ".concat(u.ScreenWidthMinXLarge,"px)")]={width:644},r),h=((i={})["@media (min-width: ".concat(u.ScreenWidthMinUhfMobile,"px)")]={left:48,width:"auto"},i["@media (min-width: ".concat(u.ScreenWidthMinXXLarge,"px)")]={left:428},i),f=((a={})["@media (min-width: ".concat(u.ScreenWidthMinXXLarge,"px)")]={left:p,width:940},a),v=((s={})["@media (min-width: ".concat(u.ScreenWidthMinXXLarge,"px)")]={left:176},s),b=function(e){var t;switch(e){case c.PanelType.smallFixedFar:t=l.__assign({},m);break;case c.PanelType.medium:t=l.__assign(l.__assign({},m),g);break;case c.PanelType.large:t=l.__assign(l.__assign(l.__assign({},m),g),h);break;case c.PanelType.largeFixed:t=l.__assign(l.__assign(l.__assign(l.__assign({},m),g),h),f);break;case c.PanelType.extraLarge:t=l.__assign(l.__assign(l.__assign(l.__assign({},m),g),h),v)}return t},y={paddingLeft:"24px",paddingRight:"24px"};t.getStyles=function(e){var t,o,n,r,i=e.className,a=e.focusTrapZoneClassName,s=e.hasCloseButton,m=e.headerClassName,g=e.isAnimating,h=e.isFooterSticky,f=e.isFooterAtBottom,v=e.isOnRightSide,_=e.isOpen,S=e.isHiddenOnDismiss,C=e.hasCustomNavigation,x=e.theme,P=e.type,k=void 0===P?c.PanelType.smallFixedFar:P,I=x.effects,w=x.fonts,T=x.semanticColors,E=(0,u.getGlobalClassNames)(d,x),D=k===c.PanelType.custom||k===c.PanelType.customNear;return{root:[E.root,x.fonts.medium,_&&E.isOpen,s&&E.hasCloseButton,{pointerEvents:"none",position:"absolute",top:0,left:0,right:0,bottom:0},D&&v&&E.custom,D&&!v&&E.customNear,i],overlay:[{pointerEvents:"auto",cursor:"pointer"},_&&g&&u.AnimationClassNames.fadeIn100,!_&&g&&u.AnimationClassNames.fadeOut100],hiddenPanel:[!_&&!g&&S&&{visibility:"hidden"}],main:[E.main,{backgroundColor:T.bodyBackground,boxShadow:I.elevation64,pointerEvents:"auto",position:"absolute",display:"flex",flexDirection:"column",overflowX:"hidden",overflowY:"auto",WebkitOverflowScrolling:"touch",bottom:0,top:0,left:p,right:0,width:"100%",selectors:l.__assign((t={},t[u.HighContrastSelector]={borderLeft:"3px solid ".concat(T.variantBorder),borderRight:"3px solid ".concat(T.variantBorder)},t),b(k))},k===c.PanelType.smallFluid&&{left:0},k===c.PanelType.smallFixedNear&&{left:0,right:p,width:272},k===c.PanelType.customNear&&{right:"auto",left:0},D&&{maxWidth:"100vw"},_&&g&&!v&&u.AnimationClassNames.slideRightIn40,_&&g&&v&&u.AnimationClassNames.slideLeftIn40,!_&&g&&!v&&u.AnimationClassNames.slideLeftOut40,!_&&g&&v&&u.AnimationClassNames.slideRightOut40,a],commands:[E.commands,{backgroundColor:T.bodyBackground,paddingTop:18,selectors:(o={},o["@media (min-height: ".concat(u.ScreenWidthMinMedium,"px)")]={position:"sticky",top:0,zIndex:1},o)},C&&{paddingTop:"inherit"}],navigation:[E.navigation,{display:"flex",justifyContent:"flex-end"},C&&{height:"44px"}],contentInner:[E.contentInner,{display:"flex",flexDirection:"column",flexGrow:1,overflowY:"hidden"}],header:[E.header,y,{alignSelf:"flex-start"},s&&!C&&{flexGrow:1},C&&{flexShrink:0}],headerText:[E.headerText,w.xLarge,{color:T.bodyText,lineHeight:"27px",overflowWrap:"break-word",wordWrap:"break-word",wordBreak:"break-word",hyphens:"auto"},m],scrollableContent:[E.scrollableContent,{overflowY:"auto"},f&&{flexGrow:1,display:"inherit",flexDirection:"inherit"}],content:[E.content,y,{paddingBottom:20},f&&{selectors:(n={},n["@media (min-height: ".concat(u.ScreenWidthMinMedium,"px)")]={flexGrow:1},n)}],footer:[E.footer,{flexShrink:0,borderTop:"1px solid transparent",transition:"opacity ".concat(u.AnimationVariables.durationValue3," ").concat(u.AnimationVariables.easeFunction2),selectors:(r={},r["@media (min-height: ".concat(u.ScreenWidthMinMedium,"px)")]={position:"sticky",bottom:0},r)},h&&{backgroundColor:T.bodyBackground,borderTopColor:T.variantBorder}],footerInner:[E.footerInner,y,{paddingBottom:16,paddingTop:16}],subComponentStyles:{closeButton:{root:[E.closeButton,{marginRight:14,color:x.palette.neutralSecondary,fontSize:u.IconFontSizes.large},C&&{marginRight:0,height:"auto",width:"44px"}],rootHovered:{color:x.palette.neutralPrimary}}}}}},76922:(e,t)=>{"use strict";var o;Object.defineProperty(t,"__esModule",{value:!0}),t.PanelType=void 0,(o=t.PanelType||(t.PanelType={}))[o.smallFluid=0]="smallFluid",o[o.smallFixedFar=1]="smallFixedFar",o[o.smallFixedNear=2]="smallFixedNear",o[o.medium=3]="medium",o[o.large=4]="large",o[o.largeFixed=5]="largeFixed",o[o.extraLarge=6]="extraLarge",o[o.custom=7]="custom",o[o.customNear=8]="customNear"},1451:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(28081),t),n.__exportStar(o(70902),t),n.__exportStar(o(76922),t)},99738:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.PersonaBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(34718),s=o(96558),l=o(27566),c=o(25698),u=o(42502),d=(0,i.classNamesFunction)(),p={size:l.PersonaSize.size48,presence:l.PersonaPresence.none,imageAlt:"",showOverflowTooltip:!0};t.PersonaBase=r.forwardRef((function(e,t){var o=(0,i.getPropsWithDefaults)(p,e),m=r.useRef(null),g=(0,c.useMergedRefs)(t,m),h=function(){return o.text||o.primaryText||""},f=function(e,t,n){var i=t&&t(o,n);return i?r.createElement("div",{dir:"auto",className:e},i):void 0},v=function(e,t){return void 0===t&&(t=!0),e?t?function(){return r.createElement(a.TooltipHost,{content:e,overflowMode:a.TooltipOverflowMode.Parent,directionalHint:u.DirectionalHint.topLeftEdge},e)}:function(){return r.createElement(r.Fragment,null,e)}:void 0},b=v(h(),o.showOverflowTooltip),y=v(o.secondaryText,o.showOverflowTooltip),_=v(o.tertiaryText,o.showOverflowTooltip),S=v(o.optionalText,o.showOverflowTooltip),C=o.hidePersonaDetails,x=o.onRenderOptionalText,P=void 0===x?S:x,k=o.onRenderPrimaryText,I=void 0===k?b:k,w=o.onRenderSecondaryText,T=void 0===w?y:w,E=o.onRenderTertiaryText,D=void 0===E?_:E,M=o.onRenderPersonaCoin,O=void 0===M?function(e){return r.createElement(s.PersonaCoin,n.__assign({},e))}:M,R=o.size,F=o.allowPhoneInitials,B=o.className,A=o.coinProps,N=o.showUnknownPersonaCoin,L=o.coinSize,H=o.styles,j=o.imageAlt,z=o.imageInitials,W=o.imageShouldFadeIn,V=o.imageShouldStartVisible,K=o.imageUrl,G=o.initialsColor,U=o.initialsTextColor,Y=o.isOutOfOffice,q=o.onPhotoLoadingStateChange,X=o.onRenderCoin,Z=o.onRenderInitials,Q=o.presence,J=o.presenceTitle,$=o.presenceColors,ee=o.showInitialsUntilImageLoads,te=o.showSecondaryText,oe=o.theme,ne=n.__assign({allowPhoneInitials:F,showUnknownPersonaCoin:N,coinSize:L,imageAlt:j,imageInitials:z,imageShouldFadeIn:W,imageShouldStartVisible:V,imageUrl:K,initialsColor:G,initialsTextColor:U,onPhotoLoadingStateChange:q,onRenderCoin:X,onRenderInitials:Z,presence:Q,presenceTitle:J,showInitialsUntilImageLoads:ee,size:R,text:h(),isOutOfOffice:Y,presenceColors:$},A),re=d(H,{theme:oe,className:B,showSecondaryText:te,presence:Q,size:R}),ie=(0,i.getNativeProps)(o,i.divProperties),ae=r.createElement("div",{className:re.details},f(re.primaryText,I,b),f(re.secondaryText,T,y),f(re.tertiaryText,D,_),f(re.optionalText,P,S),o.children);return r.createElement("div",n.__assign({},ie,{ref:g,className:re.root,style:L?{height:L,minWidth:L}:void 0}),O(ne,O),(!C||R===l.PersonaSize.size8||R===l.PersonaSize.size10||R===l.PersonaSize.tiny)&&ae)})),t.PersonaBase.displayName="PersonaBase"},42381:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Persona=void 0;var n=o(71061),r=o(99738),i=o(59161);t.Persona=(0,n.styled)(r.PersonaBase,i.getStyles,void 0,{scope:"Persona"})},59161:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r=o(80473),i={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"};t.getStyles=function(e){var t=e.className,o=e.showSecondaryText,a=e.theme,s=a.semanticColors,l=a.fonts,c=(0,n.getGlobalClassNames)(i,a),u=(0,r.sizeBoolean)(e.size),d=(0,r.presenceBoolean)(e.presence),p="16px",m={color:s.bodySubtext,fontWeight:n.FontWeights.regular,fontSize:l.small.fontSize};return{root:[c.root,a.fonts.medium,n.normalize,{color:s.bodyText,position:"relative",height:r.personaSize.size48,minWidth:r.personaSize.size48,display:"flex",alignItems:"center",selectors:{".contextualHost":{display:"none"}}},u.isSize8&&[c.size8,{height:r.personaSize.size8,minWidth:r.personaSize.size8}],u.isSize10&&[c.size10,{height:r.personaSize.size10,minWidth:r.personaSize.size10}],u.isSize16&&[c.size16,{height:r.personaSize.size16,minWidth:r.personaSize.size16}],u.isSize24&&[c.size24,{height:r.personaSize.size24,minWidth:r.personaSize.size24}],u.isSize24&&o&&{height:"36px"},u.isSize28&&[c.size28,{height:r.personaSize.size28,minWidth:r.personaSize.size28}],u.isSize28&&o&&{height:"32px"},u.isSize32&&[c.size32,{height:r.personaSize.size32,minWidth:r.personaSize.size32}],u.isSize40&&[c.size40,{height:r.personaSize.size40,minWidth:r.personaSize.size40}],u.isSize48&&c.size48,u.isSize56&&[c.size56,{height:r.personaSize.size56,minWidth:r.personaSize.size56}],u.isSize72&&[c.size72,{height:r.personaSize.size72,minWidth:r.personaSize.size72}],u.isSize100&&[c.size100,{height:r.personaSize.size100,minWidth:r.personaSize.size100}],u.isSize120&&[c.size120,{height:r.personaSize.size120,minWidth:r.personaSize.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,n.noWrap,{color:s.bodyText,fontWeight:n.FontWeights.regular,fontSize:l.medium.fontSize,selectors:{":hover":{color:s.inputTextHovered}}},o&&{height:p,lineHeight:p,overflowX:"hidden"},(u.isSize8||u.isSize10)&&{fontSize:l.small.fontSize,lineHeight:r.personaSize.size8},u.isSize16&&{lineHeight:r.personaSize.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,n.noWrap,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,n.noWrap,m,{display:"none",fontSize:l.medium.fontSize},(u.isSize72||u.isSize100||u.isSize120)&&{display:"block"}],optionalText:[c.optionalText,n.noWrap,m,{display:"none",fontSize:l.medium.fontSize},(u.isSize100||u.isSize120)&&{display:"block"}],textContent:[c.textContent,n.noWrap]}}},27566:(e,t)=>{"use strict";var o,n,r;Object.defineProperty(t,"__esModule",{value:!0}),t.PersonaInitialsColor=t.PersonaPresence=t.PersonaSize=void 0,(r=t.PersonaSize||(t.PersonaSize={}))[r.tiny=0]="tiny",r[r.extraExtraSmall=1]="extraExtraSmall",r[r.extraSmall=2]="extraSmall",r[r.small=3]="small",r[r.regular=4]="regular",r[r.large=5]="large",r[r.extraLarge=6]="extraLarge",r[r.size8=17]="size8",r[r.size10=9]="size10",r[r.size16=8]="size16",r[r.size24=10]="size24",r[r.size28=7]="size28",r[r.size32=11]="size32",r[r.size40=12]="size40",r[r.size48=13]="size48",r[r.size56=16]="size56",r[r.size72=14]="size72",r[r.size100=15]="size100",r[r.size120=18]="size120",(n=t.PersonaPresence||(t.PersonaPresence={}))[n.none=0]="none",n[n.offline=1]="offline",n[n.online=2]="online",n[n.away=3]="away",n[n.dnd=4]="dnd",n[n.blocked=5]="blocked",n[n.busy=6]="busy",(o=t.PersonaInitialsColor||(t.PersonaInitialsColor={}))[o.lightBlue=0]="lightBlue",o[o.blue=1]="blue",o[o.darkBlue=2]="darkBlue",o[o.teal=3]="teal",o[o.lightGreen=4]="lightGreen",o[o.green=5]="green",o[o.darkGreen=6]="darkGreen",o[o.lightPink=7]="lightPink",o[o.pink=8]="pink",o[o.magenta=9]="magenta",o[o.purple=10]="purple",o[o.black=11]="black",o[o.orange=12]="orange",o[o.red=13]="red",o[o.darkRed=14]="darkRed",o[o.transparent=15]="transparent",o[o.violet=16]="violet",o[o.lightRed=17]="lightRed",o[o.gold=18]="gold",o[o.burgundy=19]="burgundy",o[o.warmGray=20]="warmGray",o[o.coolGray=21]="coolGray",o[o.gray=22]="gray",o[o.cyan=23]="cyan",o[o.rust=24]="rust"},30099:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.PersonaCoinBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(15019),s=o(89347),l=o(30936),c=o(38992),u=o(27566),d=o(86641),p=o(80473),m=(o(25698),(0,i.classNamesFunction)({cacheSize:100})),g=(0,i.memoizeFunction)((function(e,t,o,n,r,i){return(0,a.mergeStyles)(e,!i&&{backgroundColor:(0,d.getPersonaInitialsColor)({text:n,initialsColor:t,primaryText:r}),color:o})})),h={size:u.PersonaSize.size48,presence:u.PersonaPresence.none,imageAlt:""};t.PersonaCoinBase=r.forwardRef((function(e,t){var o=(0,i.getPropsWithDefaults)(h,e),a=function(e){var t=e.onPhotoLoadingStateChange,o=e.imageUrl,n=r.useState(c.ImageLoadState.notLoaded),i=n[0],a=n[1];return r.useEffect((function(){a(c.ImageLoadState.notLoaded)}),[o]),[i,function(e){a(e),null==t||t(e)}]}(o),d=a[0],p=a[1],b=f(p),y=o.className,_=o.coinProps,S=o.showUnknownPersonaCoin,C=o.coinSize,x=o.styles,P=o.imageUrl,k=o.initialsColor,I=o.initialsTextColor,w=o.isOutOfOffice,T=o.onRenderCoin,E=void 0===T?b:T,D=o.onRenderPersonaCoin,M=void 0===D?E:D,O=o.onRenderInitials,R=void 0===O?v:O,F=o.presence,B=o.presenceTitle,A=o.presenceColors,N=o.primaryText,L=o.showInitialsUntilImageLoads,H=o.text,j=o.theme,z=o.size,W=(0,i.getNativeProps)(o,i.divProperties),V=(0,i.getNativeProps)(_||{},i.divProperties),K=C?{width:C,height:C}:void 0,G=S,U={coinSize:C,isOutOfOffice:w,presence:F,presenceTitle:B,presenceColors:A,size:z,theme:j},Y=m(x,{theme:j,className:_&&_.className?_.className:y,size:z,coinSize:C,showUnknownPersonaCoin:S}),q=Boolean(d!==c.ImageLoadState.loaded&&(L&&P||!P||d===c.ImageLoadState.error||G));return r.createElement("div",n.__assign({role:"presentation"},W,{className:Y.coin,ref:t}),z!==u.PersonaSize.size8&&z!==u.PersonaSize.size10&&z!==u.PersonaSize.tiny?r.createElement("div",n.__assign({role:"presentation"},V,{className:Y.imageArea,style:K}),q&&r.createElement("div",{className:g(Y.initials,k,I,H,N,S),style:K,"aria-hidden":"true"},R(o,v)),!G&&M(o,b),r.createElement(s.PersonaPresence,n.__assign({},U))):o.presence?r.createElement(s.PersonaPresence,n.__assign({},U)):r.createElement(l.Icon,{iconName:"Contact",className:Y.size10WithoutPresenceIcon}),o.children)})),t.PersonaCoinBase.displayName="PersonaCoinBase";var f=function(e){return function(t){var o=t.coinSize,n=t.styles,i=t.imageUrl,a=t.imageAlt,s=t.imageShouldFadeIn,l=t.imageShouldStartVisible,u=t.theme,d=t.showUnknownPersonaCoin,g=t.size,f=void 0===g?h.size:g;if(!i)return null;var v=m(n,{theme:u,size:f,showUnknownPersonaCoin:d}),b=o||p.sizeToPixels[f];return r.createElement(c.Image,{className:v.image,imageFit:c.ImageFit.cover,src:i,width:b,height:b,alt:a,shouldFadeIn:s,shouldStartVisible:l,onLoadingStateChange:e})}},v=function(e){var t=e.imageInitials,o=e.allowPhoneInitials,n=e.showUnknownPersonaCoin,a=e.text,s=e.primaryText,c=e.theme;if(n)return r.createElement(l.Icon,{iconName:"Help"});var u=(0,i.getRTL)(c);return""!==(t=t||(0,i.getInitials)(a||s||"",u,o))?r.createElement("span",null,t):r.createElement(l.Icon,{iconName:"Contact"})}},96558:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.PersonaCoin=void 0;var n=o(71061),r=o(30099),i=o(74504);t.PersonaCoin=(0,n.styled)(r.PersonaCoinBase,i.getStyles,void 0,{scope:"PersonaCoin"})},74504:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(31635),r=o(15019),i=o(80473),a={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"};t.getStyles=function(e){var t,o=e.className,s=e.theme,l=e.coinSize,c=s.palette,u=s.fonts,d=(0,i.sizeBoolean)(e.size),p=(0,r.getGlobalClassNames)(a,s),m=l||e.size&&i.sizeToPixels[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:r.FontWeights.semibold,lineHeight:48===m?46:m,height:m,selectors:(t={},t[r.HighContrastSelector]=n.__assign(n.__assign({border:"1px solid WindowText"},(0,r.getHighContrastNoAdjustStyle)()),{color:"WindowText",boxSizing:"border-box",backgroundColor:"Window !important"}),t.i={fontWeight:r.FontWeights.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}]}}},90495:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(96558),t),n.__exportStar(o(30099),t)},80473:(e,t,o)=>{"use strict";var n;Object.defineProperty(t,"__esModule",{value:!0}),t.presenceBoolean=t.sizeToPixels=t.sizeBoolean=t.personaPresenceSize=t.personaSize=void 0;var r,i,a=o(27566);(i=t.personaSize||(t.personaSize={})).size8="20px",i.size10="20px",i.size16="16px",i.size24="24px",i.size28="28px",i.size32="32px",i.size40="40px",i.size48="48px",i.size56="56px",i.size72="72px",i.size100="100px",i.size120="120px",(r=t.personaPresenceSize||(t.personaPresenceSize={})).size6="6px",r.size8="8px",r.size12="12px",r.size16="16px",r.size20="20px",r.size28="28px",r.size32="32px",r.border="2px",t.sizeBoolean=function(e){return{isSize8:e===a.PersonaSize.size8,isSize10:e===a.PersonaSize.size10||e===a.PersonaSize.tiny,isSize16:e===a.PersonaSize.size16,isSize24:e===a.PersonaSize.size24||e===a.PersonaSize.extraExtraSmall,isSize28:e===a.PersonaSize.size28||e===a.PersonaSize.extraSmall,isSize32:e===a.PersonaSize.size32,isSize40:e===a.PersonaSize.size40||e===a.PersonaSize.small,isSize48:e===a.PersonaSize.size48||e===a.PersonaSize.regular,isSize56:e===a.PersonaSize.size56,isSize72:e===a.PersonaSize.size72||e===a.PersonaSize.large,isSize100:e===a.PersonaSize.size100||e===a.PersonaSize.extraLarge,isSize120:e===a.PersonaSize.size120}},t.sizeToPixels=((n={})[a.PersonaSize.tiny]=10,n[a.PersonaSize.extraExtraSmall]=24,n[a.PersonaSize.extraSmall]=28,n[a.PersonaSize.small]=40,n[a.PersonaSize.regular]=48,n[a.PersonaSize.large]=72,n[a.PersonaSize.extraLarge]=100,n[a.PersonaSize.size8]=8,n[a.PersonaSize.size10]=10,n[a.PersonaSize.size16]=16,n[a.PersonaSize.size24]=24,n[a.PersonaSize.size28]=28,n[a.PersonaSize.size32]=32,n[a.PersonaSize.size40]=40,n[a.PersonaSize.size48]=48,n[a.PersonaSize.size56]=56,n[a.PersonaSize.size72]=72,n[a.PersonaSize.size100]=100,n[a.PersonaSize.size120]=120,n),t.presenceBoolean=function(e){return{isAvailable:e===a.PersonaPresence.online,isAway:e===a.PersonaPresence.away,isBlocked:e===a.PersonaPresence.blocked,isBusy:e===a.PersonaPresence.busy,isDoNotDisturb:e===a.PersonaPresence.dnd,isOffline:e===a.PersonaPresence.offline}}},86641:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getPersonaInitialsColor=t.initialsColorPropToColorCode=void 0;var n=o(27566),r=[n.PersonaInitialsColor.lightBlue,n.PersonaInitialsColor.blue,n.PersonaInitialsColor.darkBlue,n.PersonaInitialsColor.teal,n.PersonaInitialsColor.green,n.PersonaInitialsColor.darkGreen,n.PersonaInitialsColor.lightPink,n.PersonaInitialsColor.pink,n.PersonaInitialsColor.magenta,n.PersonaInitialsColor.purple,n.PersonaInitialsColor.orange,n.PersonaInitialsColor.lightRed,n.PersonaInitialsColor.darkRed,n.PersonaInitialsColor.violet,n.PersonaInitialsColor.gold,n.PersonaInitialsColor.burgundy,n.PersonaInitialsColor.warmGray,n.PersonaInitialsColor.cyan,n.PersonaInitialsColor.rust,n.PersonaInitialsColor.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.PersonaInitialsColor.lightBlue:return"#4F6BED";case n.PersonaInitialsColor.blue:return"#0078D4";case n.PersonaInitialsColor.darkBlue:return"#004E8C";case n.PersonaInitialsColor.teal:return"#038387";case n.PersonaInitialsColor.lightGreen:case n.PersonaInitialsColor.green:return"#498205";case n.PersonaInitialsColor.darkGreen:return"#0B6A0B";case n.PersonaInitialsColor.lightPink:return"#C239B3";case n.PersonaInitialsColor.pink:return"#E3008C";case n.PersonaInitialsColor.magenta:return"#881798";case n.PersonaInitialsColor.purple:return"#5C2E91";case n.PersonaInitialsColor.orange:return"#CA5010";case n.PersonaInitialsColor.red:return"#EE1111";case n.PersonaInitialsColor.lightRed:return"#D13438";case n.PersonaInitialsColor.darkRed:return"#A4262C";case n.PersonaInitialsColor.transparent:return"transparent";case n.PersonaInitialsColor.violet:return"#8764B8";case n.PersonaInitialsColor.gold:return"#986F0B";case n.PersonaInitialsColor.burgundy:return"#750B1C";case n.PersonaInitialsColor.warmGray:return"#7A7574";case n.PersonaInitialsColor.cyan:return"#005B70";case n.PersonaInitialsColor.rust:return"#8E562E";case n.PersonaInitialsColor.coolGray:return"#69797E";case n.PersonaInitialsColor.black:return"#1D1D1D";case n.PersonaInitialsColor.gray:return"#393939"}}(a=void 0!==a?a:function(e){var t=n.PersonaInitialsColor.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))}t.initialsColorPropToColorCode=function(e){return a(e)},t.getPersonaInitialsColor=a},47247:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.PersonaPresenceBase=void 0;var n=o(83923),r=o(71061),i=o(30936),a=o(27566),s=o(80473),l=o(25698),c=(0,r.classNamesFunction)({cacheSize:100});function u(e,t){if(e){var o="SkypeArrow";switch(a.PersonaPresence[e]){case"online":return"SkypeCheck";case"away":return t?o:"SkypeClock";case"dnd":return"SkypeMinus";case"offline":return t?o:""}return""}}t.PersonaPresenceBase=n.forwardRef((function(e,t){var o=e.coinSize,r=e.isOutOfOffice,d=e.styles,p=e.presence,m=e.theme,g=e.presenceTitle,h=e.presenceColors,f=n.useRef(null),v=(0,l.useMergedRefs)(t,f),b=(0,s.sizeBoolean)(e.size),y=!(b.isSize8||b.isSize10||b.isSize16||b.isSize24||b.isSize28||b.isSize32)&&(!o||o>32),_=o?o/3<40?o/3+"px":"40px":"",S=o?{fontSize:o?o/6<20?o/6+"px":"20px":"",lineHeight:_}:void 0,C=o?{width:_,height:_}:void 0,x=c(d,{theme:m,presence:p,size:e.size,isOutOfOffice:r,presenceColors:h});return p===a.PersonaPresence.none?null:n.createElement("div",{role:"presentation",className:x.presence,style:C,title:g,ref:v},y&&n.createElement(i.Icon,{className:x.presenceIcon,iconName:u(e.presence,e.isOutOfOffice),style:S}))})),t.PersonaPresenceBase.displayName="PersonaPresenceBase"},37170:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.PersonaPresence=void 0;var n=o(71061),r=o(47247),i=o(94356);t.PersonaPresence=(0,n.styled)(r.PersonaPresenceBase,i.getStyles,void 0,{scope:"PersonaPresence"})},94356:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(31635),r=o(15019),i=o(80473),a={presence:"ms-Persona-presence",presenceIcon:"ms-Persona-presenceIcon"};function s(e){return{color:e,borderColor:e}}function l(e,t){return{selectors:{":before":{border:"".concat(e," solid ").concat(t)}}}}function c(e){return{height:e,width:e}}function u(e){return{backgroundColor:e}}t.getStyles=function(e){var t,o,d,p,m,g,h=e.theme,f=e.presenceColors,v=h.semanticColors,b=h.fonts,y=(0,r.getGlobalClassNames)(a,h),_=(0,i.sizeBoolean)(e.size),S=(0,i.presenceBoolean)(e.presence),C=f&&f.available||"#6BB700",x=f&&f.away||"#FFAA44",P=f&&f.busy||"#C43148",k=f&&f.dnd||"#C50F1F",I=f&&f.offline||"#8A8886",w=f&&f.oof||"#B4009E",T=f&&f.background||v.bodyBackground,E=S.isOffline||e.isOutOfOffice&&(S.isAvailable||S.isBusy||S.isAway||S.isDoNotDisturb),D=_.isSize72||_.isSize100?"2px":"1px";return{presence:[y.presence,n.__assign(n.__assign({position:"absolute",height:i.personaPresenceSize.size12,width:i.personaPresenceSize.size12,borderRadius:"50%",top:"auto",right:"-2px",bottom:"-2px",border:"2px solid ".concat(T),textAlign:"center",boxSizing:"content-box",backgroundClip:"border-box"},(0,r.getHighContrastNoAdjustStyle)()),{selectors:(t={},t[r.HighContrastSelector]={borderColor:"Window",backgroundColor:"WindowText"},t)}),(_.isSize8||_.isSize10)&&{right:"auto",top:"7px",left:0,border:0,selectors:(o={},o[r.HighContrastSelector]={top:"9px",border:"1px solid WindowText"},o)},(_.isSize8||_.isSize10||_.isSize24||_.isSize28||_.isSize32)&&c(i.personaPresenceSize.size8),(_.isSize40||_.isSize48)&&c(i.personaPresenceSize.size12),_.isSize16&&{height:i.personaPresenceSize.size6,width:i.personaPresenceSize.size6,borderWidth:"1.5px"},_.isSize56&&c(i.personaPresenceSize.size16),_.isSize72&&c(i.personaPresenceSize.size20),_.isSize100&&c(i.personaPresenceSize.size28),_.isSize120&&c(i.personaPresenceSize.size32),S.isAvailable&&{backgroundColor:C,selectors:(d={},d[r.HighContrastSelector]=u("Highlight"),d)},S.isAway&&u(x),S.isBlocked&&[{selectors:(p={":after":_.isSize40||_.isSize48||_.isSize72||_.isSize100?{content:'""',width:"100%",height:D,backgroundColor:P,transform:"translateY(-50%) rotate(-45deg)",position:"absolute",top:"50%",left:0}:void 0},p[r.HighContrastSelector]={selectors:{":after":{width:"calc(100% - 4px)",left:"2px",backgroundColor:"Window"}}},p)}],S.isBusy&&u(P),S.isDoNotDisturb&&u(k),S.isOffline&&u(I),(E||S.isBlocked)&&[{backgroundColor:T,selectors:(m={":before":{content:'""',width:"100%",height:"100%",position:"absolute",top:0,left:0,border:"".concat(D," solid ").concat(P),borderRadius:"50%",boxSizing:"border-box"}},m[r.HighContrastSelector]={backgroundColor:"WindowText",selectors:{":before":{width:"calc(100% - 2px)",height:"calc(100% - 2px)",top:"1px",left:"1px",borderColor:"Window"}}},m)}],E&&S.isAvailable&&l(D,C),E&&S.isBusy&&l(D,P),E&&S.isAway&&l(D,w),E&&S.isDoNotDisturb&&l(D,k),E&&S.isOffline&&l(D,I),E&&S.isOffline&&e.isOutOfOffice&&l(D,w)],presenceIcon:[y.presenceIcon,{color:T,fontSize:"6px",lineHeight:i.personaPresenceSize.size12,verticalAlign:"top",selectors:(g={},g[r.HighContrastSelector]={color:"Window"},g)},_.isSize56&&{fontSize:"8px",lineHeight:i.personaPresenceSize.size16},_.isSize72&&{fontSize:b.small.fontSize,lineHeight:i.personaPresenceSize.size20},_.isSize100&&{fontSize:b.medium.fontSize,lineHeight:i.personaPresenceSize.size28},_.isSize120&&{fontSize:b.medium.fontSize,lineHeight:i.personaPresenceSize.size32},S.isAway&&{position:"relative",left:E?void 0:"1px"},E&&S.isAvailable&&s(C),E&&S.isBusy&&s(P),E&&S.isAway&&s(w),E&&S.isDoNotDisturb&&s(k),E&&S.isOffline&&s(I),E&&S.isOffline&&e.isOutOfOffice&&s(w)]}}},89347:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(37170),t),n.__exportStar(o(47247),t)},32449:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getPersonaInitialsColor=void 0;var n=o(31635);n.__exportStar(o(42381),t),n.__exportStar(o(99738),t),n.__exportStar(o(27566),t),n.__exportStar(o(90495),t),n.__exportStar(o(80473),t);var r=o(86641);Object.defineProperty(t,"getPersonaInitialsColor",{enumerable:!0,get:function(){return r.getPersonaInitialsColor}})},89446:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.PivotBase=void 0;var n=o(31635),r=o(83923),i=o(25698),a=o(52332),s=o(74393),l=o(64867),c=o(80371),u=o(3668),d=o(57573),p=o(23534),m=(0,a.classNamesFunction)(),g=function(e,t){var o={links:[],keyToIndexMapping:{},keyToTabIdMapping:{}};return r.Children.forEach(r.Children.toArray(e.children),(function(r,i){if(h(r)){var s=r.props,l=s.linkText,c=n.__rest(s,["linkText"]),u=r.props.itemKey||i.toString();o.links.push(n.__assign(n.__assign({headerText:l},c),{itemKey:u})),o.keyToIndexMapping[u]=i,o.keyToTabIdMapping[u]=function(e,t,o,n){return e.getTabId?e.getTabId(o,n):t+"-Tab".concat(n)}(e,t,u,i)}else r&&(0,a.warn)("The children of a Pivot component must be of type PivotItem to be rendered.")})),o},h=function(e){var t;return r.isValidElement(e)&&(null===(t=e.type)||void 0===t?void 0:t.name)===p.PivotItem.name};t.PivotBase=r.forwardRef((function(e,t){var o,p=r.useRef(null),f=r.useRef(null),v=(0,i.useId)("Pivot"),b=(0,i.useControllableValue)(e.selectedKey,e.defaultSelectedKey),y=b[0],_=b[1],S=e.componentRef,C=e.theme,x=e.linkSize,P=e.linkFormat,k=e.overflowBehavior,I=e.overflowAriaLabel,w=e.focusZoneProps,T=e.overflowButtonAs,E={"aria-label":e["aria-label"],"aria-labelledby":e["aria-labelledby"]},D=(0,a.getNativeProps)(e,a.divProperties,["aria-label","aria-labelledby"]),M=g(e,v);r.useImperativeHandle(S,(function(){return{focus:function(){var e;null===(e=p.current)||void 0===e||e.focus()}}}));var O=function(e){if(!e)return null;var t=e.itemCount,n=e.itemIcon,i=e.headerText;return r.createElement("span",{className:o.linkContent},void 0!==n&&r.createElement("span",{className:o.icon},r.createElement(d.Icon,{iconName:n})),void 0!==i&&r.createElement("span",{className:o.text}," ",e.headerText),void 0!==t&&r.createElement("span",{className:o.count}," (",t,")"))},R=function(e,t,i,l){var c,u=t.itemKey,d=t.headerButtonProps,p=t.onRenderItemLink,m=e.keyToTabIdMapping[u],g=i===u;c=p?p(t,O):O(t);var h=t.headerText||"";h+=t.itemCount?" ("+t.itemCount+")":"",h+=t.itemIcon?" xx":"";var f=t.role&&"tab"!==t.role?{role:t.role}:{role:"tab","aria-selected":g};return r.createElement(s.CommandButton,n.__assign({},d,f,{id:m,key:u,className:(0,a.css)(l,g&&o.linkIsSelected),onClick:function(e){return F(u,e)},onKeyDown:function(e){return B(u,e)},"aria-label":t.ariaLabel,name:t.headerText,keytipProps:t.keytipProps,"data-content":h}),c)},F=function(e,t){t.preventDefault(),A(e,t)},B=function(e,t){t.which===a.KeyCodes.enter&&(t.preventDefault(),A(e))},A=function(t,o){var n;if(_(t),M=g(e,v),e.onLinkClick&&M.keyToIndexMapping[t]>=0){var i=M.keyToIndexMapping[t],a=r.Children.toArray(e.children)[i];h(a)&&e.onLinkClick(a,o)}null===(n=f.current)||void 0===n||n.dismissMenu()};o=m(e.styles,{theme:C,linkSize:x,linkFormat:P});var N,L=null===(N=y)||void 0!==N&&void 0!==M.keyToIndexMapping[N]?y:M.links.length?M.links[0].itemKey:void 0,H=L?M.keyToIndexMapping[L]:0,j=M.links.map((function(e){return R(M,e,L,o.link)})),z=r.useMemo((function(){return{items:[],alignTargetEdge:!0,directionalHint:u.DirectionalHint.bottomRightEdge}}),[]),W=(0,l.useOverflow)({onOverflowItemsChanged:function(e,t){t.forEach((function(e){var t=e.ele,o=e.isOverflowing;return t.dataset.isOverflowing="".concat(o)})),z.items=M.links.slice(e).filter((function(e){return e.itemKey!==L})).map((function(t,n){return t.role="menuitem",{key:t.itemKey||"".concat(e+n),onRender:function(){return R(M,t,L,o.linkInMenu)}}}))},rtl:(0,a.getRTL)(C),pinnedIndex:H}).menuButtonRef,V=T||s.CommandButton;return r.createElement("div",n.__assign({ref:t},D),r.createElement(c.FocusZone,n.__assign({componentRef:p,role:"tablist"},E,{direction:c.FocusZoneDirection.horizontal},w,{className:(0,a.css)(o.root,null==w?void 0:w.className)}),j,"menu"===k&&r.createElement(V,{className:(0,a.css)(o.link,o.overflowMenuButton),elementRef:W,componentRef:f,menuProps:z,menuIconProps:{iconName:"More",style:{color:"inherit"}},ariaLabel:I,role:"tab"})),L&&M.links.map((function(t){return(!0===t.alwaysRender||L===t.itemKey)&&function(t,n){if(e.headersOnly||!t)return null;var i=M.keyToIndexMapping[t],a=M.keyToTabIdMapping[t];return r.createElement("div",{role:"tabpanel",hidden:!n,key:t,"aria-hidden":!n,"aria-labelledby":a,className:o.itemContainer},r.Children.toArray(e.children)[i])}(t.itemKey,L===t.itemKey)})))})),t.PivotBase.displayName="Pivot"},68001:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Pivot=void 0;var n=o(52332),r=o(89446),i=o(14101);t.Pivot=(0,n.styled)(r.PivotBase,i.getStyles,void 0,{scope:"Pivot"})},14101:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(31635),r=o(83048),i=o(52332),a={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"},s=function(e,t,o){var a,s,l;void 0===o&&(o=!1);var c=e.linkSize,u=e.linkFormat,d=e.theme,p=d.semanticColors,m=d.fonts,g="large"===c,h="tabs"===u;return[m.medium,{color:p.actionLink,padding:"0 8px",position:"relative",backgroundColor:"transparent",border:0,borderRadius:0,selectors:{":hover":{backgroundColor:p.buttonBackgroundHovered,color:p.buttonTextHovered,cursor:"pointer"},":active":{backgroundColor:p.buttonBackgroundPressed,color:p.buttonTextHovered},":focus":{outline:"none"}}},!o&&[{display:"inline-block",lineHeight:44,height:44,marginRight:8,textAlign:"center",selectors:(a={},a[".".concat(i.IsFocusVisibleClassName," &:focus, :host(.").concat(i.IsFocusVisibleClassName,") &:focus")]={outline:"1px solid ".concat(p.focusBorder)},a[".".concat(i.IsFocusVisibleClassName," &:focus:after, :host(.").concat(i.IsFocusVisibleClassName,") &:focus:after")]={content:"attr(data-content)",position:"relative",border:0},a[":before"]={backgroundColor:"transparent",bottom:0,content:'""',height:2,left:8,position:"absolute",right:8,transition:"left ".concat(r.AnimationVariables.durationValue2," ").concat(r.AnimationVariables.easeFunction2,",\n right ").concat(r.AnimationVariables.durationValue2," ").concat(r.AnimationVariables.easeFunction2)},a[":after"]={color:"transparent",content:"attr(data-content)",display:"block",fontWeight:r.FontWeights.bold,height:1,overflow:"hidden",visibility:"hidden"},a)},g&&{fontSize:m.large.fontSize},h&&[{marginRight:0,height:44,lineHeight:44,backgroundColor:p.buttonBackground,padding:"0 10px",verticalAlign:"top",selectors:(s={":focus":{outlineOffset:"-2px"}},s[".".concat(i.IsFocusVisibleClassName," &:focus::before, :host(.").concat(i.IsFocusVisibleClassName,") &:focus::before")]={height:"auto",background:"transparent",transition:"none"},s["&:hover, &:focus"]={color:p.buttonTextCheckedHovered},s["&:active, &:hover"]={color:p.primaryButtonText,backgroundColor:p.primaryButtonBackground},s["&.".concat(t.linkIsSelected)]={backgroundColor:p.primaryButtonBackground,color:p.primaryButtonText,fontWeight:r.FontWeights.regular,selectors:(l={":before":{backgroundColor:"transparent",transition:"none",position:"absolute",top:0,left:0,right:0,bottom:0,content:'""',height:0},":hover":{backgroundColor:p.primaryButtonBackgroundHovered,color:p.primaryButtonText},":active":{backgroundColor:p.primaryButtonBackgroundPressed,color:p.primaryButtonText}},l[r.HighContrastSelector]=n.__assign({fontWeight:r.FontWeights.semibold,color:"HighlightText",background:"Highlight"},(0,r.getHighContrastNoAdjustStyle)()),l)},s[".".concat(i.IsFocusVisibleClassName," &.").concat(t.linkIsSelected,":focus, :host(.").concat(i.IsFocusVisibleClassName,") &.").concat(t.linkIsSelected,":focus")]={outlineColor:p.primaryButtonText},s)}]]]};t.getStyles=function(e){var t,o,i,l,c=e.className,u=e.linkSize,d=e.linkFormat,p=e.theme,m=p.semanticColors,g=p.fonts,h=(0,r.getGlobalClassNames)(a,p),f="large"===u,v="tabs"===d;return{root:[h.root,g.medium,r.normalize,{position:"relative",color:m.link,whiteSpace:"nowrap"},f&&h.rootIsLarge,v&&h.rootIsTabs,c],itemContainer:{selectors:{"&[hidden]":{display:"none"}}},link:n.__spreadArray(n.__spreadArray([h.link],s(e,h),!0),[(t={},t["&[data-is-overflowing='true']"]={display:"none"},t)],!1),overflowMenuButton:[h.overflowMenuButton,(o={visibility:"hidden",position:"absolute",right:0},o[".".concat(h.link,"[data-is-overflowing='true'] ~ &")]={visibility:"visible",position:"relative"},o)],linkInMenu:n.__spreadArray(n.__spreadArray([h.linkInMenu],s(e,h,!0),!0),[{textAlign:"left",width:"100%",height:36,lineHeight:36}],!1),linkIsSelected:[h.link,h.linkIsSelected,{fontWeight:r.FontWeights.semibold,selectors:(i={":before":{backgroundColor:m.inputBackgroundChecked,selectors:(l={},l[r.HighContrastSelector]={backgroundColor:"Highlight"},l)},":hover::before":{left:0,right:0}},i[r.HighContrastSelector]={color:"Highlight"},i)}],linkContent:[h.linkContent,{flex:"0 1 100%",selectors:{"& > * ":{marginLeft:4},"& > *:first-child":{marginLeft:0}}}],text:[h.text,{display:"inline-block",verticalAlign:"top"}],count:[h.count,{display:"inline-block",verticalAlign:"top"}],icon:h.icon}}},90986:(e,t)=>{"use strict";var o,n;Object.defineProperty(t,"__esModule",{value:!0}),t.PivotLinkSize=t.PivotLinkFormat=void 0,(n=t.PivotLinkFormat||(t.PivotLinkFormat={})).links="links",n.tabs="tabs",(o=t.PivotLinkSize||(t.PivotLinkSize={})).normal="normal",o.large="large"},23534:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.PivotItem=void 0;var n=o(31635),r=o(83923),i=o(52332),a=function(e){function t(t){var o=e.call(this,t)||this;return(0,i.initializeComponentRef)(o),(0,i.warnDeprecations)("PivotItem",t,{linkText:"headerText"}),o}return n.__extends(t,e),t.prototype.render=function(){return r.createElement("div",n.__assign({},(0,i.getNativeProps)(this.props,i.divProperties)),this.props.children)},t}(r.Component);t.PivotItem=a},97065:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},82453:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.PivotItem=void 0;var n=o(31635);n.__exportStar(o(68001),t),n.__exportStar(o(89446),t);var r=o(23534);Object.defineProperty(t,"PivotItem",{enumerable:!0,get:function(){return r.PivotItem}}),n.__exportStar(o(90986),t),n.__exportStar(o(97065),t)},36149:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Popup=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(25698),s=o(97156);function l(e){var t=e.originalElement,o=e.containsFocus;t&&o&&t!==(0,i.getWindow)()&&setTimeout((function(){var e;null===(e=t.focus)||void 0===e||e.call(t)}),0)}t.Popup=r.forwardRef((function(e,t){var o=(0,i.getPropsWithDefaults)({shouldRestoreFocus:!0,enableAriaHiddenSiblings:!0},e),c=r.useRef(),u=(0,a.useMergedRefs)(c,t);!function(e,t){var o="true"===String(e["aria-modal"]).toLowerCase()&&e.enableAriaHiddenSiblings;r.useEffect((function(){if(o&&t.current)return(0,i.modalize)(t.current)}),[t,o])}(o,c),function(e,t){var o=e.onRestoreFocus,n=void 0===o?l:o,s=r.useRef(),c=r.useRef(!1);r.useEffect((function(){return s.current=(0,i.getDocument)().activeElement,(0,i.doesElementContainFocus)(t.current)&&(c.current=!0),function(){var e;null==n||n({originalElement:s.current,containsFocus:c.current,documentContainsFocus:(null===(e=(0,i.getDocument)())||void 0===e?void 0:e.hasFocus())||!1}),s.current=void 0}}),[]),(0,a.useOnEvent)(t,"focus",r.useCallback((function(){c.current=!0}),[]),!0),(0,a.useOnEvent)(t,"blur",r.useCallback((function(e){t.current&&e.relatedTarget&&!t.current.contains(e.relatedTarget)&&(c.current=!1)}),[]),!0)}(o,c);var d=o.role,p=o.className,m=o.ariaLabel,g=o.ariaLabelledBy,h=o.ariaDescribedBy,f=o.style,v=o.children,b=o.onDismiss,y=function(e,t){var o=(0,a.useAsync)(),n=r.useState(!1),i=n[0],s=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,a=t.current.firstElementChild.clientHeight;r>0&&a>r&&(n=a-r>1)}i!==n&&s(n)}})),function(){return o.dispose()}})),i}(o,c),_=r.useCallback((function(e){e.which===i.KeyCodes.escape&&b&&(b(e),e.preventDefault(),e.stopPropagation())}),[b]),S=(0,s.useWindow)();return(0,a.useOnEvent)(S,"keydown",_),r.createElement("div",n.__assign({ref:u},(0,i.getNativeProps)(o,i.divProperties),{className:p,role:d,"aria-label":m,"aria-labelledby":g,"aria-describedby":h,onKeyDown:_,style:n.__assign({overflowY:y?"scroll":void 0,outline:"none"},f)}),v)})),t.Popup.displayName="Popup"},59478:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},93739:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(36149),t),n.__exportStar(o(59478),t)},92094:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ProgressIndicatorBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=(0,i.classNamesFunction)(),s=function(e){function t(t){var o=e.call(this,t)||this;o._onRenderProgress=function(e){var t=o.props,n=t.ariaLabel,i=t.ariaValueText,s=t.barHeight,l=t.className,c=t.description,u=t.label,d=void 0===u?o.props.title:u,p=t.styles,m=t.theme,g="number"==typeof o.props.percentComplete?Math.min(100,Math.max(0,100*o.props.percentComplete)):void 0,h=a(p,{theme:m,className:l,barHeight:s,indeterminate:void 0===g}),f={width:void 0!==g?g+"%":void 0,transition:void 0!==g&&g<.01?"none":void 0},v=void 0!==g?0:void 0,b=void 0!==g?100:void 0,y=void 0!==g?Math.floor(g):void 0;return r.createElement("div",{className:h.itemProgress},r.createElement("div",{className:h.progressTrack}),r.createElement("div",{className:h.progressBar,style:f,role:"progressbar","aria-describedby":c?o._descriptionId:void 0,"aria-label":n,"aria-labelledby":d?o._labelId:void 0,"aria-valuemin":v,"aria-valuemax":b,"aria-valuenow":y,"aria-valuetext":i}))};var n=(0,i.getId)("progress-indicator");return o._labelId=n+"-label",o._descriptionId=n+"-description",o}return n.__extends(t,e),t.prototype.render=function(){var e=this.props,t=e.barHeight,o=e.className,i=e.label,s=void 0===i?this.props.title:i,l=e.description,c=e.styles,u=e.theme,d=e.progressHidden,p=e.onRenderProgress,m=void 0===p?this._onRenderProgress:p,g="number"==typeof this.props.percentComplete?Math.min(100,Math.max(0,100*this.props.percentComplete)):void 0,h=a(c,{theme:u,className:o,barHeight:t,indeterminate:void 0===g});return r.createElement("div",{className:h.root},s?r.createElement("div",{id:this._labelId,className:h.itemName},s):null,d?null:m(n.__assign(n.__assign({},this.props),{percentComplete:g}),this._onRenderProgress),l?r.createElement("div",{id:this._descriptionId,className:h.itemDescription},l):null)},t.defaultProps={label:"",description:"",width:180},t}(r.Component);t.ProgressIndicatorBase=s},26777:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ProgressIndicator=void 0;var n=o(71061),r=o(92094),i=o(50125);t.ProgressIndicator=(0,n.styled)(r.ProgressIndicatorBase,i.getStyles,void 0,{scope:"ProgressIndicator"})},50125:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(31635),r=o(15019),i=o(71061),a={root:"ms-ProgressIndicator",itemName:"ms-ProgressIndicator-itemName",itemDescription:"ms-ProgressIndicator-itemDescription",itemProgress:"ms-ProgressIndicator-itemProgress",progressTrack:"ms-ProgressIndicator-progressTrack",progressBar:"ms-ProgressIndicator-progressBar"},s=(0,i.memoizeFunction)((function(){return(0,r.keyframes)({"0%":{left:"-30%"},"100%":{left:"100%"}})})),l=(0,i.memoizeFunction)((function(){return(0,r.keyframes)({"100%":{right:"-30%"},"0%":{right:"100%"}})}));t.getStyles=function(e){var t,o,c,u=(0,i.getRTL)(e.theme),d=e.className,p=e.indeterminate,m=e.theme,g=e.barHeight,h=void 0===g?2:g,f=m.palette,v=m.semanticColors,b=m.fonts,y=(0,r.getGlobalClassNames)(a,m),_=f.neutralLight;return{root:[y.root,b.medium,d],itemName:[y.itemName,r.noWrap,{color:v.bodyText,paddingTop:4,lineHeight:20}],itemDescription:[y.itemDescription,{color:v.bodySubtext,fontSize:b.small.fontSize,lineHeight:18}],itemProgress:[y.itemProgress,{position:"relative",overflow:"hidden",height:h,padding:"".concat(8,"px 0")}],progressTrack:[y.progressTrack,{position:"absolute",width:"100%",height:h,backgroundColor:_,selectors:(t={},t[r.HighContrastSelector]={borderBottom:"1px solid WindowText"},t)}],progressBar:[{backgroundColor:f.themePrimary,height:h,position:"absolute",transition:"width .3s ease",width:0,selectors:(o={},o[r.HighContrastSelector]=n.__assign({backgroundColor:"highlight"},(0,r.getHighContrastNoAdjustStyle)()),o)},p?{position:"absolute",minWidth:"33%",background:"linear-gradient(to right, ".concat(_," 0%, ")+"".concat(f.themePrimary," 50%, ").concat(_," 100%)"),animation:"".concat(u?l():s()," 3s infinite"),selectors:(c={},c[r.HighContrastSelector]={background:"highlight"},c)}:{transition:"width .15s linear"},y.progressBar]}}},88802:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},69577:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(26777),t),n.__exportStar(o(92094),t),n.__exportStar(o(88802),t)},24010:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.RatingBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(30936),s=o(80371),l=o(65758),c=o(25698),u=(0,i.classNamesFunction)(),d=function(e){return r.createElement("div",{className:e.classNames.ratingStar},r.createElement(a.Icon,{className:e.classNames.ratingStarBack,iconName:0===e.fillPercentage||100===e.fillPercentage?e.icon:e.unselectedIcon}),!e.disabled&&r.createElement(a.Icon,{className:e.classNames.ratingStarFront,iconName:e.icon,style:{width:e.fillPercentage+"%"}}))},p=function(e,t){return"".concat(e,"-star-").concat(t-1)};t.RatingBase=r.forwardRef((function(e,t){var o=(0,c.useId)("Rating"),a=(0,c.useId)("RatingLabel"),m=e.ariaLabel,g=e.ariaLabelFormat,h=e.disabled,f=e.getAriaLabel,v=e.styles,b=e.min,y=void 0===b?e.allowZeroStars?0:1:b,_=e.max,S=void 0===_?5:_,C=e.readOnly,x=e.size,P=e.theme,k=e.icon,I=void 0===k?"FavoriteStarFill":k,w=e.unselectedIcon,T=void 0===w?"FavoriteStar":w,E=e.onRenderStar,D=Math.max(y,0),M=(0,c.useControllableValue)(e.rating,e.defaultRating,e.onChange),O=M[0],R=M[1],F=function(e,t,o){return Math.min(Math.max(null!=e?e:t,t),o)}(O,D,S);!function(e,t){r.useImperativeHandle(e,(function(){return{rating:t}}),[t])}(e.componentRef,F);var B=r.useRef(null),A=(0,c.useMergedRefs)(B,t);(0,i.useFocusRects)(B);for(var N=(0,i.getNativeProps)(e,i.divProperties),L=u(v,{disabled:h,readOnly:C,theme:P}),H=null==f?void 0:f(F,S),j=m||H,z=[],W=function(e){var t,s,c=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,F);z.push(r.createElement("button",n.__assign({className:(0,i.css)(L.ratingButton,x===l.RatingSize.Large?L.ratingStarIsLarge:L.ratingStarIsSmall),id:p(o,e),key:e},e===Math.ceil(F)&&{"data-is-current":!0},{onKeyDown:function(t){var o=t.which,n=e;switch(o){case i.KeyCodes.right:case i.KeyCodes.down:n=Math.min(S,n+1);break;case i.KeyCodes.left:case i.KeyCodes.up:n=Math.max(1,n-1);break;case i.KeyCodes.home:case i.KeyCodes.pageUp:n=1;break;case i.KeyCodes.end:case i.KeyCodes.pageDown:n=S}n===e||void 0!==O&&Math.ceil(O)===n||R(n,t)},onClick:function(t){void 0!==O&&Math.ceil(O)===e||R(e,t)},disabled:!(!h&&!C),role:"radio","aria-hidden":C?"true":void 0,type:"button","aria-checked":e===Math.ceil(F)}),r.createElement("span",{id:"".concat(a,"-").concat(e),className:L.labelText},(0,i.format)(g||"",e,S)),(t={fillPercentage:c,disabled:h,classNames:L,icon:c>0?I:T,starNum:e,unselectedIcon:T},(s=E)?s(t):r.createElement(d,n.__assign({},t)))))},V=1;V<=S;V++)W(V);var K=x===l.RatingSize.Large?L.rootIsLarge:L.rootIsSmall;return r.createElement("div",n.__assign({ref:A,className:(0,i.css)("ms-Rating-star",L.root,K),"aria-label":C?void 0:j,id:o,role:C?void 0:"radiogroup"},N),r.createElement(s.FocusZone,n.__assign({direction:s.FocusZoneDirection.bidirectional,className:(0,i.css)(L.ratingFocusZone,K),defaultActiveElement:"#"+p(o,Math.ceil(F))},C&&{allowFocusRoot:!0,disabled:!0,role:"textbox","aria-label":H,"aria-readonly":!0,"data-is-focusable":!0,tabIndex:0}),z))})),t.RatingBase.displayName="RatingBase"},58013:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Rating=void 0;var n=o(71061),r=o(40905),i=o(24010);t.Rating=(0,n.styled)(i.RatingBase,r.getStyles,void 0,{scope:"Rating"})},40905:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r={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 i(e,t){var o;return{color:e,selectors:(o={},o[n.HighContrastSelector]={color:t},o)}}t.getStyles=function(e){var t=e.disabled,o=e.readOnly,a=e.theme,s=a.semanticColors,l=a.palette,c=(0,n.getGlobalClassNames)(r,a),u=l.neutralSecondary,d=l.themePrimary,p=l.themeDark,m=l.neutralPrimary,g=s.disabledBodySubtext;return{root:[c.root,a.fonts.medium,!t&&!o&&{selectors:{"&:hover":{selectors:{".ms-RatingStar-back":i(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&&i(g,"GrayText")],ratingStarFront:[c.ratingStarFront,{position:"absolute",height:"100 %",left:"0",top:"0",textAlign:"center",verticalAlign:"middle",overflow:"hidden"},i(m,"Highlight")],ratingButton:[(0,n.getFocusStyle)(a),c.ratingButton,{backgroundColor:"transparent",padding:"".concat(8,"px ").concat(2,"px"),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":i(u,"WindowText"),".ms-RatingStar-front":i(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,n.hiddenContentStyle],ratingFocusZone:[(0,n.getFocusStyle)(a),c.ratingFocusZone,{display:"inline-block"}]}}},65758:(e,t)=>{"use strict";var o;Object.defineProperty(t,"__esModule",{value:!0}),t.RatingSize=void 0,(o=t.RatingSize||(t.RatingSize={}))[o.Small=0]="Small",o[o.Large=1]="Large"},74426:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(58013),t),n.__exportStar(o(24010),t),n.__exportStar(o(65758),t)},60834:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ResizeGroupBase=t.MeasuredContext=t.getNextResizeGroupStateProvider=t.getMeasurementCache=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(23734),s=o(25698),l=o(71628);t.getMeasurementCache=function(){var e={};return{getCachedMeasurement:function(t){if(t&&t.cacheKey&&e.hasOwnProperty(t.cacheKey))return e[t.cacheKey]},addMeasurementToCache:function(t,o){t.cacheKey&&(e[t.cacheKey]=o)}}},t.getNextResizeGroupStateProvider=function(e){void 0===e&&(e=(0,t.getMeasurementCache)());var o,r=e;function i(e,t){var o=r.getCachedMeasurement(e);if(void 0!==o)return o;var n=t();return r.addMeasurementToCache(e,n),n}function a(e,t,n){for(var a=e,s=i(e,n);s>o;){var l=t(a);if(void 0===l)return{renderedData:a,resizeDirection:void 0,dataToMeasure:void 0};if(void 0===(s=r.getCachedMeasurement(l)))return{dataToMeasure:l,resizeDirection:"shrink"};a=l}return{renderedData:a,resizeDirection:void 0,dataToMeasure:void 0}}return{getNextState:function(e,t,s,l){if(void 0!==l||void 0!==t.dataToMeasure){if(l){if(o&&t.renderedData&&!t.dataToMeasure)return n.__assign(n.__assign({},t),function(e,t,r,i){var a;return a=e>o?i?{resizeDirection:"grow",dataToMeasure:i(r)}:{resizeDirection:"shrink",dataToMeasure:t}:{resizeDirection:"shrink",dataToMeasure:r},o=e,n.__assign(n.__assign({},a),{measureContainer:!1})}(l,e.data,t.renderedData,e.onGrowData));o=l}var c=n.__assign(n.__assign({},t),{measureContainer:!1});return t.dataToMeasure&&(c="grow"===t.resizeDirection&&e.onGrowData?n.__assign(n.__assign({},c),function(e,t,s,l){for(var c=e,u=i(e,s);u{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ResizeGroup=void 0;var n=o(60834);t.ResizeGroup=n.ResizeGroupBase},23734:(e,t)=>{"use strict";var o;Object.defineProperty(t,"__esModule",{value:!0}),t.ResizeGroupDirection=void 0,(o=t.ResizeGroupDirection||(t.ResizeGroupDirection={}))[o.horizontal=0]="horizontal",o[o.vertical=1]="vertical"},46578:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(981),t),n.__exportStar(o(60834),t),n.__exportStar(o(23734),t)},14262:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ScrollablePaneBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(95066),s=o(97156),l=o(50478),c=(0,i.classNamesFunction)(),u=function(e){function t(t){var o=e.call(this,t)||this;return o._root=r.createRef(),o._stickyAboveRef=r.createRef(),o._stickyBelowRef=r.createRef(),o._contentContainer=r.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},window:(0,l.getWindowEx)(o.context)}},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 n.__assign(n.__assign({height:e},(0,i.getRTL)(o.props.theme)?{right:"0",left:"".concat(o.state.scrollbarWidth||o._getScrollbarWidth()||0,"px")}:{left:"0",right:"".concat(o.state.scrollbarWidth||o._getScrollbarWidth()||0,"px")}),t?{top:"0"}:{bottom:"".concat(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,i.initializeComponentRef)(o),o._async=new i.Async(o),o._events=new i.EventGroup(o),o.state={stickyTopHeight:0,stickyBottomHeight:0,scrollbarWidth:0,scrollbarHeight:0},o._notifyThrottled=o._async.throttle(o.notifySubscribers,50),o}return n.__extends(t,e),Object.defineProperty(t.prototype,"root",{get:function(){return this._root.current},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"stickyAbove",{get:function(){return this._stickyAboveRef.current},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"stickyBelow",{get:function(){return this._stickyBelowRef.current},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"contentContainer",{get:function(){return this._contentContainer.current},enumerable:!1,configurable:!0}),t.prototype.componentDidMount=function(){var e=this,t=(0,l.getWindowEx)(this.context),o=this.props.initialScrollPosition;this._events.on(this.contentContainer,"scroll",this._onScroll),this._events.on(t,"resize",this._onWindowResize),this.contentContainer&&o&&(this.contentContainer.scrollTop=o),this.setStickiesDistanceFromTop(),this._stickies.forEach((function(t){e.sortSticky(t)})),this.notifySubscribers(),t&&"MutationObserver"in t&&(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.scrollContainerFocus,s=e.scrollContainerAriaLabel,l=e.theme,u=e.styles,d=e.onScroll,p=this.state,m=p.stickyTopHeight,g=p.stickyBottomHeight,h=c(u,{theme:l,className:t,scrollbarVisibility:this.props.scrollbarVisibility}),f=o?{role:"group",tabIndex:0,"aria-label":s,onScroll:d}:{onScroll:d};return r.createElement("div",n.__assign({},(0,i.getNativeProps)(n.__assign({},this.props),i.divProperties,["onScroll"]),{ref:this._root,className:h.root}),r.createElement("div",{ref:this._stickyAboveRef,className:h.stickyAbove,style:this._getStickyContainerStyle(m,!0)}),r.createElement("div",n.__assign({ref:this._contentContainer},f,{className:h.contentContainer,"data-is-scrollable":!0}),r.createElement(a.ScrollablePaneContext.Provider,{value:this._getScrollablePaneContext()},this.props.children)),r.createElement("div",{className:h.stickyBelow,style:this._getStickyContainerStyle(g,!1)},r.createElement("div",{ref:this._stickyBelowRef,className:h.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.contextType=s.WindowContext,t}(r.Component);t.ScrollablePaneBase=u},85489:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ScrollablePane=void 0;var n=o(25093),r=o(14262),i=o(71061);t.ScrollablePane=(0,i.styled)(r.ScrollablePaneBase,n.getStyles,void 0,{scope:"ScrollablePane"})},25093:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r={root:"ms-ScrollablePane",contentContainer:"ms-ScrollablePane--contentContainer"};t.getStyles=function(e){var t,o,i=e.className,a=e.theme,s=(0,n.getGlobalClassNames)(r,a),l={position:"absolute",pointerEvents:"none"},c={position:"absolute",top:0,right:0,bottom:0,left:0,WebkitOverflowScrolling:"touch"};return{root:[s.root,a.fonts.medium,c,i],contentContainer:[s.contentContainer,{overflowY:"always"===e.scrollbarVisibility?"scroll":"auto"},c],stickyAbove:[{top:0,zIndex:1,selectors:(t={},t[n.HighContrastSelector]={borderBottom:"1px solid WindowText"},t)},l],stickyBelow:[{bottom:0,selectors:(o={},o[n.HighContrastSelector]={borderTop:"1px solid WindowText"},o)},l],stickyBelowItems:[{bottom:0},l,{width:"100%"}]}}},95066:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ScrollablePaneContext=t.ScrollbarVisibility=void 0;var n=o(83923);t.ScrollbarVisibility={auto:"auto",always:"always"},t.ScrollablePaneContext=n.createContext({scrollablePane:void 0,window:void 0})},51076:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(85489),t),n.__exportStar(o(14262),t),n.__exportStar(o(95066),t)},54494:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.SearchBoxBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(25698),s=o(74393),l=o(30936),c="SearchBox",u={root:{height:"auto"},icon:{fontSize:"12px"}},d={iconName:"Clear"},p={ariaLabel:"Clear text"},m=(0,i.classNamesFunction)();t.SearchBoxBase=r.forwardRef((function(e,t){var o=e.ariaLabel,g=e.className,h=e.defaultValue,f=void 0===h?"":h,v=e.disabled,b=e.underlined,y=e.styles,_=e.labelText,S=e.placeholder,C=void 0===S?_:S,x=e.theme,P=e.clearButtonProps,k=void 0===P?p:P,I=e.disableAnimation,w=void 0!==I&&I,T=e.showIcon,E=void 0!==T&&T,D=e.onClear,M=e.onBlur,O=e.onEscape,R=e.onSearch,F=e.onKeyDown,B=e.iconProps,A=e.role,N=e.onChange,L=e.onChanged,H=r.useState(!1),j=H[0],z=H[1],W=r.useRef(),V=(0,a.useControllableValue)(e.value,f,(function(e,t){e&&e.timeStamp===W.current||(W.current=null==e?void 0:e.timeStamp,null==N||N(e,t),null==L||L(t))})),K=V[0],G=V[1],U=String(K),Y=r.useRef(null),q=r.useRef(null),X=(0,a.useMergedRefs)(Y,t),Z=(0,a.useId)(c,e.id),Q=k.onClick,J=m(y,{theme:x,className:g,underlined:b,hasFocus:j,disabled:v,hasInput:U.length>0,disableAnimation:w,showIcon:E}),$=(0,i.getNativeProps)(e,i.inputProperties,["className","placeholder","onFocus","onBlur","value","role"]),ee=r.useCallback((function(e){var t;null==D||D(e),e.defaultPrevented||(G(""),null===(t=q.current)||void 0===t||t.focus(),e.stopPropagation(),e.preventDefault())}),[D,G]),te=r.useCallback((function(e){null==Q||Q(e),e.defaultPrevented||ee(e)}),[Q,ee]),oe=r.useCallback((function(e){z(!1),null==M||M(e)}),[M]),ne=function(e){G(e.target.value,e)};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()},blur:function(){var e;return null===(e=t.current)||void 0===e?void 0:e.blur()},hasFocus:function(){return o}}}),[t,o])}(e.componentRef,q,j),r.createElement("div",{role:A,ref:X,className:J.root,onFocusCapture:function(t){var o;z(!0),null===(o=e.onFocus)||void 0===o||o.call(e,t)}},r.createElement("div",{className:J.iconContainer,onClick:function(){q.current&&(q.current.focus(),q.current.selectionStart=q.current.selectionEnd=0)},"aria-hidden":!0},r.createElement(l.Icon,n.__assign({iconName:"Search"},B,{className:J.icon}))),r.createElement("input",n.__assign({},$,{id:Z,className:J.field,placeholder:C,onChange:ne,onInput:ne,onBlur:oe,onKeyDown:function(e){switch(e.which){case i.KeyCodes.escape:null==O||O(e),U&&!e.defaultPrevented&&ee(e);break;case i.KeyCodes.enter:R&&(R(U),e.preventDefault(),e.stopPropagation());break;default:null==F||F(e),e.defaultPrevented&&e.stopPropagation()}},value:U,disabled:v,role:"searchbox","aria-label":o,ref:q})),U.length>0&&r.createElement("div",{className:J.clearButton},r.createElement(s.IconButton,n.__assign({onBlur:oe,styles:u,iconProps:d},k,{onClick:te}))))})),t.SearchBoxBase.displayName=c},91097:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.SearchBox=void 0;var n=o(71061),r=o(54494),i=o(13773);t.SearchBox=(0,n.styled)(r.SearchBoxBase,i.getStyles,void 0,{scope:"SearchBox"})},13773:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r=o(71061),i={root:"ms-SearchBox",iconContainer:"ms-SearchBox-iconContainer",icon:"ms-SearchBox-icon",clearButton:"ms-SearchBox-clearButton",field:"ms-SearchBox-field"};t.getStyles=function(e){var t,o,a,s,l,c=e.theme,u=e.underlined,d=e.disabled,p=e.hasFocus,m=e.className,g=e.hasInput,h=e.disableAnimation,f=e.showIcon,v=c.palette,b=c.fonts,y=c.semanticColors,_=c.effects,S=(0,n.getGlobalClassNames)(i,c),C={color:y.inputPlaceholderText,opacity:1},x=v.neutralSecondary,P=v.neutralPrimary,k=v.neutralLighter,I=v.neutralLighter,w=v.neutralLighter;return{root:[S.root,b.medium,n.normalize,{color:y.inputText,backgroundColor:y.inputBackground,display:"flex",flexDirection:"row",flexWrap:"nowrap",alignItems:"stretch",padding:"1px 0 1px 4px",borderRadius:_.roundedCorner2,border:"1px solid ".concat(y.inputBorder),height:32,selectors:(t={},t[n.HighContrastSelector]={borderColor:"WindowText"},t[":hover"]={borderColor:y.inputBorderHovered,selectors:(o={},o[n.HighContrastSelector]={borderColor:"Highlight"},o)},t[":hover .".concat(S.iconContainer)]={color:y.inputIconHovered},t)},!p&&g&&{selectors:(a={},a[":hover .".concat(S.iconContainer)]={width:4},a[":hover .".concat(S.icon)]={opacity:0,pointerEvents:"none"},a)},p&&["is-active",{position:"relative"},(0,n.getInputFocusStyle)(y.inputFocusBorderAlt,u?0:_.roundedCorner2,u?"borderBottom":"border")],f&&[{selectors:(s={},s[":hover .".concat(S.iconContainer)]={width:32},s[":hover .".concat(S.icon)]={opacity:1},s)}],d&&["is-disabled",{borderColor:k,backgroundColor:w,pointerEvents:"none",cursor:"default",selectors:(l={},l[n.HighContrastSelector]={borderColor:"GrayText"},l)}],u&&["is-underlined",{borderWidth:"0 0 1px 0",borderRadius:0,padding:"1px 0 1px 8px"}],u&&d&&{backgroundColor:"transparent"},g&&"can-clear",m],iconContainer:[S.iconContainer,{display:"flex",flexDirection:"column",justifyContent:"center",flexShrink:0,fontSize:16,width:32,textAlign:"center",color:y.inputIcon,cursor:"text"},p&&{width:4},d&&{color:y.inputIconDisabled},!h&&{transition:"width ".concat(n.AnimationVariables.durationValue1)},f&&p&&{width:32}],icon:[S.icon,{opacity:1},p&&{opacity:0,pointerEvents:"none"},!h&&{transition:"opacity ".concat(n.AnimationVariables.durationValue1," 0s")},f&&p&&{opacity:1}],clearButton:[S.clearButton,{display:"flex",flexDirection:"row",alignItems:"stretch",cursor:"pointer",flexBasis:"32px",flexShrink:0,padding:0,margin:"-1px 0px",selectors:{"&:hover .ms-Button":{backgroundColor:I},"&:hover .ms-Button-icon":{color:P},".ms-Button":{borderRadius:(0,r.getRTL)(c)?"1px 0 0 1px":"0 1px 1px 0"},".ms-Button-icon":{color:x}}}],field:[S.field,n.normalize,(0,n.getPlaceholderStyles)(C),{backgroundColor:"transparent",border:"none",outline:"none",fontWeight:"inherit",fontFamily:"inherit",fontSize:"inherit",color:y.inputText,flex:"1 1 0px",minWidth:"0px",overflow:"hidden",textOverflow:"ellipsis",paddingBottom:.5,selectors:{"::-ms-clear":{display:"none"}}},d&&{color:y.disabledText}]}}},68066:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},32400:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(91097),t),n.__exportStar(o(54494),t),n.__exportStar(o(68066),t)},45526:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.BaseSelectedItemsList=void 0;var n=o(31635),r=o(83923),i=o(18055),a=o(71061),s=o(97156),l=o(50478),c=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,a.initializeComponentRef)(o);var n=t.selectedItems||t.defaultSelectedItems||[];return o.state={items:n},o._defaultSelection=new i.Selection({onSelectionChanged:o.onSelectionChanged}),o}return n.__extends(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:!1,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)&&void 0!==e?e:this._defaultSelection},enumerable:!1,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=(0,l.getDocumentEx)(this.context),n=o.createElement("input");o.body.appendChild(n);try{if(n.value=t,n.select(),!o.execCommand("copy"))throw new Error}catch(e){}finally{o.body.removeChild(n)}}},t.prototype._onSelectedItemsUpdated=function(e,t){this.onChange(e)},t.prototype._canRemoveItem=function(e){return!this.props.canRemoveItem||this.props.canRemoveItem(e)},t.contextType=s.WindowContext,t}(r.Component);t.BaseSelectedItemsList=c},11121:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},32297:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.EditingItem=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(27677),s=function(e){function t(t){var o=e.call(this,t)||this;return o._editingFloatingPicker=r.createRef(),o._renderEditingSuggestions=function(){var e=o.props.onRenderFloatingPicker,t=o.props.floatingPickerProps;return e&&t?r.createElement(e,n.__assign({componentRef:o._editingFloatingPicker,onChange:o._onSuggestionSelected,inputElement:o._editingInput,selectedItems:[]},t)):r.createElement(r.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,i.initializeComponentRef)(o),o.state={contextualMenuVisible:!1},o}return n.__extends(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,i.getId)(),t=(0,i.getNativeProps)(this.props,i.inputProperties),o=(0,i.classNamesFunction)()(a.getStyles);return r.createElement("div",{"aria-labelledby":"editingItemPersona-"+e,className:o.root},r.createElement("input",n.__assign({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!==i.KeyCodes.backspace&&e.which!==i.KeyCodes.del||e.stopPropagation()},t}(r.Component);t.EditingItem=s},27677:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r={root:"ms-EditingItem",input:"ms-EditingItem-input"};t.getStyles=function(e){var t=(0,n.getTheme)();if(!t)throw new Error("theme is undefined or null in Editing item getStyles function.");var o=t.semanticColors,i=(0,n.getGlobalClassNames)(r,t);return{root:[i.root,{margin:"4px"}],input:[i.input,{border:"0px",outline:"none",width:"100%",backgroundColor:o.inputBackground,color:o.inputText,selectors:{"::-ms-clear":{display:"none"}}}]}}},30898:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},23231:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ExtendedSelectedItem=void 0;var n=o(31635),r=o(83923),i=o(74393),a=o(71061),s=o(48377),l=o(70817),c=function(e){function t(t){var o=e.call(this,t)||this;return o.persona=r.createRef(),(0,a.initializeComponentRef)(o),o.state={contextualMenuVisible:!1},o}return n.__extends(t,e),t.prototype.render=function(){var e,t,o=this.props,c=o.item,u=o.onExpandItem,d=o.onRemoveItem,p=o.removeButtonAriaLabel,m=o.index,g=o.selected,h=(0,a.getId)();return r.createElement("div",{ref:this.persona,className:(0,a.css)("ms-PickerPersona-container",l.personaContainer,(e={},e["is-selected "+l.personaContainerIsSelected]=g,e),(t={},t["is-invalid "+l.validationError]=!c.isValid,t)),"data-is-focusable":!0,"data-is-sub-focuszone":!0,"data-selection-index":m,role:"listitem","aria-labelledby":"selectedItemPersona-"+h},r.createElement("div",{hidden:!c.canExpand||void 0===u},r.createElement(i.IconButton,{onClick:this._onClickIconButton(u),iconProps:{iconName:"Add",style:{fontSize:"14px"}},className:(0,a.css)("ms-PickerItem-removeButton",l.expandButton,l.actionButton),ariaLabel:p})),r.createElement("div",{className:(0,a.css)(l.personaWrapper)},r.createElement("div",{className:(0,a.css)("ms-PickerItem-content",l.itemContent),id:"selectedItemPersona-"+h},r.createElement(s.Persona,n.__assign({},c,{onRenderCoin:this.props.renderPersonaCoin,onRenderPrimaryText:this.props.renderPrimaryText,size:s.PersonaSize.size32}))),r.createElement(i.IconButton,{onClick:this._onClickIconButton(d),iconProps:{iconName:"Cancel",style:{fontSize:"14px"}},className:(0,a.css)("ms-PickerItem-removeButton",l.removeButton,l.actionButton),ariaLabel:p})))},t.prototype._onClickIconButton=function(e){return function(t){t.stopPropagation(),t.preventDefault(),e&&e()}},t}(r.Component);t.ExtendedSelectedItem=c},70817:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.itemContainer=t.personaDetails=t.personaWrapper=t.expandButton=t.removeButton=t.itemContent=t.validationError=t.personaContainerIsSelected=t.actionButton=t.hover=t.personaContainer=void 0,(0,o(65715).loadStyles)([{rawString:".personaContainer_6625fd9a{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_6625fd9a::-moz-focus-inner{border:0}.personaContainer_6625fd9a{outline:transparent}.personaContainer_6625fd9a{position:relative}.ms-Fabric--isFocusVisible .personaContainer_6625fd9a: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_6625fd9a .ms-Persona-primaryText{color:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:";font-size:14px;font-weight:400}.personaContainer_6625fd9a .ms-Persona-primaryText.hover_6625fd9a{color:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:"}@media screen and (-ms-high-contrast:active),screen and (forced-colors:active){.personaContainer_6625fd9a .ms-Persona-primaryText{color:HighlightText}}.personaContainer_6625fd9a .actionButton_6625fd9a:hover{background:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:"}.personaContainer_6625fd9a .actionButton_6625fd9a .ms-Button-icon{color:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:"}@media screen and (-ms-high-contrast:active),screen and (forced-colors:active){.personaContainer_6625fd9a .actionButton_6625fd9a .ms-Button-icon{color:HighlightText}}.personaContainer_6625fd9a:hover{background:"},{theme:"themeLighter",defaultValue:"#deecf9"},{rawString:"}.personaContainer_6625fd9a:hover .ms-Persona-primaryText{color:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:";font-size:14px;font-weight:400}@media screen and (-ms-high-contrast:active),screen and (forced-colors:active){.personaContainer_6625fd9a:hover .ms-Persona-primaryText{color:HighlightText}}.personaContainer_6625fd9a.personaContainerIsSelected_6625fd9a{background:"},{theme:"themePrimary",defaultValue:"#0078d4"},{rawString:"}.personaContainer_6625fd9a.personaContainerIsSelected_6625fd9a .ms-Persona-primaryText{color:"},{theme:"white",defaultValue:"#ffffff"},{rawString:"}@media screen and (-ms-high-contrast:active),screen and (forced-colors:active){.personaContainer_6625fd9a.personaContainerIsSelected_6625fd9a .ms-Persona-primaryText{color:HighlightText}}.personaContainer_6625fd9a.personaContainerIsSelected_6625fd9a .actionButton_6625fd9a{color:"},{theme:"white",defaultValue:"#ffffff"},{rawString:"}.personaContainer_6625fd9a.personaContainerIsSelected_6625fd9a .actionButton_6625fd9a .ms-Button-icon{color:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:"}.personaContainer_6625fd9a.personaContainerIsSelected_6625fd9a .actionButton_6625fd9a .ms-Button-icon:hover{background:"},{theme:"themeDark",defaultValue:"#005a9e"},{rawString:"}@media screen and (-ms-high-contrast:active),screen and (forced-colors:active){.personaContainer_6625fd9a.personaContainerIsSelected_6625fd9a .actionButton_6625fd9a .ms-Button-icon{color:HighlightText}}@media screen and (-ms-high-contrast:active),screen and (forced-colors:active){.personaContainer_6625fd9a.personaContainerIsSelected_6625fd9a{border-color:Highlight;background:Highlight;-ms-high-contrast-adjust:none}}.personaContainer_6625fd9a.validationError_6625fd9a .ms-Persona-primaryText{color:"},{theme:"red",defaultValue:"#e81123"},{rawString:"}.personaContainer_6625fd9a.validationError_6625fd9a .ms-Persona-initials{font-size:20px}@media screen and (-ms-high-contrast:active),screen and (forced-colors:active){.personaContainer_6625fd9a{border:1px solid WindowText}}.personaContainer_6625fd9a .itemContent_6625fd9a{-webkit-box-flex:0;-ms-flex:0 1 auto;flex:0 1 auto;min-width:0;max-width:100%}.personaContainer_6625fd9a .removeButton_6625fd9a{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_6625fd9a .expandButton_6625fd9a{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_6625fd9a .personaWrapper_6625fd9a{position:relative;display:inherit}.personaContainer_6625fd9a .personaWrapper_6625fd9a .ms-Persona-details{padding:0 8px}.personaContainer_6625fd9a .personaDetails_6625fd9a{-webkit-box-flex:0;-ms-flex:0 1 auto;flex:0 1 auto}.itemContainer_6625fd9a{display:inline-block;vertical-align:top}"}]),t.personaContainer="personaContainer_6625fd9a",t.hover="hover_6625fd9a",t.actionButton="actionButton_6625fd9a",t.personaContainerIsSelected="personaContainerIsSelected_6625fd9a",t.validationError="validationError_6625fd9a",t.itemContent="itemContent_6625fd9a",t.removeButton="removeButton_6625fd9a",t.expandButton="expandButton_6625fd9a",t.personaWrapper="personaWrapper_6625fd9a",t.personaDetails="personaDetails_6625fd9a",t.itemContainer="itemContainer_6625fd9a"},29988:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.SelectedItemWithContextMenu=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(52521),s=function(e){function t(t){var o=e.call(this,t)||this;return o.itemElement=r.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,i.initializeComponentRef)(o),o.state={contextualMenuVisible:!1},o}return n.__extends(t,e),t.prototype.render=function(){return r.createElement("div",{ref:this.itemElement,onContextMenu:this._onClick},this.props.renderedItem,this.state.contextualMenuVisible?r.createElement(a.ContextualMenu,{items:this.props.menuItems,shouldFocusOnMount:!0,target:this.itemElement.current,onDismiss:this._onCloseContextualMenu,directionalHint:a.DirectionalHint.bottomLeftEdge}):null)},t}(r.Component);t.SelectedItemWithContextMenu=s},93323:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.SelectedPeopleList=t.BasePeopleSelectedItemsList=void 0;var n=o(31635),r=o(83923),i=o(45526),a=o(23231),s=o(29988),l=o(32297),c=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return n.__extends(t,e),t}(i.BaseSelectedItemsList);t.BasePeopleSelectedItemsList=c;var u=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 n.__extends(t,e),t.prototype._renderItem=function(e,t){var o=this,i=this.props.removeButtonAriaLabel,a=this.props.onExpandGroup,c={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:i,onCopyItem:function(e){return o.copyItems([e])},onExpandItem:a?function(){return a(e)}:void 0,menuItems:this._createMenuItems(e)},u=c.menuItems.length>0;if(e.isEditing&&u)return r.createElement(l.EditingItem,n.__assign({},c,{onRenderFloatingPicker:this.props.onRenderFloatingPicker,floatingPickerProps:this.props.floatingPickerProps,onEditingComplete:this._completeEditing,getEditingItemText:this.props.getEditingItemText}));var d=(0,this.props.onRenderItem)(c);return u?r.createElement(s.SelectedItemWithContextMenu,{key:c.key,renderedItem:d,beginEditing:this._beginEditing,menuItems:this._createMenuItems(c.item),item:c.item}):d},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 r.createElement(a.ExtendedSelectedItem,n.__assign({},e))}},t}(c);t.SelectedPeopleList=u},67226:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(11121),t),n.__exportStar(o(45526),t),n.__exportStar(o(93323),t),n.__exportStar(o(23231),t),n.__exportStar(o(30898),t)},57178:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.SeparatorBase=void 0;var n=o(83923),r=(0,o(71061).classNamesFunction)();t.SeparatorBase=n.forwardRef((function(e,t){var o=e.styles,i=e.theme,a=e.className,s=e.vertical,l=e.alignContent,c=e.children,u=r(o,{theme:i,className:a,alignContent:l,vertical:s});return n.createElement("div",{className:u.root,ref:t},n.createElement("div",{className:u.content,role:"separator","aria-orientation":s?"vertical":"horizontal"},c))}))},10445:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Separator=void 0;var n=o(71061),r=o(34969),i=o(57178);t.Separator=(0,n.styled)(i.SeparatorBase,r.getStyles,void 0,{scope:"Separator"}),t.Separator.displayName="Separator"},34969:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019);t.getStyles=function(e){var t,o,r=e.theme,i=e.alignContent,a=e.vertical,s=e.className,l="start"===i,c="center"===i,u="end"===i;return{root:[r.fonts.medium,{position:"relative"},i&&{textAlign:i},!i&&{textAlign:"center"},a&&(c||!i)&&{verticalAlign:"middle"},a&&l&&{verticalAlign:"top"},a&&u&&{verticalAlign:"bottom"},a&&{padding:"0 4px",height:"inherit",display:"table-cell",zIndex:1,selectors:{":after":(t={backgroundColor:r.palette.neutralLighter,width:"1px",content:'""',position:"absolute",top:"0",bottom:"0",left:"50%",right:"0",zIndex:-1},t[n.HighContrastSelector]={backgroundColor:"WindowText"},t)}},!a&&{padding:"4px 0",selectors:{":before":(o={backgroundColor:r.palette.neutralLighter,height:"1px",content:'""',display:"block",position:"absolute",top:"50%",bottom:"0",left:"0",right:"0"},o[n.HighContrastSelector]={backgroundColor:"WindowText"},o)}},s],content:[{position:"relative",display:"inline-block",padding:"0 12px",color:r.semanticColors.bodyText,background:r.semanticColors.bodyBackground},a&&{padding:"12px 0"}]}}},28526:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},28454:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(57178),t),n.__exportStar(o(10445),t),n.__exportStar(o(28526),t)},69274:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ShimmerBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(59877),s=o(25698),l=(0,i.classNamesFunction)();t.ShimmerBase=r.forwardRef((function(e,t){var o=e.styles,c=e.shimmerElements,u=e.children,d=e.width,p=e.className,m=e.customElementsGroup,g=e.theme,h=e.ariaLabel,f=e.shimmerColors,v=e.isDataLoaded,b=void 0!==v&&v,y=e.improveCSSPerformance,_=(0,i.getNativeProps)(e,i.divProperties),S=l(o,{theme:g,isDataLoaded:b,className:p,transitionAnimationInterval:200,shimmerColor:f&&f.shimmer,shimmerWaveColor:f&&f.shimmerWave,improveCSSPerformance:y||!m}),C=(0,s.useConst)({lastTimeoutId:0}),x=(0,s.useSetTimeout)(),P=x.setTimeout,k=x.clearTimeout,I=r.useState(b),w=I[0],T=I[1],E={width:d||"100%"};return r.useEffect((function(){if(b!==w){if(b)return C.lastTimeoutId=P((function(){T(!0)}),200),function(){return k(C.lastTimeoutId)};T(!1)}}),[b]),r.createElement("div",n.__assign({},_,{className:S.root,ref:t}),!w&&r.createElement("div",{style:E,className:S.shimmerWrapper},r.createElement("div",{className:S.shimmerGradient}),m||r.createElement(a.ShimmerElementsGroup,{shimmerElements:c,backgroundColor:f&&f.background})),u&&r.createElement("div",{className:S.dataWrapper},u),h&&!b&&r.createElement("div",{role:"status","aria-live":"polite"},r.createElement(i.DelayedRender,null,r.createElement("div",{className:S.screenReaderText},h))))})),t.ShimmerBase.displayName="Shimmer"},81805:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Shimmer=void 0;var n=o(71061),r=o(40665),i=o(69274);t.Shimmer=(0,n.styled)(i.ShimmerBase,r.getStyles,void 0,{scope:"Shimmer"})},40665:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(31635),r=o(15019),i=o(71061),a={root:"ms-Shimmer-container",shimmerWrapper:"ms-Shimmer-shimmerWrapper",shimmerGradient:"ms-Shimmer-shimmerGradient",dataWrapper:"ms-Shimmer-dataWrapper"},s="100%",l=(0,i.memoizeFunction)((function(){return(0,r.keyframes)({"0%":{transform:"translateX(-".concat(s,")")},"100%":{transform:"translateX(".concat(s,")")}})})),c=(0,i.memoizeFunction)((function(){return(0,r.keyframes)({"100%":{transform:"translateX(-".concat(s,")")},"0%":{transform:"translateX(".concat(s,")")}})}));t.getStyles=function(e){var t,o=e.isDataLoaded,u=e.className,d=e.theme,p=e.transitionAnimationInterval,m=e.shimmerColor,g=e.shimmerWaveColor,h=e.improveCSSPerformance,f=d.semanticColors,v=(0,r.getGlobalClassNames)(a,d),b=(0,i.getRTL)(d);return{root:[v.root,d.fonts.medium,{position:"relative",height:"auto"},u],shimmerWrapper:[v.shimmerWrapper,{position:"relative",overflow:"hidden",transform:"translateZ(0)",backgroundColor:m||f.disabledBackground,transition:"opacity ".concat(p,"ms"),selectors:(t={},t[r.HighContrastSelector]=n.__assign({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,r.getHighContrastNoAdjustStyle)()),t)},o&&{opacity:"0",position:"absolute",top:"0",bottom:"0",left:"0",right:"0"},h?{selectors:{"> div:last-child":{transform:"translateZ(0)"}}}:{selectors:{"> *":{transform:"translateZ(0)"}}}],shimmerGradient:[v.shimmerGradient,{position:"absolute",top:0,left:0,width:"100%",height:"100%",background:"".concat(m||f.disabledBackground,"\n linear-gradient(\n to right,\n ").concat(m||f.disabledBackground," 0%,\n ").concat(g||f.bodyDivider," 50%,\n ").concat(m||f.disabledBackground," 100%)\n 0 0 / 90% 100%\n no-repeat"),transform:"translateX(-".concat(s,")"),animationDuration:"2s",animationTimingFunction:"ease-in-out",animationDirection:"normal",animationIterationCount:"infinite",animationName:b?c():l()}],dataWrapper:[v.dataWrapper,{position:"absolute",top:"0",bottom:"0",left:"0",right:"0",opacity:"0",background:"none",backgroundColor:"transparent",border:"none",transition:"opacity ".concat(p,"ms")},o&&{opacity:"1",position:"static"}],screenReaderText:r.hiddenContentStyle}}},14190:(e,t)=>{"use strict";var o,n;Object.defineProperty(t,"__esModule",{value:!0}),t.ShimmerElementsDefaultHeights=t.ShimmerElementType=void 0,(n=t.ShimmerElementType||(t.ShimmerElementType={}))[n.line=1]="line",n[n.circle=2]="circle",n[n.gap=3]="gap",(o=t.ShimmerElementsDefaultHeights||(t.ShimmerElementsDefaultHeights={}))[o.line=16]="line",o[o.gap=16]="gap",o[o.circle=24]="circle"},71154:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ShimmerCircleBase=void 0;var n=o(83923),r=(0,o(71061).classNamesFunction)();t.ShimmerCircleBase=function(e){var t=e.height,o=e.styles,i=e.borderStyle,a=e.theme,s=r(o,{theme:a,height:t,borderStyle:i});return n.createElement("div",{className:s.root},n.createElement("svg",{viewBox:"0 0 10 10",width:t,height:t,className:s.svg},n.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"})))}},64965:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ShimmerCircle=void 0;var n=o(71061),r=o(17617),i=o(71154);t.ShimmerCircle=(0,n.styled)(i.ShimmerCircleBase,r.getStyles,void 0,{scope:"ShimmerCircle"})},17617:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r={root:"ms-ShimmerCircle-root",svg:"ms-ShimmerCircle-svg"};t.getStyles=function(e){var t,o,i=e.height,a=e.borderStyle,s=e.theme,l=s.semanticColors,c=(0,n.getGlobalClassNames)(r,s),u=a||{};return{root:[c.root,s.fonts.medium,{width:"".concat(i,"px"),height:"".concat(i,"px"),minWidth:"".concat(i,"px"),boxSizing:"content-box",borderTopStyle:"solid",borderBottomStyle:"solid",borderColor:l.bodyBackground,selectors:(t={},t[n.HighContrastSelector]={borderColor:"Window"},t)},u],svg:[c.svg,{display:"block",fill:l.bodyBackground,selectors:(o={},o[n.HighContrastSelector]={fill:"Window"},o)}]}}},58854:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},51474:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ShimmerElementsGroupBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(14190),s=o(54465),l=o(95805),c=o(64965),u=(0,i.classNamesFunction)();t.ShimmerElementsGroupBase=function(e){var t=e.styles,o=e.width,i=void 0===o?"auto":o,p=e.shimmerElements,m=e.rowHeight,g=void 0===m?function(e){return e.map((function(e){switch(e.type){case a.ShimmerElementType.circle:e.height||(e.height=a.ShimmerElementsDefaultHeights.circle);break;case a.ShimmerElementType.line:e.height||(e.height=a.ShimmerElementsDefaultHeights.line);break;case a.ShimmerElementType.gap:e.height||(e.height=a.ShimmerElementsDefaultHeights.gap)}return e})).reduce((function(e,t){return t.height&&t.height>e?t.height:e}),0)}(p||[]):m,h=e.flexWrap,f=void 0!==h&&h,v=e.theme,b=e.backgroundColor,y=u(t,{theme:v,flexWrap:f});return r.createElement("div",{style:{width:i},className:y.root},function(e,t,o){var i=e?e.map((function(e,i){var u=e.type,p=n.__rest(e,["type"]),m=p.verticalAlign,g=p.height,h=d(m,u,g,t,o);switch(e.type){case a.ShimmerElementType.circle:return r.createElement(c.ShimmerCircle,n.__assign({key:i},p,{styles:h}));case a.ShimmerElementType.gap:return r.createElement(l.ShimmerGap,n.__assign({key:i},p,{styles:h}));case a.ShimmerElementType.line:return r.createElement(s.ShimmerLine,n.__assign({key:i},p,{styles:h}))}})):r.createElement(s.ShimmerLine,{height:a.ShimmerElementsDefaultHeights.line});return i}(p,b,g))};var d=(0,i.memoizeFunction)((function(e,t,o,r,i){var s,l=i&&o?i-o:0;if(e&&"center"!==e?e&&"top"===e?s={borderBottomWidth:"".concat(l,"px"),borderTopWidth:"0px"}:e&&"bottom"===e&&(s={borderBottomWidth:"0px",borderTopWidth:"".concat(l,"px")}):s={borderBottomWidth:"".concat(l?Math.floor(l/2):0,"px"),borderTopWidth:"".concat(l?Math.ceil(l/2):0,"px")},r)switch(t){case a.ShimmerElementType.circle:return{root:n.__assign(n.__assign({},s),{borderColor:r}),svg:{fill:r}};case a.ShimmerElementType.gap:return{root:n.__assign(n.__assign({},s),{borderColor:r,backgroundColor:r})};case a.ShimmerElementType.line:return{root:n.__assign(n.__assign({},s),{borderColor:r}),topLeftCorner:{fill:r},topRightCorner:{fill:r},bottomLeftCorner:{fill:r},bottomRightCorner:{fill:r}}}return{root:s}}))},59877:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ShimmerElementsGroup=void 0;var n=o(71061),r=o(51474),i=o(15665);t.ShimmerElementsGroup=(0,n.styled)(r.ShimmerElementsGroupBase,i.getStyles,void 0,{scope:"ShimmerElementsGroup"})},15665:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r={root:"ms-ShimmerElementsGroup-root"};t.getStyles=function(e){var t=e.flexWrap,o=e.theme;return{root:[(0,n.getGlobalClassNames)(r,o).root,o.fonts.medium,{display:"flex",alignItems:"center",flexWrap:t?"wrap":"nowrap",position:"relative"}]}}},7046:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},21610:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ShimmerGapBase=void 0;var n=o(83923),r=(0,o(71061).classNamesFunction)();t.ShimmerGapBase=function(e){var t=e.height,o=e.styles,i=e.width,a=void 0===i?"10px":i,s=e.borderStyle,l=e.theme,c=r(o,{theme:l,height:t,borderStyle:s});return n.createElement("div",{style:{width:a,minWidth:"number"==typeof a?"".concat(a,"px"):"auto"},className:c.root})}},95805:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ShimmerGap=void 0;var n=o(71061),r=o(21610),i=o(84937);t.ShimmerGap=(0,n.styled)(r.ShimmerGapBase,i.getStyles,void 0,{scope:"ShimmerGap"})},84937:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r={root:"ms-ShimmerGap-root"};t.getStyles=function(e){var t,o=e.height,i=e.borderStyle,a=e.theme,s=a.semanticColors,l=i||{};return{root:[(0,n.getGlobalClassNames)(r,a).root,a.fonts.medium,{backgroundColor:s.bodyBackground,height:"".concat(o,"px"),boxSizing:"content-box",borderTopStyle:"solid",borderBottomStyle:"solid",borderColor:s.bodyBackground,selectors:(t={},t[n.HighContrastSelector]={backgroundColor:"Window",borderColor:"Window"},t)},l]}}},45086:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},17126:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ShimmerLineBase=void 0;var n=o(83923),r=(0,o(71061).classNamesFunction)();t.ShimmerLineBase=function(e){var t=e.height,o=e.styles,i=e.width,a=void 0===i?"100%":i,s=e.borderStyle,l=e.theme,c=r(o,{theme:l,height:t,borderStyle:s});return n.createElement("div",{style:{width:a,minWidth:"number"==typeof a?"".concat(a,"px"):"auto"},className:c.root},n.createElement("svg",{width:"2",height:"2",className:c.topLeftCorner},n.createElement("path",{d:"M0 2 A 2 2, 0, 0, 1, 2 0 L 0 0 Z"})),n.createElement("svg",{width:"2",height:"2",className:c.topRightCorner},n.createElement("path",{d:"M0 0 A 2 2, 0, 0, 1, 2 2 L 2 0 Z"})),n.createElement("svg",{width:"2",height:"2",className:c.bottomRightCorner},n.createElement("path",{d:"M2 0 A 2 2, 0, 0, 1, 0 2 L 2 2 Z"})),n.createElement("svg",{width:"2",height:"2",className:c.bottomLeftCorner},n.createElement("path",{d:"M2 2 A 2 2, 0, 0, 1, 0 0 L 0 2 Z"})))}},54465:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ShimmerLine=void 0;var n=o(71061),r=o(17126),i=o(59381);t.ShimmerLine=(0,n.styled)(r.ShimmerLineBase,i.getStyles,void 0,{scope:"ShimmerLine"})},59381:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r={root:"ms-ShimmerLine-root",topLeftCorner:"ms-ShimmerLine-topLeftCorner",topRightCorner:"ms-ShimmerLine-topRightCorner",bottomLeftCorner:"ms-ShimmerLine-bottomLeftCorner",bottomRightCorner:"ms-ShimmerLine-bottomRightCorner"};t.getStyles=function(e){var t,o=e.height,i=e.borderStyle,a=e.theme,s=a.semanticColors,l=(0,n.getGlobalClassNames)(r,a),c=i||{},u={position:"absolute",fill:s.bodyBackground};return{root:[l.root,a.fonts.medium,{height:"".concat(o,"px"),boxSizing:"content-box",position:"relative",borderTopStyle:"solid",borderBottomStyle:"solid",borderColor:s.bodyBackground,borderWidth:0,selectors:(t={},t[n.HighContrastSelector]={borderColor:"Window",selectors:{"> *":{fill:"Window"}}},t)},c],topLeftCorner:[l.topLeftCorner,{top:"0",left:"0"},u],topRightCorner:[l.topRightCorner,{top:"0",right:"0"},u],bottomRightCorner:[l.bottomRightCorner,{bottom:"0",right:"0"},u],bottomLeftCorner:[l.bottomLeftCorner,{bottom:"0",left:"0"},u]}}},45418:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},92462:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(81805),t),n.__exportStar(o(69274),t),n.__exportStar(o(14190),t),n.__exportStar(o(54465),t),n.__exportStar(o(17126),t),n.__exportStar(o(45418),t),n.__exportStar(o(64965),t),n.__exportStar(o(71154),t),n.__exportStar(o(58854),t),n.__exportStar(o(95805),t),n.__exportStar(o(21610),t),n.__exportStar(o(45086),t),n.__exportStar(o(59877),t),n.__exportStar(o(51474),t),n.__exportStar(o(7046),t)},2202:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.SliderBase=void 0;var n=o(31635),r=o(83923),i=(o(25698),o(52332)),a=o(21505),s=o(1724);t.SliderBase=r.forwardRef((function(e,t){var o=(0,s.useSlider)(e,t);return r.createElement("div",n.__assign({},o.root),o&&r.createElement(a.Label,n.__assign({},o.label)),r.createElement("div",n.__assign({},o.container),e.ranged&&(e.vertical?o.valueLabel&&r.createElement(a.Label,n.__assign({},o.valueLabel)):o.lowerValueLabel&&r.createElement(a.Label,n.__assign({},o.lowerValueLabel))),r.createElement("div",n.__assign({},o.sliderBox),r.createElement("div",n.__assign({},o.sliderLine),e.ranged&&r.createElement("span",n.__assign({},o.lowerValueThumb)),r.createElement("span",n.__assign({},o.thumb)),o.zeroTick&&r.createElement("span",n.__assign({},o.zeroTick)),r.createElement("span",n.__assign({},o.bottomInactiveTrack)),r.createElement("span",n.__assign({},o.activeTrack)),r.createElement("span",n.__assign({},o.topInactiveTrack)))),e.ranged&&e.vertical?o.lowerValueLabel&&r.createElement(a.Label,n.__assign({},o.lowerValueLabel)):o.valueLabel&&r.createElement(a.Label,n.__assign({},o.valueLabel))),r.createElement(i.FocusRects,null))})),t.SliderBase.displayName="SliderBase"},23277:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Slider=void 0;var n=o(52332),r=o(2202),i=o(64313);t.Slider=(0,n.styled)(r.SliderBase,i.getStyles,void 0,{scope:"Slider"})},64313:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(31635),r=o(83048),i=o(52332),a={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"};t.getStyles=function(e){var t,o,s,l,c,u,d,p,m,g,h,f,v,b=e.className,y=e.titleLabelClassName,_=e.theme,S=e.vertical,C=e.disabled,x=e.showTransitions,P=e.showValue,k=e.ranged,I=_.semanticColors,w=_.palette,T=(0,r.getGlobalClassNames)(a,_),E=I.inputBackgroundCheckedHovered,D=I.inputBackgroundChecked,M=w.neutralSecondaryAlt,O=w.neutralPrimary,R=w.neutralSecondaryAlt,F=I.disabledText,B=I.disabledBackground,A=I.inputBackground,N=I.smallInputBorder,L=I.disabledBorder,H=!C&&{backgroundColor:E,selectors:(t={},t[r.HighContrastSelector]={backgroundColor:"Highlight"},t)},j=!C&&{backgroundColor:M,selectors:(o={},o[r.HighContrastSelector]={borderColor:"Highlight"},o)},z=!C&&{backgroundColor:D,selectors:(s={},s[r.HighContrastSelector]={backgroundColor:"Highlight"},s)},W=!C&&{border:"2px solid ".concat(E),selectors:(l={},l[r.HighContrastSelector]={borderColor:"Highlight"},l)},V=!e.disabled&&{backgroundColor:I.inputPlaceholderBackgroundChecked,selectors:(c={},c[r.HighContrastSelector]={backgroundColor:"Highlight"},c)};return{root:n.__spreadArray(n.__spreadArray(n.__spreadArray(n.__spreadArray(n.__spreadArray([T.root,_.fonts.medium,{userSelect:"none"},S&&{marginRight:8}],[C?void 0:T.enabled],!1),[C?T.disabled:void 0],!1),[S?void 0:T.row],!1),[S?T.column:void 0],!1),[b],!1),titleLabel:[{padding:0},y],container:[T.container,{display:"flex",flexWrap:"nowrap",alignItems:"center"},S&&{flexDirection:"column",height:"100%",textAlign:"center",margin:"8px 0"}],slideBox:n.__spreadArray(n.__spreadArray([T.slideBox,!k&&(0,r.getFocusStyle)(_),{background:"transparent",border:"none",flexGrow:1,lineHeight:28,display:"flex",alignItems:"center",selectors:(u={},u[":active .".concat(T.activeSection)]=H,u[":hover .".concat(T.activeSection)]=z,u[":active .".concat(T.inactiveSection)]=j,u[":hover .".concat(T.inactiveSection)]=j,u[":active .".concat(T.thumb)]=W,u[":hover .".concat(T.thumb)]=W,u[":active .".concat(T.zeroTick)]=V,u[":hover .".concat(T.zeroTick)]=V,u[r.HighContrastSelector]={forcedColorAdjust:"none"},u)},S?{height:"100%",width:28,padding:"8px 0"}:{height:28,width:"auto",padding:"0 8px"}],[P?T.showValue:void 0],!1),[x?T.showTransitions:void 0],!1),thumb:[T.thumb,k&&(0,r.getFocusStyle)(_,{inset:-4}),{borderWidth:2,borderStyle:"solid",borderColor:N,borderRadius:10,boxSizing:"border-box",background:A,display:"block",width:16,height:16,position:"absolute"},S?{left:-6,margin:"0 auto",transform:"translateY(8px)"}:{top:-6,transform:(0,i.getRTL)(_)?"translateX(50%)":"translateX(-50%)"},x&&{transition:"left ".concat(r.AnimationVariables.durationValue3," ").concat(r.AnimationVariables.easeFunction1)},C&&{borderColor:L,selectors:(d={},d[r.HighContrastSelector]={borderColor:"GrayText"},d)}],line:[T.line,{display:"flex",position:"relative"},S?{height:"100%",width:4,margin:"0 auto",flexDirection:"column-reverse"}:{width:"100%"}],lineContainer:[{borderRadius:4,boxSizing:"border-box"},S?{width:4,height:"100%"}:{height:4,width:"100%"}],activeSection:[T.activeSection,{background:O,selectors:(p={},p[r.HighContrastSelector]={backgroundColor:"WindowText"},p)},x&&{transition:"width ".concat(r.AnimationVariables.durationValue3," ").concat(r.AnimationVariables.easeFunction1)},C&&{background:F,selectors:(m={},m[r.HighContrastSelector]={backgroundColor:"GrayText",borderColor:"GrayText"},m)}],inactiveSection:[T.inactiveSection,{background:R,selectors:(g={},g[r.HighContrastSelector]={border:"1px solid WindowText"},g)},x&&{transition:"width ".concat(r.AnimationVariables.durationValue3," ").concat(r.AnimationVariables.easeFunction1)},C&&{background:B,selectors:(h={},h[r.HighContrastSelector]={borderColor:"GrayText"},h)}],zeroTick:[T.zeroTick,{position:"absolute",background:I.disabledBorder,selectors:(f={},f[r.HighContrastSelector]={backgroundColor:"WindowText"},f)},e.disabled&&{background:I.disabledBackground,selectors:(v={},v[r.HighContrastSelector]={backgroundColor:"GrayText"},v)},e.vertical?{width:"16px",height:"1px",transform:(0,i.getRTL)(_)?"translateX(6px)":"translateX(-6px)"}:{width:"1px",height:"16px",transform:"translateY(-6px)"}],valueLabel:[T.valueLabel,{flexShrink:1,width:30,lineHeight:"1"},S?{margin:"0 auto",whiteSpace:"nowrap",width:40}:{margin:"0 8px",whiteSpace:"nowrap",width:40}]}}},39950:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},89202:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(23277),t),n.__exportStar(o(2202),t),n.__exportStar(o(39950),t)},1724:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useSlider=t.ONKEYDOWN_TIMEOUT_DURATION=void 0;var n=o(31635),r=o(83923),i=o(25698),a=o(52332),s=o(50478);t.ONKEYDOWN_TIMEOUT_DURATION=1e3;var l=(0,a.classNamesFunction)(),c=function(e){return function(t){var o;return(o={})[e]="".concat(t,"%"),o}},u=function(e,t,o){return o===t?0:(e-t)/(o-t)*100};t.useSlider=function(e,o){var d=e.step,p=void 0===d?1:d,m=e.className,g=e.disabled,h=void 0!==g&&g,f=e.label,v=e.max,b=void 0===v?10:v,y=e.min,_=void 0===y?0:y,S=e.showValue,C=void 0===S||S,x=e.buttonProps,P=void 0===x?{}:x,k=e.vertical,I=void 0!==k&&k,w=e.snapToStep,T=e.valueFormat,E=e.styles,D=e.theme,M=e.originFromZero,O=e["aria-labelledby"],R=e.ariaLabel,F=void 0===R?e["aria-label"]:R,B=e.ranged,A=e.onChange,N=e.onChanged,L=r.useRef([]),H=(0,i.useSetTimeout)(),j=H.setTimeout,z=H.clearTimeout,W=r.useRef(null),V=(0,s.useWindowEx)(),K=(0,i.useControllableValue)(e.value,e.defaultValue,(function(e,t){return null==A?void 0:A(t,B?[J.latestLowerValue,t]:void 0,e)})),G=K[0],U=K[1],Y=(0,i.useControllableValue)(e.lowerValue,e.defaultLowerValue,(function(e,t){return null==A?void 0:A(J.latestValue,[t,J.latestValue],e)})),q=Y[0],X=Y[1],Z=Math.max(_,Math.min(b,G||0)),Q=Math.max(_,Math.min(Z,q||0)),J=(0,i.useConst)({onKeyDownTimer:-1,isAdjustingLowerValue:!1,latestValue:Z,latestLowerValue:Q});J.latestValue=Z,J.latestLowerValue=Q;var $=(0,i.useId)("Slider",e.id||(null==P?void 0:P.id)),ee=l(E,{className:m,disabled:h,vertical:I,showTransitions:!w&&!J.isBetweenSteps,showValue:C,ranged:B,theme:D}),te=(b-_)/p,oe=function(){z(J.onKeyDownTimer),J.onKeyDownTimer=-1},ne=function(e){oe(),N&&(J.onKeyDownTimer=j((function(){N(e,J.latestValue,B?[J.latestLowerValue,J.latestValue]:void 0)}),t.ONKEYDOWN_TIMEOUT_DURATION))},re=function(t){var o=e.ariaValueText;if(void 0!==t)return o?o(t):t.toString()},ie=function(e,t,o){t=Math.min(b,Math.max(_,t)),o=void 0!==o?Math.min(b,Math.max(_,o)):void 0;var n=0;if(isFinite(p))for(;Math.round(p*Math.pow(10,n))/Math.pow(10,n)!==p;)n++;var r=parseFloat(t.toFixed(n));J.isBetweenSteps=void 0!==o&&o!==r,B?J.isAdjustingLowerValue&&(M?r<=0:r<=J.latestValue)?X(r,e):!J.isAdjustingLowerValue&&(M?r>=0:r>=J.latestLowerValue)&&U(r,e):U(r,e)},ae=function(e,t){var o=0;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},se=function(t){var o,n=W.current.getBoundingClientRect(),r=(e.vertical?n.height:n.width)/te;if(e.vertical){var i=ae(t,e.vertical);o=(n.bottom-i)/r}else{var s=ae(t,e.vertical);o=((0,a.getRTL)(e.theme)?n.right-s:s-n.left)/r}return o},le=function(e,t){var o=se(e),n=_+p*o,r=_+p*Math.round(o);ie(e,r,n),t||(e.preventDefault(),e.stopPropagation())},ce=function(e){if(B){var t=se(e),o=_+p*t;J.isAdjustingLowerValue=o<=J.latestLowerValue||o-J.latestLowerValue<=J.latestValue-o}"mousedown"===e.type?L.current.push((0,a.on)(V,"mousemove",le,!0),(0,a.on)(V,"mouseup",ue,!0)):"touchstart"===e.type&&L.current.push((0,a.on)(V,"touchmove",le,!0),(0,a.on)(V,"touchend",ue,!0)),le(e,!0)},ue=function(e){J.isBetweenSteps=void 0,null==N||N(e,J.latestValue,B?[J.latestLowerValue,J.latestValue]:void 0),de()},de=r.useCallback((function(){L.current.forEach((function(e){return e()})),L.current=[]}),[]);r.useEffect((function(){return de}),[de]);var pe=r.useRef(null),me=r.useRef(null),ge=r.useRef(null);!function(e,t,o,n){r.useImperativeHandle(e.componentRef,(function(){return{get value(){return o},get range(){return n},focus:function(){var e;null===(e=t.current)||void 0===e||e.focus()}}}),[n,t,o])}(e,ge,Z,B?[Q,Z]:void 0);var he=c(I?"bottom":(0,a.getRTL)(e.theme)?"right":"left"),fe=c(I?"height":"width"),ve=M?0:_,be=u(Z,_,b),ye=u(Q,_,b),_e=u(ve,_,b),Se=B?be-ye:Math.abs(_e-be),Ce=Math.min(100-be,100-_e),xe=B?ye:Math.min(be,_e),Pe={className:ee.root,ref:o},ke={className:ee.titleLabel,children:f,disabled:h,htmlFor:F?void 0:$},Ie=C?{className:ee.valueLabel,children:T?T(Z):Z,disabled:h,htmlFor:h?$:void 0}:void 0,we=B&&C?{className:ee.valueLabel,children:T?T(Q):Q,disabled:h}:void 0,Te=M?{className:ee.zeroTick,style:he(_e)}:void 0,Ee={className:(0,a.css)(ee.lineContainer,ee.activeSection),style:fe(Se)},De={className:(0,a.css)(ee.lineContainer,ee.inactiveSection),style:fe(Ce)},Me={className:(0,a.css)(ee.lineContainer,ee.inactiveSection),style:fe(xe)},Oe=n.__assign({"aria-disabled":h,role:"slider",tabIndex:h?void 0:0},{"data-is-focusable":!h}),Re=n.__assign(n.__assign(n.__assign({id:$,className:(0,a.css)(ee.slideBox,P.className),ref:ge},!h&&{onMouseDown:ce,onTouchStart:ce,onKeyDown:function(t){var o=J.isAdjustingLowerValue?J.latestLowerValue:J.latestValue,n=0;switch(t.which){case(0,a.getRTLSafeKeyCode)(a.KeyCodes.left,e.theme):case a.KeyCodes.down:n=-p,oe(),ne(t);break;case(0,a.getRTLSafeKeyCode)(a.KeyCodes.right,e.theme):case a.KeyCodes.up:n=p,oe(),ne(t);break;case a.KeyCodes.home:o=_,oe(),ne(t);break;case a.KeyCodes.end:o=b,oe(),ne(t);break;default:return}ie(t,o+n),t.preventDefault(),t.stopPropagation()}}),P&&(0,a.getNativeProps)(P,a.divProperties,["id","className"])),!B&&n.__assign(n.__assign({},Oe),{"aria-valuemin":_,"aria-valuemax":b,"aria-valuenow":Z,"aria-valuetext":re(Z),"aria-label":F||f,"aria-labelledby":O})),Fe=h?{}:{onFocus:function(e){J.isAdjustingLowerValue=e.target===pe.current}},Be=n.__assign({ref:me,className:ee.thumb,style:he(be)},B&&n.__assign(n.__assign(n.__assign({},Oe),Fe),{id:"max-".concat($),"aria-valuemin":Q,"aria-valuemax":b,"aria-valuenow":Z,"aria-valuetext":re(Z),"aria-label":"max ".concat(F||f)})),Ae=B?n.__assign(n.__assign(n.__assign({ref:pe,className:ee.thumb,style:he(ye)},Oe),Fe),{id:"min-".concat($),"aria-valuemin":_,"aria-valuemax":Z,"aria-valuenow":Q,"aria-valuetext":re(Q),"aria-label":"min ".concat(F||f)}):void 0;return{root:Pe,label:ke,sliderBox:Re,container:{className:ee.container},valueLabel:Ie,lowerValueLabel:we,thumb:Be,lowerValueThumb:Ae,zeroTick:Te,activeTrack:Ee,topInactiveTrack:De,bottomInactiveTrack:Me,sliderLine:{ref:W,className:ee.line}}}},51188:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.SpinButtonBase=void 0;var n=o(31635),r=o(83923),i=o(74393),a=o(47795),s=o(30936),l=o(71061),c=o(22827),u=o(30512),d=o(43300),p=o(25698),m=(0,l.classNamesFunction)(),g={disabled:!1,label:"",step:1,labelPosition:d.Position.start,incrementButtonIcon:{iconName:"ChevronUpSmall"},decrementButtonIcon:{iconName:"ChevronDownSmall"}},h=function(){},f=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.SpinButtonBase=r.forwardRef((function(e,t){var o=(0,l.getPropsWithDefaults)(g,e),b=o.disabled,y=o.label,_=o.min,S=o.max,C=o.step,x=o.defaultValue,P=o.value,k=o.precision,I=o.labelPosition,w=o.iconProps,T=o.incrementButtonIcon,E=o.incrementButtonAriaLabel,D=o.decrementButtonIcon,M=o.decrementButtonAriaLabel,O=o.ariaLabel,R=o.ariaDescribedBy,F=o.upArrowButtonStyles,B=o.downArrowButtonStyles,A=o.theme,N=o.ariaPositionInSet,L=o.ariaSetSize,H=o.ariaValueNow,j=o.ariaValueText,z=o.className,W=o.inputProps,V=o.onDecrement,K=o.onIncrement,G=o.iconButtonProps,U=o.onValidate,Y=o.onChange,q=o.styles,X=r.useRef(null),Z=(0,p.useId)("input"),Q=(0,p.useId)("Label"),J=r.useState(!1),$=J[0],ee=J[1],te=r.useState(u.KeyboardSpinDirection.notSpinning),oe=te[0],ne=te[1],re=(0,p.useAsync)(),ie=r.useMemo((function(){return null!=k?k:Math.max((0,l.calculatePrecision)(C),0)}),[k,C]),ae=(0,p.useControllableValue)(P,null!=x?x:String(_||0),Y),se=ae[0],le=ae[1],ce=r.useState(),ue=ce[0],de=ce[1],pe=r.useRef({stepTimeoutHandle:-1,latestValue:void 0,latestIntermediateValue:void 0}).current;pe.latestValue=se,pe.latestIntermediateValue=ue;var me=(0,p.usePrevious)(P);r.useEffect((function(){P!==me&&void 0!==ue&&de(void 0)}),[P,me,ue]);var ge=m(q,{theme:A,disabled:b,isFocused:$,keyboardSpinDirection:oe,labelPosition:I,className:z}),he=(0,l.getNativeProps)(o,l.divProperties,["onBlur","onFocus","className","onChange"]),fe=r.useCallback((function(e){var t=pe.latestIntermediateValue;if(void 0!==t&&t!==pe.latestValue){var o=void 0;U?o=U(t,e):t&&t.trim().length&&!isNaN(Number(t))&&(o=String(f(Number(t),{min:_,max:S}))),void 0!==o&&o!==pe.latestValue&&le(o,e)}de(void 0)}),[pe,S,_,U,le]),ve=r.useCallback((function(){pe.stepTimeoutHandle>=0&&(re.clearTimeout(pe.stepTimeoutHandle),pe.stepTimeoutHandle=-1),(pe.spinningByMouse||oe!==u.KeyboardSpinDirection.notSpinning)&&(pe.spinningByMouse=!1,ne(u.KeyboardSpinDirection.notSpinning))}),[pe,oe,re]),be=r.useCallback((function(e,t){if(t.persist(),void 0!==pe.latestIntermediateValue)return"keydown"!==t.type&&"mousedown"!==t.type||fe(t),void re.requestAnimationFrame((function(){be(e,t)}));var o=e(pe.latestValue||"",t);void 0!==o&&o!==pe.latestValue&&le(o,t);var n=pe.spinningByMouse;pe.spinningByMouse="mousedown"===t.type,pe.spinningByMouse&&(pe.stepTimeoutHandle=re.setTimeout((function(){be(e,t)}),n?75:400))}),[pe,re,fe,le]),ye=r.useCallback((function(e){if(K)return K(e);var t=f(Number(e)+Number(C),{max:S});return t=(0,l.precisionRound)(t,ie),String(t)}),[ie,S,K,C]),_e=r.useCallback((function(e){if(V)return V(e);var t=f(Number(e)-Number(C),{min:_});return t=(0,l.precisionRound)(t,ie),String(t)}),[ie,_,V,C]),Se=r.useCallback((function(e){(b||e.which===l.KeyCodes.up||e.which===l.KeyCodes.down)&&ve()}),[b,ve]),Ce=r.useCallback((function(e){be(ye,e)}),[ye,be]),xe=r.useCallback((function(e){be(_e,e)}),[_e,be]);!function(e,t,o){r.useImperativeHandle(e.componentRef,(function(){return{get value(){return o},focus:function(){t.current&&t.current.focus()}}}),[t,o])}(o,X,se),v(o);var Pe=!!se&&!isNaN(Number(se)),ke=(w||y)&&r.createElement("div",{className:ge.labelWrapper},w&&r.createElement(s.Icon,n.__assign({},w,{className:ge.icon,"aria-hidden":"true"})),y&&r.createElement(a.Label,{id:Q,htmlFor:Z,className:ge.label,disabled:b},y));return r.createElement("div",{className:ge.root,ref:t},I!==d.Position.bottom&&ke,r.createElement("div",n.__assign({},he,{className:ge.spinButtonWrapper,"aria-label":O&&O,"aria-posinset":N,"aria-setsize":L,"data-ktp-target":!0}),r.createElement("input",n.__assign({value:null!=ue?ue:se,id:Z,onChange:h,onInput:function(e){de(e.target.value)},className:ge.input,type:"text",autoComplete:"off",role:"spinbutton","aria-labelledby":y&&Q,"aria-valuenow":null!=H?H:Pe?Number(se):void 0,"aria-valuetext":null!=j?j:Pe?void 0:se,"aria-valuemin":_,"aria-valuemax":S,"aria-describedby":R,onBlur:function(e){var t;fe(e),ee(!1),null===(t=o.onBlur)||void 0===t||t.call(o,e)},ref:X,onFocus:function(e){var t;X.current&&((pe.spinningByMouse||oe!==u.KeyboardSpinDirection.notSpinning)&&ve(),X.current.select(),ee(!0),null===(t=o.onFocus)||void 0===t||t.call(o,e))},onKeyDown:function(e){if(e.which!==l.KeyCodes.up&&e.which!==l.KeyCodes.down&&e.which!==l.KeyCodes.enter||(e.preventDefault(),e.stopPropagation()),b)ve();else{var t=u.KeyboardSpinDirection.notSpinning;switch(e.which){case l.KeyCodes.up:t=u.KeyboardSpinDirection.up,be(ye,e);break;case l.KeyCodes.down:t=u.KeyboardSpinDirection.down,be(_e,e);break;case l.KeyCodes.enter:fe(e);break;case l.KeyCodes.escape:de(void 0)}oe!==t&&ne(t)}},onKeyUp:Se,disabled:b,"aria-disabled":b,"data-lpignore":!0,"data-ktp-execute-target":!0},W)),r.createElement("span",{className:ge.arrowButtonsContainer},r.createElement(i.IconButton,n.__assign({styles:(0,c.getArrowButtonStyles)(A,!0,F),className:"ms-UpButton",checked:oe===u.KeyboardSpinDirection.up,disabled:b,iconProps:T,onMouseDown:Ce,onMouseLeave:ve,onMouseUp:ve,tabIndex:-1,ariaLabel:E,"data-is-focusable":!1},G)),r.createElement(i.IconButton,n.__assign({styles:(0,c.getArrowButtonStyles)(A,!1,B),className:"ms-DownButton",checked:oe===u.KeyboardSpinDirection.down,disabled:b,iconProps:D,onMouseDown:xe,onMouseLeave:ve,onMouseUp:ve,tabIndex:-1,ariaLabel:M,"data-is-focusable":!1},G)))),I===d.Position.bottom&&ke)})),t.SpinButtonBase.displayName="SpinButton";var v=function(e){}},11143:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.SpinButton=void 0;var n=o(71061),r=o(51188),i=o(22827);t.SpinButton=(0,n.styled)(r.SpinButtonBase,i.getStyles,void 0,{scope:"SpinButton"})},22827:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=t.getArrowButtonStyles=void 0;var n=o(31635),r=o(15019),i=o(71061),a=o(43300),s=(0,i.memoizeFunction)((function(e){var t,o=e.semanticColors,n=o.disabledText,i=o.disabledBackground;return{backgroundColor:i,pointerEvents:"none",cursor:"default",color:n,selectors:(t={":after":{borderColor:i}},t[r.HighContrastSelector]={color:"GrayText"},t)}}));t.getArrowButtonStyles=(0,i.memoizeFunction)((function(e,t,o){var n,i,a,s=e.palette,l=e.semanticColors,c=e.effects,u=s.neutralSecondary,d=l.buttonText,p=l.buttonText,m=l.buttonBackgroundHovered,g=l.buttonBackgroundPressed,h={root:{outline:"none",display:"block",height:"50%",width:23,padding:0,backgroundColor:"transparent",textAlign:"center",cursor:"default",color:u,selectors:{"&.ms-DownButton":{borderRadius:"0 0 ".concat(c.roundedCorner2," 0")},"&.ms-UpButton":{borderRadius:"0 ".concat(c.roundedCorner2," 0 0")}}},rootHovered:{backgroundColor:m,color:d},rootChecked:{backgroundColor:g,color:p,selectors:(n={},n[r.HighContrastSelector]={backgroundColor:"Highlight",color:"HighlightText"},n)},rootPressed:{backgroundColor:g,color:p,selectors:(i={},i[r.HighContrastSelector]={backgroundColor:"Highlight",color:"HighlightText"},i)},rootDisabled:{opacity:.5,selectors:(a={},a[r.HighContrastSelector]={color:"GrayText",opacity:1},a)},icon:{fontSize:8,marginTop:0,marginRight:0,marginBottom:0,marginLeft:0}};return(0,r.concatStyleSets)(h,{},o)})),t.getStyles=function(e){var t,o,i,l,c=e.theme,u=e.className,d=e.labelPosition,p=e.disabled,m=e.isFocused,g=c.palette,h=c.semanticColors,f=c.effects,v=c.fonts,b=h.inputBorder,y=h.inputBackground,_=h.inputBorderHovered,S=h.inputFocusBorderAlt,C=h.inputText,x=g.white,P=h.inputBackgroundChecked,k=h.disabledText;return{root:[v.medium,{outline:"none",width:"100%",minWidth:86},u],labelWrapper:[{display:"inline-flex",alignItems:"center"},d===a.Position.start&&{height:32,float:"left",marginRight:10},d===a.Position.end&&{height:32,float:"right",marginLeft:10},d===a.Position.top&&{marginBottom:-1}],icon:[{padding:"0 5px",fontSize:r.IconFontSizes.large},p&&{color:k}],label:{pointerEvents:"none",lineHeight:r.IconFontSizes.large},spinButtonWrapper:[n.__assign(n.__assign({display:"flex",position:"relative",boxSizing:"border-box",height:32,minWidth:86},(0,r.getInputFocusStyle)(b,f.roundedCorner2,"border",0)),{":after":(t={borderWidth:"1px"},t[r.HighContrastSelector]={borderColor:"GrayText"},t)}),(d===a.Position.top||d===a.Position.bottom)&&{width:"100%"},!p&&[{":hover:after":(o={borderColor:_},o[r.HighContrastSelector]={borderColor:"Highlight"},o)},m&&{":hover:after, :after":(i={borderColor:S,borderWidth:"2px"},i[r.HighContrastSelector]={borderColor:"Highlight"},i)}],p&&s(c)],input:["ms-spinButton-input",{boxSizing:"border-box",boxShadow:"none",borderStyle:"none",flex:1,margin:0,fontSize:v.medium.fontSize,fontFamily:"inherit",color:C,backgroundColor:y,height:"100%",padding:"0 8px 0 9px",outline:0,display:"block",minWidth:61,whiteSpace:"nowrap",textOverflow:"ellipsis",overflow:"hidden",cursor:"text",userSelect:"text",borderRadius:"".concat(f.roundedCorner2," 0 0 ").concat(f.roundedCorner2)},!p&&{selectors:{"::selection":{backgroundColor:P,color:x,selectors:(l={},l[r.HighContrastSelector]={backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},l)}}},p&&s(c)],arrowButtonsContainer:[{display:"block",height:"100%",cursor:"default"},p&&s(c)]}}},30512:(e,t)=>{"use strict";var o;Object.defineProperty(t,"__esModule",{value:!0}),t.KeyboardSpinDirection=void 0,(o=t.KeyboardSpinDirection||(t.KeyboardSpinDirection={}))[o.down=-1]="down",o[o.notSpinning=0]="notSpinning",o[o.up=1]="up"},96231:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(11143),t),n.__exportStar(o(30512),t)},67098:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.SpinnerBase=void 0;var n=o(31635),r=o(83923),i=o(7598),a=o(71061),s=(0,a.classNamesFunction)(),l=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return n.__extends(t,e),t.prototype.render=function(){var e=this.props,t=e.type,o=e.size,l=e.ariaLabel,c=e.ariaLive,u=e.styles,d=e.label,p=e.theme,m=e.className,g=e.labelPosition,h=l,f=(0,a.getNativeProps)(this.props,a.divProperties,["size"]),v=o;void 0===v&&void 0!==t&&(v=t===i.SpinnerType.large?i.SpinnerSize.large:i.SpinnerSize.medium);var b=s(u,{theme:p,size:v,className:m,labelPosition:g});return r.createElement("div",n.__assign({},f,{className:b.root}),r.createElement("div",{className:b.circle}),d&&r.createElement("div",{className:b.label},d),h&&r.createElement("div",{role:"status","aria-live":c},r.createElement(a.DelayedRender,null,r.createElement("div",{className:b.screenReaderText},h))))},t.defaultProps={size:i.SpinnerSize.medium,ariaLive:"polite",labelPosition:"bottom"},t}(r.Component);t.SpinnerBase=l},61709:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Spinner=void 0;var n=o(71061),r=o(67098),i=o(54809);t.Spinner=(0,n.styled)(r.SpinnerBase,i.getStyles,void 0,{scope:"Spinner"})},54809:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(31635),r=o(7598),i=o(15019),a=o(71061),s={root:"ms-Spinner",circle:"ms-Spinner-circle",label:"ms-Spinner-label"},l=(0,a.memoizeFunction)((function(){return(0,i.keyframes)({"0%":{transform:"rotate(0deg)"},"100%":{transform:"rotate(360deg)"}})}));t.getStyles=function(e){var t,o=e.theme,a=e.size,c=e.className,u=e.labelPosition,d=o.palette,p=(0,i.getGlobalClassNames)(s,o);return{root:[p.root,{display:"flex",flexDirection:"column",alignItems:"center",justifyContent:"center"},"top"===u&&{flexDirection:"column-reverse"},"right"===u&&{flexDirection:"row"},"left"===u&&{flexDirection:"row-reverse"},c],circle:[p.circle,{boxSizing:"border-box",borderRadius:"50%",border:"1.5px solid "+d.themeLight,borderTopColor:d.themePrimary,animationName:l(),animationDuration:"1.3s",animationIterationCount:"infinite",animationTimingFunction:"cubic-bezier(.53,.21,.29,.67)",selectors:(t={},t[i.HighContrastSelector]=n.__assign({borderTopColor:"Highlight"},(0,i.getHighContrastNoAdjustStyle)()),t)},a===r.SpinnerSize.xSmall&&["ms-Spinner--xSmall",{width:12,height:12}],a===r.SpinnerSize.small&&["ms-Spinner--small",{width:16,height:16}],a===r.SpinnerSize.medium&&["ms-Spinner--medium",{width:20,height:20}],a===r.SpinnerSize.large&&["ms-Spinner--large",{width:28,height:28}]],label:[p.label,o.fonts.small,{color:d.themePrimary,margin:"8px 0 0",textAlign:"center"},"top"===u&&{margin:"0 0 8px"},"right"===u&&{margin:"0 0 0 8px"},"left"===u&&{margin:"0 8px 0 0"}],screenReaderText:i.hiddenContentStyle}}},7598:(e,t)=>{"use strict";var o,n;Object.defineProperty(t,"__esModule",{value:!0}),t.SpinnerType=t.SpinnerSize=void 0,(n=t.SpinnerSize||(t.SpinnerSize={}))[n.xSmall=0]="xSmall",n[n.small=1]="small",n[n.medium=2]="medium",n[n.large=3]="large",(o=t.SpinnerType||(t.SpinnerType={}))[o.normal=0]="normal",o[o.large=1]="large"},67068:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(61709),t),n.__exportStar(o(67098),t),n.__exportStar(o(7598),t)},26029:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Stack=void 0;var n=o(31635),r=o(83923),i=o(89021),a=o(71061),s=o(16953),l=o(24170);function c(e,t){var o=t.disableShrink,i=t.enableScopedSelectors,u=t.doNotRenderFalsyValues,d=r.Children.toArray(e);return r.Children.map(d,(function(e){if(!e)return u?null:e;if(!r.isValidElement(e))return e;if(e.type===r.Fragment)return e.props.children?c(e.props.children,{disableShrink:o,enableScopedSelectors:i,doNotRenderFalsyValues:u}):null;var t,d=e,p={};(t=e)&&"object"==typeof t&&t.type&&t.type.displayName===l.StackItem.displayName&&(p={shrink:!o});var m=d.props.className;return r.cloneElement(d,n.__assign(n.__assign(n.__assign(n.__assign({},p),d.props),m&&{className:m}),i&&{className:(0,a.css)(s.GlobalClassNames.child,m)}))}))}var u={Item:l.StackItem};t.Stack=(0,i.createComponent)((function(e){var t=e.as,o=void 0===t?"div":t,r=e.disableShrink,s=void 0!==r&&r,l=e.doNotRenderFalsyValues,u=void 0!==l&&l,d=e.enableScopedSelectors,p=void 0!==d&&d,m=e.wrap,g=n.__rest(e,["as","disableShrink","doNotRenderFalsyValues","enableScopedSelectors","wrap"]);(0,a.warnDeprecations)("Stack",e,{gap:"tokens.childrenGap",maxHeight:"tokens.maxHeight",maxWidth:"tokens.maxWidth",padding:"tokens.padding"});var h=c(e.children,{disableShrink:s,enableScopedSelectors:p,doNotRenderFalsyValues:u}),f=(0,a.getNativeProps)(g,a.htmlElementProperties),v=(0,i.getSlots)(e,{root:o,inner:"div"});return m?(0,i.withSlots)(v.root,n.__assign({},f),(0,i.withSlots)(v.inner,null,h)):(0,i.withSlots)(v.root,n.__assign({},f),h)}),{displayName:"Stack",styles:s.styles,statics:u}),t.default=t.Stack},16953:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.styles=t.GlobalClassNames=void 0;var n=o(31635),r=o(15019),i=o(83660),a=o(37828),s={start:"flex-start",end:"flex-end"};t.GlobalClassNames={root:"ms-Stack",inner:"ms-Stack-inner",child:"ms-Stack-child"},t.styles=function(e,o,l){var c,u,d,p,m,g,h,f,v,b,y,_,S,C=e.className,x=e.disableShrink,P=e.enableScopedSelectors,k=e.grow,I=e.horizontal,w=e.horizontalAlign,T=e.reversed,E=e.verticalAlign,D=e.verticalFill,M=e.wrap,O=(0,r.getGlobalClassNames)(t.GlobalClassNames,o),R=l&&l.childrenGap?l.childrenGap:e.gap,F=l&&l.maxHeight?l.maxHeight:e.maxHeight,B=l&&l.maxWidth?l.maxWidth:e.maxWidth,A=l&&l.padding?l.padding:e.padding,N=(0,a.parseGap)(R,o),L=N.rowGap,H=N.columnGap,j="".concat(-.5*H.value).concat(H.unit),z="".concat(-.5*L.value).concat(L.unit),W={textOverflow:"ellipsis"},V="> "+(P?"."+t.GlobalClassNames.child:"*"),K=((c={})["".concat(V,":not(.").concat(i.GlobalClassNames.root,")")]={flexShrink:0},c);return M?{root:[O.root,{flexWrap:"wrap",maxWidth:B,maxHeight:F,width:"auto",overflow:"visible",height:"100%"},w&&(u={},u[I?"justifyContent":"alignItems"]=s[w]||w,u),E&&(d={},d[I?"alignItems":"justifyContent"]=s[E]||E,d),C,{display:"flex"},I&&{height:D?"100%":"auto"}],inner:[O.inner,(p={display:"flex",flexWrap:"wrap",marginLeft:j,marginRight:j,marginTop:z,marginBottom:z,overflow:"visible",boxSizing:"border-box",padding:(0,a.parsePadding)(A,o),width:0===H.value?"100%":"calc(100% + ".concat(H.value).concat(H.unit,")"),maxWidth:"100vw"},p[V]=n.__assign({margin:"".concat(.5*L.value).concat(L.unit," ").concat(.5*H.value).concat(H.unit)},W),p),x&&K,w&&(m={},m[I?"justifyContent":"alignItems"]=s[w]||w,m),E&&(g={},g[I?"alignItems":"justifyContent"]=s[E]||E,g),I&&(h={flexDirection:T?"row-reverse":"row",height:0===L.value?"100%":"calc(100% + ".concat(L.value).concat(L.unit,")")},h[V]={maxWidth:0===H.value?"100%":"calc(100% - ".concat(H.value).concat(H.unit,")")},h),!I&&(f={flexDirection:T?"column-reverse":"column",height:"calc(100% + ".concat(L.value).concat(L.unit,")")},f[V]={maxHeight:0===L.value?"100%":"calc(100% - ".concat(L.value).concat(L.unit,")")},f)]}:{root:[O.root,(v={display:"flex",flexDirection:I?T?"row-reverse":"row":T?"column-reverse":"column",flexWrap:"nowrap",width:"auto",height:D?"100%":"auto",maxWidth:B,maxHeight:F,padding:(0,a.parsePadding)(A,o),boxSizing:"border-box"},v[V]=W,v),x&&K,k&&{flexGrow:!0===k?1:k},w&&(b={},b[I?"justifyContent":"alignItems"]=s[w]||w,b),E&&(y={},y[I?"alignItems":"justifyContent"]=s[E]||E,y),I&&H.value>0&&(_={},_["".concat(V,T?":not(:last-child)":":not(:first-child)")]={marginLeft:"".concat(H.value).concat(H.unit)},_),!I&&L.value>0&&(S={},S["".concat(V,T?":not(:last-child)":":not(:first-child)")]={marginTop:"".concat(L.value).concat(L.unit)},S),C]}}},2542:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},24170:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.StackItem=void 0;var n=o(31635),r=o(89021),i=o(71061),a=o(83660);t.StackItem=(0,r.createComponent)((function(e){var t=e.children,o=(0,i.getNativeProps)(e,i.htmlElementProperties);if(null==t)return null;var a=(0,r.getSlots)(e,{root:"div"});return(0,r.withSlots)(a.root,n.__assign({},o),t)}),{displayName:"StackItem",styles:a.StackItemStyles}),t.default=t.StackItem},83660:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.StackItemStyles=t.GlobalClassNames=void 0;var n=o(15019);t.GlobalClassNames={root:"ms-StackItem"};var r={start:"flex-start",end:"flex-end"};t.StackItemStyles=function(e,o,i){var a=e.grow,s=e.shrink,l=e.disableShrink,c=e.align,u=e.verticalFill,d=e.order,p=e.className,m=e.basis,g=void 0===m?"auto":m,h=(0,n.getGlobalClassNames)(t.GlobalClassNames,o);return{root:[o.fonts.medium,h.root,{flexBasis:g,margin:i.margin,padding:i.padding,height:u?"100%":"auto",width:"auto"},a&&{flexGrow:!0===a?1:a},(l||!a&&!s)&&{flexShrink:0},s&&!l&&{flexShrink:1},c&&{alignSelf:r[c]||c},d&&{order:d},p]}}},69165:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},37828:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.parsePadding=t.parseGap=void 0;var o=function(e,t){return t.spacing.hasOwnProperty(e)?t.spacing[e]:e},n=function(e){var t=parseFloat(e),o=isNaN(t)?0:t,n=isNaN(t)?"":t.toString();return{value:o,unit:e.substring(n.toString().length)||"px"}};t.parseGap=function(e,t){if(void 0===e||""===e)return{rowGap:{value:0,unit:"px"},columnGap:{value:0,unit:"px"}};if("number"==typeof e)return{rowGap:{value:e,unit:"px"},columnGap:{value:e,unit:"px"}};var r=e.split(" ");if(r.length>2)return{rowGap:{value:0,unit:"px"},columnGap:{value:0,unit:"px"}};if(2===r.length)return{rowGap:n(o(r[0],t)),columnGap:n(o(r[1],t))};var i=n(o(e,t));return{rowGap:i,columnGap:i}},t.parsePadding=function(e,t){if(void 0===e||"number"==typeof e||""===e)return e;var n=e.split(" ");return n.length<2?o(e,t):n.reduce((function(e,n){return o(e,t)+" "+o(n,t)}))}},23449:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(24170),t),n.__exportStar(o(69165),t),n.__exportStar(o(26029),t),n.__exportStar(o(2542),t)},4981:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Sticky=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(15019),s=o(95066),l=o(93398),c=o(48192),u=o(96352),d=function(e){function t(t){var o=e.call(this,t)||this;return o._root=r.createRef(),o._stickyContentTop=r.createRef(),o._stickyContentBottom=r.createRef(),o._nonStickyContent=r.createRef(),o._placeHolder=r.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){var n,r;if(o.root&&o.nonStickyContent){var i=o._getNonStickyDistanceFromTop(e),a=!1,s=!1,l=null===(r=null!==(n=o._getContext().window)&&void 0!==n?n:window)||void 0===r?void 0:r.document;if(o.canStickyTop){var c=i-o._getStickyDistanceFromTop(),d=e.scrollTop;a=(0,u.isLessThanInRange)(c,d,1)}o.canStickyBottom&&e.clientHeight-t.offsetHeight<=i&&(s=i-o._scrollUtils.getScrollTopInRange(e,1)>=o._getStickyDistanceFromTopForFooter(e,t)),(null==l?void 0:l.activeElement)&&o.nonStickyContent.contains(null==l?void 0:l.activeElement)&&(o.state.isStickyTop!==a||o.state.isStickyBottom!==s)?o._activeElement=null==l?void 0:l.activeElement:o._activeElement=void 0,o.setState({isStickyTop:o.canStickyTop&&a,isStickyBottom:s,distanceFromTop:i})}},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,i.initializeComponentRef)(o),o.state={isStickyTop:!1,isStickyBottom:!1,distanceFromTop:void 0},o._activeElement=void 0,o._scrollUtils=(0,c.getScrollUtils)(),o}return n.__extends(t,e),Object.defineProperty(t.prototype,"root",{get:function(){return this._root.current},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"placeholder",{get:function(){return this._placeHolder.current},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"stickyContentTop",{get:function(){return this._stickyContentTop.current},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"stickyContentBottom",{get:function(){return this._stickyContentBottom.current},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"nonStickyContent",{get:function(){return this._nonStickyContent.current},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"canStickyTop",{get:function(){return this.props.stickyPosition===l.StickyPositionType.Both||this.props.stickyPosition===l.StickyPositionType.Header},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"canStickyBottom",{get:function(){return this.props.stickyPosition===l.StickyPositionType.Both||this.props.stickyPosition===l.StickyPositionType.Footer},enumerable:!1,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||p(this._nonStickyContent,this._stickyContentTop)||p(this._nonStickyContent,this._stickyContentBottom)||p(this._nonStickyContent,this._placeHolder)},t.prototype.render=function(){var e=this.state,t=e.isStickyTop,o=e.isStickyBottom,n=this.props,i=n.stickyClassName,s=n.children;return this.context.scrollablePane?r.createElement("div",{ref:this._root},this.canStickyTop&&r.createElement("div",{ref:this._stickyContentTop,style:{pointerEvents:t?"auto":"none"}},r.createElement("div",{style:this._getStickyPlaceholderHeight(t)})),this.canStickyBottom&&r.createElement("div",{ref:this._stickyContentBottom,style:{pointerEvents:o?"auto":"none"}},r.createElement("div",{style:this._getStickyPlaceholderHeight(o)})),r.createElement("div",{style:this._getNonStickyPlaceholderHeightAndWidth(),ref:this._placeHolder},(t||o)&&r.createElement("span",{style:a.hiddenContentStyle},s),r.createElement("div",{ref:this._nonStickyContent,className:t||o?i:void 0,style:this._getContentStyles(t||o)},s))):r.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(){var e;if(this.root){for(var t=this.root,o=null!==(e=this._getContext().window)&&void 0!==e?e:window;"rgba(0, 0, 0, 0)"===o.getComputedStyle(t).getPropertyValue("background-color")||"transparent"===o.getComputedStyle(t).getPropertyValue("background-color");){if("HTML"===t.tagName)return;t.parentElement&&(t=t.parentElement)}return o.getComputedStyle(t).getPropertyValue("background-color")}},t.defaultProps={stickyPosition:l.StickyPositionType.Both,isScrollSynced:!0},t.contextType=s.ScrollablePaneContext,t}(r.Component);function p(e,t){return e&&t&&e.current&&t.current&&e.current.offsetHeight!==t.current.offsetHeight}t.Sticky=d},93398:(e,t)=>{"use strict";var o;Object.defineProperty(t,"__esModule",{value:!0}),t.StickyPositionType=void 0,(o=t.StickyPositionType||(t.StickyPositionType={}))[o.Both=0]="Both",o[o.Header=1]="Header",o[o.Footer=2]="Footer"},70064:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(4981),t),n.__exportStar(o(93398),t)},96352:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.isLessThanInRange=void 0,t.isLessThanInRange=function(e,t,o){return e{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getScrollUtils=void 0,t.getScrollUtils=function(){var e=new Map;return{getScrollTopInRange:function(t,o){var n,r=t.scrollTop,i=null!==(n=e.get(t))&&void 0!==n?n:NaN;return i-o<=r&&i+o>=r?i:(e.set(t,r),r)}}}},91822:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ColorPickerGridCellBase=void 0;var n=o(31635),r=o(83923),i=o(15019),a=o(71061),s=o(77378),l=o(89027),c=o(36076),u=(0,a.classNamesFunction)(),d=(0,a.memoizeFunction)((function(e,t,o,n,r,a,s,l,u){var d=(0,c.getStyles)(e);return(0,i.mergeStyleSets)({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]})}));t.ColorPickerGridCellBase=function(e){var t,o,i=e.item,a=e.idPrefix,c=void 0===a?e.id:a,p=e.isRadio,m=e.selected,g=void 0!==m&&m,h=e.disabled,f=void 0!==h&&h,v=e.styles,b=e.circle,y=void 0===b||b,_=e.color,S=e.onClick,C=e.onHover,x=e.onFocus,P=e.onMouseEnter,k=e.onMouseMove,I=e.onMouseLeave,w=e.onWheel,T=e.onKeyDown,E=e.height,D=e.width,M=e.borderWidth,O=u(v,{theme:e.theme,disabled:f,selected:g,circle:y,isWhite:(t=_,o=(0,s.getColorFromString)(t),"ffffff"===(null==o?void 0:o.hex)),height:E,width:D,borderWidth:M}),R=function(e){var t,o=O.svg;return r.createElement("svg",{className:o,role:"img","aria-label":e.label,viewBox:"0 0 20 20",fill:null===(t=(0,s.getColorFromString)(e.color))||void 0===t?void 0:t.str},y?r.createElement("circle",{cx:"50%",cy:"50%",r:"50%"}):r.createElement("rect",{width:"100%",height:"100%"}))},F=p?{role:"radio","aria-checked":g,selected:void 0}:{role:"gridcell",selected:g};return r.createElement(l.ButtonGridCell,n.__assign({item:i,id:"".concat(c,"-").concat(i.id,"-").concat(i.index),key:i.id,disabled:f},F,{onRenderItem:function(t){var o=e.onRenderColorCellContent;return(void 0===o?R:o)(t,R)},onClick:S,onHover:C,onFocus:x,label:i.label,className:O.colorCell,getClassNames:d,index:i.index,onMouseEnter:P,onMouseMove:k,onMouseLeave:I,onWheel:w,onKeyDown:T}))}},73289:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ColorPickerGridCell=void 0;var n=o(71061),r=o(91822),i=o(50173);t.ColorPickerGridCell=(0,n.styled)(r.ColorPickerGridCellBase,i.getStyles,void 0,{scope:"ColorPickerGridCell"},!0)},50173:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(71061),r=o(15019),i={left:-2,top:-2,bottom:-2,right:-2,border:"none",outlineColor:"ButtonText"};t.getStyles=function(e){var t,o,a,s,l,c=e.theme,u=e.disabled,d=e.selected,p=e.circle,m=e.isWhite,g=e.height,h=void 0===g?20:g,f=e.width,v=void 0===f?20:f,b=e.borderWidth,y=c.semanticColors,_=c.palette,S=_.neutralLighter,C=_.neutralLight,x=_.neutralSecondary,P=_.neutralTertiary,k=b||(v<24?2:4);return{colorCell:[(0,r.getFocusStyle)(c,{inset:-1,position:"relative",highContrastStyle:i}),{backgroundColor:y.bodyBackground,padding:0,position:"relative",boxSizing:"border-box",display:"inline-block",cursor:"pointer",userSelect:"none",borderRadius:0,border:"none",height:h,width:v,verticalAlign:"top"},!p&&{selectors:(t={},t[".".concat(n.IsFocusVisibleClassName," &:focus::after, :host(.").concat(n.IsFocusVisibleClassName,") &:focus::after")]={outlineOffset:"".concat(k-1,"px")},t)},p&&{borderRadius:"50%",selectors:(o={},o[".".concat(n.IsFocusVisibleClassName," &:focus::after, :host(.").concat(n.IsFocusVisibleClassName,") &:focus::after")]={outline:"none",borderColor:y.focusBorder,borderRadius:"50%",left:-k,right:-k,top:-k,bottom:-k,selectors:(a={},a[r.HighContrastSelector]={outline:"1px solid ButtonText"},a)},o)},d&&{padding:2,border:"".concat(k,"px solid ").concat(C),selectors:(s={},s["&:hover::before"]={content:'""',height:h,width:v,position:"absolute",top:-k,left:-k,borderRadius:p?"50%":"default",boxShadow:"inset 0 0 0 1px ".concat(x)},s)},!d&&{selectors:(l={},l["&:hover, &:active, &:focus"]={backgroundColor:y.bodyBackground,padding:2,border:"".concat(k,"px solid ").concat(S)},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:P,padding:1}],svg:[{width:"100%",height:"100%"},p&&{borderRadius:"50%"}]}}},23250:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},74578:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.SwatchColorPickerBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(32967),s=o(73289),l=o(25698),c=o(50478),u=(0,i.classNamesFunction)();t.SwatchColorPickerBase=r.forwardRef((function(e,t){var o=(0,l.useId)("swatchColorPicker"),d=e.id||o,p=(0,c.useDocumentEx)(),m=(0,l.useConst)({isNavigationIdle:!0,cellFocused:!1,navigationIdleTimeoutId:void 0,navigationIdleDelay:250}),g=(0,l.useSetTimeout)(),h=g.setTimeout,f=g.clearTimeout,v=e.colorCells,b=e.cellShape,y=void 0===b?"circle":b,_=e.columnCount,S=e.shouldFocusCircularNavigate,C=void 0===S||S,x=e.className,P=e.disabled,k=void 0!==P&&P,I=e.doNotContainWithinFocusZone,w=e.styles,T=e.cellMargin,E=void 0===T?10:T,D=e.defaultSelectedId,M=e.focusOnHover,O=e.mouseLeaveParentSelector,R=e.onChange,F=e.onColorChanged,B=e.onCellHovered,A=e.onCellFocused,N=e.getColorGridCellStyles,L=e.cellHeight,H=e.cellWidth,j=e.cellBorderWidth,z=e.onRenderColorCellContent,W=r.useMemo((function(){return v.map((function(e,t){return n.__assign(n.__assign({},e),{index:t})}))}),[v]),V=r.useCallback((function(e,t){var o,n=null===(o=v.filter((function(e){return e.id===t}))[0])||void 0===o?void 0:o.color;null==R||R(e,t,n),null==F||F(t,n)}),[R,F,v]),K=(0,l.useControllableValue)(e.selectedId,D,V),G=K[0],U=K[1],Y=u(w,{theme:e.theme,className:x,cellMargin:E}),q={root:Y.root,tableCell:Y.tableCell,focusedContainer:Y.focusedContainer},X=v.length<=_,Z=r.useCallback((function(e){A&&(m.cellFocused=!1,A(void 0,void 0,e))}),[m,A]),Q=r.useCallback((function(e){return M?(m.isNavigationIdle&&!k&&e.currentTarget.focus(),!0):!m.isNavigationIdle||!!k}),[M,m,k]),J=r.useCallback((function(e){if(!M)return!m.isNavigationIdle||!!k;var t=e.currentTarget;return!m.isNavigationIdle||p&&t===p.activeElement||t.focus(),!0}),[M,m,k,p]),$=r.useCallback((function(e){var t,o=O;if(M&&o&&m.isNavigationIdle&&!k)for(var n=null!==(t=null==p?void 0:p.querySelectorAll(o))&&void 0!==t?t:[],r=0;r{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.SwatchColorPicker=void 0;var n=o(71061),r=o(74578),i=o(28721);t.SwatchColorPicker=(0,n.styled)(r.SwatchColorPickerBase,i.getStyles,void 0,{scope:"SwatchColorPicker"})},28721:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r={focusedContainer:"ms-swatchColorPickerBodyContainer"};t.getStyles=function(e){var t=e.className,o=e.theme;return{root:{margin:"8px 0",borderCollapse:"collapse"},tableCell:{padding:e.cellMargin/2},focusedContainer:[(0,n.getGlobalClassNames)(r,o).focusedContainer,{clear:"both",display:"block",minWidth:"180px"},t]}}},98470:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},55316:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(92037),t),n.__exportStar(o(74578),t),n.__exportStar(o(98470),t),n.__exportStar(o(73289),t),n.__exportStar(o(91822),t),n.__exportStar(o(23250),t)},72826:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.TeachingBubbleBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(49760),s=o(16473),l=o(42502),c=o(25698),u={beakWidth:16,gapSpace:0,setInitialFocus:!0,doNotLayer:!1,directionalHint:l.DirectionalHint.rightCenter},d=(0,i.classNamesFunction)();t.TeachingBubbleBase=r.forwardRef((function(e,t){var o=r.useRef(null),i=(0,c.useMergedRefs)(o,t),l=e.calloutProps,p=e.targetElement,m=e.onDismiss,g=e.hasCloseButton,h=void 0===g?e.hasCloseIcon:g,f=e.isWide,v=e.styles,b=e.theme,y=e.target,_=r.useMemo((function(){return n.__assign(n.__assign(n.__assign({},u),l),{theme:b})}),[l,b]),S=d(v,{theme:b,isWide:f,calloutProps:_,hasCloseButton:h}),C=S.subComponentStyles?S.subComponentStyles.callout:void 0;return function(e,t){r.useImperativeHandle(e,(function(){return{focus:function(){var e;return null===(e=t.current)||void 0===e?void 0:e.focus()}}}),[t])}(e.componentRef,o),r.createElement(s.Callout,n.__assign({target:y||p,onDismiss:m},_,{className:S.root,styles:C,hideOverflow:!0}),r.createElement("div",{ref:i},r.createElement(a.TeachingBubbleContent,n.__assign({},e))))})),t.TeachingBubbleBase.displayName="TeachingBubble"},3469:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.TeachingBubble=void 0;var n=o(71061),r=o(72826),i=o(60614);t.TeachingBubble=(0,n.styled)(r.TeachingBubbleBase,i.getStyles,void 0,{scope:"TeachingBubble"})},60614:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(31635),r=o(15019),i=o(71061),a={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"},s=(0,i.memoizeFunction)((function(){return(0,r.keyframes)({"0%":{opacity:0,animationTimingFunction:r.AnimationVariables.easeFunction1,transform:"scale3d(.90,.90,.90)"},"100%":{opacity:1,transform:"scale3d(1,1,1)"}})})),l=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:"".concat(s()),animationDuration:"300ms",animationTimingFunction:"linear",animationFillMode:"both"},e&&{maxWidth:r||456}]},c=function(e,t,o){return t?[e.headerIsCondensed,{marginBottom:14}]:[o&&e.headerIsSmall,!o&&e.headerIsLarge,{selectors:{":not(:last-child)":{marginBottom:14}}}]};t.getStyles=function(e){var t,o,i,s=e.hasCondensedHeadline,u=e.hasSmallHeadline,d=e.hasCloseButton,p=e.hasHeadline,m=e.isWide,g=e.primaryButtonClassName,h=e.secondaryButtonClassName,f=e.theme,v=e.calloutProps,b=void 0===v?{className:void 0,theme:f}:v,y=!s&&!u,_=f.palette,S=f.semanticColors,C=f.fonts,x=(0,r.getGlobalClassNames)(a,f),P=(0,r.getFocusStyle)(f,{outlineColor:"transparent",borderColor:"transparent"});return{root:[x.root,C.medium,b.className],body:[x.body,d&&!p&&{marginRight:24},{selectors:{":not(:last-child)":{marginBottom:20}}}],bodyContent:[x.bodyContent,{padding:"20px 24px 20px 24px"}],closeButton:[x.closeButton,{position:"absolute",right:0,top:0,margin:"15px 15px 0 0",borderRadius:0,color:_.white,fontSize:C.small.fontSize,selectors:{":hover":{background:_.themeDarkAlt,color:_.white},":active":{background:_.themeDark,color:_.white},":focus":{border:"1px solid ".concat(S.variantBorder)}}}],content:n.__spreadArray(n.__spreadArray([x.content],l(m),!0),[m&&{display:"flex"}],!1),footer:[x.footer,{display:"flex",flex:"auto",alignItems:"center",color:_.white,selectors:(t={},t[".".concat(x.button,":not(:first-child)")]={marginLeft:10},t)}],header:n.__spreadArray(n.__spreadArray([x.header],c(x,s,u),!0),[d&&{marginRight:24},(s||u)&&[C.medium,{fontWeight:r.FontWeights.semibold}]],!1),headline:[x.headline,{margin:0,color:_.white,fontWeight:r.FontWeights.semibold,overflowWrap:"break-word"},y&&[{fontSize:C.xLarge.fontSize}]],imageContent:[x.header,x.image,m&&{display:"flex",alignItems:"center",maxWidth:154}],primaryButton:[x.primaryButton,g,P,{backgroundColor:_.white,borderColor:_.white,color:_.themePrimary,whiteSpace:"nowrap",selectors:(o={},o[".".concat(x.buttonLabel)]=C.medium,o[":hover"]={backgroundColor:_.themeLighter,borderColor:_.themeLighter,color:_.themeDark},o[":focus"]={backgroundColor:_.themeLighter,border:"1px solid ".concat(_.black),color:_.themeDark,outline:"1px solid ".concat(_.white),outlineOffset:"-2px"},o[":active"]={backgroundColor:_.white,borderColor:_.white,color:_.themePrimary},o)}],secondaryButton:[x.secondaryButton,h,P,{backgroundColor:_.themePrimary,borderColor:_.white,whiteSpace:"nowrap",selectors:(i={},i[".".concat(x.buttonLabel)]=[C.medium,{color:_.white}],i[":hover"]={backgroundColor:_.themeDarkAlt,borderColor:_.white},i[":focus"]={backgroundColor:_.themeDark,border:"1px solid ".concat(_.black),outline:"1px solid ".concat(_.white),outlineOffset:"-2px"},i[":active"]={backgroundColor:_.themePrimary,borderColor:_.white},i)}],subText:[x.subText,{margin:0,fontSize:C.medium.fontSize,color:_.white,fontWeight:r.FontWeights.regular}],subComponentStyles:{callout:{root:n.__spreadArray(n.__spreadArray([],l(m,b),!0),[C.medium],!1),beak:[{background:_.themePrimary}],calloutMain:[{background:_.themePrimary}]}}}}},95694:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},67997:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.TeachingBubbleContentBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(74393),s=o(96577),l=o(34464),c=o(38992),u=o(25698),d=o(71628),p=(0,i.classNamesFunction)();t.TeachingBubbleContentBase=r.forwardRef((function(e,t){var o,m,g,h,f,v,b,y=r.useRef(null),_=(0,d.useDocument)(),S=(0,u.useMergedRefs)(y,t),C=(0,u.useId)("teaching-bubble-content-"),x=(0,u.useId)("teaching-bubble-title-"),P=null!==(o=e.ariaDescribedBy)&&void 0!==o?o:C,k=null!==(m=e.ariaLabelledBy)&&void 0!==m?m:x,I=e.illustrationImage,w=e.primaryButtonProps,T=e.secondaryButtonProps,E=e.headline,D=e.hasCondensedHeadline,M=e.hasCloseButton,O=void 0===M?e.hasCloseIcon:M,R=e.onDismiss,F=e.closeButtonAriaLabel,B=e.hasSmallHeadline,A=e.isWide,N=e.styles,L=e.theme,H=e.footerContent,j=e.focusTrapZoneProps,z=p(N,{theme:L,hasCondensedHeadline:D,hasSmallHeadline:B,hasCloseButton:O,hasHeadline:!!E,isWide:A,primaryButtonClassName:w?w.className:void 0,secondaryButtonClassName:T?T.className:void 0}),W=r.useCallback((function(e){R&&e.which===i.KeyCodes.escape&&R(e)}),[R]);if((0,u.useOnEvent)(_,"keydown",W),I&&I.src&&(g=r.createElement("div",{className:z.imageContent},r.createElement(c.Image,n.__assign({},I)))),E){var V="string"==typeof E?"p":"div";h=r.createElement("div",{className:z.header},r.createElement(V,{role:"heading","aria-level":3,className:z.headline,id:k},E))}if(e.children){var K="string"==typeof e.children?"p":"div";f=r.createElement("div",{className:z.body},r.createElement(K,{className:z.subText,id:P},e.children))}return(w||T||H)&&(v=r.createElement(s.Stack,{className:z.footer,horizontal:!0,horizontalAlign:H?"space-between":"end"},r.createElement(s.Stack.Item,{align:"center"},r.createElement("span",null,H)),r.createElement(s.Stack.Item,null,w&&r.createElement(a.PrimaryButton,n.__assign({},w,{className:z.primaryButton})),T&&r.createElement(a.DefaultButton,n.__assign({},T,{className:z.secondaryButton}))))),O&&(b=r.createElement(a.IconButton,{className:z.closeButton,iconProps:{iconName:"Cancel"},ariaLabel:F,onClick:R})),function(e,t){r.useImperativeHandle(e,(function(){return{focus:function(){var e;return null===(e=t.current)||void 0===e?void 0:e.focus()}}}),[t])}(e.componentRef,y),r.createElement("div",{className:z.content,ref:S,role:"dialog",tabIndex:-1,"aria-labelledby":k,"aria-describedby":P,"data-is-focusable":!0},g,r.createElement(l.FocusTrapZone,n.__assign({isClickableOutsideFocusTrap:!0},j),r.createElement("div",{className:z.bodyContent},h,f,v,b)))}))},49760:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.TeachingBubbleContent=void 0;var n=o(71061),r=o(67997),i=o(60614);t.TeachingBubbleContent=(0,n.styled)(r.TeachingBubbleContentBase,i.getStyles,void 0,{scope:"TeachingBubbleContent"})},60886:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(3469),t),n.__exportStar(o(72826),t),n.__exportStar(o(95694),t),n.__exportStar(o(49760),t),n.__exportStar(o(67997),t)},1033:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Text=void 0;var n=o(89021),r=o(4818),i=o(70525);t.Text=(0,n.createComponent)(r.TextView,{displayName:"Text",styles:i.TextStyles}),t.default=t.Text},70525:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.TextStyles=void 0,t.TextStyles=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]}}},7154:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},4818:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.TextView=void 0;var n=o(31635),r=o(89021),i=o(71061);t.TextView=function(e){if(null==e.children)return null;e.block,e.className;var t=e.as,o=void 0===t?"span":t,a=(e.variant,e.nowrap,n.__rest(e,["block","className","as","variant","nowrap"])),s=(0,r.getSlots)(e,{root:o});return(0,r.withSlots)(s.root,n.__assign({},(0,i.getNativeProps)(a,i.htmlElementProperties)))}},42680:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(1033),t),n.__exportStar(o(7154),t),n.__exportStar(o(4818),t),n.__exportStar(o(70525),t)},39427:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.MaskedTextField=t.DEFAULT_MASK_CHAR=void 0;var n=o(31635),r=o(83923),i=o(14817),a=o(71061),s=o(98485),l=o(25698);t.DEFAULT_MASK_CHAR="_",t.MaskedTextField=r.forwardRef((function(e,o){var c=r.useRef(null),u=e.componentRef,d=e.onFocus,p=e.onBlur,m=e.onMouseDown,g=e.onMouseUp,h=e.onChange,f=e.onPaste,v=e.onKeyDown,b=e.mask,y=e.maskChar,_=void 0===y?t.DEFAULT_MASK_CHAR:y,S=e.maskFormat,C=void 0===S?s.DEFAULT_MASK_FORMAT_CHARS:S,x=e.value,P=(0,l.useConst)((function(){return{maskCharData:(0,s.parseMask)(b,C),isFocused:!1,moveCursorOnMouseUp:!1,changeSelectionData:null}})),k=r.useState(),I=k[0],w=k[1],T=r.useState((function(){return(0,s.getMaskDisplay)(b,P.maskCharData,_)})),E=T[0],D=T[1],M=r.useCallback((function(e){for(var t=0,o=0;tE.length){d=a-(u=t.length-E.length);var g=t.substr(d,u);o=(0,s.insertString)(P.maskCharData,d,g)}else if(t.length<=E.length){u=1;var f=E.length+u-t.length;d=a-u,g=t.substr(d,u),P.maskCharData=(0,s.clearRange)(P.maskCharData,d,f),o=(0,s.insertString)(P.maskCharData,d,g)}P.changeSelectionData=null;var v=(0,s.getMaskDisplay)(b,P.maskCharData,_);D(v),w(o),null==h||h(e,v)}}),[E.length,P,b,_,h]),N=r.useCallback((function(e){if(null==v||v(e),P.changeSelectionData=null,c.current&&c.current.value){var t=e.keyCode,o=e.ctrlKey,n=e.metaKey;if(o||n)return;if(t===a.KeyCodes.backspace||t===a.KeyCodes.del){var r=e.target.selectionStart,i=e.target.selectionEnd;if(!(t===a.KeyCodes.backspace&&i&&i>0||t===a.KeyCodes.del&&null!==r&&r{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.insertString=t.clearPrev=t.clearNext=t.clearRange=t.getLeftFormatIndex=t.getRightFormatIndex=t.getMaskDisplay=t.parseMask=t.DEFAULT_MASK_FORMAT_CHARS=void 0,t.DEFAULT_MASK_FORMAT_CHARS={9:/[0-9]/,a:/[a-zA-Z]/,"*":/[a-zA-Z0-9]/},t.parseMask=function(e,o){if(void 0===o&&(o=t.DEFAULT_MASK_FORMAT_CHARS),!e)return[];for(var n=[],r=0,i=0;i+r0&&(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},t.getRightFormatIndex=function(e,t){for(var o=0;o=t)return e[o].displayIndex;return e[e.length-1].displayIndex},t.getLeftFormatIndex=function(e,t){for(var o=e.length-1;o>=0;o--)if(e[o].displayIndex=t){if(e[n].displayIndex>=t+o)break;e[n].value=void 0}return e},t.clearNext=function(e,t){for(var o=0;o=t){e[o].value=void 0;break}return e},t.clearPrev=function(e,t){for(var o=e.length-1;o>=0;o--)if(e[o].displayIndex=t)for(i=!0,r=e[a].displayIndex;n{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.TextFieldBase=void 0;var n,r=o(31635),i=o(83923),a=o(47795),s=o(30936),l=o(71061),c=(0,l.classNamesFunction)(),u="TextField",d=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.Label,{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=p(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,l.initializeComponentRef)(o),o._async=new l.Async(o),o._fallbackId=(0,l.getId)(u),o._descriptionId=(0,l.getId)(u+"Description"),o._labelId=(0,l.getId)(u+"Label"),o._prefixId=(0,l.getId)(u+"Prefix"),o._suffixId=(0,l.getId)(u+"Suffix"),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 r.__extends(t,e),Object.defineProperty(t.prototype,"value",{get:function(){return p(this.props,this.state)},enumerable:!1,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=p(e,t),c=this.value;l!==c&&(this._warnControlledUsage(e),this.state.errorMessage&&!n.errorMessage&&this.setState({errorMessage:""}),this._adjustInputHeight(),m(n)&&this._delayedValidate(c))},t.prototype.render=function(){var e=this.props,t=e.borderless,o=e.className,a=e.disabled,u=e.invalid,d=e.iconProps,p=e.inputClassName,m=e.label,g=e.multiline,h=e.required,f=e.underlined,v=e.prefix,b=e.resizable,y=e.suffix,_=e.theme,S=e.styles,C=e.autoAdjustHeight,x=e.canRevealPassword,P=e.revealPasswordAriaLabel,k=e.type,I=e.onRenderPrefix,w=void 0===I?this._onRenderPrefix:I,T=e.onRenderSuffix,E=void 0===T?this._onRenderSuffix:T,D=e.onRenderLabel,M=void 0===D?this._onRenderLabel:D,O=e.onRenderDescription,R=void 0===O?this._onRenderDescription:O,F=this.state,B=F.isFocused,A=F.isRevealingPassword,N=this._errorMessage,L="boolean"==typeof u?u:!!N,H=!!x&&"password"===k&&function(){if("boolean"!=typeof n){var e=(0,l.getWindow)();if(null==e?void 0:e.navigator){var t=/Edg/.test(e.navigator.userAgent||"");n=!((0,l.isIE11)()||t)}else n=!0}return n}(),j=this._classNames=c(S,{theme:_,className:o,disabled:a,focused:B,required:h,multiline:g,hasLabel:!!m,hasErrorMessage:L,borderless:t,resizable:b,hasIcon:!!d,underlined:f,inputClassName:p,autoAdjustHeight:C,hasRevealButton:H});return i.createElement("div",{ref:this.props.elementRef,className:j.root},i.createElement("div",{className:j.wrapper},M(this.props,this._onRenderLabel),i.createElement("div",{className:j.fieldGroup},(void 0!==v||this.props.onRenderPrefix)&&i.createElement("div",{className:j.prefix,id:this._prefixId},w(this.props,this._onRenderPrefix)),g?this._renderTextArea():this._renderInput(),d&&i.createElement(s.Icon,r.__assign({className:j.icon},d)),H&&i.createElement("button",{"aria-label":P,className:j.revealButton,onClick:this._onRevealButtonClick,"aria-pressed":!!A,type:"button"},i.createElement("span",{className:j.revealSpan},i.createElement(s.Icon,{className:j.revealIcon,iconName:A?"Hide":"RedEye"}))),(void 0!==y||this.props.onRenderSuffix)&&i.createElement("div",{className:j.suffix,id:this._suffixId},E(this.props,this._onRenderSuffix)))),this._isDescriptionAvailable&&i.createElement("span",{id:this._descriptionId},R(this.props,this._onRenderDescription),N&&i.createElement("div",{role:"alert"},i.createElement(l.DelayedRender,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:!1,configurable:!0}),Object.defineProperty(t.prototype,"selectionEnd",{get:function(){return this._textElement.current?this._textElement.current.selectionEnd:-1},enumerable:!1,configurable:!0}),t.prototype.setSelectionRange=function(e,t){this._textElement.current&&this._textElement.current.setSelectionRange(e,t)},t.prototype._warnControlledUsage=function(e){(0,l.warnControlledUsage)({componentId:this._id,componentName:u,props:this.props,oldProps:e,valueProp:"value",defaultValueProp:"defaultValue",onChangeProp:"onChange",readOnlyProp:"readOnly"}),null!==this.props.value||this._hasWarnedNullValue||(this._hasWarnedNullValue=!0,(0,l.warn)("Warning: 'value' prop on '".concat(u,"' 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:!1,configurable:!0}),Object.defineProperty(t.prototype,"_isControlled",{get:function(){return(0,l.isControlled)(this.props,"value")},enumerable:!1,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:!1,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:!1,configurable:!0}),t.prototype._renderTextArea=function(){var e=this.props.invalid,t=void 0===e?!!this._errorMessage:e,o=(0,l.getNativeProps)(this.props,l.textAreaProperties,["defaultValue"]),n=this.props["aria-labelledby"]||(this.props.label?this._labelId:void 0);return i.createElement("textarea",r.__assign({id:this._id},o,{ref:this._textElement,value:this.value||"",onInput:this._onInputChange,onChange:this._onInputChange,className:this._classNames.field,"aria-labelledby":n,"aria-describedby":this._isDescriptionAvailable?this._descriptionId:this.props["aria-describedby"],"aria-invalid":t,"aria-label":this.props.ariaLabel,readOnly:this.props.readOnly,onFocus:this._onFocus,onBlur:this._onBlur}))},t.prototype._renderInput=function(){var e=this.props,t=e.ariaLabel,o=e.invalid,n=void 0===o?!!this._errorMessage:o,a=e.onRenderPrefix,s=e.onRenderSuffix,c=e.prefix,u=e.suffix,d=e.type,p=void 0===d?"text":d,m=[];e.label&&m.push(this._labelId),(void 0!==c||a)&&m.push(this._prefixId),(void 0!==u||s)&&m.push(this._suffixId);var g=r.__assign(r.__assign({type:this.state.isRevealingPassword?"text":p,id:this._id},(0,l.getNativeProps)(this.props,l.inputProperties,["defaultValue","type"])),{"aria-labelledby":this.props["aria-labelledby"]||(m.length>0?m.join(" "):void 0),ref:this._textElement,value:this.value||"",onInput:this._onInputChange,onChange:this._onInputChange,className:this._classNames.field,"aria-label":t,"aria-describedby":this._isDescriptionAvailable?this._descriptionId:this.props["aria-describedby"],"aria-invalid":n,onFocus:this._onFocus,onBlur:this._onBlur}),h=function(e){return i.createElement("input",r.__assign({},e))};return(this.props.onRenderInput||h)(g,h)},t.prototype._validate=function(e){var t=this;if(this._latestValidateValue!==e||!m(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(){var e,t;if(this._textElement.current&&this.props.autoAdjustHeight&&this.props.multiline){var o=null===(t=null===(e=this.props.scrollContainerRef)||void 0===e?void 0:e.current)||void 0===t?void 0:t.scrollTop,n=this._textElement.current;n.style.height="",n.style.height=n.scrollHeight+"px",o&&(this.props.scrollContainerRef.current.scrollTop=o)}},t.defaultProps={resizable:!0,deferredValidationTime:200,validateOnLoad:!0},t}(i.Component);function p(e,t){var o=e.value,n=void 0===o?t.uncontrolledValue:o;return"number"==typeof n?String(n):n}function m(e){return!(e.validateOnFocusIn||e.validateOnFocusOut)}t.TextFieldBase=d},14817:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.TextField=void 0;var n=o(71061),r=o(13286),i=o(18069);t.TextField=(0,n.styled)(r.TextFieldBase,i.getStyles,void 0,{scope:"TextField"})},18069:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(31635),r=o(15019),i={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 a(e){var t=e.underlined,o=e.disabled,n=e.focused,i=e.theme,a=i.palette,s=i.fonts;return function(){var e;return{root:[t&&o&&{color:a.neutralTertiary},t&&{fontSize:s.medium.fontSize,marginRight:8,paddingLeft:12,paddingRight:0,lineHeight:"22px",height:32},t&&n&&{selectors:(e={},e[r.HighContrastSelector]={height:31},e)}]}}}t.getStyles=function(e){var t,o,s,l,c,u,d,p,m,g,h,f,v=e.theme,b=e.className,y=e.disabled,_=e.focused,S=e.required,C=e.multiline,x=e.hasLabel,P=e.borderless,k=e.underlined,I=e.hasIcon,w=e.resizable,T=e.hasErrorMessage,E=e.inputClassName,D=e.autoAdjustHeight,M=e.hasRevealButton,O=v.semanticColors,R=v.effects,F=v.fonts,B=(0,r.getGlobalClassNames)(i,v),A={background:O.disabledBackground,color:y?O.disabledText:O.inputPlaceholderText,display:"flex",alignItems:"center",padding:"0 10px",lineHeight:1,whiteSpace:"nowrap",flexShrink:0,selectors:(t={},t[r.HighContrastSelector]={background:"Window",color:y?"GrayText":"WindowText"},t)},N=[{color:O.inputPlaceholderText,opacity:1,selectors:(o={},o[r.HighContrastSelector]={color:"GrayText"},o)}],L={color:O.disabledText,selectors:(s={},s[r.HighContrastSelector]={color:"GrayText"},s)};return{root:[B.root,F.medium,S&&B.required,y&&B.disabled,_&&B.active,C&&B.multiline,P&&B.borderless,k&&B.underlined,r.normalize,{position:"relative"},b],wrapper:[B.wrapper,k&&[{display:"flex",borderBottom:"1px solid ".concat(T?O.errorText:O.inputBorder),width:"100%"},y&&{borderBottomColor:O.disabledBackground,selectors:(l={},l[r.HighContrastSelector]=n.__assign({borderColor:"GrayText"},(0,r.getHighContrastNoAdjustStyle)()),l)},!y&&{selectors:{":hover":{borderBottomColor:T?O.errorText:O.inputBorderHovered,selectors:(c={},c[r.HighContrastSelector]=n.__assign({borderBottomColor:"Highlight"},(0,r.getHighContrastNoAdjustStyle)()),c)}}},_&&[{position:"relative"},(0,r.getInputFocusStyle)(T?O.errorText:O.inputFocusBorderAlt,0,"borderBottom")]]],fieldGroup:[B.fieldGroup,r.normalize,{border:"1px solid ".concat(O.inputBorder),borderRadius:R.roundedCorner2,background:O.inputBackground,cursor:"text",height:32,display:"flex",flexDirection:"row",alignItems:"stretch",position:"relative"},C&&{minHeight:"60px",height:"auto",display:"flex"},!_&&!y&&{selectors:{":hover":{borderColor:O.inputBorderHovered,selectors:(u={},u[r.HighContrastSelector]=n.__assign({borderColor:"Highlight"},(0,r.getHighContrastNoAdjustStyle)()),u)}}},_&&!k&&(0,r.getInputFocusStyle)(T?O.errorText:O.inputFocusBorderAlt,R.roundedCorner2),y&&{borderColor:O.disabledBackground,selectors:(d={},d[r.HighContrastSelector]=n.__assign({borderColor:"GrayText"},(0,r.getHighContrastNoAdjustStyle)()),d),cursor:"default"},P&&{border:"none"},P&&_&&{border:"none",selectors:{":after":{border:"none"}}},k&&{flex:"1 1 0px",border:"none",textAlign:"left"},k&&y&&{backgroundColor:"transparent"},T&&!k&&{borderColor:O.errorText,selectors:{"&:hover":{borderColor:O.errorText}}},!x&&S&&{selectors:(p={":before":{content:"'*'",color:O.errorText,position:"absolute",top:-5,right:-10}},p[r.HighContrastSelector]={selectors:{":before":{color:"WindowText",right:-14}}},p)}],field:[F.medium,B.field,r.normalize,{borderRadius:0,border:"none",background:"none",backgroundColor:"transparent",color:O.inputText,padding:"0 8px",width:"100%",minWidth:0,textOverflow:"ellipsis",outline:0,selectors:(m={"&:active, &:focus, &:hover":{outline:0},"::-ms-clear":{display:"none"}},m[r.HighContrastSelector]={background:"Window",color:y?"GrayText":"WindowText"},m)},(0,r.getPlaceholderStyles)(N),C&&!w&&[B.unresizable,{resize:"none"}],C&&{minHeight:"inherit",lineHeight:17,flexGrow:1,paddingTop:6,paddingBottom:6,overflow:"auto",width:"100%"},C&&D&&{overflow:"hidden"},I&&!M&&{paddingRight:24},C&&I&&{paddingRight:40},y&&[{backgroundColor:O.disabledBackground,color:O.disabledText,borderColor:O.disabledBackground},(0,r.getPlaceholderStyles)(L)],k&&{textAlign:"left"},_&&!P&&{selectors:(g={},g[r.HighContrastSelector]={paddingLeft:11,paddingRight:11},g)},_&&C&&!P&&{selectors:(h={},h[r.HighContrastSelector]={paddingTop:4},h)},E],icon:[C&&{paddingRight:24,alignItems:"flex-end"},{pointerEvents:"none",position:"absolute",bottom:6,right:8,top:"auto",fontSize:r.IconFontSizes.medium,lineHeight:18},y&&{color:O.disabledText}],description:[B.description,{color:O.bodySubtext,fontSize:F.xSmall.fontSize}],errorMessage:[B.errorMessage,r.AnimationClassNames.slideDownIn20,F.small,{color:O.errorText,margin:0,paddingTop:5,display:"flex",alignItems:"center"}],prefix:[B.prefix,A],suffix:[B.suffix,A],revealButton:[B.revealButton,"ms-Button","ms-Button--icon",(0,r.getFocusStyle)(v,{inset:1}),{height:30,width:32,border:"none",padding:"0px 4px",backgroundColor:"transparent",color:O.link,selectors:{":hover":{outline:0,color:O.primaryButtonBackgroundHovered,backgroundColor:O.buttonBackgroundHovered,selectors:(f={},f[r.HighContrastSelector]={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:r.IconFontSizes.medium,lineHeight:18},subComponentStyles:{label:a(e)}}}},65194:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},52980:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getTextFieldStyles=void 0;var n=o(31635);n.__exportStar(o(14817),t),n.__exportStar(o(13286),t);var r=o(18069);Object.defineProperty(t,"getTextFieldStyles",{enumerable:!0,get:function(){return r.getStyles}}),n.__exportStar(o(65194),t),n.__exportStar(o(39427),t)},84894:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},16967:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},27075:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ThemeGenerator=void 0;var n=o(7066),r=o(23970),i=o(71061),a=function(){function e(){}return e.setSlot=function(t,o,r,i,a){if(void 0===r&&(r=!1),void 0===i&&(i=!1),void 0===a&&(a=!0),t.color||!t.value)if(a){var s=void 0;if("string"==typeof o){if(!(s=(0,n.getColorFromString)(o)))throw new Error("color is invalid in setSlot(): "+o)}else s=o;e._setSlot(t,s,r,i,a)}else t.color&&e._setSlot(t,t.color,r,i,a)},e.insureSlots=function(t,o){for(var n in t)if(t.hasOwnProperty(n)){var r=t[n];if(!r.inherits&&!r.value){if(!r.color)throw new Error("A color slot rule that does not inherit must provide its own color.");e._setSlot(r,r.color,o,!1,!1)}}},e.getThemeAsJson=function(e){var t={};for(var o in e)if(e.hasOwnProperty(o)){var n=e[o];t[n.name]=n.color?n.color.str:n.value||""}return t},e.getThemeAsCode=function(t){return e._makeRemainingCode("loadTheme({\n palette: {\n",t)},e.getThemeAsCodeWithCreateTheme=function(t){return e._makeRemainingCode("const myTheme = createTheme({\n palette: {\n",t)},e.getThemeAsSass=function(e){var t="";for(var o in e)if(e.hasOwnProperty(o)){var n=e[o],r=n.name.charAt(0).toLowerCase()+n.name.slice(1);t+=(0,i.format)('${0}Color: "[theme: {1}, default: {2}]";\n',r,r,n.color?n.color.str:n.value||"")}return t},e.getThemeForPowerShell=function(e){var t="";for(var o in e)if(e.hasOwnProperty(o)){var n=e[o];if(n.value)continue;var r=n.name.charAt(0).toLowerCase()+n.name.slice(1),a=n.color?"#"+n.color.hex:n.value||"";n.color&&n.color.a&&100!==n.color.a&&(a+=String(n.color.a.toString(16))),t+=(0,i.format)('"{0}" = "{1}";\n',r,a)}return"@{\n"+t+"}"},e._setSlot=function(t,o,n,i,a){if(void 0===a&&(a=!0),(t.color||!t.value)&&(a||!t.color||!t.isCustomized||!t.inherits)){!a&&t.isCustomized||i||!t.inherits||!(0,r.isValidShade)(t.asShade)?(t.color=o,t.isCustomized=!0):(t.isBackgroundShade?t.color=(0,r.getBackgroundShade)(o,t.asShade,n):t.color=(0,r.getShade)(o,t.asShade,n),t.isCustomized=!1);for(var s=0,l=t.dependentRules;s{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.themeRulesStandardCreator=t.SemanticColorSlots=t.FabricSlots=t.BaseSlots=void 0;var n,r,i,a=o(23970),s=o(7066),l=o(71061);!function(e){e[e.primaryColor=0]="primaryColor",e[e.backgroundColor=1]="backgroundColor",e[e.foregroundColor=2]="foregroundColor"}(n=t.BaseSlots||(t.BaseSlots={})),function(e){e[e.themePrimary=0]="themePrimary",e[e.themeLighterAlt=1]="themeLighterAlt",e[e.themeLighter=2]="themeLighter",e[e.themeLight=3]="themeLight",e[e.themeTertiary=4]="themeTertiary",e[e.themeSecondary=5]="themeSecondary",e[e.themeDarkAlt=6]="themeDarkAlt",e[e.themeDark=7]="themeDark",e[e.themeDarker=8]="themeDarker",e[e.neutralLighterAlt=9]="neutralLighterAlt",e[e.neutralLighter=10]="neutralLighter",e[e.neutralLight=11]="neutralLight",e[e.neutralQuaternaryAlt=12]="neutralQuaternaryAlt",e[e.neutralQuaternary=13]="neutralQuaternary",e[e.neutralTertiaryAlt=14]="neutralTertiaryAlt",e[e.neutralTertiary=15]="neutralTertiary",e[e.neutralSecondaryAlt=16]="neutralSecondaryAlt",e[e.neutralSecondary=17]="neutralSecondary",e[e.neutralPrimaryAlt=18]="neutralPrimaryAlt",e[e.neutralPrimary=19]="neutralPrimary",e[e.neutralDark=20]="neutralDark",e[e.black=21]="black",e[e.white=22]="white"}(r=t.FabricSlots||(t.FabricSlots={})),(i=t.SemanticColorSlots||(t.SemanticColorSlots={}))[i.bodyBackground=0]="bodyBackground",i[i.bodyText=1]="bodyText",i[i.disabledBackground=2]="disabledBackground",i[i.disabledText=3]="disabledText",t.themeRulesStandardCreator=function(){var e={};function t(t,o,r,i){void 0===i&&(i=!1);var a=e[n[o]],s={name:t,inherits:a,asShade:r,isCustomized:!1,isBackgroundShade:i,dependentRules:[]};e[t]=s,a.dependentRules.push(s)}return(0,l.mapEnumByName)(n,(function(t){e[t]={name:t,isCustomized:!0,dependentRules:[]},(0,l.mapEnumByName)(a.Shade,(function(o,r){if(o!==a.Shade[a.Shade.Unshaded]){var i=e[t],s={name:t+o,inherits:e[t],asShade:r,isCustomized:!1,isBackgroundShade:t===n[n.backgroundColor],dependentRules:[]};e[t+o]=s,i.dependentRules.push(s)}}))})),e[n[n.primaryColor]].color=(0,s.getColorFromString)("#0078d4"),e[n[n.backgroundColor]].color=(0,s.getColorFromString)("#ffffff"),e[n[n.foregroundColor]].color=(0,s.getColorFromString)("#323130"),t(r[r.themePrimary],n.primaryColor,a.Shade.Unshaded),t(r[r.themeLighterAlt],n.primaryColor,a.Shade.Shade1),t(r[r.themeLighter],n.primaryColor,a.Shade.Shade2),t(r[r.themeLight],n.primaryColor,a.Shade.Shade3),t(r[r.themeTertiary],n.primaryColor,a.Shade.Shade4),t(r[r.themeSecondary],n.primaryColor,a.Shade.Shade5),t(r[r.themeDarkAlt],n.primaryColor,a.Shade.Shade6),t(r[r.themeDark],n.primaryColor,a.Shade.Shade7),t(r[r.themeDarker],n.primaryColor,a.Shade.Shade8),t(r[r.neutralLighterAlt],n.backgroundColor,a.Shade.Shade1,!0),t(r[r.neutralLighter],n.backgroundColor,a.Shade.Shade2,!0),t(r[r.neutralLight],n.backgroundColor,a.Shade.Shade3,!0),t(r[r.neutralQuaternaryAlt],n.backgroundColor,a.Shade.Shade4,!0),t(r[r.neutralQuaternary],n.backgroundColor,a.Shade.Shade5,!0),t(r[r.neutralTertiaryAlt],n.backgroundColor,a.Shade.Shade6,!0),t(r[r.neutralTertiary],n.foregroundColor,a.Shade.Shade3),t(r[r.neutralSecondary],n.foregroundColor,a.Shade.Shade4),t(r[r.neutralSecondaryAlt],n.foregroundColor,a.Shade.Shade4),t(r[r.neutralPrimaryAlt],n.foregroundColor,a.Shade.Shade5),t(r[r.neutralPrimary],n.foregroundColor,a.Shade.Unshaded),t(r[r.neutralDark],n.foregroundColor,a.Shade.Shade7),t(r[r.black],n.foregroundColor,a.Shade.Shade8),t(r[r.white],n.backgroundColor,a.Shade.Unshaded,!0),e[r[r.neutralLighterAlt]].color=(0,s.getColorFromString)("#faf9f8"),e[r[r.neutralLighter]].color=(0,s.getColorFromString)("#f3f2f1"),e[r[r.neutralLight]].color=(0,s.getColorFromString)("#edebe9"),e[r[r.neutralQuaternaryAlt]].color=(0,s.getColorFromString)("#e1dfdd"),e[r[r.neutralDark]].color=(0,s.getColorFromString)("#201f1e"),e[r[r.neutralTertiaryAlt]].color=(0,s.getColorFromString)("#c8c6c4"),e[r[r.black]].color=(0,s.getColorFromString)("#000000"),e[r[r.neutralDark]].color=(0,s.getColorFromString)("#201f1e"),e[r[r.neutralPrimaryAlt]].color=(0,s.getColorFromString)("#3b3a39"),e[r[r.neutralSecondary]].color=(0,s.getColorFromString)("#605e5c"),e[r[r.neutralSecondaryAlt]].color=(0,s.getColorFromString)("#8a8886"),e[r[r.neutralTertiary]].color=(0,s.getColorFromString)("#a19f9d"),e[r[r.white]].color=(0,s.getColorFromString)("#ffffff"),e[r[r.themeDarker]].color=(0,s.getColorFromString)("#004578"),e[r[r.themeDark]].color=(0,s.getColorFromString)("#005a9e"),e[r[r.themeDarkAlt]].color=(0,s.getColorFromString)("#106ebe"),e[r[r.themeSecondary]].color=(0,s.getColorFromString)("#2b88d8"),e[r[r.themeTertiary]].color=(0,s.getColorFromString)("#71afe5"),e[r[r.themeLight]].color=(0,s.getColorFromString)("#c7e0f4"),e[r[r.themeLighter]].color=(0,s.getColorFromString)("#deecf9"),e[r[r.themeLighterAlt]].color=(0,s.getColorFromString)("#eff6fc"),e[r[r.neutralLighterAlt]].isCustomized=!0,e[r[r.neutralLighter]].isCustomized=!0,e[r[r.neutralLight]].isCustomized=!0,e[r[r.neutralQuaternaryAlt]].isCustomized=!0,e[r[r.neutralDark]].isCustomized=!0,e[r[r.neutralTertiaryAlt]].isCustomized=!0,e[r[r.black]].isCustomized=!0,e[r[r.neutralDark]].isCustomized=!0,e[r[r.neutralPrimaryAlt]].isCustomized=!0,e[r[r.neutralSecondary]].isCustomized=!0,e[r[r.neutralSecondaryAlt]].isCustomized=!0,e[r[r.neutralTertiary]].isCustomized=!0,e[r[r.white]].isCustomized=!0,e[r[r.themeDarker]].isCustomized=!0,e[r[r.themeDark]].isCustomized=!0,e[r[r.themeDarkAlt]].isCustomized=!0,e[r[r.themePrimary]].isCustomized=!0,e[r[r.themeSecondary]].isCustomized=!0,e[r[r.themeTertiary]].isCustomized=!0,e[r[r.themeLight]].isCustomized=!0,e[r[r.themeLighter]].isCustomized=!0,e[r[r.themeLighterAlt]].isCustomized=!0,e}},29181:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(27075),t),n.__exportStar(o(16967),t),n.__exportStar(o(84894),t),n.__exportStar(o(23148),t)},80221:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.TimePicker=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(6517),s=o(60994),l=o(71061),c=o(25698),u=/^((1[0-2]|0?[1-9]):([0-5][0-9]):([0-5][0-9])\s([AaPp][Mm]))$/,d=/^((1[0-2]|0?[1-9]):[0-5][0-9]\s([AaPp][Mm]))$/,p=/^([0-1]?[0-9]|2[0-3]):[0-5][0-9]:[0-5][0-9]$/,m=/^([0-1]?[0-9]|2[0-3]):[0-5][0-9]$/;t.TimePicker=function(e){var t=e.label,o=e.increments,h=void 0===o?30:o,v=e.showSeconds,b=void 0!==v&&v,y=e.allowFreeform,_=void 0===y||y,S=e.useHour12,C=void 0!==S&&S,x=e.timeRange,P=e.strings,k=void 0===P?function(e,t){var o=e?"12-hour":"24-hour",n="hh:mm".concat(t?":ss":"").concat(e?" AP":"");return{invalidInputErrorMessage:"Enter a valid time in the ".concat(o," format: ").concat(n),timeOutOfBoundsErrorMessage:"Please enter a time within the range of {0} and {1}"}}(C,b):P,I=e.defaultValue,w=e.value,T=e.dateAnchor,E=e.onChange,D=e.onFormatDate,M=e.onValidateUserInput,O=e.onValidationResult,R=n.__rest(e,["label","increments","showSeconds","allowFreeform","useHour12","timeRange","strings","defaultValue","value","dateAnchor","onChange","onFormatDate","onValidateUserInput","onValidationResult"]),F=r.useState(""),B=F[0],A=F[1],N=r.useState(),L=N[0],H=N[1],j=r.useState(""),z=j[0],W=j[1],V=(0,c.useConst)(new Date),K=(0,c.useControllableValue)(w,I),G=K[0],U=K[1],Y=f(h,x),q=T||w||I||V,X=r.useMemo((function(){return g(q,"start",h,x)}),[q,h,x]),Z=r.useMemo((function(){return g(q,"end",h,x)}),[q,h,x]),Q=r.useMemo((function(){for(var e=Array(Y),t=0;tZ)&&(t=(0,l.format)(k.timeOutOfBoundsErrorMessage,X.toString(),Z.toString()))}}else t=k.invalidInputErrorMessage;return t}(n)),O&&z!==i&&O(e,{errorMessage:i}),i||void 0!==n&&!n.length){var s=n||(null==t?void 0:t.text)||"";A(s),U(i?new Date("invalid"):void 0),r=new Date("invalid")}else{var c=void 0;(null==t?void 0:t.data)instanceof Date?c=t.data:(s=(null==t?void 0:t.key)||n||"",c=(0,a.getDateFromTimeSelection)(C,X,s)),U(c),r=c}null==E||E(e,r),W(i)}),[x,X,Z,_,D,M,b,C,k.invalidInputErrorMessage,k.timeOutOfBoundsErrorMessage,U,O,E,z]);return r.createElement(s.ComboBox,n.__assign({},R,{allowFreeform:_,selectedKey:L,label:t,errorMessage:z,options:Q,onChange:J,text:B,onKeyPress:function(e){var t=e.charCode;D||t>=i.KeyCodes.zero&&t<=i.KeyCodes.colon||t===i.KeyCodes.space||t===i.KeyCodes.a||t===i.KeyCodes.m||t===i.KeyCodes.p||e.preventDefault()},useComboBoxAsMenuWidth:!0}))},t.TimePicker.displayName="TimePicker";var g=function(e,t,o,n){var r=new Date(e.getTime());if(n){var i=h(n),s="start"===t?i.start:i.end;r.getHours()!==s&&r.setHours(s)}else"end"===t&&r.setDate(r.getDate()+1);return r.setMinutes(0),r.setSeconds(0),r.setMilliseconds(0),(0,a.ceilMinuteToIncrement)(r,o)},h=function(e){return{start:Math.min(Math.max(e.start,0),23),end:Math.min(Math.max(e.end,0),23)}},f=function(e,t){var o=function(e){var t=a.TimeConstants.HoursInOneDay;if(e){var o=h(e);o.start>o.end?t=a.TimeConstants.HoursInOneDay-e.start-e.end:e.end>e.start&&(t=e.end-e.start)}return t}(t);return Math.floor(a.TimeConstants.MinutesInOneHour*o/e)}},1790:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},72548:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(80221),t),n.__exportStar(o(1790),t)},63324:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ToggleBase=void 0;var n=o(31635),r=o(83923),i=o(25698),a=o(52332),s=o(21505),l=(0,a.classNamesFunction)(),c="Toggle";t.ToggleBase=r.forwardRef((function(e,t){var o=e.as,d=void 0===o?"div":o,p=e.ariaLabel,m=e.checked,g=e.className,h=e.defaultChecked,f=void 0!==h&&h,v=e.disabled,b=e.inlineLabel,y=e.label,_=e.offAriaLabel,S=e.offText,C=e.onAriaLabel,x=e.onChange,P=e.onChanged,k=e.onClick,I=e.onText,w=e.role,T=e.styles,E=e.theme,D=(0,i.useControllableValue)(m,f,r.useCallback((function(e,t){null==x||x(e,t),null==P||P(t)}),[x,P])),M=D[0],O=D[1],R=l(T,{theme:E,className:g,disabled:v,checked:M,inlineLabel:b,onOffMissing:!I&&!S}),F=M?C:_,B=(0,i.useId)(c,e.id),A="".concat(B,"-label"),N="".concat(B,"-stateText"),L=M?I:S,H=(0,a.getNativeProps)(e,a.inputProperties,["defaultChecked"]),j=void 0;p||F||(y&&(j=A),L&&!j&&(j=N));var z=r.useRef(null);(0,a.useFocusRects)(z),u(e,M,z);var W={root:{className:R.root,hidden:H.hidden},label:{children:y,className:R.label,htmlFor:B,id:A},container:{className:R.container},pill:n.__assign(n.__assign({},H),{"aria-disabled":v,"aria-checked":M,"aria-label":p||F,"aria-labelledby":j,className:R.pill,"data-is-focusable":!0,"data-ktp-target":!0,disabled:v,id:B,onClick:function(e){v||(O(!M,e),k&&k(e))},ref:z,role:w||"switch",type:"button"}),thumb:{className:R.thumb},stateText:{children:L,className:R.text,htmlFor:B,id:N}};return r.createElement(d,n.__assign({ref:t},W.root),y&&r.createElement(s.Label,n.__assign({},W.label)),r.createElement("div",n.__assign({},W.container),r.createElement("button",n.__assign({},W.pill),r.createElement("span",n.__assign({},W.thumb))),(M&&I||S)&&r.createElement(s.Label,n.__assign({},W.stateText))))})),t.ToggleBase.displayName=c+"Base";var u=function(e,t,o){r.useImperativeHandle(e.componentRef,(function(){return{get checked(){return!!t},focus:function(){o.current&&o.current.focus()}}}),[t,o])}},2959:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Toggle=void 0;var n=o(52332),r=o(63324),i=o(75027);t.Toggle=(0,n.styled)(r.ToggleBase,i.getStyles,void 0,{scope:"Toggle"})},75027:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(31635),r=o(83048);t.getStyles=function(e){var t,o,i,a,s,l,c,u=e.theme,d=e.className,p=e.disabled,m=e.checked,g=e.inlineLabel,h=e.onOffMissing,f=u.semanticColors,v=u.palette,b=f.bodyBackground,y=f.inputBackgroundChecked,_=f.inputBackgroundCheckedHovered,S=v.neutralDark,C=f.disabledBodySubtext,x=f.smallInputBorder,P=f.inputForegroundChecked,k=f.disabledBodySubtext,I=f.disabledBackground,w=f.smallInputBorder,T=f.inputBorderHovered,E=f.disabledBodySubtext,D=f.disabledText;return{root:["ms-Toggle",m&&"is-checked",!p&&"is-enabled",p&&"is-disabled",u.fonts.medium,{marginBottom:"8px"},g&&{display:"flex",alignItems:"center"},d],label:["ms-Toggle-label",{display:"inline-block"},p&&{color:D,selectors:(t={},t[r.HighContrastSelector]={color:"GrayText"},t)},g&&!h&&{marginRight:16},h&&g&&{order:1,marginLeft:16},g&&{wordBreak:"break-word"}],container:["ms-Toggle-innerContainer",{display:"flex",position:"relative"}],pill:["ms-Toggle-background",(0,r.getFocusStyle)(u,{inset:-3}),{fontSize:"20px",boxSizing:"border-box",width:40,height:20,borderRadius:10,transition:"all 0.1s ease",border:"1px solid ".concat(w),background:b,cursor:"pointer",display:"flex",alignItems:"center",padding:"0 3px",overflow:"visible"},!p&&[!m&&{selectors:{":hover":[{borderColor:T}],":hover .ms-Toggle-thumb":[{backgroundColor:S,selectors:(o={},o[r.HighContrastSelector]={borderColor:"Highlight"},o)}]}},m&&[{background:y,borderColor:"transparent",justifyContent:"flex-end"},{selectors:(i={":hover":[{backgroundColor:_,borderColor:"transparent",selectors:(a={},a[r.HighContrastSelector]={backgroundColor:"Highlight"},a)}]},i[r.HighContrastSelector]=n.__assign({backgroundColor:"Highlight"},(0,r.getHighContrastNoAdjustStyle)()),i)}]],p&&[{cursor:"default"},!m&&[{borderColor:E}],m&&[{backgroundColor:C,borderColor:"transparent",justifyContent:"flex-end"}]],!p&&{selectors:{"&:hover":{selectors:(s={},s[r.HighContrastSelector]={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:P,selectors:(l={},l[r.HighContrastSelector]={backgroundColor:"Window",borderColor:"Window"},l)}],p&&[!m&&[{backgroundColor:k}],m&&[{backgroundColor:I}]]],text:["ms-Toggle-stateText",{selectors:{"&&":{padding:"0",margin:"0 8px",userSelect:"none",fontWeight:r.FontWeights.regular}}},p&&{selectors:{"&&":{color:D,selectors:(c={},c[r.HighContrastSelector]={color:"GrayText"},c)}}}]}}},11416:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},46783:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(2959),t),n.__exportStar(o(63324),t),n.__exportStar(o(11416),t)},51538:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.TooltipBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(16473),s=o(42502),l=(0,i.classNamesFunction)(),c=function(e){function t(){var t=null!==e&&e.apply(this,arguments)||this;return t._onRenderContent=function(e){return"string"==typeof e.content?r.createElement("p",{className:t._classNames.subText},e.content):r.createElement("div",{className:t._classNames.subText},e.content)},t}return n.__extends(t,e),t.prototype.render=function(){var e=this.props,t=e.className,o=e.calloutProps,s=e.directionalHint,c=e.directionalHintForRTL,u=e.styles,d=e.id,p=e.maxWidth,m=e.onRenderContent,g=void 0===m?this._onRenderContent:m,h=e.targetElement,f=e.theme;return this._classNames=l(u,{theme:f,className:t||o&&o.className,beakWidth:o&&o.isBeakVisible?o.beakWidth:0,gapSpace:o&&o.gapSpace,maxWidth:p}),r.createElement(a.Callout,n.__assign({target:h,directionalHint:s,directionalHintForRTL:c},o,(0,i.getNativeProps)(this.props,i.divProperties,["id"]),{className:this._classNames.root}),r.createElement("div",{className:this._classNames.content,id:d,onFocus:this.props.onFocus,onMouseEnter:this.props.onMouseEnter,onMouseLeave:this.props.onMouseLeave},g(this.props,this._onRenderContent)))},t.defaultProps={directionalHint:s.DirectionalHint.topCenter,maxWidth:"364px",calloutProps:{isBeakVisible:!0,beakWidth:16,gapSpace:0,setInitialFocus:!0,doNotLayer:!1}},t}(r.Component);t.TooltipBase=c},21893:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Tooltip=void 0;var n=o(71061),r=o(51538),i=o(5713);t.Tooltip=(0,n.styled)(r.TooltipBase,i.getStyles,void 0,{scope:"Tooltip"})},5713:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019);t.getStyles=function(e){var t=e.className,o=e.beakWidth,r=void 0===o?16:o,i=e.gapSpace,a=void 0===i?0:i,s=e.maxWidth,l=e.theme,c=l.semanticColors,u=l.fonts,d=l.effects,p=-(Math.sqrt(r*r/2)+a)+1/window.devicePixelRatio;return{root:["ms-Tooltip",l.fonts.medium,n.AnimationClassNames.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}]}}},39078:(e,t)=>{"use strict";var o;Object.defineProperty(t,"__esModule",{value:!0}),t.TooltipDelay=void 0,(o=t.TooltipDelay||(t.TooltipDelay={}))[o.zero=0]="zero",o[o.medium=1]="medium",o[o.long=2]="long"},38472:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.TooltipHostBase=void 0;var n=o(31635),r=o(83923),i=o(15019),a=o(71061),s=o(72628),l=o(21893),c=o(39078),u=o(97156),d=o(50478),p=(0,a.classNamesFunction)(),m=function(e){function t(o){var n=e.call(this,o)||this;return n._tooltipHost=r.createRef(),n._defaultTooltipId=(0,a.getId)("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 s.TooltipOverflowMode.Parent:return n._tooltipHost.current.parentElement;case s.TooltipOverflowMode.Self:return n._tooltipHost.current}return n._tooltipHost.current}},n._onTooltipFocus=function(e){n._ignoreNextFocusEvent?n._ignoreNextFocusEvent=!1:n._onTooltipMouseEnter(e)},n._onTooltipContentFocus=function(e){t._currentVisibleTooltip&&t._currentVisibleTooltip!==n&&t._currentVisibleTooltip.dismiss(),t._currentVisibleTooltip=n,n._clearDismissTimer(),n._clearOpenTimer()},n._onTooltipBlur=function(e){var t;n._ignoreNextFocusEvent=(null===(t=(0,d.getDocumentEx)(n.context))||void 0===t?void 0:t.activeElement)===e.target,n._dismissTimerId=n._async.setTimeout((function(){n._hideTooltip()}),0)},n._onTooltipMouseEnter=function(e){var o=n.props,r=o.overflowMode,i=o.delay,s=(0,d.getDocumentEx)(n.context);if(t._currentVisibleTooltip&&t._currentVisibleTooltip!==n&&t._currentVisibleTooltip.dismiss(),t._currentVisibleTooltip=n,void 0!==r){var l=n._getTargetElement();if(l&&!(0,a.hasOverflow)(l))return}if(!e.target||!(0,a.portalContainsElement)(e.target,n._getTargetElement(),s))if(n._clearDismissTimer(),n._clearOpenTimer(),i!==c.TooltipDelay.zero){var u=n._getDelayTime(i);n._openTimerId=n._async.setTimeout((function(){n._toggleTooltip(!0)}),u)}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===a.KeyCodes.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({isTooltipVisible:e},(function(){return n.props.onTooltipToggle&&n.props.onTooltipToggle(e)}))},n._getDelayTime=function(e){switch(e){case c.TooltipDelay.medium:return 300;case c.TooltipDelay.long:return 500;default:return 0}},(0,a.initializeComponentRef)(n),n.state={isAriaPlaceholderRendered:!1,isTooltipVisible:!1},n}return n.__extends(t,e),t.prototype.render=function(){var e=this.props,t=e.calloutProps,o=e.children,s=e.content,c=e.directionalHint,u=e.directionalHintForRTL,d=e.hostClassName,m=e.id,g=e.setAriaDescribedBy,h=void 0===g||g,f=e.tooltipProps,v=e.styles,b=e.theme;this._classNames=p(v,{theme:b,className:d});var y=this.state.isTooltipVisible,_=m||this._defaultTooltipId,S=n.__assign(n.__assign({id:"".concat(_,"--tooltip"),content:s,targetElement:this._getTargetElement(),directionalHint:c,directionalHintForRTL:u,calloutProps:(0,a.assign)({},t,{onDismiss:this._hideTooltip,onFocus:this._onTooltipContentFocus,onMouseEnter:this._onTooltipMouseEnter,onMouseLeave:this._onTooltipMouseLeave}),onMouseEnter:this._onTooltipMouseEnter,onMouseLeave:this._onTooltipMouseLeave},(0,a.getNativeProps)(this.props,a.divProperties,["id"])),f),C=(null==f?void 0:f.onRenderContent)?f.onRenderContent(S,(function(e){return(null==e?void 0:e.content)?r.createElement(r.Fragment,null,e.content):null})):s,x=y&&!!C,P=h&&y&&C?_:void 0;return r.createElement("div",n.__assign({className:this._classNames.root,ref:this._tooltipHost},{onFocusCapture:this._onTooltipFocus},{onBlurCapture:this._onTooltipBlur},{onMouseEnter:this._onTooltipMouseEnter,onMouseLeave:this._onTooltipMouseLeave,onKeyDown:this._onTooltipKeyDown,role:"none","aria-describedby":P}),o,x&&r.createElement(l.Tooltip,n.__assign({},S)),r.createElement("div",{hidden:!0,id:_,style:i.hiddenContentStyle},C))},t.prototype.componentDidMount=function(){this._async=new a.Async(this)},t.prototype.componentWillUnmount=function(){t._currentVisibleTooltip&&t._currentVisibleTooltip===this&&(t._currentVisibleTooltip=void 0),this._async.dispose()},t.defaultProps={delay:c.TooltipDelay.medium},t.contextType=u.WindowContext,t}(r.Component);t.TooltipHostBase=m},57331:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.TooltipHost=void 0;var n=o(71061),r=o(38472),i=o(82991);t.TooltipHost=(0,n.styled)(r.TooltipHostBase,i.getStyles,void 0,{scope:"TooltipHost"})},82991:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r={root:"ms-TooltipHost",ariaPlaceholder:"ms-TooltipHost-aria-placeholder"};t.getStyles=function(e){var t=e.className,o=e.theme;return{root:[(0,n.getGlobalClassNames)(r,o).root,{display:"inline"},t]}}},72628:(e,t)=>{"use strict";var o;Object.defineProperty(t,"__esModule",{value:!0}),t.TooltipOverflowMode=void 0,(o=t.TooltipOverflowMode||(t.TooltipOverflowMode={}))[o.Parent=0]="Parent",o[o.Self=1]="Self"},14658:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(21893),t),n.__exportStar(o(51538),t),n.__exportStar(o(39078),t),n.__exportStar(o(57331),t),n.__exportStar(o(38472),t),n.__exportStar(o(72628),t)},5758:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.WeeklyDayPickerBase=void 0;var n=o(31635),r=o(83923),i=o(52332),a=o(98752),s=o(67033),l=o(6517),c=o(30936),u=o(26468),d=(0,i.classNamesFunction)(),p=function(e){function t(t){var o=e.call(this,t)||this;o._dayGrid=r.createRef(),o._onSelectDate=function(e){var t=o.props.onSelectDate;o.setState({selectedDate:e}),o._focusOnUpdate=!0,t&&t(e)},o._onNavigateDate=function(e,t){var n=o.props.onNavigateDate;o.setState({navigatedDate:e}),o._focusOnUpdate=t,n&&n(e)},o._renderPreviousWeekNavigationButton=function(e){var t,n=o.props,a=n.minDate,s=n.firstDayOfWeek,u=n.navigationIcons,d=o.state.navigatedDate,p=(0,i.getRTL)()?u.rightNavigation:u.leftNavigation,m=!a||(0,l.compareDatePart)(a,(0,l.getStartDateOfWeek)(d,s))<0;return r.createElement("button",{className:(0,i.css)(e.navigationIconButton,(t={},t[e.disabledStyle]=!m,t)),disabled:!m,"aria-disabled":!m,onClick:m?o._onSelectPrevDateRange:void 0,onKeyDown:m?o._onButtonKeyDown(o._onSelectPrevDateRange):void 0,title:o._createPreviousWeekAriaLabel(),type:"button"},r.createElement(c.Icon,{iconName:p}))},o._renderNextWeekNavigationButton=function(e){var t,n=o.props,a=n.maxDate,s=n.firstDayOfWeek,u=n.navigationIcons,d=o.state.navigatedDate,p=(0,i.getRTL)()?u.leftNavigation:u.rightNavigation,m=!a||(0,l.compareDatePart)((0,l.addDays)((0,l.getStartDateOfWeek)(d,s),7),a)<0;return r.createElement("button",{className:(0,i.css)(e.navigationIconButton,(t={},t[e.disabledStyle]=!m,t)),disabled:!m,"aria-disabled":!m,onClick:m?o._onSelectNextDateRange:void 0,onKeyDown:m?o._onButtonKeyDown(o._onSelectNextDateRange):void 0,title:o._createNextWeekAriaLabel(),type:"button"},r.createElement(c.Icon,{iconName:p}))},o._onSelectPrevDateRange=function(){o.props.showFullMonth?o._navigateDate((0,l.addMonths)(o.state.navigatedDate,-1)):o._navigateDate((0,l.addDays)(o.state.navigatedDate,-7))},o._onSelectNextDateRange=function(){o.props.showFullMonth?o._navigateDate((0,l.addMonths)(o.state.navigatedDate,1)):o._navigateDate((0,l.addDays)(o.state.navigatedDate,7))},o._navigateDate=function(e){o.setState({navigatedDate:e}),o.props.onNavigateDate&&o.props.onNavigateDate(e)},o._onWrapperKeyDown=function(e){switch(e.which){case i.KeyCodes.enter:case i.KeyCodes.backspace:e.preventDefault()}},o._onButtonKeyDown=function(e){return function(t){t.which===i.KeyCodes.enter&&e()}},o._onTouchStart=function(e){var t=e.touches[0];t&&(o._initialTouchX=t.clientX)},o._onTouchMove=function(e){var t=(0,i.getRTL)(),n=e.touches[0];n&&void 0!==o._initialTouchX&&n.clientX!==o._initialTouchX&&((n.clientX-o._initialTouchX)*(t?-1:1)<0?o._onSelectNextDateRange():o._onSelectPrevDateRange(),o._initialTouchX=void 0)},o._createPreviousWeekAriaLabel=function(){var e=o.props,t=e.strings,n=e.showFullMonth,r=e.firstDayOfWeek,i=o.state.navigatedDate,a=void 0;if(n&&t.prevMonthAriaLabel)a=t.prevMonthAriaLabel+" "+t.months[(0,l.addMonths)(i,-1).getMonth()];else if(!n&&t.prevWeekAriaLabel){var s=(0,l.getStartDateOfWeek)((0,l.addDays)(i,-7),r),c=(0,l.addDays)(s,6);a=t.prevWeekAriaLabel+" "+o._formatDateRange(s,c)}return a},o._createNextWeekAriaLabel=function(){var e=o.props,t=e.strings,n=e.showFullMonth,r=e.firstDayOfWeek,i=o.state.navigatedDate,a=void 0;if(n&&t.nextMonthAriaLabel)a=t.nextMonthAriaLabel+" "+t.months[(0,l.addMonths)(i,1).getMonth()];else if(!n&&t.nextWeekAriaLabel){var s=(0,l.getStartDateOfWeek)((0,l.addDays)(i,7),r),c=(0,l.addDays)(s,6);a=t.nextWeekAriaLabel+" "+o._formatDateRange(s,c)}return a},o._formatDateRange=function(e,t){var n=o.props,r=n.dateTimeFormatter,i=n.strings;return"".concat(null==r?void 0:r.formatMonthDayYear(e,i)," - ").concat(null==r?void 0:r.formatMonthDayYear(t,i))},(0,i.initializeComponentRef)(o);var n=t.initialDate&&!isNaN(t.initialDate.getTime())?t.initialDate:t.today||new Date;return o.state={selectedDate:n,navigatedDate:n,previousShowFullMonth:!!t.showFullMonth,animationDirection:t.animationDirection},o._focusOnUpdate=!1,o}return n.__extends(t,e),t.getDerivedStateFromProps=function(e,t){var o=e.initialDate&&!isNaN(e.initialDate.getTime())?e.initialDate:e.today||new Date,n=!!e.showFullMonth,r=n!==t.previousShowFullMonth?a.AnimationDirection.Vertical:a.AnimationDirection.Horizontal;return(0,l.compareDates)(o,t.selectedDate)?{selectedDate:o,navigatedDate:t.navigatedDate,previousShowFullMonth:n,animationDirection:r}:{selectedDate:o,navigatedDate:o,previousShowFullMonth:n,animationDirection:r}},t.prototype.focus=function(){this._dayGrid&&this._dayGrid.current&&this._dayGrid.current.focus()},t.prototype.render=function(){var e=this.props,t=e.strings,o=e.dateTimeFormatter,i=e.firstDayOfWeek,a=e.minDate,c=e.maxDate,u=e.restrictedDates,p=e.today,m=e.styles,g=e.theme,h=e.className,f=e.showFullMonth,v=e.weeksToShow,b=n.__rest(e,["strings","dateTimeFormatter","firstDayOfWeek","minDate","maxDate","restrictedDates","today","styles","theme","className","showFullMonth","weeksToShow"]),y=d(m,{theme:g,className:h});return r.createElement("div",{className:y.root,onKeyDown:this._onWrapperKeyDown,onTouchStart:this._onTouchStart,onTouchMove:this._onTouchMove,"aria-expanded":f},this._renderPreviousWeekNavigationButton(y),r.createElement(s.CalendarDayGrid,n.__assign({styles:m,componentRef:this._dayGrid,strings:t,selectedDate:this.state.selectedDate,navigatedDate:this.state.navigatedDate,firstDayOfWeek:i,firstWeekOfYear:l.FirstWeekOfYear.FirstDay,dateRangeType:l.DateRangeType.Day,weeksToShow:f?v:1,dateTimeFormatter:o,minDate:a,maxDate:c,restrictedDates:u,onSelectDate:this._onSelectDate,onNavigateDate:this._onNavigateDate,today:p,lightenDaysOutsideNavigatedMonth:f,animationDirection:this.state.animationDirection},b)),this._renderNextWeekNavigationButton(y))},t.prototype.componentDidUpdate=function(){this._focusOnUpdate&&(this.focus(),this._focusOnUpdate=!1)},t.defaultProps={onSelectDate:void 0,initialDate:void 0,today:new Date,firstDayOfWeek:l.DayOfWeek.Sunday,strings:u.defaultWeeklyDayPickerStrings,navigationIcons:u.defaultWeeklyDayPickerNavigationIcons,dateTimeFormatter:l.DEFAULT_DATE_FORMATTING,animationDirection:a.AnimationDirection.Horizontal},t}(r.Component);t.WeeklyDayPickerBase=p},12025:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.WeeklyDayPicker=void 0;var n=o(5758),r=o(5005),i=o(71061);t.WeeklyDayPicker=(0,i.styled)(n.WeeklyDayPickerBase,r.styles,void 0,{scope:"WeeklyDayPicker"})},5005:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.styles=void 0;var n=o(83048),r=o(52332),i={root:"ms-WeeklyDayPicker-root"};t.styles=function(e){var t,o=e.className,a=e.theme,s=a.palette,l=(0,n.getGlobalClassNames)(i,a);return{root:[l.root,n.normalize,{width:220,padding:12,boxSizing:"content-box",display:"flex",alignItems:"center",flexDirection:"row"},o],dayButton:{borderRadius:"100%"},dayIsToday:{},dayCell:{borderRadius:"100%!important"},daySelected:{},navigationIconButton:[(0,n.getFocusStyle)(a,{inset:0}),{width:12,minWidth:12,height:0,overflow:"hidden",padding:0,margin:0,border:"none",display:"flex",alignItems:"center",backgroundColor:s.neutralLighter,fontSize:n.FontSizes.small,fontFamily:"inherit",selectors:(t={},t[".".concat(l.root,":hover &, .").concat(r.IsFocusVisibleClassName," .").concat(l.root,":focus &, :host(.").concat(r.IsFocusVisibleClassName,") .").concat(l.root,":focus &, ")+".".concat(r.IsFocusVisibleClassName," &:focus, :host(.").concat(r.IsFocusVisibleClassName,") &:focus")]={height:53,minHeight:12,overflow:"initial"},t[".".concat(r.IsFocusVisibleClassName," .").concat(l.root,":focus-within &, :host(.").concat(r.IsFocusVisibleClassName,") .").concat(l.root,":focus-within &")]={height:53,minHeight:12,overflow:"initial"},t["&:hover"]={cursor:"pointer",backgroundColor:s.neutralLight},t["&:active"]={backgroundColor:s.neutralTertiary},t)}],disabledStyle:{selectors:{"&, &:disabled, & button":{color:s.neutralTertiaryAlt,pointerEvents:"none"}}}}}},83426:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},26468:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.defaultWeeklyDayPickerNavigationIcons=t.defaultWeeklyDayPickerStrings=void 0;var n=o(31635),r=o(6517);t.defaultWeeklyDayPickerStrings=n.__assign(n.__assign({},r.DEFAULT_CALENDAR_STRINGS),{prevWeekAriaLabel:"Previous week",nextWeekAriaLabel:"Next week",prevMonthAriaLabel:"Go to previous month",nextMonthAriaLabel:"Go to next month",prevYearAriaLabel:"Go to previous year",nextYearAriaLabel:"Go to next year",closeButtonAriaLabel:"Close date picker"}),t.defaultWeeklyDayPickerNavigationIcons={leftNavigation:"ChevronLeft",rightNavigation:"ChevronRight"}},5552:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(12025),t),n.__exportStar(o(83426),t),n.__exportStar(o(26468),t)},59218:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(96771),t)},65461:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(35268),t)},20375:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.BasePickerListBelow=t.BasePicker=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(16473),s=o(95143),l=o(42502),c=o(89929),u=o(11517),d=o(82769),p=o(50496),m=o(44437),g=o(10713),h=o(97156),f=o(50478),v=g,b=(0,i.classNamesFunction)(),y=function(e){function t(t){var o,n=e.call(this,t)||this;n.root=r.createRef(),n.input=r.createRef(),n.suggestionElement=r.createRef(),n.SuggestionOfProperType=c.Suggestions,n._styledSuggestions=(o=n.SuggestionOfProperType,(0,i.styled)(o,u.getStyles,void 0,{scope:"Suggestions"})),n._overrideScrollDismiss=!1,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===i.KeyCodes.up?n.suggestionStore.setSelectedSuggestion(n.suggestionStore.suggestions.length-1):e===i.KeyCodes.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._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=(0,f.getDocumentEx)(n.context).activeElement),t&&!(0,i.elementContains)(n.root.current,t)&&(n.setState({isFocused:!1}),n.props.onBlur&&n.props.onBlur(e))}},n.onWrapperClick=function(e){n.state.items.length&&!n.canAddItems()&&n.resetFocus(n.state.items.length-1)},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.onFocus=function(){n.state.isFocused||n.setState({isFocused:!0})},n.onKeyDown=function(e){var t=e.which;switch(t){case i.KeyCodes.escape:n.state.suggestionsVisible&&(n.setState({suggestionsVisible:!1}),e.preventDefault(),e.stopPropagation());break;case i.KeyCodes.tab:case i.KeyCodes.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 i.KeyCodes.backspace:n.props.disabled||n.onBackspace(e),e.stopPropagation();break;case i.KeyCodes.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 i.KeyCodes.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 i.KeyCodes.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:"",selectionRemoved:void 0})}},n.removeItem=function(e){var t=n.state.items,o=t.indexOf(e);if(o>=0){var r=t.slice(0,o).concat(t.slice(o+1));n.setState({selectionRemoved:e}),n._updateSelectedItems(r),n._async.setTimeout((function(){n.setState({selectionRemoved:void 0})}),1e3)}},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 i.KeyCodes.up:case i.KeyCodes.down:return!0}return e.which===i.KeyCodes.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)!==p.ValidationState.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,i.initializeComponentRef)(n),n._async=new i.Async(n);var a=t.selectedItems||t.defaultSelectedItems||[];return n._id=(0,i.getId)(),n._ariaMap={selectedItems:"selected-items-".concat(n._id),selectedSuggestionAlert:"selected-suggestion-alert-".concat(n._id),suggestionList:"suggestion-list-".concat(n._id),combobox:"combobox-".concat(n._id)},n.suggestionStore=new d.SuggestionsController,n.selection=new s.Selection({onSelectionChanged:function(){return n.onSelectionChange()}}),n.selection.setItems(a),n.state={items:a,suggestedDisplayValue:"",isMostRecentlyUsedVisible:!1,moreSuggestionsAvailable:!1,isFocused:!1,isSearching:!1,selectedIndices:[],selectionRemoved:void 0},n}return n.__extends(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:!1,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){var o=this;if(this.state.items&&this.state.items!==t.items){var n=this.selection.getSelectedIndices()[0];this.selection.setItems(this.state.items),this.state.isFocused&&(this.state.items.lengtht.items.length&&!this.canAddItems()&&this.resetFocus(this.state.items.length-1))}this.state.suggestionsVisible&&!t.suggestionsVisible&&(this._overrideScrollDismiss=!0,this._async.clearTimeout(this._overrideScrollDimissTimeout),this._overrideScrollDimissTimeout=this._async.setTimeout((function(){o._overrideScrollDismiss=!1}),100))},t.prototype.componentWillUnmount=function(){this.currentPromise&&(this.currentPromise=void 0),this._async.dispose()},t.prototype.focus=function(){this.input.current&&this.input.current.focus()},t.prototype.focusInput=function(){this.input.current&&this.input.current.focus()},t.prototype.completeSuggestion=function(e){this.suggestionStore.hasSelectedSuggestion()&&this.input.current?this.completeSelection(this.suggestionStore.currentSuggestion.item):e&&this._completeGenericSuggestion()},t.prototype.render=function(){var e=this.state,t=e.suggestedDisplayValue,o=e.isFocused,a=e.items,l=this.props,c=l.className,u=l.inputProps,d=l.disabled,p=l.selectionAriaLabel,g=l.selectionRole,h=void 0===g?"list":g,f=l.theme,y=l.styles,_=!!this.state.suggestionsVisible,S=_?this._ariaMap.suggestionList:void 0,C=y?b(y,{theme:f,className:c,isFocused:o,disabled:d,inputClassName:u&&u.className}):{root:(0,i.css)("ms-BasePicker",c||""),text:(0,i.css)("ms-BasePicker-text",v.pickerText,this.state.isFocused&&v.inputFocused),itemsWrapper:v.pickerItems,input:(0,i.css)("ms-BasePicker-input",v.pickerInput,u&&u.className),screenReaderText:v.screenReaderOnly},x=this.props["aria-label"]||(null==u?void 0:u["aria-label"]);return r.createElement("div",{ref:this.root,className:C.root,onKeyDown:this.onKeyDown,onFocus:this.onFocus,onBlur:this.onBlur,onClick:this.onWrapperClick},this.renderCustomAlert(C.screenReaderText),r.createElement("span",{id:"".concat(this._ariaMap.selectedItems,"-label"),hidden:!0},p||x),r.createElement(s.SelectionZone,{selection:this.selection,selectionMode:s.SelectionMode.multiple},r.createElement("div",{className:C.text,"aria-owns":S},a.length>0&&r.createElement("span",{id:this._ariaMap.selectedItems,className:C.itemsWrapper,role:h,"aria-labelledby":"".concat(this._ariaMap.selectedItems,"-label")},this.renderItems()),this.canAddItems()&&r.createElement(m.Autofill,n.__assign({spellCheck:!1},u,{className:C.input,componentRef:this.input,id:(null==u?void 0:u.id)?u.id:this._ariaMap.combobox,onClick:this.onClick,onFocus:this.onInputFocus,onBlur:this.onInputBlur,onInputValueChange:this.onInputChange,suggestedDisplayValue:t,"aria-activedescendant":_?this.getActiveDescendant():void 0,"aria-controls":S,"aria-describedby":a.length>0?this._ariaMap.selectedItems:void 0,"aria-expanded":_,"aria-haspopup":"listbox","aria-label":x,role:"combobox",disabled:d,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 button")[Math.min(e,t.length-1)];o&&o.focus()}else this.input.current&&this.input.current.focus()},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){var t,o=null===(t=this.props.pickerSuggestionsProps)||void 0===t?void 0:t.resultsMaximumNumber;this.suggestionStore.updateSuggestions(e,0,o),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,n=this;Array.isArray(e)?this._updateAndResolveValue(t,e):e&&e.then&&(this.setState({suggestionsLoading:!0}),this._startLoadTimer(),this.suggestionStore.updateSuggestions([]),void 0!==t?this.setState({suggestionsVisible:this._getShowSuggestions()}):this.setState({suggestionsVisible:this.input.current&&this.input.current.inputElement===(null===(o=(0,f.getDocumentEx)(this.context))||void 0===o?void 0:o.activeElement)}),this.currentPromise=e,e.then((function(o){e===n.currentPromise&&n._updateAndResolveValue(t,o)})))},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,suggestionsExtendedLoading:!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(){var e;if(!this.state.suggestionsLoading){var t=this.suggestionStore.currentIndex;return t<0?(null===(e=this.suggestionElement.current)||void 0===e?void 0:e.hasSuggestedAction())?"sug-selectedAction":0===this.suggestionStore.suggestions.length?"sug-noResultsFound":void 0:"sug-".concat(t)}},t.prototype.getSuggestionsAlert=function(e){void 0===e&&(e=v.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 r.createElement("div",{id:this._ariaMap.selectedSuggestionAlert,className:e},"".concat(n," "))}},t.prototype.renderCustomAlert=function(e){void 0===e&&(e=v.screenReaderOnly);var t=this.props.suggestionRemovedText,o=void 0===t?"removed {0}":t,n="";if(this.state.selectionRemoved){var a=this._getTextFromItem(this.state.selectionRemoved,"");n=(0,i.format)(o,a)}return r.createElement("div",{className:e,id:this._ariaMap.selectedSuggestionAlert,"aria-live":"assertive"},this.getSuggestionsAlert(e),n)},t.prototype._preventDismissOnScrollOrResize=function(e){return!(!this._overrideScrollDismiss||"scroll"!==e.type&&"resize"!==e.type)},t.prototype._startLoadTimer=function(){var e=this;this._async.setTimeout((function(){e.state.suggestionsLoading&&e.setState({suggestionsExtendedLoading:!0})}),3e3)},t.prototype._updateAndResolveValue=function(e,t){var o;if(void 0!==e)this.resolveNewValue(e,t);else{var n=null===(o=this.props.pickerSuggestionsProps)||void 0===o?void 0:o.resultsMaximumNumber;this.suggestionStore.updateSuggestions(t,-1,n),this.state.suggestionsLoading&&this.setState({suggestionsLoading:!1,suggestionsExtendedLoading:!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(){var e;return void 0!==this.input.current&&null!==this.input.current&&this.input.current.inputElement===(null===(e=(0,f.getDocumentEx)(this.context))||void 0===e?void 0:e.activeElement)&&""!==this.input.current.value},t.prototype._getTextFromItem=function(e,t){return this.props.getTextFromItem?this.props.getTextFromItem(e,t):""},t.contextType=h.WindowContext,t}(r.Component);t.BasePicker=y;var _=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return n.__extends(t,e),t.prototype.render=function(){var e=this.state,t=e.suggestedDisplayValue,o=e.isFocused,a=this.props,l=a.className,c=a.inputProps,u=a.disabled,d=a.selectionAriaLabel,p=a.selectionRole,g=void 0===p?"list":p,h=a.theme,f=a.styles,y=!!this.state.suggestionsVisible,_=y?this._ariaMap.suggestionList:void 0,S=f?b(f,{theme:h,className:l,isFocused:o,inputClassName:c&&c.className}):{root:(0,i.css)("ms-BasePicker",v.picker,l||""),text:(0,i.css)("ms-BasePicker-text",v.pickerText,this.state.isFocused&&v.inputFocused,u&&v.inputDisabled),itemsWrapper:v.pickerItems,input:(0,i.css)("ms-BasePicker-input",v.pickerInput,c&&c.className),screenReaderText:v.screenReaderOnly},C=this.props["aria-label"]||(null==c?void 0:c["aria-label"]);return r.createElement("div",{ref:this.root,onBlur:this.onBlur,onFocus:this.onFocus},r.createElement("div",{className:S.root,onKeyDown:this.onKeyDown},this.renderCustomAlert(S.screenReaderText),r.createElement("span",{id:"".concat(this._ariaMap.selectedItems,"-label"),hidden:!0},d||C),r.createElement("div",{className:S.text,"aria-owns":_},r.createElement(m.Autofill,n.__assign({},c,{className:S.input,componentRef:this.input,onFocus:this.onInputFocus,onBlur:this.onInputBlur,onClick:this.onClick,onInputValueChange:this.onInputChange,suggestedDisplayValue:t,"aria-activedescendant":y?this.getActiveDescendant():void 0,"aria-controls":_,"aria-expanded":y,"aria-haspopup":"listbox","aria-label":C,"aria-describedby":this.state.items.length>0?this._ariaMap.selectedItems:void 0,role:"combobox",id:(null==c?void 0:c.id)?c.id:this._ariaMap.combobox,disabled:u,onInputChange:this.props.onInputChange})))),this.renderSuggestions(),r.createElement(s.SelectionZone,{selection:this.selection,selectionMode:s.SelectionMode.single},r.createElement("div",{id:this._ariaMap.selectedItems,className:"ms-BasePicker-selectedItems",role:g,"aria-labelledby":"".concat(this._ariaMap.selectedItems,"-label")},this.renderItems())))},t.prototype.onBackspace=function(e){},t}(y);t.BasePickerListBelow=_},10713:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.screenReaderOnly=t.pickerItems=t.pickerInput=t.inputDisabled=t.inputFocused=t.pickerText=t.picker=void 0,(0,o(65715).loadStyles)([{rawString:".picker_94f06b16{position:relative}.pickerText_94f06b16{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_94f06b16:hover{border-color:"},{theme:"inputBorderHovered",defaultValue:"#323130"},{rawString:"}.pickerText_94f06b16.inputFocused_94f06b16{position:relative;border-color:"},{theme:"inputFocusBorderAlt",defaultValue:"#0078d4"},{rawString:'}.pickerText_94f06b16.inputFocused_94f06b16: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),screen and (forced-colors:active){.pickerText_94f06b16.inputDisabled_94f06b16{position:relative;border-color:GrayText}.pickerText_94f06b16.inputDisabled_94f06b16:after{pointer-events:none;content:"";position:absolute;left:0;top:0;bottom:0;right:0;background-color:Window}}.pickerInput_94f06b16{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_94f06b16{display:-webkit-box;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;max-width:100%}.screenReaderOnly_94f06b16{position:absolute;width:1px;height:1px;padding:0;margin:-1px;overflow:hidden;clip:rect(0,0,0,0);border:0}'}]),t.picker="picker_94f06b16",t.pickerText="pickerText_94f06b16",t.inputFocused="inputFocused_94f06b16",t.inputDisabled="inputDisabled_94f06b16",t.pickerInput="pickerInput_94f06b16",t.pickerItems="pickerItems_94f06b16",t.screenReaderOnly="screenReaderOnly_94f06b16"},40827:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r={root:"ms-BasePicker",text:"ms-BasePicker-text",itemsWrapper:"ms-BasePicker-itemsWrapper",input:"ms-BasePicker-input"};t.getStyles=function(e){var t,o,i,a=e.className,s=e.theme,l=e.isFocused,c=e.inputClassName,u=e.disabled;if(!s)throw new Error("theme is undefined or null in base BasePicker getStyles function.");var d=s.semanticColors,p=s.effects,m=s.fonts,g=d.inputBorder,h=d.inputBorderHovered,f=d.inputFocusBorderAlt,v=(0,n.getGlobalClassNames)(r,s),b=[m.medium,{color:d.inputPlaceholderText,opacity:1,selectors:(t={},t[n.HighContrastSelector]={color:"GrayText"},t)}],y={color:d.disabledText,selectors:(o={},o[n.HighContrastSelector]={color:"GrayText"},o)},_="rgba(218, 218, 218, 0.29)";return{root:[v.root,a,{position:"relative"}],text:[v.text,{display:"flex",position:"relative",flexWrap:"wrap",alignItems:"center",boxSizing:"border-box",minWidth:180,minHeight:30,border:"1px solid ".concat(g),borderRadius:p.roundedCorner2},!l&&!u&&{selectors:{":hover":{borderColor:h}}},l&&!u&&(0,n.getInputFocusStyle)(f,p.roundedCorner2),u&&{borderColor:_,selectors:(i={":after":{content:'""',position:"absolute",top:0,right:0,bottom:0,left:0,background:_}},i[n.HighContrastSelector]={borderColor:"GrayText",selectors:{":after":{background:"none"}}},i)}],itemsWrapper:[v.itemsWrapper,{display:"flex",flexWrap:"wrap",maxWidth:"100%"}],input:[v.input,m.medium,{height:30,border:"none",flexGrow:1,outline:"none",padding:"0 6px 0",alignSelf:"flex-end",borderRadius:p.roundedCorner2,backgroundColor:"transparent",color:d.inputText,selectors:{"::-ms-clear":{display:"none"},"&:placeholder-shown":{textOverflow:"ellipsis"}}},(0,n.getPlaceholderStyles)(b),u&&(0,n.getPlaceholderStyles)(y),c],screenReaderText:n.hiddenContentStyle}}},50496:(e,t)=>{"use strict";var o;Object.defineProperty(t,"__esModule",{value:!0}),t.ValidationState=void 0,(o=t.ValidationState||(t.ValidationState={}))[o.valid=0]="valid",o[o.warning=1]="warning",o[o.invalid=2]="invalid"},5109:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ListPeoplePicker=t.CompactPeoplePicker=t.NormalPeoplePicker=t.createGenericItem=t.ListPeoplePickerBase=t.CompactPeoplePickerBase=t.NormalPeoplePickerBase=t.MemberListPeoplePicker=t.BasePeoplePicker=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(20375),s=o(50496),l=o(73386),c=o(27810),u=o(40827),d=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return n.__extends(t,e),t}(a.BasePicker);t.BasePeoplePicker=d;var p=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return n.__extends(t,e),t}(a.BasePickerListBelow);t.MemberListPeoplePicker=p;var m=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return n.__extends(t,e),t.defaultProps={onRenderItem:function(e){return r.createElement(l.PeoplePickerItem,n.__assign({},e))},onRenderSuggestionsItem:function(e,t){return r.createElement(c.PeoplePickerItemSuggestion,{personaProps:e,suggestionsProps:t})},createGenericItem:f},t}(d);t.NormalPeoplePickerBase=m;var g=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return n.__extends(t,e),t.defaultProps={onRenderItem:function(e){return r.createElement(l.PeoplePickerItem,n.__assign({},e))},onRenderSuggestionsItem:function(e,t){return r.createElement(c.PeoplePickerItemSuggestion,{personaProps:e,suggestionsProps:t,compact:!0})},createGenericItem:f},t}(d);t.CompactPeoplePickerBase=g;var h=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return n.__extends(t,e),t.defaultProps={onRenderItem:function(e){return r.createElement(l.PeoplePickerItem,n.__assign({},e))},onRenderSuggestionsItem:function(e,t){return r.createElement(c.PeoplePickerItemSuggestion,{personaProps:e,suggestionsProps:t})},createGenericItem:f},t}(p);function f(e,t){var o={key:e,primaryText:e,imageInitials:"!",ValidationState:t};return t!==s.ValidationState.warning&&(o.imageInitials=(0,i.getInitials)(e,(0,i.getRTL)())),o}t.ListPeoplePickerBase=h,t.createGenericItem=f,t.NormalPeoplePicker=(0,i.styled)(m,u.getStyles,void 0,{scope:"NormalPeoplePicker"}),t.CompactPeoplePicker=(0,i.styled)(g,u.getStyles,void 0,{scope:"CompactPeoplePicker"}),t.ListPeoplePicker=(0,i.styled)(h,u.getStyles,void 0,{scope:"ListPeoplePickerBase"})},73386:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.PeoplePickerItem=t.PeoplePickerItemBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(48377),s=o(74393),l=o(50496),c=o(48940),u=(0,i.classNamesFunction)();t.PeoplePickerItemBase=function(e){var t=e.item,o=e.onRemoveItem,c=e.index,d=e.selected,p=e.removeButtonAriaLabel,m=e.styles,g=e.theme,h=e.className,f=e.disabled,v=e.removeButtonIconProps,b=r.createRef(),y=(0,i.getId)(),_=u(m,{theme:g,className:h,selected:d,disabled:f,invalid:t.ValidationState===l.ValidationState.warning}),S=_.subComponentStyles?_.subComponentStyles.persona:void 0,C=_.subComponentStyles?_.subComponentStyles.personaCoin:void 0;return r.createElement("div",{"data-selection-index":c,className:_.root,role:"listitem",key:c,onClick:function(){var e;null===(e=b.current)||void 0===e||e.focus()}},r.createElement("div",{className:_.itemContent,id:"selectedItemPersona-"+y},r.createElement(a.Persona,n.__assign({size:a.PersonaSize.size24,styles:S,coinProps:{styles:C}},t))),r.createElement(s.IconButton,{componentRef:b,id:y,onClick:o,disabled:f,iconProps:null!=v?v:{iconName:"Cancel"},styles:{icon:{fontSize:"12px"}},className:_.removeButton,ariaLabel:p,"aria-labelledby":"".concat(y," selectedItemPersona-").concat(y)}))},t.PeoplePickerItem=(0,i.styled)(t.PeoplePickerItemBase,c.getStyles,void 0,{scope:"PeoplePickerItem"})},48940:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(31635),r=o(15019),i=o(21550),a={root:"ms-PickerPersona-container",itemContent:"ms-PickerItem-content",removeButton:"ms-PickerItem-removeButton",isSelected:"is-selected",isInvalid:"is-invalid"};t.getStyles=function(e){var t,o,s,l,c,u,d,p,m=e.className,g=e.theme,h=e.selected,f=e.invalid,v=e.disabled,b=g.palette,y=g.semanticColors,_=g.fonts,S=(0,r.getGlobalClassNames)(a,g),C=[h&&!f&&!v&&{color:"inherit",selectors:(t={":hover":{color:"inherit"}},t[r.HighContrastSelector]={color:"HighlightText"},t)},(f&&!h||f&&h&&v)&&{color:"inherit",borderBottom:"2px dotted currentColor",selectors:(o={},o[".".concat(S.root,":hover &")]={color:"inherit"},o)},f&&h&&!v&&{color:"inherit",borderBottom:"2px dotted currentColor",selectors:{":hover":{color:"inherit"}}},v&&{selectors:(s={},s[r.HighContrastSelector]={color:"GrayText"},s)}],x=[h&&!f&&!v&&{color:"inherit",selectors:(l={":hover":{color:"inherit"}},l[r.HighContrastSelector]={color:"HighlightText"},l)}],P=[f&&{fontSize:_.xLarge.fontSize}];return{root:[S.root,(0,r.getFocusStyle)(g,{inset:-2}),{borderRadius:15,display:"inline-flex",alignItems:"center",background:b.neutralLighter,margin:"1px 2px",cursor:"default",userSelect:"none",maxWidth:300,verticalAlign:"middle",minWidth:0,selectors:(c={":hover":{background:h||v?"":b.neutralLight}},c[r.HighContrastSelector]=[{border:"1px solid WindowText"},v&&{borderColor:"GrayText"}],c)},h&&!v&&[S.isSelected,{selectors:(u={":focus-within":{background:b.themePrimary,color:b.white}},u[r.HighContrastSelector]=n.__assign({borderColor:"HighLight",background:"Highlight"},(0,r.getHighContrastNoAdjustStyle)()),u)}],f&&[S.isInvalid],f&&h&&!v&&{":focus-within":{background:b.redDark,color:b.white}},(f&&!h||f&&h&&v)&&{color:b.redDark},m],itemContent:[S.itemContent,{flex:"0 1 auto",minWidth:0,maxWidth:"100%",overflow:"hidden"}],removeButton:[S.removeButton,{borderRadius:15,color:b.neutralPrimary,flex:"0 0 auto",width:24,height:24,selectors:{":hover":{background:b.neutralTertiaryAlt,color:b.neutralDark}}},h&&[(0,r.getFocusStyle)(g,{inset:2,borderColor:"transparent",highContrastStyle:{inset:2,left:1,top:1,bottom:1,right:1,outlineColor:"ButtonText"},outlineColor:b.white,borderRadius:15}),{selectors:(d={":hover":{color:b.white,background:b.themeDark},":active":{color:b.white,background:b.themeDarker},":focus":{color:b.white}},d[r.HighContrastSelector]={color:"HighlightText"},d)},f&&{selectors:{":hover":{color:b.white,background:b.red},":active":{color:b.white,background:b.redDark}}}],v&&{selectors:(p={},p[".".concat(i.ButtonGlobalClassNames.msButtonIcon)]={color:y.buttonText},p)}],subComponentStyles:{persona:{root:{color:"inherit"},primaryText:C,secondaryText:x},personaCoin:{initials:P}}}}},20397:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},27810:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.PeoplePickerItemSuggestion=t.PeoplePickerItemSuggestionBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(48377),s=o(72740),l=(0,i.classNamesFunction)();t.PeoplePickerItemSuggestionBase=function(e){var t=e.personaProps,o=e.suggestionsProps,i=e.compact,s=e.styles,c=e.theme,u=e.className,d=l(s,{theme:c,className:o&&o.suggestionsItemClassName||u}),p=d.subComponentStyles&&d.subComponentStyles.persona?d.subComponentStyles.persona:void 0;return r.createElement("div",{className:d.root},r.createElement(a.Persona,n.__assign({size:a.PersonaSize.size24,styles:p,className:d.personaWrapper,showSecondaryText:!i,showOverflowTooltip:!1},t)))},t.PeoplePickerItemSuggestion=(0,i.styled)(t.PeoplePickerItemSuggestionBase,s.getStyles,void 0,{scope:"PeoplePickerItemSuggestion"})},72740:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r=o(51504),i={root:"ms-PeoplePicker-personaContent",personaWrapper:"ms-PeoplePicker-Persona"};t.getStyles=function(e){var t,o,a,s=e.className,l=e.theme,c=(0,n.getGlobalClassNames)(i,l),u={selectors:(t={},t[".".concat(r.SuggestionsItemGlobalClassNames.isSuggested," &")]={selectors:(o={},o[n.HighContrastSelector]={color:"HighlightText"},o)},t[".".concat(c.root,":hover &")]={selectors:(a={},a[n.HighContrastSelector]={color:"HighlightText"},a)},t)};return{root:[c.root,{width:"100%",padding:"4px 12px"},s],personaWrapper:[c.personaWrapper,{width:180}],subComponentStyles:{persona:{primaryText:u,secondaryText:u}}}}},36434:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},89929:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Suggestions=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(74393),s=o(66044),l=o(89496),c=o(7730),u=o(74902),d=o(51504),p=o(59811),m=(0,i.classNamesFunction)(),g=(0,i.styled)(u.SuggestionsItem,d.getStyles,void 0,{scope:"SuggestionItem"}),h=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._scrollContainer=r.createRef(),o.tryHandleKeyDown=function(e,t){var n=!1,r=null,a=o.state.selectedActionType,s=o.props.suggestions.length;if(e===i.KeyCodes.down)switch(a){case c.SuggestionActionType.forceResolve:s>0?(o._refocusOnSuggestions(e),r=c.SuggestionActionType.none):r=o._searchForMoreButton.current?c.SuggestionActionType.searchMore:c.SuggestionActionType.forceResolve;break;case c.SuggestionActionType.searchMore:o._forceResolveButton.current?r=c.SuggestionActionType.forceResolve:s>0?(o._refocusOnSuggestions(e),r=c.SuggestionActionType.none):r=c.SuggestionActionType.searchMore;break;case c.SuggestionActionType.none:-1===t&&o._forceResolveButton.current&&(r=c.SuggestionActionType.forceResolve)}else if(e===i.KeyCodes.up)switch(a){case c.SuggestionActionType.forceResolve:o._searchForMoreButton.current?r=c.SuggestionActionType.searchMore:s>0&&(o._refocusOnSuggestions(e),r=c.SuggestionActionType.none);break;case c.SuggestionActionType.searchMore:s>0?(o._refocusOnSuggestions(e),r=c.SuggestionActionType.none):o._forceResolveButton.current&&(r=c.SuggestionActionType.forceResolve);break;case c.SuggestionActionType.none:-1===t&&o._searchForMoreButton.current&&(r=c.SuggestionActionType.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,s=e.isExtendedLoading,l=e.loadingText;if(t||n){if(t&&s)return l||""}else{if(r.length>0)return i||"";if(a)return a}return""},o._getMoreResults=function(){o.props.onGetMoreResults&&(o.props.onGetMoreResults(),o.setState({selectedActionType:c.SuggestionActionType.none}))},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,i.initializeComponentRef)(o),o.state={selectedActionType:c.SuggestionActionType.none},o}return n.__extends(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,u=this.props,d=u.forceResolveText,g=u.mostRecentlyUsedHeaderText,h=u.searchForMoreIcon,f=u.searchForMoreText,v=u.className,b=u.moreSuggestionsAvailable,y=u.noResultsFoundText,_=u.suggestions,S=u.isLoading,C=u.isSearching,x=u.loadingText,P=u.onRenderNoResultFound,k=u.searchingText,I=u.isMostRecentlyUsedVisible,w=u.resultsMaximumNumber,T=u.resultsFooterFull,E=u.resultsFooter,D=u.isResultsFooterVisible,M=void 0===D||D,O=u.suggestionsHeaderText,R=u.suggestionsClassName,F=u.theme,B=u.styles,A=u.suggestionsListId,N=u.suggestionsContainerAriaLabel;this._classNames=B?m(B,{theme:F,className:v,suggestionsClassName:R,forceResolveButtonSelected:this.state.selectedActionType===c.SuggestionActionType.forceResolve,searchForMoreButtonSelected:this.state.selectedActionType===c.SuggestionActionType.searchMore}):{root:(0,i.css)("ms-Suggestions",v,p.root),title:(0,i.css)("ms-Suggestions-title",p.suggestionsTitle),searchForMoreButton:(0,i.css)("ms-SearchMore-button",p.actionButton,(e={},e["is-selected "+p.buttonSelected]=this.state.selectedActionType===c.SuggestionActionType.searchMore,e)),forceResolveButton:(0,i.css)("ms-forceResolve-button",p.actionButton,(t={},t["is-selected "+p.buttonSelected]=this.state.selectedActionType===c.SuggestionActionType.forceResolve,t)),suggestionsAvailable:(0,i.css)("ms-Suggestions-suggestionsAvailable",p.suggestionsAvailable),suggestionsContainer:(0,i.css)("ms-Suggestions-container",p.suggestionsContainer,R),noSuggestions:(0,i.css)("ms-Suggestions-none",p.suggestionsNone)};var L=this._classNames.subComponentStyles?this._classNames.subComponentStyles.spinner:void 0,H=B?{styles:L}:{className:(0,i.css)("ms-Suggestions-spinner",p.suggestionsSpinner)},j=O;I&&g&&(j=g);var z=void 0;M&&(z=_.length>=w?T:E);var W,V=!(_&&_.length||S),K=this.state.selectedActionType===c.SuggestionActionType.forceResolve?"sug-selectedAction":void 0,G=this.state.selectedActionType===c.SuggestionActionType.searchMore?"sug-selectedAction":void 0;return r.createElement("div",{className:this._classNames.root,"aria-label":N||j,id:A,role:"listbox"},r.createElement(l.Announced,{message:this._getAlertText(),"aria-live":"polite"}),j?r.createElement("div",{className:this._classNames.title},j):null,d&&this._shouldShowForceResolve()&&r.createElement(a.CommandButton,{componentRef:this._forceResolveButton,className:this._classNames.forceResolveButton,id:K,onClick:this._forceResolve,"data-automationid":"sug-forceResolve"},d),S&&r.createElement(s.Spinner,n.__assign({},H,{ariaLabel:x,label:x})),V?(W=function(){return r.createElement("div",{className:o._classNames.noSuggestions},y)},r.createElement("div",{id:"sug-noResultsFound",role:"option"},P?P(void 0,W):W())):this._renderSuggestions(),f&&b&&r.createElement(a.CommandButton,{componentRef:this._searchForMoreButton,className:this._classNames.searchForMoreButton,iconProps:h||{iconName:"Search"},id:G,onClick:this._getMoreResults,"data-automationid":"sug-searchForMore",role:"option"},f),C?r.createElement(s.Spinner,n.__assign({},H,{ariaLabel:k,label:k})):null,!z||b||I||C?null:r.createElement("div",{className:this._classNames.title},z(this.props)))},t.prototype.hasSuggestedAction=function(){return!!this._searchForMoreButton.current||!!this._forceResolveButton.current},t.prototype.hasSuggestedActionSelected=function(){return this.state.selectedActionType!==c.SuggestionActionType.none},t.prototype.executeSelectedAction=function(){switch(this.state.selectedActionType){case c.SuggestionActionType.forceResolve:this._forceResolve();break;case c.SuggestionActionType.searchMore:this._getMoreResults()}},t.prototype.focusAboveSuggestions=function(){this._forceResolveButton.current?this.setState({selectedActionType:c.SuggestionActionType.forceResolve}):this._searchForMoreButton.current&&this.setState({selectedActionType:c.SuggestionActionType.searchMore})},t.prototype.focusBelowSuggestions=function(){this._searchForMoreButton.current?this.setState({selectedActionType:c.SuggestionActionType.searchMore}):this._forceResolveButton.current&&this.setState({selectedActionType:c.SuggestionActionType.forceResolve})},t.prototype.focusSearchForMoreButton=function(){this._searchForMoreButton.current&&this._searchForMoreButton.current.focus()},t.prototype.scrollSelected=function(){if(this._selectedElement.current&&this._scrollContainer.current&&void 0!==this._scrollContainer.current.scrollTo){var e=this._selectedElement.current,t=e.offsetHeight,o=e.offsetTop,n=this._scrollContainer.current,r=n.offsetHeight,i=n.scrollTop,a=o+t>i+r;o=a?c.slice(d-a+1,d+1):c.slice(0,a)),0===c.length?null:r.createElement("div",{className:this._classNames.suggestionsContainer,ref:this._scrollContainer,role:"presentation"},c.map((function(t,a){return r.createElement("div",{ref:t.selected?e._selectedElement:void 0,key:t.item.key?t.item.key:a,role:"presentation"},r.createElement(u,{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,removeButtonIconProps:l}))})))},t}(r.Component);t.Suggestions=h},59811:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.suggestionsAvailable=t.suggestionsSpinner=t.suggestionsNone=t.suggestionsContainer=t.suggestionsTitle=t.buttonSelected=t.actionButton=t.itemButton=t.suggestionsItemIsSuggested=t.closeButton=t.suggestionsItem=t.root=void 0,(0,o(65715).loadStyles)([{rawString:".root_8c91000a{min-width:260px}.suggestionsItem_8c91000a{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_8c91000a:hover{background:"},{theme:"neutralLighter",defaultValue:"#f3f2f1"},{rawString:"}.suggestionsItem_8c91000a:hover .closeButton_8c91000a{display:block}.suggestionsItem_8c91000a.suggestionsItemIsSuggested_8c91000a{background:"},{theme:"neutralLight",defaultValue:"#edebe9"},{rawString:"}.suggestionsItem_8c91000a.suggestionsItemIsSuggested_8c91000a:hover{background:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c6c4"},{rawString:"}@media screen and (-ms-high-contrast:active),screen and (forced-colors:active){.suggestionsItem_8c91000a.suggestionsItemIsSuggested_8c91000a:hover{background:Highlight;color:HighlightText}}@media screen and (-ms-high-contrast:active),screen and (forced-colors:active){.suggestionsItem_8c91000a.suggestionsItemIsSuggested_8c91000a{background:Highlight;color:HighlightText;-ms-high-contrast-adjust:none}}.suggestionsItem_8c91000a.suggestionsItemIsSuggested_8c91000a .closeButton_8c91000a:hover{background:"},{theme:"neutralTertiary",defaultValue:"#a19f9d"},{rawString:";color:"},{theme:"neutralPrimary",defaultValue:"#323130"},{rawString:"}@media screen and (-ms-high-contrast:active),screen and (forced-colors:active){.suggestionsItem_8c91000a.suggestionsItemIsSuggested_8c91000a .itemButton_8c91000a{color:HighlightText}}.suggestionsItem_8c91000a .closeButton_8c91000a{display:none;color:"},{theme:"neutralSecondary",defaultValue:"#605e5c"},{rawString:"}.suggestionsItem_8c91000a .closeButton_8c91000a:hover{background:"},{theme:"neutralLight",defaultValue:"#edebe9"},{rawString:"}.actionButton_8c91000a{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_8c91000a{padding-left:8px}[dir=rtl] .actionButton_8c91000a{padding-right:8px}html[dir=ltr] .actionButton_8c91000a{text-align:left}html[dir=rtl] .actionButton_8c91000a{text-align:right}.actionButton_8c91000a:hover{background-color:"},{theme:"neutralLight",defaultValue:"#edebe9"},{rawString:";cursor:pointer}.actionButton_8c91000a:active,.actionButton_8c91000a:focus{background-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:"}.actionButton_8c91000a .ms-Button-icon{font-size:16px;width:25px}.actionButton_8c91000a .ms-Button-label{margin:0 4px 0 9px}html[dir=rtl] .actionButton_8c91000a .ms-Button-label{margin:0 9px 0 4px}.buttonSelected_8c91000a{background-color:"},{theme:"themeLight",defaultValue:"#c7e0f4"},{rawString:"}.suggestionsTitle_8c91000a{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_8c91000a{overflow-y:auto;overflow-x:hidden;max-height:300px;border-bottom:1px solid "},{theme:"neutralLight",defaultValue:"#edebe9"},{rawString:"}.suggestionsNone_8c91000a{text-align:center;color:#797775;font-size:12px;line-height:30px}.suggestionsSpinner_8c91000a{margin:5px 0;white-space:nowrap;line-height:20px;font-size:12px}html[dir=ltr] .suggestionsSpinner_8c91000a{padding-left:14px}html[dir=rtl] .suggestionsSpinner_8c91000a{padding-right:14px}html[dir=ltr] .suggestionsSpinner_8c91000a{text-align:left}html[dir=rtl] .suggestionsSpinner_8c91000a{text-align:right}.suggestionsSpinner_8c91000a .ms-Spinner-circle{display:inline-block;vertical-align:middle}.suggestionsSpinner_8c91000a .ms-Spinner-label{display:inline-block;margin:0 10px 0 16px;vertical-align:middle}html[dir=rtl] .suggestionsSpinner_8c91000a .ms-Spinner-label{margin:0 16px 0 10px}.itemButton_8c91000a.itemButton_8c91000a{width:100%;padding:0;min-width:0;height:100%}@media screen and (-ms-high-contrast:active),screen and (forced-colors:active){.itemButton_8c91000a.itemButton_8c91000a{color:WindowText}}.itemButton_8c91000a.itemButton_8c91000a:hover{color:"},{theme:"neutralDark",defaultValue:"#201f1e"},{rawString:"}.closeButton_8c91000a.closeButton_8c91000a{padding:0 4px;height:auto;width:32px}@media screen and (-ms-high-contrast:active),screen and (forced-colors:active){.closeButton_8c91000a.closeButton_8c91000a{color:WindowText}}.closeButton_8c91000a.closeButton_8c91000a:hover{background:"},{theme:"neutralTertiaryAlt",defaultValue:"#c8c6c4"},{rawString:";color:"},{theme:"neutralDark",defaultValue:"#201f1e"},{rawString:"}.suggestionsAvailable_8c91000a{position:absolute;width:1px;height:1px;padding:0;margin:-1px;overflow:hidden;clip:rect(0,0,0,0);border:0}"}]),t.root="root_8c91000a",t.suggestionsItem="suggestionsItem_8c91000a",t.closeButton="closeButton_8c91000a",t.suggestionsItemIsSuggested="suggestionsItemIsSuggested_8c91000a",t.itemButton="itemButton_8c91000a",t.actionButton="actionButton_8c91000a",t.buttonSelected="buttonSelected_8c91000a",t.suggestionsTitle="suggestionsTitle_8c91000a",t.suggestionsContainer="suggestionsContainer_8c91000a",t.suggestionsNone="suggestionsNone_8c91000a",t.suggestionsSpinner="suggestionsSpinner_8c91000a",t.suggestionsAvailable="suggestionsAvailable_8c91000a"},11517:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(31635),r=o(15019),i={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"};t.getStyles=function(e){var t,o=e.className,a=e.suggestionsClassName,s=e.theme,l=e.forceResolveButtonSelected,c=e.searchForMoreButtonSelected,u=s.palette,d=s.semanticColors,p=s.fonts,m=(0,r.getGlobalClassNames)(i,s),g={backgroundColor:"transparent",border:0,cursor:"pointer",margin:0,paddingLeft:8,position:"relative",borderTop:"1px solid ".concat(u.neutralLight),height:40,textAlign:"left",width:"100%",fontSize:p.small.fontSize,selectors:{":hover":{backgroundColor:d.menuItemBackgroundPressed,cursor:"pointer"},":focus, :active":{backgroundColor:u.themeLight},".ms-Button-icon":{fontSize:p.mediumPlus.fontSize,width:25},".ms-Button-label":{margin:"0 4px 0 9px"}}},h={backgroundColor:u.themeLight,selectors:(t={},t[r.HighContrastSelector]=n.__assign({backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},(0,r.getHighContrastNoAdjustStyle)()),t)};return{root:[m.root,{minWidth:260},o],suggestionsContainer:[m.suggestionsContainer,{overflowY:"auto",overflowX:"hidden",maxHeight:300,transform:"translate3d(0,0,0)"},a],title:[m.title,{padding:"0 12px",fontSize:p.small.fontSize,color:u.themePrimary,lineHeight:40,borderBottom:"1px solid ".concat(d.menuItemBackgroundPressed)}],forceResolveButton:[m.forceResolveButton,g,l&&[m.isSelected,h]],searchForMoreButton:[m.searchForMoreButton,g,c&&[m.isSelected,h]],noSuggestions:[m.noSuggestions,{textAlign:"center",color:u.neutralSecondary,fontSize:p.small.fontSize,lineHeight:30}],suggestionsAvailable:[m.suggestionsAvailable,r.hiddenContentStyle],subComponentStyles:{spinner:{root:[m.spinner,{margin:"5px 0",paddingLeft:14,textAlign:"left",whiteSpace:"nowrap",lineHeight:20,fontSize:p.small.fontSize}],circle:{display:"inline-block",verticalAlign:"middle"},label:{display:"inline-block",verticalAlign:"middle",margin:"0 10px 0 16px"}}}}}},7730:(e,t)=>{"use strict";var o;Object.defineProperty(t,"__esModule",{value:!0}),t.SuggestionActionType=void 0,(o=t.SuggestionActionType||(t.SuggestionActionType={}))[o.none=0]="none",o[o.forceResolve=1]="forceResolve",o[o.searchMore=2]="searchMore"},82769:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.SuggestionsController=void 0;var o=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.ariaLabel}},this.suggestions=[],this.currentIndex=-1}return e.prototype.updateSuggestions=function(e,t,o){if(e&&e.length>0){if(o&&e.length>o){var n=t&&t>o?t+1-o:0;e=e.slice(n,n+o-1)}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])}else 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}();t.SuggestionsController=o},74902:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.SuggestionsItem=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(74393),s=o(59811),l=(0,i.classNamesFunction)(),c=function(e){function t(t){var o=e.call(this,t)||this;return(0,i.initializeComponentRef)(o),o}return n.__extends(t,e),t.prototype.render=function(){var e,t=this.props,o=t.suggestionModel,n=t.RenderSuggestion,c=t.onClick,u=t.className,d=t.id,p=t.onRemoveItem,m=t.isSelectedOverride,g=t.removeButtonAriaLabel,h=t.styles,f=t.theme,v=t.removeButtonIconProps,b=h?l(h,{theme:f,className:u,suggested:o.selected||m}):{root:(0,i.css)("ms-Suggestions-item",s.suggestionsItem,(e={},e["is-suggested "+s.suggestionsItemIsSuggested]=o.selected||m,e),u),itemButton:(0,i.css)("ms-Suggestions-itemButton",s.itemButton),closeButton:(0,i.css)("ms-Suggestions-closeButton",s.closeButton)};return r.createElement("div",{className:b.root,role:"presentation"},r.createElement(a.CommandButton,{onClick:c,className:b.itemButton,id:d,"aria-selected":o.selected,role:"option","aria-label":o.ariaLabel},n(o.item,this.props)),this.props.showRemoveButton?r.createElement(a.IconButton,{iconProps:null!=v?v:{iconName:"Cancel"},styles:{icon:{fontSize:"12px"}},title:g,ariaLabel:g,onClick:p,className:b.closeButton}):null)},t}(r.Component);t.SuggestionsItem=c},51504:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=t.SuggestionsItemGlobalClassNames=void 0;var n=o(31635),r=o(15019),i=o(71061);t.SuggestionsItemGlobalClassNames={root:"ms-Suggestions-item",itemButton:"ms-Suggestions-itemButton",closeButton:"ms-Suggestions-closeButton",isSuggested:"is-suggested"},t.getStyles=function(e){var o,a,s,l,c,u,d=e.className,p=e.theme,m=e.suggested,g=p.palette,h=p.semanticColors,f=(0,r.getGlobalClassNames)(t.SuggestionsItemGlobalClassNames,p);return{root:[f.root,{display:"flex",alignItems:"stretch",boxSizing:"border-box",width:"100%",position:"relative",selectors:{"&:hover":{background:h.menuItemBackgroundHovered},"&:hover .ms-Suggestions-closeButton":{display:"block"}}},m&&{selectors:(o={},o[".".concat(i.IsFocusVisibleClassName," &, :host(.").concat(i.IsFocusVisibleClassName,") &")]={selectors:(a={},a[".".concat(f.closeButton)]={display:"block",background:h.menuItemBackgroundPressed},a)},o[":after"]={pointerEvents:"none",content:'""',position:"absolute",left:0,top:0,bottom:0,right:0,border:"1px solid ".concat(p.semanticColors.focusBorder)},o)},d],itemButton:[f.itemButton,{width:"100%",padding:0,border:"none",height:"100%",minWidth:0,overflow:"hidden",selectors:(s={},s[r.HighContrastSelector]={color:"WindowText",selectors:{":hover":n.__assign({background:"Highlight",color:"HighlightText"},(0,r.getHighContrastNoAdjustStyle)())}},s[":hover"]={color:h.menuItemTextHovered},s)},m&&[f.isSuggested,{background:h.menuItemBackgroundPressed,selectors:(l={":hover":{background:h.menuDivider}},l[r.HighContrastSelector]=n.__assign({background:"Highlight",color:"HighlightText"},(0,r.getHighContrastNoAdjustStyle)()),l)}]],closeButton:[f.closeButton,{display:"none",color:g.neutralSecondary,padding:"0 4px",height:"auto",width:32,selectors:(c={":hover, :active":{background:g.neutralTertiaryAlt,color:g.neutralDark}},c[r.HighContrastSelector]={color:"WindowText"},c)},m&&(u={},u[".".concat(i.IsFocusVisibleClassName," &, :host(.").concat(i.IsFocusVisibleClassName,") &")]={selectors:{":hover, :active":{background:g.neutralTertiary}}},u.selectors={":hover, :active":{background:g.neutralTertiary,color:g.neutralPrimary}},u)]}}},22545:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},56020:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.TagItem=t.TagItemBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(74393),s=o(88022),l=o(25698),c=(0,i.classNamesFunction)();t.TagItemBase=function(e){var t=e.theme,o=e.styles,i=e.selected,s=e.disabled,u=e.enableTagFocusInDisabledPicker,d=e.children,p=e.className,m=e.index,g=e.onRemoveItem,h=e.removeButtonAriaLabel,f=e.title,v=void 0===f?"string"==typeof e.children?e.children:e.item.name:f,b=e.removeButtonIconProps,y=r.createRef(),_=c(o,{theme:t,className:p,selected:i,disabled:s}),S=(0,l.useId)(),C=u?{"aria-disabled":s,tabindex:0}:{disabled:s};return r.createElement("div",{"data-selection-index":m,className:_.root,role:"listitem",key:m,onClick:function(){var e;null===(e=y.current)||void 0===e||e.focus()}},r.createElement("span",{className:_.text,title:v,id:"".concat(S,"-text")},d),r.createElement(a.IconButton,n.__assign({componentRef:y,id:S,onClick:g},C,{iconProps:null!=b?b:{iconName:"Cancel"},styles:{icon:{fontSize:"12px"}},className:_.close,"aria-labelledby":"".concat(S,"-removeLabel ").concat(S,"-text")})),r.createElement("span",{id:"".concat(S,"-removeLabel"),hidden:!0},h))},t.TagItem=(0,i.styled)(t.TagItemBase,s.getStyles,void 0,{scope:"TagItem"})},88022:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r=o(21550),i=o(71061),a={root:"ms-TagItem",text:"ms-TagItem-text",close:"ms-TagItem-close",isSelected:"is-selected"};t.getStyles=function(e){var t,o,s,l,c,u=e.className,d=e.theme,p=e.selected,m=e.disabled,g=d.palette,h=d.effects,f=d.fonts,v=d.semanticColors,b=(0,n.getGlobalClassNames)(a,d);return{root:[b.root,f.medium,(0,n.getFocusStyle)(d),{boxSizing:"content-box",flexShrink:"1",margin:2,height:26,lineHeight:26,cursor:"default",userSelect:"none",display:"flex",flexWrap:"nowrap",maxWidth:300,minWidth:0,borderRadius:h.roundedCorner2,color:v.inputText,background:g.neutralLighter,selectors:(t={":hover":[!m&&!p&&{color:g.neutralDark,background:g.neutralLight,selectors:{".ms-TagItem-close":{color:g.neutralPrimary}}},m&&{background:g.neutralLighter}]},t[n.HighContrastSelector]={border:"1px solid ".concat(p?"WindowFrame":"WindowText")},t)},m&&{selectors:(o={},o[n.HighContrastSelector]={borderColor:"GrayText"},o)},p&&!m&&[b.isSelected,{":focus-within":{background:g.themePrimary,color:g.white}}],u],text:[b.text,{overflow:"hidden",textOverflow:"ellipsis",whiteSpace:"nowrap",minWidth:30,margin:"0 8px"},m&&{selectors:(s={},s[n.HighContrastSelector]={color:"GrayText"},s)}],close:[b.close,(0,n.getFocusStyle)(d,{borderColor:"transparent",inset:1,outlineColor:g.white}),{color:g.neutralSecondary,width:30,height:"100%",flex:"0 0 auto",borderRadius:(0,i.getRTL)(d)?"".concat(h.roundedCorner2," 0 0 ").concat(h.roundedCorner2):"0 ".concat(h.roundedCorner2," ").concat(h.roundedCorner2," 0"),selectors:(l={":hover":{background:g.neutralQuaternaryAlt,color:g.neutralPrimary}},l[".".concat(b.isSelected," &:focus")]={color:g.white,background:g.themePrimary},l[":focus:hover"]={color:g.white,background:g.themeDark},l[":active"]={color:g.white,backgroundColor:g.themeDark},l)},m&&{selectors:(c={},c[".".concat(r.ButtonGlobalClassNames.msButtonIcon)]={color:g.neutralSecondary},c)}]}}},9340:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.TagItemSuggestion=t.TagItemSuggestionBase=void 0;var n=o(83923),r=o(71061),i=o(28254),a=(0,r.classNamesFunction)();t.TagItemSuggestionBase=function(e){var t=e.styles,o=e.theme,r=e.children,i=a(t,{theme:o});return n.createElement("div",{className:i.suggestionTextOverflow}," ",r," ")},t.TagItemSuggestion=(0,r.styled)(t.TagItemSuggestionBase,i.getStyles,void 0,{scope:"TagItemSuggestion"})},28254:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0;var n=o(15019),r={suggestionTextOverflow:"ms-TagItem-TextOverflow"};t.getStyles=function(e){var t=e.className,o=e.theme;return{suggestionTextOverflow:[(0,n.getGlobalClassNames)(r,o).suggestionTextOverflow,{overflow:"hidden",textOverflow:"ellipsis",maxWidth:"60vw",padding:"6px 12px 7px",whiteSpace:"nowrap"},t]}}},23197:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.TagPicker=t.TagPickerBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(20375),s=o(40827),l=o(56020),c=o(9340),u=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return n.__extends(t,e),t.defaultProps={onRenderItem:function(e){return r.createElement(l.TagItem,n.__assign({},e),e.item.name)},onRenderSuggestionsItem:function(e){return r.createElement(c.TagItemSuggestion,null,e.name)}},t}(a.BasePicker);t.TagPickerBase=u,t.TagPicker=(0,i.styled)(u,s.getStyles,void 0,{scope:"TagPicker"})},30686:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},93694:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getTagItemSuggestionStyles=t.getTagItemStyles=t.getPeoplePickerItemSuggestionStyles=t.getPeoplePickerItemStyles=t.getBasePickerStyles=t.getSuggestionsItemStyles=t.getSuggestionsStyles=void 0;var n=o(31635);n.__exportStar(o(89929),t);var r=o(11517);Object.defineProperty(t,"getSuggestionsStyles",{enumerable:!0,get:function(){return r.getStyles}}),n.__exportStar(o(7730),t),n.__exportStar(o(74902),t);var i=o(51504);Object.defineProperty(t,"getSuggestionsItemStyles",{enumerable:!0,get:function(){return i.getStyles}}),n.__exportStar(o(22545),t),n.__exportStar(o(82769),t),n.__exportStar(o(59218),t),n.__exportStar(o(65461),t),n.__exportStar(o(20375),t);var a=o(40827);Object.defineProperty(t,"getBasePickerStyles",{enumerable:!0,get:function(){return a.getStyles}}),n.__exportStar(o(50496),t),n.__exportStar(o(36434),t),n.__exportStar(o(5109),t);var s=o(48940);Object.defineProperty(t,"getPeoplePickerItemStyles",{enumerable:!0,get:function(){return s.getStyles}}),n.__exportStar(o(20397),t),n.__exportStar(o(73386),t),n.__exportStar(o(27810),t);var l=o(72740);Object.defineProperty(t,"getPeoplePickerItemSuggestionStyles",{enumerable:!0,get:function(){return l.getStyles}}),n.__exportStar(o(23197),t),n.__exportStar(o(30686),t),n.__exportStar(o(56020),t);var c=o(88022);Object.defineProperty(t,"getTagItemStyles",{enumerable:!0,get:function(){return c.getStyles}}),n.__exportStar(o(9340),t);var u=o(28254);Object.defineProperty(t,"getTagItemSuggestionStyles",{enumerable:!0,get:function(){return u.getStyles}})},52557:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.MAX_COLOR_HUE=t.MAX_COLOR_ALPHA=t.HEX_REGEX=t.CoachmarkBase=t.Coachmark=t.COACHMARK_ATTRIBUTE_NAME=t.ChoiceGroupOption=t.ChoiceGroupBase=t.ChoiceGroup=t.CheckboxBase=t.Checkbox=t.CheckBase=t.Check=t.FocusTrapCallout=t.DirectionalHint=t.CalloutContentBase=t.CalloutContent=t.Callout=t.defaultDayPickerStrings=t.defaultCalendarStrings=t.defaultCalendarNavigationIcons=t.FirstWeekOfYear=t.DayOfWeek=t.DateRangeType=t.Calendar=t.AnimationDirection=t.ButtonGridCell=t.ButtonGrid=t.getSplitButtonClassNames=t.PrimaryButton=t.MessageBarButton=t.IconButton=t.ElementType=t.DefaultButton=t.CompoundButton=t.CommandButton=t.CommandBarButton=t.ButtonType=t.ButtonGlobalClassNames=t.Button=t.BaseButton=t.ActionButton=t.BreadcrumbBase=t.Breadcrumb=t.AnnouncedBase=t.Announced=t.Autofill=t.getActivityItemStyles=t.getActivityItemClassNames=t.ActivityItem=void 0,t.canAnyMenuItemsCheck=t.ContextualMenuItemType=t.ContextualMenuItemBase=t.ContextualMenuItem=t.ContextualMenuBase=t.ContextualMenu=t.getCommandButtonStyles=t.getCommandBarStyles=t.CommandBarBase=t.CommandBar=t.VirtualizedComboBox=t.ComboBox=t.ColorPickerBase=t.ColorPicker=t.updateT=t.updateSV=t.updateRGB=t.updateH=t.updateA=t.rgb2hsv=t.rgb2hex=t.isValidShade=t.isDark=t.hsv2rgb=t.hsv2hsl=t.hsv2hex=t.hsl2rgb=t.hsl2hsv=t.getShade=t.getFullColorString=t.getContrastRatio=t.getColorFromString=t.getColorFromRGBA=t.getColorFromHSV=t.getBackgroundShade=t.cssColor=t.correctRGB=t.correctHex=t.correctHSV=t.clamp=t.Shade=t.RGBA_REGEX=t.MIN_RGBA_LENGTH=t.MIN_HEX_LENGTH=t.MAX_RGBA_LENGTH=t.MAX_HEX_LENGTH=t.MAX_COLOR_VALUE=t.MAX_COLOR_SATURATION=t.MAX_COLOR_RGBA=t.MAX_COLOR_RGB=void 0,t.SELECTION_CHANGE=t.HEADER_HEIGHT=t.DetailsRowGlobalClassNames=t.DetailsRowFields=t.DetailsRowCheck=t.DetailsRowBase=t.DetailsRow=t.DetailsListLayoutMode=t.DetailsListBase=t.DetailsList=t.DetailsHeaderBase=t.DetailsHeader=t.DetailsColumnBase=t.DetailsColumn=t.DEFAULT_ROW_HEIGHTS=t.DEFAULT_CELL_STYLE_PROPS=t.ConstrainMode=t.ColumnDragEndLocation=t.ColumnActionsMode=t.CollapseAllVisibility=t.CheckboxVisibility=t.CHECK_CELL_WIDTH=t.setMonth=t.isInDateRangeArray=t.getYearStart=t.getYearEnd=t.getWeekNumbersInMonth=t.getWeekNumber=t.getStartDateOfWeek=t.getMonthStart=t.getMonthEnd=t.getEndDateOfWeek=t.getDateRangeArray=t.getDatePartHashValue=t.compareDates=t.compareDatePart=t.addYears=t.addWeeks=t.addMonths=t.addDays=t.TimeConstants=t.MonthOfYear=t.DAYS_IN_WEEK=t.defaultDatePickerStrings=t.DatePickerBase=t.DatePicker=t.getSubmenuItems=t.getMenuItemStyles=t.getContextualMenuItemStyles=t.getContextualMenuItemClassNames=void 0,t.SuggestionsHeaderFooterItem=t.SuggestionsCore=t.SuggestionsControl=t.SuggestionItemType=t.FloatingPeoplePicker=t.BaseFloatingPicker=t.BaseFloatingPeoplePicker=t.OverflowButtonType=t.FacepileBase=t.Facepile=t.FabricBase=t.Fabric=t.ExtendedPeoplePicker=t.BaseExtendedPicker=t.BaseExtendedPeoplePicker=t.DropdownMenuItemType=t.DropdownBase=t.Dropdown=t.DragDropHelper=t.DocumentCardType=t.DocumentCardTitle=t.DocumentCardStatus=t.DocumentCardPreview=t.DocumentCardLogo=t.DocumentCardLocation=t.DocumentCardImage=t.DocumentCardDetails=t.DocumentCardActivity=t.DocumentCardActions=t.DocumentCard=t.VerticalDivider=t.DialogType=t.DialogFooterBase=t.DialogFooter=t.DialogContentBase=t.DialogContent=t.DialogBase=t.Dialog=t.getDetailsRowStyles=t.getDetailsRowCheckStyles=t.getDetailsListStyles=t.getDetailsHeaderStyles=t.getDetailsColumnStyles=t.getCellStyles=t.buildColumns=t.SelectionZone=t.SelectionMode=t.SelectionDirection=t.Selection=t.SelectAllVisibility=void 0,t.KeytipLayerBase=t.KeytipLayer=t.KeytipEvents=t.KeytipData=t.Keytip=t.KTP_SEPARATOR=t.KTP_PREFIX=t.KTP_LAYER_ID=t.KTP_FULL_PREFIX=t.KTP_ARIA_SEPARATOR=t.DATAKTP_TARGET=t.DATAKTP_EXECUTE_TARGET=t.DATAKTP_ARIA_TARGET=t.ImageLoadState=t.ImageFit=t.ImageCoverStyle=t.ImageBase=t.Image=t.initializeIcons=t.getIconContent=t.getFontIcon=t.ImageIcon=t.IconType=t.IconBase=t.Icon=t.FontIcon=t.PlainCardBase=t.PlainCard=t.OpenCardMode=t.HoverCardType=t.HoverCardBase=t.HoverCard=t.ExpandingCardMode=t.ExpandingCardBase=t.ExpandingCard=t.GroupedListV2_unstable=t.GroupedListSection=t.GroupedListBase=t.GroupedList=t.GroupSpacer=t.GroupShowAll=t.GroupHeader=t.GroupFooter=t.GetGroupCount=t.FocusZoneTabbableElements=t.FocusZoneDirection=t.FocusZone=t.FocusTrapZone=t.createItem=t.SuggestionsStore=void 0,t.PersonaBase=t.Persona=t.PanelType=t.PanelBase=t.Panel=t.OverlayBase=t.Overlay=t.OverflowSetBase=t.OverflowSet=t.isRelativeUrl=t.NavBase=t.Nav=t.ModalBase=t.Modal=t.MessageBarType=t.MessageBarBase=t.MessageBar=t.MarqueeSelection=t.ScrollToMode=t.List=t.LinkBase=t.Link=t.unregisterLayerHost=t.unregisterLayer=t.setLayerHostSelector=t.registerLayerHost=t.registerLayer=t.notifyHostChanged=t.getLayerStyles=t.getLayerHostSelector=t.getLayerHost=t.getLayerCount=t.createDefaultLayerHost=t.cleanupDefaultLayerHost=t.LayerHost=t.LayerBase=t.Layer=t.LabelBase=t.Label=t.useKeytipRef=t.transitionKeysContain=t.transitionKeysAreEqual=t.sequencesToID=t.mergeOverflows=t.ktpTargetFromSequences=t.ktpTargetFromId=t.getAriaDescribedBy=t.constructKeytip=t.buildKeytipConfigMap=t.KeytipManager=void 0,t.Popup=t.PivotLinkSize=t.PivotLinkFormat=t.PivotItem=t.PivotBase=t.Pivot=t.getTagItemSuggestionStyles=t.getTagItemStyles=t.getSuggestionsStyles=t.getSuggestionsItemStyles=t.getPeoplePickerItemSuggestionStyles=t.getPeoplePickerItemStyles=t.getBasePickerStyles=t.createGenericItem=t.ValidationState=t.TagPickerBase=t.TagPicker=t.TagItemSuggestionBase=t.TagItemSuggestion=t.TagItemBase=t.TagItem=t.SuggestionsItem=t.SuggestionsController=t.Suggestions=t.SuggestionActionType=t.PeoplePickerItemSuggestionBase=t.PeoplePickerItemSuggestion=t.PeoplePickerItemBase=t.PeoplePickerItem=t.NormalPeoplePickerBase=t.NormalPeoplePicker=t.MemberListPeoplePicker=t.ListPeoplePickerBase=t.ListPeoplePicker=t.CompactPeoplePickerBase=t.CompactPeoplePicker=t.BasePickerListBelow=t.BasePicker=t.BasePeoplePicker=t.sizeToPixels=t.sizeBoolean=t.presenceBoolean=t.personaSize=t.personaPresenceSize=t.getPersonaInitialsColor=t.PersonaSize=t.PersonaPresence=t.PersonaInitialsColor=t.PersonaCoinBase=t.PersonaCoin=void 0,t.ShimmerElementsGroupBase=t.ShimmerElementsGroup=t.ShimmerElementsDefaultHeights=t.ShimmerElementType=t.ShimmerCircleBase=t.ShimmerCircle=t.ShimmerBase=t.Shimmer=t.SeparatorBase=t.Separator=t.SelectedPeopleList=t.ExtendedSelectedItem=t.BaseSelectedItemsList=t.BasePeopleSelectedItemsList=t.getAllSelectedOptions=t.SelectableOptionMenuItemType=t.SearchBoxBase=t.SearchBox=t.ScrollbarVisibility=t.ScrollablePaneContext=t.ScrollablePaneBase=t.ScrollablePane=t.withResponsiveMode=t.useResponsiveMode=t.setResponsiveMode=t.initializeResponsiveMode=t.getResponsiveMode=t.getInitialResponsiveMode=t.ResponsiveMode=t.getNextResizeGroupStateProvider=t.getMeasurementCache=t.ResizeGroupDirection=t.ResizeGroupBase=t.ResizeGroup=t.MeasuredContext=t.RatingSize=t.RatingBase=t.Rating=t.ProgressIndicatorBase=t.ProgressIndicator=t.useHeightOffset=t.PositioningContainer=t.positionElement=t.positionCard=t.positionCallout=t.getOppositeEdge=t.getMaxHeight=t.getBoundsFromTargetWindow=t.RectangleEdge=t.Position=void 0,t.ThemeSettingName=t.Stylesheet=t.ScreenWidthMinXXXLarge=t.ScreenWidthMinXXLarge=t.ScreenWidthMinXLarge=t.ScreenWidthMinUhfMobile=t.ScreenWidthMinSmall=t.ScreenWidthMinMedium=t.ScreenWidthMinLarge=t.ScreenWidthMaxXXLarge=t.ScreenWidthMaxXLarge=t.ScreenWidthMaxSmall=t.ScreenWidthMaxMedium=t.ScreenWidthMaxLarge=t.PulsingBeaconAnimationStyles=t.InjectionMode=t.IconFontSizes=t.HighContrastSelectorWhite=t.HighContrastSelectorBlack=t.HighContrastSelector=t.FontWeights=t.FontSizes=t.FontClassNames=t.EdgeChromiumHighContrastSelector=t.DefaultPalette=t.DefaultFontStyles=t.DefaultEffects=t.ColorClassNames=t.AnimationVariables=t.AnimationStyles=t.AnimationClassNames=t.StickyPositionType=t.Sticky=t.StackItem=t.Stack=t.SpinnerType=t.SpinnerSize=t.SpinnerBase=t.Spinner=t.SpinButton=t.KeyboardSpinDirection=t.SliderBase=t.Slider=t.getShimmeredDetailsListStyles=t.ShimmeredDetailsListBase=t.ShimmeredDetailsList=t.ShimmerLineBase=t.ShimmerLine=t.ShimmerGapBase=t.ShimmerGap=void 0,t.TextFieldBase=t.TextField=t.MaskedTextField=t.DEFAULT_MASK_CHAR=t.TextView=t.TextStyles=t.Text=t.TeachingBubbleContentBase=t.TeachingBubbleContent=t.TeachingBubbleBase=t.TeachingBubble=t.SwatchColorPickerBase=t.SwatchColorPicker=t.ColorPickerGridCellBase=t.ColorPickerGridCell=t.unregisterIcons=t.setIconOptions=t.removeOnThemeChangeCallback=t.registerOnThemeChangeCallback=t.registerIcons=t.registerIconAlias=t.registerDefaultFontFaces=t.normalize=t.noWrap=t.mergeStyles=t.mergeStyleSets=t.loadTheme=t.keyframes=t.hiddenContentStyle=t.getThemedContext=t.getTheme=t.getScreenSelector=t.getPlaceholderStyles=t.getInputFocusStyle=t.getIconClassName=t.getIcon=t.getHighContrastNoAdjustStyle=t.getGlobalClassNames=t.getFocusStyle=t.getFocusOutlineStyle=t.getFadedOverflowStyle=t.getEdgeChromiumNoHighContrastAdjustSelector=t.fontFace=t.focusClear=t.createTheme=t.createFontStyles=t.concatStyleSetsWithProps=t.concatStyleSets=t.buildClassMap=t.ZIndexes=void 0,t.classNamesFunction=t.canUseDOM=t.calculatePrecision=t.buttonProperties=t.baseElementProperties=t.baseElementEvents=t.audioProperties=t.assign=t.assertNever=t.asAsync=t.arraysEqual=t.appendFunction=t.anchorProperties=t.allowScrollOnElement=t.allowOverscrollOnElement=t.addElementAtIndex=t.addDirectionalKeyCode=t.Rectangle=t.KeyCodes=t.IsFocusVisibleClassName=t.GlobalSettings=t.FocusRectsProvider=t.FocusRectsContext=t.FocusRects=t.FabricPerformance=t.EventGroup=t.DelayedRender=t.DATA_PORTAL_ATTRIBUTE=t.DATA_IS_SCROLLABLE_ATTRIBUTE=t.CustomizerContext=t.Customizer=t.Customizations=t.BaseComponent=t.AutoScroll=t.Async=t.TooltipOverflowMode=t.TooltipHostBase=t.TooltipHost=t.TooltipDelay=t.TooltipBase=t.Tooltip=t.ToggleBase=t.Toggle=t.TimePicker=t.themeRulesStandardCreator=t.ThemeGenerator=t.SemanticColorSlots=t.FabricSlots=t.BaseSlots=t.getTextFieldStyles=void 0,t.getResourceUrl=t.getRect=t.getRTLSafeKeyCode=t.getRTL=t.getPropsWithDefaults=t.getPreviousElement=t.getParent=t.getNextElement=t.getNativeProps=t.getNativeElementProps=t.getLastTabbable=t.getLastFocusable=t.getLanguage=t.getInitials=t.getId=t.getFocusableByIndexPath=t.getFirstVisibleElementFromSelector=t.getFirstTabbable=t.getFirstFocusable=t.getElementIndexPath=t.getDocument=t.getDistanceBetweenPoints=t.getChildren=t.format=t.formProperties=t.focusFirstChild=t.focusAsync=t.flatten=t.fitContentToBounds=t.findScrollableParent=t.findIndex=t.findElementRecursive=t.find=t.filteredAssign=t.extendComponent=t.enableBodyScroll=t.elementContainsAttribute=t.elementContains=t.doesElementContainFocus=t.divProperties=t.disableBodyScroll=t.customizable=t.css=t.createMergedRef=t.createMemoizer=t.createArray=t.composeRenderFunction=t.composeComponentAs=t.colProperties=t.colGroupProperties=void 0,t.replaceElement=t.removeIndex=t.removeDirectionalKeyCode=t.raiseClick=t.precisionRound=t.portalContainsElement=t.optionProperties=t.on=t.omit=t.olProperties=t.nullRender=t.modalize=t.MergeStylesShadowRootProvider=t.MergeStylesRootProvider=t.mergeSettings=t.mergeScopedSettings=t.mergeCustomizations=t.mergeAriaAttributeValues=t.merge=t.memoizeFunction=t.memoize=t.mapEnumByName=t.liProperties=t.labelProperties=t.isVirtualElement=t.isMac=t.isIOS=t.isIE11=t.isElementVisibleAndNotHidden=t.isElementVisible=t.isElementTabbable=t.isElementFocusZone=t.isElementFocusSubZone=t.isDirectionalKeyCode=t.isControlled=t.inputProperties=t.initializeFocusRects=t.initializeComponentRef=t.imgProperties=t.imageProperties=t.iframeProperties=t.htmlElementProperties=t.hoistStatics=t.hoistMethods=t.hasVerticalOverflow=t.hasOverflow=t.hasHorizontalOverflow=t.getWindow=t.getVirtualParent=t.getScrollbarWidth=void 0,t.useWindow=t.useDocument=t.WindowProvider=t.WindowContext=t.defaultWeeklyDayPickerStrings=t.defaultWeeklyDayPickerNavigationIcons=t.WeeklyDayPicker=t.withViewport=t.warnMutuallyExclusive=t.warnDeprecations=t.warnControlledUsage=t.warnConditionallyRequiredProps=t.warn=t.videoProperties=t.values=t.useStyled=t.useShadowConfig=t.useMergeStylesShadowRootContext=t.useMergeStylesRootStylesheets=t.useMergeStylesHooks=t.useHasMergeStylesShadowRootContext=t.useFocusRects=t.useCustomizationSettings=t.useAdoptedStylesheetEx=t.useAdoptedStylesheet=t.unhoistMethods=t.trProperties=t.toMatrix=t.thProperties=t.textAreaProperties=t.tdProperties=t.tableProperties=t.styled=t.shouldWrapFocus=t.shallowCompare=t.setWarningCallback=t.setVirtualParent=t.setSSR=t.setRTL=t.setPortalAttribute=t.setMemoizeWeakMap=t.setLanguage=t.setFocusVisibility=t.setBaseUrl=t.selectProperties=t.safeSetTimeout=t.safeRequestAnimationFrame=t.resetMemoizations=t.resetIds=t.resetControlledWarnings=void 0,t.SharedColors=t.NeutralColors=t.MotionAnimations=t.MotionTimings=t.MotionDurations=t.mergeThemes=t.LocalizedFontNames=t.LocalizedFontFamilies=t.FluentTheme=t.Depths=t.DefaultSpacing=t.CommunicationColors=t.useTheme=t.makeStyles=t.ThemeProvider=t.ThemeContext=void 0;var n=o(28115);Object.defineProperty(t,"ActivityItem",{enumerable:!0,get:function(){return n.ActivityItem}}),Object.defineProperty(t,"getActivityItemClassNames",{enumerable:!0,get:function(){return n.getActivityItemClassNames}}),Object.defineProperty(t,"getActivityItemStyles",{enumerable:!0,get:function(){return n.getActivityItemStyles}});var r=o(95643);Object.defineProperty(t,"Autofill",{enumerable:!0,get:function(){return r.Autofill}});var i=o(89496);Object.defineProperty(t,"Announced",{enumerable:!0,get:function(){return i.Announced}}),Object.defineProperty(t,"AnnouncedBase",{enumerable:!0,get:function(){return i.AnnouncedBase}});var a=o(42792);Object.defineProperty(t,"Breadcrumb",{enumerable:!0,get:function(){return a.Breadcrumb}}),Object.defineProperty(t,"BreadcrumbBase",{enumerable:!0,get:function(){return a.BreadcrumbBase}});var s=o(74393);Object.defineProperty(t,"ActionButton",{enumerable:!0,get:function(){return s.ActionButton}}),Object.defineProperty(t,"BaseButton",{enumerable:!0,get:function(){return s.BaseButton}}),Object.defineProperty(t,"Button",{enumerable:!0,get:function(){return s.Button}}),Object.defineProperty(t,"ButtonGlobalClassNames",{enumerable:!0,get:function(){return s.ButtonGlobalClassNames}}),Object.defineProperty(t,"ButtonType",{enumerable:!0,get:function(){return s.ButtonType}}),Object.defineProperty(t,"CommandBarButton",{enumerable:!0,get:function(){return s.CommandBarButton}}),Object.defineProperty(t,"CommandButton",{enumerable:!0,get:function(){return s.CommandButton}}),Object.defineProperty(t,"CompoundButton",{enumerable:!0,get:function(){return s.CompoundButton}}),Object.defineProperty(t,"DefaultButton",{enumerable:!0,get:function(){return s.DefaultButton}}),Object.defineProperty(t,"ElementType",{enumerable:!0,get:function(){return s.ElementType}}),Object.defineProperty(t,"IconButton",{enumerable:!0,get:function(){return s.IconButton}}),Object.defineProperty(t,"MessageBarButton",{enumerable:!0,get:function(){return s.MessageBarButton}}),Object.defineProperty(t,"PrimaryButton",{enumerable:!0,get:function(){return s.PrimaryButton}}),Object.defineProperty(t,"getSplitButtonClassNames",{enumerable:!0,get:function(){return s.getSplitButtonClassNames}});var l=o(32865);Object.defineProperty(t,"ButtonGrid",{enumerable:!0,get:function(){return l.ButtonGrid}}),Object.defineProperty(t,"ButtonGridCell",{enumerable:!0,get:function(){return l.ButtonGridCell}});var c=o(33591);Object.defineProperty(t,"AnimationDirection",{enumerable:!0,get:function(){return c.AnimationDirection}}),Object.defineProperty(t,"Calendar",{enumerable:!0,get:function(){return c.Calendar}}),Object.defineProperty(t,"DateRangeType",{enumerable:!0,get:function(){return c.DateRangeType}}),Object.defineProperty(t,"DayOfWeek",{enumerable:!0,get:function(){return c.DayOfWeek}}),Object.defineProperty(t,"FirstWeekOfYear",{enumerable:!0,get:function(){return c.FirstWeekOfYear}}),Object.defineProperty(t,"defaultCalendarNavigationIcons",{enumerable:!0,get:function(){return c.defaultCalendarNavigationIcons}}),Object.defineProperty(t,"defaultCalendarStrings",{enumerable:!0,get:function(){return c.defaultCalendarStrings}}),Object.defineProperty(t,"defaultDayPickerStrings",{enumerable:!0,get:function(){return c.defaultDayPickerStrings}});var u=o(16473);Object.defineProperty(t,"Callout",{enumerable:!0,get:function(){return u.Callout}}),Object.defineProperty(t,"CalloutContent",{enumerable:!0,get:function(){return u.CalloutContent}}),Object.defineProperty(t,"CalloutContentBase",{enumerable:!0,get:function(){return u.CalloutContentBase}}),Object.defineProperty(t,"DirectionalHint",{enumerable:!0,get:function(){return u.DirectionalHint}}),Object.defineProperty(t,"FocusTrapCallout",{enumerable:!0,get:function(){return u.FocusTrapCallout}});var d=o(12945);Object.defineProperty(t,"Check",{enumerable:!0,get:function(){return d.Check}}),Object.defineProperty(t,"CheckBase",{enumerable:!0,get:function(){return d.CheckBase}});var p=o(71688);Object.defineProperty(t,"Checkbox",{enumerable:!0,get:function(){return p.Checkbox}}),Object.defineProperty(t,"CheckboxBase",{enumerable:!0,get:function(){return p.CheckboxBase}});var m=o(80227);Object.defineProperty(t,"ChoiceGroup",{enumerable:!0,get:function(){return m.ChoiceGroup}}),Object.defineProperty(t,"ChoiceGroupBase",{enumerable:!0,get:function(){return m.ChoiceGroupBase}}),Object.defineProperty(t,"ChoiceGroupOption",{enumerable:!0,get:function(){return m.ChoiceGroupOption}});var g=o(10346);Object.defineProperty(t,"COACHMARK_ATTRIBUTE_NAME",{enumerable:!0,get:function(){return g.COACHMARK_ATTRIBUTE_NAME}}),Object.defineProperty(t,"Coachmark",{enumerable:!0,get:function(){return g.Coachmark}}),Object.defineProperty(t,"CoachmarkBase",{enumerable:!0,get:function(){return g.CoachmarkBase}});var h=o(77378);Object.defineProperty(t,"HEX_REGEX",{enumerable:!0,get:function(){return h.HEX_REGEX}}),Object.defineProperty(t,"MAX_COLOR_ALPHA",{enumerable:!0,get:function(){return h.MAX_COLOR_ALPHA}}),Object.defineProperty(t,"MAX_COLOR_HUE",{enumerable:!0,get:function(){return h.MAX_COLOR_HUE}}),Object.defineProperty(t,"MAX_COLOR_RGB",{enumerable:!0,get:function(){return h.MAX_COLOR_RGB}}),Object.defineProperty(t,"MAX_COLOR_RGBA",{enumerable:!0,get:function(){return h.MAX_COLOR_RGBA}}),Object.defineProperty(t,"MAX_COLOR_SATURATION",{enumerable:!0,get:function(){return h.MAX_COLOR_SATURATION}}),Object.defineProperty(t,"MAX_COLOR_VALUE",{enumerable:!0,get:function(){return h.MAX_COLOR_VALUE}}),Object.defineProperty(t,"MAX_HEX_LENGTH",{enumerable:!0,get:function(){return h.MAX_HEX_LENGTH}}),Object.defineProperty(t,"MAX_RGBA_LENGTH",{enumerable:!0,get:function(){return h.MAX_RGBA_LENGTH}}),Object.defineProperty(t,"MIN_HEX_LENGTH",{enumerable:!0,get:function(){return h.MIN_HEX_LENGTH}}),Object.defineProperty(t,"MIN_RGBA_LENGTH",{enumerable:!0,get:function(){return h.MIN_RGBA_LENGTH}}),Object.defineProperty(t,"RGBA_REGEX",{enumerable:!0,get:function(){return h.RGBA_REGEX}}),Object.defineProperty(t,"Shade",{enumerable:!0,get:function(){return h.Shade}}),Object.defineProperty(t,"clamp",{enumerable:!0,get:function(){return h.clamp}}),Object.defineProperty(t,"correctHSV",{enumerable:!0,get:function(){return h.correctHSV}}),Object.defineProperty(t,"correctHex",{enumerable:!0,get:function(){return h.correctHex}}),Object.defineProperty(t,"correctRGB",{enumerable:!0,get:function(){return h.correctRGB}}),Object.defineProperty(t,"cssColor",{enumerable:!0,get:function(){return h.cssColor}}),Object.defineProperty(t,"getBackgroundShade",{enumerable:!0,get:function(){return h.getBackgroundShade}}),Object.defineProperty(t,"getColorFromHSV",{enumerable:!0,get:function(){return h.getColorFromHSV}}),Object.defineProperty(t,"getColorFromRGBA",{enumerable:!0,get:function(){return h.getColorFromRGBA}}),Object.defineProperty(t,"getColorFromString",{enumerable:!0,get:function(){return h.getColorFromString}}),Object.defineProperty(t,"getContrastRatio",{enumerable:!0,get:function(){return h.getContrastRatio}}),Object.defineProperty(t,"getFullColorString",{enumerable:!0,get:function(){return h.getFullColorString}}),Object.defineProperty(t,"getShade",{enumerable:!0,get:function(){return h.getShade}}),Object.defineProperty(t,"hsl2hsv",{enumerable:!0,get:function(){return h.hsl2hsv}}),Object.defineProperty(t,"hsl2rgb",{enumerable:!0,get:function(){return h.hsl2rgb}}),Object.defineProperty(t,"hsv2hex",{enumerable:!0,get:function(){return h.hsv2hex}}),Object.defineProperty(t,"hsv2hsl",{enumerable:!0,get:function(){return h.hsv2hsl}}),Object.defineProperty(t,"hsv2rgb",{enumerable:!0,get:function(){return h.hsv2rgb}}),Object.defineProperty(t,"isDark",{enumerable:!0,get:function(){return h.isDark}}),Object.defineProperty(t,"isValidShade",{enumerable:!0,get:function(){return h.isValidShade}}),Object.defineProperty(t,"rgb2hex",{enumerable:!0,get:function(){return h.rgb2hex}}),Object.defineProperty(t,"rgb2hsv",{enumerable:!0,get:function(){return h.rgb2hsv}}),Object.defineProperty(t,"updateA",{enumerable:!0,get:function(){return h.updateA}}),Object.defineProperty(t,"updateH",{enumerable:!0,get:function(){return h.updateH}}),Object.defineProperty(t,"updateRGB",{enumerable:!0,get:function(){return h.updateRGB}}),Object.defineProperty(t,"updateSV",{enumerable:!0,get:function(){return h.updateSV}}),Object.defineProperty(t,"updateT",{enumerable:!0,get:function(){return h.updateT}});var f=o(17384);Object.defineProperty(t,"ColorPicker",{enumerable:!0,get:function(){return f.ColorPicker}}),Object.defineProperty(t,"ColorPickerBase",{enumerable:!0,get:function(){return f.ColorPickerBase}});var v=o(60994);Object.defineProperty(t,"ComboBox",{enumerable:!0,get:function(){return v.ComboBox}}),Object.defineProperty(t,"VirtualizedComboBox",{enumerable:!0,get:function(){return v.VirtualizedComboBox}});var b=o(11743);Object.defineProperty(t,"CommandBar",{enumerable:!0,get:function(){return b.CommandBar}}),Object.defineProperty(t,"CommandBarBase",{enumerable:!0,get:function(){return b.CommandBarBase}}),Object.defineProperty(t,"getCommandBarStyles",{enumerable:!0,get:function(){return b.getCommandBarStyles}}),Object.defineProperty(t,"getCommandButtonStyles",{enumerable:!0,get:function(){return b.getCommandButtonStyles}});var y=o(52521);Object.defineProperty(t,"ContextualMenu",{enumerable:!0,get:function(){return y.ContextualMenu}}),Object.defineProperty(t,"ContextualMenuBase",{enumerable:!0,get:function(){return y.ContextualMenuBase}}),Object.defineProperty(t,"ContextualMenuItem",{enumerable:!0,get:function(){return y.ContextualMenuItem}}),Object.defineProperty(t,"ContextualMenuItemBase",{enumerable:!0,get:function(){return y.ContextualMenuItemBase}}),Object.defineProperty(t,"ContextualMenuItemType",{enumerable:!0,get:function(){return y.ContextualMenuItemType}}),Object.defineProperty(t,"canAnyMenuItemsCheck",{enumerable:!0,get:function(){return y.canAnyMenuItemsCheck}}),Object.defineProperty(t,"getContextualMenuItemClassNames",{enumerable:!0,get:function(){return y.getContextualMenuItemClassNames}}),Object.defineProperty(t,"getContextualMenuItemStyles",{enumerable:!0,get:function(){return y.getContextualMenuItemStyles}}),Object.defineProperty(t,"getMenuItemStyles",{enumerable:!0,get:function(){return y.getMenuItemStyles}}),Object.defineProperty(t,"getSubmenuItems",{enumerable:!0,get:function(){return y.getSubmenuItems}});var _=o(46831);Object.defineProperty(t,"DatePicker",{enumerable:!0,get:function(){return _.DatePicker}}),Object.defineProperty(t,"DatePickerBase",{enumerable:!0,get:function(){return _.DatePickerBase}}),Object.defineProperty(t,"defaultDatePickerStrings",{enumerable:!0,get:function(){return _.defaultDatePickerStrings}});var S=o(80102);Object.defineProperty(t,"DAYS_IN_WEEK",{enumerable:!0,get:function(){return S.DAYS_IN_WEEK}}),Object.defineProperty(t,"MonthOfYear",{enumerable:!0,get:function(){return S.MonthOfYear}}),Object.defineProperty(t,"TimeConstants",{enumerable:!0,get:function(){return S.TimeConstants}}),Object.defineProperty(t,"addDays",{enumerable:!0,get:function(){return S.addDays}}),Object.defineProperty(t,"addMonths",{enumerable:!0,get:function(){return S.addMonths}}),Object.defineProperty(t,"addWeeks",{enumerable:!0,get:function(){return S.addWeeks}}),Object.defineProperty(t,"addYears",{enumerable:!0,get:function(){return S.addYears}}),Object.defineProperty(t,"compareDatePart",{enumerable:!0,get:function(){return S.compareDatePart}}),Object.defineProperty(t,"compareDates",{enumerable:!0,get:function(){return S.compareDates}}),Object.defineProperty(t,"getDatePartHashValue",{enumerable:!0,get:function(){return S.getDatePartHashValue}}),Object.defineProperty(t,"getDateRangeArray",{enumerable:!0,get:function(){return S.getDateRangeArray}}),Object.defineProperty(t,"getEndDateOfWeek",{enumerable:!0,get:function(){return S.getEndDateOfWeek}}),Object.defineProperty(t,"getMonthEnd",{enumerable:!0,get:function(){return S.getMonthEnd}}),Object.defineProperty(t,"getMonthStart",{enumerable:!0,get:function(){return S.getMonthStart}}),Object.defineProperty(t,"getStartDateOfWeek",{enumerable:!0,get:function(){return S.getStartDateOfWeek}}),Object.defineProperty(t,"getWeekNumber",{enumerable:!0,get:function(){return S.getWeekNumber}}),Object.defineProperty(t,"getWeekNumbersInMonth",{enumerable:!0,get:function(){return S.getWeekNumbersInMonth}}),Object.defineProperty(t,"getYearEnd",{enumerable:!0,get:function(){return S.getYearEnd}}),Object.defineProperty(t,"getYearStart",{enumerable:!0,get:function(){return S.getYearStart}}),Object.defineProperty(t,"isInDateRangeArray",{enumerable:!0,get:function(){return S.isInDateRangeArray}}),Object.defineProperty(t,"setMonth",{enumerable:!0,get:function(){return S.setMonth}});var C=o(84803);Object.defineProperty(t,"CHECK_CELL_WIDTH",{enumerable:!0,get:function(){return C.CHECK_CELL_WIDTH}}),Object.defineProperty(t,"CheckboxVisibility",{enumerable:!0,get:function(){return C.CheckboxVisibility}}),Object.defineProperty(t,"CollapseAllVisibility",{enumerable:!0,get:function(){return C.CollapseAllVisibility}}),Object.defineProperty(t,"ColumnActionsMode",{enumerable:!0,get:function(){return C.ColumnActionsMode}}),Object.defineProperty(t,"ColumnDragEndLocation",{enumerable:!0,get:function(){return C.ColumnDragEndLocation}}),Object.defineProperty(t,"ConstrainMode",{enumerable:!0,get:function(){return C.ConstrainMode}}),Object.defineProperty(t,"DEFAULT_CELL_STYLE_PROPS",{enumerable:!0,get:function(){return C.DEFAULT_CELL_STYLE_PROPS}}),Object.defineProperty(t,"DEFAULT_ROW_HEIGHTS",{enumerable:!0,get:function(){return C.DEFAULT_ROW_HEIGHTS}}),Object.defineProperty(t,"DetailsColumn",{enumerable:!0,get:function(){return C.DetailsColumn}}),Object.defineProperty(t,"DetailsColumnBase",{enumerable:!0,get:function(){return C.DetailsColumnBase}}),Object.defineProperty(t,"DetailsHeader",{enumerable:!0,get:function(){return C.DetailsHeader}}),Object.defineProperty(t,"DetailsHeaderBase",{enumerable:!0,get:function(){return C.DetailsHeaderBase}}),Object.defineProperty(t,"DetailsList",{enumerable:!0,get:function(){return C.DetailsList}}),Object.defineProperty(t,"DetailsListBase",{enumerable:!0,get:function(){return C.DetailsListBase}}),Object.defineProperty(t,"DetailsListLayoutMode",{enumerable:!0,get:function(){return C.DetailsListLayoutMode}}),Object.defineProperty(t,"DetailsRow",{enumerable:!0,get:function(){return C.DetailsRow}}),Object.defineProperty(t,"DetailsRowBase",{enumerable:!0,get:function(){return C.DetailsRowBase}}),Object.defineProperty(t,"DetailsRowCheck",{enumerable:!0,get:function(){return C.DetailsRowCheck}}),Object.defineProperty(t,"DetailsRowFields",{enumerable:!0,get:function(){return C.DetailsRowFields}}),Object.defineProperty(t,"DetailsRowGlobalClassNames",{enumerable:!0,get:function(){return C.DetailsRowGlobalClassNames}}),Object.defineProperty(t,"HEADER_HEIGHT",{enumerable:!0,get:function(){return C.HEADER_HEIGHT}}),Object.defineProperty(t,"SELECTION_CHANGE",{enumerable:!0,get:function(){return C.SELECTION_CHANGE}}),Object.defineProperty(t,"SelectAllVisibility",{enumerable:!0,get:function(){return C.SelectAllVisibility}}),Object.defineProperty(t,"Selection",{enumerable:!0,get:function(){return C.Selection}}),Object.defineProperty(t,"SelectionDirection",{enumerable:!0,get:function(){return C.SelectionDirection}}),Object.defineProperty(t,"SelectionMode",{enumerable:!0,get:function(){return C.SelectionMode}}),Object.defineProperty(t,"SelectionZone",{enumerable:!0,get:function(){return C.SelectionZone}}),Object.defineProperty(t,"buildColumns",{enumerable:!0,get:function(){return C.buildColumns}}),Object.defineProperty(t,"getCellStyles",{enumerable:!0,get:function(){return C.getCellStyles}}),Object.defineProperty(t,"getDetailsColumnStyles",{enumerable:!0,get:function(){return C.getDetailsColumnStyles}}),Object.defineProperty(t,"getDetailsHeaderStyles",{enumerable:!0,get:function(){return C.getDetailsHeaderStyles}}),Object.defineProperty(t,"getDetailsListStyles",{enumerable:!0,get:function(){return C.getDetailsListStyles}}),Object.defineProperty(t,"getDetailsRowCheckStyles",{enumerable:!0,get:function(){return C.getDetailsRowCheckStyles}}),Object.defineProperty(t,"getDetailsRowStyles",{enumerable:!0,get:function(){return C.getDetailsRowStyles}});var x=o(55025);Object.defineProperty(t,"Dialog",{enumerable:!0,get:function(){return x.Dialog}}),Object.defineProperty(t,"DialogBase",{enumerable:!0,get:function(){return x.DialogBase}}),Object.defineProperty(t,"DialogContent",{enumerable:!0,get:function(){return x.DialogContent}}),Object.defineProperty(t,"DialogContentBase",{enumerable:!0,get:function(){return x.DialogContentBase}}),Object.defineProperty(t,"DialogFooter",{enumerable:!0,get:function(){return x.DialogFooter}}),Object.defineProperty(t,"DialogFooterBase",{enumerable:!0,get:function(){return x.DialogFooterBase}}),Object.defineProperty(t,"DialogType",{enumerable:!0,get:function(){return x.DialogType}});var P=o(56304);Object.defineProperty(t,"VerticalDivider",{enumerable:!0,get:function(){return P.VerticalDivider}});var k=o(12446);Object.defineProperty(t,"DocumentCard",{enumerable:!0,get:function(){return k.DocumentCard}}),Object.defineProperty(t,"DocumentCardActions",{enumerable:!0,get:function(){return k.DocumentCardActions}}),Object.defineProperty(t,"DocumentCardActivity",{enumerable:!0,get:function(){return k.DocumentCardActivity}}),Object.defineProperty(t,"DocumentCardDetails",{enumerable:!0,get:function(){return k.DocumentCardDetails}}),Object.defineProperty(t,"DocumentCardImage",{enumerable:!0,get:function(){return k.DocumentCardImage}}),Object.defineProperty(t,"DocumentCardLocation",{enumerable:!0,get:function(){return k.DocumentCardLocation}}),Object.defineProperty(t,"DocumentCardLogo",{enumerable:!0,get:function(){return k.DocumentCardLogo}}),Object.defineProperty(t,"DocumentCardPreview",{enumerable:!0,get:function(){return k.DocumentCardPreview}}),Object.defineProperty(t,"DocumentCardStatus",{enumerable:!0,get:function(){return k.DocumentCardStatus}}),Object.defineProperty(t,"DocumentCardTitle",{enumerable:!0,get:function(){return k.DocumentCardTitle}}),Object.defineProperty(t,"DocumentCardType",{enumerable:!0,get:function(){return k.DocumentCardType}});var I=o(23902);Object.defineProperty(t,"DragDropHelper",{enumerable:!0,get:function(){return I.DragDropHelper}});var w=o(39108);Object.defineProperty(t,"Dropdown",{enumerable:!0,get:function(){return w.Dropdown}}),Object.defineProperty(t,"DropdownBase",{enumerable:!0,get:function(){return w.DropdownBase}}),Object.defineProperty(t,"DropdownMenuItemType",{enumerable:!0,get:function(){return w.DropdownMenuItemType}});var T=o(9314);Object.defineProperty(t,"BaseExtendedPeoplePicker",{enumerable:!0,get:function(){return T.BaseExtendedPeoplePicker}}),Object.defineProperty(t,"BaseExtendedPicker",{enumerable:!0,get:function(){return T.BaseExtendedPicker}}),Object.defineProperty(t,"ExtendedPeoplePicker",{enumerable:!0,get:function(){return T.ExtendedPeoplePicker}});var E=o(25644);Object.defineProperty(t,"Fabric",{enumerable:!0,get:function(){return E.Fabric}}),Object.defineProperty(t,"FabricBase",{enumerable:!0,get:function(){return E.FabricBase}});var D=o(94860);Object.defineProperty(t,"Facepile",{enumerable:!0,get:function(){return D.Facepile}}),Object.defineProperty(t,"FacepileBase",{enumerable:!0,get:function(){return D.FacepileBase}}),Object.defineProperty(t,"OverflowButtonType",{enumerable:!0,get:function(){return D.OverflowButtonType}});var M=o(57993);Object.defineProperty(t,"BaseFloatingPeoplePicker",{enumerable:!0,get:function(){return M.BaseFloatingPeoplePicker}}),Object.defineProperty(t,"BaseFloatingPicker",{enumerable:!0,get:function(){return M.BaseFloatingPicker}}),Object.defineProperty(t,"FloatingPeoplePicker",{enumerable:!0,get:function(){return M.FloatingPeoplePicker}}),Object.defineProperty(t,"SuggestionItemType",{enumerable:!0,get:function(){return M.SuggestionItemType}}),Object.defineProperty(t,"SuggestionsControl",{enumerable:!0,get:function(){return M.SuggestionsControl}}),Object.defineProperty(t,"SuggestionsCore",{enumerable:!0,get:function(){return M.SuggestionsCore}}),Object.defineProperty(t,"SuggestionsHeaderFooterItem",{enumerable:!0,get:function(){return M.SuggestionsHeaderFooterItem}}),Object.defineProperty(t,"SuggestionsStore",{enumerable:!0,get:function(){return M.SuggestionsStore}}),Object.defineProperty(t,"createItem",{enumerable:!0,get:function(){return M.createItem}});var O=o(34464);Object.defineProperty(t,"FocusTrapZone",{enumerable:!0,get:function(){return O.FocusTrapZone}});var R=o(80371);Object.defineProperty(t,"FocusZone",{enumerable:!0,get:function(){return R.FocusZone}}),Object.defineProperty(t,"FocusZoneDirection",{enumerable:!0,get:function(){return R.FocusZoneDirection}}),Object.defineProperty(t,"FocusZoneTabbableElements",{enumerable:!0,get:function(){return R.FocusZoneTabbableElements}});var F=o(40759);Object.defineProperty(t,"GetGroupCount",{enumerable:!0,get:function(){return F.GetGroupCount}}),Object.defineProperty(t,"GroupFooter",{enumerable:!0,get:function(){return F.GroupFooter}}),Object.defineProperty(t,"GroupHeader",{enumerable:!0,get:function(){return F.GroupHeader}}),Object.defineProperty(t,"GroupShowAll",{enumerable:!0,get:function(){return F.GroupShowAll}}),Object.defineProperty(t,"GroupSpacer",{enumerable:!0,get:function(){return F.GroupSpacer}}),Object.defineProperty(t,"GroupedList",{enumerable:!0,get:function(){return F.GroupedList}}),Object.defineProperty(t,"GroupedListBase",{enumerable:!0,get:function(){return F.GroupedListBase}}),Object.defineProperty(t,"GroupedListSection",{enumerable:!0,get:function(){return F.GroupedListSection}}),Object.defineProperty(t,"GroupedListV2_unstable",{enumerable:!0,get:function(){return F.GroupedListV2_unstable}});var B=o(30089);Object.defineProperty(t,"ExpandingCard",{enumerable:!0,get:function(){return B.ExpandingCard}}),Object.defineProperty(t,"ExpandingCardBase",{enumerable:!0,get:function(){return B.ExpandingCardBase}}),Object.defineProperty(t,"ExpandingCardMode",{enumerable:!0,get:function(){return B.ExpandingCardMode}}),Object.defineProperty(t,"HoverCard",{enumerable:!0,get:function(){return B.HoverCard}}),Object.defineProperty(t,"HoverCardBase",{enumerable:!0,get:function(){return B.HoverCardBase}}),Object.defineProperty(t,"HoverCardType",{enumerable:!0,get:function(){return B.HoverCardType}}),Object.defineProperty(t,"OpenCardMode",{enumerable:!0,get:function(){return B.OpenCardMode}}),Object.defineProperty(t,"PlainCard",{enumerable:!0,get:function(){return B.PlainCard}}),Object.defineProperty(t,"PlainCardBase",{enumerable:!0,get:function(){return B.PlainCardBase}});var A=o(30936);Object.defineProperty(t,"FontIcon",{enumerable:!0,get:function(){return A.FontIcon}}),Object.defineProperty(t,"Icon",{enumerable:!0,get:function(){return A.Icon}}),Object.defineProperty(t,"IconBase",{enumerable:!0,get:function(){return A.IconBase}}),Object.defineProperty(t,"IconType",{enumerable:!0,get:function(){return A.IconType}}),Object.defineProperty(t,"ImageIcon",{enumerable:!0,get:function(){return A.ImageIcon}}),Object.defineProperty(t,"getFontIcon",{enumerable:!0,get:function(){return A.getFontIcon}}),Object.defineProperty(t,"getIconContent",{enumerable:!0,get:function(){return A.getIconContent}});var N=o(40039);Object.defineProperty(t,"initializeIcons",{enumerable:!0,get:function(){return N.initializeIcons}});var L=o(38992);Object.defineProperty(t,"Image",{enumerable:!0,get:function(){return L.Image}}),Object.defineProperty(t,"ImageBase",{enumerable:!0,get:function(){return L.ImageBase}}),Object.defineProperty(t,"ImageCoverStyle",{enumerable:!0,get:function(){return L.ImageCoverStyle}}),Object.defineProperty(t,"ImageFit",{enumerable:!0,get:function(){return L.ImageFit}}),Object.defineProperty(t,"ImageLoadState",{enumerable:!0,get:function(){return L.ImageLoadState}});var H=o(16528);Object.defineProperty(t,"DATAKTP_ARIA_TARGET",{enumerable:!0,get:function(){return H.DATAKTP_ARIA_TARGET}}),Object.defineProperty(t,"DATAKTP_EXECUTE_TARGET",{enumerable:!0,get:function(){return H.DATAKTP_EXECUTE_TARGET}}),Object.defineProperty(t,"DATAKTP_TARGET",{enumerable:!0,get:function(){return H.DATAKTP_TARGET}}),Object.defineProperty(t,"KTP_ARIA_SEPARATOR",{enumerable:!0,get:function(){return H.KTP_ARIA_SEPARATOR}}),Object.defineProperty(t,"KTP_FULL_PREFIX",{enumerable:!0,get:function(){return H.KTP_FULL_PREFIX}}),Object.defineProperty(t,"KTP_LAYER_ID",{enumerable:!0,get:function(){return H.KTP_LAYER_ID}}),Object.defineProperty(t,"KTP_PREFIX",{enumerable:!0,get:function(){return H.KTP_PREFIX}}),Object.defineProperty(t,"KTP_SEPARATOR",{enumerable:!0,get:function(){return H.KTP_SEPARATOR}}),Object.defineProperty(t,"Keytip",{enumerable:!0,get:function(){return H.Keytip}}),Object.defineProperty(t,"KeytipData",{enumerable:!0,get:function(){return H.KeytipData}}),Object.defineProperty(t,"KeytipEvents",{enumerable:!0,get:function(){return H.KeytipEvents}}),Object.defineProperty(t,"KeytipLayer",{enumerable:!0,get:function(){return H.KeytipLayer}}),Object.defineProperty(t,"KeytipLayerBase",{enumerable:!0,get:function(){return H.KeytipLayerBase}}),Object.defineProperty(t,"KeytipManager",{enumerable:!0,get:function(){return H.KeytipManager}}),Object.defineProperty(t,"buildKeytipConfigMap",{enumerable:!0,get:function(){return H.buildKeytipConfigMap}}),Object.defineProperty(t,"constructKeytip",{enumerable:!0,get:function(){return H.constructKeytip}}),Object.defineProperty(t,"getAriaDescribedBy",{enumerable:!0,get:function(){return H.getAriaDescribedBy}}),Object.defineProperty(t,"ktpTargetFromId",{enumerable:!0,get:function(){return H.ktpTargetFromId}}),Object.defineProperty(t,"ktpTargetFromSequences",{enumerable:!0,get:function(){return H.ktpTargetFromSequences}}),Object.defineProperty(t,"mergeOverflows",{enumerable:!0,get:function(){return H.mergeOverflows}}),Object.defineProperty(t,"sequencesToID",{enumerable:!0,get:function(){return H.sequencesToID}}),Object.defineProperty(t,"transitionKeysAreEqual",{enumerable:!0,get:function(){return H.transitionKeysAreEqual}}),Object.defineProperty(t,"transitionKeysContain",{enumerable:!0,get:function(){return H.transitionKeysContain}}),Object.defineProperty(t,"useKeytipRef",{enumerable:!0,get:function(){return H.useKeytipRef}});var j=o(47795);Object.defineProperty(t,"Label",{enumerable:!0,get:function(){return j.Label}}),Object.defineProperty(t,"LabelBase",{enumerable:!0,get:function(){return j.LabelBase}});var z=o(44472);Object.defineProperty(t,"Layer",{enumerable:!0,get:function(){return z.Layer}}),Object.defineProperty(t,"LayerBase",{enumerable:!0,get:function(){return z.LayerBase}}),Object.defineProperty(t,"LayerHost",{enumerable:!0,get:function(){return z.LayerHost}}),Object.defineProperty(t,"cleanupDefaultLayerHost",{enumerable:!0,get:function(){return z.cleanupDefaultLayerHost}}),Object.defineProperty(t,"createDefaultLayerHost",{enumerable:!0,get:function(){return z.createDefaultLayerHost}}),Object.defineProperty(t,"getLayerCount",{enumerable:!0,get:function(){return z.getLayerCount}}),Object.defineProperty(t,"getLayerHost",{enumerable:!0,get:function(){return z.getLayerHost}}),Object.defineProperty(t,"getLayerHostSelector",{enumerable:!0,get:function(){return z.getLayerHostSelector}}),Object.defineProperty(t,"getLayerStyles",{enumerable:!0,get:function(){return z.getLayerStyles}}),Object.defineProperty(t,"notifyHostChanged",{enumerable:!0,get:function(){return z.notifyHostChanged}}),Object.defineProperty(t,"registerLayer",{enumerable:!0,get:function(){return z.registerLayer}}),Object.defineProperty(t,"registerLayerHost",{enumerable:!0,get:function(){return z.registerLayerHost}}),Object.defineProperty(t,"setLayerHostSelector",{enumerable:!0,get:function(){return z.setLayerHostSelector}}),Object.defineProperty(t,"unregisterLayer",{enumerable:!0,get:function(){return z.unregisterLayer}}),Object.defineProperty(t,"unregisterLayerHost",{enumerable:!0,get:function(){return z.unregisterLayerHost}});var W=o(12329);Object.defineProperty(t,"Link",{enumerable:!0,get:function(){return W.Link}}),Object.defineProperty(t,"LinkBase",{enumerable:!0,get:function(){return W.LinkBase}});var V=o(2133);Object.defineProperty(t,"List",{enumerable:!0,get:function(){return V.List}}),Object.defineProperty(t,"ScrollToMode",{enumerable:!0,get:function(){return V.ScrollToMode}});var K=o(13831);Object.defineProperty(t,"MarqueeSelection",{enumerable:!0,get:function(){return K.MarqueeSelection}});var G=o(96925);Object.defineProperty(t,"MessageBar",{enumerable:!0,get:function(){return G.MessageBar}}),Object.defineProperty(t,"MessageBarBase",{enumerable:!0,get:function(){return G.MessageBarBase}}),Object.defineProperty(t,"MessageBarType",{enumerable:!0,get:function(){return G.MessageBarType}});var U=o(52252);Object.defineProperty(t,"Modal",{enumerable:!0,get:function(){return U.Modal}}),Object.defineProperty(t,"ModalBase",{enumerable:!0,get:function(){return U.ModalBase}});var Y=o(54572);Object.defineProperty(t,"Nav",{enumerable:!0,get:function(){return Y.Nav}}),Object.defineProperty(t,"NavBase",{enumerable:!0,get:function(){return Y.NavBase}}),Object.defineProperty(t,"isRelativeUrl",{enumerable:!0,get:function(){return Y.isRelativeUrl}});var q=o(95923);Object.defineProperty(t,"OverflowSet",{enumerable:!0,get:function(){return q.OverflowSet}}),Object.defineProperty(t,"OverflowSetBase",{enumerable:!0,get:function(){return q.OverflowSetBase}});var X=o(63409);Object.defineProperty(t,"Overlay",{enumerable:!0,get:function(){return X.Overlay}}),Object.defineProperty(t,"OverlayBase",{enumerable:!0,get:function(){return X.OverlayBase}});var Z=o(49307);Object.defineProperty(t,"Panel",{enumerable:!0,get:function(){return Z.Panel}}),Object.defineProperty(t,"PanelBase",{enumerable:!0,get:function(){return Z.PanelBase}}),Object.defineProperty(t,"PanelType",{enumerable:!0,get:function(){return Z.PanelType}});var Q=o(48377);Object.defineProperty(t,"Persona",{enumerable:!0,get:function(){return Q.Persona}}),Object.defineProperty(t,"PersonaBase",{enumerable:!0,get:function(){return Q.PersonaBase}}),Object.defineProperty(t,"PersonaCoin",{enumerable:!0,get:function(){return Q.PersonaCoin}}),Object.defineProperty(t,"PersonaCoinBase",{enumerable:!0,get:function(){return Q.PersonaCoinBase}}),Object.defineProperty(t,"PersonaInitialsColor",{enumerable:!0,get:function(){return Q.PersonaInitialsColor}}),Object.defineProperty(t,"PersonaPresence",{enumerable:!0,get:function(){return Q.PersonaPresence}}),Object.defineProperty(t,"PersonaSize",{enumerable:!0,get:function(){return Q.PersonaSize}}),Object.defineProperty(t,"getPersonaInitialsColor",{enumerable:!0,get:function(){return Q.getPersonaInitialsColor}}),Object.defineProperty(t,"personaPresenceSize",{enumerable:!0,get:function(){return Q.personaPresenceSize}}),Object.defineProperty(t,"personaSize",{enumerable:!0,get:function(){return Q.personaSize}}),Object.defineProperty(t,"presenceBoolean",{enumerable:!0,get:function(){return Q.presenceBoolean}}),Object.defineProperty(t,"sizeBoolean",{enumerable:!0,get:function(){return Q.sizeBoolean}}),Object.defineProperty(t,"sizeToPixels",{enumerable:!0,get:function(){return Q.sizeToPixels}});var J=o(31518);Object.defineProperty(t,"BasePeoplePicker",{enumerable:!0,get:function(){return J.BasePeoplePicker}}),Object.defineProperty(t,"BasePicker",{enumerable:!0,get:function(){return J.BasePicker}}),Object.defineProperty(t,"BasePickerListBelow",{enumerable:!0,get:function(){return J.BasePickerListBelow}}),Object.defineProperty(t,"CompactPeoplePicker",{enumerable:!0,get:function(){return J.CompactPeoplePicker}}),Object.defineProperty(t,"CompactPeoplePickerBase",{enumerable:!0,get:function(){return J.CompactPeoplePickerBase}}),Object.defineProperty(t,"ListPeoplePicker",{enumerable:!0,get:function(){return J.ListPeoplePicker}}),Object.defineProperty(t,"ListPeoplePickerBase",{enumerable:!0,get:function(){return J.ListPeoplePickerBase}}),Object.defineProperty(t,"MemberListPeoplePicker",{enumerable:!0,get:function(){return J.MemberListPeoplePicker}}),Object.defineProperty(t,"NormalPeoplePicker",{enumerable:!0,get:function(){return J.NormalPeoplePicker}}),Object.defineProperty(t,"NormalPeoplePickerBase",{enumerable:!0,get:function(){return J.NormalPeoplePickerBase}}),Object.defineProperty(t,"PeoplePickerItem",{enumerable:!0,get:function(){return J.PeoplePickerItem}}),Object.defineProperty(t,"PeoplePickerItemBase",{enumerable:!0,get:function(){return J.PeoplePickerItemBase}}),Object.defineProperty(t,"PeoplePickerItemSuggestion",{enumerable:!0,get:function(){return J.PeoplePickerItemSuggestion}}),Object.defineProperty(t,"PeoplePickerItemSuggestionBase",{enumerable:!0,get:function(){return J.PeoplePickerItemSuggestionBase}}),Object.defineProperty(t,"SuggestionActionType",{enumerable:!0,get:function(){return J.SuggestionActionType}}),Object.defineProperty(t,"Suggestions",{enumerable:!0,get:function(){return J.Suggestions}}),Object.defineProperty(t,"SuggestionsController",{enumerable:!0,get:function(){return J.SuggestionsController}}),Object.defineProperty(t,"SuggestionsItem",{enumerable:!0,get:function(){return J.SuggestionsItem}}),Object.defineProperty(t,"TagItem",{enumerable:!0,get:function(){return J.TagItem}}),Object.defineProperty(t,"TagItemBase",{enumerable:!0,get:function(){return J.TagItemBase}}),Object.defineProperty(t,"TagItemSuggestion",{enumerable:!0,get:function(){return J.TagItemSuggestion}}),Object.defineProperty(t,"TagItemSuggestionBase",{enumerable:!0,get:function(){return J.TagItemSuggestionBase}}),Object.defineProperty(t,"TagPicker",{enumerable:!0,get:function(){return J.TagPicker}}),Object.defineProperty(t,"TagPickerBase",{enumerable:!0,get:function(){return J.TagPickerBase}}),Object.defineProperty(t,"ValidationState",{enumerable:!0,get:function(){return J.ValidationState}}),Object.defineProperty(t,"createGenericItem",{enumerable:!0,get:function(){return J.createGenericItem}}),Object.defineProperty(t,"getBasePickerStyles",{enumerable:!0,get:function(){return J.getBasePickerStyles}}),Object.defineProperty(t,"getPeoplePickerItemStyles",{enumerable:!0,get:function(){return J.getPeoplePickerItemStyles}}),Object.defineProperty(t,"getPeoplePickerItemSuggestionStyles",{enumerable:!0,get:function(){return J.getPeoplePickerItemSuggestionStyles}}),Object.defineProperty(t,"getSuggestionsItemStyles",{enumerable:!0,get:function(){return J.getSuggestionsItemStyles}}),Object.defineProperty(t,"getSuggestionsStyles",{enumerable:!0,get:function(){return J.getSuggestionsStyles}}),Object.defineProperty(t,"getTagItemStyles",{enumerable:!0,get:function(){return J.getTagItemStyles}}),Object.defineProperty(t,"getTagItemSuggestionStyles",{enumerable:!0,get:function(){return J.getTagItemSuggestionStyles}});var $=o(59465);Object.defineProperty(t,"Pivot",{enumerable:!0,get:function(){return $.Pivot}}),Object.defineProperty(t,"PivotBase",{enumerable:!0,get:function(){return $.PivotBase}}),Object.defineProperty(t,"PivotItem",{enumerable:!0,get:function(){return $.PivotItem}}),Object.defineProperty(t,"PivotLinkFormat",{enumerable:!0,get:function(){return $.PivotLinkFormat}}),Object.defineProperty(t,"PivotLinkSize",{enumerable:!0,get:function(){return $.PivotLinkSize}});var ee=o(42183);Object.defineProperty(t,"Popup",{enumerable:!0,get:function(){return ee.Popup}});var te=o(43300);Object.defineProperty(t,"Position",{enumerable:!0,get:function(){return te.Position}}),Object.defineProperty(t,"RectangleEdge",{enumerable:!0,get:function(){return te.RectangleEdge}}),Object.defineProperty(t,"getBoundsFromTargetWindow",{enumerable:!0,get:function(){return te.getBoundsFromTargetWindow}}),Object.defineProperty(t,"getMaxHeight",{enumerable:!0,get:function(){return te.getMaxHeight}}),Object.defineProperty(t,"getOppositeEdge",{enumerable:!0,get:function(){return te.getOppositeEdge}}),Object.defineProperty(t,"positionCallout",{enumerable:!0,get:function(){return te.positionCallout}}),Object.defineProperty(t,"positionCard",{enumerable:!0,get:function(){return te.positionCard}}),Object.defineProperty(t,"positionElement",{enumerable:!0,get:function(){return te.positionElement}});var oe=o(79045);Object.defineProperty(t,"PositioningContainer",{enumerable:!0,get:function(){return oe.PositioningContainer}}),Object.defineProperty(t,"useHeightOffset",{enumerable:!0,get:function(){return oe.useHeightOffset}});var ne=o(30205);Object.defineProperty(t,"ProgressIndicator",{enumerable:!0,get:function(){return ne.ProgressIndicator}}),Object.defineProperty(t,"ProgressIndicatorBase",{enumerable:!0,get:function(){return ne.ProgressIndicatorBase}});var re=o(81548);Object.defineProperty(t,"Rating",{enumerable:!0,get:function(){return re.Rating}}),Object.defineProperty(t,"RatingBase",{enumerable:!0,get:function(){return re.RatingBase}}),Object.defineProperty(t,"RatingSize",{enumerable:!0,get:function(){return re.RatingSize}});var ie=o(68318);Object.defineProperty(t,"MeasuredContext",{enumerable:!0,get:function(){return ie.MeasuredContext}}),Object.defineProperty(t,"ResizeGroup",{enumerable:!0,get:function(){return ie.ResizeGroup}}),Object.defineProperty(t,"ResizeGroupBase",{enumerable:!0,get:function(){return ie.ResizeGroupBase}}),Object.defineProperty(t,"ResizeGroupDirection",{enumerable:!0,get:function(){return ie.ResizeGroupDirection}}),Object.defineProperty(t,"getMeasurementCache",{enumerable:!0,get:function(){return ie.getMeasurementCache}}),Object.defineProperty(t,"getNextResizeGroupStateProvider",{enumerable:!0,get:function(){return ie.getNextResizeGroupStateProvider}});var ae=o(4324);Object.defineProperty(t,"ResponsiveMode",{enumerable:!0,get:function(){return ae.ResponsiveMode}}),Object.defineProperty(t,"getInitialResponsiveMode",{enumerable:!0,get:function(){return ae.getInitialResponsiveMode}}),Object.defineProperty(t,"getResponsiveMode",{enumerable:!0,get:function(){return ae.getResponsiveMode}}),Object.defineProperty(t,"initializeResponsiveMode",{enumerable:!0,get:function(){return ae.initializeResponsiveMode}}),Object.defineProperty(t,"setResponsiveMode",{enumerable:!0,get:function(){return ae.setResponsiveMode}}),Object.defineProperty(t,"useResponsiveMode",{enumerable:!0,get:function(){return ae.useResponsiveMode}}),Object.defineProperty(t,"withResponsiveMode",{enumerable:!0,get:function(){return ae.withResponsiveMode}});var se=o(47150);Object.defineProperty(t,"ScrollablePane",{enumerable:!0,get:function(){return se.ScrollablePane}}),Object.defineProperty(t,"ScrollablePaneBase",{enumerable:!0,get:function(){return se.ScrollablePaneBase}}),Object.defineProperty(t,"ScrollablePaneContext",{enumerable:!0,get:function(){return se.ScrollablePaneContext}}),Object.defineProperty(t,"ScrollbarVisibility",{enumerable:!0,get:function(){return se.ScrollbarVisibility}});var le=o(93344);Object.defineProperty(t,"SearchBox",{enumerable:!0,get:function(){return le.SearchBox}}),Object.defineProperty(t,"SearchBoxBase",{enumerable:!0,get:function(){return le.SearchBoxBase}});var ce=o(30628);Object.defineProperty(t,"SelectableOptionMenuItemType",{enumerable:!0,get:function(){return ce.SelectableOptionMenuItemType}}),Object.defineProperty(t,"getAllSelectedOptions",{enumerable:!0,get:function(){return ce.getAllSelectedOptions}});var ue=o(53646);Object.defineProperty(t,"BasePeopleSelectedItemsList",{enumerable:!0,get:function(){return ue.BasePeopleSelectedItemsList}}),Object.defineProperty(t,"BaseSelectedItemsList",{enumerable:!0,get:function(){return ue.BaseSelectedItemsList}}),Object.defineProperty(t,"ExtendedSelectedItem",{enumerable:!0,get:function(){return ue.ExtendedSelectedItem}}),Object.defineProperty(t,"SelectedPeopleList",{enumerable:!0,get:function(){return ue.SelectedPeopleList}});var de=o(67026);Object.defineProperty(t,"Separator",{enumerable:!0,get:function(){return de.Separator}}),Object.defineProperty(t,"SeparatorBase",{enumerable:!0,get:function(){return de.SeparatorBase}});var pe=o(62662);Object.defineProperty(t,"Shimmer",{enumerable:!0,get:function(){return pe.Shimmer}}),Object.defineProperty(t,"ShimmerBase",{enumerable:!0,get:function(){return pe.ShimmerBase}}),Object.defineProperty(t,"ShimmerCircle",{enumerable:!0,get:function(){return pe.ShimmerCircle}}),Object.defineProperty(t,"ShimmerCircleBase",{enumerable:!0,get:function(){return pe.ShimmerCircleBase}}),Object.defineProperty(t,"ShimmerElementType",{enumerable:!0,get:function(){return pe.ShimmerElementType}}),Object.defineProperty(t,"ShimmerElementsDefaultHeights",{enumerable:!0,get:function(){return pe.ShimmerElementsDefaultHeights}}),Object.defineProperty(t,"ShimmerElementsGroup",{enumerable:!0,get:function(){return pe.ShimmerElementsGroup}}),Object.defineProperty(t,"ShimmerElementsGroupBase",{enumerable:!0,get:function(){return pe.ShimmerElementsGroupBase}}),Object.defineProperty(t,"ShimmerGap",{enumerable:!0,get:function(){return pe.ShimmerGap}}),Object.defineProperty(t,"ShimmerGapBase",{enumerable:!0,get:function(){return pe.ShimmerGapBase}}),Object.defineProperty(t,"ShimmerLine",{enumerable:!0,get:function(){return pe.ShimmerLine}}),Object.defineProperty(t,"ShimmerLineBase",{enumerable:!0,get:function(){return pe.ShimmerLineBase}});var me=o(93753);Object.defineProperty(t,"ShimmeredDetailsList",{enumerable:!0,get:function(){return me.ShimmeredDetailsList}}),Object.defineProperty(t,"ShimmeredDetailsListBase",{enumerable:!0,get:function(){return me.ShimmeredDetailsListBase}}),Object.defineProperty(t,"getShimmeredDetailsListStyles",{enumerable:!0,get:function(){return me.getShimmeredDetailsListStyles}});var ge=o(49064);Object.defineProperty(t,"Slider",{enumerable:!0,get:function(){return ge.Slider}}),Object.defineProperty(t,"SliderBase",{enumerable:!0,get:function(){return ge.SliderBase}});var he=o(14529);Object.defineProperty(t,"KeyboardSpinDirection",{enumerable:!0,get:function(){return he.KeyboardSpinDirection}}),Object.defineProperty(t,"SpinButton",{enumerable:!0,get:function(){return he.SpinButton}});var fe=o(66044);Object.defineProperty(t,"Spinner",{enumerable:!0,get:function(){return fe.Spinner}}),Object.defineProperty(t,"SpinnerBase",{enumerable:!0,get:function(){return fe.SpinnerBase}}),Object.defineProperty(t,"SpinnerSize",{enumerable:!0,get:function(){return fe.SpinnerSize}}),Object.defineProperty(t,"SpinnerType",{enumerable:!0,get:function(){return fe.SpinnerType}});var ve=o(96577);Object.defineProperty(t,"Stack",{enumerable:!0,get:function(){return ve.Stack}}),Object.defineProperty(t,"StackItem",{enumerable:!0,get:function(){return ve.StackItem}});var be=o(19198);Object.defineProperty(t,"Sticky",{enumerable:!0,get:function(){return be.Sticky}}),Object.defineProperty(t,"StickyPositionType",{enumerable:!0,get:function(){return be.StickyPositionType}});var ye=o(15019);Object.defineProperty(t,"AnimationClassNames",{enumerable:!0,get:function(){return ye.AnimationClassNames}}),Object.defineProperty(t,"AnimationStyles",{enumerable:!0,get:function(){return ye.AnimationStyles}}),Object.defineProperty(t,"AnimationVariables",{enumerable:!0,get:function(){return ye.AnimationVariables}}),Object.defineProperty(t,"ColorClassNames",{enumerable:!0,get:function(){return ye.ColorClassNames}}),Object.defineProperty(t,"DefaultEffects",{enumerable:!0,get:function(){return ye.DefaultEffects}}),Object.defineProperty(t,"DefaultFontStyles",{enumerable:!0,get:function(){return ye.DefaultFontStyles}}),Object.defineProperty(t,"DefaultPalette",{enumerable:!0,get:function(){return ye.DefaultPalette}}),Object.defineProperty(t,"EdgeChromiumHighContrastSelector",{enumerable:!0,get:function(){return ye.EdgeChromiumHighContrastSelector}}),Object.defineProperty(t,"FontClassNames",{enumerable:!0,get:function(){return ye.FontClassNames}}),Object.defineProperty(t,"FontSizes",{enumerable:!0,get:function(){return ye.FontSizes}}),Object.defineProperty(t,"FontWeights",{enumerable:!0,get:function(){return ye.FontWeights}}),Object.defineProperty(t,"HighContrastSelector",{enumerable:!0,get:function(){return ye.HighContrastSelector}}),Object.defineProperty(t,"HighContrastSelectorBlack",{enumerable:!0,get:function(){return ye.HighContrastSelectorBlack}}),Object.defineProperty(t,"HighContrastSelectorWhite",{enumerable:!0,get:function(){return ye.HighContrastSelectorWhite}}),Object.defineProperty(t,"IconFontSizes",{enumerable:!0,get:function(){return ye.IconFontSizes}}),Object.defineProperty(t,"InjectionMode",{enumerable:!0,get:function(){return ye.InjectionMode}}),Object.defineProperty(t,"PulsingBeaconAnimationStyles",{enumerable:!0,get:function(){return ye.PulsingBeaconAnimationStyles}}),Object.defineProperty(t,"ScreenWidthMaxLarge",{enumerable:!0,get:function(){return ye.ScreenWidthMaxLarge}}),Object.defineProperty(t,"ScreenWidthMaxMedium",{enumerable:!0,get:function(){return ye.ScreenWidthMaxMedium}}),Object.defineProperty(t,"ScreenWidthMaxSmall",{enumerable:!0,get:function(){return ye.ScreenWidthMaxSmall}}),Object.defineProperty(t,"ScreenWidthMaxXLarge",{enumerable:!0,get:function(){return ye.ScreenWidthMaxXLarge}}),Object.defineProperty(t,"ScreenWidthMaxXXLarge",{enumerable:!0,get:function(){return ye.ScreenWidthMaxXXLarge}}),Object.defineProperty(t,"ScreenWidthMinLarge",{enumerable:!0,get:function(){return ye.ScreenWidthMinLarge}}),Object.defineProperty(t,"ScreenWidthMinMedium",{enumerable:!0,get:function(){return ye.ScreenWidthMinMedium}}),Object.defineProperty(t,"ScreenWidthMinSmall",{enumerable:!0,get:function(){return ye.ScreenWidthMinSmall}}),Object.defineProperty(t,"ScreenWidthMinUhfMobile",{enumerable:!0,get:function(){return ye.ScreenWidthMinUhfMobile}}),Object.defineProperty(t,"ScreenWidthMinXLarge",{enumerable:!0,get:function(){return ye.ScreenWidthMinXLarge}}),Object.defineProperty(t,"ScreenWidthMinXXLarge",{enumerable:!0,get:function(){return ye.ScreenWidthMinXXLarge}}),Object.defineProperty(t,"ScreenWidthMinXXXLarge",{enumerable:!0,get:function(){return ye.ScreenWidthMinXXXLarge}}),Object.defineProperty(t,"Stylesheet",{enumerable:!0,get:function(){return ye.Stylesheet}}),Object.defineProperty(t,"ThemeSettingName",{enumerable:!0,get:function(){return ye.ThemeSettingName}}),Object.defineProperty(t,"ZIndexes",{enumerable:!0,get:function(){return ye.ZIndexes}}),Object.defineProperty(t,"buildClassMap",{enumerable:!0,get:function(){return ye.buildClassMap}}),Object.defineProperty(t,"concatStyleSets",{enumerable:!0,get:function(){return ye.concatStyleSets}}),Object.defineProperty(t,"concatStyleSetsWithProps",{enumerable:!0,get:function(){return ye.concatStyleSetsWithProps}}),Object.defineProperty(t,"createFontStyles",{enumerable:!0,get:function(){return ye.createFontStyles}}),Object.defineProperty(t,"createTheme",{enumerable:!0,get:function(){return ye.createTheme}}),Object.defineProperty(t,"focusClear",{enumerable:!0,get:function(){return ye.focusClear}}),Object.defineProperty(t,"fontFace",{enumerable:!0,get:function(){return ye.fontFace}}),Object.defineProperty(t,"getEdgeChromiumNoHighContrastAdjustSelector",{enumerable:!0,get:function(){return ye.getEdgeChromiumNoHighContrastAdjustSelector}}),Object.defineProperty(t,"getFadedOverflowStyle",{enumerable:!0,get:function(){return ye.getFadedOverflowStyle}}),Object.defineProperty(t,"getFocusOutlineStyle",{enumerable:!0,get:function(){return ye.getFocusOutlineStyle}}),Object.defineProperty(t,"getFocusStyle",{enumerable:!0,get:function(){return ye.getFocusStyle}}),Object.defineProperty(t,"getGlobalClassNames",{enumerable:!0,get:function(){return ye.getGlobalClassNames}}),Object.defineProperty(t,"getHighContrastNoAdjustStyle",{enumerable:!0,get:function(){return ye.getHighContrastNoAdjustStyle}}),Object.defineProperty(t,"getIcon",{enumerable:!0,get:function(){return ye.getIcon}}),Object.defineProperty(t,"getIconClassName",{enumerable:!0,get:function(){return ye.getIconClassName}}),Object.defineProperty(t,"getInputFocusStyle",{enumerable:!0,get:function(){return ye.getInputFocusStyle}}),Object.defineProperty(t,"getPlaceholderStyles",{enumerable:!0,get:function(){return ye.getPlaceholderStyles}}),Object.defineProperty(t,"getScreenSelector",{enumerable:!0,get:function(){return ye.getScreenSelector}}),Object.defineProperty(t,"getTheme",{enumerable:!0,get:function(){return ye.getTheme}}),Object.defineProperty(t,"getThemedContext",{enumerable:!0,get:function(){return ye.getThemedContext}}),Object.defineProperty(t,"hiddenContentStyle",{enumerable:!0,get:function(){return ye.hiddenContentStyle}}),Object.defineProperty(t,"keyframes",{enumerable:!0,get:function(){return ye.keyframes}}),Object.defineProperty(t,"loadTheme",{enumerable:!0,get:function(){return ye.loadTheme}}),Object.defineProperty(t,"mergeStyleSets",{enumerable:!0,get:function(){return ye.mergeStyleSets}}),Object.defineProperty(t,"mergeStyles",{enumerable:!0,get:function(){return ye.mergeStyles}}),Object.defineProperty(t,"noWrap",{enumerable:!0,get:function(){return ye.noWrap}}),Object.defineProperty(t,"normalize",{enumerable:!0,get:function(){return ye.normalize}}),Object.defineProperty(t,"registerDefaultFontFaces",{enumerable:!0,get:function(){return ye.registerDefaultFontFaces}}),Object.defineProperty(t,"registerIconAlias",{enumerable:!0,get:function(){return ye.registerIconAlias}}),Object.defineProperty(t,"registerIcons",{enumerable:!0,get:function(){return ye.registerIcons}}),Object.defineProperty(t,"registerOnThemeChangeCallback",{enumerable:!0,get:function(){return ye.registerOnThemeChangeCallback}}),Object.defineProperty(t,"removeOnThemeChangeCallback",{enumerable:!0,get:function(){return ye.removeOnThemeChangeCallback}}),Object.defineProperty(t,"setIconOptions",{enumerable:!0,get:function(){return ye.setIconOptions}}),Object.defineProperty(t,"unregisterIcons",{enumerable:!0,get:function(){return ye.unregisterIcons}});var _e=o(53e3);Object.defineProperty(t,"ColorPickerGridCell",{enumerable:!0,get:function(){return _e.ColorPickerGridCell}}),Object.defineProperty(t,"ColorPickerGridCellBase",{enumerable:!0,get:function(){return _e.ColorPickerGridCellBase}}),Object.defineProperty(t,"SwatchColorPicker",{enumerable:!0,get:function(){return _e.SwatchColorPicker}}),Object.defineProperty(t,"SwatchColorPickerBase",{enumerable:!0,get:function(){return _e.SwatchColorPickerBase}});var Se=o(43676);Object.defineProperty(t,"TeachingBubble",{enumerable:!0,get:function(){return Se.TeachingBubble}}),Object.defineProperty(t,"TeachingBubbleBase",{enumerable:!0,get:function(){return Se.TeachingBubbleBase}}),Object.defineProperty(t,"TeachingBubbleContent",{enumerable:!0,get:function(){return Se.TeachingBubbleContent}}),Object.defineProperty(t,"TeachingBubbleContentBase",{enumerable:!0,get:function(){return Se.TeachingBubbleContentBase}});var Ce=o(63182);Object.defineProperty(t,"Text",{enumerable:!0,get:function(){return Ce.Text}}),Object.defineProperty(t,"TextStyles",{enumerable:!0,get:function(){return Ce.TextStyles}}),Object.defineProperty(t,"TextView",{enumerable:!0,get:function(){return Ce.TextView}});var xe=o(13636);Object.defineProperty(t,"DEFAULT_MASK_CHAR",{enumerable:!0,get:function(){return xe.DEFAULT_MASK_CHAR}}),Object.defineProperty(t,"MaskedTextField",{enumerable:!0,get:function(){return xe.MaskedTextField}}),Object.defineProperty(t,"TextField",{enumerable:!0,get:function(){return xe.TextField}}),Object.defineProperty(t,"TextFieldBase",{enumerable:!0,get:function(){return xe.TextFieldBase}}),Object.defineProperty(t,"getTextFieldStyles",{enumerable:!0,get:function(){return xe.getTextFieldStyles}});var Pe=o(16467);Object.defineProperty(t,"BaseSlots",{enumerable:!0,get:function(){return Pe.BaseSlots}}),Object.defineProperty(t,"FabricSlots",{enumerable:!0,get:function(){return Pe.FabricSlots}}),Object.defineProperty(t,"SemanticColorSlots",{enumerable:!0,get:function(){return Pe.SemanticColorSlots}}),Object.defineProperty(t,"ThemeGenerator",{enumerable:!0,get:function(){return Pe.ThemeGenerator}}),Object.defineProperty(t,"themeRulesStandardCreator",{enumerable:!0,get:function(){return Pe.themeRulesStandardCreator}});var ke=o(48742);Object.defineProperty(t,"TimePicker",{enumerable:!0,get:function(){return ke.TimePicker}});var Ie=o(26889);Object.defineProperty(t,"Toggle",{enumerable:!0,get:function(){return Ie.Toggle}}),Object.defineProperty(t,"ToggleBase",{enumerable:!0,get:function(){return Ie.ToggleBase}});var we=o(34718);Object.defineProperty(t,"Tooltip",{enumerable:!0,get:function(){return we.Tooltip}}),Object.defineProperty(t,"TooltipBase",{enumerable:!0,get:function(){return we.TooltipBase}}),Object.defineProperty(t,"TooltipDelay",{enumerable:!0,get:function(){return we.TooltipDelay}}),Object.defineProperty(t,"TooltipHost",{enumerable:!0,get:function(){return we.TooltipHost}}),Object.defineProperty(t,"TooltipHostBase",{enumerable:!0,get:function(){return we.TooltipHostBase}}),Object.defineProperty(t,"TooltipOverflowMode",{enumerable:!0,get:function(){return we.TooltipOverflowMode}});var Te=o(71061);Object.defineProperty(t,"Async",{enumerable:!0,get:function(){return Te.Async}}),Object.defineProperty(t,"AutoScroll",{enumerable:!0,get:function(){return Te.AutoScroll}}),Object.defineProperty(t,"BaseComponent",{enumerable:!0,get:function(){return Te.BaseComponent}}),Object.defineProperty(t,"Customizations",{enumerable:!0,get:function(){return Te.Customizations}}),Object.defineProperty(t,"Customizer",{enumerable:!0,get:function(){return Te.Customizer}}),Object.defineProperty(t,"CustomizerContext",{enumerable:!0,get:function(){return Te.CustomizerContext}}),Object.defineProperty(t,"DATA_IS_SCROLLABLE_ATTRIBUTE",{enumerable:!0,get:function(){return Te.DATA_IS_SCROLLABLE_ATTRIBUTE}}),Object.defineProperty(t,"DATA_PORTAL_ATTRIBUTE",{enumerable:!0,get:function(){return Te.DATA_PORTAL_ATTRIBUTE}}),Object.defineProperty(t,"DelayedRender",{enumerable:!0,get:function(){return Te.DelayedRender}}),Object.defineProperty(t,"EventGroup",{enumerable:!0,get:function(){return Te.EventGroup}}),Object.defineProperty(t,"FabricPerformance",{enumerable:!0,get:function(){return Te.FabricPerformance}}),Object.defineProperty(t,"FocusRects",{enumerable:!0,get:function(){return Te.FocusRects}}),Object.defineProperty(t,"FocusRectsContext",{enumerable:!0,get:function(){return Te.FocusRectsContext}}),Object.defineProperty(t,"FocusRectsProvider",{enumerable:!0,get:function(){return Te.FocusRectsProvider}}),Object.defineProperty(t,"GlobalSettings",{enumerable:!0,get:function(){return Te.GlobalSettings}}),Object.defineProperty(t,"IsFocusVisibleClassName",{enumerable:!0,get:function(){return Te.IsFocusVisibleClassName}}),Object.defineProperty(t,"KeyCodes",{enumerable:!0,get:function(){return Te.KeyCodes}}),Object.defineProperty(t,"Rectangle",{enumerable:!0,get:function(){return Te.Rectangle}}),Object.defineProperty(t,"addDirectionalKeyCode",{enumerable:!0,get:function(){return Te.addDirectionalKeyCode}}),Object.defineProperty(t,"addElementAtIndex",{enumerable:!0,get:function(){return Te.addElementAtIndex}}),Object.defineProperty(t,"allowOverscrollOnElement",{enumerable:!0,get:function(){return Te.allowOverscrollOnElement}}),Object.defineProperty(t,"allowScrollOnElement",{enumerable:!0,get:function(){return Te.allowScrollOnElement}}),Object.defineProperty(t,"anchorProperties",{enumerable:!0,get:function(){return Te.anchorProperties}}),Object.defineProperty(t,"appendFunction",{enumerable:!0,get:function(){return Te.appendFunction}}),Object.defineProperty(t,"arraysEqual",{enumerable:!0,get:function(){return Te.arraysEqual}}),Object.defineProperty(t,"asAsync",{enumerable:!0,get:function(){return Te.asAsync}}),Object.defineProperty(t,"assertNever",{enumerable:!0,get:function(){return Te.assertNever}}),Object.defineProperty(t,"assign",{enumerable:!0,get:function(){return Te.assign}}),Object.defineProperty(t,"audioProperties",{enumerable:!0,get:function(){return Te.audioProperties}}),Object.defineProperty(t,"baseElementEvents",{enumerable:!0,get:function(){return Te.baseElementEvents}}),Object.defineProperty(t,"baseElementProperties",{enumerable:!0,get:function(){return Te.baseElementProperties}}),Object.defineProperty(t,"buttonProperties",{enumerable:!0,get:function(){return Te.buttonProperties}}),Object.defineProperty(t,"calculatePrecision",{enumerable:!0,get:function(){return Te.calculatePrecision}}),Object.defineProperty(t,"canUseDOM",{enumerable:!0,get:function(){return Te.canUseDOM}}),Object.defineProperty(t,"classNamesFunction",{enumerable:!0,get:function(){return Te.classNamesFunction}}),Object.defineProperty(t,"colGroupProperties",{enumerable:!0,get:function(){return Te.colGroupProperties}}),Object.defineProperty(t,"colProperties",{enumerable:!0,get:function(){return Te.colProperties}}),Object.defineProperty(t,"composeComponentAs",{enumerable:!0,get:function(){return Te.composeComponentAs}}),Object.defineProperty(t,"composeRenderFunction",{enumerable:!0,get:function(){return Te.composeRenderFunction}}),Object.defineProperty(t,"createArray",{enumerable:!0,get:function(){return Te.createArray}}),Object.defineProperty(t,"createMemoizer",{enumerable:!0,get:function(){return Te.createMemoizer}}),Object.defineProperty(t,"createMergedRef",{enumerable:!0,get:function(){return Te.createMergedRef}}),Object.defineProperty(t,"css",{enumerable:!0,get:function(){return Te.css}}),Object.defineProperty(t,"customizable",{enumerable:!0,get:function(){return Te.customizable}}),Object.defineProperty(t,"disableBodyScroll",{enumerable:!0,get:function(){return Te.disableBodyScroll}}),Object.defineProperty(t,"divProperties",{enumerable:!0,get:function(){return Te.divProperties}}),Object.defineProperty(t,"doesElementContainFocus",{enumerable:!0,get:function(){return Te.doesElementContainFocus}}),Object.defineProperty(t,"elementContains",{enumerable:!0,get:function(){return Te.elementContains}}),Object.defineProperty(t,"elementContainsAttribute",{enumerable:!0,get:function(){return Te.elementContainsAttribute}}),Object.defineProperty(t,"enableBodyScroll",{enumerable:!0,get:function(){return Te.enableBodyScroll}}),Object.defineProperty(t,"extendComponent",{enumerable:!0,get:function(){return Te.extendComponent}}),Object.defineProperty(t,"filteredAssign",{enumerable:!0,get:function(){return Te.filteredAssign}}),Object.defineProperty(t,"find",{enumerable:!0,get:function(){return Te.find}}),Object.defineProperty(t,"findElementRecursive",{enumerable:!0,get:function(){return Te.findElementRecursive}}),Object.defineProperty(t,"findIndex",{enumerable:!0,get:function(){return Te.findIndex}}),Object.defineProperty(t,"findScrollableParent",{enumerable:!0,get:function(){return Te.findScrollableParent}}),Object.defineProperty(t,"fitContentToBounds",{enumerable:!0,get:function(){return Te.fitContentToBounds}}),Object.defineProperty(t,"flatten",{enumerable:!0,get:function(){return Te.flatten}}),Object.defineProperty(t,"focusAsync",{enumerable:!0,get:function(){return Te.focusAsync}}),Object.defineProperty(t,"focusFirstChild",{enumerable:!0,get:function(){return Te.focusFirstChild}}),Object.defineProperty(t,"formProperties",{enumerable:!0,get:function(){return Te.formProperties}}),Object.defineProperty(t,"format",{enumerable:!0,get:function(){return Te.format}}),Object.defineProperty(t,"getChildren",{enumerable:!0,get:function(){return Te.getChildren}}),Object.defineProperty(t,"getDistanceBetweenPoints",{enumerable:!0,get:function(){return Te.getDistanceBetweenPoints}}),Object.defineProperty(t,"getDocument",{enumerable:!0,get:function(){return Te.getDocument}}),Object.defineProperty(t,"getElementIndexPath",{enumerable:!0,get:function(){return Te.getElementIndexPath}}),Object.defineProperty(t,"getFirstFocusable",{enumerable:!0,get:function(){return Te.getFirstFocusable}}),Object.defineProperty(t,"getFirstTabbable",{enumerable:!0,get:function(){return Te.getFirstTabbable}}),Object.defineProperty(t,"getFirstVisibleElementFromSelector",{enumerable:!0,get:function(){return Te.getFirstVisibleElementFromSelector}}),Object.defineProperty(t,"getFocusableByIndexPath",{enumerable:!0,get:function(){return Te.getFocusableByIndexPath}}),Object.defineProperty(t,"getId",{enumerable:!0,get:function(){return Te.getId}}),Object.defineProperty(t,"getInitials",{enumerable:!0,get:function(){return Te.getInitials}}),Object.defineProperty(t,"getLanguage",{enumerable:!0,get:function(){return Te.getLanguage}}),Object.defineProperty(t,"getLastFocusable",{enumerable:!0,get:function(){return Te.getLastFocusable}}),Object.defineProperty(t,"getLastTabbable",{enumerable:!0,get:function(){return Te.getLastTabbable}}),Object.defineProperty(t,"getNativeElementProps",{enumerable:!0,get:function(){return Te.getNativeElementProps}}),Object.defineProperty(t,"getNativeProps",{enumerable:!0,get:function(){return Te.getNativeProps}}),Object.defineProperty(t,"getNextElement",{enumerable:!0,get:function(){return Te.getNextElement}}),Object.defineProperty(t,"getParent",{enumerable:!0,get:function(){return Te.getParent}}),Object.defineProperty(t,"getPreviousElement",{enumerable:!0,get:function(){return Te.getPreviousElement}}),Object.defineProperty(t,"getPropsWithDefaults",{enumerable:!0,get:function(){return Te.getPropsWithDefaults}}),Object.defineProperty(t,"getRTL",{enumerable:!0,get:function(){return Te.getRTL}}),Object.defineProperty(t,"getRTLSafeKeyCode",{enumerable:!0,get:function(){return Te.getRTLSafeKeyCode}}),Object.defineProperty(t,"getRect",{enumerable:!0,get:function(){return Te.getRect}}),Object.defineProperty(t,"getResourceUrl",{enumerable:!0,get:function(){return Te.getResourceUrl}}),Object.defineProperty(t,"getScrollbarWidth",{enumerable:!0,get:function(){return Te.getScrollbarWidth}}),Object.defineProperty(t,"getVirtualParent",{enumerable:!0,get:function(){return Te.getVirtualParent}}),Object.defineProperty(t,"getWindow",{enumerable:!0,get:function(){return Te.getWindow}}),Object.defineProperty(t,"hasHorizontalOverflow",{enumerable:!0,get:function(){return Te.hasHorizontalOverflow}}),Object.defineProperty(t,"hasOverflow",{enumerable:!0,get:function(){return Te.hasOverflow}}),Object.defineProperty(t,"hasVerticalOverflow",{enumerable:!0,get:function(){return Te.hasVerticalOverflow}}),Object.defineProperty(t,"hoistMethods",{enumerable:!0,get:function(){return Te.hoistMethods}}),Object.defineProperty(t,"hoistStatics",{enumerable:!0,get:function(){return Te.hoistStatics}}),Object.defineProperty(t,"htmlElementProperties",{enumerable:!0,get:function(){return Te.htmlElementProperties}}),Object.defineProperty(t,"iframeProperties",{enumerable:!0,get:function(){return Te.iframeProperties}}),Object.defineProperty(t,"imageProperties",{enumerable:!0,get:function(){return Te.imageProperties}}),Object.defineProperty(t,"imgProperties",{enumerable:!0,get:function(){return Te.imgProperties}}),Object.defineProperty(t,"initializeComponentRef",{enumerable:!0,get:function(){return Te.initializeComponentRef}}),Object.defineProperty(t,"initializeFocusRects",{enumerable:!0,get:function(){return Te.initializeFocusRects}}),Object.defineProperty(t,"inputProperties",{enumerable:!0,get:function(){return Te.inputProperties}}),Object.defineProperty(t,"isControlled",{enumerable:!0,get:function(){return Te.isControlled}}),Object.defineProperty(t,"isDirectionalKeyCode",{enumerable:!0,get:function(){return Te.isDirectionalKeyCode}}),Object.defineProperty(t,"isElementFocusSubZone",{enumerable:!0,get:function(){return Te.isElementFocusSubZone}}),Object.defineProperty(t,"isElementFocusZone",{enumerable:!0,get:function(){return Te.isElementFocusZone}}),Object.defineProperty(t,"isElementTabbable",{enumerable:!0,get:function(){return Te.isElementTabbable}}),Object.defineProperty(t,"isElementVisible",{enumerable:!0,get:function(){return Te.isElementVisible}}),Object.defineProperty(t,"isElementVisibleAndNotHidden",{enumerable:!0,get:function(){return Te.isElementVisibleAndNotHidden}}),Object.defineProperty(t,"isIE11",{enumerable:!0,get:function(){return Te.isIE11}}),Object.defineProperty(t,"isIOS",{enumerable:!0,get:function(){return Te.isIOS}}),Object.defineProperty(t,"isMac",{enumerable:!0,get:function(){return Te.isMac}}),Object.defineProperty(t,"isVirtualElement",{enumerable:!0,get:function(){return Te.isVirtualElement}}),Object.defineProperty(t,"labelProperties",{enumerable:!0,get:function(){return Te.labelProperties}}),Object.defineProperty(t,"liProperties",{enumerable:!0,get:function(){return Te.liProperties}}),Object.defineProperty(t,"mapEnumByName",{enumerable:!0,get:function(){return Te.mapEnumByName}}),Object.defineProperty(t,"memoize",{enumerable:!0,get:function(){return Te.memoize}}),Object.defineProperty(t,"memoizeFunction",{enumerable:!0,get:function(){return Te.memoizeFunction}}),Object.defineProperty(t,"merge",{enumerable:!0,get:function(){return Te.merge}}),Object.defineProperty(t,"mergeAriaAttributeValues",{enumerable:!0,get:function(){return Te.mergeAriaAttributeValues}}),Object.defineProperty(t,"mergeCustomizations",{enumerable:!0,get:function(){return Te.mergeCustomizations}}),Object.defineProperty(t,"mergeScopedSettings",{enumerable:!0,get:function(){return Te.mergeScopedSettings}}),Object.defineProperty(t,"mergeSettings",{enumerable:!0,get:function(){return Te.mergeSettings}}),Object.defineProperty(t,"MergeStylesRootProvider",{enumerable:!0,get:function(){return Te.MergeStylesRootProvider}}),Object.defineProperty(t,"MergeStylesShadowRootProvider",{enumerable:!0,get:function(){return Te.MergeStylesShadowRootProvider}}),Object.defineProperty(t,"modalize",{enumerable:!0,get:function(){return Te.modalize}}),Object.defineProperty(t,"nullRender",{enumerable:!0,get:function(){return Te.nullRender}}),Object.defineProperty(t,"olProperties",{enumerable:!0,get:function(){return Te.olProperties}}),Object.defineProperty(t,"omit",{enumerable:!0,get:function(){return Te.omit}}),Object.defineProperty(t,"on",{enumerable:!0,get:function(){return Te.on}}),Object.defineProperty(t,"optionProperties",{enumerable:!0,get:function(){return Te.optionProperties}}),Object.defineProperty(t,"portalContainsElement",{enumerable:!0,get:function(){return Te.portalContainsElement}}),Object.defineProperty(t,"precisionRound",{enumerable:!0,get:function(){return Te.precisionRound}}),Object.defineProperty(t,"raiseClick",{enumerable:!0,get:function(){return Te.raiseClick}}),Object.defineProperty(t,"removeDirectionalKeyCode",{enumerable:!0,get:function(){return Te.removeDirectionalKeyCode}}),Object.defineProperty(t,"removeIndex",{enumerable:!0,get:function(){return Te.removeIndex}}),Object.defineProperty(t,"replaceElement",{enumerable:!0,get:function(){return Te.replaceElement}}),Object.defineProperty(t,"resetControlledWarnings",{enumerable:!0,get:function(){return Te.resetControlledWarnings}}),Object.defineProperty(t,"resetIds",{enumerable:!0,get:function(){return Te.resetIds}}),Object.defineProperty(t,"resetMemoizations",{enumerable:!0,get:function(){return Te.resetMemoizations}}),Object.defineProperty(t,"safeRequestAnimationFrame",{enumerable:!0,get:function(){return Te.safeRequestAnimationFrame}}),Object.defineProperty(t,"safeSetTimeout",{enumerable:!0,get:function(){return Te.safeSetTimeout}}),Object.defineProperty(t,"selectProperties",{enumerable:!0,get:function(){return Te.selectProperties}}),Object.defineProperty(t,"setBaseUrl",{enumerable:!0,get:function(){return Te.setBaseUrl}}),Object.defineProperty(t,"setFocusVisibility",{enumerable:!0,get:function(){return Te.setFocusVisibility}}),Object.defineProperty(t,"setLanguage",{enumerable:!0,get:function(){return Te.setLanguage}}),Object.defineProperty(t,"setMemoizeWeakMap",{enumerable:!0,get:function(){return Te.setMemoizeWeakMap}}),Object.defineProperty(t,"setPortalAttribute",{enumerable:!0,get:function(){return Te.setPortalAttribute}}),Object.defineProperty(t,"setRTL",{enumerable:!0,get:function(){return Te.setRTL}}),Object.defineProperty(t,"setSSR",{enumerable:!0,get:function(){return Te.setSSR}}),Object.defineProperty(t,"setVirtualParent",{enumerable:!0,get:function(){return Te.setVirtualParent}}),Object.defineProperty(t,"setWarningCallback",{enumerable:!0,get:function(){return Te.setWarningCallback}}),Object.defineProperty(t,"shallowCompare",{enumerable:!0,get:function(){return Te.shallowCompare}}),Object.defineProperty(t,"shouldWrapFocus",{enumerable:!0,get:function(){return Te.shouldWrapFocus}}),Object.defineProperty(t,"styled",{enumerable:!0,get:function(){return Te.styled}}),Object.defineProperty(t,"tableProperties",{enumerable:!0,get:function(){return Te.tableProperties}}),Object.defineProperty(t,"tdProperties",{enumerable:!0,get:function(){return Te.tdProperties}}),Object.defineProperty(t,"textAreaProperties",{enumerable:!0,get:function(){return Te.textAreaProperties}}),Object.defineProperty(t,"thProperties",{enumerable:!0,get:function(){return Te.thProperties}}),Object.defineProperty(t,"toMatrix",{enumerable:!0,get:function(){return Te.toMatrix}}),Object.defineProperty(t,"trProperties",{enumerable:!0,get:function(){return Te.trProperties}}),Object.defineProperty(t,"unhoistMethods",{enumerable:!0,get:function(){return Te.unhoistMethods}}),Object.defineProperty(t,"useAdoptedStylesheet",{enumerable:!0,get:function(){return Te.useAdoptedStylesheet}}),Object.defineProperty(t,"useAdoptedStylesheetEx",{enumerable:!0,get:function(){return Te.useAdoptedStylesheetEx}}),Object.defineProperty(t,"useCustomizationSettings",{enumerable:!0,get:function(){return Te.useCustomizationSettings}}),Object.defineProperty(t,"useFocusRects",{enumerable:!0,get:function(){return Te.useFocusRects}}),Object.defineProperty(t,"useHasMergeStylesShadowRootContext",{enumerable:!0,get:function(){return Te.useHasMergeStylesShadowRootContext}}),Object.defineProperty(t,"useMergeStylesHooks",{enumerable:!0,get:function(){return Te.useMergeStylesHooks}}),Object.defineProperty(t,"useMergeStylesRootStylesheets",{enumerable:!0,get:function(){return Te.useMergeStylesRootStylesheets}}),Object.defineProperty(t,"useMergeStylesShadowRootContext",{enumerable:!0,get:function(){return Te.useMergeStylesShadowRootContext}}),Object.defineProperty(t,"useShadowConfig",{enumerable:!0,get:function(){return Te.useShadowConfig}}),Object.defineProperty(t,"useStyled",{enumerable:!0,get:function(){return Te.useStyled}}),Object.defineProperty(t,"values",{enumerable:!0,get:function(){return Te.values}}),Object.defineProperty(t,"videoProperties",{enumerable:!0,get:function(){return Te.videoProperties}}),Object.defineProperty(t,"warn",{enumerable:!0,get:function(){return Te.warn}}),Object.defineProperty(t,"warnConditionallyRequiredProps",{enumerable:!0,get:function(){return Te.warnConditionallyRequiredProps}}),Object.defineProperty(t,"warnControlledUsage",{enumerable:!0,get:function(){return Te.warnControlledUsage}}),Object.defineProperty(t,"warnDeprecations",{enumerable:!0,get:function(){return Te.warnDeprecations}}),Object.defineProperty(t,"warnMutuallyExclusive",{enumerable:!0,get:function(){return Te.warnMutuallyExclusive}});var Ee=o(37735);Object.defineProperty(t,"withViewport",{enumerable:!0,get:function(){return Ee.withViewport}});var De=o(25384);Object.defineProperty(t,"WeeklyDayPicker",{enumerable:!0,get:function(){return De.WeeklyDayPicker}}),Object.defineProperty(t,"defaultWeeklyDayPickerNavigationIcons",{enumerable:!0,get:function(){return De.defaultWeeklyDayPickerNavigationIcons}}),Object.defineProperty(t,"defaultWeeklyDayPickerStrings",{enumerable:!0,get:function(){return De.defaultWeeklyDayPickerStrings}});var Me=o(71628);Object.defineProperty(t,"WindowContext",{enumerable:!0,get:function(){return Me.WindowContext}}),Object.defineProperty(t,"WindowProvider",{enumerable:!0,get:function(){return Me.WindowProvider}}),Object.defineProperty(t,"useDocument",{enumerable:!0,get:function(){return Me.useDocument}}),Object.defineProperty(t,"useWindow",{enumerable:!0,get:function(){return Me.useWindow}});var Oe=o(10269);Object.defineProperty(t,"ThemeContext",{enumerable:!0,get:function(){return Oe.ThemeContext}}),Object.defineProperty(t,"ThemeProvider",{enumerable:!0,get:function(){return Oe.ThemeProvider}}),Object.defineProperty(t,"makeStyles",{enumerable:!0,get:function(){return Oe.makeStyles}}),Object.defineProperty(t,"useTheme",{enumerable:!0,get:function(){return Oe.useTheme}});var Re=o(85236);Object.defineProperty(t,"CommunicationColors",{enumerable:!0,get:function(){return Re.CommunicationColors}}),Object.defineProperty(t,"DefaultSpacing",{enumerable:!0,get:function(){return Re.DefaultSpacing}}),Object.defineProperty(t,"Depths",{enumerable:!0,get:function(){return Re.Depths}}),Object.defineProperty(t,"FluentTheme",{enumerable:!0,get:function(){return Re.FluentTheme}}),Object.defineProperty(t,"LocalizedFontFamilies",{enumerable:!0,get:function(){return Re.LocalizedFontFamilies}}),Object.defineProperty(t,"LocalizedFontNames",{enumerable:!0,get:function(){return Re.LocalizedFontNames}}),Object.defineProperty(t,"mergeThemes",{enumerable:!0,get:function(){return Re.mergeThemes}}),Object.defineProperty(t,"MotionDurations",{enumerable:!0,get:function(){return Re.MotionDurations}}),Object.defineProperty(t,"MotionTimings",{enumerable:!0,get:function(){return Re.MotionTimings}}),Object.defineProperty(t,"MotionAnimations",{enumerable:!0,get:function(){return Re.MotionAnimations}}),Object.defineProperty(t,"NeutralColors",{enumerable:!0,get:function(){return Re.NeutralColors}}),Object.defineProperty(t,"SharedColors",{enumerable:!0,get:function(){return Re.SharedColors}}),o(90149)},34356:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ButtonGridBase=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(80371),s=o(25698),l=(0,i.classNamesFunction)();t.ButtonGridBase=r.forwardRef((function(e,t){var o=(0,s.useId)(void 0,e.id),c=e.items,u=e.columnCount,d=e.onRenderItem,p=e.isSemanticRadio,m=e.ariaPosInSet,g=void 0===m?e.positionInSet:m,h=e.ariaSetSize,f=void 0===h?e.setSize:h,v=e.styles,b=e.doNotContainWithinFocusZone,y=(0,i.getNativeProps)(e,i.htmlElementProperties,b?[]:["onBlur"]),_=l(v,{theme:e.theme}),S=(0,i.toMatrix)(c,u),C=r.createElement("table",n.__assign({"aria-posinset":g,"aria-setsize":f,id:o,role:p?"radiogroup":"grid"},y,{className:_.root}),r.createElement("tbody",{role:p?"presentation":"rowgroup"},S.map((function(e,t){return r.createElement("tr",{role:p?"presentation":"row",key:t},e.map((function(e,t){return r.createElement("td",{role:"presentation",key:t+"-cell",className:_.tableCell},d(e,t))})))}))));return b?C:r.createElement(a.FocusZone,{elementRef:t,isCircularNavigation:e.shouldFocusCircularNavigate,className:_.focusedContainer,onBlur:e.onBlur},C)}))},32967:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ButtonGrid=void 0;var n=o(71061),r=o(34356),i=o(35179);t.ButtonGrid=(0,n.styled)(r.ButtonGridBase,i.getStyles),t.ButtonGrid.displayName="ButtonGrid"},35179:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getStyles=void 0,t.getStyles=function(e){return{root:{padding:2,outline:"none"},tableCell:{padding:0}}}},66064:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},89027:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ButtonGridCell=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(74393),s=o(25698);t.ButtonGridCell=function(e){var t,o=(0,s.useId)("gridCell"),l=e.item,c=e.id,u=void 0===c?o:c,d=e.className,p=e.selected,m=e.disabled,g=void 0!==m&&m,h=e.onRenderItem,f=e.cellDisabledStyle,v=e.cellIsSelectedStyle,b=e.index,y=e.label,_=e.getClassNames,S=e.onClick,C=e.onHover,x=e.onMouseMove,P=e.onMouseLeave,k=e.onMouseEnter,I=e.onFocus,w=(0,i.getNativeProps)(e,i.buttonProperties),T=r.useCallback((function(e){S&&!g&&S(l,e)}),[g,l,S]),E=r.useCallback((function(e){k&&k(e)||!C||g||C(l,e)}),[g,l,C,k]),D=r.useCallback((function(e){x&&x(e)||!C||g||C(l,e)}),[g,l,C,x]),M=r.useCallback((function(e){P&&P(e)||!C||g||C(void 0,e)}),[g,C,P]),O=r.useCallback((function(e){I&&!g&&I(l,e)}),[g,l,I]);return r.createElement(a.CommandButton,n.__assign({id:u,"data-index":b,"data-is-focusable":!0,"aria-selected":p,ariaLabel:y,title:y},w,{className:(0,i.css)(d,(t={},t[""+v]=p,t[""+f]=g,t)),onClick:T,onMouseEnter:E,onMouseMove:D,onMouseLeave:M,onFocus:O,getClassNames:_}),h(l))}},26756:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},87503:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(32967),t),n.__exportStar(o(66064),t),n.__exportStar(o(89027),t),n.__exportStar(o(26756),t)},49441:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DraggableZone=void 0;var n=o(31635),r=o(83923),i=o(98645),a=o(71061),s=o(97156),l=o(50478),c={start:"touchstart",move:"touchmove",stop:"touchend"},u={start:"mousedown",move:"mousemove",stop:"mouseup"},d=function(e){function t(t){var o=e.call(this,t)||this;return o._currentEventType=u,o._events=[],o._onMouseDown=function(e){var t=r.Children.only(o.props.children).props.onMouseDown;return t&&t(e),o._currentEventType=u,o._onDragStart(e)},o._onMouseUp=function(e){var t=r.Children.only(o.props.children).props.onMouseUp;return t&&t(e),o._currentEventType=u,o._onDragStop(e)},o._onTouchStart=function(e){var t=r.Children.only(o.props.children).props.onTouchStart;return t&&t(e),o._currentEventType=c,o._onDragStart(e)},o._onTouchEnd=function(e){var t=r.Children.only(o.props.children).props.onTouchEnd;t&&t(e),o._currentEventType=c,o._onDragStop(e)},o._onDragStart=function(e){if("number"==typeof e.button&&0!==e.button)return!1;if(!(o.props.handleSelector&&!o._matchesSelector(e.target,o.props.handleSelector)||o.props.preventDragSelector&&o._matchesSelector(e.target,o.props.preventDragSelector))){o._touchId=o._getTouchId(e);var t=o._getControlPosition(e);if(void 0!==t){var n=o._createDragDataFromPosition(t);o.props.onStart&&o.props.onStart(e,n),o.setState({isDragging:!0,lastPosition:t});var r=(0,l.getDocumentEx)(o.context);o._events=[(0,a.on)(r.body,o._currentEventType.move,o._onDrag,!0),(0,a.on)(r.body,o._currentEventType.stop,o._onDragStop,!0)]}}},o._onDrag=function(e){"touchmove"===e.type&&e.preventDefault();var t=o._getControlPosition(e);if(t){var n=o._createUpdatedDragData(o._createDragDataFromPosition(t)),r=n.position;o.props.onDragChange&&o.props.onDragChange(e,n),o.setState({position:r,lastPosition:t})}},o._onDragStop=function(e){if(o.state.isDragging){var t=o._getControlPosition(e);if(t){var n=o._createDragDataFromPosition(t);o.setState({isDragging:!1,lastPosition:void 0}),o.props.onStop&&o.props.onStop(e,n),o.props.position&&o.setState({position:o.props.position}),o._events.forEach((function(e){return e()}))}}},o.state={isDragging:!1,position:o.props.position||{x:0,y:0},lastPosition:void 0},o}return n.__extends(t,e),t.prototype.componentDidUpdate=function(e){!this.props.position||e.position&&this.props.position===e.position||this.setState({position:this.props.position})},t.prototype.componentWillUnmount=function(){this._events.forEach((function(e){return e()}))},t.prototype.render=function(){var e=r.Children.only(this.props.children),t=e.props,o=this.props.position,a=this.state,s=a.position,l=a.isDragging,c=s.x,u=s.y;return o&&!l&&(c=o.x,u=o.y),r.cloneElement(e,{style:n.__assign(n.__assign({},t.style),{transform:"translate(".concat(c,"px, ").concat(u,"px)")}),className:(0,i.getClassNames)(t.className,this.state.isDragging).root,onMouseDown:this._onMouseDown,onMouseUp:this._onMouseUp,onTouchStart:this._onTouchStart,onTouchEnd:this._onTouchEnd})},t.prototype._getControlPosition=function(e){var t=this._getActiveTouch(e);if(void 0===this._touchId||t){var o=t||e;return{x:o.clientX,y:o.clientY}}},t.prototype._getActiveTouch=function(e){return e.targetTouches&&this._findTouchInTouchList(e.targetTouches)||e.changedTouches&&this._findTouchInTouchList(e.changedTouches)},t.prototype._getTouchId=function(e){var t=e.targetTouches&&e.targetTouches[0]||e.changedTouches&&e.changedTouches[0];if(t)return t.identifier},t.prototype._matchesSelector=function(e,t){var o;if(!e||e===(null===(o=(0,l.getDocumentEx)(this.context))||void 0===o?void 0:o.body))return!1;var n=e.matches||e.webkitMatchesSelector||e.msMatchesSelector;return!!n&&(n.call(e,t)||this._matchesSelector(e.parentElement,t))},t.prototype._findTouchInTouchList=function(e){if(void 0!==this._touchId)for(var t=0;t{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getClassNames=void 0;var n=o(71061),r=o(15019);t.getClassNames=(0,n.memoizeFunction)((function(e,t){return{root:(0,r.mergeStyles)(e,t&&{touchAction:"none",selectors:{"& *":{userSelect:"none"}}})}}))},78378:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},37996:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(49441),t),n.__exportStar(o(78378),t),n.__exportStar(o(98645),t)},51821:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useMenuContext=t.MenuContext=void 0;var n=o(83923);t.MenuContext=n.createContext({}),t.useMenuContext=function(){return n.useContext(t.MenuContext)}},46263:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(51821),t),n.__exportStar(o(88814),t)},88814:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},76601:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ThemeContext=void 0;var n=o(83923);t.ThemeContext=n.createContext(void 0)},42145:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ThemeProvider=void 0;var n=o(83923),r=o(64106),i=o(54776),a=o(25698);t.ThemeProvider=n.forwardRef((function(e,t){var o=(0,a.useMergedRefs)(t,n.useRef(null)),s=(0,i.useThemeProvider)(e,{ref:o,as:"div",applyTo:"element"}),l=s.render,c=s.state;return(0,r.useThemeProviderClasses)(c),l(c)})),t.ThemeProvider.displayName="ThemeProvider"},10269:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ThemeContext=t.useTheme=t.ThemeProvider=void 0;var n=o(31635),r=o(42145);Object.defineProperty(t,"ThemeProvider",{enumerable:!0,get:function(){return r.ThemeProvider}});var i=o(24705);Object.defineProperty(t,"useTheme",{enumerable:!0,get:function(){return i.useTheme}});var a=o(76601);Object.defineProperty(t,"ThemeContext",{enumerable:!0,get:function(){return a.ThemeContext}}),n.__exportStar(o(48793),t)},48793:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.makeStyles=void 0;var n=o(24705),r=o(52332),i=o(97156),a=o(4508),s=o(83923);t.makeStyles=function(e){var t=new Map,o=new Set,l=function(e){var n=e.currentTarget,r=n.__id__;t.delete(r),n.removeEventListener("unload",l),o.delete(r)};return function(c){void 0===c&&(c={});var u,d=c.theme,p=(0,i.useWindow)();p&&(p.__id__=p.__id__||(0,r.getId)(),u=p.__id__,o.has(u)||(o.add(u),p.addEventListener("unload",l)));var m=(0,n.useTheme)();d=d||m;var g=a.mergeStylesRenderer.getId(),h=[u,g,d],f=function(e,t){var o,n,r,i=t[0],a=t[1],s=t[2];return null===(r=null===(n=null===(o=e.get(i))||void 0===o?void 0:o.get(a))||void 0===n?void 0:n.get(s))||void 0===r?void 0:r.classMap}(t,h);if((0,s.useEffect)((function(){return function(e,t){var o,n,r=t[0],i=t[1],a=t[2],s=null===(n=null===(o=e.get(r))||void 0===o?void 0:o.get(i))||void 0===n?void 0:n.get(a);s&&s.refCount++}(t,[u,g,d]),function(){return function(e,t){var o,n,r,i,a,s,l,c,u=t[0],d=t[1],p=t[2],m=null===(n=null===(o=e.get(u))||void 0===o?void 0:o.get(d))||void 0===n?void 0:n.get(p);m&&(m.refCount--,0===m.refCount&&(null===(i=null===(r=e.get(u))||void 0===r?void 0:r.get(d))||void 0===i||i.delete(p),0===(null===(s=null===(a=e.get(u))||void 0===a?void 0:a.get(d))||void 0===s?void 0:s.size)&&(null===(l=e.get(u))||void 0===l||l.delete(d),0===(null===(c=e.get(u))||void 0===c?void 0:c.size)&&e.delete(u))))}(t,[u,g,d])}}),[u,g,d]),!f){var v=function(e){return"function"==typeof e}(e)?e(d):e;f=a.mergeStylesRenderer.renderStyles(v,{targetWindow:p,rtl:!!d.rtl}),function(e,t,o){var n,r,i=t[0],a=t[1],s=t[2],l=null!==(n=e.get(i))&&void 0!==n?n:new Map;e.set(i,l);var c=null!==(r=l.get(a))&&void 0!==r?r:new Map;l.set(a,c),c.set(s,{classMap:o,refCount:0})}(t,h,f)}return f}}},81813:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.renderThemeProvider=void 0;var n=o(31635),r=o(83923),i=o(52332),a=o(76601);t.renderThemeProvider=function(e){var t=e.customizerContext,o=e.ref,s=e.theme,l=e.as||"div",c="string"==typeof e.as?(0,i.getNativeElementProps)(e.as,e):e.as===r.Fragment?{children:e.children}:(0,i.omit)(e,["as"]);return r.createElement(a.ThemeContext.Provider,{value:s},r.createElement(i.CustomizerContext.Provider,{value:t},r.createElement(i.FocusRectsProvider,{providerRef:o},r.createElement(l,n.__assign({},c)))))}},4508:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.mergeStylesRenderer=void 0;var n=o(15241),r=0;t.mergeStylesRenderer={reset:function(){n.Stylesheet.getInstance().onReset((function(){return r++}))},getId:function(){return r},renderStyles:function(e,t){return(0,n.mergeCssSets)(Array.isArray(e)?e:[e],t)},renderFontFace:function(e,t){return(0,n.fontFace)(e)},renderKeyframes:function(e){return(0,n.keyframes)(e)}}},24705:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useTheme=void 0;var n=o(83923),r=o(52332),i=o(51499),a=o(76601);t.useTheme=function(){var e=(0,n.useContext)(a.ThemeContext),t=(0,r.useCustomizationSettings)(["theme"]).theme;return e||t||(0,i.createTheme)({})}},54776:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useThemeProvider=void 0;var n=o(81813),r=o(67035),i=o(52332);t.useThemeProvider=function(e,t){var o=(0,i.getPropsWithDefaults)(t,e);return(0,r.useThemeProviderState)(o),{state:o,render:n.renderThemeProvider}}},64106:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useThemeProviderClasses=void 0;var n=o(83923),r=o(52332),i=o(97156),a=(0,o(48793).makeStyles)((function(e){var t=e.semanticColors,o=e.fonts;return{body:[{color:t.bodyText,background:t.bodyBackground,fontFamily:o.medium.fontFamily,fontWeight:o.medium.fontWeight,fontSize:o.medium.fontSize,MozOsxFontSmoothing:o.medium.MozOsxFontSmoothing,WebkitFontSmoothing:o.medium.WebkitFontSmoothing}]}}));t.useThemeProviderClasses=function(e){var t=a(e),o=e.className,s=e.applyTo;!function(e,t){var o,r="body"===e.applyTo,a=null===(o=(0,i.useDocument)())||void 0===o?void 0:o.body;n.useEffect((function(){if(r&&a){for(var e=0,o=t;e{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useThemeProviderState=void 0;var n=o(51499),r=o(83923),i=o(24705),a=o(52332),s=new Map;t.useThemeProviderState=function(e){var t=e.theme,o=(0,i.useTheme)(),l=e.theme=r.useMemo((function(){var e=(0,n.mergeThemes)(o,t);return e.id=function(){for(var e=[],t=0;t{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t._rgbaOrHexString=void 0;var n=o(47076);t._rgbaOrHexString=function(e,t,o,r,i){return r===n.MAX_COLOR_ALPHA||"number"!=typeof r?"#".concat(i):"rgba(".concat(e,", ").concat(t,", ").concat(o,", ").concat(r/n.MAX_COLOR_ALPHA,")")}},61029:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.clamp=void 0,t.clamp=function(e,t,o){return void 0===o&&(o=0),et?t:e}},44984:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(47076),t),n.__exportStar(o(5176),t),n.__exportStar(o(79466),t),n.__exportStar(o(73270),t),n.__exportStar(o(61029),t),n.__exportStar(o(15524),t),n.__exportStar(o(28194),t),n.__exportStar(o(41794),t),n.__exportStar(o(80220),t),n.__exportStar(o(30302),t),n.__exportStar(o(98278),t),n.__exportStar(o(7066),t),n.__exportStar(o(18441),t),n.__exportStar(o(97638),t),n.__exportStar(o(19833),t),n.__exportStar(o(32668),t),n.__exportStar(o(16505),t),n.__exportStar(o(21182),t),n.__exportStar(o(36306),t),n.__exportStar(o(78073),t),n.__exportStar(o(64651),t),n.__exportStar(o(58655),t)},47076:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.RGBA_REGEX=t.HEX_REGEX=t.MAX_RGBA_LENGTH=t.MIN_RGBA_LENGTH=t.MAX_HEX_LENGTH=t.MIN_HEX_LENGTH=t.MAX_COLOR_ALPHA=t.MAX_COLOR_RGBA=t.MAX_COLOR_RGB=t.MAX_COLOR_VALUE=t.MAX_COLOR_HUE=t.MAX_COLOR_SATURATION=void 0,t.MAX_COLOR_SATURATION=100,t.MAX_COLOR_HUE=359,t.MAX_COLOR_VALUE=100,t.MAX_COLOR_RGB=255,t.MAX_COLOR_RGBA=t.MAX_COLOR_RGB,t.MAX_COLOR_ALPHA=100,t.MIN_HEX_LENGTH=3,t.MAX_HEX_LENGTH=6,t.MIN_RGBA_LENGTH=1,t.MAX_RGBA_LENGTH=3,t.HEX_REGEX=/^[\da-f]{0,6}$/i,t.RGBA_REGEX=/^\d{0,3}$/},64651:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.correctHSV=void 0;var n=o(47076),r=o(61029);t.correctHSV=function(e){return{h:(0,r.clamp)(e.h,n.MAX_COLOR_HUE),s:(0,r.clamp)(e.s,n.MAX_COLOR_SATURATION),v:(0,r.clamp)(e.v,n.MAX_COLOR_VALUE)}}},58655:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.correctHex=void 0;var n=o(47076);t.correctHex=function(e){return!e||e.length=n.MAX_HEX_LENGTH?e.substring(0,n.MAX_HEX_LENGTH):e.substring(0,n.MIN_HEX_LENGTH)}},78073:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.correctRGB=void 0;var n=o(47076),r=o(61029);t.correctRGB=function(e){return{r:(0,r.clamp)(e.r,n.MAX_COLOR_RGB),g:(0,r.clamp)(e.g,n.MAX_COLOR_RGB),b:(0,r.clamp)(e.b,n.MAX_COLOR_RGB),a:"number"==typeof e.a?(0,r.clamp)(e.a,n.MAX_COLOR_ALPHA):e.a}}},79466:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.cssColor=void 0;var n=o(52332),r=o(47076),i=o(15524);function a(e){if(e){var t=e.match(/^rgb(a?)\(([\d., ]+)\)$/);if(t){var o=!!t[1],n=o?4:3,i=t[2].split(/ *, */).map(Number);if(i.length===n)return{r:i[0],g:i[1],b:i[2],a:o?100*i[3]:r.MAX_COLOR_ALPHA}}}}t.cssColor=function(e,t){if(e){var o=null!=t?t:(0,n.getDocument)();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:r.MAX_COLOR_ALPHA}}(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:r.MAX_COLOR_ALPHA}}(e)||function(e){var t=e.match(/^hsl(a?)\(([\d., ]+)\)$/);if(t){var o=!!t[1],n=o?4:3,a=t[2].split(/ *, */).map(Number);if(a.length===n){var s=(0,i.hsl2rgb)(a[0],a[1],a[2]);return s.a=o?100*a[3]:r.MAX_COLOR_ALPHA,s}}}(e)||function(e,t){var o;if(void 0!==t){var n=t.createElement("div");n.style.backgroundColor=e,n.style.position="absolute",n.style.top="-9999px",n.style.left="-9999px",n.style.height="1px",n.style.width="1px",t.body.appendChild(n);var r=null===(o=t.defaultView)||void 0===o?void 0:o.getComputedStyle(n),i=r&&r.backgroundColor;if(t.body.removeChild(n),"rgba(0, 0, 0, 0)"!==i&&"transparent"!==i)return a(i);switch(e.trim()){case"transparent":case"#0000":case"#00000000":return{r:0,g:0,b:0,a:0}}}}(e,o)}}},97638:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getColorFromHSV=void 0;var n=o(47076),r=o(41794),i=o(80220),a=o(4970);t.getColorFromHSV=function(e,t){var o=e.h,s=e.s,l=e.v;t="number"==typeof t?t:n.MAX_COLOR_ALPHA;var c=(0,r.hsv2rgb)(o,s,l),u=c.r,d=c.g,p=c.b,m=(0,i.hsv2hex)(o,s,l);return{a:t,b:p,g:d,h:o,hex:m,r:u,s,str:(0,a._rgbaOrHexString)(u,d,p,t,m),v:l,t:n.MAX_COLOR_ALPHA-t}}},18441:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getColorFromRGBA=void 0;var n=o(47076),r=o(30302),i=o(73270),a=o(4970);t.getColorFromRGBA=function(e){var t=e.a,o=void 0===t?n.MAX_COLOR_ALPHA:t,s=e.b,l=e.g,c=e.r,u=(0,r.rgb2hsv)(c,l,s),d=u.h,p=u.s,m=u.v,g=(0,i.rgb2hex)(c,l,s);return{a:o,b:s,g:l,h:d,hex:g,r:c,s:p,str:(0,a._rgbaOrHexString)(c,l,s,o,g),v:m,t:n.MAX_COLOR_ALPHA-o}}},7066:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getColorFromString=void 0;var n=o(31635),r=o(52332),i=o(79466),a=o(18441);t.getColorFromString=function(e,t){var o=null!=t?t:(0,r.getDocument)(),s=(0,i.cssColor)(e,o);if(s)return n.__assign(n.__assign({},(0,a.getColorFromRGBA)(s)),{str:e})}},19833:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getFullColorString=void 0;var n=o(47076),r=o(80220);t.getFullColorString=function(e){return"#".concat((0,r.hsv2hex)(e.h,n.MAX_COLOR_SATURATION,n.MAX_COLOR_VALUE))}},28194:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.hsl2hsv=void 0,t.hsl2hsv=function(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}}},15524:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.hsl2rgb=void 0;var n=o(28194),r=o(41794);t.hsl2rgb=function(e,t,o){var i=(0,n.hsl2hsv)(e,t,o);return(0,r.hsv2rgb)(i.h,i.s,i.v)}},80220:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.hsv2hex=void 0;var n=o(41794),r=o(73270);t.hsv2hex=function(e,t,o){var i=(0,n.hsv2rgb)(e,t,o),a=i.r,s=i.g,l=i.b;return(0,r.rgb2hex)(a,s,l)}},98278:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.hsv2hsl=void 0;var n=o(47076);t.hsv2hsl=function(e,t,o){var r=(2-(t/=n.MAX_COLOR_SATURATION))*(o/=n.MAX_COLOR_VALUE),i=t*o;return{h:e,s:100*(i=(i/=r<=1?r:2-r)||0),l:100*(r/=2)}}},41794:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.hsv2rgb=void 0;var n=o(47076);t.hsv2rgb=function(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.MAX_COLOR_RGB*(r[0]+l)),g:Math.round(n.MAX_COLOR_RGB*(r[1]+l)),b:Math.round(n.MAX_COLOR_RGB*(r[2]+l))}}},77098:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(44984),t),n.__exportStar(o(23970),t),n.__exportStar(o(47076),t),n.__exportStar(o(5176),t),n.__exportStar(o(79466),t),n.__exportStar(o(73270),t),n.__exportStar(o(61029),t),n.__exportStar(o(15524),t),n.__exportStar(o(28194),t),n.__exportStar(o(41794),t),n.__exportStar(o(80220),t),n.__exportStar(o(30302),t),n.__exportStar(o(98278),t),n.__exportStar(o(7066),t),n.__exportStar(o(18441),t),n.__exportStar(o(97638),t),n.__exportStar(o(19833),t),n.__exportStar(o(32668),t),n.__exportStar(o(16505),t),n.__exportStar(o(21182),t),n.__exportStar(o(7066),t),n.__exportStar(o(36306),t),n.__exportStar(o(86861),t),n.__exportStar(o(78073),t),n.__exportStar(o(64651),t)},5176:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},73270:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.rgb2hex=void 0;var n=o(47076),r=o(61029);function i(e){var t=(e=(0,r.clamp)(e,n.MAX_COLOR_RGB)).toString(16);return 1===t.length?"0"+t:t}t.rgb2hex=function(e,t,o){return[i(e),i(t),i(o)].join("")}},30302:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.rgb2hsv=void 0;var n=o(47076);t.rgb2hsv=function(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.MAX_COLOR_RGB*100)}}},23970:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getContrastRatio=t.getBackgroundShade=t.getShade=t.isDark=t.isValidShade=t.Shade=void 0;var n,r=o(47076),i=o(71061),a=o(61029),s=o(18441),l=o(98278),c=o(41794),u=[.027,.043,.082,.145,.184,.216,.349,.537],d=[.537,.45,.349,.216,.184,.145,.082,.043],p=[.537,.349,.216,.184,.145,.082,.043,.027],m=[.537,.45,.349,.216,.184,.145,.082,.043],g=[.88,.77,.66,.55,.44,.33,.22,.11],h=[.11,.22,.33,.44,.55,.66,.77,.88],f=[.96,.84,.7,.4,.12],v=[.1,.24,.44];function b(e){return"number"==typeof e&&e>=n.Unshaded&&e<=n.Shade8}function y(e,t){return{h:e.h,s:e.s,v:(0,a.clamp)(e.v-e.v*t,100,0)}}function _(e,t){return{h:e.h,s:(0,a.clamp)(e.s-e.s*t,100,0),v:(0,a.clamp)(e.v+(100-e.v)*t,100,0)}}!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"}(n=t.Shade||(t.Shade={})),t.isValidShade=b,t.isDark=function(e){return(0,l.hsv2hsl)(e.h,e.s,e.v).l<50},t.getShade=function(e,t,o){if(void 0===o&&(o=!1),!e)return null;if(t===n.Unshaded||!b(t))return e;var a=(0,l.hsv2hsl)(e.h,e.s,e.v),u={h:e.h,s:e.s,v:e.v},d=t-1,S=_,C=y;return o&&(S=y,C=_),u=function(e){return e.r===r.MAX_COLOR_RGB&&e.g===r.MAX_COLOR_RGB&&e.b===r.MAX_COLOR_RGB}(e)?y(u,p[d]):function(e){return 0===e.r&&0===e.g&&0===e.b}(e)?_(u,m[d]):a.l/100>.8?C(u,h[d]):a.l/100<.2?S(u,g[d]):d1?n/i:i/n}},36306:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.updateA=void 0;var n=o(31635),r=o(4970),i=o(47076);t.updateA=function(e,t){return n.__assign(n.__assign({},e),{a:t,t:i.MAX_COLOR_ALPHA-t,str:(0,r._rgbaOrHexString)(e.r,e.g,e.b,t,e.hex)})}},16505:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.updateH=void 0;var n=o(31635),r=o(41794),i=o(73270),a=o(4970);t.updateH=function(e,t){var o=(0,r.hsv2rgb)(t,e.s,e.v),s=o.r,l=o.g,c=o.b,u=(0,i.rgb2hex)(s,l,c);return n.__assign(n.__assign({},e),{h:t,r:s,g:l,b:c,hex:u,str:(0,a._rgbaOrHexString)(s,l,c,e.a,u)})}},21182:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.updateRGB=void 0;var n=o(18441);t.updateRGB=function(e,t,o){var r;return(0,n.getColorFromRGBA)(((r={r:e.r,g:e.g,b:e.b,a:e.a})[t]=o,r))}},32668:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.updateSV=void 0;var n=o(31635),r=o(41794),i=o(73270),a=o(4970);t.updateSV=function(e,t,o){var s=(0,r.hsv2rgb)(e.h,t,o),l=s.r,c=s.g,u=s.b,d=(0,i.rgb2hex)(l,c,u);return n.__assign(n.__assign({},e),{s:t,v:o,r:l,g:c,b:u,hex:d,str:(0,a._rgbaOrHexString)(l,c,u,e.a,d)})}},86861:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.updateT=void 0;var n=o(31635),r=o(4970),i=o(47076);t.updateT=function(e,t){var o=i.MAX_COLOR_ALPHA-t;return n.__assign(n.__assign({},e),{t,a:o,str:(0,r._rgbaOrHexString)(e.r,e.g,e.b,o,e.hex)})}},29091:(e,t)=>{"use strict";function o(e){return e.canCheck?!(!e.isChecked&&!e.checked):"boolean"==typeof e.isChecked?e.isChecked:"boolean"==typeof e.checked?e.checked:null}Object.defineProperty(t,"__esModule",{value:!0}),t.getMenuItemAriaRole=t.isItemDisabled=t.hasSubmenu=t.getIsChecked=void 0,t.getIsChecked=o,t.hasSubmenu=function(e){return!(!e.subMenuProps&&!e.items)},t.isItemDisabled=function(e){return!(!e.isDisabled&&!e.disabled)},t.getMenuItemAriaRole=function(e){return null!==o(e)?"menuitemcheckbox":"menuitem"}},50719:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(29091),t)},39687:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.BaseDecorator=void 0;var n=o(31635),r=o(83923),i=o(71061),a=function(e){function t(t){var o=e.call(this,t)||this;return o._updateComposedComponentRef=o._updateComposedComponentRef.bind(o),o}return n.__extends(t,e),t.prototype._updateComposedComponentRef=function(e){this._composedComponentInstance=e,e?this._hoisted=(0,i.hoistMethods)(this,e):this._hoisted&&(0,i.unhoistMethods)(this,this._hoisted)},t}(r.Component);t.BaseDecorator=a},76172:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getResponsiveMode=t.withResponsiveMode=t.getInitialResponsiveMode=t.initializeResponsiveMode=t.setResponsiveMode=t.ResponsiveMode=void 0;var n,r=o(31635),i=o(83923),a=o(39687),s=o(71061),l=o(71628);!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=t.ResponsiveMode||(t.ResponsiveMode={}));var c,u,d=[479,639,1023,1365,1919,99999999];function p(){var e;return null!==(e=null!=c?c:u)&&void 0!==e?e:n.large}function m(e){try{return e.document.documentElement.clientWidth}catch(t){return e.innerWidth}}function g(e){var t=n.small;if(e){try{for(;m(e)>d[t];)t++}catch(e){t=p()}u=t}else{if(void 0===c)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=c}return t}t.setResponsiveMode=function(e){c=e},t.initializeResponsiveMode=function(e){var t=(0,s.getWindow)(e);t&&g(t)},t.getInitialResponsiveMode=p,t.withResponsiveMode=function(e){var t,o=((t=function(t){function o(e){var o=t.call(this,e)||this;return o._onResize=function(){var e=g(o.context.window);e!==o.state.responsiveMode&&o.setState({responsiveMode:e})},o._events=new s.EventGroup(o),o._updateComposedComponentRef=o._updateComposedComponentRef.bind(o),o.state={responsiveMode:p()},o}return r.__extends(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,r.__assign({ref:this._updateComposedComponentRef,responsiveMode:t},this.props))},o}(a.BaseDecorator)).contextType=l.WindowContext,t);return(0,s.hoistStatics)(e,o)},t.getResponsiveMode=g},67103:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.withViewport=void 0;var n=o(31635),r=o(83923),i=o(39687),a=o(71061);t.withViewport=function(e){return function(t){function o(e){var o=t.call(this,e)||this;return o._root=r.createRef(),o._registerResizeObserver=function(){var e=(0,a.getWindow)(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=(0,a.getWindow)(n),i=(0,a.findScrollableParent)(n),s=(0,a.getRect)(i,r),l=(0,a.getRect)(n,r);((l&&l.width)!==t.width||(s&&s.height)!==t.height)&&o._resizeAttempts<3&&l&&s?(o._resizeAttempts++,o.setState({viewport:{width:l.width,height:s.height}},(function(){o._updateViewport(e)}))):(o._resizeAttempts=0,e&&o._composedComponentInstance&&o._composedComponentInstance.forceUpdate())},o._async=new a.Async(o),o._events=new a.EventGroup(o),o._resizeAttempts=0,o.state={viewport:{width:0,height:0}},o}return n.__extends(o,t),o.prototype.componentDidMount=function(){var e=this,t=this.props,o=t.delayFirstMeasure,n=t.disableResizeObserver,r=t.skipViewportMeasures,i=(0,a.getWindow)(this._root.current);this._onAsyncResize=this._async.debounce(this._onAsyncResize,500,{leading:!1}),r||(!n&&this._isResizeObserverAvailable()?this._registerResizeObserver():this._events.on(i,"resize",this._onAsyncResize),o?this._async.setTimeout((function(){e._updateViewport()}),500):this._updateViewport())},o.prototype.componentDidUpdate=function(e){var t=e.skipViewportMeasures,o=this.props,n=o.disableResizeObserver,r=o.skipViewportMeasures,i=(0,a.getWindow)(this._root.current);r!==t&&(r?(this._unregisterResizeObserver(),this._events.off(i,"resize",this._onAsyncResize)):(!n&&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 r.createElement("div",{className:"ms-Viewport",ref:this._root,style:{minWidth:1,minHeight:1}},r.createElement(e,n.__assign({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,a.getWindow)(this._root.current);return e&&e.ResizeObserver},o}(i.BaseDecorator)}},50478:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getWindowEx=t.getDocumentEx=t.useWindowEx=t.useDocumentEx=void 0;var n=o(97156);t.useDocumentEx=function(){var e;return(null!==(e=(0,n.useDocument)())&&void 0!==e?e:"undefined"!=typeof document)?document:void 0},t.useWindowEx=function(){var e;return(null!==(e=(0,n.useWindow)())&&void 0!==e?e:"undefined"!=typeof window)?window:void 0},t.getDocumentEx=function(e){var t,o;return(null!==(o=null===(t=null==e?void 0:e.window)||void 0===t?void 0:t.document)&&void 0!==o?o:"undefined"!=typeof document)?document:void 0},t.getWindowEx=function(e){var t;return(null!==(t=null==e?void 0:e.window)&&void 0!==t?t:"undefined"!=typeof window)?window:void 0}},5189:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DragDropHelper=void 0;var n=o(71061),r=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 r=this;if(!this._initialized){this._events=new n.EventGroup(this);var i=(0,n.getDocument)();i&&(this._events.on(i.body,"mouseup",this._onMouseUp.bind(this),!0),this._events.on(i,"mouseup",this._onDocumentMouseUp.bind(this),!0)),this._initialized=!0}var a,s,l,c,u,d,p,m,g,h,f=o.key,v=void 0===f?"".concat(++this._lastId):f,b=[];if(o&&e){var y=o.eventMap,_=o.context,S=o.updateDropState,C={root:e,options:o,key:v};if(m=this._isDraggable(C),g=this._isDroppable(C),(m||g)&&y)for(var x=0,P=y;x0&&(n.EventGroup.raise(this._dragData.dropTarget.root,"dragleave"),n.EventGroup.raise(i,"dragenter"),this._dragData.dropTarget=e)}},e.prototype._onMouseLeave=function(e,t){this._isDragging&&this._dragData&&this._dragData.dropTarget&&this._dragData.dropTarget.key===e.key&&(n.EventGroup.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{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(23806),t),n.__exportStar(o(5189),t)},23806:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},71293:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.GetGroupCount=void 0;var n=o(31635);t.GetGroupCount=function(e){var t=0;if(e)for(var o=n.__spreadArray([],e,!0),r=void 0;o&&o.length>0;)++t,(r=o.pop())&&r.children&&o.push.apply(o,r.children);return t}},43315:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useResponsiveMode=void 0;var n=o(83923),r=o(52332),i=o(25698),a=o(76172),s=o(71628);t.useResponsiveMode=function(e,t){var o=n.useState((0,a.getInitialResponsiveMode)()),l=o[0],c=o[1],u=n.useCallback((function(){var t=(0,a.getResponsiveMode)((0,r.getWindow)(e.current));l!==t&&c(t)}),[e,l]),d=(0,s.useWindow)();return(0,i.useOnEvent)(d,"resize",u),n.useEffect((function(){void 0===t&&u()}),[t]),null!=t?t:l}},94181:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.transitionKeysContain=t.transitionKeysAreEqual=void 0;var n=o(71061);function r(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;r{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.constructKeytip=t.buildKeytipConfigMap=void 0;var n=o(31635);function r(e,t,o){var i=o.sequence?o.sequence:o.content.toLocaleLowerCase(),a=t.concat(i),s=n.__assign(n.__assign({},o.optionalProps),{keySequences:a,content:o.content});if(e[o.id]=s,o.children)for(var l=0,c=o.children;l{"use strict";var o;Object.defineProperty(t,"__esModule",{value:!0}),t.KeytipEvents=t.KTP_ARIA_SEPARATOR=t.KTP_LAYER_ID=t.DATAKTP_ARIA_TARGET=t.DATAKTP_EXECUTE_TARGET=t.DATAKTP_TARGET=t.KTP_FULL_PREFIX=t.KTP_SEPARATOR=t.KTP_PREFIX=void 0,t.KTP_PREFIX="ktp",t.KTP_SEPARATOR="-",t.KTP_FULL_PREFIX=t.KTP_PREFIX+t.KTP_SEPARATOR,t.DATAKTP_TARGET="data-ktp-target",t.DATAKTP_EXECUTE_TARGET="data-ktp-execute-target",t.DATAKTP_ARIA_TARGET="data-ktp-aria-target",t.KTP_LAYER_ID="ktp-layer-id",t.KTP_ARIA_SEPARATOR=", ",(o=t.KeytipEvents||(t.KeytipEvents={})).KEYTIP_ADDED="keytipAdded",o.KEYTIP_REMOVED="keytipRemoved",o.KEYTIP_UPDATED="keytipUpdated",o.PERSISTED_KEYTIP_ADDED="persistedKeytipAdded",o.PERSISTED_KEYTIP_REMOVED="persistedKeytipRemoved",o.PERSISTED_KEYTIP_EXECUTE="persistedKeytipExecute",o.ENTER_KEYTIP_MODE="enterKeytipMode",o.EXIT_KEYTIP_MODE="exitKeytipMode"},49683:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.KeytipManager=void 0;var n=o(31635),r=o(71061),i=o(12429),a=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 a=t?i.KeytipEvents.PERSISTED_KEYTIP_ADDED:i.KeytipEvents.KEYTIP_ADDED;r.EventGroup.raise(this,a,{keytip:o,uniqueID:n.uniqueID})}return n.uniqueID},e.prototype.update=function(e,t){var o=this.addParentOverflow(e),n=this._getUniqueKtp(o,t),a=this.keytips[t];a&&(n.keytip.visible=a.keytip.visible,this.keytips[t]=n,delete this.sequenceMapping[a.keytip.keySequences.toString()],this.sequenceMapping[n.keytip.keySequences.toString()]=n.keytip,!this.inKeytipMode&&this.delayUpdatingKeytipChange||r.EventGroup.raise(this,i.KeytipEvents.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?i.KeytipEvents.PERSISTED_KEYTIP_REMOVED:i.KeytipEvents.KEYTIP_REMOVED;!this.inKeytipMode&&this.delayUpdatingKeytipChange||r.EventGroup.raise(this,n,{keytip:e,uniqueID:t})},e.prototype.enterKeytipMode=function(){r.EventGroup.raise(this,i.KeytipEvents.ENTER_KEYTIP_MODE)},e.prototype.exitKeytipMode=function(){r.EventGroup.raise(this,i.KeytipEvents.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=n.__spreadArray([],e.keySequences,!0);if(t.pop(),0!==t.length){var o=this.sequenceMapping[t.toString()];if(o&&o.overflowSetSequence)return n.__assign(n.__assign({},e),{overflowSetSequence:o.overflowSetSequence})}return e},e.prototype.menuExecute=function(e,t){r.EventGroup.raise(this,i.KeytipEvents.PERSISTED_KEYTIP_EXECUTE,{overflowButtonSequences:e,keytipSequences:t})},e.prototype._getUniqueKtp=function(e,t){return void 0===t&&(t=(0,r.getId)()),{keytip:n.__assign({},e),uniqueID:t}},e._instance=new e,e}();t.KeytipManager=a},93025:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getAriaDescribedBy=t.ktpTargetFromId=t.ktpTargetFromSequences=t.mergeOverflows=t.sequencesToID=void 0;var n=o(31635),r=o(12429),i=o(71061);function a(e){return e.reduce((function(e,t){return e+r.KTP_SEPARATOR+t.split("").join(r.KTP_SEPARATOR)}),r.KTP_PREFIX)}t.sequencesToID=a,t.mergeOverflows=function(e,t){var o=t.length,r=n.__spreadArray([],t,!0).pop(),a=n.__spreadArray([],e,!0);return(0,i.addElementAtIndex)(a,o-1,r)},t.ktpTargetFromSequences=function(e){return"["+r.DATAKTP_TARGET+'="'+a(e)+'"]'},t.ktpTargetFromId=function(e){return"["+r.DATAKTP_EXECUTE_TARGET+'="'+e+'"]'},t.getAriaDescribedBy=function(e){var t=" "+r.KTP_LAYER_ID;return e.length?t+" "+a(e):t}},30572:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(94181),t),n.__exportStar(o(37420),t),n.__exportStar(o(12429),t),n.__exportStar(o(49683),t),n.__exportStar(o(93025),t)},47446:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.observeResize=void 0;var n=o(52332);t.observeResize=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 r=function(){return t(void 0)},i=(0,n.getWindow)(Array.isArray(e)?e[0]:e);if(!i)return function(){};var a=i.requestAnimationFrame(r);return i.addEventListener("resize",r,!1),function(){i.cancelAnimationFrame(a),i.removeEventListener("resize",r,!1)}}},92508:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.positionElement=t.positionCard=t.positionCallout=t.getOppositeEdge=t.getMaxHeight=t.getBoundsFromTargetWindow=void 0;var n=o(31635),r=o(73373);Object.defineProperty(t,"getBoundsFromTargetWindow",{enumerable:!0,get:function(){return r.getBoundsFromTargetWindow}}),Object.defineProperty(t,"getMaxHeight",{enumerable:!0,get:function(){return r.getMaxHeight}}),Object.defineProperty(t,"getOppositeEdge",{enumerable:!0,get:function(){return r.getOppositeEdge}}),Object.defineProperty(t,"positionCallout",{enumerable:!0,get:function(){return r.positionCallout}}),Object.defineProperty(t,"positionCard",{enumerable:!0,get:function(){return r.positionCard}}),Object.defineProperty(t,"positionElement",{enumerable:!0,get:function(){return r.positionElement}}),n.__exportStar(o(14014),t)},73373:(e,t,o)=>{"use strict";var n;Object.defineProperty(t,"__esModule",{value:!0}),t.getRectangleFromTarget=t.calculateGapSpace=t.getBoundsFromTargetWindow=t.getOppositeEdge=t.getMaxHeight=t.positionCard=t.positionCallout=t.positionElement=t.__positioningTestPackage=void 0;var r=o(31635),i=o(42502),a=o(71061),s=o(14014),l=o(71061);function c(e,t,o){return{targetEdge:e,alignmentEdge:t,isAuto:o}}var u=((n={})[i.DirectionalHint.topLeftEdge]=c(s.RectangleEdge.top,s.RectangleEdge.left),n[i.DirectionalHint.topCenter]=c(s.RectangleEdge.top),n[i.DirectionalHint.topRightEdge]=c(s.RectangleEdge.top,s.RectangleEdge.right),n[i.DirectionalHint.topAutoEdge]=c(s.RectangleEdge.top,void 0,!0),n[i.DirectionalHint.bottomLeftEdge]=c(s.RectangleEdge.bottom,s.RectangleEdge.left),n[i.DirectionalHint.bottomCenter]=c(s.RectangleEdge.bottom),n[i.DirectionalHint.bottomRightEdge]=c(s.RectangleEdge.bottom,s.RectangleEdge.right),n[i.DirectionalHint.bottomAutoEdge]=c(s.RectangleEdge.bottom,void 0,!0),n[i.DirectionalHint.leftTopEdge]=c(s.RectangleEdge.left,s.RectangleEdge.top),n[i.DirectionalHint.leftCenter]=c(s.RectangleEdge.left),n[i.DirectionalHint.leftBottomEdge]=c(s.RectangleEdge.left,s.RectangleEdge.bottom),n[i.DirectionalHint.rightTopEdge]=c(s.RectangleEdge.right,s.RectangleEdge.top),n[i.DirectionalHint.rightCenter]=c(s.RectangleEdge.right),n[i.DirectionalHint.rightBottomEdge]=c(s.RectangleEdge.right,s.RectangleEdge.bottom),n);function d(e,t){return!(e.topt.bottom||e.leftt.right)}function p(e,t){var o=[];return e.topt.bottom&&o.push(s.RectangleEdge.bottom),e.leftt.right&&o.push(s.RectangleEdge.right),o}function m(e,t){return e[s.RectangleEdge[t]]}function g(e,t,o){return e[s.RectangleEdge[t]]=o,e}function h(e,t){var o=w(t);return(m(e,o.positiveEdge)+m(e,o.negativeEdge))/2}function f(e,t){return e>0?t:-1*t}function v(e,t){return f(e,m(t,e))}function b(e,t,o){return f(o,m(e,o)-m(t,o))}function y(e,t,o,n){void 0===n&&(n=!0);var r=m(e,t)-o,i=g(e,t,o);return n&&(i=g(e,-1*t,m(e,-1*t)-r)),i}function _(e,t,o,n){return void 0===n&&(n=0),y(e,o,m(t,o)+f(o,n))}function S(e,t,o){return v(o,e)>v(o,t)}function C(e,t){for(var o=0,n=0,r=p(e,t);n=n}function P(e,t,o,n){for(var r=0,i=e;rMath.abs(b(e,o,-1*t))?-1*t:t}function E(e,t,o,n,r,i,a,l){var c={},u=A(t),d=i?o:-1*o,p=r||w(o).positiveEdge;return a&&!function(e,t,o){return void 0!==o&&m(e,t)===m(o,t)}(e,K(p),n)||(p=T(e,p,n)),c[s.RectangleEdge[d]]=b(e,u,d),c[s.RectangleEdge[p]]=b(e,u,p),l&&(c[s.RectangleEdge[-1*d]]=b(e,u,-1*d),c[s.RectangleEdge[-1*p]]=b(e,u,-1*p)),c}function D(e){return Math.sqrt(e*e*2)}function M(e,t,o){if(void 0===e&&(e=i.DirectionalHint.bottomAutoEdge),o)return{alignmentEdge:o.alignmentEdge,isAuto:o.isAuto,targetEdge:o.targetEdge};var n=r.__assign({},u[e]);return(0,a.getRTL)()?(n.alignmentEdge&&n.alignmentEdge%2==0&&(n.alignmentEdge=-1*n.alignmentEdge),void 0!==t?u[t]:n):n}function O(e,t,o){var n=h(t,e),r=h(o,e),i=w(e),a=i.positiveEdge,s=i.negativeEdge;return n<=r?a:s}function R(e,t,o,n,r,i,l,c,u){void 0===i&&(i=!1);var m=I(e,t,n,r,u);return d(m,o)?{elementRectangle:m,targetEdge:n.targetEdge,alignmentEdge:n.alignmentEdge}:function(e,t,o,n,r,i,l,c,u){void 0===r&&(r=!1),void 0===l&&(l=0);var m=n.alignmentEdge,g=n.alignTargetEdge,h={elementRectangle:e,targetEdge:n.targetEdge,alignmentEdge:m};c||u||(h=function(e,t,o,n,r,i,l){void 0===r&&(r=!1),void 0===l&&(l=0);var c=[s.RectangleEdge.left,s.RectangleEdge.right,s.RectangleEdge.bottom,s.RectangleEdge.top];(0,a.getRTL)()&&(c[0]*=-1,c[1]*=-1);for(var u,d=e,p=n.targetEdge,m=n.alignmentEdge,g=p,h=m,f=0;f<4;f++){if(S(d,o,p))return{elementRectangle:d,targetEdge:p,alignmentEdge:m};if(r&&x(t,o,p,i)){switch(p){case s.RectangleEdge.bottom:d.bottom=o.bottom;break;case s.RectangleEdge.top:d.top=o.top}return{elementRectangle:d,targetEdge:p,alignmentEdge:m,forcedInBounds:!0}}var v=C(d,o);(!u||v0&&(c.indexOf(-1*p)>-1?p*=-1:(m=p,p=c.slice(-1)[0]),d=I(e,t,{targetEdge:p,alignmentEdge:m},l))}return{elementRectangle:d=I(e,t,{targetEdge:g,alignmentEdge:h},l),targetEdge:g,alignmentEdge:h}}(e,t,o,n,r,i,l));var f=p(h.elementRectangle,o),v=c?-h.targetEdge:void 0;if(f.length>0)if(g)if(h.alignmentEdge&&f.indexOf(-1*h.alignmentEdge)>-1){var b=function(e,t,o,n){var r=e.alignmentEdge,i=e.targetEdge,a=-1*r;return{elementRectangle:I(e.elementRectangle,t,{targetEdge:i,alignmentEdge:a},o,n),targetEdge:i,alignmentEdge:a}}(h,t,l,u);if(d(b.elementRectangle,o))return b;h=P(p(b.elementRectangle,o),h,o,v)}else h=P(f,h,o,v);else h=P(f,h,o,v);return h}(m,t,o,n,i,l,r,c,u)}function F(e,t,o){var n=-1*e.targetEdge,i=new l.Rectangle(0,e.elementRectangle.width,0,e.elementRectangle.height),a={},c=T(e.elementRectangle,e.alignmentEdge?e.alignmentEdge:w(n).positiveEdge,o),u=b(e.elementRectangle,e.targetRectangle,n)>Math.abs(m(t,n));return a[s.RectangleEdge[n]]=m(t,n),a[s.RectangleEdge[c]]=b(t,i,c),{elementPosition:r.__assign({},a),closestEdge:O(e.targetEdge,t,i),targetEdge:n,hideBeak:!u}}function B(e,t){var o=t.targetRectangle,n=w(t.targetEdge),r=n.positiveEdge,i=n.negativeEdge,a=h(o,t.targetEdge),s=new l.Rectangle(e/2,t.elementRectangle.width-e/2,e/2,t.elementRectangle.height-e/2),c=new l.Rectangle(0,e,0,e);return S(c=k(c=y(c,-1*t.targetEdge,-e/2),-1*t.targetEdge,a-v(r,t.elementRectangle)),s,r)?S(c,s,i)||(c=_(c,s,i)):c=_(c,s,r),c}function A(e){var t=e.getBoundingClientRect();return new l.Rectangle(t.left,t.right,t.top,t.bottom)}function N(e){return new l.Rectangle(e.left,e.right,e.top,e.bottom)}function L(e,t,o,n,r){var i,a=u[t],l=r?-1*a.targetEdge:a.targetEdge;return(i=l===s.RectangleEdge.top?m(e,a.targetEdge)-n.top-o:l===s.RectangleEdge.bottom?n.bottom-m(e,a.targetEdge)-o:n.bottom-e.top-o)>0?i:n.height}function H(e,t,o,n,i,a){void 0===i&&(i=!1);var c=e.gapSpace?e.gapSpace:0,u=function(e,t){var o;if(t){if(t.preventDefault){var n=t;o=new l.Rectangle(n.clientX,n.clientX,n.clientY,n.clientY)}else if(t.getBoundingClientRect)o=A(t);else{var r=t,i=r.left||r.x,a=r.top||r.y,c=r.right||i,u=r.bottom||a;o=new l.Rectangle(i,c,a,u)}if(!d(o,e))for(var m=0,g=p(o,e);m=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)},t.calculateGapSpace=function(e,t,o){return z(e,t,o)},t.getRectangleFromTarget=function(e){return V(e)}},14014:(e,t)=>{"use strict";var o,n;Object.defineProperty(t,"__esModule",{value:!0}),t.Position=t.RectangleEdge=void 0,(n=t.RectangleEdge||(t.RectangleEdge={}))[n.top=1]="top",n[n.bottom=-1]="bottom",n[n.left=2]="left",n[n.right=-2]="right",(o=t.Position||(t.Position={}))[o.top=0]="top",o[o.bottom=1]="bottom",o[o.start=2]="start",o[o.end=3]="end"},24257:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},7933:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getAllSelectedOptions=void 0,t.getAllSelectedOptions=function(e,t){for(var o=[],n=0,r=t;n{"use strict";var o;Object.defineProperty(t,"__esModule",{value:!0}),t.SelectableOptionMenuItemType=void 0,(o=t.SelectableOptionMenuItemType||(t.SelectableOptionMenuItemType={}))[o.Normal=0]="Normal",o[o.Divider=1]="Divider",o[o.Header=2]="Header",o[o.SelectAll=3]="SelectAll"},73666:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(7933),t),n.__exportStar(o(990),t),n.__exportStar(o(24257),t)},53485:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Selection=void 0;var n=o(52332);Object.defineProperty(t,"Selection",{enumerable:!0,get:function(){return n.Selection}})},18643:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.SelectionZone=void 0;var n=o(31635),r=o(83923),i=o(71061),a=o(12387),s="data-selection-index",l="data-selection-toggle",c="data-selection-invoke",u="data-selection-all-toggle",d=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,n=(0,i.getWindow)(o._root.current),r=null==n?void 0:n.document;if((null==r?void 0:r.activeElement)===t||(0,i.elementContains)(null==r?void 0:r.activeElement,t)){if((0,i.elementContains)(t,o._root.current))for(;t!==o._root.current;){if(o._hasAttribute(t,c)){o.ignoreNextFocus();break}t=(0,i.getParent)(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!==a.SelectionMode.none){var s=o._hasAttribute(t,l),c=o._findItemRoot(t);if(!s&&c){var u=o._getItemIndex(c);void 0===o._getItemSpan(c)&&(r?(n.setIndexSelected(u,n.isIndexSelected(u),!0),o.props.enterModalOnTouch&&o._isTouch&&n.setModal&&(n.setModal(!0),o._setIsTouch(!1))):o.props.isSelectedOnFocus&&o._onItemSurfaceClick("focus",u))}}o._handleNextFocus(!1)},o._onMouseDown=function(e){o._updateModifiers(e);var t=o.props.toggleWithoutModifierPressed,n=e.target,r=o._findItemRoot(n);if(!o._isSelectionDisabled(n))for(;n!==o._root.current&&!o._hasAttribute(n,u);){if(r){if(o._hasAttribute(n,l))break;if(o._hasAttribute(n,c))break;if(!(n!==r&&!o._shouldAutoSelect(n)||o._isShiftPressed||o._isCtrlPressed||o._isMetaPressed||t)){o._onInvokeMouseDown(e,o._getItemIndex(r),o._getItemSpan(r));break}if(o.props.disableAutoSelectOnInputElements&&("A"===n.tagName||"BUTTON"===n.tagName||"INPUT"===n.tagName))return}n=(0,i.getParent)(n)}},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,a=o._findItemRoot(r),s=o._isSelectionDisabled(r);r!==o._root.current;){if(o._hasAttribute(r,u)){s||o._onToggleAllClick(e);break}if(a){var d=o._getItemIndex(a),p=o._getItemSpan(a);if(o._hasAttribute(r,l)){s||(o._isShiftPressed?o._onItemSurfaceClick("click",d,p):o._onToggleClick(e,d,p));break}if(o._isTouch&&n&&o._hasAttribute(r,"data-selection-touch-invoke")||o._hasAttribute(r,c)){void 0===p&&o._onInvokeClick(e,d);break}if(r===a){s||o._onItemSurfaceClick("click",d,p);break}if("A"===r.tagName||"BUTTON"===r.tagName||"INPUT"===r.tagName)return}r=(0,i.getParent)(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 a=o._getItemIndex(r);t!==o._root.current&&!o._hasAttribute(t,l)&&!o._hasAttribute(t,c);){if(t===r){o._onInvokeClick(e,a);break}t=(0,i.getParent)(t)}t=(0,i.getParent)(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,s=r.selection,c=r.selectionClearedOnEscapePress,u=e.which===i.KeyCodes.a&&(o._isCtrlPressed||o._isMetaPressed),d=e.which===i.KeyCodes.escape;if(!o._isInputElement(t)){var p=o._getSelectionMode();if(u&&p===a.SelectionMode.multiple&&!s.isAllSelected())return n||s.setAllSelected(!0),e.stopPropagation(),void e.preventDefault();if(c&&d&&s.getSelectedCount()>0)return n||s.setAllSelected(!1),e.stopPropagation(),void e.preventDefault();var m=o._findItemRoot(t);if(m)for(var g=o._getItemIndex(m),h=o._getItemSpan(m);t!==o._root.current&&!o._hasAttribute(t,l);){if(o._shouldAutoSelect(t)){n||void 0!==h||o._onInvokeMouseDown(e,g,h);break}if(!(e.which!==i.KeyCodes.enter&&e.which!==i.KeyCodes.space||"BUTTON"!==t.tagName&&"A"!==t.tagName&&"INPUT"!==t.tagName&&"SUMMARY"!==t.tagName))return!1;if(t===m){if(e.which===i.KeyCodes.enter)return void(void 0===h&&(o._onInvokeClick(e,g),e.preventDefault()));if(e.which===i.KeyCodes.space)return n||o._onToggleClick(e,g,h),void e.preventDefault();break}t=(0,i.getParent)(t)}}},o._events=new i.EventGroup(o),o._async=new i.Async(o),(0,i.initializeComponentRef)(o);var n=o.props.selection,s=n.isModal&&n.isModal();return o.state={isModal:s},o}return n.__extends(t,e),t.getDerivedStateFromProps=function(e,t){var o=e.selection.isModal&&e.selection.isModal();return n.__assign(n.__assign({},t),{isModal:o})},t.prototype.componentDidMount=function(){var e=(0,i.getWindow)(this._root.current),t=null==e?void 0:e.document;this._events.on(e,"keydown, keyup",this._updateModifiers,!0),this._events.on(t,"click",this._findScrollParentAndTryClearOnEmptyClick),this._events.on(null==t?void 0:t.body,"touchstart",this._onTouchStartCapture,!0),this._events.on(null==t?void 0:t.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,i.css)("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(i.FocusRects,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()===a.SelectionMode.none)return!0;for(;e!==this._root.current;){if(this._hasAttribute(e,"data-selection-disabled"))return!0;e=(0,i.getParent)(e)}return!1},t.prototype._onToggleAllClick=function(e){var t=this.props.selection;this._getSelectionMode()===a.SelectionMode.multiple&&(t.toggleAllSelected(),e.stopPropagation(),e.preventDefault())},t.prototype._onToggleClick=function(e,t,o){var n=this.props.selection,r=this._getSelectionMode();if(n.setChangeEvents(!1),this.props.enterModalOnTouch&&this._isTouch&&(void 0!==o?!n.isRangeSelected(t,o):!n.isIndexSelected(t))&&n.setModal&&(n.setModal(!0),this._setIsTouch(!1)),r===a.SelectionMode.multiple)void 0!==o?n.toggleRangeSelected(t,o):n.toggleIndexSelected(t);else{if(r!==a.SelectionMode.single)return void n.setChangeEvents(!0);if(void 0===o||1===o){var i=n.isIndexSelected(t),s=n.isModal&&n.isModal();n.setAllSelected(!1),n.setIndexSelected(t,!i,!0),s&&n.setModal&&n.setModal(!0)}}n.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,o){var n,r=this.props,i=r.selection,s=r.toggleWithoutModifierPressed,l=this._isCtrlPressed||this._isMetaPressed,c=this._getSelectionMode();c===a.SelectionMode.multiple?this._isShiftPressed&&!this._isTabPressed?void 0!==o?null===(n=i.selectToRange)||void 0===n||n.call(i,t,o,!l):i.selectToIndex(t,!l):"click"===e&&(l||s)?void 0!==o?i.toggleRangeSelected(t,o):i.toggleIndexSelected(t):this._clearAndSelectIndex(t,o):c===a.SelectionMode.single&&this._clearAndSelectIndex(t,o)},t.prototype._onInvokeMouseDown=function(e,t,o){var n=this.props.selection;if(void 0!==o){if(n.isRangeSelected(t,o))return}else if(n.isIndexSelected(t))return;this._clearAndSelectIndex(t,o)},t.prototype._findScrollParentAndTryClearOnEmptyClick=function(e){var t=(0,i.getWindow)(this._root.current),o=null==t?void 0:t.document,n=(0,i.findScrollableParent)(this._root.current);this._events.off(o,"click",this._findScrollParentAndTryClearOnEmptyClick),this._events.on(n,"click",this._tryClearOnEmptyClick),(n&&e.target instanceof Node&&n.contains(e.target)||n===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,t){var o,n=this.props,r=n.selection,i=n.selectionClearedOnSurfaceClick,a=void 0===i||i;if((void 0!==t&&1!==t||1!==r.getSelectedCount()||!r.isIndexSelected(e))&&a){var s=r.isModal&&r.isModal();r.setChangeEvents(!1),r.setAllSelected(!1),void 0!==t?null===(o=r.setRangeSelected)||void 0===o||o.call(r,e,t,!0,!0):r.setIndexSelected(e,!0,!0),(s||this.props.enterModalOnTouch&&this._isTouch)&&(r.setModal&&r.setModal(!0),this._isTouch&&this._setIsTouch(!1)),r.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===i.KeyCodes.tab},t.prototype._findItemRoot=function(e){for(var t=this.props.selection;e!==this._root.current;){var o=e.getAttribute(s),n=Number(o);if(null!==o&&n>=0&&n{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(12387),t),n.__exportStar(o(53485),t),n.__exportStar(o(18643),t)},12387:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.SelectionMode=t.SelectionDirection=t.SELECTION_CHANGE=void 0;var n=o(52332);Object.defineProperty(t,"SELECTION_CHANGE",{enumerable:!0,get:function(){return n.SELECTION_CHANGE}}),Object.defineProperty(t,"SelectionDirection",{enumerable:!0,get:function(){return n.SelectionDirection}}),Object.defineProperty(t,"SelectionMode",{enumerable:!0,get:function(){return n.SelectionMode}})},64867:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useOverflow=void 0;var n=o(83923),r=o(25698),i=o(52332),a=o(47446);t.useOverflow=function(e){var t=e.onOverflowItemsChanged,o=e.rtl,s=e.pinnedIndex,l=n.useRef(),c=n.useRef(),u=(0,r.useRefEffect)((function(e){var t=(0,a.observeResize)(e,(function(t){c.current=t?t[0].contentRect.width:e.clientWidth,l.current&&l.current()}));return function(){t(),c.current=void 0}})),d=(0,r.useRefEffect)((function(e){return u(e.parentElement),function(){return u(null)}}));return(0,r.useIsomorphicLayoutEffect)((function(){var e=u.current,n=d.current;if(e&&n){for(var r=[],a=0;a=0;t--){if(void 0===m[t]){var i=o?e-r[t].offsetLeft:r[t].offsetLeft+r[t].offsetWidth;t+1m[t])return void f(t+1)}f(0)}};var h=r.length,f=function(e){h!==e&&(h=e,t(e,r.map((function(t,o){return{ele:t,isOverflowing:o>=e&&o!==s}}))))},v=void 0;if(void 0!==c.current){var b=(0,i.getWindow)(e);if(b){var y=b.requestAnimationFrame(l.current);v=function(){return b.cancelAnimationFrame(y)}}}return function(){v&&v(),f(r.length),l.current=void 0}}})),{menuButtonRef:d}}},90149:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),(0,o(37607).setVersion)("@fluentui/react","8.118.2")},37607:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.setVersion=void 0;var n=o(47191);Object.defineProperty(t,"setVersion",{enumerable:!0,get:function(){return n.setVersion}}),(0,n.setVersion)("@fluentui/set-version","6.0.0")},47191:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.setVersion=void 0;var o={},n=void 0;try{n=window}catch(e){}t.setVersion=function(e,t){if(void 0!==n){var r=n.__packages__=n.__packages__||{};r[e]&&o[e]||(o[e]=t,(r[e]=r[e]||[]).push(t))}}},33670:(e,t,o)=>{"use strict";o.d(t,{v:()=>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")},6450:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.mergeStyles=t.mergeStyleSets=t.keyframes=t.fontFace=t.concatStyleSetsWithProps=t.concatStyleSets=t.Stylesheet=t.InjectionMode=void 0;var n=o(15241);Object.defineProperty(t,"InjectionMode",{enumerable:!0,get:function(){return n.InjectionMode}}),Object.defineProperty(t,"Stylesheet",{enumerable:!0,get:function(){return n.Stylesheet}}),Object.defineProperty(t,"concatStyleSets",{enumerable:!0,get:function(){return n.concatStyleSets}}),Object.defineProperty(t,"concatStyleSetsWithProps",{enumerable:!0,get:function(){return n.concatStyleSetsWithProps}}),Object.defineProperty(t,"fontFace",{enumerable:!0,get:function(){return n.fontFace}}),Object.defineProperty(t,"keyframes",{enumerable:!0,get:function(){return n.keyframes}}),Object.defineProperty(t,"mergeStyleSets",{enumerable:!0,get:function(){return n.mergeStyleSets}}),Object.defineProperty(t,"mergeStyles",{enumerable:!0,get:function(){return n.mergeStyles}})},66907:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.FLUENT_CDN_BASE_URL=void 0,t.FLUENT_CDN_BASE_URL="https://res.cdn.office.net/files/fabric-cdn-prod_20240129.001"},16475:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.AnimationClassNames=void 0;var n=o(79267),r=o(34083);t.AnimationClassNames=(0,n.buildClassMap)(r.AnimationStyles)},76258:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ColorClassNames=void 0;var n=o(15241),r=o(9823),i=o(34083);for(var a in t.ColorClassNames={},r.DefaultPalette)r.DefaultPalette.hasOwnProperty(a)&&(s(t.ColorClassNames,a,"",!1,"color"),s(t.ColorClassNames,a,"Hover",!0,"color"),s(t.ColorClassNames,a,"Background",!1,"background"),s(t.ColorClassNames,a,"BackgroundHover",!0,"background"),s(t.ColorClassNames,a,"Border",!1,"borderColor"),s(t.ColorClassNames,a,"BorderHover",!0,"borderColor"));function s(e,t,o,r,a){Object.defineProperty(e,t+o,{get:function(){var e,o=((e={})[a]=(0,i.getTheme)().palette[t],e);return(0,n.mergeStyles)(r?{selectors:{":hover":o}}:o).toString()},enumerable:!0,configurable:!0})}},92608:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.FontClassNames=void 0;var n=o(89385),r=o(63853);t.FontClassNames=(0,n.buildClassMap)(r.DefaultFontStyles)},7749:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ColorClassNames=t.FontClassNames=t.AnimationClassNames=void 0;var n=o(16475);Object.defineProperty(t,"AnimationClassNames",{enumerable:!0,get:function(){return n.AnimationClassNames}});var r=o(92608);Object.defineProperty(t,"FontClassNames",{enumerable:!0,get:function(){return r.FontClassNames}});var i=o(76258);Object.defineProperty(t,"ColorClassNames",{enumerable:!0,get:function(){return i.ColorClassNames}})},83048:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getPlaceholderStyles=t.getFadedOverflowStyle=t.noWrap=t.normalize=t.getEdgeChromiumNoHighContrastAdjustSelector=t.getHighContrastNoAdjustStyle=t.getScreenSelector=t.ScreenWidthMinUhfMobile=t.ScreenWidthMaxXXLarge=t.ScreenWidthMaxXLarge=t.ScreenWidthMaxLarge=t.ScreenWidthMaxMedium=t.ScreenWidthMaxSmall=t.ScreenWidthMinXXXLarge=t.ScreenWidthMinXXLarge=t.ScreenWidthMinXLarge=t.ScreenWidthMinLarge=t.ScreenWidthMinMedium=t.ScreenWidthMinSmall=t.EdgeChromiumHighContrastSelector=t.HighContrastSelectorBlack=t.HighContrastSelectorWhite=t.HighContrastSelector=t.removeOnThemeChangeCallback=t.registerOnThemeChangeCallback=t.createTheme=t.loadTheme=t.getTheme=t.ThemeSettingName=t.focusClear=t.getThemedContext=t.getInputFocusStyle=t.getFocusOutlineStyle=t.getFocusStyle=t.getGlobalClassNames=t.PulsingBeaconAnimationStyles=t.hiddenContentStyle=t.createFontStyles=t.IconFontSizes=t.FontWeights=t.FontSizes=t.registerDefaultFontFaces=t.DefaultFontStyles=t.DefaultEffects=t.DefaultPalette=t.AnimationVariables=t.AnimationStyles=t.ColorClassNames=t.FontClassNames=t.AnimationClassNames=void 0,t.FLUENT_CDN_BASE_URL=t.mergeStyles=t.mergeStyleSets=t.keyframes=t.fontFace=t.concatStyleSetsWithProps=t.concatStyleSets=t.Stylesheet=t.InjectionMode=t.getIconClassName=t.setIconOptions=t.unregisterIcons=t.registerIconAlias=t.registerIcons=t.getIcon=t.buildClassMap=t.ZIndexes=void 0;var n=o(7749);Object.defineProperty(t,"AnimationClassNames",{enumerable:!0,get:function(){return n.AnimationClassNames}}),Object.defineProperty(t,"FontClassNames",{enumerable:!0,get:function(){return n.FontClassNames}}),Object.defineProperty(t,"ColorClassNames",{enumerable:!0,get:function(){return n.ColorClassNames}});var r=o(34083);Object.defineProperty(t,"AnimationStyles",{enumerable:!0,get:function(){return r.AnimationStyles}}),Object.defineProperty(t,"AnimationVariables",{enumerable:!0,get:function(){return r.AnimationVariables}}),Object.defineProperty(t,"DefaultPalette",{enumerable:!0,get:function(){return r.DefaultPalette}}),Object.defineProperty(t,"DefaultEffects",{enumerable:!0,get:function(){return r.DefaultEffects}}),Object.defineProperty(t,"DefaultFontStyles",{enumerable:!0,get:function(){return r.DefaultFontStyles}}),Object.defineProperty(t,"registerDefaultFontFaces",{enumerable:!0,get:function(){return r.registerDefaultFontFaces}}),Object.defineProperty(t,"FontSizes",{enumerable:!0,get:function(){return r.FontSizes}}),Object.defineProperty(t,"FontWeights",{enumerable:!0,get:function(){return r.FontWeights}}),Object.defineProperty(t,"IconFontSizes",{enumerable:!0,get:function(){return r.IconFontSizes}}),Object.defineProperty(t,"createFontStyles",{enumerable:!0,get:function(){return r.createFontStyles}}),Object.defineProperty(t,"hiddenContentStyle",{enumerable:!0,get:function(){return r.hiddenContentStyle}}),Object.defineProperty(t,"PulsingBeaconAnimationStyles",{enumerable:!0,get:function(){return r.PulsingBeaconAnimationStyles}}),Object.defineProperty(t,"getGlobalClassNames",{enumerable:!0,get:function(){return r.getGlobalClassNames}}),Object.defineProperty(t,"getFocusStyle",{enumerable:!0,get:function(){return r.getFocusStyle}}),Object.defineProperty(t,"getFocusOutlineStyle",{enumerable:!0,get:function(){return r.getFocusOutlineStyle}}),Object.defineProperty(t,"getInputFocusStyle",{enumerable:!0,get:function(){return r.getInputFocusStyle}}),Object.defineProperty(t,"getThemedContext",{enumerable:!0,get:function(){return r.getThemedContext}}),Object.defineProperty(t,"focusClear",{enumerable:!0,get:function(){return r.focusClear}}),Object.defineProperty(t,"ThemeSettingName",{enumerable:!0,get:function(){return r.ThemeSettingName}}),Object.defineProperty(t,"getTheme",{enumerable:!0,get:function(){return r.getTheme}}),Object.defineProperty(t,"loadTheme",{enumerable:!0,get:function(){return r.loadTheme}}),Object.defineProperty(t,"createTheme",{enumerable:!0,get:function(){return r.createTheme}}),Object.defineProperty(t,"registerOnThemeChangeCallback",{enumerable:!0,get:function(){return r.registerOnThemeChangeCallback}}),Object.defineProperty(t,"removeOnThemeChangeCallback",{enumerable:!0,get:function(){return r.removeOnThemeChangeCallback}}),Object.defineProperty(t,"HighContrastSelector",{enumerable:!0,get:function(){return r.HighContrastSelector}}),Object.defineProperty(t,"HighContrastSelectorWhite",{enumerable:!0,get:function(){return r.HighContrastSelectorWhite}}),Object.defineProperty(t,"HighContrastSelectorBlack",{enumerable:!0,get:function(){return r.HighContrastSelectorBlack}}),Object.defineProperty(t,"EdgeChromiumHighContrastSelector",{enumerable:!0,get:function(){return r.EdgeChromiumHighContrastSelector}}),Object.defineProperty(t,"ScreenWidthMinSmall",{enumerable:!0,get:function(){return r.ScreenWidthMinSmall}}),Object.defineProperty(t,"ScreenWidthMinMedium",{enumerable:!0,get:function(){return r.ScreenWidthMinMedium}}),Object.defineProperty(t,"ScreenWidthMinLarge",{enumerable:!0,get:function(){return r.ScreenWidthMinLarge}}),Object.defineProperty(t,"ScreenWidthMinXLarge",{enumerable:!0,get:function(){return r.ScreenWidthMinXLarge}}),Object.defineProperty(t,"ScreenWidthMinXXLarge",{enumerable:!0,get:function(){return r.ScreenWidthMinXXLarge}}),Object.defineProperty(t,"ScreenWidthMinXXXLarge",{enumerable:!0,get:function(){return r.ScreenWidthMinXXXLarge}}),Object.defineProperty(t,"ScreenWidthMaxSmall",{enumerable:!0,get:function(){return r.ScreenWidthMaxSmall}}),Object.defineProperty(t,"ScreenWidthMaxMedium",{enumerable:!0,get:function(){return r.ScreenWidthMaxMedium}}),Object.defineProperty(t,"ScreenWidthMaxLarge",{enumerable:!0,get:function(){return r.ScreenWidthMaxLarge}}),Object.defineProperty(t,"ScreenWidthMaxXLarge",{enumerable:!0,get:function(){return r.ScreenWidthMaxXLarge}}),Object.defineProperty(t,"ScreenWidthMaxXXLarge",{enumerable:!0,get:function(){return r.ScreenWidthMaxXXLarge}}),Object.defineProperty(t,"ScreenWidthMinUhfMobile",{enumerable:!0,get:function(){return r.ScreenWidthMinUhfMobile}}),Object.defineProperty(t,"getScreenSelector",{enumerable:!0,get:function(){return r.getScreenSelector}}),Object.defineProperty(t,"getHighContrastNoAdjustStyle",{enumerable:!0,get:function(){return r.getHighContrastNoAdjustStyle}}),Object.defineProperty(t,"getEdgeChromiumNoHighContrastAdjustSelector",{enumerable:!0,get:function(){return r.getEdgeChromiumNoHighContrastAdjustSelector}}),Object.defineProperty(t,"normalize",{enumerable:!0,get:function(){return r.normalize}}),Object.defineProperty(t,"noWrap",{enumerable:!0,get:function(){return r.noWrap}}),Object.defineProperty(t,"getFadedOverflowStyle",{enumerable:!0,get:function(){return r.getFadedOverflowStyle}}),Object.defineProperty(t,"getPlaceholderStyles",{enumerable:!0,get:function(){return r.getPlaceholderStyles}}),Object.defineProperty(t,"ZIndexes",{enumerable:!0,get:function(){return r.ZIndexes}});var i=o(79267);Object.defineProperty(t,"buildClassMap",{enumerable:!0,get:function(){return i.buildClassMap}}),Object.defineProperty(t,"getIcon",{enumerable:!0,get:function(){return i.getIcon}}),Object.defineProperty(t,"registerIcons",{enumerable:!0,get:function(){return i.registerIcons}}),Object.defineProperty(t,"registerIconAlias",{enumerable:!0,get:function(){return i.registerIconAlias}}),Object.defineProperty(t,"unregisterIcons",{enumerable:!0,get:function(){return i.unregisterIcons}}),Object.defineProperty(t,"setIconOptions",{enumerable:!0,get:function(){return i.setIconOptions}}),Object.defineProperty(t,"getIconClassName",{enumerable:!0,get:function(){return i.getIconClassName}});var a=o(6450);Object.defineProperty(t,"InjectionMode",{enumerable:!0,get:function(){return a.InjectionMode}}),Object.defineProperty(t,"Stylesheet",{enumerable:!0,get:function(){return a.Stylesheet}}),Object.defineProperty(t,"concatStyleSets",{enumerable:!0,get:function(){return a.concatStyleSets}}),Object.defineProperty(t,"concatStyleSetsWithProps",{enumerable:!0,get:function(){return a.concatStyleSetsWithProps}}),Object.defineProperty(t,"fontFace",{enumerable:!0,get:function(){return a.fontFace}}),Object.defineProperty(t,"keyframes",{enumerable:!0,get:function(){return a.keyframes}}),Object.defineProperty(t,"mergeStyleSets",{enumerable:!0,get:function(){return a.mergeStyleSets}}),Object.defineProperty(t,"mergeStyles",{enumerable:!0,get:function(){return a.mergeStyles}});var s=o(66907);Object.defineProperty(t,"FLUENT_CDN_BASE_URL",{enumerable:!0,get:function(){return s.FLUENT_CDN_BASE_URL}}),o(53108),(0,o(91950).initializeThemeInCustomizations)()},71575:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.AnimationVariables=t.AnimationStyles=void 0;var n=o(51499);Object.defineProperty(t,"AnimationStyles",{enumerable:!0,get:function(){return n.AnimationStyles}}),Object.defineProperty(t,"AnimationVariables",{enumerable:!0,get:function(){return n.AnimationVariables}})},93744:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getEdgeChromiumNoHighContrastAdjustSelector=t.getHighContrastNoAdjustStyle=t.getScreenSelector=t.ScreenWidthMinUhfMobile=t.ScreenWidthMaxXXLarge=t.ScreenWidthMaxXLarge=t.ScreenWidthMaxLarge=t.ScreenWidthMaxMedium=t.ScreenWidthMaxSmall=t.ScreenWidthMinXXXLarge=t.ScreenWidthMinXXLarge=t.ScreenWidthMinXLarge=t.ScreenWidthMinLarge=t.ScreenWidthMinMedium=t.ScreenWidthMinSmall=t.EdgeChromiumHighContrastSelector=t.HighContrastSelectorBlack=t.HighContrastSelectorWhite=t.HighContrastSelector=void 0,t.HighContrastSelector="@media screen and (-ms-high-contrast: active), screen and (forced-colors: active)",t.HighContrastSelectorWhite="@media screen and (-ms-high-contrast: black-on-white), screen and (forced-colors: active) and (prefers-color-scheme: light)",t.HighContrastSelectorBlack="@media screen and (-ms-high-contrast: white-on-black), screen and (forced-colors: active) and (prefers-color-scheme: dark)",t.EdgeChromiumHighContrastSelector="@media screen and (-ms-high-contrast: active), screen and (forced-colors: active)",t.ScreenWidthMinSmall=320,t.ScreenWidthMinMedium=480,t.ScreenWidthMinLarge=640,t.ScreenWidthMinXLarge=1024,t.ScreenWidthMinXXLarge=1366,t.ScreenWidthMinXXXLarge=1920,t.ScreenWidthMaxSmall=t.ScreenWidthMinMedium-1,t.ScreenWidthMaxMedium=t.ScreenWidthMinLarge-1,t.ScreenWidthMaxLarge=t.ScreenWidthMinXLarge-1,t.ScreenWidthMaxXLarge=t.ScreenWidthMinXXLarge-1,t.ScreenWidthMaxXXLarge=t.ScreenWidthMinXXXLarge-1,t.ScreenWidthMinUhfMobile=768,t.getScreenSelector=function(e,t){var o="number"==typeof e?" and (min-width: ".concat(e,"px)"):"",n="number"==typeof t?" and (max-width: ".concat(t,"px)"):"";return"@media only screen".concat(o).concat(n)},t.getHighContrastNoAdjustStyle=function(){return{forcedColorAdjust:"none",MsHighContrastAdjust:"none"}},t.getEdgeChromiumNoHighContrastAdjustSelector=function(){var e;return(e={})[t.EdgeChromiumHighContrastSelector]={forcedColorAdjust:"none",MsHighContrastAdjust:"none"},e}},37494:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DefaultEffects=void 0;var n=o(51499);Object.defineProperty(t,"DefaultEffects",{enumerable:!0,get:function(){return n.DefaultEffects}})},63853:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.registerDefaultFontFaces=t.DefaultFontStyles=void 0;var n=o(51499);Object.defineProperty(t,"DefaultFontStyles",{enumerable:!0,get:function(){return n.DefaultFontStyles}}),Object.defineProperty(t,"registerDefaultFontFaces",{enumerable:!0,get:function(){return n.registerDefaultFontFaces}})},9823:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DefaultPalette=void 0;var n=o(51499);Object.defineProperty(t,"DefaultPalette",{enumerable:!0,get:function(){return n.DefaultPalette}})},63589:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.noWrap=t.normalize=void 0,t.normalize={boxShadow:"none",margin:0,padding:0,boxSizing:"border-box"},t.noWrap={overflow:"hidden",textOverflow:"ellipsis",whiteSpace:"nowrap"}},34209:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.PulsingBeaconAnimationStyles=void 0;var n=o(31635),r=o(15241);function i(e,t){return{borderColor:e,borderWidth:"0px",width:t,height:t}}function a(e){return{opacity:1,borderWidth:e}}function s(e,t){return{borderWidth:"0",width:t,height:t,opacity:0,borderColor:e}}function l(e,t){return n.__assign(n.__assign({},i(e,t)),{opacity:0})}t.PulsingBeaconAnimationStyles={continuousPulseAnimationDouble:function(e,t,o,n,c){return(0,r.keyframes)({"0%":i(e,o),"1.42%":a(c),"3.57%":{opacity:1},"7.14%":s(t,n),"8%":l(e,o),"29.99%":l(e,o),"30%":i(e,o),"31.42%":a(c),"33.57%":{opacity:1},"37.14%":s(t,n),"38%":l(e,o),"79.42%":l(e,o),79.43:i(e,o),81.85:a(c),83.42:{opacity:1},"87%":s(t,n),"100%":{}})},continuousPulseAnimationSingle:function(e,t,o,n,l){return(0,r.keyframes)({"0%":i(e,o),"14.2%":a(l),"35.7%":{opacity:1},"71.4%":s(t,n),"100%":{}})},createDefaultAnimation:function(e,t){return{animationName:e,animationIterationCount:"1",animationDuration:"14s",animationDelay:t||"2s"}}}},12277:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.createFontStyles=t.IconFontSizes=t.FontWeights=t.FontSizes=t.LocalizedFontFamilies=t.LocalizedFontNames=void 0;var n=o(51499);Object.defineProperty(t,"LocalizedFontNames",{enumerable:!0,get:function(){return n.LocalizedFontNames}}),Object.defineProperty(t,"LocalizedFontFamilies",{enumerable:!0,get:function(){return n.LocalizedFontFamilies}}),Object.defineProperty(t,"FontSizes",{enumerable:!0,get:function(){return n.FontSizes}}),Object.defineProperty(t,"FontWeights",{enumerable:!0,get:function(){return n.FontWeights}}),Object.defineProperty(t,"IconFontSizes",{enumerable:!0,get:function(){return n.IconFontSizes}}),Object.defineProperty(t,"createFontStyles",{enumerable:!0,get:function(){return n.createFontStyles}})},48342:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getFadedOverflowStyle=void 0;function o(e,t){return"width"===e?"horizontal"===t?20:"100%":"vertical"===t?"50%":"100%"}t.getFadedOverflowStyle=function(e,t,n,r,i){void 0===t&&(t="bodyBackground"),void 0===n&&(n="horizontal"),void 0===r&&(r=o("width",n)),void 0===i&&(i=o("height",n));var a=e.semanticColors[t]||e.palette[t],s=function(e){if("#"===e[0])return{r:parseInt(e.slice(1,3),16),g:parseInt(e.slice(3,5),16),b:parseInt(e.slice(5,7),16)};if(0===e.indexOf("rgba(")){var t=(e=e.match(/rgba\(([^)]+)\)/)[1]).split(/ *, */).map(Number);return{r:t[0],g:t[1],b:t[2]}}return{r:255,g:255,b:255}}(a),l="rgba(".concat(s.r,", ").concat(s.g,", ").concat(s.b,", 0)");return{content:'""',position:"absolute",right:0,bottom:0,width:r,height:i,pointerEvents:"none",backgroundImage:"linear-gradient(".concat("vertical"===n?"to bottom":"to right",", ").concat(l," 0%, ").concat(a," 100%)")}}},93474:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getInputFocusStyle=t.getFocusOutlineStyle=t.focusClear=t.getFocusStyle=void 0;var n=o(93744),r=o(52332),i=o(58021);t.getFocusStyle=function(e,t,o,a,s,l,c,u){return function(e,t){var o,a;void 0===t&&(t={});var s=t.borderRadius,l=t.inset,c=void 0===l?0:l,u=t.width,d=void 0===u?1:u,p=t.position,m=void 0===p?"relative":p,g=t.highContrastStyle,h=t.borderColor,f=void 0===h?e.palette.white:h,v=t.outlineColor,b=void 0===v?e.palette.neutralSecondary:v,y=t.isFocusedOnly,_=void 0===y||y,S=t.pointerEvents;return{outline:"transparent",position:m,selectors:(o={"::-moz-focus-inner":{border:"0"}},o[".".concat(r.IsFocusVisibleClassName," &").concat(_?":focus":"",":after, :host(.").concat(r.IsFocusVisibleClassName,") &").concat(_?":focus":"",":after")]={content:'""',position:"absolute",pointerEvents:S,left:c+1,top:c+1,bottom:c+1,right:c+1,border:"".concat(d,"px solid ").concat(f),outline:"".concat(d,"px solid ").concat(b),zIndex:i.ZIndexes.FocusStyle,borderRadius:s,selectors:(a={},a[n.HighContrastSelector]=g,a)},o)}}(e,"number"!=typeof t&&t?t:{inset:t,position:o,highContrastStyle:a,borderColor:s,outlineColor:l,isFocusedOnly:c,borderRadius:u})},t.focusClear=function(){return{selectors:{"&::-moz-focus-inner":{border:0},"&":{outline:"transparent"}}}},t.getFocusOutlineStyle=function(e,t,o,n){var i;return void 0===t&&(t=0),void 0===o&&(o=1),{selectors:(i={},i[":global(".concat(r.IsFocusVisibleClassName,") &:focus")]={outline:"".concat(o," solid ").concat(n||e.palette.neutralSecondary),outlineOffset:"".concat(-t,"px")},i)}},t.getInputFocusStyle=function(e,t,o,r){var i,a,s;void 0===o&&(o="border"),void 0===r&&(r=-1);var l="borderBottom"===o;return{borderColor:e,selectors:{":after":(i={pointerEvents:"none",content:"''",position:"absolute",left:l?0:r,top:r,bottom:r,right:l?0:r},i[o]="2px solid ".concat(e),i.borderRadius=t,i.width="borderBottom"===o?"100%":void 0,i.selectors=(a={},a[n.HighContrastSelector]=(s={},s["border"===o?"borderColor":"borderBottomColor"]="Highlight",s),a),i)}}}},7868:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getGlobalClassNames=void 0;var n=o(15241),r=(0,o(52332).memoizeFunction)((function(e,t){var o=n.Stylesheet.getInstance();return t?Object.keys(e).reduce((function(t,n){return t[n]=o.getClassName(e[n]),t}),{}):e}));t.getGlobalClassNames=function(e,t,o){return r(e,void 0!==o?o:t.disableGlobalClassNames)}},50816:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getPlaceholderStyles=void 0,t.getPlaceholderStyles=function(e){return{selectors:{"::placeholder":e,":-ms-input-placeholder":e,"::-ms-input-placeholder":e}}}},70637:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.hiddenContentStyle=void 0,t.hiddenContentStyle={position:"absolute",width:1,height:1,margin:-1,padding:0,border:0,overflow:"hidden",whiteSpace:"nowrap"}},34083:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.removeOnThemeChangeCallback=t.registerOnThemeChangeCallback=t.createTheme=t.loadTheme=t.getTheme=t.ThemeSettingName=t.getGlobalClassNames=t.PulsingBeaconAnimationStyles=t.hiddenContentStyle=t.createFontStyles=t.IconFontSizes=t.FontWeights=t.FontSizes=t.registerDefaultFontFaces=t.DefaultFontStyles=t.DefaultEffects=t.DefaultPalette=t.AnimationVariables=t.AnimationStyles=void 0;var n=o(31635),r=o(71575);Object.defineProperty(t,"AnimationStyles",{enumerable:!0,get:function(){return r.AnimationStyles}}),Object.defineProperty(t,"AnimationVariables",{enumerable:!0,get:function(){return r.AnimationVariables}});var i=o(9823);Object.defineProperty(t,"DefaultPalette",{enumerable:!0,get:function(){return i.DefaultPalette}});var a=o(37494);Object.defineProperty(t,"DefaultEffects",{enumerable:!0,get:function(){return a.DefaultEffects}});var s=o(63853);Object.defineProperty(t,"DefaultFontStyles",{enumerable:!0,get:function(){return s.DefaultFontStyles}}),Object.defineProperty(t,"registerDefaultFontFaces",{enumerable:!0,get:function(){return s.registerDefaultFontFaces}});var l=o(12277);Object.defineProperty(t,"FontSizes",{enumerable:!0,get:function(){return l.FontSizes}}),Object.defineProperty(t,"FontWeights",{enumerable:!0,get:function(){return l.FontWeights}}),Object.defineProperty(t,"IconFontSizes",{enumerable:!0,get:function(){return l.IconFontSizes}}),Object.defineProperty(t,"createFontStyles",{enumerable:!0,get:function(){return l.createFontStyles}}),n.__exportStar(o(93474),t);var c=o(70637);Object.defineProperty(t,"hiddenContentStyle",{enumerable:!0,get:function(){return c.hiddenContentStyle}});var u=o(34209);Object.defineProperty(t,"PulsingBeaconAnimationStyles",{enumerable:!0,get:function(){return u.PulsingBeaconAnimationStyles}});var d=o(7868);Object.defineProperty(t,"getGlobalClassNames",{enumerable:!0,get:function(){return d.getGlobalClassNames}}),n.__exportStar(o(55004),t);var p=o(91950);Object.defineProperty(t,"ThemeSettingName",{enumerable:!0,get:function(){return p.ThemeSettingName}}),Object.defineProperty(t,"getTheme",{enumerable:!0,get:function(){return p.getTheme}}),Object.defineProperty(t,"loadTheme",{enumerable:!0,get:function(){return p.loadTheme}}),Object.defineProperty(t,"createTheme",{enumerable:!0,get:function(){return p.createTheme}}),Object.defineProperty(t,"registerOnThemeChangeCallback",{enumerable:!0,get:function(){return p.registerOnThemeChangeCallback}}),Object.defineProperty(t,"removeOnThemeChangeCallback",{enumerable:!0,get:function(){return p.removeOnThemeChangeCallback}}),n.__exportStar(o(93744),t),n.__exportStar(o(63589),t),n.__exportStar(o(48342),t),n.__exportStar(o(50816),t),n.__exportStar(o(58021),t)},55004:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getThemedContext=void 0;var n=o(52332);t.getThemedContext=function(e,t,o){var r,i=e,a=o||n.Customizations.getSettings(["theme"],void 0,e.customizations).theme;o&&(r={theme:o});var s=t&&a&&a.schemes&&a.schemes[t];return a&&s&&a!==s&&((r={theme:s}).theme.schemes=a.schemes),r&&(i={customizations:{settings:(0,n.mergeSettings)(e.customizations.settings,r),scopedSettings:e.customizations.scopedSettings}}),i}},91950:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.loadTheme=t.removeOnThemeChangeCallback=t.registerOnThemeChangeCallback=t.getTheme=t.initializeThemeInCustomizations=t.ThemeSettingName=t.createTheme=void 0;var n=o(31635),r=o(52332),i=o(65715),a=o(51499),s=o(51499);Object.defineProperty(t,"createTheme",{enumerable:!0,get:function(){return s.createTheme}});var l=(0,a.createTheme)({}),c=[];function u(){var e,o,n,i=(0,r.getWindow)();(null===(o=null==i?void 0:i.FabricConfig)||void 0===o?void 0:o.legacyTheme)?d(i.FabricConfig.legacyTheme):r.Customizations.getSettings([t.ThemeSettingName]).theme||((null===(n=null==i?void 0:i.FabricConfig)||void 0===n?void 0:n.theme)&&(l=(0,a.createTheme)(i.FabricConfig.theme)),r.Customizations.applySettings(((e={})[t.ThemeSettingName]=l,e)))}function d(e,o){var s;return void 0===o&&(o=!1),l=(0,a.createTheme)(e,o),(0,i.loadTheme)(n.__assign(n.__assign(n.__assign(n.__assign({},l.palette),l.semanticColors),l.effects),function(e){for(var t={},o=0,n=Object.keys(e.fonts);o{"use strict";var o;Object.defineProperty(t,"__esModule",{value:!0}),t.ZIndexes=void 0,(o=t.ZIndexes||(t.ZIndexes={})).Nav=1,o.ScrollablePane=1,o.FocusStyle=1,o.Coachmark=1e3,o.Layer=1e6,o.KeytipLayer=1000001},89385:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.buildClassMap=void 0;var n=o(6450);t.buildClassMap=function(e){var t={},o=function(o){var r;e.hasOwnProperty(o)&&Object.defineProperty(t,o,{get:function(){return void 0===r&&(r=(0,n.mergeStyles)(e[o]).toString()),r},enumerable:!0,configurable:!0})};for(var r in e)o(r);return t}},6931:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getIconClassName=void 0;var n=o(15241),r=o(79385),i={display:"inline-block"};t.getIconClassName=function(e){var t="",o=(0,r.getIcon)(e);return o&&(t=(0,n.mergeStyles)(o.subset.className,i,{selectors:{"::before":{content:'"'.concat(o.code,'"')}}})),t}},79385:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.setIconOptions=t.getIcon=t.registerIconAlias=t.unregisterIcons=t.registerIcons=void 0;var n=o(31635),r=o(52332),i=o(15241),a=r.GlobalSettings.getValue("icons",{__options:{disableWarnings:!1,warnOnMissingIcons:!0},__remapped:{}}),s=i.Stylesheet.getInstance();s&&s.onReset&&s.onReset((function(){for(var e in a)a.hasOwnProperty(e)&&a[e].subset&&(a[e].subset.className=void 0)}));var l=function(e){return e.toLowerCase()};t.registerIcons=function(e,t){var o=n.__assign(n.__assign({},e),{isRegistered:!1,className:void 0}),r=e.icons;for(var i in t=t?n.__assign(n.__assign({},a.__options),t):a.__options,r)if(r.hasOwnProperty(i)){var s=r[i],c=l(i);a[c]?d(i):a[c]={code:s,subset:o}}},t.unregisterIcons=function(e){for(var t=a.__options,o=function(e){var o=l(e);a[o]?delete a[o]:t.disableWarnings||(0,r.warn)('The icon "'.concat(e,'" tried to unregister but was not registered.')),a.__remapped[o]&&delete a.__remapped[o],Object.keys(a.__remapped).forEach((function(e){a.__remapped[e]===o&&delete a.__remapped[e]}))},n=0,i=e;n10?" (+ ".concat(c.length-10," more)"):"")),u=void 0,c=[]}),2e3)))}},79267:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getIconClassName=t.setIconOptions=t.unregisterIcons=t.registerIconAlias=t.registerIcons=t.getIcon=t.buildClassMap=void 0;var n=o(89385);Object.defineProperty(t,"buildClassMap",{enumerable:!0,get:function(){return n.buildClassMap}});var r=o(79385);Object.defineProperty(t,"getIcon",{enumerable:!0,get:function(){return r.getIcon}}),Object.defineProperty(t,"registerIcons",{enumerable:!0,get:function(){return r.registerIcons}}),Object.defineProperty(t,"registerIconAlias",{enumerable:!0,get:function(){return r.registerIconAlias}}),Object.defineProperty(t,"unregisterIcons",{enumerable:!0,get:function(){return r.unregisterIcons}}),Object.defineProperty(t,"setIconOptions",{enumerable:!0,get:function(){return r.setIconOptions}});var i=o(6931);Object.defineProperty(t,"getIconClassName",{enumerable:!0,get:function(){return i.getIconClassName}})},53108:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),(0,o(37607).setVersion)("@fluentui/style-utilities","8.10.9")},18227:(e,t,o)=>{"use strict";o.d(t,{lw:()=>$,Dm:()=>Y,cs:()=>U,pD:()=>Ye,s:()=>Me.s,BO:()=>Me.BO,up:()=>ne,hT:()=>re,fF:()=>Me.fF,mm:()=>ce,mu:()=>ae,O7:()=>ie,c3:()=>ue,af:()=>se,Ke:()=>le,nA:()=>me,TW:()=>Ke.T,pB:()=>Ge.p,QN:()=>fe,gm:()=>he,Km:()=>oe,Qg:()=>pe,sW:()=>je,Sq:()=>ve,CX:()=>De,L6:()=>de,O4:()=>we,dX:()=>ee,i7:()=>s,l8:()=>Ue.l,Zq:()=>n.Z,oA:()=>Ee,S8:()=>Te,aH:()=>He,K1:()=>Le});var n=o(52606),r=o(85890),i=o(926),a=o(57428);function s(e){var t=i.nr.getInstance(),o=[];for(var n in e)e.hasOwnProperty(n)&&o.push(n,"{",(0,a.bz)((0,r.Iy)(),e[n]),"}");var s=o.join(""),l=t.classNameFromKey(s);if(l)return l;var c=t.getClassName();return t.insertRule("@keyframes ".concat(c,"{").concat(s,"}"),!0),t.cacheClassName(c,s,[],["keyframes",s]),c}var l="cubic-bezier(.1,.9,.2,1)",c="cubic-bezier(.1,.25,.75,.9)",u="0.167s",d="0.267s",p="0.367s",m="0.467s",g=s({from:{opacity:0},to:{opacity:1}}),h=s({from:{opacity:1},to:{opacity:0,visibility:"hidden"}}),f=X(-10),v=X(-20),b=X(-40),y=X(-400),_=X(10),S=X(20),C=X(40),x=X(400),P=Z(10),k=Z(20),I=Z(-10),w=Z(-20),T=Q(10),E=Q(20),D=Q(40),M=Q(400),O=Q(-10),R=Q(-20),F=Q(-40),B=Q(-400),A=J(-10),N=J(-20),L=J(10),H=J(20),j=s({from:{transform:"scale3d(.98,.98,1)"},to:{transform:"scale3d(1,1,1)"}}),z=s({from:{transform:"scale3d(1,1,1)"},to:{transform:"scale3d(.98,.98,1)"}}),W=s({from:{transform:"scale3d(1.03,1.03,1)"},to:{transform:"scale3d(1,1,1)"}}),V=s({from:{transform:"scale3d(1,1,1)"},to:{transform:"scale3d(1.03,1.03,1)"}}),K=s({from:{transform:"rotateZ(0deg)"},to:{transform:"rotateZ(90deg)"}}),G=s({from:{transform:"rotateZ(0deg)"},to:{transform:"rotateZ(-90deg)"}}),U={easeFunction1:l,easeFunction2:c,durationValue1:u,durationValue2:d,durationValue3:p,durationValue4:m},Y={slideRightIn10:q("".concat(g,",").concat(f),p,l),slideRightIn20:q("".concat(g,",").concat(v),p,l),slideRightIn40:q("".concat(g,",").concat(b),p,l),slideRightIn400:q("".concat(g,",").concat(y),p,l),slideLeftIn10:q("".concat(g,",").concat(_),p,l),slideLeftIn20:q("".concat(g,",").concat(S),p,l),slideLeftIn40:q("".concat(g,",").concat(C),p,l),slideLeftIn400:q("".concat(g,",").concat(x),p,l),slideUpIn10:q("".concat(g,",").concat(P),p,l),slideUpIn20:q("".concat(g,",").concat(k),p,l),slideDownIn10:q("".concat(g,",").concat(I),p,l),slideDownIn20:q("".concat(g,",").concat(w),p,l),slideRightOut10:q("".concat(h,",").concat(T),p,l),slideRightOut20:q("".concat(h,",").concat(E),p,l),slideRightOut40:q("".concat(h,",").concat(D),p,l),slideRightOut400:q("".concat(h,",").concat(M),p,l),slideLeftOut10:q("".concat(h,",").concat(O),p,l),slideLeftOut20:q("".concat(h,",").concat(R),p,l),slideLeftOut40:q("".concat(h,",").concat(F),p,l),slideLeftOut400:q("".concat(h,",").concat(B),p,l),slideUpOut10:q("".concat(h,",").concat(A),p,l),slideUpOut20:q("".concat(h,",").concat(N),p,l),slideDownOut10:q("".concat(h,",").concat(L),p,l),slideDownOut20:q("".concat(h,",").concat(H),p,l),scaleUpIn100:q("".concat(g,",").concat(j),p,l),scaleDownIn100:q("".concat(g,",").concat(W),p,l),scaleUpOut103:q("".concat(h,",").concat(V),u,c),scaleDownOut98:q("".concat(h,",").concat(z),u,c),fadeIn100:q(g,u,c),fadeIn200:q(g,d,c),fadeIn400:q(g,p,c),fadeIn500:q(g,m,c),fadeOut100:q(h,u,c),fadeOut200:q(h,d,c),fadeOut400:q(h,p,c),fadeOut500:q(h,m,c),rotate90deg:q(K,"0.1s",c),rotateN90deg:q(G,"0.1s",c)};function q(e,t,o){return{animationName:e,animationDuration:t,animationTimingFunction:o,animationFillMode:"both"}}function X(e){return s({from:{transform:"translate3d(".concat(e,"px,0,0)"),pointerEvents:"none"},to:{transform:"translate3d(0,0,0)",pointerEvents:"auto"}})}function Z(e){return s({from:{transform:"translate3d(0,".concat(e,"px,0)"),pointerEvents:"none"},to:{transform:"translate3d(0,0,0)",pointerEvents:"auto"}})}function Q(e){return s({from:{transform:"translate3d(0,0,0)"},to:{transform:"translate3d(".concat(e,"px,0,0)")}})}function J(e){return s({from:{transform:"translate3d(0,0,0)"},to:{transform:"translate3d(0,".concat(e,"px,0)")}})}var $=function(e){var t={},o=function(o){var r;e.hasOwnProperty(o)&&Object.defineProperty(t,o,{get:function(){return void 0===r&&(r=(0,n.Z)(e[o]).toString()),r},enumerable:!0,configurable:!0})};for(var r in e)o(r);return t}(Y),ee={position:"absolute",width:1,height:1,margin:-1,padding:0,border:0,overflow:"hidden",whiteSpace:"nowrap"},te=(0,o(23987).J9)((function(e,t){var o=i.nr.getInstance();return t?Object.keys(e).reduce((function(t,n){return t[n]=o.getClassName(e[n]),t}),{}):e}));function oe(e,t,o){return te(e,void 0!==o?o:t.disableGlobalClassNames)}var ne="@media screen and (-ms-high-contrast: active), screen and (forced-colors: active)",re="@media screen and (-ms-high-contrast: black-on-white), screen and (forced-colors: active) and (prefers-color-scheme: light)",ie=480,ae=640,se=1024,le=1366,ce=ae-1,ue=768;function de(e,t){var o="number"==typeof e?" and (min-width: ".concat(e,"px)"):"",n="number"==typeof t?" and (max-width: ".concat(t,"px)"):"";return"@media only screen".concat(o).concat(n)}function pe(){return{forcedColorAdjust:"none",MsHighContrastAdjust:"none"}}var me,ge=o(37523);function he(e,t,o,n,r,i,a,s){return function(e,t){var o,n;void 0===t&&(t={});var r=t.borderRadius,i=t.inset,a=void 0===i?0:i,s=t.width,l=void 0===s?1:s,c=t.position,u=void 0===c?"relative":c,d=t.highContrastStyle,p=t.borderColor,m=void 0===p?e.palette.white:p,g=t.outlineColor,h=void 0===g?e.palette.neutralSecondary:g,f=t.isFocusedOnly,v=void 0===f||f,b=t.pointerEvents;return{outline:"transparent",position:u,selectors:(o={"::-moz-focus-inner":{border:"0"}},o[".".concat(ge.Y2," &").concat(v?":focus":"",":after, :host(.").concat(ge.Y2,") &").concat(v?":focus":"",":after")]={content:'""',position:"absolute",pointerEvents:b,left:a+1,top:a+1,bottom:a+1,right:a+1,border:"".concat(l,"px solid ").concat(m),outline:"".concat(l,"px solid ").concat(h),zIndex:me.FocusStyle,borderRadius:r,selectors:(n={},n[ne]=d,n)},o)}}(e,"number"!=typeof t&&t?t:{inset:t,position:o,highContrastStyle:n,borderColor:r,outlineColor:i,isFocusedOnly:a,borderRadius:s})}function fe(){return{selectors:{"&::-moz-focus-inner":{border:0},"&":{outline:"transparent"}}}}!function(e){e.Nav=1,e.ScrollablePane=1,e.FocusStyle=1,e.Coachmark=1e3,e.Layer=1e6,e.KeytipLayer=1000001}(me||(me={}));var ve=function(e,t,o,n){var r,i,a;void 0===o&&(o="border"),void 0===n&&(n=-1);var s="borderBottom"===o;return{borderColor:e,selectors:{":after":(r={pointerEvents:"none",content:"''",position:"absolute",left:s?0:n,top:n,bottom:n,right:s?0:n},r[o]="2px solid ".concat(e),r.borderRadius=t,r.width="borderBottom"===o?"100%":void 0,r.selectors=(i={},i[ne]=(a={},a["border"===o?"borderColor":"borderBottomColor"]="Highlight",a),i),r)}}},be=o(31635),ye=o(39912),_e=o(89898),Se=o(65715),Ce=o(44778),xe=(0,Ce.a)({}),Pe=[],ke="theme";function Ie(){var e,t,o,n=(0,ye.z)();(null===(t=null==n?void 0:n.FabricConfig)||void 0===t?void 0:t.legacyTheme)?function(e,t){var o;void 0===t&&(t=!1),xe=(0,Ce.a)(e,t),(0,Se.loadTheme)((0,be.__assign)((0,be.__assign)((0,be.__assign)((0,be.__assign)({},xe.palette),xe.semanticColors),xe.effects),function(e){for(var t={},o=0,n=Object.keys(e.fonts);o10?" (+ ".concat(ze.length-10," more)"):"")),We=void 0,ze=[]}),2e3)))}var Ke=o(37232),Ge=o(7940),Ue=o(73294),Ye="https://res.cdn.office.net/files/fabric-cdn-prod_20240129.001";(0,o(33670).v)("@fluentui/style-utilities","8.10.9"),Ie()},5688:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.FluentTheme=void 0;var n=o(87890);t.FluentTheme=(0,n.createTheme)({})},70830:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DefaultPalette=void 0,t.DefaultPalette={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"}},10524:(e,t)=>{"use strict";var o,n,r;Object.defineProperty(t,"__esModule",{value:!0}),t.SharedColors=t.NeutralColors=t.CommunicationColors=void 0,(r=t.CommunicationColors||(t.CommunicationColors={})).shade30="#004578",r.shade20="#005a9e",r.shade10="#106ebe",r.primary="#0078d4",r.tint10="#2b88d8",r.tint20="#c7e0f4",r.tint30="#deecf9",r.tint40="#eff6fc",(n=t.NeutralColors||(t.NeutralColors={})).black="#000000",n.gray220="#11100f",n.gray210="#161514",n.gray200="#1b1a19",n.gray190="#201f1e",n.gray180="#252423",n.gray170="#292827",n.gray160="#323130",n.gray150="#3b3a39",n.gray140="#484644",n.gray130="#605e5c",n.gray120="#797775",n.gray110="#8a8886",n.gray100="#979593",n.gray90="#a19f9d",n.gray80="#b3b0ad",n.gray70="#bebbb8",n.gray60="#c8c6c4",n.gray50="#d2d0ce",n.gray40="#e1dfdd",n.gray30="#edebe9",n.gray20="#f3f2f1",n.gray10="#faf9f8",n.white="#ffffff",(o=t.SharedColors||(t.SharedColors={})).pinkRed10="#750b1c",o.red20="#a4262c",o.red10="#d13438",o.redOrange20="#603d30",o.redOrange10="#da3b01",o.orange30="#8e562e",o.orange20="#ca5010",o.orange10="#ffaa44",o.yellow10="#fce100",o.orangeYellow20="#986f0b",o.orangeYellow10="#c19c00",o.yellowGreen10="#8cbd18",o.green20="#0b6a0b",o.green10="#498205",o.greenCyan10="#00ad56",o.cyan40="#005e50",o.cyan30="#005b70",o.cyan20="#038387",o.cyan10="#00b7c3",o.cyanBlue20="#004e8c",o.cyanBlue10="#0078d4",o.blue10="#4f6bed",o.blueMagenta40="#373277",o.blueMagenta30="#5c2e91",o.blueMagenta20="#8764b8",o.blueMagenta10="#8378de",o.magenta20="#881798",o.magenta10="#c239b3",o.magentaPink20="#9b0062",o.magentaPink10="#e3008c",o.gray40="#393939",o.gray30="#7a7574",o.gray20="#69797e",o.gray10="#a0aeb2"},61532:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DefaultPalette=void 0,o(31635).__exportStar(o(10524),t);var n=o(70830);Object.defineProperty(t,"DefaultPalette",{enumerable:!0,get:function(){return n.DefaultPalette}})},87890:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.createTheme=void 0;var n=o(61532),r=o(39506),i=o(48822),a=o(98953),s=o(505),l=o(14696);t.createTheme=function(e,t){void 0===e&&(e={}),void 0===t&&(t=!1);var o=!!e.isInverted,c={palette:n.DefaultPalette,effects:r.DefaultEffects,fonts:i.DefaultFontStyles,spacing:s.DefaultSpacing,isInverted:o,disableGlobalClassNames:!1,semanticColors:(0,l.makeSemanticColors)(n.DefaultPalette,r.DefaultEffects,void 0,o,t),rtl:void 0};return(0,a.mergeThemes)(c,e)}},37077:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DefaultEffects=void 0;var n=o(90092);t.DefaultEffects={elevation4:n.Depths.depth4,elevation8:n.Depths.depth8,elevation16:n.Depths.depth16,elevation64:n.Depths.depth64,roundedCorner2:"2px",roundedCorner4:"4px",roundedCorner6:"6px"}},90092:(e,t)=>{"use strict";var o;Object.defineProperty(t,"__esModule",{value:!0}),t.Depths=void 0,(o=t.Depths||(t.Depths={})).depth0="0 0 0 0 transparent",o.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)",o.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)",o.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)",o.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)"},39506:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Depths=t.DefaultEffects=void 0;var n=o(37077);Object.defineProperty(t,"DefaultEffects",{enumerable:!0,get:function(){return n.DefaultEffects}});var r=o(90092);Object.defineProperty(t,"Depths",{enumerable:!0,get:function(){return r.Depths}})},25532:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.registerDefaultFontFaces=t.DefaultFontStyles=void 0;var n,r,i,a=o(15241),s=o(82826),l=o(55999),c=o(52332);function u(e,t,o,n){e="'".concat(e,"'");var r=void 0!==n?"local('".concat(n,"'),"):"";(0,a.fontFace)({fontFamily:e,src:r+"url('".concat(t,".woff2') format('woff2'),")+"url('".concat(t,".woff') format('woff')"),fontWeight:o,fontStyle:"normal",fontDisplay:"swap"})}function d(e,t,o,n,r){void 0===n&&(n="segoeui");var i="".concat(e,"/").concat(o,"/").concat(n);u(t,i+"-light",s.FontWeights.light,r&&r+" Light"),u(t,i+"-semilight",s.FontWeights.semilight,r&&r+" SemiLight"),u(t,i+"-regular",s.FontWeights.regular,r),u(t,i+"-semibold",s.FontWeights.semibold,r&&r+" SemiBold"),u(t,i+"-bold",s.FontWeights.bold,r&&r+" Bold")}function p(e){if(e){var t="".concat(e,"/fonts");d(t,s.LocalizedFontNames.Thai,"leelawadeeui-thai","leelawadeeui"),d(t,s.LocalizedFontNames.Arabic,"segoeui-arabic"),d(t,s.LocalizedFontNames.Cyrillic,"segoeui-cyrillic"),d(t,s.LocalizedFontNames.EastEuropean,"segoeui-easteuropean"),d(t,s.LocalizedFontNames.Greek,"segoeui-greek"),d(t,s.LocalizedFontNames.Hebrew,"segoeui-hebrew"),d(t,s.LocalizedFontNames.Vietnamese,"segoeui-vietnamese"),d(t,s.LocalizedFontNames.WestEuropean,"segoeui-westeuropean","segoeui","Segoe UI"),d(t,s.LocalizedFontFamilies.Selawik,"selawik","selawik"),d(t,s.LocalizedFontNames.Armenian,"segoeui-armenian"),d(t,s.LocalizedFontNames.Georgian,"segoeui-georgian"),u("Leelawadee UI Web","".concat(t,"/leelawadeeui-thai/leelawadeeui-semilight"),s.FontWeights.light),u("Leelawadee UI Web","".concat(t,"/leelawadeeui-thai/leelawadeeui-bold"),s.FontWeights.semibold)}}t.DefaultFontStyles=(0,l.createFontStyles)((0,c.getLanguage)()),t.registerDefaultFontFaces=p,p(null!==(r=null==(i=null===(n=(0,c.getWindow)())||void 0===n?void 0:n.FabricConfig)?void 0:i.fontBaseUrl)&&void 0!==r?r:"https://res-1.cdn.office.net/files/fabric-cdn-prod_20230815.002/assets")},82826:(e,t)=>{"use strict";var o,n,r,i,a;Object.defineProperty(t,"__esModule",{value:!0}),t.IconFontSizes=t.FontWeights=t.FontSizes=t.LocalizedFontFamilies=t.LocalizedFontNames=void 0,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)"}(o=t.LocalizedFontNames||(t.LocalizedFontNames={})),(a=t.LocalizedFontFamilies||(t.LocalizedFontFamilies={})).Arabic="'".concat(o.Arabic,"'"),a.ChineseSimplified="'Microsoft Yahei UI', Verdana, Simsun",a.ChineseTraditional="'Microsoft Jhenghei UI', Pmingliu",a.Cyrillic="'".concat(o.Cyrillic,"'"),a.EastEuropean="'".concat(o.EastEuropean,"'"),a.Greek="'".concat(o.Greek,"'"),a.Hebrew="'".concat(o.Hebrew,"'"),a.Hindi="'Nirmala UI'",a.Japanese="'Yu Gothic UI', 'Meiryo UI', Meiryo, 'MS Pgothic', Osaka",a.Korean="'Malgun Gothic', Gulim",a.Selawik="'".concat(o.Selawik,"'"),a.Thai="'Leelawadee UI Web', 'Kmer UI'",a.Vietnamese="'".concat(o.Vietnamese,"'"),a.WestEuropean="'".concat(o.WestEuropean,"'"),a.Armenian="'".concat(o.Armenian,"'"),a.Georgian="'".concat(o.Georgian,"'"),(i=t.FontSizes||(t.FontSizes={})).size10="10px",i.size12="12px",i.size14="14px",i.size16="16px",i.size18="18px",i.size20="20px",i.size24="24px",i.size28="28px",i.size32="32px",i.size42="42px",i.size68="68px",i.mini="10px",i.xSmall="10px",i.small="12px",i.smallPlus="12px",i.medium="14px",i.mediumPlus="16px",i.icon="16px",i.large="18px",i.xLarge="20px",i.xLargePlus="24px",i.xxLarge="28px",i.xxLargePlus="32px",i.superLarge="42px",i.mega="68px",(r=t.FontWeights||(t.FontWeights={})).light=100,r.semilight=300,r.regular=400,r.semibold=600,r.bold=700,(n=t.IconFontSizes||(t.IconFontSizes={})).xSmall="10px",n.small="12px",n.medium="16px",n.large="20px"},55999:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.createFontStyles=void 0;var n=o(82826),r="'Segoe UI', '".concat(n.LocalizedFontNames.WestEuropean,"'"),i={ar:n.LocalizedFontFamilies.Arabic,bg:n.LocalizedFontFamilies.Cyrillic,cs:n.LocalizedFontFamilies.EastEuropean,el:n.LocalizedFontFamilies.Greek,et:n.LocalizedFontFamilies.EastEuropean,he:n.LocalizedFontFamilies.Hebrew,hi:n.LocalizedFontFamilies.Hindi,hr:n.LocalizedFontFamilies.EastEuropean,hu:n.LocalizedFontFamilies.EastEuropean,ja:n.LocalizedFontFamilies.Japanese,kk:n.LocalizedFontFamilies.EastEuropean,ko:n.LocalizedFontFamilies.Korean,lt:n.LocalizedFontFamilies.EastEuropean,lv:n.LocalizedFontFamilies.EastEuropean,pl:n.LocalizedFontFamilies.EastEuropean,ru:n.LocalizedFontFamilies.Cyrillic,sk:n.LocalizedFontFamilies.EastEuropean,"sr-latn":n.LocalizedFontFamilies.EastEuropean,th:n.LocalizedFontFamilies.Thai,tr:n.LocalizedFontFamilies.EastEuropean,uk:n.LocalizedFontFamilies.Cyrillic,vi:n.LocalizedFontFamilies.Vietnamese,"zh-hans":n.LocalizedFontFamilies.ChineseSimplified,"zh-hant":n.LocalizedFontFamilies.ChineseTraditional,hy:n.LocalizedFontFamilies.Armenian,ka:n.LocalizedFontFamilies.Georgian};function a(e,t,o){return{fontFamily:o,MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontSize:e,fontWeight:t}}t.createFontStyles=function(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),o="".concat(t,", ").concat("'Segoe UI', -apple-system, BlinkMacSystemFont, 'Roboto', 'Helvetica Neue', sans-serif");return{tiny:a(n.FontSizes.mini,n.FontWeights.regular,o),xSmall:a(n.FontSizes.xSmall,n.FontWeights.regular,o),small:a(n.FontSizes.small,n.FontWeights.regular,o),smallPlus:a(n.FontSizes.smallPlus,n.FontWeights.regular,o),medium:a(n.FontSizes.medium,n.FontWeights.regular,o),mediumPlus:a(n.FontSizes.mediumPlus,n.FontWeights.regular,o),large:a(n.FontSizes.large,n.FontWeights.regular,o),xLarge:a(n.FontSizes.xLarge,n.FontWeights.semibold,o),xLargePlus:a(n.FontSizes.xLargePlus,n.FontWeights.semibold,o),xxLarge:a(n.FontSizes.xxLarge,n.FontWeights.semibold,o),xxLargePlus:a(n.FontSizes.xxLargePlus,n.FontWeights.semibold,o),superLarge:a(n.FontSizes.superLarge,n.FontWeights.semibold,o),mega:a(n.FontSizes.mega,n.FontWeights.semibold,o)}}},48822:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.registerDefaultFontFaces=t.DefaultFontStyles=t.createFontStyles=void 0,o(31635).__exportStar(o(82826),t);var n=o(55999);Object.defineProperty(t,"createFontStyles",{enumerable:!0,get:function(){return n.createFontStyles}});var r=o(25532);Object.defineProperty(t,"DefaultFontStyles",{enumerable:!0,get:function(){return r.DefaultFontStyles}}),Object.defineProperty(t,"registerDefaultFontFaces",{enumerable:!0,get:function(){return r.registerDefaultFontFaces}})},51499:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.FluentTheme=void 0;var n=o(31635);n.__exportStar(o(98953),t),n.__exportStar(o(98537),t),n.__exportStar(o(61532),t),n.__exportStar(o(39506),t),n.__exportStar(o(505),t),n.__exportStar(o(23294),t),n.__exportStar(o(48822),t),n.__exportStar(o(87890),t);var r=o(5688);Object.defineProperty(t,"FluentTheme",{enumerable:!0,get:function(){return r.FluentTheme}}),o(15747)},98953:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.mergeThemes=void 0;var n=o(52332),r=o(14696);t.mergeThemes=function(e,t){var o,i,a;void 0===t&&(t={});var s=(0,n.merge)({},e,t,{semanticColors:(0,r.getSemanticColors)(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)&&(s.palette.accent=t.palette.themePrimary),t.defaultFontStyle)for(var l=0,c=Object.keys(s.fonts);l{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.AnimationStyles=t.AnimationVariables=void 0;var n=o(15241),r="cubic-bezier(.1,.9,.2,1)",i="cubic-bezier(.1,.25,.75,.9)",a="0.167s",s="0.267s",l="0.367s",c="0.467s",u=(0,n.keyframes)({from:{opacity:0},to:{opacity:1}}),d=(0,n.keyframes)({from:{opacity:1},to:{opacity:0,visibility:"hidden"}}),p=V(-10),m=V(-20),g=V(-40),h=V(-400),f=V(10),v=V(20),b=V(40),y=V(400),_=K(10),S=K(20),C=K(-10),x=K(-20),P=G(10),k=G(20),I=G(40),w=G(400),T=G(-10),E=G(-20),D=G(-40),M=G(-400),O=U(-10),R=U(-20),F=U(10),B=U(20),A=(0,n.keyframes)({from:{transform:"scale3d(.98,.98,1)"},to:{transform:"scale3d(1,1,1)"}}),N=(0,n.keyframes)({from:{transform:"scale3d(1,1,1)"},to:{transform:"scale3d(.98,.98,1)"}}),L=(0,n.keyframes)({from:{transform:"scale3d(1.03,1.03,1)"},to:{transform:"scale3d(1,1,1)"}}),H=(0,n.keyframes)({from:{transform:"scale3d(1,1,1)"},to:{transform:"scale3d(1.03,1.03,1)"}}),j=(0,n.keyframes)({from:{transform:"rotateZ(0deg)"},to:{transform:"rotateZ(90deg)"}}),z=(0,n.keyframes)({from:{transform:"rotateZ(0deg)"},to:{transform:"rotateZ(-90deg)"}});function W(e,t,o){return{animationName:e,animationDuration:t,animationTimingFunction:o,animationFillMode:"both"}}function V(e){return(0,n.keyframes)({from:{transform:"translate3d(".concat(e,"px,0,0)"),pointerEvents:"none"},to:{transform:"translate3d(0,0,0)",pointerEvents:"auto"}})}function K(e){return(0,n.keyframes)({from:{transform:"translate3d(0,".concat(e,"px,0)"),pointerEvents:"none"},to:{transform:"translate3d(0,0,0)",pointerEvents:"auto"}})}function G(e){return(0,n.keyframes)({from:{transform:"translate3d(0,0,0)"},to:{transform:"translate3d(".concat(e,"px,0,0)")}})}function U(e){return(0,n.keyframes)({from:{transform:"translate3d(0,0,0)"},to:{transform:"translate3d(0,".concat(e,"px,0)")}})}t.AnimationVariables={easeFunction1:r,easeFunction2:i,durationValue1:a,durationValue2:s,durationValue3:l,durationValue4:c},t.AnimationStyles={slideRightIn10:W("".concat(u,",").concat(p),l,r),slideRightIn20:W("".concat(u,",").concat(m),l,r),slideRightIn40:W("".concat(u,",").concat(g),l,r),slideRightIn400:W("".concat(u,",").concat(h),l,r),slideLeftIn10:W("".concat(u,",").concat(f),l,r),slideLeftIn20:W("".concat(u,",").concat(v),l,r),slideLeftIn40:W("".concat(u,",").concat(b),l,r),slideLeftIn400:W("".concat(u,",").concat(y),l,r),slideUpIn10:W("".concat(u,",").concat(_),l,r),slideUpIn20:W("".concat(u,",").concat(S),l,r),slideDownIn10:W("".concat(u,",").concat(C),l,r),slideDownIn20:W("".concat(u,",").concat(x),l,r),slideRightOut10:W("".concat(d,",").concat(P),l,r),slideRightOut20:W("".concat(d,",").concat(k),l,r),slideRightOut40:W("".concat(d,",").concat(I),l,r),slideRightOut400:W("".concat(d,",").concat(w),l,r),slideLeftOut10:W("".concat(d,",").concat(T),l,r),slideLeftOut20:W("".concat(d,",").concat(E),l,r),slideLeftOut40:W("".concat(d,",").concat(D),l,r),slideLeftOut400:W("".concat(d,",").concat(M),l,r),slideUpOut10:W("".concat(d,",").concat(O),l,r),slideUpOut20:W("".concat(d,",").concat(R),l,r),slideDownOut10:W("".concat(d,",").concat(F),l,r),slideDownOut20:W("".concat(d,",").concat(B),l,r),scaleUpIn100:W("".concat(u,",").concat(A),l,r),scaleDownIn100:W("".concat(u,",").concat(L),l,r),scaleUpOut103:W("".concat(d,",").concat(H),a,i),scaleDownOut98:W("".concat(d,",").concat(N),a,i),fadeIn100:W(u,a,i),fadeIn200:W(u,s,i),fadeIn400:W(u,l,i),fadeIn500:W(u,c,i),fadeOut100:W(d,a,i),fadeOut200:W(d,s,i),fadeOut400:W(d,l,i),fadeOut500:W(d,c,i),rotate90deg:W(j,"0.1s",i),rotateN90deg:W(z,"0.1s",i)}},4452:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.MotionAnimations=t.MotionTimings=t.MotionDurations=void 0;var n,r,i,a=o(15241),s=(0,a.keyframes)({from:{opacity:0},to:{opacity:1}}),l=(0,a.keyframes)({from:{opacity:1},to:{opacity:0}}),c=(0,a.keyframes)({from:{transform:"scale3d(1.15, 1.15, 1)"},to:{transform:"scale3d(1, 1, 1)"}}),u=(0,a.keyframes)({from:{transform:"scale3d(1, 1, 1)"},to:{transform:"scale3d(0.9, 0.9, 1)"}}),d=(0,a.keyframes)({from:{transform:"translate3d(0, 0, 0)"},to:{transform:"translate3d(-48px, 0, 0)"}}),p=(0,a.keyframes)({from:{transform:"translate3d(0, 0, 0)"},to:{transform:"translate3d(48px, 0, 0)"}}),m=(0,a.keyframes)({from:{transform:"translate3d(48px, 0, 0)"},to:{transform:"translate3d(0, 0, 0)"}}),g=(0,a.keyframes)({from:{transform:"translate3d(-48px, 0, 0)"},to:{transform:"translate3d(0, 0, 0)"}}),h=(0,a.keyframes)({from:{transform:"translate3d(0, 0, 0)"},to:{transform:"translate3d(0, -48px, 0)"}}),f=(0,a.keyframes)({from:{transform:"translate3d(0, 0, 0)"},to:{transform:"translate3d(0, 48px, 0)"}}),v=(0,a.keyframes)({from:{transform:"translate3d(0, 48px, 0)"},to:{transform:"translate3d(0, 0, 0)"}}),b=(0,a.keyframes)({from:{transform:"translate3d(0, -48px, 0)"},to:{transform:"translate3d(0, 0, 0)"}});function y(e,t,o){return"".concat(e," ").concat(t," ").concat(o)}!function(e){e.duration1="100ms",e.duration2="200ms",e.duration3="300ms",e.duration4="400ms"}(n=t.MotionDurations||(t.MotionDurations={})),function(e){e.accelerate="cubic-bezier(0.9, 0.1, 1, 0.2)",e.decelerate="cubic-bezier(0.1, 0.9, 0.2, 1)",e.linear="cubic-bezier(0, 0, 1, 1)",e.standard="cubic-bezier(0.8, 0, 0.2, 1)"}(r=t.MotionTimings||(t.MotionTimings={})),(i=t.MotionAnimations||(t.MotionAnimations={})).fadeIn=y(s,n.duration1,r.linear),i.fadeOut=y(l,n.duration1,r.linear),i.scaleDownIn=y(c,n.duration3,r.decelerate),i.scaleDownOut=y(u,n.duration3,r.decelerate),i.slideLeftOut=y(d,n.duration1,r.accelerate),i.slideRightOut=y(p,n.duration1,r.accelerate),i.slideLeftIn=y(m,n.duration1,r.decelerate),i.slideRightIn=y(g,n.duration1,r.decelerate),i.slideUpOut=y(h,n.duration1,r.accelerate),i.slideDownOut=y(f,n.duration1,r.accelerate),i.slideUpIn=y(v,n.duration1,r.decelerate),i.slideDownIn=y(b,n.duration1,r.decelerate)},23294:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var n=o(31635);n.__exportStar(o(4452),t),n.__exportStar(o(62378),t)},19659:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DefaultSpacing=void 0,t.DefaultSpacing={s2:"4px",s1:"8px",m:"16px",l1:"20px",l2:"32px"}},505:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DefaultSpacing=void 0;var n=o(19659);Object.defineProperty(t,"DefaultSpacing",{enumerable:!0,get:function(){return n.DefaultSpacing}})},62744:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0})},98537:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),o(31635).__exportStar(o(62744),t)},14696:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getSemanticColors=t.makeSemanticColors=void 0;var n=o(31635);function r(e,t,o,r,i){void 0===i&&(i=!1);var a={},s=e||{},l=s.white,c=s.black,u=s.themePrimary,d=s.themeDark,p=s.themeDarker,m=s.themeDarkAlt,g=s.themeLighter,h=s.neutralLight,f=s.neutralLighter,v=s.neutralDark,b=s.neutralQuaternary,y=s.neutralQuaternaryAlt,_=s.neutralPrimary,S=s.neutralSecondary,C=s.neutralSecondaryAlt,x=s.neutralTertiary,P=s.neutralTertiaryAlt,k=s.neutralLighterAlt,I=s.accent;return l&&(a.bodyBackground=l,a.bodyFrameBackground=l,a.accentButtonText=l,a.buttonBackground=l,a.primaryButtonText=l,a.primaryButtonTextHovered=l,a.primaryButtonTextPressed=l,a.inputBackground=l,a.inputForegroundChecked=l,a.listBackground=l,a.menuBackground=l,a.cardStandoutBackground=l),c&&(a.bodyTextChecked=c,a.buttonTextCheckedHovered=c),u&&(a.link=u,a.primaryButtonBackground=u,a.inputBackgroundChecked=u,a.inputIcon=u,a.inputFocusBorderAlt=u,a.menuIcon=u,a.menuHeader=u,a.accentButtonBackground=u),d&&(a.primaryButtonBackgroundPressed=d,a.inputBackgroundCheckedHovered=d,a.inputIconHovered=d),p&&(a.linkHovered=p),m&&(a.primaryButtonBackgroundHovered=m),g&&(a.inputPlaceholderBackgroundChecked=g),h&&(a.bodyBackgroundChecked=h,a.bodyFrameDivider=h,a.bodyDivider=h,a.variantBorder=h,a.buttonBackgroundCheckedHovered=h,a.buttonBackgroundPressed=h,a.listItemBackgroundChecked=h,a.listHeaderBackgroundPressed=h,a.menuItemBackgroundPressed=h,a.menuItemBackgroundChecked=h),f&&(a.bodyBackgroundHovered=f,a.buttonBackgroundHovered=f,a.buttonBackgroundDisabled=f,a.buttonBorderDisabled=f,a.primaryButtonBackgroundDisabled=f,a.disabledBackground=f,a.listItemBackgroundHovered=f,a.listHeaderBackgroundHovered=f,a.menuItemBackgroundHovered=f),b&&(a.primaryButtonTextDisabled=b,a.disabledSubtext=b),y&&(a.listItemBackgroundCheckedHovered=y),x&&(a.disabledBodyText=x,a.variantBorderHovered=(null==o?void 0:o.variantBorderHovered)||x,a.buttonTextDisabled=x,a.inputIconDisabled=x,a.disabledText=x),_&&(a.bodyText=_,a.actionLink=_,a.buttonText=_,a.inputBorderHovered=_,a.inputText=_,a.listText=_,a.menuItemText=_),k&&(a.bodyStandoutBackground=k,a.defaultStateBackground=k),v&&(a.actionLinkHovered=v,a.buttonTextHovered=v,a.buttonTextChecked=v,a.buttonTextPressed=v,a.inputTextHovered=v,a.menuItemTextHovered=v),S&&(a.bodySubtext=S,a.focusBorder=S,a.inputBorder=S,a.smallInputBorder=S,a.inputPlaceholderText=S),C&&(a.buttonBorder=C),P&&(a.disabledBodySubtext=P,a.disabledBorder=P,a.buttonBackgroundChecked=P,a.menuDivider=P),I&&(a.accentButtonBackground=I),(null==t?void 0:t.elevation4)&&(a.cardShadow=t.elevation4),!r&&(null==t?void 0:t.elevation8)?a.cardShadowHovered=t.elevation8:a.variantBorderHovered&&(a.cardShadowHovered="0 0 1px "+a.variantBorderHovered),n.__assign(n.__assign({},a),o)}t.makeSemanticColors=function(e,t,o,i,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}(r(e,t,n.__assign({primaryButtonBorder:"transparent",errorText:i?"#F1707B":"#a4262c",messageText:i?"#F3F2F1":"#323130",messageLink:i?"#6CB8F6":"#005A9E",messageLinkHovered:i?"#82C7FF":"#004578",infoIcon:i?"#C8C6C4":"#605e5c",errorIcon:i?"#F1707B":"#A80000",blockingIcon:i?"#442726":"#FDE7E9",warningIcon:i?"#C8C6C4":"#797775",severeWarningIcon:i?"#FCE100":"#D83B01",successIcon:i?"#92C353":"#107C10",infoBackground:i?"#323130":"#f3f2f1",errorBackground:i?"#442726":"#FDE7E9",blockingBackground:i?"#442726":"#FDE7E9",warningBackground:i?"#433519":"#FFF4CE",severeWarningBackground:i?"#4F2A0F":"#FED9CC",successBackground:i?"#393D1B":"#DFF6DD",warningHighlight:i?"#fff100":"#ffb900",successText:i?"#92c353":"#107C10"},o),i),a)},t.getSemanticColors=r},15747:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),(0,o(37607).setVersion)("@fluentui/theme","2.6.47")},44778:(e,t,o)=>{"use strict";o.d(t,{a:()=>D});var n,r={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"};!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={}));var i={elevation4:n.depth4,elevation8:n.depth8,elevation16:n.depth16,elevation64:n.depth64,roundedCorner2:"2px",roundedCorner4:"4px",roundedCorner6:"6px"},a=o(6526),s=o(15539),l="'Segoe UI', '".concat(s.Dn.WestEuropean,"'"),c={ar:s.bi.Arabic,bg:s.bi.Cyrillic,cs:s.bi.EastEuropean,el:s.bi.Greek,et:s.bi.EastEuropean,he:s.bi.Hebrew,hi:s.bi.Hindi,hr:s.bi.EastEuropean,hu:s.bi.EastEuropean,ja:s.bi.Japanese,kk:s.bi.EastEuropean,ko:s.bi.Korean,lt:s.bi.EastEuropean,lv:s.bi.EastEuropean,pl:s.bi.EastEuropean,ru:s.bi.Cyrillic,sk:s.bi.EastEuropean,"sr-latn":s.bi.EastEuropean,th:s.bi.Thai,tr:s.bi.EastEuropean,uk:s.bi.Cyrillic,vi:s.bi.Vietnamese,"zh-hans":s.bi.ChineseSimplified,"zh-hant":s.bi.ChineseTraditional,hy:s.bi.Armenian,ka:s.bi.Georgian};function u(e,t,o){return{fontFamily:o,MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontSize:e,fontWeight:t}}var d,p,m,g,h,f,v=o(3545),b=o(39912),y=o(7318),_="language",S=(p=function(e){for(var t in c)if(c.hasOwnProperty(t)&&e&&0===t.indexOf(e))return c[t];return l}(function(e){if(void 0===e&&(e="sessionStorage"),void 0===d){var t=(0,v.Y)(),o="localStorage"===e?function(e){var t=null;try{var o=(0,b.z)();t=o?o.localStorage.getItem(e):null}catch(e){}return t}(_):"sessionStorage"===e?y.G(_):void 0;o&&(d=o),void 0===d&&t&&(d=t.documentElement.getAttribute("lang")),void 0===d&&(d="en")}return d}()),m="".concat(p,", ").concat("'Segoe UI', -apple-system, BlinkMacSystemFont, 'Roboto', 'Helvetica Neue', sans-serif"),{tiny:u(s.s.mini,s.BO.regular,m),xSmall:u(s.s.xSmall,s.BO.regular,m),small:u(s.s.small,s.BO.regular,m),smallPlus:u(s.s.smallPlus,s.BO.regular,m),medium:u(s.s.medium,s.BO.regular,m),mediumPlus:u(s.s.mediumPlus,s.BO.regular,m),large:u(s.s.large,s.BO.regular,m),xLarge:u(s.s.xLarge,s.BO.semibold,m),xLargePlus:u(s.s.xLargePlus,s.BO.semibold,m),xxLarge:u(s.s.xxLarge,s.BO.semibold,m),xxLargePlus:u(s.s.xxLargePlus,s.BO.semibold,m),superLarge:u(s.s.superLarge,s.BO.semibold,m),mega:u(s.s.mega,s.BO.semibold,m)});function C(e,t,o,n){e="'".concat(e,"'");var r=void 0!==n?"local('".concat(n,"'),"):"";(0,a.n)({fontFamily:e,src:r+"url('".concat(t,".woff2') format('woff2'),")+"url('".concat(t,".woff') format('woff')"),fontWeight:o,fontStyle:"normal",fontDisplay:"swap"})}function x(e,t,o,n,r){void 0===n&&(n="segoeui");var i="".concat(e,"/").concat(o,"/").concat(n);C(t,i+"-light",s.BO.light,r&&r+" Light"),C(t,i+"-semilight",s.BO.semilight,r&&r+" SemiLight"),C(t,i+"-regular",s.BO.regular,r),C(t,i+"-semibold",s.BO.semibold,r&&r+" SemiBold"),C(t,i+"-bold",s.BO.bold,r&&r+" Bold")}function P(e){for(var t=[],o=1;o-1;e[n]=i?r:k(e[n]||{},r,o)}}return o.pop(),e}!function(e){if(e){var t="".concat(e,"/fonts");x(t,s.Dn.Thai,"leelawadeeui-thai","leelawadeeui"),x(t,s.Dn.Arabic,"segoeui-arabic"),x(t,s.Dn.Cyrillic,"segoeui-cyrillic"),x(t,s.Dn.EastEuropean,"segoeui-easteuropean"),x(t,s.Dn.Greek,"segoeui-greek"),x(t,s.Dn.Hebrew,"segoeui-hebrew"),x(t,s.Dn.Vietnamese,"segoeui-vietnamese"),x(t,s.Dn.WestEuropean,"segoeui-westeuropean","segoeui","Segoe UI"),x(t,s.bi.Selawik,"selawik","selawik"),x(t,s.Dn.Armenian,"segoeui-armenian"),x(t,s.Dn.Georgian,"segoeui-georgian"),C("Leelawadee UI Web","".concat(t,"/leelawadeeui-thai/leelawadeeui-semilight"),s.BO.light),C("Leelawadee UI Web","".concat(t,"/leelawadeeui-thai/leelawadeeui-bold"),s.BO.semibold)}}((f=null===(g=(0,b.z)())||void 0===g?void 0:g.FabricConfig,null!==(h=null==f?void 0:f.fontBaseUrl)&&void 0!==h?h:"https://res-1.cdn.office.net/files/fabric-cdn-prod_20230815.002/assets"));var I=o(31635);function w(e,t,o,n,r){return void 0===r&&(r=!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}(T(e,t,(0,I.__assign)({primaryButtonBorder:"transparent",errorText:n?"#F1707B":"#a4262c",messageText:n?"#F3F2F1":"#323130",messageLink:n?"#6CB8F6":"#005A9E",messageLinkHovered:n?"#82C7FF":"#004578",infoIcon:n?"#C8C6C4":"#605e5c",errorIcon:n?"#F1707B":"#A80000",blockingIcon:n?"#442726":"#FDE7E9",warningIcon:n?"#C8C6C4":"#797775",severeWarningIcon:n?"#FCE100":"#D83B01",successIcon:n?"#92C353":"#107C10",infoBackground:n?"#323130":"#f3f2f1",errorBackground:n?"#442726":"#FDE7E9",blockingBackground:n?"#442726":"#FDE7E9",warningBackground:n?"#433519":"#FFF4CE",severeWarningBackground:n?"#4F2A0F":"#FED9CC",successBackground:n?"#393D1B":"#DFF6DD",warningHighlight:n?"#fff100":"#ffb900",successText:n?"#92c353":"#107C10"},o),n),r)}function T(e,t,o,n,r){void 0===r&&(r=!1);var i={},a=e||{},s=a.white,l=a.black,c=a.themePrimary,u=a.themeDark,d=a.themeDarker,p=a.themeDarkAlt,m=a.themeLighter,g=a.neutralLight,h=a.neutralLighter,f=a.neutralDark,v=a.neutralQuaternary,b=a.neutralQuaternaryAlt,y=a.neutralPrimary,_=a.neutralSecondary,S=a.neutralSecondaryAlt,C=a.neutralTertiary,x=a.neutralTertiaryAlt,P=a.neutralLighterAlt,k=a.accent;return s&&(i.bodyBackground=s,i.bodyFrameBackground=s,i.accentButtonText=s,i.buttonBackground=s,i.primaryButtonText=s,i.primaryButtonTextHovered=s,i.primaryButtonTextPressed=s,i.inputBackground=s,i.inputForegroundChecked=s,i.listBackground=s,i.menuBackground=s,i.cardStandoutBackground=s),l&&(i.bodyTextChecked=l,i.buttonTextCheckedHovered=l),c&&(i.link=c,i.primaryButtonBackground=c,i.inputBackgroundChecked=c,i.inputIcon=c,i.inputFocusBorderAlt=c,i.menuIcon=c,i.menuHeader=c,i.accentButtonBackground=c),u&&(i.primaryButtonBackgroundPressed=u,i.inputBackgroundCheckedHovered=u,i.inputIconHovered=u),d&&(i.linkHovered=d),p&&(i.primaryButtonBackgroundHovered=p),m&&(i.inputPlaceholderBackgroundChecked=m),g&&(i.bodyBackgroundChecked=g,i.bodyFrameDivider=g,i.bodyDivider=g,i.variantBorder=g,i.buttonBackgroundCheckedHovered=g,i.buttonBackgroundPressed=g,i.listItemBackgroundChecked=g,i.listHeaderBackgroundPressed=g,i.menuItemBackgroundPressed=g,i.menuItemBackgroundChecked=g),h&&(i.bodyBackgroundHovered=h,i.buttonBackgroundHovered=h,i.buttonBackgroundDisabled=h,i.buttonBorderDisabled=h,i.primaryButtonBackgroundDisabled=h,i.disabledBackground=h,i.listItemBackgroundHovered=h,i.listHeaderBackgroundHovered=h,i.menuItemBackgroundHovered=h),v&&(i.primaryButtonTextDisabled=v,i.disabledSubtext=v),b&&(i.listItemBackgroundCheckedHovered=b),C&&(i.disabledBodyText=C,i.variantBorderHovered=(null==o?void 0:o.variantBorderHovered)||C,i.buttonTextDisabled=C,i.inputIconDisabled=C,i.disabledText=C),y&&(i.bodyText=y,i.actionLink=y,i.buttonText=y,i.inputBorderHovered=y,i.inputText=y,i.listText=y,i.menuItemText=y),P&&(i.bodyStandoutBackground=P,i.defaultStateBackground=P),f&&(i.actionLinkHovered=f,i.buttonTextHovered=f,i.buttonTextChecked=f,i.buttonTextPressed=f,i.inputTextHovered=f,i.menuItemTextHovered=f),_&&(i.bodySubtext=_,i.focusBorder=_,i.inputBorder=_,i.smallInputBorder=_,i.inputPlaceholderText=_),S&&(i.buttonBorder=S),x&&(i.disabledBodySubtext=x,i.disabledBorder=x,i.buttonBackgroundChecked=x,i.menuDivider=x),k&&(i.accentButtonBackground=k),(null==t?void 0:t.elevation4)&&(i.cardShadow=t.elevation4),!n&&(null==t?void 0:t.elevation8)?i.cardShadowHovered=t.elevation8:i.variantBorderHovered&&(i.cardShadowHovered="0 0 1px "+i.variantBorderHovered),(0,I.__assign)((0,I.__assign)({},i),o)}var E={s2:"4px",s1:"8px",m:"16px",l1:"20px",l2:"32px"};function D(e,t){void 0===e&&(e={}),void 0===t&&(t=!1);var o=!!e.isInverted;return function(e,t){var o,n,r;void 0===t&&(t={});var i=P({},e,t,{semanticColors:T(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===(n=t.palette)||void 0===n?void 0:n.accent)&&(i.palette.accent=t.palette.themePrimary),t.defaultFontStyle)for(var a=0,s=Object.keys(i.fonts);a{"use strict";var n,r,i,a,s;o.d(t,{BO:()=>a,Dn:()=>n,bi:()=>r,fF:()=>s,s:()=>i}),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="'".concat(n.Arabic,"'"),e.ChineseSimplified="'Microsoft Yahei UI', Verdana, Simsun",e.ChineseTraditional="'Microsoft Jhenghei UI', Pmingliu",e.Cyrillic="'".concat(n.Cyrillic,"'"),e.EastEuropean="'".concat(n.EastEuropean,"'"),e.Greek="'".concat(n.Greek,"'"),e.Hebrew="'".concat(n.Hebrew,"'"),e.Hindi="'Nirmala UI'",e.Japanese="'Yu Gothic UI', 'Meiryo UI', Meiryo, 'MS Pgothic', Osaka",e.Korean="'Malgun Gothic', Gulim",e.Selawik="'".concat(n.Selawik,"'"),e.Thai="'Leelawadee UI Web', 'Kmer UI'",e.Vietnamese="'".concat(n.Vietnamese,"'"),e.WestEuropean="'".concat(n.WestEuropean,"'"),e.Armenian="'".concat(n.Armenian,"'"),e.Georgian="'".concat(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={}))},99480:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Async=void 0;var n=o(5639),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.getWindow)(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.getWindow)(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,g=t-p,v=!1;return null!==u&&(g>=u&&m?v=!0:a=Math.min(a,u-g)),r>=s||v||o?h(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";Object.defineProperty(t,"__esModule",{value:!0}),t.AutoScroll=void 0;var n=o(49053),r=o(80447),i=o(35453),a=o(94588),s=100,l=function(){function e(e,t){var o=null!=t?t:(0,a.getWindow)(e);this._events=new n.EventGroup(this),this._scrollableParent=(0,r.findScrollableParent)(e),this._incrementScroll=this._incrementScroll.bind(this),this._scrollRect=(0,i.getRect)(this._scrollableParent,o),this._scrollableParent===o&&(this._scrollableParent=o.document.body),this._scrollableParent&&(this._events.on(o,"mousemove",this._onMouseMove,!0),this._events.on(o,"touchmove",this._onTouchMove,!0))}return e.prototype.dispose=function(){this._events.dispose(),this._stopScroll()},e.prototype._onMouseMove=function(e){this._computeScrollVelocity(e)},e.prototype._onTouchMove=function(e){e.touches.length>0&&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,l=this._scrollRect.left,c=a+this._scrollRect.height-s,u=l+this._scrollRect.width-s;oc?(r=o,n=a,i=c,this._isVerticalScroll=!0):(r=t,n=l,i=u,this._isVerticalScroll=!1),this._scrollVelocity=ri?Math.min(15,(r-i)/s*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}();t.AutoScroll=l},62704:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.nullRender=t.BaseComponent=void 0;var n=o(31635),r=o(83923),i=o(99480),a=o(49053),s=o(74297),l=o(46924),c=o(37818),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:!1,configurable:!0}),Object.defineProperty(t.prototype,"_disposables",{get:function(){return this.__disposables||(this.__disposables=[]),this.__disposables},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"_async",{get:function(){return this.__async||(this.__async=new i.Async(this),this._disposables.push(this.__async)),this.__async},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"_events",{get:function(){return this.__events||(this.__events=new a.EventGroup(this),this._disposables.push(this.__events)),this.__events},enumerable:!1,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.warnDeprecations)(this.className,this.props,e)},t.prototype._warnMutuallyExclusive=function(e){(0,l.warnMutuallyExclusive)(this.className,this.props,e)},t.prototype._warnConditionallyRequiredProps=function(e,t,o){(0,s.warnConditionallyRequiredProps)(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";Object.defineProperty(t,"__esModule",{value:!0}),t.DelayedRender=void 0;var n=o(31635),r=o(83923),i=o(5639),a=function(e){function t(t){var o=e.call(this,t)||this;return o.state={isRendered:void 0===(0,i.getWindow)()},o}return n.__extends(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);t.DelayedRender=a},49053:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.EventGroup=void 0;var n=o(94588),r=o(49449),i=function(){function e(t){this._id=e._uniqueId++,this._parent=t,this._eventRecords=[]}return e.raise=function(t,o,i,a,s){var l,c=null!=s?s:(0,n.getDocument)();if(e._isElement(t)){if(void 0!==c&&c.createEvent){var u=c.createEvent("HTMLEvents");u.initEvent(o,a||!1,!0),(0,r.assign)(u,i),l=t.dispatchEvent(u)}else if(void 0!==c&&c.createEventObject){var d=c.createEventObject(i);t.fireEvent("on"+o,d)}}else for(;t&&!1!==l;){var p=t.__events__,m=p?p[o]:null;if(m)for(var g in m)if(m.hasOwnProperty(g))for(var h=m[g],f=0;!1!==l&&f-1)for(var a=o.split(/[ ,]+/),s=0;s{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.FabricPerformance=void 0;var o=function(){return"undefined"!=typeof performance&&performance.now?performance.now():Date.now()},n=function(){function e(){}return e.measure=function(t,n){e._timeoutId&&e.setPeriodicReset();var r=o();n();var i=o(),a=e.summary[t]||{totalDuration:0,count:0,all:[]},s=i-r;a.totalDuration+=s,a.count++,a.all.push({duration:s,timeStamp:i}),e.summary[t]=a},e.reset=function(){e.summary={},clearTimeout(e._timeoutId),e._timeoutId=NaN},e.setPeriodicReset=function(){e._timeoutId=setTimeout((function(){return e.reset()}),18e4)},e.summary={},e}();t.FabricPerformance=n},90120:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.FocusRectsProvider=void 0;var n=o(83923),r=o(5020);t.FocusRectsProvider=function(e){var t=e.providerRef,o=e.layerRoot,i=n.useState([])[0],a=n.useContext(r.FocusRectsContext),s=void 0!==a&&!o,l=n.useMemo((function(){return s?void 0:{providerRef:t,registeredProviders:i,registerProvider:function(e){i.push(e),null==a||a.registerProvider(e)},unregisterProvider:function(e){null==a||a.unregisterProvider(e);var t=i.indexOf(e);t>=0&&i.splice(t,1)}}}),[t,i,a,s]);return n.useEffect((function(){if(l)return l.registerProvider(l.providerRef),function(){return l.unregisterProvider(l.providerRef)}}),[l]),l?n.createElement(r.FocusRectsContext.Provider,{value:l},e.children):n.createElement(n.Fragment,null,e.children)}},47324:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.GlobalSettings=void 0;var n=o(5639),r="__globalSettings__",i="__callbacks__",a=0,s=function(){function e(){}return e.getValue=function(e,t){var o=l();return void 0===o[e]&&(o[e]="function"==typeof t?t():t),o[e]},e.setValue=function(e,t){var o=l(),n=o[i],r=o[e];if(t!==r){o[e]=t;var a={oldValue:r,value:t,key:e};for(var s in n)n.hasOwnProperty(s)&&n[s](a)}return t},e.addChangeListener=function(e){var t=e.__id__,o=c();t||(t=e.__id__=String(a++)),o[t]=e},e.removeChangeListener=function(e){delete c()[e.__id__]},e}();function l(){var e,t=(0,n.getWindow)()||{};return t[r]||(t[r]=((e={})[i]={},e)),t[r]}function c(){return l()[i]}t.GlobalSettings=s},37541:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.KeyCodes=void 0,t.KeyCodes={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,colon:58,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}},60965:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Rectangle=void 0;var o=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:!1,configurable:!0}),Object.defineProperty(e.prototype,"height",{get:function(){return this.bottom-this.top},enumerable:!1,configurable:!0}),e.prototype.equals=function(e){return parseFloat(this.top.toFixed(4))===parseFloat(e.top.toFixed(4))&&parseFloat(this.bottom.toFixed(4))===parseFloat(e.bottom.toFixed(4))&&parseFloat(this.left.toFixed(4))===parseFloat(e.left.toFixed(4))&&parseFloat(this.right.toFixed(4))===parseFloat(e.right.toFixed(4))},e}();t.Rectangle=o},40914:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.appendFunction=void 0,t.appendFunction=function(e){for(var t=[],o=1;o{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.mergeAriaAttributeValues=void 0,t.mergeAriaAttributeValues=function(){for(var e=[],t=0;t{"use strict";function o(e,t,o){void 0===o&&(o=0);for(var n=-1,r=o;e&&r{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.asAsync=void 0;var n=o(31635),r=o(83923),i="undefined"!=typeof WeakMap?new WeakMap:void 0;t.asAsync=function(e){var t=function(t){function o(){var o=null!==t&&t.apply(this,arguments)||this;return o.state={Component:i?i.get(e.load):void 0},o}return n.__extends(o,t),o.prototype.render=function(){var e=this.props,t=e.forwardedRef,o=e.asyncPlaceholder,i=n.__rest(e,["forwardedRef","asyncPlaceholder"]),a=this.state.Component;return a?r.createElement(a,n.__assign(n.__assign({},i),{ref:t})):o?r.createElement(o,null):null},o.prototype.componentDidMount=function(){var t=this;this.state.Component||e.load().then((function(o){o&&(i&&i.set(e.load,o),t.setState({Component:o},e.onLoad))})).catch(e.onError)},o}(r.Component);return r.forwardRef((function(e,o){return r.createElement(t,n.__assign({},e,{forwardedRef:o}))}))}},27224:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.assertNever=void 0,t.assertNever=function(e){throw new Error("Unexpected object: "+e)}},90630:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.classNamesFunction=void 0;var n=o(15241),r=o(36154),i=o(94588),a=0,s=n.Stylesheet.getInstance();s&&s.onReset&&s.onReset((function(){return a++}));var l="__retval__";function c(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 u(e,t){if("function"==typeof t)if(t.__cachedInputs__)for(var o=0,n=t.__cachedInputs__;o(e.cacheSize||50)){var _=(0,i.getWindow)();(null===(m=null==_?void 0:_.FabricConfig)||void 0===m?void 0:m.enableClassNameCacheFullWarning)&&(console.warn("Styles are being recalculated too frequently. Cache miss rate is ".concat(o,"/").concat(s,".")),console.trace()),t.get(h).clear(),o=0,e.disableCaching=!0}return f[l]}}},14865:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.composeComponentAs=void 0;var n=o(31635),r=o(83923),i=o(58444),a=(0,i.createMemoizer)((function(e){var t=e;return(0,i.createMemoizer)((function(o){if(e===o)throw new Error("Attempted to compose a component with itself.");var a=o,s=(0,i.createMemoizer)((function(e){return function(t){return r.createElement(a,n.__assign({},t,{defaultRender:e}))}}));return function(e){var o=e.defaultRender;return r.createElement(t,n.__assign({},e,{defaultRender:o?s(o):a}))}}))}));t.composeComponentAs=function(e,t){return a(e)(t)}},50944:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.isControlled=void 0,t.isControlled=function(e,t){return void 0!==e[t]&&null!==e[t]}},78813:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.createMergedRef=void 0;var n=o(21661);t.createMergedRef=function(e){var t={refs:[]};return function(){for(var e=[],o=0;o{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.css=void 0,t.css=function(){for(var e=[],t=0;t{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Customizations=void 0;var n=o(31635),r=o(47324),i={settings:{},scopedSettings:{},inCustomizerContext:!1},a=r.GlobalSettings.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=n.__assign(n.__assign({},a.settings),t),e._raiseChange()},e.applyScopedSettings=function(t,o){a.scopedSettings[t]=n.__assign(n.__assign({},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";Object.defineProperty(t,"__esModule",{value:!0}),t.Customizer=void 0;var n=o(31635),r=o(83923),i=o(40557),a=o(38233),s=o(17241),l=function(e){function t(){var t=null!==e&&e.apply(this,arguments)||this;return t._onCustomizationChange=function(){return t.forceUpdate()},t}return n.__extends(t,e),t.prototype.componentDidMount=function(){i.Customizations.observe(this._onCustomizationChange)},t.prototype.componentWillUnmount=function(){i.Customizations.unobserve(this._onCustomizationChange)},t.prototype.render=function(){var e=this,t=this.props.contextTransform;return r.createElement(a.CustomizerContext.Consumer,null,(function(o){var n=(0,s.mergeCustomizations)(e.props,o);return t&&(n=t(n)),r.createElement(a.CustomizerContext.Provider,{value:n},e.props.children)}))},t}(r.Component);t.Customizer=l},38233:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.CustomizerContext=void 0;var n=o(83923);t.CustomizerContext=n.createContext({customizations:{inCustomizerContext:!1,settings:{},scopedSettings:{}}})},47455:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.customizable=void 0;var n=o(31635),r=o(83923),i=o(40557),a=o(91780),s=o(38233),l=o(15241),c=o(20798),u=o(5639),d=o(97156),p=o(58444),m=(0,p.memoizeFunction)(l.makeShadowConfig),g=(0,p.memoizeFunction)((function(e,t,o){return n.__assign(n.__assign(n.__assign({},e),t),{__shadowConfig__:o})}));t.customizable=function(e,t,o){return function(p){var h,f=((h=function(a){function d(e){var t=a.call(this,e)||this;return t._styleCache={},t._onSettingChanged=t._onSettingChanged.bind(t),t}return n.__extends(d,a),d.prototype.componentDidMount=function(){i.Customizations.observe(this._onSettingChanged)},d.prototype.componentWillUnmount=function(){i.Customizations.unobserve(this._onSettingChanged)},d.prototype.render=function(){var a=this;return r.createElement(c.MergeStylesShadowRootConsumer,{stylesheetKey:e},(function(c){return r.createElement(s.CustomizerContext.Consumer,null,(function(s){var d,h=i.Customizations.getSettings(t,e,s.customizations),f=null!==(d=a.context.window)&&void 0!==d?d:(0,u.getWindow)(),v=m(e,c,f),b=a.props;if(h.styles&&"function"==typeof h.styles&&(h.styles=h.styles(n.__assign(n.__assign({},h),b))),o&&h.styles){if(a._styleCache.default!==h.styles||a._styleCache.component!==b.styles){var y=(0,l.concatStyleSets)(h.styles,b.styles);y.__shadowConfig__=v,a._styleCache.default=h.styles,a._styleCache.component=b.styles,a._styleCache.merged=y}return r.createElement(p,n.__assign({},h,b,{styles:a._styleCache.merged}))}var _=g(h.styles,b.styles,v);return r.createElement(p,n.__assign({},h,b,{styles:_}))}))}))},d.prototype._onSettingChanged=function(){this.forceUpdate()},d}(r.Component)).displayName="Customized"+e,h.contextType=d.WindowContext,h);return(0,a.hoistStatics)(p,f)}}},17241:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.mergeCustomizations=void 0;var n=o(41782);t.mergeCustomizations=function(e,t){var o=(t||{}).customizations,r=void 0===o?{settings:{},scopedSettings:{}}:o;return{customizations:{settings:(0,n.mergeSettings)(r.settings,e.settings),scopedSettings:(0,n.mergeScopedSettings)(r.scopedSettings,e.scopedSettings),inCustomizerContext:!0}}}},41782:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.mergeScopedSettings=t.mergeSettings=void 0;var n=o(31635);function r(e){return"function"==typeof e}t.mergeSettings=function(e,t){return void 0===e&&(e={}),(r(t)?t:function(e){return function(t){return e?n.__assign(n.__assign({},t),e):t}}(t))(e)},t.mergeScopedSettings=function(e,t){return void 0===e&&(e={}),(r(t)?t:(void 0===(o=t)&&(o={}),function(e){var t=n.__assign({},e);for(var r in o)o.hasOwnProperty(r)&&(t[r]=n.__assign(n.__assign({},e[r]),o[r]));return t}))(e);var o}},40050:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useCustomizationSettings=void 0;var n=o(83923),r=o(40557),i=o(38233);t.useCustomizationSettings=function(e,t){var o,a=(o=n.useState(0)[1],function(){return o((function(e){return++e}))}),s=n.useContext(i.CustomizerContext).customizations,l=s.inCustomizerContext;return n.useEffect((function(){return l||r.Customizations.observe(a),function(){l||r.Customizations.unobserve(a)}}),[l]),r.Customizations.getSettings(e,t,s)}},94588:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.setVirtualParent=t.setPortalAttribute=t.DATA_PORTAL_ATTRIBUTE=t.raiseClick=t.portalContainsElement=t.on=t.isVirtualElement=t.getWindow=t.getVirtualParent=t.getRect=t.getParent=t.getFirstVisibleElementFromSelector=t.getEventTarget=t.getDocument=t.getChildren=t.getActiveElement=t.findElementRecursive=t.elementContainsAttribute=t.elementContains=void 0;var n=o(87178);Object.defineProperty(t,"elementContains",{enumerable:!0,get:function(){return n.elementContains}});var r=o(22480);Object.defineProperty(t,"elementContainsAttribute",{enumerable:!0,get:function(){return r.elementContainsAttribute}});var i=o(71772);Object.defineProperty(t,"findElementRecursive",{enumerable:!0,get:function(){return i.findElementRecursive}});var a=o(62313);Object.defineProperty(t,"getActiveElement",{enumerable:!0,get:function(){return a.getActiveElement}});var s=o(92336);Object.defineProperty(t,"getChildren",{enumerable:!0,get:function(){return s.getChildren}});var l=o(52902);Object.defineProperty(t,"getDocument",{enumerable:!0,get:function(){return l.getDocument}});var c=o(95262);Object.defineProperty(t,"getEventTarget",{enumerable:!0,get:function(){return c.getEventTarget}});var u=o(69122);Object.defineProperty(t,"getFirstVisibleElementFromSelector",{enumerable:!0,get:function(){return u.getFirstVisibleElementFromSelector}});var d=o(5203);Object.defineProperty(t,"getParent",{enumerable:!0,get:function(){return d.getParent}});var p=o(35453);Object.defineProperty(t,"getRect",{enumerable:!0,get:function(){return p.getRect}});var m=o(43180);Object.defineProperty(t,"getVirtualParent",{enumerable:!0,get:function(){return m.getVirtualParent}});var g=o(5639);Object.defineProperty(t,"getWindow",{enumerable:!0,get:function(){return g.getWindow}});var h=o(19390);Object.defineProperty(t,"isVirtualElement",{enumerable:!0,get:function(){return h.isVirtualElement}});var f=o(65874);Object.defineProperty(t,"on",{enumerable:!0,get:function(){return f.on}});var v=o(21742);Object.defineProperty(t,"portalContainsElement",{enumerable:!0,get:function(){return v.portalContainsElement}});var b=o(89975);Object.defineProperty(t,"raiseClick",{enumerable:!0,get:function(){return b.raiseClick}});var y=o(88485);Object.defineProperty(t,"DATA_PORTAL_ATTRIBUTE",{enumerable:!0,get:function(){return y.DATA_PORTAL_ATTRIBUTE}}),Object.defineProperty(t,"setPortalAttribute",{enumerable:!0,get:function(){return y.setPortalAttribute}});var _=o(80128);Object.defineProperty(t,"setVirtualParent",{enumerable:!0,get:function(){return _.setVirtualParent}})},51928:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.canUseDOM=void 0,t.canUseDOM=function(){return"undefined"!=typeof window&&!(!window.document||!window.document.createElement)}},87178:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.elementContains=void 0;var n=o(35183);Object.defineProperty(t,"elementContains",{enumerable:!0,get:function(){return n.elementContains}})},22480:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.elementContainsAttribute=void 0;var n=o(35183);Object.defineProperty(t,"elementContainsAttribute",{enumerable:!0,get:function(){return n.elementContainsAttribute}})},71772:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.findElementRecursive=void 0;var n=o(35183);Object.defineProperty(t,"findElementRecursive",{enumerable:!0,get:function(){return n.findElementRecursive}})},62313:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getActiveElement=void 0;var n=o(35183);Object.defineProperty(t,"getActiveElement",{enumerable:!0,get:function(){return n.getActiveElement}})},92336:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getChildren=void 0;var n=o(35183);Object.defineProperty(t,"getChildren",{enumerable:!0,get:function(){return n.getChildren}})},52902:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getDocument=void 0;var n=o(51928);t.getDocument=function(e){if((0,n.canUseDOM)()&&"undefined"!=typeof document){var t=e;return t&&t.ownerDocument?t.ownerDocument:document}}},95262:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getEventTarget=void 0;var n=o(35183);Object.defineProperty(t,"getEventTarget",{enumerable:!0,get:function(){return n.getEventTarget}})},69122:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getFirstVisibleElementFromSelector=void 0;var n=o(65044),r=o(52902);t.getFirstVisibleElementFromSelector=function(e){var t=(0,r.getDocument)(),o=t.querySelectorAll(e);return Array.from(o).find((function(e){var o;return(0,n.isElementVisibleAndNotHidden)(e,null!==(o=t.defaultView)&&void 0!==o?o:void 0)}))}},5203:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getParent=void 0;var n=o(35183);Object.defineProperty(t,"getParent",{enumerable:!0,get:function(){return n.getParent}})},35453:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getRect=void 0;var n=o(5639);t.getRect=function(e,t){var o,r=(null!=t?t:!e||e&&e.hasOwnProperty("devicePixelRatio"))?(0,n.getWindow)():(0,n.getWindow)(e);return e&&(e===r?o={left:0,top:0,width:r.innerWidth,height:r.innerHeight,right:r.innerWidth,bottom:r.innerHeight}:e.getBoundingClientRect&&(o=e.getBoundingClientRect())),o}},43180:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getVirtualParent=void 0;var n=o(35183);Object.defineProperty(t,"getVirtualParent",{enumerable:!0,get:function(){return n.getVirtualParent}})},5639:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getWindow=void 0;var n=o(51928),r=void 0;try{r=window}catch(e){}t.getWindow=function(e){if((0,n.canUseDOM)()&&void 0!==r){var t=e;return t&&t.ownerDocument&&t.ownerDocument.defaultView?t.ownerDocument.defaultView:r}}},19390:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.isVirtualElement=void 0;var n=o(35183);Object.defineProperty(t,"isVirtualElement",{enumerable:!0,get:function(){return n.isVirtualElement}})},65874:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.on=void 0,t.on=function(e,t,o,n){return e.addEventListener(t,o,n),function(){return e.removeEventListener(t,o,n)}}},21742:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.portalContainsElement=void 0;var n=o(35183);Object.defineProperty(t,"portalContainsElement",{enumerable:!0,get:function(){return n.portalContainsElement}})},89975:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.raiseClick=void 0;var n=o(52902);t.raiseClick=function(e,t){var o=function(e,t){var o;return"function"==typeof Event?o=new Event(e):(o=t.createEvent("Event")).initEvent(e,!0,!0),o}("MouseEvents",null!=t?t:(0,n.getDocument)());o.initEvent("click",!0,!0),e.dispatchEvent(o)}},88485:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.setPortalAttribute=t.DATA_PORTAL_ATTRIBUTE=void 0;var n=o(35183);Object.defineProperty(t,"DATA_PORTAL_ATTRIBUTE",{enumerable:!0,get:function(){return n.DATA_PORTAL_ATTRIBUTE}}),Object.defineProperty(t,"setPortalAttribute",{enumerable:!0,get:function(){return n.setPortalAttribute}})},70635:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.setSSR=t._isSSR=void 0,t._isSSR=!1,t.setSSR=function(e){throw new Error("setSSR has been deprecated and is not used in any utilities anymore. Use canUseDOM from @fluentui/utilities instead.")}},80128:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.setVirtualParent=void 0;var n=o(35183);Object.defineProperty(t,"setVirtualParent",{enumerable:!0,get:function(){return n.setVirtualParent}})},8215:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.extendComponent=void 0;var n=o(40914);t.extendComponent=function(e,t){for(var o in t)t.hasOwnProperty(o)&&(e[o]=(0,n.appendFunction)(e,e[o],t[o]))}},65044:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getElementIndexPath=t.getFocusableByIndexPath=t.focusAsync=t.shouldWrapFocus=t.doesElementContainFocus=t.isElementFocusSubZone=t.isElementFocusZone=t.isElementTabbable=t.isElementVisibleAndNotHidden=t.isElementVisible=t.getNextElement=t.getPreviousElement=t.focusFirstChild=t.getLastTabbable=t.getFirstTabbable=t.getLastFocusable=t.getFirstFocusable=void 0;var n=o(22480),r=o(87178),i=o(5203),a=o(5639),s=o(52902),l="data-is-focusable",c="data-is-visible",u="data-focuszone-id",d="data-is-sub-focuszone";function p(e,t,o,n,r,i,a,s,l){var c;if(!t||!a&&t===e)return null;var u=g(t);if(r&&u&&(i||!v(t)&&!b(t))){var d=p(e,t.lastElementChild||l&&(null===(c=t.shadowRoot)||void 0===c?void 0:c.lastElementChild),!0,!0,!0,i,a,s,l);if(d){if(s&&f(d,!0,l)||!s)return d;var m=p(e,d.previousElementSibling,!0,!0,!0,i,a,s,l);if(m)return m;for(var h=d.parentElement;h&&h!==t;){var y=p(e,h.previousElementSibling,!0,!0,!0,i,a,s,l);if(y)return y;h=h.parentElement}}}return o&&u&&f(t,s,l)?t:p(e,t.previousElementSibling,!0,!0,!0,i,a,s,l)||(n?null:p(e,t.parentElement,!0,!1,!1,i,a,s,l))}function m(e,t,o,n,r,i,a,s,l,c){var u;if(!t||t===e&&r&&!a)return null;var d=(l?h:g)(t);if(o&&d&&f(t,s,c))return t;if(!r&&d&&(i||!v(t)&&!b(t))){var p=m(e,t.firstElementChild||c&&(null===(u=t.shadowRoot)||void 0===u?void 0:u.firstElementChild),!0,!0,!1,i,a,s,l,c);if(p)return p}return t===e?null:m(e,t.nextElementSibling,!0,!0,!1,i,a,s,l,c)||(n?null:m(e,t.parentElement,!1,!1,!0,i,a,s,l,c))}function g(e){if(!e||!e.getAttribute)return!1;var t=e.getAttribute(c);return null!=t?"true"===t:0!==e.offsetHeight||null!==e.offsetParent||!0===e.isVisible}function h(e,t){var o=null!=t?t:(0,a.getWindow)();return!!e&&g(e)&&!e.hidden&&"hidden"!==o.getComputedStyle(e).visibility}function f(e,t,o){if(void 0===o&&(o=!0),!e||e.disabled)return!1;var n=0,r=null;e&&e.getAttribute&&(r=e.getAttribute("tabIndex"))&&(n=parseInt(r,10));var i=e.getAttribute?e.getAttribute(l):null,a=null!==r&&n>=0,s=!(!o||!e.shadowRoot||!e.shadowRoot.delegatesFocus),c=!!e&&"false"!==i&&("A"===e.tagName||"BUTTON"===e.tagName||"INPUT"===e.tagName||"TEXTAREA"===e.tagName||"SELECT"===e.tagName||"true"===i||a||s);return t?-1!==n&&c:c}function v(e){return!!(e&&e.getAttribute&&e.getAttribute(u))}function b(e){return!(!e||!e.getAttribute||"true"!==e.getAttribute(d))}t.getFirstFocusable=function(e,t,o,n){return m(e,t,!0,!1,!1,o,void 0,void 0,void 0,n)},t.getLastFocusable=function(e,t,o,n){return p(e,t,!0,!1,!0,o,void 0,void 0,n)},t.getFirstTabbable=function(e,t,o,n,r){return void 0===n&&(n=!0),m(e,t,n,!1,!1,o,!1,!0,void 0,r)},t.getLastTabbable=function(e,t,o,n,r){return void 0===n&&(n=!0),p(e,t,n,!1,!0,o,!1,!0,r)},t.focusFirstChild=function(e,t,o){var n=m(e,e,!0,!1,!1,!0,void 0,void 0,t,o);return!!n&&(_(n),!0)},t.getPreviousElement=p,t.getNextElement=m,t.isElementVisible=g,t.isElementVisibleAndNotHidden=h,t.isElementTabbable=f,t.isElementFocusZone=v,t.isElementFocusSubZone=b,t.doesElementContainFocus=function(e){var t=(0,s.getDocument)(e),o=t&&t.activeElement;return!(!o||!(0,r.elementContains)(e,o))},t.shouldWrapFocus=function(e,t,o){var r=null!=o?o:(0,s.getDocument)();return"true"!==(0,n.elementContainsAttribute)(e,t,r)};var y=void 0;function _(e){if(e){var t=(0,a.getWindow)(e);t&&(void 0!==y&&t.cancelAnimationFrame(y),y=t.requestAnimationFrame((function(){e&&e.focus(),y=void 0})))}}t.focusAsync=_,t.getFocusableByIndexPath=function(e,t){for(var o=e,n=0,r=t;n{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.resetIds=t.getId=void 0;var n=o(5639),r=o(15241),i="__currentId__",a=(0,n.getWindow)()||{};void 0===a[i]&&(a[i]=0);var s=!1;function l(e){void 0===e&&(e=0),a[i]=e}t.getId=function(e){if(!s){var t=r.Stylesheet.getInstance();t&&t.onReset&&t.onReset(l),s=!0}return(void 0===e?"id__":e)+a[i]++},t.resetIds=l},30369:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getNativeElementProps=void 0;var n=o(61167),r={label:n.labelProperties,audio:n.audioProperties,video:n.videoProperties,ol:n.olProperties,li:n.liProperties,a:n.anchorProperties,button:n.buttonProperties,input:n.inputProperties,textarea:n.textAreaProperties,select:n.selectProperties,option:n.optionProperties,table:n.tableProperties,tr:n.trProperties,th:n.thProperties,td:n.tdProperties,colGroup:n.colGroupProperties,col:n.colProperties,form:n.formProperties,iframe:n.iframeProperties,img:n.imgProperties};t.getNativeElementProps=function(e,t,o){var i=e&&r[e]||n.htmlElementProperties;return(0,n.getNativeProps)(t,i,o)}},34338:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getPropsWithDefaults=void 0;var n=o(31635);t.getPropsWithDefaults=function(e,t){for(var o=n.__assign({},t),r=0,i=Object.keys(e);r{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.unhoistMethods=t.hoistMethods=void 0;var o=["setState","render","componentWillMount","UNSAFE_componentWillMount","componentDidMount","componentWillReceiveProps","UNSAFE_componentWillReceiveProps","shouldComponentUpdate","componentWillUpdate","getSnapshotBeforeUpdate","UNSAFE_componentWillUpdate","componentDidUpdate","componentWillUnmount"];t.hoistMethods=function(e,t,n){void 0===n&&(n=o);var r=[],i=function(o){"function"!=typeof t[o]||void 0!==e[o]||n&&-1!==n.indexOf(o)||(r.push(o),e[o]=function(){for(var e=[],n=0;n{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.hoistStatics=void 0,t.hoistStatics=function(e,t){for(var o in e)e.hasOwnProperty(o)&&(t[o]=e[o]);return t}},20648:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.isIE11=void 0;var n=o(5639);t.isIE11=function(){var e,t=(0,n.getWindow)();return!!(null===(e=null==t?void 0:t.navigator)||void 0===e?void 0:e.userAgent)&&t.navigator.userAgent.indexOf("rv:11.0")>-1}},52332:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.on=t.isVirtualElement=t.getWindow=t.getVirtualParent=t.getRect=t.getParent=t.getFirstVisibleElementFromSelector=t.getEventTarget=t.getDocument=t.getChildren=t.getActiveElement=t.findElementRecursive=t.elementContainsAttribute=t.elementContains=t.DATA_PORTAL_ATTRIBUTE=t.mergeSettings=t.mergeScopedSettings=t.mergeCustomizations=t.useCustomizationSettings=t.customizable=t.CustomizerContext=t.Customizer=t.Customizations=t.css=t.isControlled=t.composeComponentAs=t.classNamesFunction=t.assertNever=t.asAsync=t.toMatrix=t.replaceElement=t.removeIndex=t.flatten=t.findIndex=t.find=t.createArray=t.arraysEqual=t.addElementAtIndex=t.mergeAriaAttributeValues=t.appendFunction=t.Rectangle=t.KeyCodes=t.GlobalSettings=t.FabricPerformance=t.EventGroup=t.DelayedRender=t.nullRender=t.BaseComponent=t.AutoScroll=t.Async=void 0,t.merge=t.setMemoizeWeakMap=t.resetMemoizations=t.memoizeFunction=t.memoize=t.createMemoizer=t.precisionRound=t.getDistanceBetweenPoints=t.fitContentToBounds=t.calculatePrecision=t.setLanguage=t.getLanguage=t.removeDirectionalKeyCode=t.isDirectionalKeyCode=t.addDirectionalKeyCode=t.getInitials=t.useFocusRects=t.FocusRectsContext=t.FocusRects=t.FocusRectsProvider=t.initializeFocusRects=t.initializeComponentRef=t.hoistStatics=t.unhoistMethods=t.hoistMethods=t.getNativeElementProps=t.resetIds=t.getId=t.shouldWrapFocus=t.isElementVisibleAndNotHidden=t.isElementVisible=t.isElementTabbable=t.isElementFocusZone=t.isElementFocusSubZone=t.getPreviousElement=t.getNextElement=t.getLastTabbable=t.getLastFocusable=t.getFocusableByIndexPath=t.getFirstTabbable=t.getFirstFocusable=t.getElementIndexPath=t.focusFirstChild=t.focusAsync=t.doesElementContainFocus=t.extendComponent=t.setVirtualParent=t.setPortalAttribute=t.raiseClick=t.portalContainsElement=void 0,t.disableBodyScroll=t.allowScrollOnElement=t.allowOverscrollOnElement=t.DATA_IS_SCROLLABLE_ATTRIBUTE=t.safeSetTimeout=t.safeRequestAnimationFrame=t.setRTL=t.getRTLSafeKeyCode=t.getRTL=t.setBaseUrl=t.getResourceUrl=t.composeRenderFunction=t.videoProperties=t.trProperties=t.thProperties=t.textAreaProperties=t.tdProperties=t.tableProperties=t.selectProperties=t.optionProperties=t.olProperties=t.liProperties=t.labelProperties=t.inputProperties=t.imgProperties=t.imageProperties=t.iframeProperties=t.htmlElementProperties=t.getNativeProps=t.formProperties=t.divProperties=t.colProperties=t.colGroupProperties=t.buttonProperties=t.baseElementProperties=t.baseElementEvents=t.audioProperties=t.anchorProperties=t.hasVerticalOverflow=t.hasOverflow=t.hasHorizontalOverflow=t.isMac=t.omit=t.values=t.shallowCompare=t.mapEnumByName=t.filteredAssign=t.assign=t.modalize=t.isIOS=void 0,t.useStyled=t.useShadowConfig=t.useMergeStylesShadowRootContext=t.useMergeStylesRootStylesheets=t.useMergeStylesHooks=t.useHasMergeStylesShadowRootContext=t.useAdoptedStylesheetEx=t.useAdoptedStylesheet=t.MergeStylesShadowRootProvider=t.MergeStylesShadowRootContext=t.MergeStylesRootProvider=t.useIsomorphicLayoutEffect=t.createMergedRef=t.setSSR=t.canUseDOM=t.IsFocusVisibleClassName=t.setFocusVisibility=t.getPropsWithDefaults=t.isIE11=t.warnMutuallyExclusive=t.warnDeprecations=t.warnControlledUsage=t.warnConditionallyRequiredProps=t.warn=t.setWarningCallback=t.resetControlledWarnings=t.styled=t.format=t.SelectionMode=t.SelectionDirection=t.Selection=t.SELECTION_ITEMS_CHANGE=t.SELECTION_CHANGE=t.getScrollbarWidth=t.findScrollableParent=t.enableBodyScroll=void 0;var n=o(99480);Object.defineProperty(t,"Async",{enumerable:!0,get:function(){return n.Async}});var r=o(79824);Object.defineProperty(t,"AutoScroll",{enumerable:!0,get:function(){return r.AutoScroll}});var i=o(62704);Object.defineProperty(t,"BaseComponent",{enumerable:!0,get:function(){return i.BaseComponent}}),Object.defineProperty(t,"nullRender",{enumerable:!0,get:function(){return i.nullRender}});var a=o(22118);Object.defineProperty(t,"DelayedRender",{enumerable:!0,get:function(){return a.DelayedRender}});var s=o(49053);Object.defineProperty(t,"EventGroup",{enumerable:!0,get:function(){return s.EventGroup}});var l=o(21977);Object.defineProperty(t,"FabricPerformance",{enumerable:!0,get:function(){return l.FabricPerformance}});var c=o(47324);Object.defineProperty(t,"GlobalSettings",{enumerable:!0,get:function(){return c.GlobalSettings}});var u=o(37541);Object.defineProperty(t,"KeyCodes",{enumerable:!0,get:function(){return u.KeyCodes}});var d=o(60965);Object.defineProperty(t,"Rectangle",{enumerable:!0,get:function(){return d.Rectangle}});var p=o(40914);Object.defineProperty(t,"appendFunction",{enumerable:!0,get:function(){return p.appendFunction}});var m=o(54387);Object.defineProperty(t,"mergeAriaAttributeValues",{enumerable:!0,get:function(){return m.mergeAriaAttributeValues}});var g=o(21661);Object.defineProperty(t,"addElementAtIndex",{enumerable:!0,get:function(){return g.addElementAtIndex}}),Object.defineProperty(t,"arraysEqual",{enumerable:!0,get:function(){return g.arraysEqual}}),Object.defineProperty(t,"createArray",{enumerable:!0,get:function(){return g.createArray}}),Object.defineProperty(t,"find",{enumerable:!0,get:function(){return g.find}}),Object.defineProperty(t,"findIndex",{enumerable:!0,get:function(){return g.findIndex}}),Object.defineProperty(t,"flatten",{enumerable:!0,get:function(){return g.flatten}}),Object.defineProperty(t,"removeIndex",{enumerable:!0,get:function(){return g.removeIndex}}),Object.defineProperty(t,"replaceElement",{enumerable:!0,get:function(){return g.replaceElement}}),Object.defineProperty(t,"toMatrix",{enumerable:!0,get:function(){return g.toMatrix}});var h=o(93008);Object.defineProperty(t,"asAsync",{enumerable:!0,get:function(){return h.asAsync}});var f=o(27224);Object.defineProperty(t,"assertNever",{enumerable:!0,get:function(){return f.assertNever}});var v=o(90630);Object.defineProperty(t,"classNamesFunction",{enumerable:!0,get:function(){return v.classNamesFunction}});var b=o(14865);Object.defineProperty(t,"composeComponentAs",{enumerable:!0,get:function(){return b.composeComponentAs}});var y=o(50944);Object.defineProperty(t,"isControlled",{enumerable:!0,get:function(){return y.isControlled}});var _=o(11355);Object.defineProperty(t,"css",{enumerable:!0,get:function(){return _.css}});var S=o(40557);Object.defineProperty(t,"Customizations",{enumerable:!0,get:function(){return S.Customizations}});var C=o(61668);Object.defineProperty(t,"Customizer",{enumerable:!0,get:function(){return C.Customizer}});var x=o(38233);Object.defineProperty(t,"CustomizerContext",{enumerable:!0,get:function(){return x.CustomizerContext}});var P=o(47455);Object.defineProperty(t,"customizable",{enumerable:!0,get:function(){return P.customizable}});var k=o(40050);Object.defineProperty(t,"useCustomizationSettings",{enumerable:!0,get:function(){return k.useCustomizationSettings}});var I=o(17241);Object.defineProperty(t,"mergeCustomizations",{enumerable:!0,get:function(){return I.mergeCustomizations}});var w=o(41782);Object.defineProperty(t,"mergeScopedSettings",{enumerable:!0,get:function(){return w.mergeScopedSettings}}),Object.defineProperty(t,"mergeSettings",{enumerable:!0,get:function(){return w.mergeSettings}});var T=o(94588);Object.defineProperty(t,"DATA_PORTAL_ATTRIBUTE",{enumerable:!0,get:function(){return T.DATA_PORTAL_ATTRIBUTE}}),Object.defineProperty(t,"elementContains",{enumerable:!0,get:function(){return T.elementContains}}),Object.defineProperty(t,"elementContainsAttribute",{enumerable:!0,get:function(){return T.elementContainsAttribute}}),Object.defineProperty(t,"findElementRecursive",{enumerable:!0,get:function(){return T.findElementRecursive}}),Object.defineProperty(t,"getActiveElement",{enumerable:!0,get:function(){return T.getActiveElement}}),Object.defineProperty(t,"getChildren",{enumerable:!0,get:function(){return T.getChildren}}),Object.defineProperty(t,"getDocument",{enumerable:!0,get:function(){return T.getDocument}}),Object.defineProperty(t,"getEventTarget",{enumerable:!0,get:function(){return T.getEventTarget}}),Object.defineProperty(t,"getFirstVisibleElementFromSelector",{enumerable:!0,get:function(){return T.getFirstVisibleElementFromSelector}}),Object.defineProperty(t,"getParent",{enumerable:!0,get:function(){return T.getParent}}),Object.defineProperty(t,"getRect",{enumerable:!0,get:function(){return T.getRect}}),Object.defineProperty(t,"getVirtualParent",{enumerable:!0,get:function(){return T.getVirtualParent}}),Object.defineProperty(t,"getWindow",{enumerable:!0,get:function(){return T.getWindow}}),Object.defineProperty(t,"isVirtualElement",{enumerable:!0,get:function(){return T.isVirtualElement}}),Object.defineProperty(t,"on",{enumerable:!0,get:function(){return T.on}}),Object.defineProperty(t,"portalContainsElement",{enumerable:!0,get:function(){return T.portalContainsElement}}),Object.defineProperty(t,"raiseClick",{enumerable:!0,get:function(){return T.raiseClick}}),Object.defineProperty(t,"setPortalAttribute",{enumerable:!0,get:function(){return T.setPortalAttribute}}),Object.defineProperty(t,"setVirtualParent",{enumerable:!0,get:function(){return T.setVirtualParent}});var E=o(8215);Object.defineProperty(t,"extendComponent",{enumerable:!0,get:function(){return E.extendComponent}});var D=o(65044);Object.defineProperty(t,"doesElementContainFocus",{enumerable:!0,get:function(){return D.doesElementContainFocus}}),Object.defineProperty(t,"focusAsync",{enumerable:!0,get:function(){return D.focusAsync}}),Object.defineProperty(t,"focusFirstChild",{enumerable:!0,get:function(){return D.focusFirstChild}}),Object.defineProperty(t,"getElementIndexPath",{enumerable:!0,get:function(){return D.getElementIndexPath}}),Object.defineProperty(t,"getFirstFocusable",{enumerable:!0,get:function(){return D.getFirstFocusable}}),Object.defineProperty(t,"getFirstTabbable",{enumerable:!0,get:function(){return D.getFirstTabbable}}),Object.defineProperty(t,"getFocusableByIndexPath",{enumerable:!0,get:function(){return D.getFocusableByIndexPath}}),Object.defineProperty(t,"getLastFocusable",{enumerable:!0,get:function(){return D.getLastFocusable}}),Object.defineProperty(t,"getLastTabbable",{enumerable:!0,get:function(){return D.getLastTabbable}}),Object.defineProperty(t,"getNextElement",{enumerable:!0,get:function(){return D.getNextElement}}),Object.defineProperty(t,"getPreviousElement",{enumerable:!0,get:function(){return D.getPreviousElement}}),Object.defineProperty(t,"isElementFocusSubZone",{enumerable:!0,get:function(){return D.isElementFocusSubZone}}),Object.defineProperty(t,"isElementFocusZone",{enumerable:!0,get:function(){return D.isElementFocusZone}}),Object.defineProperty(t,"isElementTabbable",{enumerable:!0,get:function(){return D.isElementTabbable}}),Object.defineProperty(t,"isElementVisible",{enumerable:!0,get:function(){return D.isElementVisible}}),Object.defineProperty(t,"isElementVisibleAndNotHidden",{enumerable:!0,get:function(){return D.isElementVisibleAndNotHidden}}),Object.defineProperty(t,"shouldWrapFocus",{enumerable:!0,get:function(){return D.shouldWrapFocus}});var M=o(50729);Object.defineProperty(t,"getId",{enumerable:!0,get:function(){return M.getId}}),Object.defineProperty(t,"resetIds",{enumerable:!0,get:function(){return M.resetIds}});var O=o(30369);Object.defineProperty(t,"getNativeElementProps",{enumerable:!0,get:function(){return O.getNativeElementProps}});var R=o(14863);Object.defineProperty(t,"hoistMethods",{enumerable:!0,get:function(){return R.hoistMethods}}),Object.defineProperty(t,"unhoistMethods",{enumerable:!0,get:function(){return R.unhoistMethods}});var F=o(91780);Object.defineProperty(t,"hoistStatics",{enumerable:!0,get:function(){return F.hoistStatics}});var B=o(82032);Object.defineProperty(t,"initializeComponentRef",{enumerable:!0,get:function(){return B.initializeComponentRef}});var A=o(88423);Object.defineProperty(t,"initializeFocusRects",{enumerable:!0,get:function(){return A.initializeFocusRects}});var N=o(90120);Object.defineProperty(t,"FocusRectsProvider",{enumerable:!0,get:function(){return N.FocusRectsProvider}});var L=o(5020);Object.defineProperty(t,"FocusRects",{enumerable:!0,get:function(){return L.FocusRects}}),Object.defineProperty(t,"FocusRectsContext",{enumerable:!0,get:function(){return L.FocusRectsContext}}),Object.defineProperty(t,"useFocusRects",{enumerable:!0,get:function(){return L.useFocusRects}});var H=o(27115);Object.defineProperty(t,"getInitials",{enumerable:!0,get:function(){return H.getInitials}});var j=o(48967);Object.defineProperty(t,"addDirectionalKeyCode",{enumerable:!0,get:function(){return j.addDirectionalKeyCode}}),Object.defineProperty(t,"isDirectionalKeyCode",{enumerable:!0,get:function(){return j.isDirectionalKeyCode}}),Object.defineProperty(t,"removeDirectionalKeyCode",{enumerable:!0,get:function(){return j.removeDirectionalKeyCode}});var z=o(28348);Object.defineProperty(t,"getLanguage",{enumerable:!0,get:function(){return z.getLanguage}}),Object.defineProperty(t,"setLanguage",{enumerable:!0,get:function(){return z.setLanguage}});var W=o(17144);Object.defineProperty(t,"calculatePrecision",{enumerable:!0,get:function(){return W.calculatePrecision}}),Object.defineProperty(t,"fitContentToBounds",{enumerable:!0,get:function(){return W.fitContentToBounds}}),Object.defineProperty(t,"getDistanceBetweenPoints",{enumerable:!0,get:function(){return W.getDistanceBetweenPoints}}),Object.defineProperty(t,"precisionRound",{enumerable:!0,get:function(){return W.precisionRound}});var V=o(58444);Object.defineProperty(t,"createMemoizer",{enumerable:!0,get:function(){return V.createMemoizer}}),Object.defineProperty(t,"memoize",{enumerable:!0,get:function(){return V.memoize}}),Object.defineProperty(t,"memoizeFunction",{enumerable:!0,get:function(){return V.memoizeFunction}}),Object.defineProperty(t,"resetMemoizations",{enumerable:!0,get:function(){return V.resetMemoizations}}),Object.defineProperty(t,"setMemoizeWeakMap",{enumerable:!0,get:function(){return V.setMemoizeWeakMap}});var K=o(29264);Object.defineProperty(t,"merge",{enumerable:!0,get:function(){return K.merge}});var G=o(55578);Object.defineProperty(t,"isIOS",{enumerable:!0,get:function(){return G.isIOS}});var U=o(55843);Object.defineProperty(t,"modalize",{enumerable:!0,get:function(){return U.modalize}});var Y=o(49449);Object.defineProperty(t,"assign",{enumerable:!0,get:function(){return Y.assign}}),Object.defineProperty(t,"filteredAssign",{enumerable:!0,get:function(){return Y.filteredAssign}}),Object.defineProperty(t,"mapEnumByName",{enumerable:!0,get:function(){return Y.mapEnumByName}}),Object.defineProperty(t,"shallowCompare",{enumerable:!0,get:function(){return Y.shallowCompare}}),Object.defineProperty(t,"values",{enumerable:!0,get:function(){return Y.values}}),Object.defineProperty(t,"omit",{enumerable:!0,get:function(){return Y.omit}});var q=o(94842);Object.defineProperty(t,"isMac",{enumerable:!0,get:function(){return q.isMac}});var X=o(54220);Object.defineProperty(t,"hasHorizontalOverflow",{enumerable:!0,get:function(){return X.hasHorizontalOverflow}}),Object.defineProperty(t,"hasOverflow",{enumerable:!0,get:function(){return X.hasOverflow}}),Object.defineProperty(t,"hasVerticalOverflow",{enumerable:!0,get:function(){return X.hasVerticalOverflow}});var Z=o(61167);Object.defineProperty(t,"anchorProperties",{enumerable:!0,get:function(){return Z.anchorProperties}}),Object.defineProperty(t,"audioProperties",{enumerable:!0,get:function(){return Z.audioProperties}}),Object.defineProperty(t,"baseElementEvents",{enumerable:!0,get:function(){return Z.baseElementEvents}}),Object.defineProperty(t,"baseElementProperties",{enumerable:!0,get:function(){return Z.baseElementProperties}}),Object.defineProperty(t,"buttonProperties",{enumerable:!0,get:function(){return Z.buttonProperties}}),Object.defineProperty(t,"colGroupProperties",{enumerable:!0,get:function(){return Z.colGroupProperties}}),Object.defineProperty(t,"colProperties",{enumerable:!0,get:function(){return Z.colProperties}}),Object.defineProperty(t,"divProperties",{enumerable:!0,get:function(){return Z.divProperties}}),Object.defineProperty(t,"formProperties",{enumerable:!0,get:function(){return Z.formProperties}}),Object.defineProperty(t,"getNativeProps",{enumerable:!0,get:function(){return Z.getNativeProps}}),Object.defineProperty(t,"htmlElementProperties",{enumerable:!0,get:function(){return Z.htmlElementProperties}}),Object.defineProperty(t,"iframeProperties",{enumerable:!0,get:function(){return Z.iframeProperties}}),Object.defineProperty(t,"imageProperties",{enumerable:!0,get:function(){return Z.imageProperties}}),Object.defineProperty(t,"imgProperties",{enumerable:!0,get:function(){return Z.imgProperties}}),Object.defineProperty(t,"inputProperties",{enumerable:!0,get:function(){return Z.inputProperties}}),Object.defineProperty(t,"labelProperties",{enumerable:!0,get:function(){return Z.labelProperties}}),Object.defineProperty(t,"liProperties",{enumerable:!0,get:function(){return Z.liProperties}}),Object.defineProperty(t,"olProperties",{enumerable:!0,get:function(){return Z.olProperties}}),Object.defineProperty(t,"optionProperties",{enumerable:!0,get:function(){return Z.optionProperties}}),Object.defineProperty(t,"selectProperties",{enumerable:!0,get:function(){return Z.selectProperties}}),Object.defineProperty(t,"tableProperties",{enumerable:!0,get:function(){return Z.tableProperties}}),Object.defineProperty(t,"tdProperties",{enumerable:!0,get:function(){return Z.tdProperties}}),Object.defineProperty(t,"textAreaProperties",{enumerable:!0,get:function(){return Z.textAreaProperties}}),Object.defineProperty(t,"thProperties",{enumerable:!0,get:function(){return Z.thProperties}}),Object.defineProperty(t,"trProperties",{enumerable:!0,get:function(){return Z.trProperties}}),Object.defineProperty(t,"videoProperties",{enumerable:!0,get:function(){return Z.videoProperties}});var Q=o(12489);Object.defineProperty(t,"composeRenderFunction",{enumerable:!0,get:function(){return Q.composeRenderFunction}});var J=o(15937);Object.defineProperty(t,"getResourceUrl",{enumerable:!0,get:function(){return J.getResourceUrl}}),Object.defineProperty(t,"setBaseUrl",{enumerable:!0,get:function(){return J.setBaseUrl}});var $=o(36154);Object.defineProperty(t,"getRTL",{enumerable:!0,get:function(){return $.getRTL}}),Object.defineProperty(t,"getRTLSafeKeyCode",{enumerable:!0,get:function(){return $.getRTLSafeKeyCode}}),Object.defineProperty(t,"setRTL",{enumerable:!0,get:function(){return $.setRTL}});var ee=o(11937);Object.defineProperty(t,"safeRequestAnimationFrame",{enumerable:!0,get:function(){return ee.safeRequestAnimationFrame}});var te=o(23756);Object.defineProperty(t,"safeSetTimeout",{enumerable:!0,get:function(){return te.safeSetTimeout}});var oe=o(80447);Object.defineProperty(t,"DATA_IS_SCROLLABLE_ATTRIBUTE",{enumerable:!0,get:function(){return oe.DATA_IS_SCROLLABLE_ATTRIBUTE}}),Object.defineProperty(t,"allowOverscrollOnElement",{enumerable:!0,get:function(){return oe.allowOverscrollOnElement}}),Object.defineProperty(t,"allowScrollOnElement",{enumerable:!0,get:function(){return oe.allowScrollOnElement}}),Object.defineProperty(t,"disableBodyScroll",{enumerable:!0,get:function(){return oe.disableBodyScroll}}),Object.defineProperty(t,"enableBodyScroll",{enumerable:!0,get:function(){return oe.enableBodyScroll}}),Object.defineProperty(t,"findScrollableParent",{enumerable:!0,get:function(){return oe.findScrollableParent}}),Object.defineProperty(t,"getScrollbarWidth",{enumerable:!0,get:function(){return oe.getScrollbarWidth}});var ne=o(27745);Object.defineProperty(t,"SELECTION_CHANGE",{enumerable:!0,get:function(){return ne.SELECTION_CHANGE}}),Object.defineProperty(t,"SELECTION_ITEMS_CHANGE",{enumerable:!0,get:function(){return ne.SELECTION_ITEMS_CHANGE}}),Object.defineProperty(t,"Selection",{enumerable:!0,get:function(){return ne.Selection}}),Object.defineProperty(t,"SelectionDirection",{enumerable:!0,get:function(){return ne.SelectionDirection}}),Object.defineProperty(t,"SelectionMode",{enumerable:!0,get:function(){return ne.SelectionMode}});var re=o(63123);Object.defineProperty(t,"format",{enumerable:!0,get:function(){return re.format}});var ie=o(22509);Object.defineProperty(t,"styled",{enumerable:!0,get:function(){return ie.styled}});var ae=o(69878);Object.defineProperty(t,"resetControlledWarnings",{enumerable:!0,get:function(){return ae.resetControlledWarnings}}),Object.defineProperty(t,"setWarningCallback",{enumerable:!0,get:function(){return ae.setWarningCallback}}),Object.defineProperty(t,"warn",{enumerable:!0,get:function(){return ae.warn}}),Object.defineProperty(t,"warnConditionallyRequiredProps",{enumerable:!0,get:function(){return ae.warnConditionallyRequiredProps}}),Object.defineProperty(t,"warnControlledUsage",{enumerable:!0,get:function(){return ae.warnControlledUsage}}),Object.defineProperty(t,"warnDeprecations",{enumerable:!0,get:function(){return ae.warnDeprecations}}),Object.defineProperty(t,"warnMutuallyExclusive",{enumerable:!0,get:function(){return ae.warnMutuallyExclusive}});var se=o(20648);Object.defineProperty(t,"isIE11",{enumerable:!0,get:function(){return se.isIE11}});var le=o(34338);Object.defineProperty(t,"getPropsWithDefaults",{enumerable:!0,get:function(){return le.getPropsWithDefaults}});var ce=o(81874);Object.defineProperty(t,"setFocusVisibility",{enumerable:!0,get:function(){return ce.setFocusVisibility}}),Object.defineProperty(t,"IsFocusVisibleClassName",{enumerable:!0,get:function(){return ce.IsFocusVisibleClassName}});var ue=o(51928);Object.defineProperty(t,"canUseDOM",{enumerable:!0,get:function(){return ue.canUseDOM}});var de=o(70635);Object.defineProperty(t,"setSSR",{enumerable:!0,get:function(){return de.setSSR}});var pe=o(78813);Object.defineProperty(t,"createMergedRef",{enumerable:!0,get:function(){return pe.createMergedRef}});var me=o(17653);Object.defineProperty(t,"useIsomorphicLayoutEffect",{enumerable:!0,get:function(){return me.useIsomorphicLayoutEffect}}),o(24416);var ge=o(50343);Object.defineProperty(t,"MergeStylesRootProvider",{enumerable:!0,get:function(){return ge.MergeStylesRootProvider}}),Object.defineProperty(t,"MergeStylesShadowRootContext",{enumerable:!0,get:function(){return ge.MergeStylesShadowRootContext}}),Object.defineProperty(t,"MergeStylesShadowRootProvider",{enumerable:!0,get:function(){return ge.MergeStylesShadowRootProvider}}),Object.defineProperty(t,"useAdoptedStylesheet",{enumerable:!0,get:function(){return ge.useAdoptedStylesheet}}),Object.defineProperty(t,"useAdoptedStylesheetEx",{enumerable:!0,get:function(){return ge.useAdoptedStylesheetEx}}),Object.defineProperty(t,"useHasMergeStylesShadowRootContext",{enumerable:!0,get:function(){return ge.useHasMergeStylesShadowRootContext}}),Object.defineProperty(t,"useMergeStylesHooks",{enumerable:!0,get:function(){return ge.useMergeStylesHooks}}),Object.defineProperty(t,"useMergeStylesRootStylesheets",{enumerable:!0,get:function(){return ge.useMergeStylesRootStylesheets}}),Object.defineProperty(t,"useMergeStylesShadowRootContext",{enumerable:!0,get:function(){return ge.useMergeStylesShadowRootContext}}),Object.defineProperty(t,"useShadowConfig",{enumerable:!0,get:function(){return ge.useShadowConfig}}),Object.defineProperty(t,"useStyled",{enumerable:!0,get:function(){return ge.useStyled}})},82032:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.initializeComponentRef=void 0;var n=o(8215);function r(){s(this.props.componentRef,this)}function i(e){e.componentRef!==this.props.componentRef&&(s(e.componentRef,null),s(this.props.componentRef,this))}function a(){s(this.props.componentRef,null)}function s(e,t){e&&("object"==typeof e?e.current=t:"function"==typeof e&&e(t))}t.initializeComponentRef=function(e){(0,n.extendComponent)(e,{componentDidMount:r,componentDidUpdate:i,componentWillUnmount:a})}},88423:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.initializeFocusRects=void 0;var n=o(5639),r=o(48967),i=o(81874);function a(e){(0,i.setFocusVisibility)(!1,e.target)}function s(e){"mouse"!==e.pointerType&&(0,i.setFocusVisibility)(!1,e.target)}function l(e){(0,r.isDirectionalKeyCode)(e.which)&&(0,i.setFocusVisibility)(!0,e.target)}t.initializeFocusRects=function(e){var t,o=e||(0,n.getWindow)();o&&!0!==(null===(t=o.FabricConfig)||void 0===t?void 0:t.disableFocusRects)&&(o.__hasInitializeFocusRects__||(o.__hasInitializeFocusRects__=!0,o.addEventListener("mousedown",a,!0),o.addEventListener("pointerdown",s,!0),o.addEventListener("keydown",l,!0)))}},27115:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getInitials=void 0;var o=/[\(\[\{\<][^\)\]\}\>]*[\)\]\}\>]/g,n=/[\0-\u001F\!-/:-@\[-`\{-\u00BF\u0250-\u036F\uD800-\uFFFF]/g,r=/^\d+[\d\s]*(:?ext|x|)\s*\d+$/i,i=/\s+/g,a=/[\u0600-\u06FF\u0750-\u077F\u08A0-\u08FF\u1100-\u11FF\u3130-\u318F\uA960-\uA97F\uAC00-\uD7AF\uD7B0-\uD7FF\u3040-\u309F\u30A0-\u30FF\u3400-\u4DBF\u4E00-\u9FFF\uF900-\uFAFF]|[\uD840-\uD869][\uDC00-\uDED6]/;t.getInitials=function(e,t,s){return e?(e=function(e){return(e=(e=(e=e.replace(o,"")).replace(n,"")).replace(i," ")).trim()}(e),a.test(e)||!s&&r.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)):""}},48967:(e,t,o)=>{"use strict";var n;Object.defineProperty(t,"__esModule",{value:!0}),t.removeDirectionalKeyCode=t.addDirectionalKeyCode=t.isDirectionalKeyCode=void 0;var r=o(37541),i=((n={})[r.KeyCodes.up]=1,n[r.KeyCodes.down]=1,n[r.KeyCodes.left]=1,n[r.KeyCodes.right]=1,n[r.KeyCodes.home]=1,n[r.KeyCodes.end]=1,n[r.KeyCodes.tab]=1,n[r.KeyCodes.pageUp]=1,n[r.KeyCodes.pageDown]=1,n);t.isDirectionalKeyCode=function(e){return!!i[e]},t.addDirectionalKeyCode=function(e){i[e]=1},t.removeDirectionalKeyCode=function(e){delete i[e]}},28348:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.setLanguage=t.getLanguage=void 0;var n,r=o(52902),i=o(20494),a=o(22143),s="language";t.getLanguage=function(e){if(void 0===e&&(e="sessionStorage"),void 0===n){var t=(0,r.getDocument)(),o="localStorage"===e?i.getItem(s):"sessionStorage"===e?a.getItem(s):void 0;o&&(n=o),void 0===n&&t&&(n=t.documentElement.getAttribute("lang")),void 0===n&&(n="en")}return n},t.setLanguage=function(e,t){var o=(0,r.getDocument)();o&&o.documentElement.setAttribute("lang",e);var l=!0===t?"none":t||"sessionStorage";"localStorage"===l?i.setItem(s,e):"sessionStorage"===l&&a.setItem(s,e),n=e}},20494:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.setItem=t.getItem=void 0;var n=o(5639);t.getItem=function(e){var t=null;try{var o=(0,n.getWindow)();t=o?o.localStorage.getItem(e):null}catch(e){}return t},t.setItem=function(e,t){try{var o=(0,n.getWindow)();o&&o.localStorage.setItem(e,t)}catch(e){}}},17144:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.precisionRound=t.calculatePrecision=t.fitContentToBounds=t.getDistanceBetweenPoints=void 0,t.getDistanceBetweenPoints=function(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))},t.fitContentToBounds=function(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:l{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.createMemoizer=t.memoizeFunction=t.memoize=t.resetMemoizations=t.setMemoizeWeakMap=void 0;var n=o(15241),r=!1,i=0,a={empty:!0},s={},l="undefined"==typeof WeakMap?null:WeakMap;function c(){i++}function u(e,t,o){if(void 0===t&&(t=100),void 0===o&&(o=!1),!l)return e;if(!r){var u=n.Stylesheet.getInstance();u&&u.onReset&&n.Stylesheet.getInstance().onReset(c),r=!0}var p,m=0,g=i;return function(){for(var n=[],r=0;r0&&m>t)&&(p=d(),m=0,g=i),c=p;for(var u=0;u{"use strict";function o(e,t,n){for(var r in void 0===n&&(n=[]),n.push(t),t)if(t.hasOwnProperty(r)&&"__proto__"!==r&&"constructor"!==r&&"prototype"!==r){var i=t[r];if("object"!=typeof i||null===i||Array.isArray(i))e[r]=i;else{var a=n.indexOf(i)>-1;e[r]=a?i:o(e[r]||{},i,n)}}return n.pop(),e}Object.defineProperty(t,"__esModule",{value:!0}),t.merge=void 0,t.merge=function(e){for(var t=[],n=1;n{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.isIOS=void 0,t.isIOS=function(){return!!(window&&window.navigator&&window.navigator.userAgent)&&/iPad|iPhone|iPod/i.test(window.navigator.userAgent)}},55843:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.modalize=void 0;var n=o(52902),r=["TEMPLATE","STYLE","SCRIPT"];t.modalize=function(e){var t=(0,n.getDocument)(e);if(!t)return function(){};for(var o=[];e!==t.body&&e.parentElement;){for(var i=0,a=e.parentElement.children;i{"use strict";function o(e,t){for(var o=[],n=2;n{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.isMac=void 0;var n,r=o(5639);t.isMac=function(e){var t;if(void 0===n||e){var o=(0,r.getWindow)(),i=null===(t=null==o?void 0:o.navigator)||void 0===t?void 0:t.userAgent;n=!!i&&-1!==i.indexOf("Macintosh")}return!!n}},54220:(e,t)=>{"use strict";function o(e){return e.clientWidth{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getNativeProps=t.divProperties=t.imageProperties=t.imgProperties=t.iframeProperties=t.formProperties=t.colProperties=t.colGroupProperties=t.tdProperties=t.thProperties=t.trProperties=t.tableProperties=t.optionProperties=t.selectProperties=t.textAreaProperties=t.inputProperties=t.buttonProperties=t.anchorProperties=t.liProperties=t.olProperties=t.videoProperties=t.audioProperties=t.labelProperties=t.htmlElementProperties=t.baseElementProperties=t.baseElementEvents=void 0;var o=function(){for(var e=[],t=0;t=0||0===s.indexOf("data-")||0===s.indexOf("aria-"))||o&&-1!==(null==o?void 0:o.indexOf(s))||(r[s]=e[s])}return r}},12489:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.composeRenderFunction=void 0;var n=o(58444),r=(0,n.createMemoizer)((function(e){return(0,n.createMemoizer)((function(t){var o=(0,n.createMemoizer)((function(e){return function(o){return t(o,e)}}));return function(n,r){return e(n,r?o(r):t)}}))}));t.composeRenderFunction=function(e,t){return r(e)(t)}},15937:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.setBaseUrl=t.getResourceUrl=void 0;var o="";t.getResourceUrl=function(e){return o+e},t.setBaseUrl=function(e){o=e}},36154:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getRTLSafeKeyCode=t.setRTL=t.getRTL=void 0;var n,r=o(37541),i=o(52902),a=o(22143),s=o(15241),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.getItem)(l);null!==t&&u(n="1"===t);var o=(0,i.getDocument)();void 0===n&&o&&(n="rtl"===(o.body&&o.body.getAttribute("dir")||o.documentElement.getAttribute("dir")),(0,s.setRTL)(n))}return!!n}function u(e,t){void 0===t&&(t=!1);var o=(0,i.getDocument)();o&&o.documentElement.setAttribute("dir",e?"rtl":"ltr"),t&&(0,a.setItem)(l,e?"1":"0"),n=e,(0,s.setRTL)(n)}t.getRTL=c,t.setRTL=u,t.getRTLSafeKeyCode=function(e,t){return void 0===t&&(t={}),c(t)&&(e===r.KeyCodes.left?e=r.KeyCodes.right:e===r.KeyCodes.right&&(e=r.KeyCodes.left)),e}},11937:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.safeRequestAnimationFrame=void 0;var n=o(8215);t.safeRequestAnimationFrame=function(e){var t;return function(o){t||(t=new Set,(0,n.extendComponent)(e,{componentWillUnmount:function(){t.forEach((function(e){return cancelAnimationFrame(e)}))}}));var r=requestAnimationFrame((function(){t.delete(r),o()}));t.add(r)}}},23756:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.safeSetTimeout=void 0;var n=o(8215);t.safeSetTimeout=function(e){var t;return function(o,r){t||(t=new Set,(0,n.extendComponent)(e,{componentWillUnmount:function(){t.forEach((function(e){return clearTimeout(e)}))}}));var i=setTimeout((function(){t.delete(i),o()}),r);t.add(i)}}},80447:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.findScrollableParent=t.getScrollbarWidth=t.enableBodyScroll=t.disableBodyScroll=t.allowOverscrollOnElement=t.allowScrollOnElement=t.DATA_IS_SCROLLABLE_ATTRIBUTE=void 0;var n,r=o(52902),i=o(15241),a=o(5639),s=0,l=(0,i.mergeStyles)({overflow:"hidden !important"});t.DATA_IS_SCROLLABLE_ATTRIBUTE="data-is-scrollable",t.allowScrollOnElement=function(e,t){var o=(0,a.getWindow)(e);if(e&&o){var n=0,r=null,i=o.getComputedStyle(e);t.on(e,"touchstart",(function(e){1===e.targetTouches.length&&(n=e.targetTouches[0].clientY)}),{passive:!1}),t.on(e,"touchmove",(function(e){if(1===e.targetTouches.length&&(e.stopPropagation(),r)){var t=e.targetTouches[0].clientY-n,a=u(e.target);a&&r!==a&&(r=a,i=o.getComputedStyle(r));var s=r.scrollTop,l="column-reverse"===(null==i?void 0:i.flexDirection);0===s&&(l?t<0:t>0)&&e.preventDefault(),r.scrollHeight-Math.abs(Math.ceil(s))<=r.clientHeight&&(l?t>0:t<0)&&e.preventDefault()}}),{passive:!1}),r=e}},t.allowOverscrollOnElement=function(e,t){e&&t.on(e,"touchmove",(function(e){e.stopPropagation()}),{passive:!1})};var c=function(e){e.preventDefault()};function u(e){for(var o=e,n=(0,r.getDocument)(e);o&&o!==n.body;){if("true"===o.getAttribute(t.DATA_IS_SCROLLABLE_ATTRIBUTE))return o;o=o.parentElement}for(o=e;o&&o!==n.body;){if("false"!==o.getAttribute(t.DATA_IS_SCROLLABLE_ATTRIBUTE)){var i=getComputedStyle(o),s=i?i.getPropertyValue("overflow-y"):"";if(s&&("scroll"===s||"auto"===s))return o}o=o.parentElement}return o&&o!==n.body||(o=(0,a.getWindow)(e)),o}t.disableBodyScroll=function(){var e=(0,r.getDocument)();e&&e.body&&!s&&(e.body.classList.add(l),e.body.addEventListener("touchmove",c,{passive:!1,capture:!1})),s++},t.enableBodyScroll=function(){if(s>0){var e=(0,r.getDocument)();e&&e.body&&1===s&&(e.body.classList.remove(l),e.body.removeEventListener("touchmove",c)),s--}},t.getScrollbarWidth=function(e){if(void 0===n){var t=null!=e?e:(0,r.getDocument)(),o=t.createElement("div");o.style.setProperty("width","100px"),o.style.setProperty("height","100px"),o.style.setProperty("overflow","scroll"),o.style.setProperty("position","absolute"),o.style.setProperty("top","-9999px"),t.body.appendChild(o),n=o.offsetWidth-o.clientWidth,t.body.removeChild(o)}return n},t.findScrollableParent=u},22579:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Selection=void 0;var n=o(53524),r=o(49053),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.SelectionMode.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.SelectionMode.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.SelectionMode.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.setRangeSelected=function(e,t,o,r){if(this.mode!==n.SelectionMode.none&&(e=Math.min(Math.max(0,e),this._items.length-1),t=Math.min(Math.max(0,t),this._items.length-e),!(e<0||e>=this._items.length||0===t))){this.setChangeEvents(!1);for(var i=e,a=e+t-1,s=(this._anchoredIndex||0)>=a?i:a;i<=a;i++)this.setIndexSelected(i,o,!!r&&i===s);this.setChangeEvents(!0)}},e.prototype.selectToKey=function(e,t){this.selectToIndex(this._keyToIndexMap[e],t)},e.prototype.selectToRange=function(e,t,o){if(this.mode!==n.SelectionMode.none)if(this.mode!==n.SelectionMode.single){var r=this._anchoredIndex||0,i=Math.min(e,r),a=Math.max(e+t-1,r);for(this.setChangeEvents(!1),o&&this._setAllSelected(!1,!0);i<=a;i++)this.setIndexSelected(i,!0,!1);this.setChangeEvents(!0)}else 1===t&&this.setIndexSelected(e,!0,!0)},e.prototype.selectToIndex=function(e,t){if(this.mode!==n.SelectionMode.none)if(this.mode!==n.SelectionMode.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.SelectionMode.none){var o=this.isRangeSelected(e,t),r=e+t;if(!(this.mode===n.SelectionMode.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.EventGroup.raise(this,n.SELECTION_CHANGE),this._onSelectionChanged&&this._onSelectionChanged()):this._hasChanged=!0},e}();function a(e,t){var o=(e||{}).key;return void 0===o?"".concat(t):o}t.Selection=i},53524:(e,t)=>{"use strict";var o,n;Object.defineProperty(t,"__esModule",{value:!0}),t.SelectionDirection=t.SelectionMode=t.SELECTION_ITEMS_CHANGE=t.SELECTION_CHANGE=void 0,t.SELECTION_CHANGE="change",t.SELECTION_ITEMS_CHANGE="items-change",(n=t.SelectionMode||(t.SelectionMode={}))[n.none=0]="none",n[n.single=1]="single",n[n.multiple=2]="multiple",(o=t.SelectionDirection||(t.SelectionDirection={}))[o.horizontal=0]="horizontal",o[o.vertical=1]="vertical"},27745:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.Selection=t.SelectionMode=t.SelectionDirection=t.SELECTION_ITEMS_CHANGE=t.SELECTION_CHANGE=void 0;var n=o(53524);Object.defineProperty(t,"SELECTION_CHANGE",{enumerable:!0,get:function(){return n.SELECTION_CHANGE}}),Object.defineProperty(t,"SELECTION_ITEMS_CHANGE",{enumerable:!0,get:function(){return n.SELECTION_ITEMS_CHANGE}}),Object.defineProperty(t,"SelectionDirection",{enumerable:!0,get:function(){return n.SelectionDirection}}),Object.defineProperty(t,"SelectionMode",{enumerable:!0,get:function(){return n.SelectionMode}});var r=o(22579);Object.defineProperty(t,"Selection",{enumerable:!0,get:function(){return r.Selection}})},22143:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.setItem=t.getItem=void 0;var n=o(5639);t.getItem=function(e){var t=null;try{var o=(0,n.getWindow)();t=o?o.sessionStorage.getItem(e):null}catch(e){}return t},t.setItem=function(e,t){var o;try{null===(o=(0,n.getWindow)())||void 0===o||o.sessionStorage.setItem(e,t)}catch(e){}}},81874:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.setFocusVisibility=t.IsFocusHiddenClassName=t.IsFocusVisibleClassName=void 0;var n=o(5639);function r(e,o){e&&(e.classList.add(o?t.IsFocusVisibleClassName:t.IsFocusHiddenClassName),e.classList.remove(o?t.IsFocusHiddenClassName:t.IsFocusVisibleClassName))}t.IsFocusVisibleClassName="ms-Fabric--isFocusVisible",t.IsFocusHiddenClassName="ms-Fabric--isFocusHidden",t.setFocusVisibility=function(e,t,o){var i;o?o.forEach((function(t){return r(t.current,e)})):r(null===(i=(0,n.getWindow)(t))||void 0===i?void 0:i.document.body,e)}},81339:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.MergeStylesRootProvider=t.MergeStylesRootContext=void 0;var n=o(31635),r=o(83923),i=o(15241),a=o(94588),s=o(94632),l=o(23265),c=o(93233),u=o(47292),d=o(28932),p=o(97156),m=function(){return!1},g=function(){};t.MergeStylesRootContext=r.createContext({stylesheets:new Map,useAdoptedStylesheetEx:m,useAdoptedStylesheet:m,useShadowConfig:function(){return i.DEFAULT_SHADOW_CONFIG},useMergeStylesShadowRootContext:g,useHasMergeStylesShadowRootContext:m,useMergeStylesRootStylesheets:function(){return new Map},useWindow:g,useStyled:g}),t.MergeStylesRootProvider=function(e){var o=e.stylesheets,m=e.window,g=e.useAdoptedStylesheet,h=e.useAdoptedStylesheetEx,f=e.useShadowConfig,v=e.useMergeStylesShadowRootContext,b=e.useHasMergeStylesShadowRootContext,y=e.useMergeStylesRootStylesheets,_=e.useWindow,S=e.useStyled,C=n.__rest(e,["stylesheets","window","useAdoptedStylesheet","useAdoptedStylesheetEx","useShadowConfig","useMergeStylesShadowRootContext","useHasMergeStylesShadowRootContext","useMergeStylesRootStylesheets","useWindow","useStyled"]),x=null!=m?m:(0,a.getWindow)(),P=r.useState((function(){return o||new Map})),k=P[0],I=P[1],w=r.useCallback((function(e){var t=e.key,o=e.sheet;I((function(e){var n=new Map(e);return n.set(t,o),n}))}),[]);r.useEffect((function(){I(o||new Map)}),[o]),r.useEffect((function(){if(x){var e=i.ShadowDomStylesheet.getInstance((0,i.makeShadowConfig)(i.GLOBAL_STYLESHEET_KEY,!1,x)).onAddSheet(w);return function(){e()}}}),[x,w]),r.useEffect((function(){if(x){var e=!1,t=new Map(k);i.ShadowDomStylesheet.getInstance((0,i.makeShadowConfig)(i.GLOBAL_STYLESHEET_KEY,!1,x)).getAdoptedSheets().forEach((function(o,n){t.set(n,o),e=!0})),e&&I(t)}}),[]);var T=r.useMemo((function(){return{stylesheets:k,useAdoptedStylesheet:g||s.useAdoptedStylesheet,useAdoptedStylesheetEx:h||s.useAdoptedStylesheetEx,useShadowConfig:f||l.useShadowConfig,useMergeStylesShadowRootContext:v||c.useMergeStylesShadowRootContext,useHasMergeStylesShadowRootContext:b||c.useHasMergeStylesShadowRootContext,useMergeStylesRootStylesheets:y||u.useMergeStylesRootStylesheets,useWindow:_||p.useWindow,useStyled:S||d.useStyled}}),[k,g,h,f,v,b,y,_,S]);return r.createElement(t.MergeStylesRootContext.Provider,n.__assign({value:T},C))}},20798:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.MergeStylesShadowRootConsumer=void 0;var n=o(15241),r=o(93053),i=o(93233);t.MergeStylesShadowRootConsumer=function(e){var t=e.stylesheetKey,o=e.children,a=(0,r.useMergeStylesHooks)(),s=a.useAdoptedStylesheetEx,l=a.useMergeStylesRootStylesheets,c=a.useWindow,u=(0,i.useMergeStylesShadowRootContext)(),d=l(),p=c();return s(n.GLOBAL_STYLESHEET_KEY,u,d,p),s(t,u,d,p),o(!!u)}},51999:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.MergeStylesShadowRootProvider=t.MergeStylesShadowRootContext=void 0;var n=o(31635),r=o(83923),i=o(15241),a=o(93053);t.MergeStylesShadowRootContext=r.createContext(void 0),t.MergeStylesShadowRootProvider=function(e){var o=e.shadowRoot,i=n.__rest(e,["shadowRoot"]),a=r.useMemo((function(){return{stylesheets:new Map,shadowRoot:o}}),[o]);return r.createElement(t.MergeStylesShadowRootContext.Provider,n.__assign({value:a},i),r.createElement(s,null),i.children)};var s=function(e){return(0,(0,a.useMergeStylesHooks)().useAdoptedStylesheet)(i.GLOBAL_STYLESHEET_KEY),null}},94632:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useAdoptedStylesheetEx=t.useAdoptedStylesheet=void 0;var n=o(31635),r=o(83923),i=o(15241),a=o(97156),s=o(47292),l=o(93233);t.useAdoptedStylesheet=function(e){var o=(0,l.useMergeStylesShadowRootContext)(),n=(0,s.useMergeStylesRootStylesheets)(),r=(0,a.useWindow)();return(0,t.useAdoptedStylesheetEx)(e,o,n,r)},t.useAdoptedStylesheetEx=function(e,t,o,n){var i=r.useRef({});if(r.useEffect((function(){if(t){var e=i.current;return i.current={},function(){Object.keys(e).forEach((function(t){e[t]()}))}}}),[n,e,t]),!t)return!1;if(t.shadowRoot&&!t.stylesheets.has(e)){var a=o.get(e);a&&(null==n?void 0:n.document)&&c(t,n.document,e,a,i.current)}return!0};var c=function(e,t,o,r,a){var s,l,c,u,d,p=e.shadowRoot;if(e.stylesheets.set(o,r),i.SUPPORTS_CONSTRUCTABLE_STYLESHEETS){for(var m=p.adoptedStyleSheets,g=m.length,h=0===g;g>=0&&!h;){var f=m[--g],v=null!==(l=null===(s=f.metadata)||void 0===s?void 0:s.sortOrder)&&void 0!==l?l:0,b=null!==(u=null===(c=r.metadata)||void 0===c?void 0:c.sortOrder)&&void 0!==u?u:0;"merge-styles"===f.bucketName&&v0?p.insertBefore(y,_[_.length-1].nextSibling):p.insertBefore(y,p.firstChild),y.sheet&&((0,i.cloneCSSStyleSheet)(r,y.sheet),!a[o])){var S=i.Stylesheet.getInstance((0,i.makeShadowConfig)(o,!0,null!==(d=t.defaultView)&&void 0!==d?d:void 0));a[o]=S.onInsertRule((function(t){var n=t.key,r=t.rule;n===o&&e&&r&&function(e,t,o){var n=e.shadowRoot.querySelector('[data-merge-styles-stylesheet-key="'.concat(t,'"]'));(null==n?void 0:n.sheet)&&n.sheet.insertRule(o)}(e,n,r)}))}}}},93053:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useMergeStylesHooks=void 0;var n=o(83923),r=o(81339);t.useMergeStylesHooks=function(){var e=n.useContext(r.MergeStylesRootContext);return{useAdoptedStylesheet:e.useAdoptedStylesheet,useAdoptedStylesheetEx:e.useAdoptedStylesheetEx,useShadowConfig:e.useShadowConfig,useMergeStylesShadowRootContext:e.useMergeStylesShadowRootContext,useHasMergeStylesShadowRootContext:e.useHasMergeStylesShadowRootContext,useMergeStylesRootStylesheets:e.useMergeStylesRootStylesheets,useWindow:e.useWindow,useStyled:e.useStyled}}},47292:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useMergeStylesRootStylesheets=void 0;var n=o(83923),r=o(81339);t.useMergeStylesRootStylesheets=function(){return n.useContext(r.MergeStylesRootContext).stylesheets}},93233:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useMergeStylesShadowRootContext=t.useHasMergeStylesShadowRootContext=void 0;var n=o(83923),r=o(51999);t.useHasMergeStylesShadowRootContext=function(){return!!(0,t.useMergeStylesShadowRootContext)()},t.useMergeStylesShadowRootContext=function(){return n.useContext(r.MergeStylesShadowRootContext)}},23265:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useShadowConfig=void 0;var n=o(83923),r=o(15241);t.useShadowConfig=function(e,t,o){return void 0===t&&(t=!1),n.useMemo((function(){return(0,r.makeShadowConfig)(e,t,o)}),[e,t,o])}},28932:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useStyled=void 0;var n=o(94588),r=o(93053);t.useStyled=function(e){void 0===e&&(e="__global__");var t=(0,r.useMergeStylesHooks)(),o=t.useAdoptedStylesheetEx,i=t.useShadowConfig,a=t.useMergeStylesShadowRootContext,s=t.useMergeStylesRootStylesheets,l=(0,t.useWindow)()||(0,n.getWindow)(),c=a(),u=!!c,d=s(),p=i(e,u,l);return o(e,c,d,l),p}},50343:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useStyled=t.useShadowConfig=t.useMergeStylesShadowRootContext=t.useHasMergeStylesShadowRootContext=t.useMergeStylesRootStylesheets=t.useMergeStylesHooks=t.useAdoptedStylesheetEx=t.useAdoptedStylesheet=t.MergeStylesShadowRootProvider=t.MergeStylesShadowRootContext=t.MergeStylesShadowRootConsumer=t.MergeStylesRootProvider=void 0;var n=o(81339);Object.defineProperty(t,"MergeStylesRootProvider",{enumerable:!0,get:function(){return n.MergeStylesRootProvider}});var r=o(20798);Object.defineProperty(t,"MergeStylesShadowRootConsumer",{enumerable:!0,get:function(){return r.MergeStylesShadowRootConsumer}});var i=o(51999);Object.defineProperty(t,"MergeStylesShadowRootContext",{enumerable:!0,get:function(){return i.MergeStylesShadowRootContext}}),Object.defineProperty(t,"MergeStylesShadowRootProvider",{enumerable:!0,get:function(){return i.MergeStylesShadowRootProvider}});var a=o(94632);Object.defineProperty(t,"useAdoptedStylesheet",{enumerable:!0,get:function(){return a.useAdoptedStylesheet}}),Object.defineProperty(t,"useAdoptedStylesheetEx",{enumerable:!0,get:function(){return a.useAdoptedStylesheetEx}});var s=o(93053);Object.defineProperty(t,"useMergeStylesHooks",{enumerable:!0,get:function(){return s.useMergeStylesHooks}});var l=o(47292);Object.defineProperty(t,"useMergeStylesRootStylesheets",{enumerable:!0,get:function(){return l.useMergeStylesRootStylesheets}});var c=o(93233);Object.defineProperty(t,"useHasMergeStylesShadowRootContext",{enumerable:!0,get:function(){return c.useHasMergeStylesShadowRootContext}}),Object.defineProperty(t,"useMergeStylesShadowRootContext",{enumerable:!0,get:function(){return c.useMergeStylesShadowRootContext}});var u=o(23265);Object.defineProperty(t,"useShadowConfig",{enumerable:!0,get:function(){return u.useShadowConfig}});var d=o(28932);Object.defineProperty(t,"useStyled",{enumerable:!0,get:function(){return d.useStyled}})},63123:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.format=void 0;var o=/[\{\}]/g,n=/\{\d+\}/g;t.format=function(e){for(var t=[],r=1;r{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.styled=void 0;var n=o(31635),r=o(83923),i=o(15241),a=o(50343),s=o(40050),l=["theme","styles"];t.styled=function(e,t,o,c,u){var d=(c=c||{scope:"",fields:void 0}).scope,p=c.fields,m=void 0===p?l:p,g=r.forwardRef((function(l,c){var u=r.useRef(),p=(0,s.useCustomizationSettings)(m,d),g=p.styles,h=(p.dir,n.__rest(p,["styles","dir"])),f=o?o(l):void 0,v=(0,a.useMergeStylesHooks)().useStyled,b=u.current&&u.current.__cachedInputs__||[],y=l.styles;if(!u.current||g!==b[1]||y!==b[2]){var _=function(e){return(0,i.concatStyleSetsWithProps)(e,t,g,y)};_.__cachedInputs__=[t,g,y],_.__noStyleOverride__=!g&&!y,u.current=_}return u.current.__shadowConfig__=v(d),r.createElement(e,n.__assign({ref:c},h,f,l,{styles:u.current}))}));g.displayName="Styled".concat(e.displayName||e.name);var h=u?r.memo(g):g;return g.displayName&&(h.displayName=g.displayName),h}},5020:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.FocusRects=t.useFocusRects=t.FocusRectsContext=void 0;var n=o(83923),r=o(5639),i=o(48967),a=o(81874),s=new WeakMap,l=new WeakMap;function c(e,t){var o,n=s.get(e);return o=n?n+t:1,s.set(e,o),o}function u(e){var t=l.get(e);return t||(t={onMouseDown:function(t){return p(t,e.registeredProviders)},onPointerDown:function(t){return m(t,e.registeredProviders)},onKeyDown:function(t){return g(t,e.registeredProviders)},onKeyUp:function(t){return h(t,e.registeredProviders)}},l.set(e,t),t)}function d(e){var o=n.useContext(t.FocusRectsContext);n.useEffect((function(){var t,n,i,a,s=(0,r.getWindow)(null==e?void 0:e.current);if(s&&!0!==(null===(t=s.FabricConfig)||void 0===t?void 0:t.disableFocusRects)){var l,d,f,v,b=s;if((null===(n=null==o?void 0:o.providerRef)||void 0===n?void 0:n.current)&&(null===(a=null===(i=null==o?void 0:o.providerRef)||void 0===i?void 0:i.current)||void 0===a?void 0:a.addEventListener)){b=o.providerRef.current;var y=u(o);l=y.onMouseDown,d=y.onPointerDown,f=y.onKeyDown,v=y.onKeyUp}else l=p,d=m,f=g,v=h;var _=c(b,1);return _<=1&&(b.addEventListener("mousedown",l,!0),b.addEventListener("pointerdown",d,!0),b.addEventListener("keydown",f,!0),b.addEventListener("keyup",v,!0)),function(){var e;s&&!0!==(null===(e=s.FabricConfig)||void 0===e?void 0:e.disableFocusRects)&&0===(_=c(b,-1))&&(b.removeEventListener("mousedown",l,!0),b.removeEventListener("pointerdown",d,!0),b.removeEventListener("keydown",f,!0),b.removeEventListener("keyup",v,!0))}}}),[o,e])}function p(e,t){(0,a.setFocusVisibility)(!1,e.target,t)}function m(e,t){"mouse"!==e.pointerType&&(0,a.setFocusVisibility)(!1,e.target,t)}function g(e,t){(0,i.isDirectionalKeyCode)(e.which)&&(0,a.setFocusVisibility)(!0,e.target,t)}function h(e,t){(0,i.isDirectionalKeyCode)(e.which)&&(0,a.setFocusVisibility)(!0,e.target,t)}t.FocusRectsContext=n.createContext(void 0),t.useFocusRects=d,t.FocusRects=function(e){return d(e.rootRef),null}},17653:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.useIsomorphicLayoutEffect=void 0;var n=o(83923),r=o(51928);t.useIsomorphicLayoutEffect=(0,r.canUseDOM)()?n.useLayoutEffect:n.useEffect},24416:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),(0,o(37607).setVersion)("@fluentui/utilities","8.15.4")},69878:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.warnMutuallyExclusive=t.warnDeprecations=t.warnControlledUsage=t.resetControlledWarnings=t.warnConditionallyRequiredProps=t.warn=t.setWarningCallback=void 0;var n=o(69097);Object.defineProperty(t,"setWarningCallback",{enumerable:!0,get:function(){return n.setWarningCallback}}),Object.defineProperty(t,"warn",{enumerable:!0,get:function(){return n.warn}});var r=o(74297);Object.defineProperty(t,"warnConditionallyRequiredProps",{enumerable:!0,get:function(){return r.warnConditionallyRequiredProps}});var i=o(64080);Object.defineProperty(t,"resetControlledWarnings",{enumerable:!0,get:function(){return i.resetControlledWarnings}}),Object.defineProperty(t,"warnControlledUsage",{enumerable:!0,get:function(){return i.warnControlledUsage}});var a=o(37818);Object.defineProperty(t,"warnDeprecations",{enumerable:!0,get:function(){return a.warnDeprecations}});var s=o(46924);Object.defineProperty(t,"warnMutuallyExclusive",{enumerable:!0,get:function(){return s.warnMutuallyExclusive}})},69097:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.setWarningCallback=t.warn=void 0,t.warn=function(e){console&&console.warn&&console.warn(e)},t.setWarningCallback=function(e){}},74297:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.warnConditionallyRequiredProps=void 0,o(69097),t.warnConditionallyRequiredProps=function(e,t,o,n,r){}},64080:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.warnControlledUsage=t.resetControlledWarnings=void 0,o(69097),o(50944),t.resetControlledWarnings=function(){},t.warnControlledUsage=function(e){}},37818:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.warnDeprecations=void 0,o(69097),t.warnDeprecations=function(e,t,o){}},46924:(e,t,o)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.warnMutuallyExclusive=void 0,o(69097),t.warnMutuallyExclusive=function(e,t,o){}},25853:(e,t,o)=>{"use strict";o.d(t,{h:()=>s});var n=o(39912),r="__globalSettings__",i="__callbacks__",a=0,s=function(){function e(){}return e.getValue=function(e,t){var o=l();return void 0===o[e]&&(o[e]="function"==typeof t?t():t),o[e]},e.setValue=function(e,t){var o=l(),n=o[i],r=o[e];if(t!==r){o[e]=t;var a={oldValue:r,value:t,key:e};for(var s in n)n.hasOwnProperty(s)&&n[s](a)}return t},e.addChangeListener=function(e){var t=e.__id__,o=c();t||(t=e.__id__=String(a++)),o[t]=e},e.removeChangeListener=function(e){delete c()[e.__id__]},e}();function l(){var e,t=(0,n.z)()||{};return t[r]||(t[r]=((e={})[i]={},e)),t[r]}function c(){return l()[i]}},89898:(e,t,o)=>{"use strict";o.d(t,{X:()=>l});var n=o(31635),r=o(25853),i={settings:{},scopedSettings:{},inCustomizerContext:!1},a=r.h.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.__assign)((0,n.__assign)({},a.settings),t),e._raiseChange()},e.applyScopedSettings=function(t,o){a.scopedSettings[t]=(0,n.__assign)((0,n.__assign)({},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";function n(){return"undefined"!=typeof window&&!(!window.document||!window.document.createElement)}o.d(t,{S:()=>n})},3545:(e,t,o)=>{"use strict";o.d(t,{Y:()=>r});var n=o(27667);function r(e){if((0,n.S)()&&"undefined"!=typeof document){var t=e;return t&&t.ownerDocument?t.ownerDocument:document}}},39912:(e,t,o)=>{"use strict";o.d(t,{z:()=>i});var n=o(27667),r=void 0;try{r=window}catch(e){}function i(e){if((0,n.S)()&&void 0!==r){var t=e;return t&&t.ownerDocument&&t.ownerDocument.defaultView?t.ownerDocument.defaultView:r}}},23987:(e,t,o)=>{"use strict";o.d(t,{J5:()=>d,J9:()=>u});var n=o(926),r=!1,i=0,a={empty:!0},s={},l="undefined"==typeof WeakMap?null:WeakMap;function c(){i++}function u(e,t,o){if(void 0===t&&(t=100),void 0===o&&(o=!1),!l)return e;if(!r){var u=n.nr.getInstance();u&&u.onReset&&n.nr.getInstance().onReset(c),r=!0}var d,m=0,g=i;return function(){for(var n=[],r=0;r0&&m>t)&&(d=p(),m=0,g=i),c=d;for(var u=0;u{"use strict";o.d(t,{G:()=>r,S:()=>i});var n=o(39912);function r(e){var t=null;try{var o=(0,n.z)();t=o?o.sessionStorage.getItem(e):null}catch(e){}return t}function i(e,t){var o;try{null===(o=(0,n.z)())||void 0===o||o.sessionStorage.setItem(e,t)}catch(e){}}},37523:(e,t,o)=>{"use strict";o.d(t,{Fy:()=>s,Y2:()=>r});var n=o(39912),r="ms-Fabric--isFocusVisible",i="ms-Fabric--isFocusHidden";function a(e,t){e&&(e.classList.add(t?r:i),e.classList.remove(t?i:r))}function s(e,t,o){var r;o?o.forEach((function(t){return a(t.current,e)})):a(null===(r=(0,n.z)(t))||void 0===r?void 0:r.document.body,e)}},68606:(e,t,o)=>{"use strict";function n(e){console&&console.warn&&console.warn(e)}o.d(t,{R:()=>n})},65715:(e,t,o)=>{"use strict";o.r(t),o.d(t,{clearStyles:()=>v,configureLoadStyles:()=>p,configureRunMode:()=>m,detokenize:()=>y,flush:()=>g,loadStyles:()=>d,loadTheme:()=>f,splitStyles:()=>S});var n,r=function(){return r=Object.assign||function(e){for(var t,o=1,n=arguments.length;o0&&h(t)}))}function h(e,t){s.loadStyles?s.loadStyles(_(e).styleString,e):function(e){if("undefined"!=typeof document){var t=document.getElementsByTagName("head")[0],o=document.createElement("style"),n=_(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 f(e){s.theme=e,function(){if(s.theme){for(var e=[],t=0,o=s.registeredThemableStyles;t0&&(v(1),h([].concat.apply([],e)))}}()}function v(e){void 0===e&&(e=3),3!==e&&2!==e||(b(s.registeredStyles),s.registeredStyles=[]),3!==e&&1!==e||(b(s.registeredThemableStyles),s.registeredThemableStyles=[])}function b(e){e.forEach((function(e){var t=e&&e.styleElement;t&&t.parentElement&&t.parentElement.removeChild(t)}))}function y(e){return e&&(e=_(S(e)).styleString),e}function _(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 "'.concat(n,'". Falling back to "').concat(i,'".')),r||i}return e.rawString})).join(""),themable:o}}function S(e){var t=[];if(e){for(var o=0,n=void 0;n=l.exec(e);){var r=n.index;r>o&&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}},76914:(e,t,o)=>{"use strict";o.r(t),o.d(t,{ActionButton:()=>Hp,Calendar:()=>Up,Checkbox:()=>Yp,ChoiceGroup:()=>qp,ColorPicker:()=>Xp,ComboBox:()=>Zp,CommandBarButton:()=>jp,CommandButton:()=>zp,CompoundButton:()=>Wp,DatePicker:()=>Qp,DefaultButton:()=>Vp,Dropdown:()=>Jp,FileUploadButton:()=>sm,IconButton:()=>Kp,NormalPeoplePicker:()=>$p,PrimaryButton:()=>Gp,Rating:()=>em,SearchBox:()=>tm,Slider:()=>om,SpinButton:()=>nm,SwatchColorPicker:()=>rm,TextField:()=>im,Toggle:()=>am});var n={};o.r(n),o.d(n,{actionButton:()=>hu,buttonSelected:()=>fu,closeButton:()=>pu,itemButton:()=>gu,root:()=>uu,suggestionsAvailable:()=>Su,suggestionsContainer:()=>bu,suggestionsItem:()=>du,suggestionsItemIsSuggested:()=>mu,suggestionsNone:()=>yu,suggestionsSpinner:()=>_u,suggestionsTitle:()=>vu});var r={};o.r(r),o.d(r,{inputDisabled:()=>Vu,inputFocused:()=>Wu,picker:()=>ju,pickerInput:()=>Ku,pickerItems:()=>Gu,pickerText:()=>zu,screenReaderOnly:()=>Uu});var i=o(83923),a=o(31635);function s(e,t,o){void 0===o&&(o=0);for(var n=-1,r=o;e&&r=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,g=t-p,v=!1;return null!==u&&(g>=u&&m?v=!0:a=Math.min(a,u-g)),r>=s||v||o?h(t):null!==m&&e||!c||(m=n.setTimeout(f,a)),i},v=function(){return!!m},b=function(){for(var e=[],t=0;t-1)for(var a=o.split(/[ ,]+/),s=0;s=0||0===s.indexOf("data-")||0===s.indexOf("aria-"))||o&&-1!==(null==o?void 0:o.indexOf(s))||(r[s]=e[s])}return r}function J(e,t,o){var n=e[o],r=t[o];(n||r)&&(e[o]=function(){for(var e,t=[],o=0;o1?e[1]:""}return this.__className},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"_disposables",{get:function(){return this.__disposables||(this.__disposables=[]),this.__disposables},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"_async",{get:function(){return this.__async||(this.__async=new I(this),this._disposables.push(this.__async)),this.__async},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"_events",{get:function(){return this.__events||(this.__events=new M(this),this._disposables.push(this.__events)),this.__events},enumerable:!1,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){this.className,this.props},t.prototype._warnMutuallyExclusive=function(e){this.className,this.props},t.prototype._warnConditionallyRequiredProps=function(e,t,o){this.className,this.props},t.prototype._setComponentRef=function(e,t){!this._skipComponentRefResolution&&e&&("function"==typeof e&&e(t),"object"==typeof e&&(e.current=t))}}(i.Component);var ee=((H={})[f.up]=1,H[f.down]=1,H[f.left]=1,H[f.right]=1,H[f.home]=1,H[f.end]=1,H[f.tab]=1,H[f.pageUp]=1,H[f.pageDown]=1,H);function te(e){return!!ee[e]}var oe=new WeakMap,ne=new WeakMap;function re(e,t){var o,n=oe.get(e);return o=n?n+t:1,oe.set(e,o),o}function ie(e){var t=ne.get(e);return t||(t={onMouseDown:function(t){return ce(t,e.registeredProviders)},onPointerDown:function(t){return ue(t,e.registeredProviders)},onKeyDown:function(t){return de(t,e.registeredProviders)},onKeyUp:function(t){return pe(t,e.registeredProviders)}},ne.set(e,t),t)}var ae=i.createContext(void 0);function se(e){var t=i.useContext(ae);i.useEffect((function(){var o,n,r,i,a=(0,k.z)(null==e?void 0:e.current);if(a&&!0!==(null===(o=a.FabricConfig)||void 0===o?void 0:o.disableFocusRects)){var s,l,c,u,d=a;if((null===(n=null==t?void 0:t.providerRef)||void 0===n?void 0:n.current)&&(null===(i=null===(r=null==t?void 0:t.providerRef)||void 0===r?void 0:r.current)||void 0===i?void 0:i.addEventListener)){d=t.providerRef.current;var p=ie(t);s=p.onMouseDown,l=p.onPointerDown,c=p.onKeyDown,u=p.onKeyUp}else s=ce,l=ue,c=de,u=pe;var m=re(d,1);return m<=1&&(d.addEventListener("mousedown",s,!0),d.addEventListener("pointerdown",l,!0),d.addEventListener("keydown",c,!0),d.addEventListener("keyup",u,!0)),function(){var e;a&&!0!==(null===(e=a.FabricConfig)||void 0===e?void 0:e.disableFocusRects)&&0===(m=re(d,-1))&&(d.removeEventListener("mousedown",s,!0),d.removeEventListener("pointerdown",l,!0),d.removeEventListener("keydown",c,!0),d.removeEventListener("keyup",u,!0))}}}),[t,e])}var le=function(e){return se(e.rootRef),null};function ce(e,t){(0,v.Fy)(!1,e.target,t)}function ue(e,t){"mouse"!==e.pointerType&&(0,v.Fy)(!1,e.target,t)}function de(e,t){te(e.which)&&(0,v.Fy)(!0,e.target,t)}function pe(e,t){te(e.which)&&(0,v.Fy)(!0,e.target,t)}function me(){for(var e=[],t=0;t(e.cacheSize||50)){var g=(0,k.z)();(null===(s=null==g?void 0:g.FabricConfig)||void 0===s?void 0:s.enableClassNameCacheFullWarning)&&(console.warn("Styles are being recalculated too frequently. Cache miss rate is ".concat(o,"/").concat(n,".")),console.trace()),t.get(c).clear(),o=0,e.disableCaching=!0}return u[Ne]}}function He(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 je(e,t){if("function"==typeof t)if(t.__cachedInputs__)for(var o=0,n=t.__cachedInputs__;o0&&t.current.naturalHeight>0||t.current.complete&&Ke.test(a))&&c(Ae.loaded)})),i.useEffect((function(){null==o||o(l)}),[l]);var u=i.useCallback((function(e){null==n||n(e),a&&c(Ae.loaded)}),[a,n]),d=i.useCallback((function(e){null==r||r(e),c(Ae.error)}),[r]);return[l,u,d]}(e,n),s=r[0],l=r[1],c=r[2],u=Q(e,X,["width","height"]),d=e.src,p=e.alt,m=e.width,g=e.height,h=e.shouldFadeIn,f=void 0===h||h,v=e.shouldStartVisible,b=e.className,y=e.imageFit,_=e.role,S=e.maximizeFrame,C=e.styles,x=e.theme,P=e.loading,k=function(e,t,o,n){var r=i.useRef(t),a=i.useRef();return(void 0===a||r.current===Ae.notLoaded&&t===Ae.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===Ae.loaded&&(r===Fe.cover||r===Fe.contain||r===Fe.centerContain||r===Fe.centerCover)&&o.current&&n.current){var s;if(s="number"==typeof i&&"number"==typeof a&&r!==Fe.centerContain&&r!==Fe.centerCover?i/a:n.current.clientWidth/n.current.clientHeight,o.current.naturalWidth/o.current.naturalHeight>s)return Be.landscape}return Be.portrait}(e,t,o,n)),r.current=t,a.current}(e,s,n,o),I=Ve(C,{theme:x,className:b,width:m,height:g,maximizeFrame:S,shouldFadeIn:f,shouldStartVisible:v,isLoaded:s===Ae.loaded||s===Ae.notLoaded&&e.shouldStartVisible,isLandscape:k===Be.landscape,isCenter:y===Fe.center,isCenterContain:y===Fe.centerContain,isCenterCover:y===Fe.centerCover,isContain:y===Fe.contain,isCover:y===Fe.cover,isNone:y===Fe.none,isError:s===Ae.error,isNotImageFit:void 0===y});return i.createElement("div",{className:I.root,style:{width:m,height:g},ref:o},i.createElement("img",(0,a.__assign)({},u,{onLoad:l,onError:c,key:"fabricImage"+e.src||"",className:I.image,ref:We(n,t),src:d,alt:p,role:_,loading:P})))}));Ge.displayName="ImageBase";var Ue=o(18227),Ye={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"},qe=Pe(Ge,(function(e){var t=e.className,o=e.width,n=e.height,r=e.maximizeFrame,i=e.isLoaded,a=e.shouldFadeIn,s=e.shouldStartVisible,l=e.isLandscape,c=e.isCenter,u=e.isContain,d=e.isCover,p=e.isCenterContain,m=e.isCenterCover,g=e.isNone,h=e.isError,f=e.isNotImageFit,v=e.theme,b=(0,Ue.Km)(Ye,v),y={position:"absolute",left:"50% /* @noflip */",top:"50%",transform:"translate(-50%,-50%)"},_=(0,k.z)(),S=void 0!==_&&void 0===_.navigator.msMaxTouchPoints,C=u&&l||d&&!l?{width:"100%",height:"auto"}:{width:"auto",height:"100%"};return{root:[b.root,v.fonts.medium,{overflow:"hidden"},r&&[b.rootMaximizeFrame,{height:"100%",width:"100%"}],i&&a&&!s&&Ue.lw.fadeIn400,(c||u||d||p||m)&&{position:"relative"},t],image:[b.image,{display:"block",opacity:0},i&&["is-loaded",{opacity:1}],c&&[b.imageCenter,y],u&&[b.imageContain,S&&{width:"100%",height:"100%",objectFit:"contain"},!S&&C,!S&&y],d&&[b.imageCover,S&&{width:"100%",height:"100%",objectFit:"cover"},!S&&C,!S&&y],p&&[b.imageCenterContain,l&&{maxWidth:"100%"},!l&&{maxHeight:"100%"},y],m&&[b.imageCenterCover,l&&{maxHeight:"100%"},!l&&{maxWidth:"100%"},y],g&&[b.imageNone,{width:"auto",height:"auto"}],f&&[!!o&&!n&&{height:"auto",width:"100%"},!o&&!!n&&{height:"100%",width:"auto"},!!o&&!!n&&{height:"100%",width:"100%"}],l&&b.imageLandscape,!l&&b.imagePortrait,!i&&"is-notLoaded",a&&"is-fadeIn",h&&"is-error"]}}),void 0,{scope:"Image"},!0);qe.displayName="Image";var Xe=(0,Ue.l8)({root:{display:"inline-block"},placeholder:["ms-Icon-placeHolder",{width:"1em"}],image:["ms-Icon-imageContainer",{overflow:"hidden"}]}),Ze="ms-Icon",Qe=(0,c.J9)((function(e){var t=(0,Ue.sW)(e)||{subset:{},code:void 0},o=t.code,n=t.subset;return o?{children:o,iconClassName:n.className,fontFamily:n.fontFace&&n.fontFace.fontFamily,mergeImageProps:n.mergeImageProps}:null}),void 0,!0),Je=function(e){var t=e.iconName,o=e.className,n=e.style,r=void 0===n?{}:n,s=Qe(t)||{},l=s.iconClassName,c=s.children,d=s.fontFamily,p=s.mergeImageProps,m=Q(e,V),g=e["aria-label"]||e.title,h=e["aria-label"]||e["aria-labelledby"]||e.title?{role:p?void 0:"img"}:{"aria-hidden":!0},f=c;return p&&"object"==typeof c&&"object"==typeof c.props&&g&&(f=i.cloneElement(c,{alt:g})),i.createElement("i",(0,a.__assign)({"data-icon-name":t},h,m,p?{title:void 0,"aria-label":void 0}:{},{className:u(Ze,Xe.root,l,!t&&Xe.placeholder,o),style:(0,a.__assign)({fontFamily:d},r)}),f)},$e=((0,c.J9)((function(e,t,o){return Je({iconName:e,className:t,"aria-label":o})})),Le({cacheSize:100})),et=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===Ae.error&&o.setState({imageLoadError:!0})},o.state={imageLoadError:!1},o}return(0,a.__extends)(t,e),t.prototype.render=function(){var e=this.props,t=e.children,o=e.className,n=e.styles,r=e.iconName,s=e.imageErrorAs,l=e.theme,c="string"==typeof r&&0===r.length,u=!!this.props.imageProps||this.props.iconType===Ce.image||this.props.iconType===Ce.Image,d=Qe(r)||{},p=d.iconClassName,m=d.children,g=d.mergeImageProps,h=$e(n,{theme:l,className:o,iconClassName:p,isImage:u,isPlaceholder:c}),f=u?"span":"i",v=Q(this.props,V,["aria-label"]),b=this.state.imageLoadError,y=(0,a.__assign)((0,a.__assign)({},this.props.imageProps),{onLoadingStateChange:this._onImageLoadingStateChange}),_=b&&s||qe,S=this.props["aria-label"]||this.props.ariaLabel,C=y.alt||S||this.props.title,x=C||this.props["aria-labelledby"]||y["aria-label"]||y["aria-labelledby"]?{role:u||g?void 0:"img","aria-label":u||g?void 0:C}:{"aria-hidden":!0},P=m;return g&&m&&"object"==typeof m&&C&&(P=i.cloneElement(m,{alt:C})),i.createElement(f,(0,a.__assign)({"data-icon-name":r},x,v,g?{title:void 0,"aria-label":void 0}:{},{className:h.root}),u?i.createElement(_,(0,a.__assign)({},y)):t||P)},t}(i.Component),tt=Pe(et,(function(e){var t=e.className,o=e.iconClassName,n=e.isPlaceholder,r=e.isImage,i=e.styles;return{root:[n&&Xe.placeholder,Xe.root,r&&Xe.image,o,t,i&&i.root,i&&i.imageContainer]}}),void 0,{scope:"Icon"},!0);tt.displayName="Icon";var ot,nt=function(e){var t=e.className,o=e.imageProps,n=Q(e,V,["aria-label","aria-labelledby","title","aria-describedby"]),r=o.alt||e["aria-label"],s=r||e["aria-labelledby"]||e.title||o["aria-label"]||o["aria-labelledby"]||o.title,l={"aria-labelledby":e["aria-labelledby"],"aria-describedby":e["aria-describedby"],title:e.title},c=s?{}:{"aria-hidden":!0};return i.createElement("div",(0,a.__assign)({},c,n,{className:u(Ze,Xe.root,Xe.image,t)}),i.createElement(qe,(0,a.__assign)({},l,o,{alt:s?r:""})))},rt={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},it=(0,c.J5)((function(e){return(0,c.J5)((function(t){var o=(0,c.J5)((function(e){return function(o){return t(o,e)}}));return function(n,r){return e(n,r?o(r):t)}}))}));function at(e,t){return it(e)(t)}!function(e){e[e.Normal=0]="Normal",e[e.Divider=1]="Divider",e[e.Header=2]="Header",e[e.Section=3]="Section"}(ot||(ot={}));var st;function lt(e,t,o){void 0===o&&(o=!0);var n=!1;if(e&&t)if(o)if(e===t)n=!0;else for(n=!1;t;){var r=p(t);if(r===e){n=!0;break}t=r}else e.contains&&(n=e.contains(t));return n}!function(e){e[e.vertical=0]="vertical",e[e.horizontal=1]="horizontal",e[e.bidirectional=2]="bidirectional",e[e.domOrder=3]="domOrder"}(st||(st={}));var ct="data-is-focusable",ut="data-is-visible",dt="data-focuszone-id",pt="data-is-sub-focuszone";function mt(e,t,o,n){return ft(e,t,!0,!1,!1,o,void 0,void 0,void 0,n)}function gt(e,t,o,n){return ht(e,t,!0,!1,!0,o,void 0,void 0,n)}function ht(e,t,o,n,r,i,a,s,l){var c;if(!t||!a&&t===e)return null;var u=vt(t);if(r&&u&&(i||!_t(t)&&!St(t))){var d=ht(e,t.lastElementChild||l&&(null===(c=t.shadowRoot)||void 0===c?void 0:c.lastElementChild),!0,!0,!0,i,a,s,l);if(d){if(s&&yt(d,!0,l)||!s)return d;var p=ht(e,d.previousElementSibling,!0,!0,!0,i,a,s,l);if(p)return p;for(var m=d.parentElement;m&&m!==t;){var g=ht(e,m.previousElementSibling,!0,!0,!0,i,a,s,l);if(g)return g;m=m.parentElement}}}return o&&u&&yt(t,s,l)?t:ht(e,t.previousElementSibling,!0,!0,!0,i,a,s,l)||(n?null:ht(e,t.parentElement,!0,!1,!1,i,a,s,l))}function ft(e,t,o,n,r,i,a,s,l,c){var u;if(!t||t===e&&r&&!a)return null;var d=(l?bt:vt)(t);if(o&&d&&yt(t,s,c))return t;if(!r&&d&&(i||!_t(t)&&!St(t))){var p=ft(e,t.firstElementChild||c&&(null===(u=t.shadowRoot)||void 0===u?void 0:u.firstElementChild),!0,!0,!1,i,a,s,l,c);if(p)return p}return t===e?null:ft(e,t.nextElementSibling,!0,!0,!1,i,a,s,l,c)||(n?null:ft(e,t.parentElement,!1,!1,!0,i,a,s,l,c))}function vt(e){if(!e||!e.getAttribute)return!1;var t=e.getAttribute(ut);return null!=t?"true"===t:0!==e.offsetHeight||null!==e.offsetParent||!0===e.isVisible}function bt(e,t){var o=null!=t?t:(0,k.z)();return!!e&&vt(e)&&!e.hidden&&"hidden"!==o.getComputedStyle(e).visibility}function yt(e,t,o){if(void 0===o&&(o=!0),!e||e.disabled)return!1;var n=0,r=null;e&&e.getAttribute&&(r=e.getAttribute("tabIndex"))&&(n=parseInt(r,10));var i=e.getAttribute?e.getAttribute(ct):null,a=null!==r&&n>=0,s=!(!o||!e.shadowRoot||!e.shadowRoot.delegatesFocus),l=!!e&&"false"!==i&&("A"===e.tagName||"BUTTON"===e.tagName||"INPUT"===e.tagName||"TEXTAREA"===e.tagName||"SELECT"===e.tagName||"true"===i||a||s);return t?-1!==n&&l:l}function _t(e){return!!(e&&e.getAttribute&&e.getAttribute(dt))}function St(e){return!(!e||!e.getAttribute||"true"!==e.getAttribute(pt))}function Ct(e,t,o){return"true"!==function(e,t,o){var n=m(e,(function(e){return e.hasAttribute(t)}),o);return n&&n.getAttribute(t)}(e,t,null!=o?o:(0,w.Y)())}var xt=void 0;function Pt(e){if(e){var t=(0,k.z)(e);t&&(void 0!==xt&&t.cancelAnimationFrame(xt),xt=t.requestAnimationFrame((function(){e&&e.focus(),xt=void 0})))}}var kt,It=o(52606),wt=0,Tt=(0,It.Z)({overflow:"hidden !important"}),Et="data-is-scrollable",Dt=function(e){e.preventDefault()};function Mt(e){for(var t=e,o=(0,w.Y)(e);t&&t!==o.body;){if("true"===t.getAttribute(Et))return t;t=t.parentElement}for(t=e;t&&t!==o.body;){if("false"!==t.getAttribute(Et)){var n=getComputedStyle(t),r=n?n.getPropertyValue("overflow-y"):"";if(r&&("scroll"===r||"auto"===r))return t}t=t.parentElement}return t&&t!==o.body||(t=(0,k.z)(e)),t}var Ot,Rt=i.createContext(void 0),Ft="data-is-focusable",Bt="data-focuszone-id",At="tabindex",Nt="data-no-vertical-wrap",Lt="data-no-horizontal-wrap",Ht=999999999,jt=-999999999;function zt(e,t){var o;"function"==typeof MouseEvent?o=new MouseEvent("click",{ctrlKey:null==t?void 0:t.ctrlKey,metaKey:null==t?void 0:t.metaKey,shiftKey:null==t?void 0:t.shiftKey,altKey:null==t?void 0:t.altKey,bubbles:null==t?void 0:t.bubbles,cancelable:null==t?void 0:t.cancelable}):(o=document.createEvent("MouseEvents")).initMouseEvent("click",!!t&&t.bubbles,!!t&&t.cancelable,window,0,0,0,0,0,!!t&&t.ctrlKey,!!t&&t.altKey,!!t&&t.shiftKey,!!t&&t.metaKey,0,null),e.dispatchEvent(o)}var Wt,Vt={},Kt=new Set,Gt=["text","number","password","email","tel","url","search","textarea"],Ut=!1,Yt=function(e){function t(o){var n,r,a,s,c=this;(c=e.call(this,o)||this)._root=i.createRef(),c._mergedRef=l(),c._onFocus=function(e){if(!c._portalContainsElement(e.target)){var t,o=c.props,n=o.onActiveElementChanged,r=o.doNotAllowFocusEventToPropagate,i=o.stopFocusPropagation,a=o.onFocusNotification,s=o.onFocus,l=o.shouldFocusInnerElementWhenReceivedFocus,u=o.defaultTabbableElement,d=c._isImmediateDescendantOfZone(e.target);if(d)t=e.target;else for(var m=e.target;m&&m!==c._root.current;){if(yt(m,void 0,c._inShadowRoot)&&c._isImmediateDescendantOfZone(m)){t=m;break}m=p(m,Ut)}if(l&&e.target===c._root.current){var g=u&&"function"==typeof u&&c._root.current&&u(c._root.current);g&&yt(g,void 0,c._inShadowRoot)?(t=g,g.focus()):(c.focus(!0),c._activeElement&&(t=null))}var h=!c._activeElement;t&&t!==c._activeElement&&((d||h)&&c._setFocusAlignment(t,!0,!0),c._activeElement=t,h&&c._updateTabIndexes()),n&&n(c._activeElement,e),(i||r)&&e.stopPropagation(),s?s(e):a&&a()}},c._onBlur=function(){c._setParkedFocus(!1)},c._onMouseDown=function(e){if(!c._portalContainsElement(e.target)&&!c.props.disabled){for(var t=e.target,o=[];t&&t!==c._root.current;)o.push(t),t=p(t,Ut);for(;o.length&&((t=o.pop())&&yt(t,void 0,c._inShadowRoot)&&c._setActiveElement(t,!0),!_t(t)););}},c._onKeyDown=function(e,t){if(!c._portalContainsElement(e.target)){var o=c.props,n=o.direction,r=o.disabled,i=o.isInnerZoneKeystroke,a=o.pagingSupportDisabled,s=o.shouldEnterInnerZone;if(!(r||(c.props.onKeyDown&&c.props.onKeyDown(e),e.isDefaultPrevented()||c._getDocument().activeElement===c._root.current&&c._isInnerZone))){if((s&&s(e)||i&&i(e))&&c._isImmediateDescendantOfZone(e.target)){var l=c._getFirstInnerZone();if(l){if(!l.focus(!0))return}else{if(!St(e.target))return;if(!c.focusElement(ft(e.target,e.target.firstChild,!0)))return}}else{if(e.altKey)return;switch(e.which){case f.space:if(c._shouldRaiseClicksOnSpace&&c._tryInvokeClickForFocusable(e.target,e))break;return;case f.left:if(n!==st.vertical&&(c._preventDefaultWhenHandled(e),c._moveFocusLeft(t)))break;return;case f.right:if(n!==st.vertical&&(c._preventDefaultWhenHandled(e),c._moveFocusRight(t)))break;return;case f.up:if(n!==st.horizontal&&(c._preventDefaultWhenHandled(e),c._moveFocusUp()))break;return;case f.down:if(n!==st.horizontal&&(c._preventDefaultWhenHandled(e),c._moveFocusDown()))break;return;case f.pageDown:if(!a&&c._moveFocusPaging(!0))break;return;case f.pageUp:if(!a&&c._moveFocusPaging(!1))break;return;case f.tab:if(c.props.allowTabKey||1===c.props.handleTabKey||2===c.props.handleTabKey&&c._isElementInput(e.target)){var u=!1;if(c._processingTabKey=!0,u=n!==st.vertical&&c._shouldWrapFocus(c._activeElement,Lt)?(De(t)?!e.shiftKey:e.shiftKey)?c._moveFocusLeft(t):c._moveFocusRight(t):e.shiftKey?c._moveFocusUp():c._moveFocusDown(),c._processingTabKey=!1,u)break;c.props.shouldResetActiveElementWhenTabFromZone&&(c._activeElement=null)}return;case f.home:if(c._isContentEditableElement(e.target)||c._isElementInput(e.target)&&!c._shouldInputLoseFocus(e.target,!1))return!1;var d=c._root.current&&c._root.current.firstChild;if(c._root.current&&d&&c.focusElement(ft(c._root.current,d,!0)))break;return;case f.end:if(c._isContentEditableElement(e.target)||c._isElementInput(e.target)&&!c._shouldInputLoseFocus(e.target,!0))return!1;var p=c._root.current&&c._root.current.lastChild;if(c._root.current&&c.focusElement(ht(c._root.current,p,!0,!0,!0)))break;return;case f.enter:if(c._shouldRaiseClicksOnEnter&&c._tryInvokeClickForFocusable(e.target,e))break;return;default:return}}e.preventDefault(),e.stopPropagation()}}},c._getHorizontalDistanceFromCenter=function(e,t,o){var n=c._focusAlignment.left||c._focusAlignment.x||0,r=Math.floor(o.top),i=Math.floor(t.bottom),a=Math.floor(o.bottom),s=Math.floor(t.top);return e&&r>i||!e&&a=o.left&&n<=o.left+o.width?0:Math.abs(o.left+o.width/2-n):c._shouldWrapFocus(c._activeElement,Nt)?Ht:jt},_(c),c._id=N("FocusZone"),c._focusAlignment={left:0,top:0},c._processingTabKey=!1;var u=null===(r=null!==(n=o.shouldRaiseClicks)&&void 0!==n?n:t.defaultProps.shouldRaiseClicks)||void 0===r||r;return c._shouldRaiseClicksOnEnter=null!==(a=o.shouldRaiseClicksOnEnter)&&void 0!==a?a:u,c._shouldRaiseClicksOnSpace=null!==(s=o.shouldRaiseClicksOnSpace)&&void 0!==s?s:u,c}return(0,a.__extends)(t,e),t.getOuterZones=function(){return Kt.size},t._onKeyDownCapture=function(e){e.which===f.tab&&Kt.forEach((function(e){return e._updateTabIndexes()}))},t.prototype.componentDidMount=function(){var e,o=this._root.current;if(this._inShadowRoot=!!(null===(e=this.context)||void 0===e?void 0:e.shadowRoot),Vt[this._id]=this,o){for(var n=p(o,Ut);n&&n!==this._getDocument().body&&1===n.nodeType;){if(_t(n)){this._isInnerZone=!0;break}n=p(n,Ut)}this._isInnerZone||(Kt.add(this),this._root.current&&this._root.current.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,t=this._root.current,o=this._getDocument();if(this._inShadowRoot=!!(null===(e=this.context)||void 0===e?void 0:e.shadowRoot),(this._activeElement&&!lt(this._root.current,this._activeElement,Ut)||this._defaultFocusElement&&!lt(this._root.current,this._defaultFocusElement,Ut))&&(this._activeElement=null,this._defaultFocusElement=null,this._updateTabIndexes()),!this.props.preventFocusRestoration&&o&&this._lastIndexPath&&(o.activeElement===o.body||null===o.activeElement||o.activeElement===t)){var n=function(e,t){for(var o=e,n=0,r=t;n-1&&(-1===i||u=0&&u<0)break}}while(r);if(a&&a!==this._activeElement)s=!0,this.focusElement(a);else if(this.props.isCircularNavigation&&n)return e?this.focusElement(ft(this._root.current,this._root.current.firstElementChild,!0)):this.focusElement(ht(this._root.current,this._root.current.lastElementChild,!0,!0,!0));return s},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,Nt)?Ht:jt:((-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,Lt);return!!this._moveFocus(De(e),(function(n,r){var i=-1;return(De(e)?parseFloat(r.top.toFixed(3))parseFloat(n.top.toFixed(3)))&&r.right<=n.right&&t.props.direction!==st.vertical?i=n.right-r.right:o||(i=jt),i}),void 0,o)&&(this._setFocusAlignment(this._activeElement,!0,!1),!0)},t.prototype._moveFocusRight=function(e){var t=this,o=this._shouldWrapFocus(this._activeElement,Lt);return!!this._moveFocus(!De(e),(function(n,r){var i=-1;return(De(e)?parseFloat(r.bottom.toFixed(3))>parseFloat(n.top.toFixed(3)):parseFloat(r.top.toFixed(3))=n.left&&t.props.direction!==st.vertical?i=r.left-n.left:o||(i=jt),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=Mt(o);if(!n)return!1;var r=-1,i=void 0,a=-1,s=-1,l=n.clientHeight,c=o.getBoundingClientRect();do{if(o=e?ft(this._root.current,o):ht(this._root.current,o)){var u=o.getBoundingClientRect(),d=Math.floor(u.top),p=Math.floor(c.bottom),m=Math.floor(u.bottom),g=Math.floor(c.top),h=this._getHorizontalDistanceFromCenter(e,c,u);if(e&&d>p+l||!e&&m-1&&(e&&d>a?(a=d,r=h,i=o):!e&&m-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||Ct(e,t)},t.prototype._portalContainsElement=function(e){return e&&!!this._root.current&&h(e,this._root.current)},t.prototype._getDocument=function(){return(0,w.Y)(this._root.current)},t.contextType=Rt,t.defaultProps={isCircularNavigation:!1,direction:st.bidirectional,shouldRaiseClicks:!0,"data-tabster":'{"uncontrolled": {}}'},t}(i.Component);function qt(e){var t;if(void 0===Wt||e){var o=(0,k.z)(),n=null===(t=null==o?void 0:o.navigator)||void 0===t?void 0:t.userAgent;Wt=!!n&&-1!==n.indexOf("Macintosh")}return!!Wt}var Xt=function(){return!!(window&&window.navigator&&window.navigator.userAgent)&&/iPad|iPhone|iPod/i.test(window.navigator.userAgent)};function Zt(e,t){for(var o=(0,a.__assign)({},t),n=0,r=Object.keys(e);nt.bottom||e.leftt.right)}function po(e,t){var o=[];return e.topt.bottom&&o.push(Qt.bottom),e.leftt.right&&o.push(Qt.right),o}function mo(e,t){return e[Qt[t]]}function go(e,t,o){return e[Qt[t]]=o,e}function ho(e,t){var o=wo(t);return(mo(e,o.positiveEdge)+mo(e,o.negativeEdge))/2}function fo(e,t){return e>0?t:-1*t}function vo(e,t){return fo(e,mo(t,e))}function bo(e,t,o){return fo(o,mo(e,o)-mo(t,o))}function yo(e,t,o,n){void 0===n&&(n=!0);var r=mo(e,t)-o,i=go(e,t,o);return n&&(i=go(e,-1*t,mo(e,-1*t)-r)),i}function _o(e,t,o,n){return void 0===n&&(n=0),yo(e,o,mo(t,o)+fo(o,n))}function So(e,t,o){return vo(o,e)>vo(o,t)}function Co(e,t){for(var o=0,n=0,r=po(e,t);n=n}function Po(e,t,o,n){for(var r=0,i=e;rMath.abs(bo(e,o,-1*t))?-1*t:t}function Eo(e,t,o,n,r,i,a,s){var l,c={},u=Oo(t),d=i?o:-1*o,p=r||wo(o).positiveEdge;return a&&!function(e,t,o){return void 0!==o&&mo(e,t)===mo(o,t)}(e,(l=p,-1*l),n)||(p=To(e,p,n)),c[Qt[d]]=bo(e,u,d),c[Qt[p]]=bo(e,u,p),s&&(c[Qt[-1*d]]=bo(e,u,-1*d),c[Qt[-1*p]]=bo(e,u,-1*p)),c}function Do(e,t,o){var n=ho(t,e),r=ho(o,e),i=wo(e),a=i.positiveEdge,s=i.negativeEdge;return n<=r?a:s}function Mo(e,t,o,n,r,i,a,s,l){void 0===i&&(i=!1);var c=Io(e,t,n,r,l);return uo(c,o)?{elementRectangle:c,targetEdge:n.targetEdge,alignmentEdge:n.alignmentEdge}:function(e,t,o,n,r,i,a,s,l){void 0===r&&(r=!1),void 0===a&&(a=0);var c=n.alignmentEdge,u=n.alignTargetEdge,d={elementRectangle:e,targetEdge:n.targetEdge,alignmentEdge:c};s||l||(d=function(e,t,o,n,r,i,a){void 0===r&&(r=!1),void 0===a&&(a=0);var s=[Qt.left,Qt.right,Qt.bottom,Qt.top];De()&&(s[0]*=-1,s[1]*=-1);for(var l,c=e,u=n.targetEdge,d=n.alignmentEdge,p=u,m=d,g=0;g<4;g++){if(So(c,o,u))return{elementRectangle:c,targetEdge:u,alignmentEdge:d};if(r&&xo(t,o,u,i)){switch(u){case Qt.bottom:c.bottom=o.bottom;break;case Qt.top:c.top=o.top}return{elementRectangle:c,targetEdge:u,alignmentEdge:d,forcedInBounds:!0}}var h=Co(c,o);(!l||h0&&(s.indexOf(-1*u)>-1?u*=-1:(d=u,u=s.slice(-1)[0]),c=Io(e,t,{targetEdge:u,alignmentEdge:d},a))}return{elementRectangle:c=Io(e,t,{targetEdge:p,alignmentEdge:m},a),targetEdge:p,alignmentEdge:m}}(e,t,o,n,r,i,a));var p=po(d.elementRectangle,o),m=s?-d.targetEdge:void 0;if(p.length>0)if(u)if(d.alignmentEdge&&p.indexOf(-1*d.alignmentEdge)>-1){var g=function(e,t,o,n){var r=e.alignmentEdge,i=e.targetEdge,a=-1*r;return{elementRectangle:Io(e.elementRectangle,t,{targetEdge:i,alignmentEdge:a},o,n),targetEdge:i,alignmentEdge:a}}(d,t,a,l);if(uo(g.elementRectangle,o))return g;d=Po(po(g.elementRectangle,o),d,o,m)}else d=Po(p,d,o,m);else d=Po(p,d,o,m);return d}(c,t,o,n,i,a,r,s,l)}function Oo(e){var t=e.getBoundingClientRect();return new so(t.left,t.right,t.top,t.bottom)}function Ro(e,t,o,n,r,i){void 0===r&&(r=!1);var s=e.gapSpace?e.gapSpace:0,l=function(e,t){var o;if(t){if(t.preventDefault){var n=t;o=new so(n.clientX,n.clientX,n.clientY,n.clientY)}else if(t.getBoundingClientRect)o=Oo(t);else{var r=t,i=r.left||r.x,a=r.top||r.y,s=r.right||i,l=r.bottom||a;o=new so(i,s,a,l)}if(!uo(o,e))for(var c=0,u=po(o,e);cMath.abs(mo(g,f)),b[Qt[f]]=mo(g,f),b[Qt[y]]=bo(g,v,y),{elementPosition:(0,a.__assign)({},b),closestEdge:Do(m.targetEdge,g,v),targetEdge:f,hideBeak:!_});return(0,a.__assign)((0,a.__assign)({},function(e,t,o,n,r){return{elementPosition:Eo(e.elementRectangle,t,e.targetEdge,o,e.alignmentEdge,n,r,e.forcedInBounds),targetEdge:e.targetEdge,alignmentEdge:e.alignmentEdge}}(x,t,C,e.coverTarget,s)),{beakPosition:P})}var Ao=["TEMPLATE","STYLE","SCRIPT"];function No(e){var t=(0,w.Y)(e);if(!t)return function(){};for(var o=[];e!==t.body&&e.parentElement;){for(var n=0,r=e.parentElement.children;n0&&s>i&&(n=s-i>1)}r!==n&&a(n)}})),function(){return o.dispose()}})),r}(o,n),v=i.useCallback((function(e){e.which===f.escape&&g&&(g(e),e.preventDefault(),e.stopPropagation())}),[g]);return Ho(zo(),"keydown",v),i.createElement("div",(0,a.__assign)({ref:r},Q(o,Z),{className:l,role:s,"aria-label":c,"aria-labelledby":u,"aria-describedby":d,onKeyDown:v,style:(0,a.__assign)({overflowY:h?"scroll":void 0,outline:"none"},p)}),m)}));function Go(e){var t=i.useRef();return void 0===t.current&&(t.current={value:"function"==typeof e?e():e}),t.current.value}function Uo(e,t){var o,n,r,a=i.useRef(),s=i.useRef(null),l=zo();if(!e||e!==a.current||"string"==typeof e){var c=null==t?void 0:t.current;if(e)if("string"==typeof e)if(null===(o=null==c?void 0:c.getRootNode())||void 0===o?void 0:o.host)s.current=null!==(r=null===(n=null==c?void 0:c.getRootNode())||void 0===n?void 0:n.querySelector(e))&&void 0!==r?r:null;else{var u=(0,w.Y)(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]}Ko.displayName="Popup";var Yo,qo=function(){var e;return(null!==(e=Wo())&&void 0!==e?e:"undefined"!=typeof document)?document:void 0},Xo=function(){var e;return(null!==(e=zo())&&void 0!==e?e:"undefined"!=typeof window)?window:void 0},Zo=function(e){var t,o;return(null!==(o=null===(t=null==e?void 0:e.window)||void 0===t?void 0:t.document)&&void 0!==o?o:"undefined"!=typeof document)?document:void 0},Qo=function(e){var t;return(null!==(t=null==e?void 0:e.window)&&void 0!==t?t:"undefined"!=typeof window)?window:void 0},Jo=((Yo={})[Qt.top]=Ue.lw.slideUpIn10,Yo[Qt.bottom]=Ue.lw.slideDownIn10,Yo[Qt.left]=Ue.lw.slideLeftIn10,Yo[Qt.right]=Ue.lw.slideRightIn10,Yo),$o={opacity:0,filter:"opacity(0)",pointerEvents:"none"},en=["role","aria-roledescription"],tn={preventDismissOnLostFocus:!1,preventDismissOnScroll:!1,preventDismissOnResize:!1,isBeakVisible:!0,beakWidth:16,gapSpace:0,minPagePadding:8,directionalHint:rt.bottomAutoEdge},on=Le({disableCaching:!0});function nn(e,t,o,n){var r,a=e.calloutMaxHeight,s=e.finalHeight,l=e.directionalHint,c=e.directionalHintFixed,u=e.hidden,d=e.gapSpace,p=e.beakWidth,m=e.isBeakVisible,g=e.coverTarget,h=i.useState(),f=h[0],v=h[1],b=null!==(r=null==n?void 0:n.elementPosition)&&void 0!==r?r:{},y=b.top,_=b.bottom,S=(null==o?void 0:o.current)?function(e){var t,o,n,r,i=e,a=e,s=e,l=null!==(t=s.left)&&void 0!==t?t:s.x,c=null!==(o=s.top)&&void 0!==o?o:s.y,u=null!==(n=s.right)&&void 0!==n?n:l,d=null!==(r=s.bottom)&&void 0!==r?r:c;return i.stopPropagation?new so(i.clientX,i.clientX,i.clientY,i.clientY):void 0!==l&&void 0!==c?new so(l,u,c,d):Oo(a)}(o.current):void 0;return i.useEffect((function(){var e,o,r=null!==(e=t())&&void 0!==e?e:{},i=r.top,s=r.bottom;(null==n?void 0:n.targetEdge)===Qt.top&&(null==S?void 0:S.top)&&!g&&(s=S.top-function(e,t,o){return Fo(e,t,o)}(m,p,d)),"number"==typeof y&&s?o=s-y:"number"==typeof _&&"number"==typeof i&&s&&(o=s-i-_),v(!a&&!u||a&&o&&a>o?o:a||void 0)}),[_,a,s,l,c,t,u,n,y,d,p,m,S,g]),f}function rn(e,t,o,n,r,s){var l,c=i.useState(),u=c[0],d=c[1],p=i.useRef(0),m=i.useRef(),g=Lo(),h=e.hidden,f=e.target,v=e.finalHeight,b=e.calloutMaxHeight,y=e.onPositioned,_=e.directionalHint,S=e.hideOverflow,C=e.preferScrollResizePositioning,x=Xo(),P=i.useRef();P.current!==s.current&&(P.current=s.current,l=s.current?null==x?void 0:x.getComputedStyle(s.current):void 0);var I=null==l?void 0:l.overflowY;return i.useEffect((function(){if(!h){var i=g.requestAnimationFrame((function(){var i,s,l,c;if(t.current&&o){var g=(0,a.__assign)((0,a.__assign)({},e),{target:n.current,bounds:r()}),h=o.cloneNode(!0);h.style.maxHeight=b?"".concat(b):"",h.style.visibility="hidden",null===(i=o.parentElement)||void 0===i||i.appendChild(h);var _=m.current===f?u:void 0,P=C&&!(S||"clip"===I||"hidden"===I),w=v?function(e,t,o,n,r){return function(e,t,o,n,r){return Bo(e,t,o,n,!1,void 0,!0,null!=r?r:(0,k.z)())}(e,t,o,n,r)}(g,t.current,h,_,x):function(e,t,o,n,r,i,a){return Bo(e,t,o,n,r,void 0,void 0,a)}(g,t.current,h,_,P,0,x);null===(s=o.parentElement)||void 0===s||s.removeChild(h),!u&&w||u&&w&&(c=w,!ln((l=u).elementPosition,c.elementPosition)||!ln(l.beakPosition.elementPosition,c.beakPosition.elementPosition))&&p.current<5?(p.current++,d(w)):p.current>0&&(p.current=0,null==y||y(u))}}),o);return m.current=f,function(){g.cancelAnimationFrame(i),m.current=void 0}}d(void 0),p.current=0}),[h,_,g,o,b,t,n,v,r,y,u,e,f,S,C,I,x]),u}var an=i.memo(i.forwardRef((function(e,t){var o=Zt(tn,e),n=o.styles,r=o.style,s=o.ariaLabel,l=o.ariaDescribedBy,c=o.ariaLabelledBy,d=o.className,p=o.isBeakVisible,m=o.children,g=o.beakWidth,h=o.calloutWidth,f=o.calloutMaxWidth,v=o.calloutMinWidth,b=o.doNotLayer,y=o.finalHeight,_=o.hideOverflow,S=void 0===_?!!y:_,C=o.backgroundColor,x=o.calloutMaxHeight,P=o.onScroll,k=o.shouldRestoreFocus,I=void 0===k||k,w=o.target,T=o.hidden,E=o.onLayerMounted,D=o.popupProps,M=i.useRef(null),O=We(i.useRef(null),null==D?void 0:D.ref),R=i.useState(null),F=R[0],B=R[1],A=i.useCallback((function(e){B(e)}),[]),N=We(M,t),L=Uo(o.target,{current:F}),H=L[0],j=L[1],z=function(e,t,o){var n=e.bounds,r=e.minPagePadding,a=void 0===r?tn.minPagePadding:r,s=e.target,l=i.useState(!1),c=l[0],u=l[1],d=i.useRef(),p=i.useCallback((function(){if(!d.current||c){var e="function"==typeof n?o?n(s,o):void 0:n;!e&&o&&(e=function(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)}(t.current,o),e={top:e.top+a,left:e.left+a,right:e.right-a,bottom:e.bottom-a,width:e.width-2*a,height:e.height-2*a}),d.current=e,c&&u(!1)}return d.current}),[n,a,s,t,o,c]),m=Lo();return Ho(o,"resize",m.debounce((function(){u(!0)}),500,{leading:!0})),p}(o,H,j),W=rn(o,M,F,H,z,O),V=nn(o,z,H,W),K=function(e,t,o,n,r){var a=e.hidden,s=e.onDismiss,l=e.preventDismissOnScroll,c=e.preventDismissOnResize,u=e.preventDismissOnLostFocus,d=e.dismissOnTargetClick,p=e.shouldDismissOnWindowFocus,m=e.preventDismissOnEvent,g=i.useRef(!1),h=Lo(),f=Go([function(){g.current=!0},function(){g.current=!1}]),v=!!t;return i.useEffect((function(){var e=function(e){v&&!l&&f(e)},t=function(e){c||m&&m(e)||null==s||s(e)},i=function(e){u||f(e)},f=function(e){var t=e.composedPath?e.composedPath():[],i=t.length>0?t[0]:e.target,a=o.current&&!lt(o.current,i);if(a&&g.current)g.current=!1;else if(!n.current&&a||e.target!==r&&a&&(!n.current||"stopPropagation"in n.current||d||i!==n.current&&!lt(n.current,i))){if(m&&m(e))return;null==s||s(e)}},b=function(e){p&&((!m||m(e))&&(m||u)||(null==r?void 0:r.document.hasFocus())||null!==e.relatedTarget||null==s||s(e))},y=new Promise((function(o){h.setTimeout((function(){if(!a&&r){var n=[io(r,"scroll",e,!0),io(r,"resize",t,!0),io(r.document.documentElement,"focus",i,!0),io(r.document.documentElement,"click",i,!0),io(r,"blur",b,!0)];o((function(){n.forEach((function(e){return e()}))}))}}),0)}));return function(){y.then((function(e){return e()}))}}),[a,h,o,n,r,s,p,d,u,c,l,v,m]),f}(o,W,M,H,j),G=K[0],U=K[1],Y=(null==W?void 0:W.elementPosition.top)&&(null==W?void 0:W.elementPosition.bottom),q=(0,a.__assign)((0,a.__assign)({},null==W?void 0:W.elementPosition),{maxHeight:V});if(Y&&(q.bottom=void 0),function(e,t,o){var n=e.hidden,r=e.setInitialFocus,a=Lo(),s=!!t;i.useEffect((function(){if(!n&&r&&s&&o){var e=a.requestAnimationFrame((function(){return!!(t=ft(e=o,e,!0,!1,!1,!0,void 0,void 0,void 0,void 0))&&(Pt(t),!0);var e,t}),o);return function(){return a.cancelAnimationFrame(e)}}}),[n,s,a,o,r])}(o,W,F),i.useEffect((function(){T||null==E||E()}),[T]),!j)return null;var X=S,J=p&&!!w,$=on(n,{theme:o.theme,className:d,overflowYHidden:X,calloutWidth:h,positions:W,beakWidth:g,backgroundColor:C,calloutMaxWidth:f,calloutMinWidth:v,doNotLayer:b}),ee=(0,a.__assign)((0,a.__assign)({maxHeight:x||"100%"},r),X&&{overflowY:"hidden"}),te=o.hidden?{visibility:"hidden"}:void 0;return i.createElement("div",{ref:N,className:$.container,style:te},i.createElement("div",(0,a.__assign)({},Q(o,Z,en),{className:u($.root,W&&W.targetEdge&&Jo[W.targetEdge]),style:W?(0,a.__assign)({},q):$o,tabIndex:-1,ref:A}),J&&i.createElement("div",{className:$.beak,style:sn(W)}),J&&i.createElement("div",{className:$.beakCurtain}),i.createElement(Ko,(0,a.__assign)({role:o.role,"aria-roledescription":o["aria-roledescription"],ariaDescribedBy:l,ariaLabel:s,ariaLabelledBy:c,className:$.calloutMain,onDismiss:o.onDismiss,onMouseDown:G,onMouseUp:U,onRestoreFocus:o.onRestoreFocus,onScroll:P,shouldRestoreFocus:I,style:ee},D,{ref:O}),m)))})),(function(e,t){return!(t.shouldUpdateWhenHidden||!e.hidden||!t.hidden)||T(e,t)}));function sn(e){var t,o,n=(0,a.__assign)((0,a.__assign)({},null===(t=null==e?void 0:e.beakPosition)||void 0===t?void 0:t.elementPosition),{display:(null===(o=null==e?void 0:e.beakPosition)||void 0===o?void 0:o.hideBeak)?"none":void 0});return n.top||n.bottom||n.left||n.right||(n.left=0,n.top=0),n}function ln(e,t){for(var o in t)if(t.hasOwnProperty(o)){var n=e[o],r=t[o];if(void 0===n||void 0===r)return!1;if(n.toFixed(2)!==r.toFixed(2))return!1}return!0}function cn(e){return{height:e,width:e}}an.displayName="CalloutContentBase";var un={container:"ms-Callout-container",root:"ms-Callout",beak:"ms-Callout-beak",beakCurtain:"ms-Callout-beakCurtain",calloutMain:"ms-Callout-main"},dn=Pe(an,(function(e){var t,o=e.theme,n=e.className,r=e.overflowYHidden,i=e.calloutWidth,a=e.beakWidth,s=e.backgroundColor,l=e.calloutMaxWidth,c=e.calloutMinWidth,u=e.doNotLayer,d=(0,Ue.Km)(un,o),p=o.semanticColors,m=o.effects;return{container:[d.container,{position:"relative"}],root:[d.root,o.fonts.medium,{position:"absolute",display:"flex",zIndex:u?Ue.nA.Layer:void 0,boxSizing:"border-box",borderRadius:m.roundedCorner2,boxShadow:m.elevation16,selectors:(t={},t[Ue.up]={borderWidth:1,borderStyle:"solid",borderColor:"WindowText"},t)},(0,Ue.QN)(),n,!!i&&{width:i},!!l&&{maxWidth:l},!!c&&{minWidth:c}],beak:[d.beak,{position:"absolute",backgroundColor:p.menuBackground,boxShadow:"inherit",border:"inherit",boxSizing:"border-box",transform:"rotate(45deg)"},cn(a),s&&{backgroundColor:s}],beakCurtain:[d.beakCurtain,{position:"absolute",top:0,right:0,bottom:0,left:0,backgroundColor:p.menuBackground,borderRadius:m.roundedCorner2}],calloutMain:[d.calloutMain,{backgroundColor:p.menuBackground,overflowX:"hidden",overflowY:"auto",position:"relative",width:"100%",borderRadius:m.roundedCorner2},r&&{overflowY:"hidden"},s&&{backgroundColor:s}]}}),void 0,{scope:"CalloutContent"}),pn=i.createContext(void 0),mn=function(){return function(){}};pn.Provider;var gn=o(76324),hn=function(e){var t=e.providerRef,o=e.layerRoot,n=i.useState([])[0],r=i.useContext(ae),a=void 0!==r&&!o,s=i.useMemo((function(){return a?void 0:{providerRef:t,registeredProviders:n,registerProvider:function(e){n.push(e),null==r||r.registerProvider(e)},unregisterProvider:function(e){null==r||r.unregisterProvider(e);var t=n.indexOf(e);t>=0&&n.splice(t,1)}}}),[t,n,r,a]);return i.useEffect((function(){if(s)return s.registerProvider(s.providerRef),function(){return s.unregisterProvider(s.providerRef)}}),[s]),s?i.createElement(ae.Provider,{value:s},e.children):i.createElement(i.Fragment,null,e.children)};function fn(e,t){void 0===e&&(e={});var o=vn(t)?t:function(e){return function(t){return e?(0,a.__assign)((0,a.__assign)({},t),e):t}}(t);return o(e)}function vn(e){return"function"==typeof e}var bn=function(e){function t(){var t=null!==e&&e.apply(this,arguments)||this;return t._onCustomizationChange=function(){return t.forceUpdate()},t}return(0,a.__extends)(t,e),t.prototype.componentDidMount=function(){_e.X.observe(this._onCustomizationChange)},t.prototype.componentWillUnmount=function(){_e.X.unobserve(this._onCustomizationChange)},t.prototype.render=function(){var e=this,t=this.props.contextTransform;return i.createElement(Se.Consumer,null,(function(o){var n=function(e,t){var o,n,r,i=(t||{}).customizations,s=void 0===i?{settings:{},scopedSettings:{}}:i;return{customizations:{settings:fn(s.settings,e.settings),scopedSettings:(o=s.scopedSettings,n=e.scopedSettings,void 0===o&&(o={}),(vn(n)?n:(void 0===(r=n)&&(r={}),function(e){var t=(0,a.__assign)({},e);for(var o in r)r.hasOwnProperty(o)&&(t[o]=(0,a.__assign)((0,a.__assign)({},e[o]),r[o]));return t}))(o)),inCustomizerContext:!0}}}(e.props,o);return t&&(n=t(n)),i.createElement(Se.Provider,{value:n},e.props.children)}))},t}(i.Component),yn=o(44778),_n=Le(),Sn=(0,c.J9)((function(e,t){return(0,yn.a)((0,a.__assign)((0,a.__assign)({},e),{rtl:t}))})),Cn=i.forwardRef((function(e,t){var o=e.className,n=e.theme,r=e.applyTheme,s=e.applyThemeToBody,l=e.styles,c=_n(l,{theme:n,applyTheme:r,className:o}),u=i.useRef(null);return function(e,t,o){var n=t.bodyThemed;i.useEffect((function(){if(e){var t=(0,w.Y)(o.current);if(t)return t.body.classList.add(n),function(){t.body.classList.remove(n)}}}),[n,e,o])}(s,c,u),i.createElement(i.Fragment,null,function(e,t,o,n){var r=t.root,s=e.as,l=void 0===s?"div":s,c=e.dir,u=e.theme,d=Q(e,Z,["dir"]),p=function(e){var t=e.theme,o=e.dir,n=De(t)?"rtl":"ltr",r=De()?"rtl":"ltr",i=o||n;return{rootDir:i!==n||i!==r?i:o,needsTheme:i!==n}}(e),m=p.rootDir,g=p.needsTheme,h=i.createElement(hn,{providerRef:o},i.createElement(l,(0,a.__assign)({dir:m},d,{className:r,ref:We(o,n)})));return g&&(h=i.createElement(bn,{settings:{theme:Sn(u,"rtl"===c)}},h)),h}(e,c,u,t))}));Cn.displayName="FabricBase";var xn,Pn={fontFamily:"inherit"},kn={root:"ms-Fabric",bodyThemed:"ms-Fabric-bodyThemed"},In=Pe(Cn,(function(e){var t=e.applyTheme,o=e.className,n=e.preventBlanketFontInheritance,r=e.theme;return{root:[(0,Ue.Km)(kn,r).root,r.fonts.medium,{color:r.palette.neutralPrimary},!n&&{"& button":Pn,"& input":Pn,"& textarea":Pn},t&&{color:r.semanticColors.bodyText,backgroundColor:r.semanticColors.bodyBackground},o],bodyThemed:[{backgroundColor:r.semanticColors.bodyBackground}]}}),void 0,{scope:"Fabric"}),wn={},Tn={},En="fluent-default-layer-host",Dn="#".concat(En),Mn=Le(),On=i.forwardRef((function(e,t){var o,n=null!==(o=i.useContext(pn))&&void 0!==o?o:mn,r=i.useRef(null),s=We(r,t),l=i.useRef(),c=i.useRef(null),d=i.useContext(ae),p=i.useState(!1),m=p[0],h=p[1],f=i.useCallback((function(e){var t,o=!!(null==(t=null==d?void 0:d.providerRef)?void 0:t.current)&&t.current.classList.contains(v.Y2);e&&o&&e.classList.add(v.Y2)}),[d]),b=e.children,y=e.className,_=e.eventBubblingEnabled,S=e.fabricProps,C=e.hostId,x=e.insertFirst,P=e.onLayerDidMount,k=void 0===P?function(){}:P,I=e.onLayerMounted,T=void 0===I?function(){}:I,E=e.onLayerWillUnmount,D=e.styles,M=e.theme,O=We(c,null==S?void 0:S.ref,f),R=Mn(D,{theme:M,className:y,isNotHost:!C}),F=function(){null==E||E();var e=l.current;l.current=void 0,e&&e.parentNode&&e.parentNode.removeChild(e)},B=function(){var e,t,o,n,i=(0,w.Y)(r.current),a=(null===(t=null===(e=r.current)||void 0===e?void 0:e.getRootNode())||void 0===t?void 0:t.host)?null===(o=null==r?void 0:r.current)||void 0===o?void 0:o.getRootNode():void 0;if(i&&(i||a)){var s=function(e,t){var o,n;void 0===t&&(t=null);var r=null!=t?t:e;if(C){var i=function(e){var t=Tn[e];return t&&t[0]||void 0}(C);return i?null!==(o=i.rootRef.current)&&void 0!==o?o:null:null!==(n=r.getElementById(C))&&void 0!==n?n:null}var a=Dn,s=a?r.querySelector(a):null;return s||(s=function(e,t){void 0===t&&(t=null);var o=e.createElement("div");return o.setAttribute("id",En),o.style.cssText="position:fixed;z-index:1000000",t?t.appendChild(o):null==e||e.body.appendChild(o),o}(e,t)),s}(i,a);if(s){s.__tabsterElementFlags||(s.__tabsterElementFlags={}),s.__tabsterElementFlags.noDirectAriaHidden=!0,F();var c=(null!==(n=s.ownerDocument)&&void 0!==n?n:i).createElement("div");c.className=R.root,c.setAttribute(g,"true"),function(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))}(c,r.current),x?s.insertBefore(c,s.firstChild):s.appendChild(c),l.current=c,h(!0)}}};return ze((function(){B(),C&&function(e,t){wn[e]||(wn[e]=[]),wn[e].push(t);var o=Tn[e];if(o)for(var n=0,r=o;n=0&&(o.splice(n,1),0===o.length&&delete wn[e])}var r=Tn[e];if(r)for(var i=0,a=r;iyr[t];)t++}catch(e){t=_r()}br=t}else{if(void 0===vr)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=vr}return t}((0,k.z)(e.current));n!==t&&r(t)}),[e,n]);return Ho(zo(),"resize",a),i.useEffect((function(){void 0===t&&a()}),[t]),null!=t?t:n},xr=i.createContext({}),Pr=Le(),kr=Le(),Ir={items:[],shouldFocusOnMount:!0,gapSpace:0,directionalHint:rt.bottomAutoEdge,beakWidth:16};function wr(e){for(var t=0,o=0,n=e;o0){var f=0;return i.createElement("li",{role:"presentation",key:l.key||e.key||"section-".concat(n)},i.createElement("div",(0,a.__assign)({},d),i.createElement("ul",{className:o.list,role:"presentation"},l.topDivider&&te(n,t,!0,!0),u&&ee(u,e.key||n,t,e.title),l.items.map((function(e,t){var n=J(e,t,f,wr(l.items),r,s,o);if(e.itemType!==ot.Divider&&e.itemType!==ot.Header){var i=e.customOnRenderListLength?e.customOnRenderListLength:1;f+=i}return n})),l.bottomDivider&&te(n,t,!1,!0))))}}},ee=function(e,t,o,n){return i.createElement("li",{role:"presentation",title:n,key:t,className:o.item},e)},te=function(e,t,o,n){return n||e>0?i.createElement("li",{role:"separator",key:"separator-"+e+(void 0===o?"":o?"-top":"-bottom"),className:t.divider,"aria-hidden":"true"}):null},oe=function(e,t,o,n,s,l,c){if(e.onRender)return e.onRender((0,a.__assign)({"aria-posinset":n+1,"aria-setsize":s},e),d);var u={item:e,classNames:t,index:o,focusableElementIndex:n,totalItemCount:s,hasCheckmarks:l,hasIcons:c,contextualMenuItemAs:r.contextualMenuItemAs,onItemMouseEnter:W,onItemMouseLeave:K,onItemMouseMove:V,onItemMouseDown:Fr,executeItemClick:Y,onItemKeyDown:j,expandedMenuItemKey:b,openSubMenu:y,dismissSubMenu:S,dismissMenu:d};if(e.href){var p=cr;return e.contextualMenuItemWrapperAs&&(p=eo(e.contextualMenuItemWrapperAs,p)),i.createElement(p,(0,a.__assign)({},u,{onItemClick:U}))}if(e.split&&oo(e)){var m=gr;return e.contextualMenuItemWrapperAs&&(m=eo(e.contextualMenuItemWrapperAs,m)),i.createElement(m,(0,a.__assign)({},u,{onItemClick:G,onItemClickBase:q,onTap:M}))}var g=hr;return e.contextualMenuItemWrapperAs&&(g=eo(e.contextualMenuItemWrapperAs,g)),i.createElement(g,(0,a.__assign)({},u,{onItemClick:G,onItemClickBase:q}))},ne=function(e,t,o,n,s,l){var c=tr;e.contextualMenuItemAs&&(c=eo(e.contextualMenuItemAs,c)),r.contextualMenuItemAs&&(c=eo(r.contextualMenuItemAs,c));var u=e.itemProps,d=e.id,p=u&&Q(u,Z);return i.createElement("div",(0,a.__assign)({id:d,className:o.header},p,{style:e.style}),i.createElement(c,(0,a.__assign)({item:e,classNames:t,index:n,onCheckmarkClick:s?G:void 0,hasIcons:l},u)))},re=r.isBeakVisible,ie=r.items,ae=r.labelElementId,se=r.id,ce=r.className,ue=r.beakWidth,de=r.directionalHint,pe=r.directionalHintForRTL,me=r.alignTargetEdge,ge=r.gapSpace,he=r.coverTarget,fe=r.ariaLabel,ve=r.doNotLayer,be=r.target,ye=r.bounds,_e=r.useTargetWidth,Se=r.useTargetAsMinWidth,Ce=r.directionalHintFixed,xe=r.shouldFocusOnMount,Pe=r.shouldFocusOnContainer,ke=r.title,Ie=r.styles,we=r.theme,Te=r.calloutProps,Ee=r.onRenderSubMenu,Me=void 0===Ee?Br:Ee,Oe=r.onRenderMenuList,Re=void 0===Oe?function(e,t){return X(e,Ae)}:Oe,Fe=r.focusZoneProps,Be=r.getMenuClassNames,Ae=Be?Be(we,ce):Pr(Ie,{theme:we,className:ce}),Ne=function e(t){for(var o=0,n=t;o0){var Ke=wr(ie),Ge=Ae.subComponentStyles?Ae.subComponentStyles.callout:void 0;return i.createElement(xr.Consumer,null,(function(e){return i.createElement(An,(0,a.__assign)({styles:Ge,onRestoreFocus:h},Te,{target:be||e.target,isBeakVisible:re,beakWidth:ue,directionalHint:de,directionalHintForRTL:pe,gapSpace:ge,coverTarget:he,doNotLayer:ve,className:u("ms-ContextualMenu-Callout",Te&&Te.className),setInitialFocus:xe,onDismiss:r.onDismiss||e.onDismiss,onScroll:T,bounds:ye,directionalHintFixed:Ce,alignTargetEdge:me,hidden:r.hidden||e.hidden,ref:t}),i.createElement("div",{style:B,ref:s,id:se,className:Ae.container,tabIndex:Pe?0:-1,onKeyDown:H,onKeyUp:L,onFocusCapture:k,"aria-label":fe,"aria-labelledby":ae,role:"menu"},ke&&i.createElement("div",{className:Ae.title}," ",ke," "),ie&&ie.length?function(e,t){var o=r.focusZoneAs,n=void 0===o?Yt:o;return i.createElement(n,(0,a.__assign)({},t),e)}(Re({ariaLabel:fe,items:ie,totalItemCount:Ke,hasCheckmarks:He,hasIcons:Ne,defaultMenuItemRenderer:function(e){return function(e,t){var o=e.index,n=e.focusableElementIndex,r=e.totalItemCount,i=e.hasCheckmarks,a=e.hasIcons;return J(e,o,n,r,i,a,t)}(e,Ae)},labelElementId:ae},(function(e,t){return X(e,Ae)})),Le):null,je&&Me(je,Br)),i.createElement(le,null))}))}return null})),(function(e,t){return!(t.shouldUpdateWhenHidden||!e.hidden||!t.hidden)||T(e,t)}));function Rr(e){return e.which===f.alt||"Meta"===e.key}function Fr(e,t){var o;null===(o=e.onMouseDown)||void 0===o||o.call(e,e,t)}function Br(e,t){throw Error("ContextualMenuBase: onRenderSubMenu callback is null or undefined. Please ensure to set `onRenderSubMenu` property either manually or with `styled` helper.")}function Ar(e,t){for(var o=0,n=t;o span":{position:"relative",left:0,top:0}}],rootDisabled:[(0,Ue.gm)(e,{inset:1,highContrastStyle:c,borderColor:"transparent"}),{backgroundColor:s,borderColor:s,color:l,cursor:"default",":hover":$r,":focus":$r}],iconDisabled:(t={color:l},t[Ue.up]={color:"GrayText"},t),menuIconDisabled:(o={color:l},o[Ue.up]={color:"GrayText"},o),flexContainer:{display:"flex",height:"100%",flexWrap:"nowrap",justifyContent:"center",alignItems:"center"},description:{display:"block"},textContainer:{flexGrow:1,display:"block"},icon:ei(i.mediumPlus.fontSize),menuIcon:ei(i.small.fontSize),label:{margin:"0 4px",lineHeight:"100%",display:"block"},screenReaderText:Ue.dX}})),oi=(0,c.J9)((function(e,t){var o,n,r,i=ti(e),a={root:(o={padding:"0 4px",height:"40px",color:e.palette.neutralPrimary,backgroundColor:"transparent",border:"1px solid transparent"},o[Ue.up]={borderColor:"Window"},o),rootHovered:(n={color:e.palette.themePrimary},n[Ue.up]={color:"Highlight"},n),iconHovered:{color:e.palette.themePrimary},rootPressed:{color:e.palette.black},rootExpanded:{color:e.palette.themePrimary},iconPressed:{color:e.palette.themeDarker},rootDisabled:(r={color:e.palette.neutralTertiary,backgroundColor:"transparent",borderColor:"transparent"},r[Ue.up]={color:"GrayText"},r),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,Ue.TW)(i,a,t)})),ni=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,a.__extends)(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.theme;return i.createElement(Ur,(0,a.__assign)({},this.props,{variantClassName:"ms-Button--action ms-Button--command",styles:oi(o,t),onRenderDescription:$}))},(0,a.__decorate)([Jr("ActionButton",["theme","styles"],!0)],t)}(i.Component),ri=(0,c.J9)((function(e,t){var o,n,r,i,s,l,c,u,d,p,m,g,h,f,v,b,y=e.effects,_=e.palette,S=e.semanticColors,C={left:-2,top:-2,bottom:-2,right:-2,border:"none"},x={position:"absolute",width:1,right:31,top:8,bottom:8},P={splitButtonContainer:[(0,Ue.gm)(e,{highContrastStyle:C,inset:2,pointerEvents:"none"}),{display:"inline-flex",".ms-Button--default":{borderTopRightRadius:"0",borderBottomRightRadius:"0",borderRight:"none",flexGrow:"1"},".ms-Button--primary":(o={borderTopRightRadius:"0",borderBottomRightRadius:"0",border:"none",flexGrow:"1",":hover":{border:"none"},":active":{border:"none"}},o[Ue.up]=(0,a.__assign)((0,a.__assign)({color:"WindowText",backgroundColor:"Window",border:"1px solid WindowText",borderRightWidth:"0"},(0,Ue.Qg)()),{":hover":{backgroundColor:"Highlight",border:"1px solid Highlight",borderRightWidth:"0",color:"HighlightText"},":active":{border:"1px solid Highlight"}}),o),".ms-Button--default + .ms-Button":(n={},n[Ue.up]={border:"1px solid WindowText",borderLeftWidth:"0",":hover":{backgroundColor:"HighlightText",borderColor:"Highlight",color:"Highlight",".ms-Button-menuIcon":(0,a.__assign)({backgroundColor:"HighlightText",color:"Highlight"},(0,Ue.Qg)())}},n),'.ms-Button--default + .ms-Button[aria-expanded="true"]':(r={},r[Ue.up]={backgroundColor:"HighlightText",borderColor:"Highlight",color:"Highlight",".ms-Button-menuIcon":(0,a.__assign)({backgroundColor:"HighlightText",color:"Highlight"},(0,Ue.Qg)())},r),".ms-Button--primary + .ms-Button":(i={border:"none"},i[Ue.up]={border:"1px solid WindowText",borderLeftWidth:"0",":hover":{borderLeftWidth:"0",backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText",".ms-Button-menuIcon":(0,a.__assign)((0,a.__assign)({},(0,Ue.Qg)()),{color:"HighlightText"})}},i),'.ms-Button--primary + .ms-Button[aria-expanded="true"]':(0,a.__assign)((0,a.__assign)({backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},(0,Ue.Qg)()),{".ms-Button-menuIcon":{color:"HighlightText"}}),".ms-Button.is-disabled":(s={},s[Ue.up]={color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},s)}],splitButtonContainerHovered:{".ms-Button--default.is-disabled":(l={backgroundColor:S.buttonBackgroundDisabled,color:S.buttonTextDisabled},l[Ue.up]={color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},l),".ms-Button--primary.is-disabled":(c={backgroundColor:S.primaryButtonBackgroundDisabled,color:S.primaryButtonTextDisabled},c[Ue.up]={color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},c)},splitButtonContainerChecked:{".ms-Button--primary":(u={},u[Ue.up]=(0,a.__assign)({color:"Window",backgroundColor:"WindowText"},(0,Ue.Qg)()),u)},splitButtonContainerCheckedHovered:{".ms-Button--primary":(d={},d[Ue.up]=(0,a.__assign)({color:"Window",backgroundColor:"WindowText"},(0,Ue.Qg)()),d)},splitButtonContainerFocused:{outline:"none!important"},splitButtonMenuButton:(p={padding:6,height:"auto",boxSizing:"border-box",borderRadius:0,borderTopRightRadius:y.roundedCorner2,borderBottomRightRadius:y.roundedCorner2,border:"1px solid ".concat(_.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},p[Ue.up]={".ms-Button-menuIcon":{color:"WindowText"}},p),splitButtonDivider:(0,a.__assign)((0,a.__assign)({},x),(m={},m[Ue.up]={backgroundColor:"WindowText"},m)),splitButtonDividerDisabled:(0,a.__assign)((0,a.__assign)({},x),(g={},g[Ue.up]={backgroundColor:"GrayText"},g)),splitButtonMenuButtonDisabled:(h={pointerEvents:"none",border:"none",":hover":{cursor:"default"},".ms-Button--primary":(f={},f[Ue.up]={color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},f),".ms-Button-menuIcon":(v={},v[Ue.up]={color:"GrayText"},v)},h[Ue.up]={color:"GrayText",border:"1px solid GrayText",backgroundColor:"Window"},h),splitButtonFlexContainer:{display:"flex",height:"100%",flexWrap:"nowrap",justifyContent:"center",alignItems:"center"},splitButtonContainerDisabled:(b={outline:"none",border:"none"},b[Ue.up]=(0,a.__assign)({color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},(0,Ue.Qg)()),b),splitButtonMenuFocused:(0,a.__assign)({},(0,Ue.gm)(e,{highContrastStyle:C,inset:2}))};return(0,Ue.TW)(P,t)})),ii=(0,c.J9)((function(e,t,o,n){var r,i,s,l,c,u,d,p,m,g,h,f,v,b=ti(e),y=ri(e),_=e.palette,S=e.semanticColors,C={root:[(0,Ue.gm)(e,{inset:2,highContrastStyle:{left:4,top:4,bottom:4,right:4,border:"none"},borderColor:"transparent"}),e.fonts.medium,(r={minWidth:"40px",backgroundColor:_.white,color:_.neutralPrimary,padding:"0 4px",border:"none",borderRadius:0},r[Ue.up]={border:"none"},r)],rootHovered:(i={backgroundColor:_.neutralLighter,color:_.neutralDark},i[Ue.up]={color:"Highlight"},i[".".concat(Vr.msButtonIcon)]={color:_.themeDarkAlt},i[".".concat(Vr.msButtonMenuIcon)]={color:_.neutralPrimary},i),rootPressed:(s={backgroundColor:_.neutralLight,color:_.neutralDark},s[".".concat(Vr.msButtonIcon)]={color:_.themeDark},s[".".concat(Vr.msButtonMenuIcon)]={color:_.neutralPrimary},s),rootChecked:(l={backgroundColor:_.neutralLight,color:_.neutralDark},l[".".concat(Vr.msButtonIcon)]={color:_.themeDark},l[".".concat(Vr.msButtonMenuIcon)]={color:_.neutralPrimary},l),rootCheckedHovered:(c={backgroundColor:_.neutralQuaternaryAlt},c[".".concat(Vr.msButtonIcon)]={color:_.themeDark},c[".".concat(Vr.msButtonMenuIcon)]={color:_.neutralPrimary},c),rootExpanded:(u={backgroundColor:_.neutralLight,color:_.neutralDark},u[".".concat(Vr.msButtonIcon)]={color:_.themeDark},u[".".concat(Vr.msButtonMenuIcon)]={color:_.neutralPrimary},u),rootExpandedHovered:{backgroundColor:_.neutralQuaternaryAlt},rootDisabled:(d={backgroundColor:_.white},d[".".concat(Vr.msButtonIcon)]=(p={color:S.disabledBodySubtext},p[Ue.up]=(0,a.__assign)({color:"GrayText"},(0,Ue.Qg)()),p),d[Ue.up]=(0,a.__assign)({color:"GrayText",backgroundColor:"Window"},(0,Ue.Qg)()),d),splitButtonContainer:(m={height:"100%"},m[Ue.up]={border:"none"},m),splitButtonDividerDisabled:(g={},g[Ue.up]={backgroundColor:"Window"},g),splitButtonDivider:{backgroundColor:_.neutralTertiaryAlt},splitButtonMenuButton:{backgroundColor:_.white,border:"none",borderTopRightRadius:"0",borderBottomRightRadius:"0",color:_.neutralSecondary,":hover":(h={backgroundColor:_.neutralLighter,color:_.neutralDark},h[Ue.up]={color:"Highlight"},h[".".concat(Vr.msButtonIcon)]={color:_.neutralPrimary},h),":active":(f={backgroundColor:_.neutralLight},f[".".concat(Vr.msButtonIcon)]={color:_.neutralPrimary},f)},splitButtonMenuButtonDisabled:(v={backgroundColor:_.white},v[Ue.up]=(0,a.__assign)({color:"GrayText",border:"none",backgroundColor:"Window"},(0,Ue.Qg)()),v),splitButtonMenuButtonChecked:{backgroundColor:_.neutralLight,color:_.neutralDark,":hover":{backgroundColor:_.neutralQuaternaryAlt}},splitButtonMenuButtonExpanded:{backgroundColor:_.neutralLight,color:_.black,":hover":{backgroundColor:_.neutralQuaternaryAlt}},splitButtonMenuIcon:{color:_.neutralPrimary},splitButtonMenuIconDisabled:{color:_.neutralTertiary},label:{fontWeight:"normal"},icon:{color:_.themePrimary},menuIcon:{color:_.neutralSecondary}};return(0,Ue.TW)(b,y,C,t)})),ai=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,a.__extends)(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.theme;return i.createElement(Ur,(0,a.__assign)({},this.props,{variantClassName:"ms-Button--commandBar",styles:ii(o,t),onRenderDescription:$}))},(0,a.__decorate)([Jr("CommandBarButton",["theme","styles"],!0)],t)}(i.Component),si=ni;function li(e){var t,o,n,r,i,s=e.semanticColors,l=e.palette,c=s.buttonBackground,u=s.buttonBackgroundPressed,d=s.buttonBackgroundHovered,p=s.buttonBackgroundDisabled,m=s.buttonText,g=s.buttonTextHovered,h=s.buttonTextDisabled,f=s.buttonTextChecked,v=s.buttonTextCheckedHovered;return{root:{backgroundColor:c,color:m},rootHovered:(t={backgroundColor:d,color:g},t[Ue.up]={borderColor:"Highlight",color:"Highlight"},t),rootPressed:{backgroundColor:u,color:f},rootExpanded:{backgroundColor:u,color:f},rootChecked:{backgroundColor:u,color:f},rootCheckedHovered:{backgroundColor:u,color:v},rootDisabled:(o={color:h,backgroundColor:p},o[Ue.up]={color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},o),splitButtonContainer:(n={},n[Ue.up]={border:"none"},n),splitButtonMenuButton:{color:l.white,backgroundColor:"transparent",":hover":(r={backgroundColor:l.neutralLight},r[Ue.up]={color:"Highlight"},r)},splitButtonMenuButtonDisabled:{backgroundColor:s.buttonBackgroundDisabled,":hover":{backgroundColor:s.buttonBackgroundDisabled}},splitButtonDivider:(0,a.__assign)((0,a.__assign)({},{position:"absolute",width:1,right:31,top:8,bottom:8}),(i={backgroundColor:l.neutralTertiaryAlt},i[Ue.up]={backgroundColor:"WindowText"},i)),splitButtonDividerDisabled:{backgroundColor:e.palette.neutralTertiaryAlt},splitButtonMenuButtonChecked:{backgroundColor:l.neutralQuaternaryAlt,":hover":{backgroundColor:l.neutralQuaternaryAlt}},splitButtonMenuButtonExpanded:{backgroundColor:l.neutralQuaternaryAlt,":hover":{backgroundColor:l.neutralQuaternaryAlt}},splitButtonMenuIcon:{color:s.buttonText},splitButtonMenuIconDisabled:{color:s.buttonTextDisabled}}}function ci(e){var t,o,n,r,i,s,l,c,u,d=e.palette,p=e.semanticColors;return{root:(t={backgroundColor:p.primaryButtonBackground,border:"1px solid ".concat(p.primaryButtonBackground),color:p.primaryButtonText},t[Ue.up]=(0,a.__assign)({color:"Window",backgroundColor:"WindowText",borderColor:"WindowText"},(0,Ue.Qg)()),t[".".concat(v.Y2," &:focus, :host(.").concat(v.Y2,") &:focus")]={":after":{border:"none",outlineColor:d.white}},t),rootHovered:(o={backgroundColor:p.primaryButtonBackgroundHovered,border:"1px solid ".concat(p.primaryButtonBackgroundHovered),color:p.primaryButtonTextHovered},o[Ue.up]={color:"Window",backgroundColor:"Highlight",borderColor:"Highlight"},o),rootPressed:(n={backgroundColor:p.primaryButtonBackgroundPressed,border:"1px solid ".concat(p.primaryButtonBackgroundPressed),color:p.primaryButtonTextPressed},n[Ue.up]=(0,a.__assign)({color:"Window",backgroundColor:"WindowText",borderColor:"WindowText"},(0,Ue.Qg)()),n),rootExpanded:{backgroundColor:p.primaryButtonBackgroundPressed,color:p.primaryButtonTextPressed},rootChecked:{backgroundColor:p.primaryButtonBackgroundPressed,color:p.primaryButtonTextPressed},rootCheckedHovered:{backgroundColor:p.primaryButtonBackgroundPressed,color:p.primaryButtonTextPressed},rootDisabled:(r={color:p.primaryButtonTextDisabled,backgroundColor:p.primaryButtonBackgroundDisabled},r[Ue.up]={color:"GrayText",borderColor:"GrayText",backgroundColor:"Window"},r),splitButtonContainer:(i={},i[Ue.up]={border:"none"},i),splitButtonDivider:(0,a.__assign)((0,a.__assign)({},{position:"absolute",width:1,right:31,top:8,bottom:8}),(s={backgroundColor:d.white},s[Ue.up]={backgroundColor:"Window"},s)),splitButtonMenuButton:(l={backgroundColor:p.primaryButtonBackground,color:p.primaryButtonText},l[Ue.up]={backgroundColor:"Canvas"},l[":hover"]=(c={backgroundColor:p.primaryButtonBackgroundHovered},c[Ue.up]={color:"Highlight"},c),l),splitButtonMenuButtonDisabled:{backgroundColor:p.primaryButtonBackgroundDisabled,":hover":{backgroundColor:p.primaryButtonBackgroundDisabled}},splitButtonMenuButtonChecked:{backgroundColor:p.primaryButtonBackgroundPressed,":hover":{backgroundColor:p.primaryButtonBackgroundPressed}},splitButtonMenuButtonExpanded:{backgroundColor:p.primaryButtonBackgroundPressed,":hover":{backgroundColor:p.primaryButtonBackgroundPressed}},splitButtonMenuIcon:{color:p.primaryButtonText},splitButtonMenuIconDisabled:(u={color:d.neutralTertiary},u[Ue.up]={color:"GrayText"},u)}}var ui,di,pi,mi,gi=(0,c.J9)((function(e,t,o){var n,r,i,s,l,c=e.fonts,u=e.palette,d=ti(e),p=ri(e),m={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:Ue.BO.semibold},description:[c.small,{lineHeight:"100%"}]},g={description:{color:u.neutralSecondary},descriptionHovered:{color:u.neutralDark},descriptionPressed:{color:"inherit"},descriptionChecked:{color:"inherit"},descriptionDisabled:{color:"inherit"}},h={description:(n={color:u.white},n[Ue.up]=(0,a.__assign)({backgroundColor:"WindowText",color:"Window"},(0,Ue.Qg)()),n),descriptionHovered:(r={color:u.white},r[Ue.up]={backgroundColor:"Highlight",color:"Window"},r),descriptionPressed:(i={color:"inherit"},i[Ue.up]=(0,a.__assign)({color:"Window",backgroundColor:"WindowText"},(0,Ue.Qg)()),i),descriptionChecked:(s={color:"inherit"},s[Ue.up]=(0,a.__assign)({color:"Window",backgroundColor:"WindowText"},(0,Ue.Qg)()),s),descriptionDisabled:(l={color:"inherit"},l[Ue.up]={color:"inherit"},l)};return(0,Ue.TW)(d,m,o?ci(e):li(e),o?h:g,p,t)})),hi=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,a.__extends)(t,e),t.prototype.render=function(){var e=this.props,t=e.primary,o=void 0!==t&&t,n=e.styles,r=e.theme;return i.createElement(Ur,(0,a.__assign)({},this.props,{variantClassName:o?"ms-Button--compoundPrimary":"ms-Button--compound",styles:gi(r,n,o)}))},(0,a.__decorate)([Jr("CompoundButton",["theme","styles"],!0)],t)}(i.Component),fi=(0,c.J9)((function(e,t,o){var n=ti(e),r=ri(e),i={root:{minWidth:"80px",height:"32px"},label:{fontWeight:Ue.BO.semibold}};return(0,Ue.TW)(n,i,o?ci(e):li(e),r,t)})),vi=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,a.__extends)(t,e),t.prototype.render=function(){var e=this.props,t=e.primary,o=void 0!==t&&t,n=e.styles,r=e.theme;return i.createElement(Ur,(0,a.__assign)({},this.props,{variantClassName:o?"ms-Button--primary":"ms-Button--default",styles:fi(r,n,o),onRenderDescription:$}))},(0,a.__decorate)([Jr("DefaultButton",["theme","styles"],!0)],t)}(i.Component),bi=(0,c.J9)((function(e,t){var o,n=ti(e),r=ri(e),i=e.palette,a={root:{padding:"0 4px",width:"32px",height:"32px",backgroundColor:"transparent",border:"none",color:e.semanticColors.link},rootHovered:(o={color:i.themeDarkAlt,backgroundColor:i.neutralLighter},o[Ue.up]={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,Ue.TW)(n,a,r,t)})),yi=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,a.__extends)(t,e),t.prototype.render=function(){var e=this.props,t=e.styles,o=e.theme;return i.createElement(Ur,(0,a.__assign)({},this.props,{variantClassName:"ms-Button--icon",styles:bi(o,t),onRenderText:$,onRenderDescription:$}))},(0,a.__decorate)([Jr("IconButton",["theme","styles"],!0)],t)}(i.Component),_i=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,a.__extends)(t,e),t.prototype.render=function(){return i.createElement(vi,(0,a.__assign)({},this.props,{primary:!0,onRenderDescription:$}))},(0,a.__decorate)([Jr("PrimaryButton",["theme","styles"],!0)],t)}(i.Component);!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"}(ui||(ui={})),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"}(di||(di={})),function(e){e[e.FirstDay=0]="FirstDay",e[e.FirstFullWeek=1]="FirstFullWeek",e[e.FirstFourDayWeek=2]="FirstFourDayWeek"}(pi||(pi={})),function(e){e[e.Day=0]="Day",e[e.Week=1]="Week",e[e.Month=2]="Month",e[e.WorkWeek=3]="WorkWeek"}(mi||(mi={}));var Si={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()}},Ci=(0,a.__assign)((0,a.__assign)({},{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"}),xi={MillisecondsInOneDay:864e5,MillisecondsIn1Sec:1e3,MillisecondsIn1Min:6e4,MillisecondsIn30Mins:18e5,MillisecondsIn1Hour:36e5,MinutesInOneDay:1440,MinutesInOneHour:60,DaysInOneWeek:7,MonthInOneYear:12,HoursInOneDay:24,SecondsInOneMinute:60,OffsetTo24HourFormat:12,TimeFormatRegex:/^(\d\d?):(\d\d):?(\d\d)? ?([ap]m)?/i};function Pi(e,t){var o=new Date(e.getTime());return o.setDate(o.getDate()+t),o}function ki(e,t){return Pi(e,t*xi.DaysInOneWeek)}function Ii(e,t){var o=new Date(e.getTime()),n=o.getMonth()+t;return o.setMonth(n),o.getMonth()!==(n%xi.MonthInOneYear+xi.MonthInOneYear)%xi.MonthInOneYear&&(o=Pi(o,-o.getDate())),o}function wi(e,t){var o=new Date(e.getTime());return o.setFullYear(e.getFullYear()+t),o.getMonth()!==(e.getMonth()%xi.MonthInOneYear+xi.MonthInOneYear)%xi.MonthInOneYear&&(o=Pi(o,-o.getDate())),o}function Ti(e){return new Date(e.getFullYear(),e.getMonth(),1,0,0,0,0)}function Ei(e){return new Date(e.getFullYear(),e.getMonth()+1,0,0,0,0,0)}function Di(e,t){return Ii(e,t-e.getMonth())}function Mi(e,t){return!e&&!t||!(!e||!t)&&e.getFullYear()===t.getFullYear()&&e.getMonth()===t.getMonth()&&e.getDate()===t.getDate()}function Oi(e,t){return Ni(e)-Ni(t)}function Ri(e,t,o,n,r){void 0===r&&(r=1);var i,a=[],s=null;switch(n||(n=[ui.Monday,ui.Tuesday,ui.Wednesday,ui.Thursday,ui.Friday]),r=Math.max(r,1),t){case mi.Day:s=Pi(i=Ai(e),r);break;case mi.Week:case mi.WorkWeek:i=function(e,t){var o=t-e.getDay();return o>0&&(o-=xi.DaysInOneWeek),Pi(e,o)}(Ai(e),o),s=Pi(i,xi.DaysInOneWeek);break;case mi.Month:s=Ii(i=new Date(e.getFullYear(),e.getMonth(),1),1);break;default:throw new Error("Unexpected object: "+t)}var l=i;do{(t!==mi.WorkWeek||-1!==n.indexOf(l.getDay()))&&a.push(l),l=Pi(l,1)}while(!Mi(l,s));return a}function Fi(e,t){for(var o=0,n=t;o=o&&(a-=xi.DaysInOneWeek);var s=n-a;return s<0&&(0!=(a=(t-(r-=i%xi.DaysInOneWeek)+2*xi.DaysInOneWeek)%xi.DaysInOneWeek)&&a+1>=o&&(a-=xi.DaysInOneWeek),s=i-a),Math.floor(s/xi.DaysInOneWeek+1)}function Hi(e){for(var t=e.getMonth(),o=e.getFullYear(),n=0,r=0;r=0}))),o&&(n=n.filter((function(e){return Oi(e,o)<=0}))),n},Gi=function(e,t){var o=t.minDate;return!!o&&Oi(o,e)>=1},Ui=function(e,t){var o=t.maxDate;return!!o&&Oi(e,o)>=1},Yi=function(e,t){var o=t.restrictedDates,n=t.minDate,r=t.maxDate;return!!(o||n||r)&&(o&&o.some((function(t){return Mi(t,e)}))||Gi(e,t)||Ui(e,t))},qi=function(e){var t=e.showWeekNumbers,o=e.strings,n=e.firstDayOfWeek,r=e.allFocusable,a=e.weeksToShow,l=e.weeks,c=e.classNames,d=o.shortDays.slice(),p=s(l[1],(function(e){return 1===e.originalDate.getDate()}));return 1===a&&p>=0&&(d[(p+n)%7]=o.shortMonths[l[1][p].originalDate.getMonth()]),i.createElement("tr",null,t&&i.createElement("th",{className:c.dayCell}),d.map((function(e,t){var a=(t+n)%7,s=o.days[a];return i.createElement("th",{className:u(c.dayCell,c.weekDayLabelCell),scope:"col",key:d[a]+" "+t,title:s,"aria-label":s,"data-is-focusable":!!r||void 0},d[a])})))},Xi=function(e){var t=e.targetDate,o=e.initialDate,n=e.direction,r=(0,a.__rest)(e,["targetDate","initialDate","direction"]),i=t;if(!Yi(t,r))return t;for(;0!==Oi(o,i)&&Yi(i,r)&&!Ui(i,r)&&!Gi(i,r);)i=Pi(i,n);return 0===Oi(o,i)||Yi(i,r)?void 0:i},Zi=function(e){var t,o=e.navigatedDate,n=e.dateTimeFormatter,r=e.allFocusable,a=e.strings,s=e.activeDescendantId,l=e.navigatedDayRef,c=e.calculateRoundedStyles,d=e.weeks,p=e.classNames,m=e.day,g=e.dayIndex,h=e.weekIndex,v=e.weekCorners,b=e.ariaHidden,y=e.customDayCellRef,_=e.dateRangeType,S=e.daysToSelectInDayView,C=e.onSelectDate,x=e.restrictedDates,P=e.minDate,k=e.maxDate,I=e.onNavigateDate,w=e.getDayInfosInRangeOfDay,T=e.getRefsFromDayInfos,E=null!==(t=null==v?void 0:v[h+"_"+g])&&void 0!==t?t:"",D=Mi(o,m.originalDate),M=m.originalDate.getDate()+", "+a.months[m.originalDate.getMonth()]+", "+m.originalDate.getFullYear();return m.isMarked&&(M=M+", "+a.dayMarkedAriaLabel),i.createElement("td",{className:u(p.dayCell,v&&E,m.isSelected&&p.daySelected,m.isSelected&&"ms-CalendarDay-daySelected",!m.isInBounds&&p.dayOutsideBounds,!m.isInMonth&&p.dayOutsideNavigatedMonth),ref:function(e){null==y||y(e,m.originalDate,p),m.setRef(e),D&&(l.current=e)},"aria-hidden":b,"aria-disabled":!b&&!m.isInBounds,onClick:m.isInBounds&&!b?m.onSelected:void 0,onMouseOver:b?void 0:function(e){var t=w(m),o=T(t);o.forEach((function(e,n){var r;if(e&&(e.classList.add("ms-CalendarDay-hoverStyle"),!t[n].isSelected&&_===mi.Day&&S&&S>1)){e.classList.remove(p.bottomLeftCornerDate,p.bottomRightCornerDate,p.topLeftCornerDate,p.topRightCornerDate);var i=c(p,!1,!1,n>0,n1)){var i=c(p,!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=[];p.push(t(e,l,c,u,d)),p.push(function(e,t,o,n,r){var i=[];return t||i.push(e.datesAbove),o||i.push(e.datesBelow),n||i.push(De()?e.datesRight:e.datesLeft),r||i.push(De()?e.datesLeft:e.datesRight),i.join(" ")}(e,l,c,u,d)),r[a+"_"+s]=p.join(" ")}))})),r},t]}(e),d=u[0],p=u[1];i.useImperativeHandle(e.componentRef,(function(){return{focus:function(){var e,o;null===(o=null===(e=t.current)||void 0===e?void 0:e.focus)||void 0===o||o.call(e)}}}),[]);var m=e.styles,g=e.theme,h=e.className,f=e.dateRangeType,v=e.showWeekNumbers,b=e.labelledBy,y=e.lightenDaysOutsideNavigatedMonth,_=e.animationDirection,S=Ji(m,{theme:g,className:h,dateRangeType:f,showWeekNumbers:v,lightenDaysOutsideNavigatedMonth:void 0===y||y,animationDirection:_,animateBackwards:c}),C=d(S,l),x={weeks:l,navigatedDayRef:t,calculateRoundedStyles:p,activeDescendantId:o,classNames:S,weekCorners:C,getDayInfosInRangeOfDay:function(t){var o=function(e,t){if(t&&e===mi.WorkWeek){for(var o=t.slice().sort(),n=!0,r=1;rd,_=v===(new Date).getFullYear(),i.createElement(fa,(0,a.__assign)({},e,{key:v,year:v,selected:b,current:_,disabled:y,onSelectYear:p,componentRef:b?h:_?f:void 0,theme:o})))),P++}return i.createElement(Yt,null,i.createElement("div",{className:S.gridContainer,role:"grid","aria-label":x},k.map((function(e,t){return i.createElement.apply(i,(0,a.__spreadArray)(["div",{key:"yearPickerRow_"+t+"_"+r,role:"row",className:S.buttonRow}],e,!1))}))))};ba.displayName="CalendarYearGrid",function(e){e[e.Previous=0]="Previous",e[e.Next=1]="Next"}(va||(va={}));var ya=function(e){var t,o=e.styles,n=e.theme,r=e.className,a=e.navigationIcons,s=void 0===a?ma:a,l=e.strings,c=void 0===l?ha:l,d=e.direction,p=e.onSelectPrev,m=e.onSelectNext,g=e.fromYear,h=e.toYear,v=e.maxYear,b=e.minYear,y=ga(o,{theme:n,className:r}),_=d===va.Previous?c.prevRangeAriaLabel:c.nextRangeAriaLabel,S=d===va.Previous?-12:12,C=_?"string"==typeof _?_:_({fromYear:g+S,toYear:h+S}):void 0,x=d===va.Previous?void 0!==b&&gv,P=function(){d===va.Previous?null==p||p():null==m||m()},k=De()?d===va.Next:d===va.Previous;return i.createElement("button",{className:u(y.navigationButton,(t={},t[y.disabled]=x,t)),onClick:x?void 0:P,onKeyDown:x?void 0:function(e){e.which===f.enter&&P()},type:"button",title:C,disabled:x},i.createElement(tt,{iconName:k?s.leftNavigation:s.rightNavigation}))};ya.displayName="CalendarYearNavArrow";var _a=function(e){var t=e.styles,o=e.theme,n=e.className,r=ga(t,{theme:o,className:n});return i.createElement("div",{className:r.navigationButtonsContainer},i.createElement(ya,(0,a.__assign)({},e,{direction:va.Previous})),i.createElement(ya,(0,a.__assign)({},e,{direction:va.Next})))};_a.displayName="CalendarYearNav";var Sa=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?ha:s,c=e.animateBackwards,u=e.animationDirection,d=function(){var t;null===(t=e.onHeaderSelect)||void 0===t||t.call(e,!0)},p=function(t){var o,n;return null!==(n=null===(o=e.onRenderYear)||void 0===o?void 0:o.call(e,t))&&void 0!==n?n:t},m=ga(t,{theme:o,className:n,hasHeaderClickCallback:!!e.onHeaderSelect,animateBackwards:c,animationDirection:u});if(e.onHeaderSelect){var g=l.rangeAriaLabel,h=l.headerAriaLabelFormatString,v=g?"string"==typeof g?g:g(e):void 0,b=h?Vi(h,v):v;return i.createElement("button",{className:m.currentItemButton,onClick:d,onKeyDown:function(e){e.which!==f.enter&&e.which!==f.space||d()},"aria-label":b,role:"button",type:"button"},i.createElement("span",{"aria-live":"assertive","aria-atomic":"true"},p(r)," - ",p(a)))}return i.createElement("div",{className:m.current},p(r)," - ",p(a))};Sa.displayName="CalendarYearTitle";var Ca=function(e){var t,o=e.styles,n=e.theme,r=e.className,s=e.animateBackwards,l=e.animationDirection,c=e.onRenderTitle,u=ga(o,{theme:n,className:r,hasHeaderClickCallback:!!e.onHeaderSelect,animateBackwards:s,animationDirection:l});return i.createElement("div",{className:u.headerContainer},null!==(t=null==c?void 0:c(e))&&void 0!==t?t:i.createElement(Sa,(0,a.__assign)({},e)),i.createElement(_a,(0,a.__assign)({},e)))};Ca.displayName="CalendarYearHeader";var xa=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=ir(r);return i&&i!==r?i>r:void 0}(e),o=function(e){var t=e.selectedYear,o=e.navigatedYear,n=i.useMemo((function(){return t||o||10*Math.floor((new Date).getFullYear()/10)}),[o,t]),r=i.useState(n),a=r[0],s=r[1];return i.useEffect((function(){s(n)}),[n]),[a,a+12-1,function(){s((function(e){return e+12}))},function(){s((function(e){return e-12}))}]}(e),n=o[0],r=o[1],s=o[2],l=o[3],c=i.useRef(null);i.useImperativeHandle(e.componentRef,(function(){return{focus:function(){var e,t;null===(t=null===(e=c.current)||void 0===e?void 0:e.focus)||void 0===t||t.call(e)}}}));var u=e.styles,d=e.theme,p=e.className,m=ga(u,{theme:d,className:p});return i.createElement("div",{className:m.root},i.createElement(Ca,(0,a.__assign)({},e,{fromYear:n,toYear:r,onSelectPrev:l,onSelectNext:s,animateBackwards:t})),i.createElement(ba,(0,a.__assign)({},e,{fromYear:n,toYear:r,animateBackwards:t,componentRef:c})))};xa.displayName="CalendarYearBase";var Pa=Pe(xa,(function(e){return ua(e)}),void 0,{scope:"CalendarYear"}),ka=Le(),Ia={styles:da,strings:void 0,navigationIcons:ma,dateTimeFormatter:Si,yearPickerHidden:!1},wa=function(e){var t,o,n=Zt(Ia,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],l=r[2],c=i.useState(!1),d=c[0],p=c[1],m=function(e){var t=e.navigatedDate.getFullYear(),o=ir(t);return void 0===o||o===t?void 0:o>t}(n),g=n.navigatedDate,h=n.selectedDate,f=n.strings,v=n.today,b=void 0===v?new Date:v,y=n.navigationIcons,_=n.dateTimeFormatter,S=n.minDate,C=n.maxDate,x=n.theme,P=n.styles,k=n.className,I=n.allFocusable,w=n.highlightCurrentMonth,T=n.highlightSelectedMonth,E=n.animationDirection,D=n.yearPickerHidden,M=n.onNavigateDate,O=function(e){return function(){return B(e)}},R=function(){M(wi(g,1),!1)},F=function(){M(wi(g,-1),!1)},B=function(e){var t;null===(t=n.onHeaderSelect)||void 0===t||t.call(n),M(Di(g,e),!0)},A=function(){var e;D?null===(e=n.onHeaderSelect)||void 0===e||e.call(n):(l(),p(!0))},N=y.leftNavigation,L=y.rightNavigation,H=_,j=!S||Oi(S,new Date(g.getFullYear(),0,1,0,0,0,0))<0,z=!C||Oi(new Date(g.getFullYear()+1,0,0,0,0,0,0),C)<0,W=ka(P,{theme:x,className:k,hasHeaderClickCallback:!!n.onHeaderSelect||!D,highlightCurrent:w,highlightSelected:T,animateBackwards:m,animationDirection:E});if(d){var V=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"".concat(r(e.fromYear)," - ").concat(r(e.toYear))};return[r,{rangeAriaLabel:i,prevRangeAriaLabel:function(e){return t.prevYearRangeAriaLabel?"".concat(t.prevYearRangeAriaLabel," ").concat(i(e)):""},nextRangeAriaLabel:function(e){return t.nextYearRangeAriaLabel?"".concat(t.nextYearRangeAriaLabel," ").concat(i(e)):""},headerAriaLabelFormatString:t.yearPickerHeaderAriaLabel}]}(n),K=V[0],G=V[1];return i.createElement(Pa,{key:"calendarYear",minYear:S?S.getFullYear():void 0,maxYear:C?C.getFullYear():void 0,onSelectYear:function(e){if(l(),g.getFullYear()!==e){var t=new Date(g.getTime());t.setFullYear(e),C&&t>C?t=Di(t,C.getMonth()):S&&t71||d.height>71),imageSize:d,focused:n}),y=Q(v,Y),_=y.className,S=(0,a.__rest)(y,["className"]),C=function(){return i.createElement("span",{id:t.labelId,className:"ms-ChoiceFieldLabel"},t.text)},x=function(){var e=t.imageAlt,o=void 0===e?"":e,n=t.selectedImageSrc,r=(t.onRenderLabel?at(t.onRenderLabel,C):C)((0,a.__assign)((0,a.__assign)({},t),{key:t.itemKey}));return i.createElement("label",{htmlFor:g,className:b.field},c&&i.createElement("div",{className:b.innerField},i.createElement("div",{className:b.imageWrapper},i.createElement(qe,(0,a.__assign)({src:c,alt:o},d))),i.createElement("div",{className:b.selectedImageWrapper},i.createElement(qe,(0,a.__assign)({src:n,alt:o},d)))),l&&i.createElement("div",{className:b.innerField},i.createElement("div",{className:b.iconWrapper},i.createElement(tt,(0,a.__assign)({},l)))),c||l?i.createElement("div",{className:b.labelWrapper},r):r)},P=t.onRenderField,k=void 0===P?x:P;return i.createElement("div",{className:b.root},i.createElement("div",{className:b.choiceFieldWrapper},i.createElement("input",(0,a.__assign)({"aria-label":o,id:g,className:u(b.input,_),type:"radio",name:f,disabled:p,checked:m,required:r},S,{onChange:function(e){var o;null===(o=t.onChange)||void 0===o||o.call(t,e,(0,a.__assign)((0,a.__assign)({},t),{key:t.itemKey}))},onFocus:function(e){var o;null===(o=t.onFocus)||void 0===o||o.call(t,e,(0,a.__assign)((0,a.__assign)({},t),{key:t.itemKey}))},onBlur:function(e){var o;null===(o=t.onBlur)||void 0===o||o.call(t,e)}})),k((0,a.__assign)((0,a.__assign)({},t),{key:t.itemKey}),x)))};Za.displayName="ChoiceGroupOption";var Qa={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"},Ja="200ms",$a="cubic-bezier(.4, 0, .23, 1)";function es(e,t){var o,n;return["is-inFocus",{selectors:(o={},o[".".concat(v.Y2," &, :host(.").concat(v.Y2,") &")]={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 ".concat(e),position:"absolute",selectors:(n={},n[Ue.up]={borderColor:"WindowText",borderWidth:t?1:2},n)}}},o)}]}function ts(e,t,o){return[t,{paddingBottom:2,transitionProperty:"opacity",transitionDuration:Ja,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 os=Pe(Za,(function(e){var t,o,n,r,i,s=e.theme,l=e.hasIcon,c=e.hasImage,u=e.checked,d=e.disabled,p=e.imageIsLarge,m=e.focused,g=e.imageSize,h=s.palette,f=s.semanticColors,v=s.fonts,b=(0,Ue.Km)(Qa,s),y=h.neutralPrimary,_=f.inputBorderHovered,S=f.inputBackgroundChecked,C=h.themeDark,x=f.disabledBodySubtext,P=f.bodyBackground,k=h.neutralSecondary,I=f.inputBackgroundChecked,w=h.themeDark,T=f.disabledBodySubtext,E=h.neutralDark,D=f.focusBorder,M=f.inputBorderHovered,O=f.inputBackgroundChecked,R=h.themeDark,F=h.neutralLighter,B={selectors:{".ms-ChoiceFieldLabel":{color:E},":before":{borderColor:u?C:_},":after":[!l&&!c&&!u&&{content:'""',transitionProperty:"background-color",left:5,top:5,width:10,height:10,backgroundColor:k},u&&{borderColor:w,background:w}]}},A={borderColor:u?R:M,selectors:{":before":{opacity:1,borderColor:u?C:_}}},N=[{content:'""',display:"inline-block",backgroundColor:P,borderWidth:1,borderStyle:"solid",borderColor:y,width:20,height:20,fontWeight:"normal",position:"absolute",top:0,left:0,boxSizing:"border-box",transitionProperty:"border-color",transitionDuration:Ja,transitionTimingFunction:$a,borderRadius:"50%"},d&&{borderColor:x,selectors:(t={},t[Ue.up]=(0,a.__assign)({borderColor:"GrayText",background:"Window"},(0,Ue.Qg)()),t)},u&&{borderColor:d?x:S,selectors:(o={},o[Ue.up]={borderColor:"Highlight",background:"Window",forcedColorAdjust:"none"},o)},(l||c)&&{top:3,right:3,left:"auto",opacity:u?1:0}],L=[{content:'""',width:0,height:0,borderRadius:"50%",position:"absolute",left:10,right:0,transitionProperty:"border-width",transitionDuration:Ja,transitionTimingFunction:$a,boxSizing:"border-box"},u&&{borderWidth:5,borderStyle:"solid",borderColor:d?T:I,background:I,left:5,top:5,width:10,height:10,selectors:(n={},n[Ue.up]={borderColor:"Highlight",forcedColorAdjust:"none"},n)},u&&(l||c)&&{top:8,right:8,left:"auto"}];return{root:[b.root,s.fonts.medium,{display:"flex",alignItems:"center",boxSizing:"border-box",color:f.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:F,height:"100%"}],choiceFieldWrapper:[b.choiceFieldWrapper,m&&es(D,l||c)],input:[b.input,{position:"absolute",opacity:0,top:0,right:0,width:"100%",height:"100%",margin:0},d&&"is-disabled"],field:[b.field,u&&b.checked,{display:"inline-block",cursor:"pointer",marginTop:0,position:"relative",verticalAlign:"top",userSelect:"none",minHeight:20,selectors:{":hover":!d&&B,":focus":!d&&B,":before":N,":after":L}},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:Ja,transitionTimingFunction:"ease",border:"1px solid transparent",justifyContent:"center",alignItems:"center",display:"flex",flexDirection:"column"},u&&{borderColor:O},(l||c)&&!d&&{selectors:{":hover":A,":focus":A}},d&&{cursor:"default",selectors:{".ms-ChoiceFieldLabel":{color:f.disabledBodyText,selectors:(r={},r[Ue.up]=(0,a.__assign)({color:"GrayText"},(0,Ue.Qg)()),r)}}},u&&d&&{borderColor:F}],innerField:[b.innerField,c&&{height:g.height,width:g.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:(i={},i[Ue.up]={color:"GrayText",opacity:1},i)}],imageWrapper:ts(!1,b.imageWrapper,u),selectedImageWrapper:ts(!0,b.imageWrapper,u),iconWrapper:[b.iconWrapper,{fontSize:32,lineHeight:32,height:32}],labelWrapper:[b.labelWrapper,v.medium,(l||c)&&{display:"block",position:"relative",margin:"4px 8px 2px 8px",height:32,lineHeight:15,maxWidth:2*g.width,overflow:"hidden",whiteSpace:"pre-wrap"}]}}),void 0,{scope:"ChoiceGroupOption"}),ns=Le(),rs=function(e,t){return"".concat(t,"-").concat(e.key)},is=function(e,t){return void 0===t?void 0:function(e,o){var n=s(e,(function(e){return e.key===t}));if(!(n<0))return e[n]}(e)},as=function(e,t,o,n,r){var i=is(e,t)||e.filter((function(e){return!e.disabled}))[0],a=i&&(null==r?void 0:r.getElementById(rs(i,o)));a&&(a.focus(),(0,v.Fy)(!0,a,n))},ss=i.forwardRef((function(e,t){var o=e.className,n=e.theme,r=e.styles,s=e.options,l=void 0===s?[]:s,c=e.label,u=e.required,d=e.disabled,p=e.name,m=e.defaultSelectedKey,g=e.componentRef,h=e.onChange,f=fr("ChoiceGroup"),v=fr("ChoiceGroupLabel"),b=Q(e,Z,["onChange","className","required"]),y=ns(r,{theme:n,className:o,optionsContainIconOrImage:l.some((function(e){return!(!e.iconProps&&!e.imageSrc)}))}),_=e.ariaLabelledBy||(c?v:e["aria-labelledby"]),S=Ma(e.selectedKey,m),C=S[0],x=S[1],P=i.useState(),k=P[0],I=P[1],w=i.useRef(null),T=We(w,t),E=i.useContext(ae);!function(e,t,o,n,r){var a=qo();i.useImperativeHandle(n,(function(){return{get checkedOption(){return is(e,t)},focus:function(){as(e,t,o,r,a)}}}),[e,t,o,r,a])}(l,C,f,g,null==E?void 0:E.registeredProviders),se(w);var D=i.useCallback((function(e,t){var o;t&&(I(t.itemKey),null===(o=t.onFocus)||void 0===o||o.call(t,e))}),[]),M=i.useCallback((function(e,t){var o;I(void 0),null===(o=null==t?void 0:t.onBlur)||void 0===o||o.call(t,e)}),[]),O=i.useCallback((function(e,t){var o;t&&(x(t.itemKey),null===(o=t.onChange)||void 0===o||o.call(t,e),null==h||h(e,is(l,t.itemKey)))}),[h,l,x]),R=i.useCallback((function(e){(function(e){return e.relatedTarget instanceof HTMLElement&&"true"===e.relatedTarget.dataset.isFocusTrapZoneBumper})(e)&&as(l,C,f,null==E?void 0:E.registeredProviders)}),[l,C,f,E]);return i.createElement("div",(0,a.__assign)({className:y.root},b,{ref:T}),i.createElement("div",(0,a.__assign)({role:"radiogroup"},_&&{"aria-labelledby":_},{onFocus:R}),c&&i.createElement(Ya,{className:y.label,required:u,id:v,disabled:d},c),i.createElement("div",{className:y.flexContainer},l.map((function(e){return i.createElement(os,(0,a.__assign)({itemKey:e.key},e,{key:e.key,onBlur:M,onFocus:D,onChange:O,focused:e.key===k,checked:e.key===C,disabled:e.disabled||d,id:rs(e,f),labelId:e.labelId||"".concat(v,"-").concat(e.key),name:p||f,required:u}))})))))}));ss.displayName="ChoiceGroup";var ls,cs={root:"ms-ChoiceFieldGroup",flexContainer:"ms-ChoiceFieldGroup-flexContainer"},us=Pe(ss,(function(e){var t=e.className,o=e.optionsContainIconOrImage,n=e.theme,r=(0,Ue.Km)(cs,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"}),ds=o(68606),ps=function(e){function t(t){var o=e.call(this,t)||this;return o.state={isRendered:void 0===(0,k.z)()},o}return(0,a.__extends)(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?i.Children.only(this.props.children):null},t.defaultProps={delay:0},t}(i.Component),ms=function(){var e,t=(0,k.z)();return!!(null===(e=null==t?void 0:t.navigator)||void 0===e?void 0:e.userAgent)&&t.navigator.userAgent.indexOf("rv:11.0")>-1},gs=Le(),hs="TextField",fs=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(Ya,{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=vs(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},_(o),o._async=new I(o),o._fallbackId=N(hs),o._descriptionId=N(hs+"Description"),o._labelId=N(hs+"Label"),o._prefixId=N(hs+"Prefix"),o._suffixId=N(hs+"Suffix"),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,a.__extends)(t,e),Object.defineProperty(t.prototype,"value",{get:function(){return vs(this.props,this.state)},enumerable:!1,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=vs(e,t),c=this.value;l!==c&&(this._warnControlledUsage(e),this.state.errorMessage&&!n.errorMessage&&this.setState({errorMessage:""}),this._adjustInputHeight(),bs(n)&&this._delayedValidate(c))},t.prototype.render=function(){var e=this.props,t=e.borderless,o=e.className,n=e.disabled,r=e.invalid,s=e.iconProps,l=e.inputClassName,c=e.label,u=e.multiline,d=e.required,p=e.underlined,m=e.prefix,g=e.resizable,h=e.suffix,f=e.theme,v=e.styles,b=e.autoAdjustHeight,y=e.canRevealPassword,_=e.revealPasswordAriaLabel,S=e.type,C=e.onRenderPrefix,x=void 0===C?this._onRenderPrefix:C,P=e.onRenderSuffix,I=void 0===P?this._onRenderSuffix:P,w=e.onRenderLabel,T=void 0===w?this._onRenderLabel:w,E=e.onRenderDescription,D=void 0===E?this._onRenderDescription:E,M=this.state,O=M.isFocused,R=M.isRevealingPassword,F=this._errorMessage,B="boolean"==typeof r?r:!!F,A=!!y&&"password"===S&&function(){if("boolean"!=typeof ls){var e=(0,k.z)();if(null==e?void 0:e.navigator){var t=/Edg/.test(e.navigator.userAgent||"");ls=!(ms()||t)}else ls=!0}return ls}(),N=this._classNames=gs(v,{theme:f,className:o,disabled:n,focused:O,required:d,multiline:u,hasLabel:!!c,hasErrorMessage:B,borderless:t,resizable:g,hasIcon:!!s,underlined:p,inputClassName:l,autoAdjustHeight:b,hasRevealButton:A});return i.createElement("div",{ref:this.props.elementRef,className:N.root},i.createElement("div",{className:N.wrapper},T(this.props,this._onRenderLabel),i.createElement("div",{className:N.fieldGroup},(void 0!==m||this.props.onRenderPrefix)&&i.createElement("div",{className:N.prefix,id:this._prefixId},x(this.props,this._onRenderPrefix)),u?this._renderTextArea():this._renderInput(),s&&i.createElement(tt,(0,a.__assign)({className:N.icon},s)),A&&i.createElement("button",{"aria-label":_,className:N.revealButton,onClick:this._onRevealButtonClick,"aria-pressed":!!R,type:"button"},i.createElement("span",{className:N.revealSpan},i.createElement(tt,{className:N.revealIcon,iconName:R?"Hide":"RedEye"}))),(void 0!==h||this.props.onRenderSuffix)&&i.createElement("div",{className:N.suffix,id:this._suffixId},I(this.props,this._onRenderSuffix)))),this._isDescriptionAvailable&&i.createElement("span",{id:this._descriptionId},D(this.props,this._onRenderDescription),F&&i.createElement("div",{role:"alert"},i.createElement(ps,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:!1,configurable:!0}),Object.defineProperty(t.prototype,"selectionEnd",{get:function(){return this._textElement.current?this._textElement.current.selectionEnd:-1},enumerable:!1,configurable:!0}),t.prototype.setSelectionRange=function(e,t){this._textElement.current&&this._textElement.current.setSelectionRange(e,t)},t.prototype._warnControlledUsage=function(e){this._id,this.props,null!==this.props.value||this._hasWarnedNullValue||(this._hasWarnedNullValue=!0,(0,ds.R)("Warning: 'value' prop on '".concat(hs,"' 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:!1,configurable:!0}),Object.defineProperty(t.prototype,"_isControlled",{get:function(){return void 0!==(e=this.props)["value"]&&null!==e.value;var e},enumerable:!1,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:!1,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:!1,configurable:!0}),t.prototype._renderTextArea=function(){var e=this.props.invalid,t=void 0===e?!!this._errorMessage:e,o=Q(this.props,q,["defaultValue"]),n=this.props["aria-labelledby"]||(this.props.label?this._labelId:void 0);return i.createElement("textarea",(0,a.__assign)({id:this._id},o,{ref:this._textElement,value:this.value||"",onInput:this._onInputChange,onChange:this._onInputChange,className:this._classNames.field,"aria-labelledby":n,"aria-describedby":this._isDescriptionAvailable?this._descriptionId:this.props["aria-describedby"],"aria-invalid":t,"aria-label":this.props.ariaLabel,readOnly:this.props.readOnly,onFocus:this._onFocus,onBlur:this._onBlur}))},t.prototype._renderInput=function(){var e=this.props,t=e.ariaLabel,o=e.invalid,n=void 0===o?!!this._errorMessage:o,r=e.onRenderPrefix,s=e.onRenderSuffix,l=e.prefix,c=e.suffix,u=e.type,d=void 0===u?"text":u,p=[];e.label&&p.push(this._labelId),(void 0!==l||r)&&p.push(this._prefixId),(void 0!==c||s)&&p.push(this._suffixId);var m=(0,a.__assign)((0,a.__assign)({type:this.state.isRevealingPassword?"text":d,id:this._id},Q(this.props,Y,["defaultValue","type"])),{"aria-labelledby":this.props["aria-labelledby"]||(p.length>0?p.join(" "):void 0),ref:this._textElement,value:this.value||"",onInput:this._onInputChange,onChange:this._onInputChange,className:this._classNames.field,"aria-label":t,"aria-describedby":this._isDescriptionAvailable?this._descriptionId:this.props["aria-describedby"],"aria-invalid":n,onFocus:this._onFocus,onBlur:this._onBlur}),g=function(e){return i.createElement("input",(0,a.__assign)({},e))};return(this.props.onRenderInput||g)(m,g)},t.prototype._validate=function(e){var t=this;if(this._latestValidateValue!==e||!bs(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(){var e,t;if(this._textElement.current&&this.props.autoAdjustHeight&&this.props.multiline){var o=null===(t=null===(e=this.props.scrollContainerRef)||void 0===e?void 0:e.current)||void 0===t?void 0:t.scrollTop,n=this._textElement.current;n.style.height="",n.style.height=n.scrollHeight+"px",o&&(this.props.scrollContainerRef.current.scrollTop=o)}},t.defaultProps={resizable:!0,deferredValidationTime:200,validateOnLoad:!0},t}(i.Component);function vs(e,t){var o=e.value,n=void 0===o?t.uncontrolledValue:o;return"number"==typeof n?String(n):n}function bs(e){return!(e.validateOnFocusIn||e.validateOnFocusOut)}var ys={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 _s(e){var t=e.underlined,o=e.disabled,n=e.focused,r=e.theme,i=r.palette,a=r.fonts;return function(){var e;return{root:[t&&o&&{color:i.neutralTertiary},t&&{fontSize:a.medium.fontSize,marginRight:8,paddingLeft:12,paddingRight:0,lineHeight:"22px",height:32},t&&n&&{selectors:(e={},e[Ue.up]={height:31},e)}]}}}var Ss,Cs=Pe(fs,(function(e){var t,o,n,r,i,s,l,c,u,d,p,m,g=e.theme,h=e.className,f=e.disabled,v=e.focused,b=e.required,y=e.multiline,_=e.hasLabel,S=e.borderless,C=e.underlined,x=e.hasIcon,P=e.resizable,k=e.hasErrorMessage,I=e.inputClassName,w=e.autoAdjustHeight,T=e.hasRevealButton,E=g.semanticColors,D=g.effects,M=g.fonts,O=(0,Ue.Km)(ys,g),R={background:E.disabledBackground,color:f?E.disabledText:E.inputPlaceholderText,display:"flex",alignItems:"center",padding:"0 10px",lineHeight:1,whiteSpace:"nowrap",flexShrink:0,selectors:(t={},t[Ue.up]={background:"Window",color:f?"GrayText":"WindowText"},t)},F=[{color:E.inputPlaceholderText,opacity:1,selectors:(o={},o[Ue.up]={color:"GrayText"},o)}],B={color:E.disabledText,selectors:(n={},n[Ue.up]={color:"GrayText"},n)};return{root:[O.root,M.medium,b&&O.required,f&&O.disabled,v&&O.active,y&&O.multiline,S&&O.borderless,C&&O.underlined,Ue.S8,{position:"relative"},h],wrapper:[O.wrapper,C&&[{display:"flex",borderBottom:"1px solid ".concat(k?E.errorText:E.inputBorder),width:"100%"},f&&{borderBottomColor:E.disabledBackground,selectors:(r={},r[Ue.up]=(0,a.__assign)({borderColor:"GrayText"},(0,Ue.Qg)()),r)},!f&&{selectors:{":hover":{borderBottomColor:k?E.errorText:E.inputBorderHovered,selectors:(i={},i[Ue.up]=(0,a.__assign)({borderBottomColor:"Highlight"},(0,Ue.Qg)()),i)}}},v&&[{position:"relative"},(0,Ue.Sq)(k?E.errorText:E.inputFocusBorderAlt,0,"borderBottom")]]],fieldGroup:[O.fieldGroup,Ue.S8,{border:"1px solid ".concat(E.inputBorder),borderRadius:D.roundedCorner2,background:E.inputBackground,cursor:"text",height:32,display:"flex",flexDirection:"row",alignItems:"stretch",position:"relative"},y&&{minHeight:"60px",height:"auto",display:"flex"},!v&&!f&&{selectors:{":hover":{borderColor:E.inputBorderHovered,selectors:(s={},s[Ue.up]=(0,a.__assign)({borderColor:"Highlight"},(0,Ue.Qg)()),s)}}},v&&!C&&(0,Ue.Sq)(k?E.errorText:E.inputFocusBorderAlt,D.roundedCorner2),f&&{borderColor:E.disabledBackground,selectors:(l={},l[Ue.up]=(0,a.__assign)({borderColor:"GrayText"},(0,Ue.Qg)()),l),cursor:"default"},S&&{border:"none"},S&&v&&{border:"none",selectors:{":after":{border:"none"}}},C&&{flex:"1 1 0px",border:"none",textAlign:"left"},C&&f&&{backgroundColor:"transparent"},k&&!C&&{borderColor:E.errorText,selectors:{"&:hover":{borderColor:E.errorText}}},!_&&b&&{selectors:(c={":before":{content:"'*'",color:E.errorText,position:"absolute",top:-5,right:-10}},c[Ue.up]={selectors:{":before":{color:"WindowText",right:-14}}},c)}],field:[M.medium,O.field,Ue.S8,{borderRadius:0,border:"none",background:"none",backgroundColor:"transparent",color:E.inputText,padding:"0 8px",width:"100%",minWidth:0,textOverflow:"ellipsis",outline:0,selectors:(u={"&:active, &:focus, &:hover":{outline:0},"::-ms-clear":{display:"none"}},u[Ue.up]={background:"Window",color:f?"GrayText":"WindowText"},u)},(0,Ue.CX)(F),y&&!P&&[O.unresizable,{resize:"none"}],y&&{minHeight:"inherit",lineHeight:17,flexGrow:1,paddingTop:6,paddingBottom:6,overflow:"auto",width:"100%"},y&&w&&{overflow:"hidden"},x&&!T&&{paddingRight:24},y&&x&&{paddingRight:40},f&&[{backgroundColor:E.disabledBackground,color:E.disabledText,borderColor:E.disabledBackground},(0,Ue.CX)(B)],C&&{textAlign:"left"},v&&!S&&{selectors:(d={},d[Ue.up]={paddingLeft:11,paddingRight:11},d)},v&&y&&!S&&{selectors:(p={},p[Ue.up]={paddingTop:4},p)},I],icon:[y&&{paddingRight:24,alignItems:"flex-end"},{pointerEvents:"none",position:"absolute",bottom:6,right:8,top:"auto",fontSize:Ue.fF.medium,lineHeight:18},f&&{color:E.disabledText}],description:[O.description,{color:E.bodySubtext,fontSize:M.xSmall.fontSize}],errorMessage:[O.errorMessage,Ue.lw.slideDownIn20,M.small,{color:E.errorText,margin:0,paddingTop:5,display:"flex",alignItems:"center"}],prefix:[O.prefix,R],suffix:[O.suffix,R],revealButton:[O.revealButton,"ms-Button","ms-Button--icon",(0,Ue.gm)(g,{inset:1}),{height:30,width:32,border:"none",padding:"0px 4px",backgroundColor:"transparent",color:E.link,selectors:{":hover":{outline:0,color:E.primaryButtonBackgroundHovered,backgroundColor:E.buttonBackgroundHovered,selectors:(m={},m[Ue.up]={borderColor:"Highlight",color:"Highlight"},m)},":focus":{outline:0}}},x&&{marginRight:28}],revealSpan:{display:"flex",height:"100%",alignItems:"center"},revealIcon:{margin:"0px 4px",pointerEvents:"none",bottom:6,right:8,top:"auto",fontSize:Ue.fF.medium,lineHeight:18},subComponentStyles:{label:_s(e)}}}),void 0,{scope:"TextField"});!function(e){e[e.Parent=0]="Parent",e[e.Self=1]="Self"}(Ss||(Ss={}));var xs,Ps=Le(),ks=function(e){function t(){var t=null!==e&&e.apply(this,arguments)||this;return t._onRenderContent=function(e){return"string"==typeof e.content?i.createElement("p",{className:t._classNames.subText},e.content):i.createElement("div",{className:t._classNames.subText},e.content)},t}return(0,a.__extends)(t,e),t.prototype.render=function(){var e=this.props,t=e.className,o=e.calloutProps,n=e.directionalHint,r=e.directionalHintForRTL,s=e.styles,l=e.id,c=e.maxWidth,u=e.onRenderContent,d=void 0===u?this._onRenderContent:u,p=e.targetElement,m=e.theme;return this._classNames=Ps(s,{theme:m,className:t||o&&o.className,beakWidth:o&&o.isBeakVisible?o.beakWidth:0,gapSpace:o&&o.gapSpace,maxWidth:c}),i.createElement(An,(0,a.__assign)({target:p,directionalHint:n,directionalHintForRTL:r},o,Q(this.props,Z,["id"]),{className:this._classNames.root}),i.createElement("div",{className:this._classNames.content,id:l,onFocus:this.props.onFocus,onMouseEnter:this.props.onMouseEnter,onMouseLeave:this.props.onMouseLeave},d(this.props,this._onRenderContent)))},t.defaultProps={directionalHint:rt.topCenter,maxWidth:"364px",calloutProps:{isBeakVisible:!0,beakWidth:16,gapSpace:0,setInitialFocus:!0,doNotLayer:!1}},t}(i.Component),Is=Pe(ks,(function(e){var t=e.className,o=e.beakWidth,n=void 0===o?16:o,r=e.gapSpace,i=void 0===r?0:r,a=e.maxWidth,s=e.theme,l=s.semanticColors,c=s.fonts,u=s.effects,d=-(Math.sqrt(n*n/2)+i)+1/window.devicePixelRatio;return{root:["ms-Tooltip",s.fonts.medium,Ue.lw.fadeIn200,{background:l.menuBackground,boxShadow:u.elevation8,padding:"8px",maxWidth:a,selectors:{":after":{content:"''",position:"absolute",bottom:d,left:d,right:d,top:d,zIndex:0}}},t],content:["ms-Tooltip-content",c.small,{position:"relative",zIndex:1,color:l.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"});!function(e){e[e.zero=0]="zero",e[e.medium=1]="medium",e[e.long=2]="long"}(xs||(xs={}));var ws=Le(),Ts=function(e){function t(o){var n=e.call(this,o)||this;return n._tooltipHost=i.createRef(),n._defaultTooltipId=N("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 Ss.Parent:return n._tooltipHost.current.parentElement;case Ss.Self:return n._tooltipHost.current}return n._tooltipHost.current}},n._onTooltipFocus=function(e){n._ignoreNextFocusEvent?n._ignoreNextFocusEvent=!1:n._onTooltipMouseEnter(e)},n._onTooltipContentFocus=function(e){t._currentVisibleTooltip&&t._currentVisibleTooltip!==n&&t._currentVisibleTooltip.dismiss(),t._currentVisibleTooltip=n,n._clearDismissTimer(),n._clearOpenTimer()},n._onTooltipBlur=function(e){var t;n._ignoreNextFocusEvent=(null===(t=Zo(n.context))||void 0===t?void 0:t.activeElement)===e.target,n._dismissTimerId=n._async.setTimeout((function(){n._hideTooltip()}),0)},n._onTooltipMouseEnter=function(e){var o,r=n.props,i=r.overflowMode,a=r.delay,s=Zo(n.context);if(t._currentVisibleTooltip&&t._currentVisibleTooltip!==n&&t._currentVisibleTooltip.dismiss(),t._currentVisibleTooltip=n,void 0!==i){var l=n._getTargetElement();if(l&&!function(e){return e.clientWidtht?t:e}function Hs(e,t,o){return[js(e),js(t),js(o)].join("")}function js(e){var t=(e=Ls(e,Rs)).toString(16);return 1===t.length?"0"+t:t}function zs(e){return"#".concat(function(e,t,o){var n=Ns(e,100,100);return Hs(n.r,n.g,n.b)}(e.h))}function Ws(e,t,o,n,r){return n===Fs||"number"!=typeof n?"#".concat(r):"rgba(".concat(e,", ").concat(t,", ").concat(o,", ").concat(n/Fs,")")}function Vs(e,t,o){var n=Ns(e.h,t,o),r=n.r,i=n.g,s=n.b,l=Hs(r,i,s);return(0,a.__assign)((0,a.__assign)({},e),{s:t,v:o,r,g:i,b:s,hex:l,str:Ws(r,i,s,e.a,l)})}var Ks=Le(),Gs=function(e){function t(t){var o=e.call(this,t)||this;return o._disposables=[],o._root=i.createRef(),o._isAdjustingSaturation=!0,o._descriptionId=N("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 f.up:o._isAdjustingSaturation=!1,r+=i;break;case f.down:o._isAdjustingSaturation=!1,r-=i;break;case f.left:o._isAdjustingSaturation=!0,n-=i;break;case f.right:o._isAdjustingSaturation=!0,n+=i;break;default:return}o._updateColor(e,Vs(t,Ls(n,Ms),Ls(r,Os)))},o._onMouseDown=function(e){var t=Qo(o.context);o._disposables.push(io(t,"mousemove",o._onMouseMove,!0),io(t,"mouseup",o._disposeListeners,!0)),o._onMouseMove(e)},o._onMouseMove=function(e){if(o._root.current){var t=Us(e,o.state.color,o._root.current);t&&o._updateColor(e,t)}},o._onTouchStart=function(e){o._root.current&&e.stopPropagation()},o._onTouchMove=function(e){if(o._root.current){var t=Us(e,o.state.color,o._root.current);t&&o._updateColor(e,t),e.preventDefault(),e.stopPropagation()}},o._disposeListeners=function(){o._disposables.forEach((function(e){return e()})),o._disposables=[]},_(o),o.state={color:t.color},o}return(0,a.__extends)(t,e),Object.defineProperty(t.prototype,"color",{get:function(){return this.state.color},enumerable:!1,configurable:!0}),t.prototype.componentDidUpdate=function(e,t){e!==this.props&&this.props.color&&this.setState({color:this.props.color})},t.prototype.componentDidMount=function(){this._root.current&&(this._root.current.addEventListener("touchstart",this._onTouchStart,{capture:!0,passive:!1}),this._root.current.addEventListener("touchmove",this._onTouchMove,{capture:!0,passive:!1}))},t.prototype.componentWillUnmount=function(){this._root.current&&(this._root.current.removeEventListener("touchstart",this._onTouchStart),this._root.current.removeEventListener("touchmove",this._onTouchMove)),this._disposeListeners()},t.prototype.render=function(){var e=this.props,t=e.minSize,o=e.theme,n=e.className,r=e.styles,a=e.ariaValueFormat,s=e.ariaLabel,l=e.ariaDescription,c=this.state.color,u=Ks(r,{theme:o,className:n,minSize:t}),d=a.replace("{0}",String(c.s)).replace("{1}",String(c.v));return i.createElement("div",{ref:this._root,tabIndex:0,className:u.root,style:{backgroundColor:zs(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":Os,"aria-label":s,"aria-describedby":this._descriptionId,"data-is-focusable":!0},i.createElement("div",{className:u.description,id:this._descriptionId},l),i.createElement("div",{className:u.light}),i.createElement("div",{className:u.dark}),i.createElement("div",{className:u.thumb,style:{left:c.s+"%",top:Os-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.contextType=jo,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}(i.Component);function Us(e,t,o){var n=o.getBoundingClientRect(),r=void 0,i=e;if(i.touches){var a=i.touches[i.touches.length-1];void 0!==a.clientX&&void 0!==a.clientY&&(r={clientX:a.clientX,clientY:a.clientY})}if(!r){var s=e;void 0!==s.clientX&&void 0!==s.clientY&&(r={clientX:s.clientX,clientY:s.clientY})}if(r){var l=(r.clientX-n.left)/n.width,c=(r.clientY-n.top)/n.height;return Vs(t,Ls(Math.round(l*Ms),Ms),Ls(Math.round(Os-c*Os),Os))}}var Ys=Pe(Gs,(function(e){var t,o,n=e.className,r=e.theme,i=e.minSize,s=r.palette,l=r.effects;return{root:["ms-ColorPicker-colorRect",{position:"relative",marginBottom:8,border:"1px solid ".concat(s.neutralLighter),borderRadius:l.roundedCorner2,minWidth:i,minHeight:i,outline:"none",selectors:(t={},t[Ue.up]=(0,a.__assign)({},(0,Ue.Qg)()),t[".".concat(v.Y2," &:focus, :host(.").concat(v.Y2,") &:focus")]=(o={outline:"1px solid ".concat(s.neutralSecondary)},o["".concat(Ue.up)]={outline:"2px solid CanvasText"},o),t)},n],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 ".concat(s.neutralSecondaryAlt),borderRadius:"50%",boxShadow:l.elevation8,transform:"translate(-50%, -50%)",selectors:{":before":{position:"absolute",left:0,right:0,top:0,bottom:0,border:"2px solid ".concat(s.white),borderRadius:"50%",boxSizing:"border-box",content:'""'}}}],description:Ue.dX}}),void 0,{scope:"ColorRectangle"}),qs=Le(),Xs=function(e){function t(t){var o=e.call(this,t)||this;return o._disposables=[],o._root=i.createRef(),o._onKeyDown=function(e){var t=o.value,n=o._maxValue,r=e.shiftKey?10:1;switch(e.which){case f.left:t-=r;break;case f.right:t+=r;break;case f.home:t=0;break;case f.end:t=n;break;default:return}o._updateValue(e,Ls(t,n))},o._onMouseDown=function(e){var t=(0,k.z)(o);t&&o._disposables.push(io(t,"mousemove",o._onMouseMove,!0),io(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=Ls(Math.round(r*t),t);o._updateValue(e,i)}},o._onTouchStart=function(e){o._root.current&&e.stopPropagation()},o._onTouchMove=function(e){if(o._root.current){var t=e.touches[e.touches.length-1];if(void 0!==t.clientX){var n=o._maxValue,r=o._root.current.getBoundingClientRect(),i=(t.clientX-r.left)/r.width,a=Ls(Math.round(i*n),n);o._updateValue(e,a)}e.preventDefault(),e.stopPropagation()}},o._disposeListeners=function(){o._disposables.forEach((function(e){return e()})),o._disposables=[]},_(o),"hue"===o._type||t.overlayColor||t.overlayStyle||(0,ds.R)("ColorSlider: 'overlayColor' is required when 'type' is \"alpha\" or \"transparency\""),o.state={currentValue:t.value||0},o}return(0,a.__extends)(t,e),Object.defineProperty(t.prototype,"value",{get:function(){return this.state.currentValue},enumerable:!1,configurable:!0}),t.prototype.componentDidUpdate=function(e,t){e!==this.props&&void 0!==this.props.value&&this.setState({currentValue:this.props.value})},t.prototype.componentDidMount=function(){this._root.current&&(this._root.current.addEventListener("touchstart",this._onTouchStart,{capture:!0,passive:!1}),this._root.current.addEventListener("touchmove",this._onTouchMove,{capture:!0,passive:!1}))},t.prototype.componentWillUnmount=function(){this._root.current&&(this._root.current.removeEventListener("touchstart",this._onTouchStart),this._root.current.removeEventListener("touchmove",this._onTouchMove)),this._disposeListeners()},t.prototype.render=function(){var e=this._type,t=this._maxValue,o=this.props,n=o.overlayStyle,r=o.overlayColor,a=o.theme,s=o.className,l=o.styles,c=o.ariaLabel,u=void 0===c?e:c,d=this.value,p=qs(l,{theme:a,className:s,type:e}),m=100*d/t;return i.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},!(!r&&!n)&&i.createElement("div",{className:p.sliderOverlay,style:r?{background:"transparency"===e?"linear-gradient(to right, #".concat(r,", transparent)"):"linear-gradient(to right, transparent, #".concat(r,")")}:n}),i.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:!1,configurable:!0}),Object.defineProperty(t.prototype,"_maxValue",{get:function(){return"hue"===this._type?359:Fs},enumerable:!1,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}(i.Component),Zs={background:"linear-gradient(".concat(["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(","),")")},Qs={backgroundImage:"url(data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAAoAAAAKCAYAAACNMs+9AAAAJUlEQVQYV2N89erVfwY0ICYmxoguxjgUFKI7GsTH5m4M3w1ChQC1/Ca8i2n1WgAAAABJRU5ErkJggg==)"},Js=Pe(Xs,(function(e){var t,o,n=e.theme,r=e.className,i=e.type,a=void 0===i?"hue":i,s=e.isAlpha,l=void 0===s?"hue"!==a:s,c=n.palette,u=n.effects;return{root:["ms-ColorPicker-slider",{position:"relative",height:20,marginBottom:8,border:"1px solid ".concat(c.neutralLight),borderRadius:u.roundedCorner2,boxSizing:"border-box",outline:"none",forcedColorAdjust:"none",selectors:(t={},t[".".concat(v.Y2," &:focus")]=(o={outline:"1px solid ".concat(c.neutralSecondary)},o["".concat(Ue.up)]={outline:"2px solid CanvasText"},o),t)},l?Qs:Zs,r],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 ".concat(c.neutralSecondaryAlt),borderRadius:"50%",boxShadow:u.elevation8,transform:"translate(-50%, -50%)",top:"50%",forcedColorAdjust:"auto"}]}}),void 0,{scope:"ColorSlider"});function $s(e){if(e){var t=e.match(/^rgb(a?)\(([\d., ]+)\)$/);if(t){var o=!!t[1],n=o?4:3,r=t[2].split(/ *, */).map(Number);if(r.length===n)return{r:r[0],g:r[1],b:r[2],a:o?100*r[3]:Fs}}}}function el(e){var t=e.a,o=void 0===t?Fs:t,n=e.b,r=e.g,i=e.r,a=function(e,t,o){var n=NaN,r=Math.max(e,t,o),i=r-Math.min(e,t,o);return 0===i?n=0:e===r?n=(t-o)/i%6:t===r?n=(o-e)/i+2:o===r&&(n=(e-t)/i+4),(n=Math.round(60*n))<0&&(n+=360),{h:n,s:Math.round(100*(0===r?0:i/r)),v:Math.round(r/Rs*100)}}(i,r,n),s=a.h,l=a.s,c=a.v,u=Hs(i,r,n);return{a:o,b:n,g:r,h:s,hex:u,r:i,s:l,str:Ws(i,r,n,o,u),v:c,t:Fs-o}}function tl(e,t){var o=function(e,t){if(e){var o=null!=t?t:(0,w.Y)();return $s(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:Fs}}(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:Fs}}(e)||function(e){var t,o,n,r,i,a=e.match(/^hsl(a?)\(([\d., ]+)\)$/);if(a){var s=!!a[1],l=s?4:3,c=a[2].split(/ *, */).map(Number);if(c.length===l){var u=Ns((o=c[0],n=c[1],r=c[2],i=r+(n*=(r<50?r:100-r)/100),t={h:o,s:0===i?0:2*n/i*100,v:i}).h,t.s,t.v);return u.a=s?100*c[3]:Fs,u}}}(e)||function(e,t){var o;if(void 0!==t){var n=t.createElement("div");n.style.backgroundColor=e,n.style.position="absolute",n.style.top="-9999px",n.style.left="-9999px",n.style.height="1px",n.style.width="1px",t.body.appendChild(n);var r=null===(o=t.defaultView)||void 0===o?void 0:o.getComputedStyle(n),i=r&&r.backgroundColor;if(t.body.removeChild(n),"rgba(0, 0, 0, 0)"!==i&&"transparent"!==i)return $s(i);switch(e.trim()){case"transparent":case"#0000":case"#00000000":return{r:0,g:0,b:0,a:0}}}}(e,o)}}(e,null!=t?t:(0,w.Y)());if(o)return(0,a.__assign)((0,a.__assign)({},el(o)),{str:e})}function ol(e,t){return(0,a.__assign)((0,a.__assign)({},e),{a:t,t:Fs-t,str:Ws(e.r,e.g,e.b,t,e.hex)})}function nl(e,t){var o=Fs-t;return(0,a.__assign)((0,a.__assign)({},e),{t,a:o,str:Ws(e.r,e.g,e.b,o,e.hex)})}var rl=Le(),il=["hex","r","g","b","a","t"],al={hex:"hexError",r:"redError",g:"greenError",b:"blueError",a:"alphaError",t:"transparencyError"},sl=function(e){function t(o){var n=e.call(this,o)||this;n._onSVChanged=function(e,t){n._updateColor(e,t)},n._onHChanged=function(e,t){n._updateColor(e,function(e,t){var o=Ns(t,e.s,e.v),n=o.r,r=o.g,i=o.b,s=Hs(n,r,i);return(0,a.__assign)((0,a.__assign)({},e),{h:t,r:n,g:r,b:i,hex:s,str:Ws(n,r,i,e.a,s)})}(n.state.color,t))},n._onATChanged=function(e,t){var o="transparency"===n.props.alphaType?nl:ol;n._updateColor(e,o(n.state.color,Math.round(t)))},n._onBlur=function(e){var t,o=n.state,r=o.color,i=o.editingColor;if(i){var s,l=i.value,c=i.component,u="hex"===c,d="a"===c,p="t"===c,m=u?3:1;if(l.length>=m&&(u||!isNaN(Number(l)))){var g=void 0;g=u?tl("#"+(!(s=l)||s.length<3?"ffffff":s.length>=6?s.substring(0,6):s.substring(0,3))):d||p?(d?ol:nl)(r,Ls(Number(l),Fs)):el(function(e){return{r:Ls(e.r,Rs),g:Ls(e.g,Rs),b:Ls(e.b,Rs),a:"number"==typeof e.a?Ls(e.a,Fs):e.a}}((0,a.__assign)((0,a.__assign)({},r),((t={})[c]=Number(l),t)))),n._updateColor(e,g)}else n.setState({editingColor:void 0})}},_(n);var r=o.strings;r.hue&&(0,ds.R)("ColorPicker property 'strings.hue' was used but has been deprecated. Use 'strings.hueAriaLabel' instead."),n.state={color:ll(o)||tl("#ffffff")},n._textChangeHandlers={};for(var i=0,s=il;i=3&&o.length<=6)){var n=al[e];return this._strings[n]}}},t.prototype._onTextChange=function(e,t,o){var n,r=this.state.color,i="hex"===e,s="a"===e,l="t"===e;if(o=(o||"").substr(0,i?6:3),(i?Bs:As).test(o))if(""!==o&&(i?6===o.length:s||l?Number(o)<=Fs:Number(o)<=Rs))if(String(r[e])===o)this.state.editingColor&&this.setState({editingColor:void 0});else{var c=i?tl("#"+o):l?nl(r,Number(o)):el((0,a.__assign)((0,a.__assign)({},r),((n={})[e]=Number(o),n)));this._updateColor(t,c)}else this.setState({editingColor:{component:e,value:o}})},t.prototype._updateColor=function(e,t){if(t){var o=this.state,n=o.color,r=o.editingColor;if(t.h!==n.h||t.str!==n.str||r){if(e&&this.props.onChange&&(this.props.onChange(e,t),e.defaultPrevented))return;this.setState({color:t,editingColor:void 0})}}},t.defaultProps={alphaType:"alpha",strings:{rootAriaLabelFormat:"Color picker, {0} selected.",hex:"Hex",red:"Red",green:"Green",blue:"Blue",alpha:"Alpha",transparency:"Transparency",hueAriaLabel:"Hue",svAriaLabel:Gs.defaultProps.ariaLabel,svAriaValueFormat:Gs.defaultProps.ariaValueFormat,svAriaDescription:Gs.defaultProps.ariaDescription,hexError:"Hex values must be between 3 and 6 characters long",alphaError:"Alpha must be between 0 and 100",transparencyError:"Transparency must be between 0 and 100",redError:"Red must be between 0 and 255",greenError:"Green must be between 0 and 255",blueError:"Blue must be between 0 and 255"}},t}(i.Component);function ll(e){var t=e.color;return"string"==typeof t?tl(t):t}var cl,ul,dl=Pe(sl,(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",forcedColorAdjust:"none"}],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"}),pl="backward",ml=function(e){function t(t){var o=e.call(this,t)||this;return o._inputElement=i.createRef(),o._autoFillEnabled=!0,o._onCompositionStart=function(e){o.setState({isComposing:!0}),o._autoFillEnabled=!1},o._onCompositionUpdate=function(){ms()&&o._updateValue(o._getCurrentInputValue(),!0)},o._onCompositionEnd=function(e){var t=o._getCurrentInputValue();o._tryEnableAutofill(t,o.value,!1,!0),o.setState({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 f.backspace:o._autoFillEnabled=!1;break;case f.left:case f.right:o._autoFillEnabled&&(o.setState((function(e){return{inputValue:o.props.suggestedDisplayValue||e.inputValue}})),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.state.isComposing||o._tryEnableAutofill(t,o.value,e.nativeEvent.isComposing),!ms()||!o.state.isComposing){var n=e.nativeEvent.isComposing,r=void 0===n?o.state.isComposing:n;o._updateValue(t,r)}},o._onChanged=function(){},o._updateValue=function(e,t){if(e||e!==o.value){var n=o.props,r=n.onInputChange,i=n.onInputValueChange;r&&(e=(null==r?void 0:r(e,t))||""),o.setState({inputValue:e},(function(){return null==i?void 0:i(e,t)}))}},_(o),o._async=new I(o),o.state={inputValue:t.defaultVisibleValue||"",isComposing:!1},o}return(0,a.__extends)(t,e),t.getDerivedStateFromProps=function(e,t){if(e.updateValueInWillReceiveProps){var o=e.updateValueInWillReceiveProps();if(null!==o&&o!==t.inputValue&&!t.isComposing)return(0,a.__assign)((0,a.__assign)({},t),{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:!1,configurable:!0}),Object.defineProperty(t.prototype,"isValueSelected",{get:function(){return Boolean(this.inputElement&&this.inputElement.selectionStart!==this.inputElement.selectionEnd)},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"value",{get:function(){return this._getControlledValue()||this.state.inputValue||""},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"selectionStart",{get:function(){return this._inputElement.current?this._inputElement.current.selectionStart:-1},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"selectionEnd",{get:function(){return this._inputElement.current?this._inputElement.current.selectionEnd:-1},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"inputElement",{get:function(){return this._inputElement.current},enumerable:!1,configurable:!0}),t.prototype.componentDidUpdate=function(e,t,o){var n,r=this.props,i=r.suggestedDisplayValue,a=r.shouldSelectFullInputValueInComponentDidUpdate,s=0;if(!r.preventValueSelection){var l=(null===(n=this.context)||void 0===n?void 0:n.window.document)||(0,w.Y)(this._inputElement.current);if(this._inputElement.current&&this._inputElement.current===(null==l?void 0:l.activeElement)&&this._autoFillEnabled&&this.value&&i&&gl(i,this.value)){var c=!1;if(a&&(c=a()),c)this._inputElement.current.setSelectionRange(0,i.length,pl);else{for(;s0&&this._inputElement.current.setSelectionRange(s,i.length,pl)}}else this._inputElement.current&&(null===o||this._autoFillEnabled||this.state.isComposing||this._inputElement.current.setSelectionRange(o.start,o.end,o.dir))}},t.prototype.componentWillUnmount=function(){this._async.dispose()},t.prototype.render=function(){var e=Q(this.props,Y),t=(0,a.__assign)((0,a.__assign)({},this.props.style),{fontFamily:"inherit"});return i.createElement("input",(0,a.__assign)({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.getSnapshotBeforeUpdate=function(){var e,t,o=this._inputElement.current;return o&&o.selectionStart!==this.value.length?{start:null!==(e=o.selectionStart)&&void 0!==e?e:o.value.length,end:null!==(t=o.selectionEnd)&&void 0!==t?t:o.value.length,dir:o.selectionDirection||"backward"}:null},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&&gl(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 ".concat(e," with type of ").concat(typeof e)),e.toString())},t.defaultProps={enableAutofillOnKeyPress:[f.down,f.up]},t.contextType=jo,t}(i.Component);function gl(e,t){return!(!e||!t)&&0===e.toLocaleLowerCase().indexOf(t.toLocaleLowerCase())}var hl,fl,vl,bl=(0,c.J9)((function(e){var t,o=e.semanticColors;return{backgroundColor:o.disabledBackground,color:o.disabledText,cursor:"default",selectors:(t={":after":{borderColor:o.disabledBackground}},t[Ue.up]={color:"GrayText",selectors:{":after":{borderColor:"GrayText"}}},t)}})),yl={selectors:(cl={},cl[Ue.up]=(0,a.__assign)({backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},(0,Ue.Qg)()),cl)},_l={selectors:(ul={},ul[Ue.up]=(0,a.__assign)({color:"WindowText",backgroundColor:"Window"},(0,Ue.Qg)()),ul)},Sl=(0,c.J9)((function(e,t,o,n,r,i){var s,l=e.palette,c=e.semanticColors,u={textHoveredColor:c.menuItemTextHovered,textSelectedColor:l.neutralDark,textDisabledColor:c.disabledText,backgroundHoveredColor:c.menuItemBackgroundHovered,backgroundPressedColor:c.menuItemBackgroundPressed},d={root:[e.fonts.medium,{backgroundColor:n?u.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:(0,a.__assign)((0,a.__assign)((s={},s[Ue.up]={border:"none",borderColor:"Background"},s),!r&&{"&.ms-Checkbox":{display:"flex",alignItems:"center"}}),{"&.ms-Button--command:hover:active":{backgroundColor:u.backgroundPressedColor},".ms-Checkbox-label":{width:"100%"}})},i?[{backgroundColor:"transparent",color:u.textSelectedColor,selectors:{":hover":[{backgroundColor:u.backgroundHoveredColor},yl]}},(0,Ue.gm)(e,{inset:-1,isFocusedOnly:!1}),yl]:[]],rootHovered:{backgroundColor:u.backgroundHoveredColor,color:u.textHoveredColor},rootFocused:{backgroundColor:u.backgroundHoveredColor},rootDisabled:{color:u.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,Ue.TW)(d,t,o)})),Cl=(0,c.J9)((function(e,t){var o,n,r=e.semanticColors,i=e.fonts,s={buttonTextColor:r.bodySubtext,buttonTextHoveredCheckedColor:r.buttonTextChecked,buttonBackgroundHoveredColor:r.listItemBackgroundHovered,buttonBackgroundCheckedColor:r.listItemBackgroundChecked,buttonBackgroundCheckedHoveredColor:r.listItemBackgroundCheckedHovered},l={selectors:(o={},o[Ue.up]=(0,a.__assign)({backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},(0,Ue.Qg)()),o)},c={root:{color:s.buttonTextColor,fontSize:i.small.fontSize,position:"absolute",top:0,height:"100%",lineHeight:30,width:32,textAlign:"center",cursor:"default",selectors:(n={},n[Ue.up]=(0,a.__assign)({backgroundColor:"ButtonFace",borderColor:"ButtonText",color:"ButtonText"},(0,Ue.Qg)()),n)},icon:{fontSize:i.small.fontSize},rootHovered:[{backgroundColor:s.buttonBackgroundHoveredColor,color:s.buttonTextHoveredCheckedColor,cursor:"pointer"},l],rootPressed:[{backgroundColor:s.buttonBackgroundCheckedColor,color:s.buttonTextHoveredCheckedColor},l],rootChecked:[{backgroundColor:s.buttonBackgroundCheckedColor,color:s.buttonTextHoveredCheckedColor},l],rootCheckedHovered:[{backgroundColor:s.buttonBackgroundCheckedHoveredColor,color:s.buttonTextHoveredCheckedColor},l],rootDisabled:[bl(e),{position:"absolute"}]};return(0,Ue.TW)(c,t)})),xl=(0,c.J9)((function(e,t,o){var n,r,i,s,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},g={headerTextColor:u.menuHeader,dividerBorderColor:u.bodyDivider},h={selectors:(n={},n[Ue.up]={color:"GrayText"},n)},f=[{color:u.inputPlaceholderText},h],v=[{color:u.inputTextHovered},h],b=[{color:u.disabledText},h],y=(0,a.__assign)((0,a.__assign)({color:"HighlightText",backgroundColor:"Window"},(0,Ue.Qg)()),{selectors:{":after":{borderColor:"Highlight"}}}),_=(0,Ue.Sq)(m.borderPressedColor,p.roundedCorner2,"border",0),S={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[Ue.up]=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,Ue.CX)(v),_l]},i[Ue.up]=(0,a.__assign)((0,a.__assign)({color:"HighlightText",backgroundColor:"Window"},(0,Ue.Qg)()),{selectors:{":after":{borderColor:"Highlight"}}}),i)},rootPressed:[{position:"relative",selectors:(s={},s[Ue.up]=y,s)}],rootFocused:[{selectors:(l={".ms-ComboBox-Input":[{color:u.inputTextHovered},_l]},l[Ue.up]=y,l)},_],rootDisabled:bl(e),rootError:{selectors:{":after":{borderColor:m.erroredColor},":hover:after":{borderColor:u.inputBorderHovered}}},rootDisallowFreeForm:{},input:[(0,Ue.CX)(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"}}},_l],inputDisabled:[bl(e),(0,Ue.CX)(b)],errorMessage:[e.fonts.small,{color:m.erroredColor,marginTop:"5px"}],callout:{boxShadow:p.elevation8},optionsContainerWrapper:{width:o},optionsContainer:{display:"block"},screenReaderText:Ue.dX,header:[d.medium,{fontWeight:Ue.BO.semibold,color:g.headerTextColor,backgroundColor:"none",borderStyle:"none",height:36,lineHeight:36,cursor:"default",padding:"0 8px",userSelect:"none",textAlign:"left",selectors:(c={},c[Ue.up]=(0,a.__assign)({color:"GrayText"},(0,Ue.Qg)()),c)}],divider:{height:1,backgroundColor:g.dividerBorderColor}};return(0,Ue.TW)(S,t)})),Pl=(0,c.J9)((function(e,t,o,n,r,i,a,s){return{container:(0,Ue.Zq)(e.__shadowConfig__,"ms-ComboBox-container",t,e.container),label:(0,Ue.Zq)(e.__shadowConfig__,e.label,n&&e.labelDisabled),root:(0,Ue.Zq)(e.__shadowConfig__,"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,Ue.Zq)(e.__shadowConfig__,"ms-ComboBox-Input",e.input,n&&e.inputDisabled),errorMessage:(0,Ue.Zq)(e.__shadowConfig__,e.errorMessage),callout:(0,Ue.Zq)(e.__shadowConfig__,"ms-ComboBox-callout",e.callout),optionsContainerWrapper:(0,Ue.Zq)(e.__shadowConfig__,"ms-ComboBox-optionsContainerWrapper",e.optionsContainerWrapper),optionsContainer:(0,Ue.Zq)(e.__shadowConfig__,"ms-ComboBox-optionsContainer",e.optionsContainer),header:(0,Ue.Zq)(e.__shadowConfig__,"ms-ComboBox-header",e.header),divider:(0,Ue.Zq)(e.__shadowConfig__,"ms-ComboBox-divider",e.divider),screenReaderText:(0,Ue.Zq)(e.__shadowConfig__,e.screenReaderText)}})),kl=(0,c.J9)((function(e){return{optionText:(0,Ue.Zq)(e.__shadowConfig__,"ms-ComboBox-optionText",e.optionText),root:(0,Ue.Zq)(e.__shadowConfig__,"ms-ComboBox-option",e.root,{selectors:{":hover":e.rootHovered,":focus":e.rootFocused,":active":e.rootPressed}}),optionTextWrapper:(0,Ue.Zq)(e.__shadowConfig__,e.optionTextWrapper)}}));function Il(e,t){for(var o=[],n=0,r=t;n0&&d();var r=o._id+e.key;c.items.push(n((0,a.__assign)((0,a.__assign)({id:r},e),{index:t}),o._onRenderItem)),c.id=r;break;case hl.Divider:t>0&&c.items.push(n((0,a.__assign)((0,a.__assign)({},e),{index:t}),o._onRenderItem)),c.items.length>0&&d();break;default:c.items.push(n((0,a.__assign)((0,a.__assign)({},e),{index:t}),o._onRenderItem))}}(e,t)})),c.items.length>0&&d();var p=o._id;return i.createElement("div",{id:p+"-list",className:o._classNames.optionsContainer,"aria-labelledby":r&&p+"-label","aria-label":s&&!r?s:void 0,"aria-multiselectable":l?"true":void 0,role:"listbox"},u)},o._onRenderItem=function(e){switch(e.itemType){case hl.Divider:return o._renderSeparator(e);case hl.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,n=o.props.onRenderOption,r=void 0===n?o._onRenderOptionContent:n,s=null!==(t=e.id)&&void 0!==t?t:o._id+"-list"+e.index,l=o._isOptionSelected(e.index),c=o._isOptionChecked(e.index),u=o._isOptionIndeterminate(e.index),d=o._getCurrentOptionStyles(e),p=kl(d),m=e.title;return i.createElement(wl,{key:e.key,index:e.index,disabled:e.disabled,isSelected:l,isChecked:c,isIndeterminate:u,text:e.text,render:function(){return o.props.multiSelect?i.createElement(Ka,{id:s,ariaLabel:e.ariaLabel,ariaLabelledBy:e.ariaLabel?void 0:s+"-label",key:e.key,styles:d,className:"ms-ComboBox-option",onChange:o._onItemClick(e),label:e.text,checked:c,indeterminate:u,title:m,disabled:e.disabled,onRenderLabel:o._renderCheckboxLabel.bind(o,(0,a.__assign)((0,a.__assign)({},e),{id:s+"-label"})),inputProps:(0,a.__assign)({"aria-selected":c?"true":"false",role:"option"},{"data-index":e.index,"data-is-focusable":!0})}):i.createElement(si,{id:s,key:e.key,"data-index":e.index,styles:d,checked:l,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":l?"true":"false",ariaLabel:e.ariaLabel,disabled:e.disabled,title:m},i.createElement("span",{className:p.optionTextWrapper,ref:l?o._selectedElement:void 0},r(e,o._onRenderOptionContent)))},data:e.data})},o._onCalloutMouseDown=function(e){e.preventDefault()},o._onScroll=function(){var e;o._isScrollIdle||void 0===o._scrollIdleTimeoutId?o._isScrollIdle=!1:(o._async.clearTimeout(o._scrollIdleTimeoutId),o._scrollIdleTimeoutId=void 0),(null===(e=o.props.calloutProps)||void 0===e?void 0:e.onScroll)&&o.props.calloutProps.onScroll(),o._scrollIdleTimeoutId=o._async.setTimeout((function(){o._isScrollIdle=!0}),250)},o._onRenderOptionContent=function(e){var t=kl(o._getCurrentOptionStyles(e));return i.createElement("span",{className:t.optionText},e.text)},o._onRenderMultiselectOptionContent=function(e){var t=kl(o._getCurrentOptionStyles(e));return i.createElement("span",{id:e.id,"aria-hidden":"true",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,i=t.allowFreeInput,a=t.autoComplete,s=t.hoisted.currentOptions,l=o.state,c=l.isOpen,u=l.currentPendingValueValidIndexOnHover;if(o._lastKeyDownWasAltOrMeta=Hl(e),n)o._handleInputWhenDisabled(e);else{var d=o._getPendingSelectedIndex(!1);switch(e.which){case f.enter:o._autofill.current&&o._autofill.current.inputElement&&o._autofill.current.inputElement.select(),o._submitPendingValue(e),o.props.multiSelect&&c?o.setState({currentPendingValueValidIndex:d}):(c||(!r||void 0===o.state.currentPendingValue||null===o.state.currentPendingValue||o.state.currentPendingValue.length<=0)&&o.state.currentPendingValueValidIndex<0)&&o.setState({isOpen:!c});break;case f.tab:return o.props.multiSelect||o._submitPendingValue(e),void(c&&o._setOpenStateAndFocusOnClose(!c,!1));case f.escape:if(o._resetSelectedIndex(),!c)return;o.setState({isOpen:!1});break;case f.up:if(u===vl.clearAll&&(d=o.props.hoisted.currentOptions.length),e.altKey||e.metaKey){if(c){o._setOpenStateAndFocusOnClose(!c,!0);break}return}e.preventDefault(),o._setPendingInfoFromIndexAndDirection(d,fl.backward);break;case f.down:e.altKey||e.metaKey?o._setOpenStateAndFocusOnClose(!0,!0):(u===vl.clearAll&&(d=-1),e.preventDefault(),o._setPendingInfoFromIndexAndDirection(d,fl.forward));break;case f.home:case f.end:if(r||i)return;d=-1;var p=fl.forward;e.which===f.end&&(d=s.length,p=fl.backward),o._setPendingInfoFromIndexAndDirection(d,p);break;case f.space:if(!r&&!i&&"off"===a)break;default:if(e.which>=112&&e.which<=123)return;if(e.keyCode===f.alt||"Meta"===e.key)return;if(!r&&!i&&"on"===a){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.allowFreeInput,a=t.autoComplete,s=o.state.isOpen,l=o._lastKeyDownWasAltOrMeta&&Hl(e);o._lastKeyDownWasAltOrMeta=!1;var c=l&&!(qt()||Xt());n?o._handleInputWhenDisabled(e):e.which!==f.space?c&&s?o._setOpenStateAndFocusOnClose(!s,!0):("focusing"===o.state.focusState&&o.props.openOnKeyboardFocus&&o.setState({isOpen:!0}),"focused"!==o.state.focusState&&o.setState({focusState:"focused"})):r||i||"off"!==a||o._setOpenStateAndFocusOnClose(!s,!!s)},o._onOptionMouseLeave=function(){o._shouldIgnoreMouseEvent()||o.props.persistMenu&&!o.state.isOpen||o.setState({currentPendingValueValidIndexOnHover:vl.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())},_(o),o._async=new I(o),o._events=new M(o),o._id=t.id||N("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:vl.default},o}return(0,a.__extends)(t,e),Object.defineProperty(t.prototype,"selectedOptions",{get:function(){var e=this.props.hoisted;return Il(e.currentOptions,e.selectedIndices)},enumerable:!1,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,n,r,i=this,s=this.props,l=s.allowFreeform,c=s.allowFreeInput,u=s.text,d=s.onMenuOpen,p=s.onMenuDismissed,m=s.hoisted,g=m.currentOptions,h=m.selectedIndices,f=this.state,v=f.currentPendingValue,b=f.currentPendingValueValidIndex,y=f.isOpen;!y||t.isOpen&&t.currentPendingValueValidIndex===b||this._async.setTimeout((function(){return i._scrollIntoView()}),0);var _=Zo(this.context);this._hasFocus()&&(y||t.isOpen&&!y&&this._focusInputAfterClose&&this._autofill.current&&(null==_?void 0:_.activeElement)!==this._autofill.current.inputElement)&&this.focus(void 0,!0),this._focusInputAfterClose&&(t.isOpen&&!y||this._hasFocus()&&(!y&&!this.props.multiSelect&&e.hoisted.selectedIndices&&h&&e.hoisted.selectedIndices[0]!==h[0]||!l&&!c||u!==e.text))&&this._onFocus(),this._notifyPendingValueChanged(t),y&&!t.isOpen&&(this._overrideScrollDismiss=!0,this._async.clearTimeout(this._overrideScrollDimissTimeout),this._overrideScrollDimissTimeout=this._async.setTimeout((function(){i._overrideScrollDismiss=!1}),100),null==d||d()),!y&&t.isOpen&&p&&p();var S=b,C=g.map((function(e,t){return(0,a.__assign)((0,a.__assign)({},e),{index:t})}));!T(e.hoisted.currentOptions,g)&&v&&(S=this.props.allowFreeform||this.props.allowFreeInput?this._processInputChangeWithFreeform(v):this._updateAutocompleteIndexWithoutFreeform(v));var x=void 0;y&&this._hasFocus()&&-1!==S?x=null!==(o=C[S].id)&&void 0!==o?o:this._id+"-list"+S:y&&h.length&&(x=null!==(r=null===(n=C[h[0]])||void 0===n?void 0:n.id)&&void 0!==r?r:this._id+"-list"+h[0]),x!==this.state.ariaActiveDescendantValue&&this.setState({ariaActiveDescendantValue:x})},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,s=t.errorMessage,l=t.onRenderContainer,c=void 0===l?this._onRenderContainer:l,u=t.onRenderLabel,d=void 0===u?this._onRenderLabel:u,p=t.onRenderList,m=void 0===p?this._onRenderList:p,g=t.onRenderItem,h=void 0===g?this._onRenderItem:g,f=t.onRenderOption,v=void 0===f?this._onRenderOptionContent:f,b=t.allowFreeform,y=t.styles,_=t.theme,S=t.persistMenu,C=t.multiSelect,x=t.hoisted,P=x.suggestedDisplayValue,k=x.selectedIndices,I=x.currentOptions,w=this.state.isOpen;this._currentVisibleValue=this._getVisibleValue();var T=C?this._getMultiselectDisplayString(k,I,P):void 0,E=Q(this.props,Z,["onChange","value","aria-describedby","aria-labelledby"]),D=!!(s&&s.length>0);this._classNames=this.props.getClassNames?this.props.getClassNames(_,!!w,!!n,!!r,!!this._hasFocus(),!!b,!!D,o):Pl(xl(_,y),o,!!w,!!n,!!r,!!this._hasFocus(),!!b,!!D);var M=this._renderComboBoxWrapper(T,e);return i.createElement("div",(0,a.__assign)({},E,{ref:this.props.hoisted.mergedRootRef,className:this._classNames.container}),d({props:this.props,multiselectAccessibleText:T},this._onRenderLabel),M,(S||w)&&c((0,a.__assign)((0,a.__assign)({},this.props),{onRenderList:m,onRenderItem:h,onRenderOption:v,options:I.map((function(e,t){return(0,a.__assign)((0,a.__assign)({},e),{index:t})})),onDismiss:this._onDismiss}),this._onRenderContainer),D&&i.createElement("div",{role:"alert",id:e,className:this._classNames.errorMessage},s))},t.prototype._getPendingString=function(e,t,o){return null!=e?e:Bl(t,o)?Ll(t[o]):""},t.prototype._getMultiselectDisplayString=function(e,t,o){for(var n=[],r=0;e&&r0){var l=Ll(i[0]);s=this._adjustForCaseSensitivity(l)!==e?l:"",n=i[0].index}}else 1===(i=o.map((function(e,t){return(0,a.__assign)((0,a.__assign)({},e),{index:t})})).filter((function(o){return Al(o)&&!o.disabled&&t._adjustForCaseSensitivity(Ll(o))===e}))).length&&(n=i[0].index);return this._setPendingInfo(r,n,s),n},t.prototype._processInputChangeWithoutFreeform=function(e){var t=this,o=this.state,n=o.currentPendingValue,r=o.currentPendingValueValidIndex;if("on"===this.props.autoComplete&&""!==e){this._autoCompleteTimeout&&(this._async.clearTimeout(this._autoCompleteTimeout),this._autoCompleteTimeout=void 0,e=Fl(n)+e);var i=this._updateAutocompleteIndexWithoutFreeform(e);return this._autoCompleteTimeout=this._async.setTimeout((function(){t._autoCompleteTimeout=void 0}),1e3),i}var a=r>=0?r:this._getFirstSelectedIndex();return this._setPendingInfoFromIndex(a),a},t.prototype._updateAutocompleteIndexWithoutFreeform=function(e){var t=this,o=this.props.hoisted.currentOptions,n=e;e=this._adjustForCaseSensitivity(e);var r=o.map((function(e,t){return(0,a.__assign)((0,a.__assign)({},e),{index:t})})).filter((function(o){return Al(o)&&!o.disabled&&0===t._adjustForCaseSensitivity(o.text).indexOf(e)}));return r.length>0?(this._setPendingInfo(n,r[0].index,Ll(r[0])),r[0].index):-1},t.prototype._getFirstSelectedIndex=function(){var e=this.props.hoisted.selectedIndices;return(null==e?void 0:e.length)?e[0]:-1},t.prototype._getNextSelectableIndex=function(e,t){var o=this.props.hoisted.currentOptions,n=e+t;if(!Bl(o,n=Math.max(0,Math.min(o.length-1,n))))return-1;var r=o[n];if(!Nl(r)||!0===r.hidden){if(t===fl.none||!(n>0&&t=0&&nfl.none))return e;n=this._getNextSelectableIndex(n,t)}return n},t.prototype._setSelectedIndex=function(e,t,o){void 0===o&&(o=fl.none);var n=this.props,r=n.onChange,i=n.onPendingValueChanged,s=n.hoisted,l=s.selectedIndices,c=s.currentOptions,u=l?l.slice():[],d=c.slice();if(Bl(c,e=this._getNextSelectableIndex(e,o))){if(this.props.multiSelect||u.length<1||1===u.length&&u[0]!==e){var p=(0,a.__assign)({},c[e]);if(!p||p.disabled)return;if(this.props.multiSelect)if(p.selected=void 0!==p.selected?!p.selected:u.indexOf(e)<0,p.itemType===hl.SelectAll)u=[],p.selected?c.forEach((function(e,t){!e.disabled&&Nl(e)&&(u.push(t),d[t]=(0,a.__assign)((0,a.__assign)({},e),{selected:!0}))})):d=c.map((function(e){return(0,a.__assign)((0,a.__assign)({},e),{selected:!1})}));else{p.selected&&u.indexOf(e)<0?u.push(e):!p.selected&&u.indexOf(e)>=0&&(u=u.filter((function(t){return t!==e}))),d[e]=p;var m=d.filter((function(e){return e.itemType===hl.SelectAll}))[0];if(m){var g=this._isSelectAllChecked(u),h=d.indexOf(m);g?(u.push(h),d[h]=(0,a.__assign)((0,a.__assign)({},m),{selected:!0})):(u=u.filter((function(e){return e!==h})),d[h]=(0,a.__assign)((0,a.__assign)({},m),{selected:!1}))}}else u[0]=e;t.persist(),this.props.selectedKey||null===this.props.selectedKey||(this.props.hoisted.setSelectedIndices(u),this.props.hoisted.setCurrentOptions(d)),this._hasPendingValue&&i&&(i(),this._hasPendingValue=!1),r&&r(t,p,e,Ll(p))}this.props.multiSelect&&this.state.isOpen||this._clearPendingInfo()}},t.prototype._submitPendingValue=function(e){var t,o=this.props,n=o.onChange,r=o.allowFreeform,i=o.autoComplete,a=o.multiSelect,s=o.hoisted,l=s.currentOptions,c=this.state,u=c.currentPendingValue,d=c.currentPendingValueValidIndex,p=c.currentPendingValueValidIndexOnHover,m=this.props.hoisted.selectedIndices;if(!this._processingClearPendingInfo){if(r){if(null==u)return void(p>=0&&(this._setSelectedIndex(p,e),this._clearPendingInfo()));if(Bl(l,d)){var g=this._adjustForCaseSensitivity(Ll(l[d])),h=this._autofill.current,f=this._adjustForCaseSensitivity(u);if(f===g||i&&0===g.indexOf(f)&&(null==h?void 0:h.isValueSelected)&&u.length+(h.selectionEnd-h.selectionStart)===g.length||void 0!==(null===(t=null==h?void 0:h.inputElement)||void 0===t?void 0:t.value)&&this._adjustForCaseSensitivity(h.inputElement.value)===g){if(this._setSelectedIndex(d,e),a&&this.state.isOpen)return;return void this._clearPendingInfo()}}if(n)n&&n(e,void 0,void 0,u);else{var v={key:u||N(),text:Fl(u)};a&&(v.selected=!0);var b=l.concat([v]);m&&(a||(m=[]),m.push(b.length-1)),s.setCurrentOptions(b),s.setSelectedIndices(m)}}else d>=0?this._setSelectedIndex(d,e):p>=0&&this._setSelectedIndex(p,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?i.createElement("div",{role:"presentation",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 i.createElement("div",{id:e.id,key:e.key,className:this._classNames.header},o(e,this._onRenderOptionContent))},t.prototype._renderCheckboxLabel=function(e){var t=this.props.onRenderOption;return(void 0===t?this._onRenderMultiselectOptionContent:t)(e,this._onRenderMultiselectOptionContent)},t.prototype._isOptionHighlighted=function(e){var t=this.state.currentPendingValueValidIndexOnHover;return t!==vl.clearAll&&(t>=0?t===e:this._isOptionSelected(e))},t.prototype._isOptionSelected=function(e){return 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._isOptionIndeterminate=function(e){var t=this.props,o=t.multiSelect,n=t.hoisted;if(o&&void 0!==e&&n.selectedIndices&&n.currentOptions){var r=n.currentOptions[e];if(r&&r.itemType===hl.SelectAll)return n.selectedIndices.length>0&&!this._isSelectAllChecked()}return!1},t.prototype._isSelectAllChecked=function(e){var t=this.props,o=t.multiSelect,n=t.hoisted,r=n.currentOptions.find((function(e){return e.itemType===hl.SelectAll})),i=e||n.selectedIndices;if(!o||!i||!r)return!1;var a=n.currentOptions.indexOf(r),s=i.filter((function(e){return e!==a})),l=n.currentOptions.filter((function(e){return!e.disabled&&e.itemType!==hl.SelectAll&&Nl(e)}));return s.length===l.length},t.prototype._getPendingSelectedIndex=function(e){var t=this.state,o=t.currentPendingValueValidIndex,n=t.currentPendingValue;return o>=0||e&&null!=n?o:this.props.multiSelect?-1:this._getFirstSelectedIndex()},t.prototype._scrollIntoView=function(){var e=this.props,t=e.onScrollToItem,o=e.scrollSelectedToTop,n=this._getPendingSelectedIndex(!0);if(t)t(n>=0?n:this._getFirstSelectedIndex());else{var r=this._selectedElement.current;if(this.props.multiSelect&&this._comboBoxMenu.current&&(r=Dl(this._comboBoxMenu.current,(function(e){var t;return(null===(t=e.dataset)||void 0===t?void 0:t.index)===n.toString()}))),r&&r.offsetParent){var i=!0;if(this._comboBoxMenu.current&&this._comboBoxMenu.current.offsetParent){var a=this._comboBoxMenu.current.offsetParent,s=r.offsetParent,l=s.offsetHeight,c=s.offsetTop,u=a,d=u.offsetHeight,p=u.scrollTop,m=c+l>p+d;c0&&t=0&&e=o.length-1?e=-1:t===fl.backward&&e<=0&&(e=o.length);var n=this._getNextSelectableIndex(e,t);e===n?t===fl.forward?e=this._getNextSelectableIndex(-1,t):t===fl.backward&&(e=this._getNextSelectableIndex(o.length,t)):e=n,Bl(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&&Bl(o,a)?s=a:i!==e.currentPendingValueValidIndex&&Bl(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.tab&&e.which!==f.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 Cl(this.props.theme,e)},t.prototype._getCurrentOptionStyles=function(e){var t,o=this.props.comboBoxOptionStyles,n=e.styles,r=Sl(this.props.theme,o,n,this._isPendingOption(e),e.hidden,this._isOptionHighlighted(e.index));return r.__shadowConfig__=null===(t=this.props.styles)||void 0===t?void 0:t.__shadowConfig__,r},t.prototype._getAriaAutoCompleteValue=function(){return this.props.disabled||"on"!==this.props.autoComplete?"list":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},t.prototype._adjustForCaseSensitivity=function(e){return this.props.caseSensitive?e:e.toLowerCase()},t.contextType=jo,(0,a.__decorate)([Jr("ComboBox",["theme","styles"],!0)],t)}(i.Component);function Ol(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=s(e,(function(e){return e.key===t}));n>-1&&(o[n]=!0)},r=0,i=t;r=0&&t0||!!o&&Oi(o,e)<0}ql.displayName="DatePickerBase";var Zl,Ql={root:"ms-DatePicker",callout:"ms-DatePicker-callout",withLabel:"ms-DatePicker-event--with-label",withoutLabel:"ms-DatePicker-event--without-label",disabled:"msDatePickerDisabled "},Jl=Pe(ql,(function(e){var t,o=e.className,n=e.theme,r=e.disabled,i=e.underlined,a=e.label,s=e.isDatePickerShown,l=n.palette,c=n.semanticColors,u=n.fonts,d=(0,Ue.Km)(Ql,n),p={color:l.neutralSecondary,fontSize:Ue.s.icon,lineHeight:"18px",pointerEvents:"none",position:"absolute",right:"4px",padding:"5px"};return{root:[d.root,n.fonts.large,s&&"is-open",Ue.S8,o],textField:[{position:"relative",selectors:{"& input[readonly]":{cursor:"pointer"},input:{selectors:{"::-ms-clear":{display:"none"}}}}},r&&{selectors:{"& input[readonly]":{cursor:"default"}}}],callout:[d.callout],icon:[p,a?d.withLabel:d.withoutLabel,{paddingTop:"7px"},!r&&[d.disabled,{pointerEvents:"initial",cursor:"pointer"}],r&&{color:c.disabledText,cursor:"default"}],statusMessage:[u.small,{color:c.errorText,marginTop:5}],readOnlyTextField:[{cursor:"pointer",height:32,lineHeight:30,overflow:"hidden",textOverflow:"ellipsis"},i&&{lineHeight:34}],readOnlyPlaceholder:(t={color:c.inputPlaceholderText},t[Ue.up]={color:"GrayText"},t)}}),void 0,{scope:"DatePicker"}),$l=function(){function e(){this._size=0}return e.prototype.updateOptions=function(e){for(var t=[],o=[],n=0,r=0;rthis._notSelectableOptionsCache[t];)t++;if(this._displayOnlyOptionsCache[t]===e)throw new Error("Unexpected: Option at index ".concat(e," is not a selectable element."));if(this._notSelectableOptionsCache[t]!==e)return e-t+1}},e}(),ec=Le(),tc=function(e){function t(t){var o=e.call(this,t)||this;_(o);var n=o.props.allowTouchBodyScroll,r=void 0!==n&&n;return o._allowTouchBodyScroll=r,o}return(0,a.__extends)(t,e),t.prototype.componentDidMount=function(){var e;!this._allowTouchBodyScroll&&((e=(0,w.Y)())&&e.body&&!wt&&(e.body.classList.add(Tt),e.body.addEventListener("touchmove",Dt,{passive:!1,capture:!1})),wt++)},t.prototype.componentWillUnmount=function(){!this._allowTouchBodyScroll&&function(){if(wt>0){var e=(0,w.Y)();e&&e.body&&1===wt&&(e.body.classList.remove(Tt),e.body.removeEventListener("touchmove",Dt)),wt--}}()},t.prototype.render=function(){var e=this.props,t=e.isDarkThemed,o=e.className,n=e.theme,r=e.styles,s=Q(this.props,Z),l=ec(r,{theme:n,className:o,isDark:t});return i.createElement("div",(0,a.__assign)({},s,{className:l.root}))},t}(i.Component),oc={root:"ms-Overlay",rootDark:"ms-Overlay--dark"},nc=Pe(tc,(function(e){var t,o=e.className,n=e.theme,r=e.isNone,i=e.isDark,a=n.palette,s=(0,Ue.Km)(oc,n);return{root:[s.root,n.fonts.medium,{backgroundColor:a.whiteTranslucent40,top:0,right:0,bottom:0,left:0,position:"absolute",selectors:(t={},t[Ue.up]={border:"1px solid WindowText",opacity:0},t)},r&&{visibility:"hidden"},i&&[s.rootDark,{backgroundColor:a.blackTranslucent40}],o]}}),void 0,{scope:"Overlay"});!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"}(Zl||(Zl={}));var rc,ic=Le();!function(e){e[e.closed=0]="closed",e[e.animatingOpen=1]="animatingOpen",e[e.open=2]="open",e[e.animatingClosed=3]="animatingClosed"}(rc||(rc={}));var ac,sc,lc,cc,uc,dc=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.isActive&&o.props.onDismiss(e),(!e||e&&!e.defaultPrevented)&&o.close()},o._allowScrollOnPanel=function(e){var t,n;e?o._allowTouchBodyScroll?(t=e,n=o._events,t&&n.on(t,"touchmove",(function(e){e.stopPropagation()}),{passive:!1})):function(e,t){var o=(0,k.z)(e);if(e&&o){var n=0,r=null,i=o.getComputedStyle(e);t.on(e,"touchstart",(function(e){1===e.targetTouches.length&&(n=e.targetTouches[0].clientY)}),{passive:!1}),t.on(e,"touchmove",(function(e){if(1===e.targetTouches.length&&(e.stopPropagation(),r)){var t=e.targetTouches[0].clientY-n,a=Mt(e.target);a&&r!==a&&(r=a,i=o.getComputedStyle(r));var s=r.scrollTop,l="column-reverse"===(null==i?void 0:i.flexDirection);0===s&&(l?t<0:t>0)&&e.preventDefault(),r.scrollHeight-Math.abs(Math.ceil(s))<=r.clientHeight&&(l?t>0:t<0)&&e.preventDefault()}}),{passive:!1}),r=e}}(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,a=e.onRenderHeader,s=void 0===a?o._onRenderHeader:a;if(r){var l=null===(t=o._classNames.subComponentStyles)||void 0===t?void 0:t.closeButton();return i.createElement(i.Fragment,null,!o._hasCustomNavigation&&s(o.props,o._onRenderHeader,o._headerTextId),i.createElement(yi,{styles:l,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 r=e.headerText,s=e.headerTextProps,l=void 0===s?{}:s;return r?i.createElement("div",{className:o._classNames.header},i.createElement("div",(0,a.__assign)({id:n,role:"heading","aria-level":1},l,{className:u(o._classNames.headerText,l.className)}),r)):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===rc.open&&o.props.onOpen&&o.props.onOpen(),o._animationCallback=o._async.setTimeout((function(){o.setState({visibility:e}),o._onTransitionComplete(e)}),200)},o._clearExistingAnimationTimer=function(){null!==o._animationCallback&&o._async.clearTimeout(o._animationCallback)},o._onPanelClick=function(e){o.dismiss(e)},o._onTransitionComplete=function(e){o._updateFooterPosition(),e===rc.open&&o.props.onOpened&&o.props.onOpened(),e===rc.closed&&o.props.onDismissed&&o.props.onDismissed()};var n=o.props.allowTouchBodyScroll,r=void 0!==n&&n;return o._allowTouchBodyScroll=r,_(o),o.state={isFooterSticky:!1,visibility:rc.closed,id:N("Panel")},o}return(0,a.__extends)(t,e),t.getDerivedStateFromProps=function(e,t){return void 0===e.isOpen?null:!e.isOpen||t.visibility!==rc.closed&&t.visibility!==rc.animatingClosed?e.isOpen||t.visibility!==rc.open&&t.visibility!==rc.animatingOpen?null:{visibility:rc.animatingClosed}:{visibility:rc.animatingOpen}},t.prototype.componentDidMount=function(){this._async=new I(this),this._events=new M(this);var e=Qo(this.context),t=Zo(this.context);this._events.on(e,"resize",this._updateFooterPosition),this._shouldListenForOuterClick(this.props)&&this._events.on(null==t?void 0:t.body,"mousedown",this._dismissOnOuterClick,!0),this.props.isOpen&&this.setState({visibility:rc.animatingOpen})},t.prototype.componentDidUpdate=function(e,t){var o=this._shouldListenForOuterClick(this.props),n=this._shouldListenForOuterClick(e);this.state.visibility!==t.visibility&&(this._clearExistingAnimationTimer(),this.state.visibility===rc.animatingOpen?this._animateTo(rc.open):this.state.visibility===rc.animatingClosed&&this._animateTo(rc.closed));var r=Zo(this.context);o&&!n?this._events.on(null==r?void 0:r.body,"mousedown",this._dismissOnOuterClick,!0):!o&&n&&this._events.off(null==r?void 0:r.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,n=e.elementToFocusOnDismiss,r=e.firstFocusableSelector,s=e.focusTrapZoneProps,l=e.forceFocusInsideTrap,c=e.hasCloseButton,u=e.headerText,d=e.headerClassName,p=void 0===d?"":d,m=e.ignoreExternalFocusing,g=e.isBlocking,h=e.isFooterAtBottom,f=e.isLightDismiss,v=e.isHiddenOnDismiss,b=e.layerProps,y=e.overlayProps,_=e.popupProps,S=e.type,C=e.styles,x=e.theme,P=e.customWidth,k=e.onLightDismissClick,I=void 0===k?this._onPanelClick:k,w=e.onRenderNavigation,T=void 0===w?this._onRenderNavigation:w,E=e.onRenderHeader,D=void 0===E?this._onRenderHeader:E,M=e.onRenderBody,O=void 0===M?this._onRenderBody:M,R=e.onRenderFooter,F=void 0===R?this._onRenderFooter:R,B=this.state,A=B.isFooterSticky,N=B.visibility,L=B.id,H=S===Zl.smallFixedNear||S===Zl.customNear,j=De(x)?H:!H,z=S===Zl.custom||S===Zl.customNear?{width:P}:{},W=Q(this.props,Z),V=this.isActive,K=N===rc.animatingClosed||N===rc.animatingOpen;if(this._headerTextId=u&&L+"-headerText",!V&&!K&&!v)return null;this._classNames=ic(C,{theme:x,className:o,focusTrapZoneClassName:s?s.className:void 0,hasCloseButton:c,headerClassName:p,isAnimating:K,isFooterSticky:A,isFooterAtBottom:h,isOnRightSide:j,isOpen:V,isHiddenOnDismiss:v,type:S,hasCustomNavigation:this._hasCustomNavigation});var G,U=this._classNames,Y=this._allowTouchBodyScroll;return g&&V&&(G=i.createElement(nc,(0,a.__assign)({className:U.overlay,isDarkThemed:!1,onClick:f?I:void 0,allowTouchBodyScroll:Y},y))),i.createElement(Bn,(0,a.__assign)({},b),i.createElement(Ko,(0,a.__assign)({role:"dialog","aria-modal":g?"true":void 0,ariaLabelledBy:this._headerTextId?this._headerTextId:void 0,onDismiss:this.dismiss,className:U.hiddenPanel,enableAriaHiddenSiblings:!!V},_),i.createElement("div",(0,a.__assign)({"aria-hidden":!V&&K},W,{ref:this._panel,className:U.root}),G,i.createElement(Kl,(0,a.__assign)({ignoreExternalFocusing:m,forceFocusInsideTrap:!(!g||v&&!V)&&l,firstFocusableSelector:r,isClickableOutsideFocusTrap:!0},s,{className:U.main,style:z,elementToFocusOnDismiss:n}),i.createElement("div",{className:U.contentInner},i.createElement("div",{ref:this._allowScrollOnPanel,className:U.scrollableContent,"data-is-scrollable":!0},i.createElement("div",{className:U.commands,"data-is-visible":!0},T(this.props,this._onRenderNavigation)),(this._hasCustomNavigation||!c)&&D(this.props,this._onRenderHeader,this._headerTextId),O(this.props,this._onRenderBody),F(this.props,this._onRenderFooter)))))))},t.prototype.open=function(){void 0===this.props.isOpen&&(this.isActive||this.setState({visibility:rc.animatingOpen}))},t.prototype.close=function(){void 0===this.props.isOpen&&this.isActive&&this.setState({visibility:rc.animatingClosed})},Object.defineProperty(t.prototype,"isActive",{get:function(){return this.state.visibility===rc.open||this.state.visibility===rc.animatingOpen},enumerable:!1,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:t0&&l();var i=r._id+e.key;n.items.push(o((0,a.__assign)((0,a.__assign)({id:i},e),{index:t}),r._onRenderItem)),n.id=i;break;case hl.Divider:t>0&&n.items.push(o((0,a.__assign)((0,a.__assign)({},e),{index:t}),r._onRenderItem)),n.items.length>0&&l();break;default:n.items.push(o((0,a.__assign)((0,a.__assign)({},e),{index:t}),r._onRenderItem))}}(e,t)})),n.items.length>0&&l(),i.createElement(i.Fragment,null,s)},r._onRenderItem=function(e){switch(e.itemType){case hl.Divider:return r._renderSeparator(e);case hl.Header:return r._renderHeader(e);default:return r._renderOption(e)}},r._renderOption=function(e){var t,o=r.props,n=o.onRenderOption,s=void 0===n?r._onRenderOption:n,l=o.hoisted.selectedIndices,c=void 0===l?[]:l,d=!(void 0===e.index||!c)&&c.indexOf(e.index)>-1,p=e.hidden?r._classNames.dropdownItemHidden:d&&!0===e.disabled?r._classNames.dropdownItemSelectedAndDisabled:d?r._classNames.dropdownItemSelected:!0===e.disabled?r._classNames.dropdownItemDisabled:r._classNames.dropdownItem,m=e.title,g=r._listId+e.index,h=null!==(t=e.id)&&void 0!==t?t:g+"-label",f=r._classNames.subComponentStyles?r._classNames.subComponentStyles.multiSelectItem:void 0;return r.props.multiSelect?i.createElement(Ka,{id:g,key:e.key,disabled:e.disabled,onChange:r._onItemClick(e),inputProps:(0,a.__assign)({"aria-selected":d,onMouseEnter:r._onItemMouseEnter.bind(r,e),onMouseLeave:r._onMouseItemLeave.bind(r,e),onMouseMove:r._onItemMouseMove.bind(r,e),role:"option"},{"data-index":e.index,"data-is-focusable":!(e.disabled||e.hidden)}),label:e.text,title:m,onRenderLabel:r._onRenderItemLabel.bind(r,(0,a.__assign)((0,a.__assign)({},e),{id:h})),className:u(p,"is-multi-select"),checked:d,styles:f,ariaPositionInSet:e.hidden?void 0:r._sizePosCache.positionInSet(e.index),ariaSetSize:e.hidden?void 0:r._sizePosCache.optionSetSize,ariaLabel:e.ariaLabel,ariaLabelledBy:e.ariaLabel?void 0:h}):i.createElement(si,{id:g,key:e.key,"data-index":e.index,"data-is-focusable":!e.disabled,disabled:e.disabled,className:p,onClick:r._onItemClick(e),onMouseEnter:r._onItemMouseEnter.bind(r,e),onMouseLeave:r._onMouseItemLeave.bind(r,e),onMouseMove:r._onItemMouseMove.bind(r,e),role:"option","aria-selected":d?"true":"false",ariaLabel:e.ariaLabel,title:m,"aria-posinset":r._sizePosCache.positionInSet(e.index),"aria-setsize":r._sizePosCache.optionSetSize},s(e,r._onRenderOption))},r._onRenderOption=function(e){return i.createElement("span",{className:r._classNames.dropdownOptionText},e.text)},r._onRenderMultiselectOption=function(e){return i.createElement("span",{id:e.id,"aria-hidden":"true",className:r._classNames.dropdownOptionText},e.text)},r._onRenderItemLabel=function(e){var t=r.props.onRenderOption;return(void 0===t?r._onRenderMultiselectOption:t)(e,r._onRenderMultiselectOption)},r._onPositioned=function(e){r._focusZone.current&&r._requestAnimationFrame((function(){var e=r.props.hoisted.selectedIndices;if(r._focusZone.current)if(!r._hasBeenPositioned&&e&&e[0]&&!r.props.options[e[0]].disabled){var t=(0,w.Y)().getElementById("".concat(r._id,"-list").concat(e[0]));t&&r._focusZone.current.focusElement(t),r._hasBeenPositioned=!0}else r._focusZone.current.focus()})),r.state.calloutRenderEdge&&r.state.calloutRenderEdge===e.targetEdge||r.setState({calloutRenderEdge:e.targetEdge})},r._onItemClick=function(e){return function(t){e.disabled||(r.setSelectedIndex(t,e.index),r.props.multiSelect||r.setState({isOpen:!1}))}},r._onScroll=function(){var e=Qo(r.context);r._isScrollIdle||void 0===r._scrollIdleTimeoutId?r._isScrollIdle=!1:(e.clearTimeout(r._scrollIdleTimeoutId),r._scrollIdleTimeoutId=void 0),r._scrollIdleTimeoutId=e.setTimeout((function(){r._isScrollIdle=!0}),r._scrollIdleDelay)},r._onMouseItemLeave=function(e,t){if(!r._shouldIgnoreMouseEvent()&&r._host.current)if(r._host.current.setActive)try{r._host.current.setActive()}catch(e){}else r._host.current.focus()},r._onDismiss=function(){r.setState({isOpen:!1})},r._onDropdownBlur=function(e){r._isDisabled()||r.state.isOpen||(r.setState({hasFocus:!1}),r.props.onBlur&&r.props.onBlur(e))},r._onDropdownKeyDown=function(e){if(!r._isDisabled()&&(r._lastKeyDownWasAltOrMeta=r._isAltOrMeta(e),!r.props.onKeyDown||(r.props.onKeyDown(e),!e.defaultPrevented))){var t,o=r.props.hoisted.selectedIndices.length?r.props.hoisted.selectedIndices[0]:-1,n=e.altKey||e.metaKey,i=r.state.isOpen;switch(e.which){case f.enter:r.setState({isOpen:!i});break;case f.escape:if(!i)return;r.setState({isOpen:!1});break;case f.up:if(n){if(i){r.setState({isOpen:!1});break}return}r.props.multiSelect?r.setState({isOpen:!0}):r._isDisabled()||(t=r._moveIndex(e,-1,o-1,o));break;case f.down:n&&(e.stopPropagation(),e.preventDefault()),n&&!i||r.props.multiSelect?r.setState({isOpen:!0}):r._isDisabled()||(t=r._moveIndex(e,1,o+1,o));break;case f.home:r.props.multiSelect||(t=r._moveIndex(e,1,0,o));break;case f.end:r.props.multiSelect||(t=r._moveIndex(e,-1,r.props.options.length-1,o));break;case f.space:break;default:return}t!==o&&(e.stopPropagation(),e.preventDefault())}},r._onDropdownKeyUp=function(e){if(!r._isDisabled()){var t=r._shouldHandleKeyUp(e),o=r.state.isOpen;r.props.onKeyUp&&(r.props.onKeyUp(e),e.defaultPrevented)||(e.which===f.space?(r.setState({isOpen:!o}),e.stopPropagation(),e.preventDefault()):t&&o&&r.setState({isOpen:!1}))}},r._onZoneKeyDown=function(e){var t,o,n;r._lastKeyDownWasAltOrMeta=r._isAltOrMeta(e);var i=e.altKey||e.metaKey;switch(e.which){case f.up:i?r.setState({isOpen:!1}):r._host.current&&(n=gt(r._host.current,r._host.current.lastChild,!0));break;case f.home:case f.end:case f.pageUp:case f.pageDown:break;case f.down:!i&&r._host.current&&(n=mt(r._host.current,r._host.current.firstChild,!0));break;case f.escape:r.setState({isOpen:!1});break;case f.tab:r.setState({isOpen:!1});var a=(0,w.Y)();a&&(e.shiftKey?null===(t=ht(a.body,r._dropDown.current,!1,!1,!0,!0))||void 0===t||t.focus():null===(o=ft(a.body,r._dropDown.current,!1,!1,!0,!0))||void 0===o||o.focus());break;default:return}n&&n.focus(),e.stopPropagation(),e.preventDefault()},r._onZoneKeyUp=function(e){r._shouldHandleKeyUp(e)&&r.state.isOpen&&(r.setState({isOpen:!1}),e.preventDefault())},r._onDropdownClick=function(e){if(!r.props.onClick||(r.props.onClick(e),!e.defaultPrevented)){var t=r.state.isOpen;r._isDisabled()||r._shouldOpenOnFocus()||r.setState({isOpen:!t}),r._isFocusedByClick=!1}},r._onDropdownMouseDown=function(){r._isFocusedByClick=!0},r._onFocus=function(e){if(!r._isDisabled()){r.props.onFocus&&r.props.onFocus(e);var t={hasFocus:!0};r._shouldOpenOnFocus()&&(t.isOpen=!0),r.setState(t)}},r._isDisabled=function(){var e=r.props.disabled,t=r.props.isDisabled;return void 0===e&&(e=t),e},r._onRenderLabel=function(e){var t=e.label,o=e.required,n=e.disabled,a=r._classNames.subComponentStyles?r._classNames.subComponentStyles.label:void 0;return t?i.createElement(Ya,{className:r._classNames.label,id:r._labelId,required:o,styles:a,disabled:n},t):null},_(r),t.multiSelect,t.selectedKey,t.selectedKeys,t.defaultSelectedKey,t.defaultSelectedKeys;var s=t.options;return r._id=t.id||N("Dropdown"),r._labelId=r._id+"-label",r._listId=r._id+"-list",r._optionId=r._id+"-option",r._isScrollIdle=!0,r._hasBeenPositioned=!1,r._sizePosCache.updateOptions(s),r.state={isOpen:!1,hasFocus:!1,calloutRenderEdge:void 0},r}return(0,a.__extends)(t,e),Object.defineProperty(t.prototype,"selectedOptions",{get:function(){var e=this.props;return Il(e.options,e.hoisted.selectedIndices)},enumerable:!1,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._hasBeenPositioned=!1,this.props.onDismiss&&this.props.onDismiss())},t.prototype.render=function(){var e=this._id,t=this.props,o=t.className,n=t.label,r=t.options,s=t.ariaLabel,l=t.required,c=t.errorMessage,u=t.styles,d=t.theme,p=t.panelProps,m=t.calloutProps,g=t.onRenderTitle,h=void 0===g?this._getTitle:g,f=t.onRenderContainer,v=void 0===f?this._onRenderContainer:f,b=t.onRenderCaretDown,y=void 0===b?this._onRenderCaretDown:b,_=t.onRenderLabel,S=void 0===_?this._onRenderLabel:_,C=t.onRenderItem,x=void 0===C?this._onRenderItem:C,P=t.hoisted.selectedIndices,k=this.state,I=k.isOpen,w=k.calloutRenderEdge,T=k.hasFocus,E=t.onRenderPlaceholder||t.onRenderPlaceHolder||this._getPlaceholder;r!==this._sizePosCache.cachedOptions&&this._sizePosCache.updateOptions(r);var D=Il(r,P),M=Q(t,Z),O=this._isDisabled(),R=e+"-errorMessage";this._classNames=Cc(u,{theme:d,className:o,hasError:!!(c&&c.length>0),hasLabel:!!n,isOpen:I,required:l,disabled:O,isRenderingPlaceholder:!D.length,panelClassName:p?p.className:void 0,calloutClassName:m?m.className:void 0,calloutRenderEdge:w});var F=!!c&&c.length>0;return i.createElement("div",{className:this._classNames.root,ref:this.props.hoisted.rootRef,"aria-owns":I?this._listId:void 0},S(this.props,this._onRenderLabel),i.createElement("div",(0,a.__assign)({"data-is-focusable":!O,"data-ktp-target":!0,ref:this._dropDown,id:e,tabIndex:O?-1:0,role:"combobox","aria-haspopup":"listbox","aria-expanded":I?"true":"false","aria-label":s,"aria-labelledby":n&&!s?me(this._labelId,this._optionId):void 0,"aria-describedby":F?this._id+"-errorMessage":void 0,"aria-required":l,"aria-disabled":O,"aria-controls":I?this._listId:void 0},M,{className:this._classNames.dropdown,onBlur:this._onDropdownBlur,onKeyDown:this._onDropdownKeyDown,onKeyUp:this._onDropdownKeyUp,onClick:this._onDropdownClick,onMouseDown:this._onDropdownMouseDown,onFocus:this._onFocus}),i.createElement("span",{id:this._optionId,className:this._classNames.title,"aria-live":T?"polite":void 0,"aria-atomic":!!T||void 0,"aria-invalid":F},D.length?h(D,this._onRenderTitle):E(t,this._onRenderPlaceholder)),i.createElement("span",{className:this._classNames.caretDownWrapper},y(t,this._onRenderCaretDown))),I&&v((0,a.__assign)((0,a.__assign)({},t),{onDismiss:this._onDismiss,onRenderItem:x}),this._onRenderContainer),F&&i.createElement("div",{role:"alert",id:R,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===hl.Header||r[o].itemType===hl.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,r=e.ariaLabel,a=e.multiSelect;return i.createElement("div",{className:this._classNames.dropdownItemsWrapper,onKeyDown:this._onZoneKeyDown,onKeyUp:this._onZoneKeyUp,ref:this._host,tabIndex:0},i.createElement(Yt,{ref:this._focusZone,direction:st.vertical,id:this._listId,className:this._classNames.dropdownItems,role:"listbox","aria-label":r,"aria-labelledby":n&&!r?this._labelId:void 0,"aria-multiselectable":a},o(e,this._onRenderList)))},t.prototype._renderSeparator=function(e){var t=e.index,o=e.key,n=e.hidden?this._classNames.dropdownDividerHidden:this._classNames.dropdownDivider;return t>0?i.createElement("div",{role:"presentation",key:o,className:n}):null},t.prototype._renderHeader=function(e){var t=this.props.onRenderOption,o=void 0===t?this._onRenderOption:t,n=e.key,r=e.id,a=e.hidden?this._classNames.dropdownItemHeaderHidden:this._classNames.dropdownItemHeader;return i.createElement("div",{id:r,key:n,className:a},o(e,this._onRenderOption))},t.prototype._onItemMouseEnter=function(e,t){this._shouldIgnoreMouseEvent()||t.currentTarget.focus()},t.prototype._onItemMouseMove=function(e,t){var o=Zo(this.context),n=t.currentTarget;this._gotMouseMove=!0,this._isScrollIdle&&o.activeElement!==n&&n.focus()},t.prototype._shouldIgnoreMouseEvent=function(){return!this._isScrollIdle||!this._gotMouseMove},t.prototype._isAltOrMeta=function(e){return e.which===f.alt||"Meta"===e.key},t.prototype._shouldHandleKeyUp=function(e){var t=this._lastKeyDownWasAltOrMeta&&this._isAltOrMeta(e);return this._lastKeyDownWasAltOrMeta=!1,!!t&&!(qt()||Xt())},t.prototype._shouldOpenOnFocus=function(){var e=this.state.hasFocus,t=this.props.openOnKeyboardFocus;return!this._isFocusedByClick&&!0===t&&!e},t.defaultProps={options:[]},t.contextType=jo,t}(i.Component),Mc={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"},Oc=((kc={})["".concat(Ue.up,", ").concat(Ue.hT.replace("@media ",""))]=(0,a.__assign)({},(0,Ue.Qg)()),kc),Rc={selectors:(0,a.__assign)((Ic={},Ic[Ue.up]=(wc={backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},wc[".".concat(v.Y2," &:focus:after")]={borderColor:"HighlightText"},wc),Ic[".ms-Checkbox-checkbox"]=(Tc={},Tc[Ue.up]={borderColor:"HighlightText"},Tc),Ic),Oc)},Fc={selectors:(Ec={},Ec[Ue.up]={borderColor:"Highlight"},Ec)},Bc=(0,Ue.L6)(0,Ue.O7),Ac=Pe(Pc,(function(e){var t,o,n,r,i,s,l,c,u,d,p,m,g=e.theme,h=e.hasError,f=e.hasLabel,b=e.className,y=e.isOpen,_=e.disabled,S=e.required,C=e.isRenderingPlaceholder,x=e.panelClassName,P=e.calloutClassName,k=e.calloutRenderEdge;if(!g)throw new Error("theme is undefined or null in base Dropdown getStyles function.");var I=(0,Ue.Km)(Mc,g),w=g.palette,T=g.semanticColors,E=g.effects,D=g.fonts,M={color:T.menuItemTextHovered},O={color:T.menuItemText},R={borderColor:T.errorText},F=[I.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%"}}],B=[I.dropdownItemHeader,(0,a.__assign)((0,a.__assign)({},D.medium),{fontWeight:Ue.BO.semibold,color:T.menuHeader,background:"none",backgroundColor:"transparent",border:"none",height:36,lineHeight:36,cursor:"default",padding:"0 8px",userSelect:"none",textAlign:"left",selectors:(t={},t[Ue.up]=(0,a.__assign)({color:"GrayText"},(0,Ue.Qg)()),t)})],A=T.menuItemBackgroundPressed,N=function(e){var t,o;return void 0===e&&(e=!1),{selectors:(t={"&:hover":[{color:T.menuItemTextHovered,backgroundColor:e?A:T.menuItemBackgroundHovered},Rc],"&.is-multi-select:hover":[{backgroundColor:e?A:"transparent"},Rc],"&:active:hover":[{color:T.menuItemTextHovered,backgroundColor:e?T.menuItemBackgroundHovered:T.menuItemBackgroundPressed},Rc]},t[".".concat(v.Y2," &:focus:after, :host(.").concat(v.Y2,") &:focus:after")]=(o={left:0,top:0,bottom:0,right:0},o[Ue.up]={inset:"2px"},o),t[Ue.up]={border:"none"},t)}},L=(0,a.__spreadArray)((0,a.__spreadArray)([],F,!0),[{backgroundColor:A,color:T.menuItemTextHovered},N(!0),Rc],!1),H=(0,a.__spreadArray)((0,a.__spreadArray)([],F,!0),[{color:T.disabledText,cursor:"default",selectors:(o={},o[Ue.up]={color:"GrayText",border:"none"},o)}],!1),j=k===Qt.bottom?"".concat(E.roundedCorner2," ").concat(E.roundedCorner2," 0 0"):"0 0 ".concat(E.roundedCorner2," ").concat(E.roundedCorner2),z=k===Qt.bottom?"0 0 ".concat(E.roundedCorner2," ").concat(E.roundedCorner2):"".concat(E.roundedCorner2," ").concat(E.roundedCorner2," 0 0");return{root:[I.root,b],label:I.label,dropdown:[I.dropdown,Ue.S8,D.medium,{color:T.menuItemText,borderColor:T.focusBorder,position:"relative",outline:0,userSelect:"none",selectors:(n={},n["&:hover ."+I.title]=[!_&&M,{borderColor:y?w.neutralSecondary:w.neutralPrimary},Fc],n["&:focus ."+I.title]=[!_&&M,{selectors:(r={},r[Ue.up]={color:"Highlight"},r)}],n["&:focus:after"]=[{pointerEvents:"none",content:"''",position:"absolute",boxSizing:"border-box",top:"0px",left:"0px",width:"100%",height:"100%",border:_?"none":"2px solid ".concat(w.themePrimary),borderRadius:"2px",selectors:(i={},i[Ue.up]={color:"Highlight"},i)}],n["&:active ."+I.title]=[!_&&M,{borderColor:w.themePrimary},Fc],n["&:hover ."+I.caretDown]=!_&&O,n["&:focus ."+I.caretDown]=[!_&&O,{selectors:(s={},s[Ue.up]={color:"Highlight"},s)}],n["&:active ."+I.caretDown]=!_&&O,n["&:hover ."+I.titleIsPlaceHolder]=!_&&O,n["&:focus ."+I.titleIsPlaceHolder]=!_&&O,n["&:active ."+I.titleIsPlaceHolder]=!_&&O,n["&:hover ."+I.titleHasError]=R,n["&:active ."+I.titleHasError]=R,n)},y&&"is-open",_&&"is-disabled",S&&"is-required",S&&!f&&{selectors:(l={":before":{content:"'*'",color:T.errorText,position:"absolute",top:-5,right:-10}},l[Ue.up]={selectors:{":after":{right:-14}}},l)}],title:[I.title,Ue.S8,{backgroundColor:T.inputBackground,borderWidth:1,borderStyle:"solid",borderColor:T.inputBorder,borderRadius:y?j:E.roundedCorner2,cursor:"pointer",display:"block",height:32,lineHeight:30,padding:"0 28px 0 8px",position:"relative",overflow:"hidden",whiteSpace:"nowrap",textOverflow:"ellipsis"},C&&[I.titleIsPlaceHolder,{color:T.inputPlaceholderText}],h&&[I.titleHasError,R],_&&{backgroundColor:T.disabledBackground,border:"none",color:T.disabledText,cursor:"default",selectors:(c={},c[Ue.up]=(0,a.__assign)({border:"1px solid GrayText",color:"GrayText",backgroundColor:"Window"},(0,Ue.Qg)()),c)}],caretDownWrapper:[I.caretDownWrapper,{height:32,lineHeight:30,paddingTop:1,position:"absolute",right:8,top:0},!_&&{cursor:"pointer"}],caretDown:[I.caretDown,{color:w.neutralSecondary,fontSize:D.small.fontSize,pointerEvents:"none"},_&&{color:T.disabledText,selectors:(u={},u[Ue.up]=(0,a.__assign)({color:"GrayText"},(0,Ue.Qg)()),u)}],errorMessage:(0,a.__assign)((0,a.__assign)({color:T.errorText},g.fonts.small),{paddingTop:5}),callout:[I.callout,{boxShadow:E.elevation8,borderRadius:z,selectors:(d={},d[".ms-Callout-main"]={borderRadius:z},d)},P],dropdownItemsWrapper:{selectors:{"&:focus":{outline:0}}},dropdownItems:[I.dropdownItems,{display:"block"}],dropdownItem:(0,a.__spreadArray)((0,a.__spreadArray)([],F,!0),[N()],!1),dropdownItemSelected:L,dropdownItemDisabled:H,dropdownItemSelectedAndDisabled:[L,H,{backgroundColor:"transparent"}],dropdownItemHidden:(0,a.__spreadArray)((0,a.__spreadArray)([],F,!0),[{display:"none"}],!1),dropdownDivider:[I.dropdownDivider,{height:1,backgroundColor:T.bodyDivider}],dropdownDividerHidden:[I.dropdownDivider,{display:"none"}],dropdownOptionText:[I.dropdownOptionText,{overflow:"hidden",whiteSpace:"nowrap",textOverflow:"ellipsis",minWidth:0,maxWidth:"100%",wordWrap:"break-word",overflowWrap:"break-word",margin:"1px"}],dropdownItemHeader:B,dropdownItemHeaderHidden:(0,a.__spreadArray)((0,a.__spreadArray)([],B,!0),[{display:"none"}],!1),subComponentStyles:{label:{root:{display:"inline-block"}},multiSelectItem:{root:{padding:0},label:{alignSelf:"stretch",padding:"0 8px",width:"100%"},input:{selectors:(p={},p[".".concat(v.Y2," &:focus + label::before, :host(.").concat(v.Y2,") &:focus + label::before")]={outlineOffset:"0px"},p)}},panel:{root:[x],main:{selectors:(m={},m[Bc]={width:272},m)},contentInner:{padding:"0 0 20px"}}}}}),void 0,{scope:"Dropdown"});Ac.displayName="Dropdown";var Nc,Lc,Hc=/[\(\[\{\<][^\)\]\}\>]*[\)\]\}\>]/g,jc=/[\0-\u001F\!-/:-@\[-`\{-\u00BF\u0250-\u036F\uD800-\uFFFF]/g,zc=/^\d+[\d\s]*(:?ext|x|)\s*\d+$/i,Wc=/\s+/g,Vc=/[\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 Kc(e,t,o){return e?(e=function(e){return(e=(e=(e=e.replace(Hc,"")).replace(jc,"")).replace(Wc," ")).trim()}(e),Vc.test(e)||!o&&zc.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)):""}!function(e){e[e.none=0]="none",e[e.single=1]="single",e[e.multiple=2]="multiple"}(Nc||(Nc={})),function(e){e[e.horizontal=0]="horizontal",e[e.vertical=1]="vertical"}(Lc||(Lc={}));var Gc=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===Nc.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!==Nc.none&&!((e=Math.min(Math.max(0,e),this._items.length-1))<0||e>=this._items.length)){this.setChangeEvents(!1);var n=this._exemptedIndices[e];!this._unselectableIndices[e]&&(t&&this.mode===Nc.single&&this._setAllSelected(!1,!0),n&&(t&&this._isAllSelected||!t&&!this._isAllSelected)&&(delete this._exemptedIndices[e],this._exemptedCount--),!n&&(t&&!this._isAllSelected||!t&&this._isAllSelected)&&(this._exemptedIndices[e]=!0,this._exemptedCount++),o&&(this._anchoredIndex=e)),this._updateCount(),this.setChangeEvents(!0)}},e.prototype.setRangeSelected=function(e,t,o,n){if(this.mode!==Nc.none&&(e=Math.min(Math.max(0,e),this._items.length-1),t=Math.min(Math.max(0,t),this._items.length-e),!(e<0||e>=this._items.length||0===t))){this.setChangeEvents(!1);for(var r=e,i=e+t-1,a=(this._anchoredIndex||0)>=i?r:i;r<=i;r++)this.setIndexSelected(r,o,!!n&&r===a);this.setChangeEvents(!0)}},e.prototype.selectToKey=function(e,t){this.selectToIndex(this._keyToIndexMap[e],t)},e.prototype.selectToRange=function(e,t,o){if(this.mode!==Nc.none)if(this.mode!==Nc.single){var n=this._anchoredIndex||0,r=Math.min(e,n),i=Math.max(e+t-1,n);for(this.setChangeEvents(!1),o&&this._setAllSelected(!1,!0);r<=i;r++)this.setIndexSelected(r,!0,!1);this.setChangeEvents(!0)}else 1===t&&this.setIndexSelected(e,!0,!0)},e.prototype.selectToIndex=function(e,t){if(this.mode!==Nc.none)if(this.mode!==Nc.single){var o=this._anchoredIndex||0,n=Math.min(e,o),r=Math.max(e,o);for(this.setChangeEvents(!1),t&&this._setAllSelected(!1,!0);n<=r;n++)this.setIndexSelected(n,!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!==Nc.none){var o=this.isRangeSelected(e,t),n=e+t;if(!(this.mode===Nc.single&&t>1)){this.setChangeEvents(!1);for(var r=e;r0&&(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,M.raise(this,"change"),this._onSelectionChanged&&this._onSelectionChanged()):this._hasChanged=!0},e}();function Uc(e,t){var o=(e||{}).key;return void 0===o?"".concat(t):o}var Yc,qc,Xc="data-selection-index",Zc="data-selection-toggle",Qc="data-selection-invoke",Jc="data-selection-all-toggle",$c=function(e){function t(t){var o=e.call(this,t)||this;o._root=i.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,n=(0,k.z)(o._root.current),r=null==n?void 0:n.document;if((null==r?void 0:r.activeElement)===t||lt(null==r?void 0:r.activeElement,t)){if(lt(t,o._root.current))for(;t!==o._root.current;){if(o._hasAttribute(t,Qc)){o.ignoreNextFocus();break}t=p(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!==Nc.none){var a=o._hasAttribute(t,Zc),s=o._findItemRoot(t);if(!a&&s){var l=o._getItemIndex(s);void 0===o._getItemSpan(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("focus",l))}}o._handleNextFocus(!1)},o._onMouseDown=function(e){o._updateModifiers(e);var t=o.props.toggleWithoutModifierPressed,n=e.target,r=o._findItemRoot(n);if(!o._isSelectionDisabled(n))for(;n!==o._root.current&&!o._hasAttribute(n,Jc);){if(r){if(o._hasAttribute(n,Zc))break;if(o._hasAttribute(n,Qc))break;if(!(n!==r&&!o._shouldAutoSelect(n)||o._isShiftPressed||o._isCtrlPressed||o._isMetaPressed||t)){o._onInvokeMouseDown(e,o._getItemIndex(r),o._getItemSpan(r));break}if(o.props.disableAutoSelectOnInputElements&&("A"===n.tagName||"BUTTON"===n.tagName||"INPUT"===n.tagName))return}n=p(n)}},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),a=o._isSelectionDisabled(r);r!==o._root.current;){if(o._hasAttribute(r,Jc)){a||o._onToggleAllClick(e);break}if(i){var s=o._getItemIndex(i),l=o._getItemSpan(i);if(o._hasAttribute(r,Zc)){a||(o._isShiftPressed?o._onItemSurfaceClick("click",s,l):o._onToggleClick(e,s,l));break}if(o._isTouch&&n&&o._hasAttribute(r,"data-selection-touch-invoke")||o._hasAttribute(r,Qc)){void 0===l&&o._onInvokeClick(e,s);break}if(r===i){a||o._onItemSurfaceClick("click",s,l);break}if("A"===r.tagName||"BUTTON"===r.tagName||"INPUT"===r.tagName)return}r=p(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,Zc)&&!o._hasAttribute(t,Qc);){if(t===r){o._onInvokeClick(e,i);break}t=p(t)}t=p(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,i=r.selection,a=r.selectionClearedOnEscapePress,s=e.which===f.a&&(o._isCtrlPressed||o._isMetaPressed),l=e.which===f.escape;if(!o._isInputElement(t)){var c=o._getSelectionMode();if(s&&c===Nc.multiple&&!i.isAllSelected())return n||i.setAllSelected(!0),e.stopPropagation(),void e.preventDefault();if(a&&l&&i.getSelectedCount()>0)return n||i.setAllSelected(!1),e.stopPropagation(),void e.preventDefault();var u=o._findItemRoot(t);if(u)for(var d=o._getItemIndex(u),m=o._getItemSpan(u);t!==o._root.current&&!o._hasAttribute(t,Zc);){if(o._shouldAutoSelect(t)){n||void 0!==m||o._onInvokeMouseDown(e,d,m);break}if(!(e.which!==f.enter&&e.which!==f.space||"BUTTON"!==t.tagName&&"A"!==t.tagName&&"INPUT"!==t.tagName&&"SUMMARY"!==t.tagName))return!1;if(t===u){if(e.which===f.enter)return void(void 0===m&&(o._onInvokeClick(e,d),e.preventDefault()));if(e.which===f.space)return n||o._onToggleClick(e,d,m),void e.preventDefault();break}t=p(t)}}},o._events=new M(o),o._async=new I(o),_(o);var n=o.props.selection,r=n.isModal&&n.isModal();return o.state={isModal:r},o}return(0,a.__extends)(t,e),t.getDerivedStateFromProps=function(e,t){var o=e.selection.isModal&&e.selection.isModal();return(0,a.__assign)((0,a.__assign)({},t),{isModal:o})},t.prototype.componentDidMount=function(){var e=(0,k.z)(this._root.current),t=null==e?void 0:e.document;this._events.on(e,"keydown, keyup",this._updateModifiers,!0),this._events.on(t,"click",this._findScrollParentAndTryClearOnEmptyClick),this._events.on(null==t?void 0:t.body,"touchstart",this._onTouchStartCapture,!0),this._events.on(null==t?void 0:t.body,"touchend",this._onTouchStartCapture,!0),this._events.on(this.props.selection,"change",this._onSelectionChange)},t.prototype.render=function(){var e=this.state.isModal;return i.createElement("div",{className:u("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,i.createElement(le,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()===Nc.none)return!0;for(;e!==this._root.current;){if(this._hasAttribute(e,"data-selection-disabled"))return!0;e=p(e)}return!1},t.prototype._onToggleAllClick=function(e){var t=this.props.selection;this._getSelectionMode()===Nc.multiple&&(t.toggleAllSelected(),e.stopPropagation(),e.preventDefault())},t.prototype._onToggleClick=function(e,t,o){var n=this.props.selection,r=this._getSelectionMode();if(n.setChangeEvents(!1),this.props.enterModalOnTouch&&this._isTouch&&(void 0!==o?!n.isRangeSelected(t,o):!n.isIndexSelected(t))&&n.setModal&&(n.setModal(!0),this._setIsTouch(!1)),r===Nc.multiple)void 0!==o?n.toggleRangeSelected(t,o):n.toggleIndexSelected(t);else{if(r!==Nc.single)return void n.setChangeEvents(!0);if(void 0===o||1===o){var i=n.isIndexSelected(t),a=n.isModal&&n.isModal();n.setAllSelected(!1),n.setIndexSelected(t,!i,!0),a&&n.setModal&&n.setModal(!0)}}n.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,o){var n,r=this.props,i=r.selection,a=r.toggleWithoutModifierPressed,s=this._isCtrlPressed||this._isMetaPressed,l=this._getSelectionMode();l===Nc.multiple?this._isShiftPressed&&!this._isTabPressed?void 0!==o?null===(n=i.selectToRange)||void 0===n||n.call(i,t,o,!s):i.selectToIndex(t,!s):"click"===e&&(s||a)?void 0!==o?i.toggleRangeSelected(t,o):i.toggleIndexSelected(t):this._clearAndSelectIndex(t,o):l===Nc.single&&this._clearAndSelectIndex(t,o)},t.prototype._onInvokeMouseDown=function(e,t,o){var n=this.props.selection;if(void 0!==o){if(n.isRangeSelected(t,o))return}else if(n.isIndexSelected(t))return;this._clearAndSelectIndex(t,o)},t.prototype._findScrollParentAndTryClearOnEmptyClick=function(e){var t=(0,k.z)(this._root.current),o=null==t?void 0:t.document,n=Mt(this._root.current);this._events.off(o,"click",this._findScrollParentAndTryClearOnEmptyClick),this._events.on(n,"click",this._tryClearOnEmptyClick),(n&&e.target instanceof Node&&n.contains(e.target)||n===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,t){var o,n=this.props,r=n.selection,i=n.selectionClearedOnSurfaceClick,a=void 0===i||i;if((void 0!==t&&1!==t||1!==r.getSelectedCount()||!r.isIndexSelected(e))&&a){var s=r.isModal&&r.isModal();r.setChangeEvents(!1),r.setAllSelected(!1),void 0!==t?null===(o=r.setRangeSelected)||void 0===o||o.call(r,e,t,!0,!0):r.setIndexSelected(e,!0,!0),(s||this.props.enterModalOnTouch&&this._isTouch)&&(r.setModal&&r.setModal(!0),this._isTouch&&this._setIsTouch(!1)),r.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===f.tab},t.prototype._findItemRoot=function(e){for(var t=this.props.selection;e!==this._root.current;){var o=e.getAttribute(Xc),n=Number(o);if(null!==o&&n>=0&&n0?(o._refocusOnSuggestions(e),r=eu.none):r=o._searchForMoreButton.current?eu.searchMore:eu.forceResolve;break;case eu.searchMore:o._forceResolveButton.current?r=eu.forceResolve:a>0?(o._refocusOnSuggestions(e),r=eu.none):r=eu.searchMore;break;case eu.none:-1===t&&o._forceResolveButton.current&&(r=eu.forceResolve)}else if(e===f.up)switch(i){case eu.forceResolve:o._searchForMoreButton.current?r=eu.searchMore:a>0&&(o._refocusOnSuggestions(e),r=eu.none);break;case eu.searchMore:a>0?(o._refocusOnSuggestions(e),r=eu.none):o._forceResolveButton.current&&(r=eu.forceResolve);break;case eu.none:-1===t&&o._searchForMoreButton.current&&(r=eu.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,s=e.isExtendedLoading,l=e.loadingText;if(t||n){if(t&&s)return l||""}else{if(r.length>0)return i||"";if(a)return a}return""},o._getMoreResults=function(){o.props.onGetMoreResults&&(o.props.onGetMoreResults(),o.setState({selectedActionType:eu.none}))},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()}},_(o),o.state={selectedActionType:eu.none},o}return(0,a.__extends)(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,n=this.props,r=n.forceResolveText,s=n.mostRecentlyUsedHeaderText,l=n.searchForMoreIcon,c=n.searchForMoreText,d=n.className,p=n.moreSuggestionsAvailable,m=n.noResultsFoundText,g=n.suggestions,h=n.isLoading,f=n.isSearching,v=n.loadingText,b=n.onRenderNoResultFound,y=n.searchingText,_=n.isMostRecentlyUsedVisible,S=n.resultsMaximumNumber,C=n.resultsFooterFull,x=n.resultsFooter,P=n.isResultsFooterVisible,k=void 0===P||P,I=n.suggestionsHeaderText,w=n.suggestionsClassName,T=n.theme,E=n.styles,D=n.suggestionsListId,M=n.suggestionsContainerAriaLabel;this._classNames=E?wu(E,{theme:T,className:d,suggestionsClassName:w,forceResolveButtonSelected:this.state.selectedActionType===eu.forceResolve,searchForMoreButtonSelected:this.state.selectedActionType===eu.searchMore}):{root:u("ms-Suggestions",d,Iu.root),title:u("ms-Suggestions-title",Iu.suggestionsTitle),searchForMoreButton:u("ms-SearchMore-button",Iu.actionButton,(e={},e["is-selected "+Iu.buttonSelected]=this.state.selectedActionType===eu.searchMore,e)),forceResolveButton:u("ms-forceResolve-button",Iu.actionButton,(t={},t["is-selected "+Iu.buttonSelected]=this.state.selectedActionType===eu.forceResolve,t)),suggestionsAvailable:u("ms-Suggestions-suggestionsAvailable",Iu.suggestionsAvailable),suggestionsContainer:u("ms-Suggestions-container",Iu.suggestionsContainer,w),noSuggestions:u("ms-Suggestions-none",Iu.suggestionsNone)};var O=this._classNames.subComponentStyles?this._classNames.subComponentStyles.spinner:void 0,R=E?{styles:O}:{className:u("ms-Suggestions-spinner",Iu.suggestionsSpinner)},F=I;_&&s&&(F=s);var B=void 0;k&&(B=g.length>=S?C:x);var A,N=!(g&&g.length||h),L=this.state.selectedActionType===eu.forceResolve?"sug-selectedAction":void 0,H=this.state.selectedActionType===eu.searchMore?"sug-selectedAction":void 0;return i.createElement("div",{className:this._classNames.root,"aria-label":M||F,id:D,role:"listbox"},i.createElement(lu,{message:this._getAlertText(),"aria-live":"polite"}),F?i.createElement("div",{className:this._classNames.title},F):null,r&&this._shouldShowForceResolve()&&i.createElement(si,{componentRef:this._forceResolveButton,className:this._classNames.forceResolveButton,id:L,onClick:this._forceResolve,"data-automationid":"sug-forceResolve"},r),h&&i.createElement(iu,(0,a.__assign)({},R,{ariaLabel:v,label:v})),N?(A=function(){return i.createElement("div",{className:o._classNames.noSuggestions},m)},i.createElement("div",{id:"sug-noResultsFound",role:"option"},b?b(void 0,A):A())):this._renderSuggestions(),c&&p&&i.createElement(si,{componentRef:this._searchForMoreButton,className:this._classNames.searchForMoreButton,iconProps:l||{iconName:"Search"},id:H,onClick:this._getMoreResults,"data-automationid":"sug-searchForMore",role:"option"},c),f?i.createElement(iu,(0,a.__assign)({},R,{ariaLabel:y,label:y})):null,!B||p||_||f?null:i.createElement("div",{className:this._classNames.title},B(this.props)))},t.prototype.hasSuggestedAction=function(){return!!this._searchForMoreButton.current||!!this._forceResolveButton.current},t.prototype.hasSuggestedActionSelected=function(){return this.state.selectedActionType!==eu.none},t.prototype.executeSelectedAction=function(){switch(this.state.selectedActionType){case eu.forceResolve:this._forceResolve();break;case eu.searchMore:this._getMoreResults()}},t.prototype.focusAboveSuggestions=function(){this._forceResolveButton.current?this.setState({selectedActionType:eu.forceResolve}):this._searchForMoreButton.current&&this.setState({selectedActionType:eu.searchMore})},t.prototype.focusBelowSuggestions=function(){this._searchForMoreButton.current?this.setState({selectedActionType:eu.searchMore}):this._forceResolveButton.current&&this.setState({selectedActionType:eu.forceResolve})},t.prototype.focusSearchForMoreButton=function(){this._searchForMoreButton.current&&this._searchForMoreButton.current.focus()},t.prototype.scrollSelected=function(){if(this._selectedElement.current&&this._scrollContainer.current&&void 0!==this._scrollContainer.current.scrollTo){var e=this._selectedElement.current,t=e.offsetHeight,o=e.offsetTop,n=this._scrollContainer.current,r=n.offsetHeight,i=n.scrollTop,a=o+t>i+r;o=a?c.slice(d-a+1,d+1):c.slice(0,a)),0===c.length?null:i.createElement("div",{className:this._classNames.suggestionsContainer,ref:this._scrollContainer,role:"presentation"},c.map((function(t,a){return i.createElement("div",{ref:t.selected?e._selectedElement:void 0,key:t.item.key?t.item.key:a,role:"presentation"},i.createElement(u,{suggestionModel:t,RenderSuggestion:o,onClick:e._onClickTypedSuggestionsItem(t.item,a),className:r,showRemoveButton:s,removeButtonAriaLabel:n,onRemoveItem:e._onRemoveTypedSuggestionsItem(t.item,a),id:"sug-"+a,removeButtonIconProps:l}))})))},t}(i.Component),Du={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 Mu(e){var t,o=e.className,n=e.suggestionsClassName,r=e.theme,i=e.forceResolveButtonSelected,s=e.searchForMoreButtonSelected,l=r.palette,c=r.semanticColors,u=r.fonts,d=(0,Ue.Km)(Du,r),p={backgroundColor:"transparent",border:0,cursor:"pointer",margin:0,paddingLeft:8,position:"relative",borderTop:"1px solid ".concat(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[Ue.up]=(0,a.__assign)({backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},(0,Ue.Qg)()),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 ".concat(c.menuItemBackgroundPressed)}],forceResolveButton:[d.forceResolveButton,p,i&&[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,Ue.dX],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 Ou,Ru=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.ariaLabel}},this.suggestions=[],this.currentIndex=-1}return e.prototype.updateSuggestions=function(e,t,o){if(e&&e.length>0){if(o&&e.length>o){var n=t&&t>o?t+1-o:0;e=e.slice(n,n+o-1)}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])}else 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}();!function(e){e[e.valid=0]="valid",e[e.warning=1]="warning",e[e.invalid=2]="invalid"}(Ou||(Ou={})),(0,cu.loadStyles)([{rawString:".picker_94f06b16{position:relative}.pickerText_94f06b16{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_94f06b16:hover{border-color:"},{theme:"inputBorderHovered",defaultValue:"#323130"},{rawString:"}.pickerText_94f06b16.inputFocused_94f06b16{position:relative;border-color:"},{theme:"inputFocusBorderAlt",defaultValue:"#0078d4"},{rawString:'}.pickerText_94f06b16.inputFocused_94f06b16: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),screen and (forced-colors:active){.pickerText_94f06b16.inputDisabled_94f06b16{position:relative;border-color:GrayText}.pickerText_94f06b16.inputDisabled_94f06b16:after{pointer-events:none;content:"";position:absolute;left:0;top:0;bottom:0;right:0;background-color:Window}}.pickerInput_94f06b16{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_94f06b16{display:-webkit-box;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;max-width:100%}.screenReaderOnly_94f06b16{position:absolute;width:1px;height:1px;padding:0;margin:-1px;overflow:hidden;clip:rect(0,0,0,0);border:0}'}]);var Fu,Bu,Au,Nu,Lu,Hu,ju="picker_94f06b16",zu="pickerText_94f06b16",Wu="inputFocused_94f06b16",Vu="inputDisabled_94f06b16",Ku="pickerInput_94f06b16",Gu="pickerItems_94f06b16",Uu="screenReaderOnly_94f06b16",Yu=r,qu=Le(),Xu=function(e){function t(t){var o=e.call(this,t)||this;o.root=i.createRef(),o.input=i.createRef(),o.suggestionElement=i.createRef(),o.SuggestionOfProperType=Eu,o._styledSuggestions=Pe(o.SuggestionOfProperType,Mu,void 0,{scope:"Suggestions"}),o._overrideScrollDismiss=!1,o.dismissSuggestions=function(e){var t=function(){var t=!0;o.props.onDismiss&&(t=o.props.onDismiss(e,o.suggestionStore.currentSuggestion?o.suggestionStore.currentSuggestion.item:void 0)),(!e||e&&!e.defaultPrevented)&&!1!==t&&o.canAddItems()&&o.suggestionStore.hasSelectedSuggestion()&&o.state.suggestedDisplayValue&&o.addItemByIndex(0)};o.currentPromise?o.currentPromise.then((function(){return t()})):t(),o.setState({suggestionsVisible:!1})},o.refocusSuggestions=function(e){o.resetFocus(),o.suggestionStore.suggestions&&o.suggestionStore.suggestions.length>0&&(e===f.up?o.suggestionStore.setSelectedSuggestion(o.suggestionStore.suggestions.length-1):e===f.down&&o.suggestionStore.setSelectedSuggestion(0))},o.onInputChange=function(e){o.updateValue(e),o.setState({moreSuggestionsAvailable:!0,isMostRecentlyUsedVisible:!1})},o.onSuggestionClick=function(e,t,n){o.addItemByIndex(n)},o.onSuggestionRemove=function(e,t,n){o.props.onRemoveSuggestion&&o.props.onRemoveSuggestion(t),o.suggestionStore.removeSuggestion(n)},o.onInputFocus=function(e){o.selection.setAllSelected(!1),o.state.isFocused||(o._userTriggeredSuggestions(),o.props.inputProps&&o.props.inputProps.onFocus&&o.props.inputProps.onFocus(e))},o.onInputBlur=function(e){o.props.inputProps&&o.props.inputProps.onBlur&&o.props.inputProps.onBlur(e)},o.onBlur=function(e){if(o.state.isFocused){var t=e.relatedTarget;null===e.relatedTarget&&(t=Zo(o.context).activeElement),t&&!lt(o.root.current,t)&&(o.setState({isFocused:!1}),o.props.onBlur&&o.props.onBlur(e))}},o.onWrapperClick=function(e){o.state.items.length&&!o.canAddItems()&&o.resetFocus(o.state.items.length-1)},o.onClick=function(e){void 0!==o.props.inputProps&&void 0!==o.props.inputProps.onClick&&o.props.inputProps.onClick(e),0===e.button&&o._userTriggeredSuggestions()},o.onFocus=function(){o.state.isFocused||o.setState({isFocused:!0})},o.onKeyDown=function(e){var t=e.which;switch(t){case f.escape:o.state.suggestionsVisible&&(o.setState({suggestionsVisible:!1}),e.preventDefault(),e.stopPropagation());break;case f.tab:case f.enter:o.suggestionElement.current&&o.suggestionElement.current.hasSuggestedActionSelected()?o.suggestionElement.current.executeSelectedAction():!e.shiftKey&&o.suggestionStore.hasSelectedSuggestion()&&o.state.suggestionsVisible?(o.completeSuggestion(),e.preventDefault(),e.stopPropagation()):o._completeGenericSuggestion();break;case f.backspace:o.props.disabled||o.onBackspace(e),e.stopPropagation();break;case f.del:o.props.disabled||(o.input.current&&e.target===o.input.current.inputElement&&o.state.suggestionsVisible&&-1!==o.suggestionStore.currentIndex?(o.props.onRemoveSuggestion&&o.props.onRemoveSuggestion(o.suggestionStore.currentSuggestion.item),o.suggestionStore.removeSuggestion(o.suggestionStore.currentIndex),o.forceUpdate()):o.onBackspace(e)),e.stopPropagation();break;case f.up:o.input.current&&e.target===o.input.current.inputElement&&o.state.suggestionsVisible&&(o.suggestionElement.current&&o.suggestionElement.current.tryHandleKeyDown(t,o.suggestionStore.currentIndex)?(e.preventDefault(),e.stopPropagation(),o.forceUpdate()):o.suggestionElement.current&&o.suggestionElement.current.hasSuggestedAction()&&0===o.suggestionStore.currentIndex?(e.preventDefault(),e.stopPropagation(),o.suggestionElement.current.focusAboveSuggestions(),o.suggestionStore.deselectAllSuggestions(),o.forceUpdate()):o.suggestionStore.previousSuggestion()&&(e.preventDefault(),e.stopPropagation(),o.onSuggestionSelect()));break;case f.down:o.input.current&&e.target===o.input.current.inputElement&&o.state.suggestionsVisible&&(o.suggestionElement.current&&o.suggestionElement.current.tryHandleKeyDown(t,o.suggestionStore.currentIndex)?(e.preventDefault(),e.stopPropagation(),o.forceUpdate()):o.suggestionElement.current&&o.suggestionElement.current.hasSuggestedAction()&&o.suggestionStore.currentIndex+1===o.suggestionStore.suggestions.length?(e.preventDefault(),e.stopPropagation(),o.suggestionElement.current.focusBelowSuggestions(),o.suggestionStore.deselectAllSuggestions(),o.forceUpdate()):o.suggestionStore.nextSuggestion()&&(e.preventDefault(),e.stopPropagation(),o.onSuggestionSelect()))}},o.onItemChange=function(e,t){var n=o.state.items;if(t>=0){var r=n;r[t]=e,o._updateSelectedItems(r)}},o.onGetMoreResults=function(){o.setState({isSearching:!0},(function(){if(o.props.onGetMoreResults&&o.input.current){var e=o.props.onGetMoreResults(o.input.current.value,o.state.items),t=e,n=e;Array.isArray(t)?(o.updateSuggestions(t),o.setState({isSearching:!1})):n.then&&n.then((function(e){o.updateSuggestions(e),o.setState({isSearching:!1})}))}else o.setState({isSearching:!1});o.input.current&&o.input.current.focus(),o.setState({moreSuggestionsAvailable:!1,isResultsFooterVisible:!0})}))},o.completeSelection=function(e){o.addItem(e),o.updateValue(""),o.input.current&&o.input.current.clear(),o.setState({suggestionsVisible:!1})},o.addItemByIndex=function(e){o.completeSelection(o.suggestionStore.getSuggestionAtIndex(e).item)},o.addItem=function(e){var t=o.props.onItemSelected?o.props.onItemSelected(e):e;if(null!==t){var n=t,r=t;if(r&&r.then)r.then((function(e){var t=o.state.items.concat([e]);o._updateSelectedItems(t)}));else{var i=o.state.items.concat([n]);o._updateSelectedItems(i)}o.setState({suggestedDisplayValue:"",selectionRemoved:void 0})}},o.removeItem=function(e){var t=o.state.items,n=t.indexOf(e);if(n>=0){var r=t.slice(0,n).concat(t.slice(n+1));o.setState({selectionRemoved:e}),o._updateSelectedItems(r),o._async.setTimeout((function(){o.setState({selectionRemoved:void 0})}),1e3)}},o.removeItems=function(e){var t=o.state.items.filter((function(t){return-1===e.indexOf(t)}));o._updateSelectedItems(t)},o._shouldFocusZoneEnterInnerZone=function(e){if(o.state.suggestionsVisible)switch(e.which){case f.up:case f.down:return!0}return e.which===f.enter},o._onResolveSuggestions=function(e){var t=o.props.onResolveSuggestions(e,o.state.items);null!==t&&o.updateSuggestionsList(t,e)},o._completeGenericSuggestion=function(){if(o.props.onValidateInput&&o.input.current&&o.props.onValidateInput(o.input.current.value)!==Ou.invalid&&o.props.createGenericItem){var e=o.props.createGenericItem(o.input.current.value,o.props.onValidateInput(o.input.current.value));o.suggestionStore.createGenericSuggestion(e),o.completeSuggestion()}},o._userTriggeredSuggestions=function(){if(!o.state.suggestionsVisible){var e=o.input.current?o.input.current.value:"";e?0===o.suggestionStore.suggestions.length?o._onResolveSuggestions(e):o.setState({isMostRecentlyUsedVisible:!1,suggestionsVisible:!0}):o.onEmptyInputFocus()}},_(o),o._async=new I(o);var n=t.selectedItems||t.defaultSelectedItems||[];return o._id=N(),o._ariaMap={selectedItems:"selected-items-".concat(o._id),selectedSuggestionAlert:"selected-suggestion-alert-".concat(o._id),suggestionList:"suggestion-list-".concat(o._id),combobox:"combobox-".concat(o._id)},o.suggestionStore=new Ru,o.selection=new Gc({onSelectionChanged:function(){return o.onSelectionChange()}}),o.selection.setItems(n),o.state={items:n,suggestedDisplayValue:"",isMostRecentlyUsedVisible:!1,moreSuggestionsAvailable:!1,isFocused:!1,isSearching:!1,selectedIndices:[],selectionRemoved:void 0},o}return(0,a.__extends)(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:!1,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){var o=this;if(this.state.items&&this.state.items!==t.items){var n=this.selection.getSelectedIndices()[0];this.selection.setItems(this.state.items),this.state.isFocused&&(this.state.items.lengtht.items.length&&!this.canAddItems()&&this.resetFocus(this.state.items.length-1))}this.state.suggestionsVisible&&!t.suggestionsVisible&&(this._overrideScrollDismiss=!0,this._async.clearTimeout(this._overrideScrollDimissTimeout),this._overrideScrollDimissTimeout=this._async.setTimeout((function(){o._overrideScrollDismiss=!1}),100))},t.prototype.componentWillUnmount=function(){this.currentPromise&&(this.currentPromise=void 0),this._async.dispose()},t.prototype.focus=function(){this.input.current&&this.input.current.focus()},t.prototype.focusInput=function(){this.input.current&&this.input.current.focus()},t.prototype.completeSuggestion=function(e){this.suggestionStore.hasSelectedSuggestion()&&this.input.current?this.completeSelection(this.suggestionStore.currentSuggestion.item):e&&this._completeGenericSuggestion()},t.prototype.render=function(){var e=this.state,t=e.suggestedDisplayValue,o=e.isFocused,n=e.items,r=this.props,s=r.className,l=r.inputProps,c=r.disabled,d=r.selectionAriaLabel,p=r.selectionRole,m=void 0===p?"list":p,g=r.theme,h=r.styles,f=!!this.state.suggestionsVisible,v=f?this._ariaMap.suggestionList:void 0,b=h?qu(h,{theme:g,className:s,isFocused:o,disabled:c,inputClassName:l&&l.className}):{root:u("ms-BasePicker",s||""),text:u("ms-BasePicker-text",Yu.pickerText,this.state.isFocused&&Yu.inputFocused),itemsWrapper:Yu.pickerItems,input:u("ms-BasePicker-input",Yu.pickerInput,l&&l.className),screenReaderText:Yu.screenReaderOnly},y=this.props["aria-label"]||(null==l?void 0:l["aria-label"]);return i.createElement("div",{ref:this.root,className:b.root,onKeyDown:this.onKeyDown,onFocus:this.onFocus,onBlur:this.onBlur,onClick:this.onWrapperClick},this.renderCustomAlert(b.screenReaderText),i.createElement("span",{id:"".concat(this._ariaMap.selectedItems,"-label"),hidden:!0},d||y),i.createElement($c,{selection:this.selection,selectionMode:Nc.multiple},i.createElement("div",{className:b.text,"aria-owns":v},n.length>0&&i.createElement("span",{id:this._ariaMap.selectedItems,className:b.itemsWrapper,role:m,"aria-labelledby":"".concat(this._ariaMap.selectedItems,"-label")},this.renderItems()),this.canAddItems()&&i.createElement(ml,(0,a.__assign)({spellCheck:!1},l,{className:b.input,componentRef:this.input,id:(null==l?void 0:l.id)?l.id:this._ariaMap.combobox,onClick:this.onClick,onFocus:this.onInputFocus,onBlur:this.onInputBlur,onInputValueChange:this.onInputChange,suggestedDisplayValue:t,"aria-activedescendant":f?this.getActiveDescendant():void 0,"aria-controls":v,"aria-describedby":n.length>0?this._ariaMap.selectedItems:void 0,"aria-expanded":f,"aria-haspopup":"listbox","aria-label":y,role:"combobox",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 button")[Math.min(e,t.length-1)];o&&o.focus()}else this.input.current&&this.input.current.focus()},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){var t,o=null===(t=this.props.pickerSuggestionsProps)||void 0===t?void 0:t.resultsMaximumNumber;this.suggestionStore.updateSuggestions(e,0,o),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,n=this;Array.isArray(e)?this._updateAndResolveValue(t,e):e&&e.then&&(this.setState({suggestionsLoading:!0}),this._startLoadTimer(),this.suggestionStore.updateSuggestions([]),void 0!==t?this.setState({suggestionsVisible:this._getShowSuggestions()}):this.setState({suggestionsVisible:this.input.current&&this.input.current.inputElement===(null===(o=Zo(this.context))||void 0===o?void 0:o.activeElement)}),this.currentPromise=e,e.then((function(o){e===n.currentPromise&&n._updateAndResolveValue(t,o)})))},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,suggestionsExtendedLoading:!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(){var e;if(!this.state.suggestionsLoading){var t=this.suggestionStore.currentIndex;return t<0?(null===(e=this.suggestionElement.current)||void 0===e?void 0:e.hasSuggestedAction())?"sug-selectedAction":0===this.suggestionStore.suggestions.length?"sug-noResultsFound":void 0:"sug-".concat(t)}},t.prototype.getSuggestionsAlert=function(e){void 0===e&&(e=Yu.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",{id:this._ariaMap.selectedSuggestionAlert,className:e},"".concat(n," "))}},t.prototype.renderCustomAlert=function(e){void 0===e&&(e=Yu.screenReaderOnly);var t=this.props.suggestionRemovedText,o=void 0===t?"removed {0}":t,n="";return this.state.selectionRemoved&&(n=Vi(o,this._getTextFromItem(this.state.selectionRemoved,""))),i.createElement("div",{className:e,id:this._ariaMap.selectedSuggestionAlert,"aria-live":"assertive"},this.getSuggestionsAlert(e),n)},t.prototype._preventDismissOnScrollOrResize=function(e){return!(!this._overrideScrollDismiss||"scroll"!==e.type&&"resize"!==e.type)},t.prototype._startLoadTimer=function(){var e=this;this._async.setTimeout((function(){e.state.suggestionsLoading&&e.setState({suggestionsExtendedLoading:!0})}),3e3)},t.prototype._updateAndResolveValue=function(e,t){var o;if(void 0!==e)this.resolveNewValue(e,t);else{var n=null===(o=this.props.pickerSuggestionsProps)||void 0===o?void 0:o.resultsMaximumNumber;this.suggestionStore.updateSuggestions(t,-1,n),this.state.suggestionsLoading&&this.setState({suggestionsLoading:!1,suggestionsExtendedLoading:!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(){var e;return void 0!==this.input.current&&null!==this.input.current&&this.input.current.inputElement===(null===(e=Zo(this.context))||void 0===e?void 0:e.activeElement)&&""!==this.input.current.value},t.prototype._getTextFromItem=function(e,t){return this.props.getTextFromItem?this.props.getTextFromItem(e,t):""},t.contextType=jo,t}(i.Component),Zu=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,a.__extends)(t,e),t.prototype.render=function(){var e=this.state,t=e.suggestedDisplayValue,o=e.isFocused,n=this.props,r=n.className,s=n.inputProps,l=n.disabled,c=n.selectionAriaLabel,d=n.selectionRole,p=void 0===d?"list":d,m=n.theme,g=n.styles,h=!!this.state.suggestionsVisible,f=h?this._ariaMap.suggestionList:void 0,v=g?qu(g,{theme:m,className:r,isFocused:o,inputClassName:s&&s.className}):{root:u("ms-BasePicker",Yu.picker,r||""),text:u("ms-BasePicker-text",Yu.pickerText,this.state.isFocused&&Yu.inputFocused,l&&Yu.inputDisabled),itemsWrapper:Yu.pickerItems,input:u("ms-BasePicker-input",Yu.pickerInput,s&&s.className),screenReaderText:Yu.screenReaderOnly},b=this.props["aria-label"]||(null==s?void 0:s["aria-label"]);return i.createElement("div",{ref:this.root,onBlur:this.onBlur,onFocus:this.onFocus},i.createElement("div",{className:v.root,onKeyDown:this.onKeyDown},this.renderCustomAlert(v.screenReaderText),i.createElement("span",{id:"".concat(this._ariaMap.selectedItems,"-label"),hidden:!0},c||b),i.createElement("div",{className:v.text,"aria-owns":f},i.createElement(ml,(0,a.__assign)({},s,{className:v.input,componentRef:this.input,onFocus:this.onInputFocus,onBlur:this.onInputBlur,onClick:this.onClick,onInputValueChange:this.onInputChange,suggestedDisplayValue:t,"aria-activedescendant":h?this.getActiveDescendant():void 0,"aria-controls":f,"aria-expanded":h,"aria-haspopup":"listbox","aria-label":b,"aria-describedby":this.state.items.length>0?this._ariaMap.selectedItems:void 0,role:"combobox",id:(null==s?void 0:s.id)?s.id:this._ariaMap.combobox,disabled:l,onInputChange:this.props.onInputChange})))),this.renderSuggestions(),i.createElement($c,{selection:this.selection,selectionMode:Nc.single},i.createElement("div",{id:this._ariaMap.selectedItems,className:"ms-BasePicker-selectedItems",role:p,"aria-labelledby":"".concat(this._ariaMap.selectedItems,"-label")},this.renderItems())))},t.prototype.onBackspace=function(e){},t}(Xu);!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"}(Fu||(Fu={})),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"}(Bu||(Bu={})),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"}(Au||(Au={})),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"}(Lu||(Lu={})),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"}(Hu||(Hu={}));var Qu=function(e){return{isSize8:e===Fu.size8,isSize10:e===Fu.size10||e===Fu.tiny,isSize16:e===Fu.size16,isSize24:e===Fu.size24||e===Fu.extraExtraSmall,isSize28:e===Fu.size28||e===Fu.extraSmall,isSize32:e===Fu.size32,isSize40:e===Fu.size40||e===Fu.small,isSize48:e===Fu.size48||e===Fu.regular,isSize56:e===Fu.size56,isSize72:e===Fu.size72||e===Fu.large,isSize100:e===Fu.size100||e===Fu.extraLarge,isSize120:e===Fu.size120}},Ju=((Nu={})[Fu.tiny]=10,Nu[Fu.extraExtraSmall]=24,Nu[Fu.extraSmall]=28,Nu[Fu.small]=40,Nu[Fu.regular]=48,Nu[Fu.large]=72,Nu[Fu.extraLarge]=100,Nu[Fu.size8]=8,Nu[Fu.size10]=10,Nu[Fu.size16]=16,Nu[Fu.size24]=24,Nu[Fu.size28]=28,Nu[Fu.size32]=32,Nu[Fu.size40]=40,Nu[Fu.size48]=48,Nu[Fu.size56]=56,Nu[Fu.size72]=72,Nu[Fu.size100]=100,Nu[Fu.size120]=120,Nu),$u=function(e){return{isAvailable:e===Bu.online,isAway:e===Bu.away,isBlocked:e===Bu.blocked,isBusy:e===Bu.busy,isDoNotDisturb:e===Bu.dnd,isOffline:e===Bu.offline}},ed=Le({cacheSize:100}),td=i.forwardRef((function(e,t){var o=e.coinSize,n=e.isOutOfOffice,r=e.styles,a=e.presence,s=e.theme,l=e.presenceTitle,c=e.presenceColors,u=We(t,i.useRef(null)),d=Qu(e.size),p=!(d.isSize8||d.isSize10||d.isSize16||d.isSize24||d.isSize28||d.isSize32)&&(!o||o>32),m=o?o/3<40?o/3+"px":"40px":"",g=o?{fontSize:o?o/6<20?o/6+"px":"20px":"",lineHeight:m}:void 0,h=o?{width:m,height:m}:void 0,f=ed(r,{theme:s,presence:a,size:e.size,isOutOfOffice:n,presenceColors:c});return a===Bu.none?null:i.createElement("div",{role:"presentation",className:f.presence,style:h,title:l,ref:u},p&&i.createElement(tt,{className:f.presenceIcon,iconName:od(e.presence,e.isOutOfOffice),style:g}))}));function od(e,t){if(e){var o="SkypeArrow";switch(Bu[e]){case"online":return"SkypeCheck";case"away":return t?o:"SkypeClock";case"dnd":return"SkypeMinus";case"offline":return t?o:""}return""}}td.displayName="PersonaPresenceBase";var nd={presence:"ms-Persona-presence",presenceIcon:"ms-Persona-presenceIcon"};function rd(e){return{color:e,borderColor:e}}function id(e,t){return{selectors:{":before":{border:"".concat(e," solid ").concat(t)}}}}function ad(e){return{height:e,width:e}}function sd(e){return{backgroundColor:e}}var ld=Pe(td,(function(e){var t,o,n,r,i,s,l=e.theme,c=e.presenceColors,u=l.semanticColors,d=l.fonts,p=(0,Ue.Km)(nd,l),m=Qu(e.size),g=$u(e.presence),h=c&&c.available||"#6BB700",f=c&&c.away||"#FFAA44",v=c&&c.busy||"#C43148",b=c&&c.dnd||"#C50F1F",y=c&&c.offline||"#8A8886",_=c&&c.oof||"#B4009E",S=c&&c.background||u.bodyBackground,C=g.isOffline||e.isOutOfOffice&&(g.isAvailable||g.isBusy||g.isAway||g.isDoNotDisturb),x=m.isSize72||m.isSize100?"2px":"1px";return{presence:[p.presence,(0,a.__assign)((0,a.__assign)({position:"absolute",height:Hu.size12,width:Hu.size12,borderRadius:"50%",top:"auto",right:"-2px",bottom:"-2px",border:"2px solid ".concat(S),textAlign:"center",boxSizing:"content-box",backgroundClip:"border-box"},(0,Ue.Qg)()),{selectors:(t={},t[Ue.up]={borderColor:"Window",backgroundColor:"WindowText"},t)}),(m.isSize8||m.isSize10)&&{right:"auto",top:"7px",left:0,border:0,selectors:(o={},o[Ue.up]={top:"9px",border:"1px solid WindowText"},o)},(m.isSize8||m.isSize10||m.isSize24||m.isSize28||m.isSize32)&&ad(Hu.size8),(m.isSize40||m.isSize48)&&ad(Hu.size12),m.isSize16&&{height:Hu.size6,width:Hu.size6,borderWidth:"1.5px"},m.isSize56&&ad(Hu.size16),m.isSize72&&ad(Hu.size20),m.isSize100&&ad(Hu.size28),m.isSize120&&ad(Hu.size32),g.isAvailable&&{backgroundColor:h,selectors:(n={},n[Ue.up]=sd("Highlight"),n)},g.isAway&&sd(f),g.isBlocked&&[{selectors:(r={":after":m.isSize40||m.isSize48||m.isSize72||m.isSize100?{content:'""',width:"100%",height:x,backgroundColor:v,transform:"translateY(-50%) rotate(-45deg)",position:"absolute",top:"50%",left:0}:void 0},r[Ue.up]={selectors:{":after":{width:"calc(100% - 4px)",left:"2px",backgroundColor:"Window"}}},r)}],g.isBusy&&sd(v),g.isDoNotDisturb&&sd(b),g.isOffline&&sd(y),(C||g.isBlocked)&&[{backgroundColor:S,selectors:(i={":before":{content:'""',width:"100%",height:"100%",position:"absolute",top:0,left:0,border:"".concat(x," solid ").concat(v),borderRadius:"50%",boxSizing:"border-box"}},i[Ue.up]={backgroundColor:"WindowText",selectors:{":before":{width:"calc(100% - 2px)",height:"calc(100% - 2px)",top:"1px",left:"1px",borderColor:"Window"}}},i)}],C&&g.isAvailable&&id(x,h),C&&g.isBusy&&id(x,v),C&&g.isAway&&id(x,_),C&&g.isDoNotDisturb&&id(x,b),C&&g.isOffline&&id(x,y),C&&g.isOffline&&e.isOutOfOffice&&id(x,_)],presenceIcon:[p.presenceIcon,{color:S,fontSize:"6px",lineHeight:Hu.size12,verticalAlign:"top",selectors:(s={},s[Ue.up]={color:"Window"},s)},m.isSize56&&{fontSize:"8px",lineHeight:Hu.size16},m.isSize72&&{fontSize:d.small.fontSize,lineHeight:Hu.size20},m.isSize100&&{fontSize:d.medium.fontSize,lineHeight:Hu.size28},m.isSize120&&{fontSize:d.medium.fontSize,lineHeight:Hu.size32},g.isAway&&{position:"relative",left:C?void 0:"1px"},C&&g.isAvailable&&rd(h),C&&g.isBusy&&rd(v),C&&g.isAway&&rd(_),C&&g.isDoNotDisturb&&rd(b),C&&g.isOffline&&rd(y),C&&g.isOffline&&e.isOutOfOffice&&rd(_)]}}),void 0,{scope:"PersonaPresence"}),cd=[Au.lightBlue,Au.blue,Au.darkBlue,Au.teal,Au.green,Au.darkGreen,Au.lightPink,Au.pink,Au.magenta,Au.purple,Au.orange,Au.lightRed,Au.darkRed,Au.violet,Au.gold,Au.burgundy,Au.warmGray,Au.cyan,Au.rust,Au.coolGray],ud=cd.length;function dd(e){var t=e.primaryText,o=e.text,n=e.initialsColor;return"string"==typeof n?n:function(e){switch(e){case Au.lightBlue:return"#4F6BED";case Au.blue:return"#0078D4";case Au.darkBlue:return"#004E8C";case Au.teal:return"#038387";case Au.lightGreen:case Au.green:return"#498205";case Au.darkGreen:return"#0B6A0B";case Au.lightPink:return"#C239B3";case Au.pink:return"#E3008C";case Au.magenta:return"#881798";case Au.purple:return"#5C2E91";case Au.orange:return"#CA5010";case Au.red:return"#EE1111";case Au.lightRed:return"#D13438";case Au.darkRed:return"#A4262C";case Au.transparent:return"transparent";case Au.violet:return"#8764B8";case Au.gold:return"#986F0B";case Au.burgundy:return"#750B1C";case Au.warmGray:return"#7A7574";case Au.cyan:return"#005B70";case Au.rust:return"#8E562E";case Au.coolGray:return"#69797E";case Au.black:return"#1D1D1D";case Au.gray:return"#393939"}}(n=void 0!==n?n:function(e){var t=Au.blue;if(!e)return t;for(var o=0,n=e.length-1;n>=0;n--){var r=e.charCodeAt(n),i=n%8;o^=(r<>8-i)}return cd[o%ud]}(o||t))}var pd=Le({cacheSize:100}),md=(0,c.J9)((function(e,t,o,n,r,i){return(0,Ue.Zq)(e,!i&&{backgroundColor:dd({text:n,initialsColor:t,primaryText:r}),color:o})})),gd={size:Fu.size48,presence:Bu.none,imageAlt:""},hd=i.forwardRef((function(e,t){var o=Zt(gd,e),n=function(e){var t=e.onPhotoLoadingStateChange,o=e.imageUrl,n=i.useState(Ae.notLoaded),r=n[0],a=n[1];return i.useEffect((function(){a(Ae.notLoaded)}),[o]),[r,function(e){a(e),null==t||t(e)}]}(o),r=n[0],s=n[1],l=fd(s),c=o.className,u=o.coinProps,d=o.showUnknownPersonaCoin,p=o.coinSize,m=o.styles,g=o.imageUrl,h=o.initialsColor,f=o.initialsTextColor,v=o.isOutOfOffice,b=o.onRenderCoin,y=void 0===b?l:b,_=o.onRenderPersonaCoin,S=void 0===_?y:_,C=o.onRenderInitials,x=void 0===C?vd:C,P=o.presence,k=o.presenceTitle,I=o.presenceColors,w=o.primaryText,T=o.showInitialsUntilImageLoads,E=o.text,D=o.theme,M=o.size,O=Q(o,Z),R=Q(u||{},Z),F=p?{width:p,height:p}:void 0,B=d,A={coinSize:p,isOutOfOffice:v,presence:P,presenceTitle:k,presenceColors:I,size:M,theme:D},N=pd(m,{theme:D,className:u&&u.className?u.className:c,size:M,coinSize:p,showUnknownPersonaCoin:d}),L=Boolean(r!==Ae.loaded&&(T&&g||!g||r===Ae.error||B));return i.createElement("div",(0,a.__assign)({role:"presentation"},O,{className:N.coin,ref:t}),M!==Fu.size8&&M!==Fu.size10&&M!==Fu.tiny?i.createElement("div",(0,a.__assign)({role:"presentation"},R,{className:N.imageArea,style:F}),L&&i.createElement("div",{className:md(N.initials,h,f,E,w,d),style:F,"aria-hidden":"true"},x(o,vd)),!B&&S(o,l),i.createElement(ld,(0,a.__assign)({},A))):o.presence?i.createElement(ld,(0,a.__assign)({},A)):i.createElement(tt,{iconName:"Contact",className:N.size10WithoutPresenceIcon}),o.children)}));hd.displayName="PersonaCoinBase";var fd=function(e){return function(t){var o=t.coinSize,n=t.styles,r=t.imageUrl,a=t.imageAlt,s=t.imageShouldFadeIn,l=t.imageShouldStartVisible,c=t.theme,u=t.showUnknownPersonaCoin,d=t.size,p=void 0===d?gd.size:d;if(!r)return null;var m=pd(n,{theme:c,size:p,showUnknownPersonaCoin:u}),g=o||Ju[p];return i.createElement(qe,{className:m.image,imageFit:Fe.cover,src:r,width:g,height:g,alt:a,shouldFadeIn:s,shouldStartVisible:l,onLoadingStateChange:e})}},vd=function(e){var t=e.imageInitials,o=e.allowPhoneInitials,n=e.showUnknownPersonaCoin,r=e.text,a=e.primaryText,s=e.theme;if(n)return i.createElement(tt,{iconName:"Help"});var l=De(s);return""!==(t=t||Kc(r||a||"",l,o))?i.createElement("span",null,t):i.createElement(tt,{iconName:"Contact"})},bd={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"},yd=Pe(hd,(function(e){var t,o=e.className,n=e.theme,r=e.coinSize,i=n.palette,s=n.fonts,l=Qu(e.size),c=(0,Ue.Km)(bd,n),u=r||e.size&&Ju[e.size]||48;return{coin:[c.coin,s.medium,l.isSize8&&c.size8,l.isSize10&&c.size10,l.isSize16&&c.size16,l.isSize24&&c.size24,l.isSize28&&c.size28,l.isSize32&&c.size32,l.isSize40&&c.size40,l.isSize48&&c.size48,l.isSize56&&c.size56,l.isSize72&&c.size72,l.isSize100&&c.size100,l.isSize120&&c.size120,o],size10WithoutPresenceIcon:{fontSize:s.xSmall.fontSize,position:"absolute",top:"5px",right:"auto",left:0},imageArea:[c.imageArea,{position:"relative",textAlign:"center",flex:"0 0 auto",height:u,width:u},u<=10&&{overflow:"visible",background:"transparent",height:0,width:0}],image:[c.image,{marginRight:"10px",position:"absolute",top:0,left:0,width:"100%",height:"100%",border:0,borderRadius:"50%",perspective:"1px"},u<=10&&{overflow:"visible",background:"transparent",height:0,width:0},u>10&&{height:u,width:u}],initials:[c.initials,{borderRadius:"50%",color:e.showUnknownPersonaCoin?"rgb(168, 0, 0)":i.white,fontSize:s.large.fontSize,fontWeight:Ue.BO.semibold,lineHeight:48===u?46:u,height:u,selectors:(t={},t[Ue.up]=(0,a.__assign)((0,a.__assign)({border:"1px solid WindowText"},(0,Ue.Qg)()),{color:"WindowText",boxSizing:"border-box",backgroundColor:"Window !important"}),t.i={fontWeight:Ue.BO.semibold},t)},e.showUnknownPersonaCoin&&{backgroundColor:"rgb(234, 234, 234)"},u<32&&{fontSize:s.xSmall.fontSize},u>=32&&u<40&&{fontSize:s.medium.fontSize},u>=40&&u<56&&{fontSize:s.mediumPlus.fontSize},u>=56&&u<72&&{fontSize:s.xLarge.fontSize},u>=72&&u<100&&{fontSize:s.xxLarge.fontSize},u>=100&&{fontSize:s.superLarge.fontSize}]}}),void 0,{scope:"PersonaCoin"}),_d=Le(),Sd={size:Fu.size48,presence:Bu.none,imageAlt:"",showOverflowTooltip:!0},Cd=i.forwardRef((function(e,t){var o=Zt(Sd,e),n=We(t,i.useRef(null)),r=function(){return o.text||o.primaryText||""},s=function(e,t,n){var r=t&&t(o,n);return r?i.createElement("div",{dir:"auto",className:e},r):void 0},l=function(e,t){return void 0===t&&(t=!0),e?t?function(){return i.createElement(Ds,{content:e,overflowMode:Ss.Parent,directionalHint:rt.topLeftEdge},e)}:function(){return i.createElement(i.Fragment,null,e)}:void 0},c=l(r(),o.showOverflowTooltip),u=l(o.secondaryText,o.showOverflowTooltip),d=l(o.tertiaryText,o.showOverflowTooltip),p=l(o.optionalText,o.showOverflowTooltip),m=o.hidePersonaDetails,g=o.onRenderOptionalText,h=void 0===g?p:g,f=o.onRenderPrimaryText,v=void 0===f?c:f,b=o.onRenderSecondaryText,y=void 0===b?u:b,_=o.onRenderTertiaryText,S=void 0===_?d:_,C=o.onRenderPersonaCoin,x=void 0===C?function(e){return i.createElement(yd,(0,a.__assign)({},e))}:C,P=o.size,k=o.allowPhoneInitials,I=o.className,w=o.coinProps,T=o.showUnknownPersonaCoin,E=o.coinSize,D=o.styles,M=o.imageAlt,O=o.imageInitials,R=o.imageShouldFadeIn,F=o.imageShouldStartVisible,B=o.imageUrl,A=o.initialsColor,N=o.initialsTextColor,L=o.isOutOfOffice,H=o.onPhotoLoadingStateChange,j=o.onRenderCoin,z=o.onRenderInitials,W=o.presence,V=o.presenceTitle,K=o.presenceColors,G=o.showInitialsUntilImageLoads,U=o.showSecondaryText,Y=o.theme,q=(0,a.__assign)({allowPhoneInitials:k,showUnknownPersonaCoin:T,coinSize:E,imageAlt:M,imageInitials:O,imageShouldFadeIn:R,imageShouldStartVisible:F,imageUrl:B,initialsColor:A,initialsTextColor:N,onPhotoLoadingStateChange:H,onRenderCoin:j,onRenderInitials:z,presence:W,presenceTitle:V,showInitialsUntilImageLoads:G,size:P,text:r(),isOutOfOffice:L,presenceColors:K},w),X=_d(D,{theme:Y,className:I,showSecondaryText:U,presence:W,size:P}),J=Q(o,Z),$=i.createElement("div",{className:X.details},s(X.primaryText,v,c),s(X.secondaryText,y,u),s(X.tertiaryText,S,d),s(X.optionalText,h,p),o.children);return i.createElement("div",(0,a.__assign)({},J,{ref:n,className:X.root,style:E?{height:E,minWidth:E}:void 0}),x(q,x),(!m||P===Fu.size8||P===Fu.size10||P===Fu.tiny)&&$)}));Cd.displayName="PersonaBase";var xd={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"},Pd=Pe(Cd,(function(e){var t=e.className,o=e.showSecondaryText,n=e.theme,r=n.semanticColors,i=n.fonts,a=(0,Ue.Km)(xd,n),s=Qu(e.size),l=$u(e.presence),c="16px",u={color:r.bodySubtext,fontWeight:Ue.BO.regular,fontSize:i.small.fontSize};return{root:[a.root,n.fonts.medium,Ue.S8,{color:r.bodyText,position:"relative",height:Lu.size48,minWidth:Lu.size48,display:"flex",alignItems:"center",selectors:{".contextualHost":{display:"none"}}},s.isSize8&&[a.size8,{height:Lu.size8,minWidth:Lu.size8}],s.isSize10&&[a.size10,{height:Lu.size10,minWidth:Lu.size10}],s.isSize16&&[a.size16,{height:Lu.size16,minWidth:Lu.size16}],s.isSize24&&[a.size24,{height:Lu.size24,minWidth:Lu.size24}],s.isSize24&&o&&{height:"36px"},s.isSize28&&[a.size28,{height:Lu.size28,minWidth:Lu.size28}],s.isSize28&&o&&{height:"32px"},s.isSize32&&[a.size32,{height:Lu.size32,minWidth:Lu.size32}],s.isSize40&&[a.size40,{height:Lu.size40,minWidth:Lu.size40}],s.isSize48&&a.size48,s.isSize56&&[a.size56,{height:Lu.size56,minWidth:Lu.size56}],s.isSize72&&[a.size72,{height:Lu.size72,minWidth:Lu.size72}],s.isSize100&&[a.size100,{height:Lu.size100,minWidth:Lu.size100}],s.isSize120&&[a.size120,{height:Lu.size120,minWidth:Lu.size120}],l.isAvailable&&a.available,l.isAway&&a.away,l.isBlocked&&a.blocked,l.isBusy&&a.busy,l.isDoNotDisturb&&a.doNotDisturb,l.isOffline&&a.offline,t],details:[a.details,{padding:"0 24px 0 16px",minWidth:0,width:"100%",textAlign:"left",display:"flex",flexDirection:"column",justifyContent:"space-around"},(s.isSize8||s.isSize10)&&{paddingLeft:17},(s.isSize24||s.isSize28||s.isSize32)&&{padding:"0 8px"},(s.isSize40||s.isSize48)&&{padding:"0 12px"}],primaryText:[a.primaryText,Ue.oA,{color:r.bodyText,fontWeight:Ue.BO.regular,fontSize:i.medium.fontSize,selectors:{":hover":{color:r.inputTextHovered}}},o&&{height:c,lineHeight:c,overflowX:"hidden"},(s.isSize8||s.isSize10)&&{fontSize:i.small.fontSize,lineHeight:Lu.size8},s.isSize16&&{lineHeight:Lu.size28},(s.isSize24||s.isSize28||s.isSize32||s.isSize40||s.isSize48)&&o&&{height:18},(s.isSize56||s.isSize72||s.isSize100||s.isSize120)&&{fontSize:i.xLarge.fontSize},(s.isSize56||s.isSize72||s.isSize100||s.isSize120)&&o&&{height:22}],secondaryText:[a.secondaryText,Ue.oA,u,(s.isSize8||s.isSize10||s.isSize16||s.isSize24||s.isSize28||s.isSize32)&&{display:"none"},o&&{display:"block",height:c,lineHeight:c,overflowX:"hidden"},s.isSize24&&o&&{height:18},(s.isSize56||s.isSize72||s.isSize100||s.isSize120)&&{fontSize:i.medium.fontSize},(s.isSize56||s.isSize72||s.isSize100||s.isSize120)&&o&&{height:18}],tertiaryText:[a.tertiaryText,Ue.oA,u,{display:"none",fontSize:i.medium.fontSize},(s.isSize72||s.isSize100||s.isSize120)&&{display:"block"}],optionalText:[a.optionalText,Ue.oA,u,{display:"none",fontSize:i.medium.fontSize},(s.isSize100||s.isSize120)&&{display:"block"}],textContent:[a.textContent,Ue.oA]}}),void 0,{scope:"Persona"}),kd={root:"ms-PickerPersona-container",itemContent:"ms-PickerItem-content",removeButton:"ms-PickerItem-removeButton",isSelected:"is-selected",isInvalid:"is-invalid"},Id=Le(),wd=Pe((function(e){var t=e.item,o=e.onRemoveItem,n=e.index,r=e.selected,s=e.removeButtonAriaLabel,l=e.styles,c=e.theme,u=e.className,d=e.disabled,p=e.removeButtonIconProps,m=i.createRef(),g=N(),h=Id(l,{theme:c,className:u,selected:r,disabled:d,invalid:t.ValidationState===Ou.warning}),f=h.subComponentStyles?h.subComponentStyles.persona:void 0,v=h.subComponentStyles?h.subComponentStyles.personaCoin:void 0;return i.createElement("div",{"data-selection-index":n,className:h.root,role:"listitem",key:n,onClick:function(){var e;null===(e=m.current)||void 0===e||e.focus()}},i.createElement("div",{className:h.itemContent,id:"selectedItemPersona-"+g},i.createElement(Pd,(0,a.__assign)({size:Fu.size24,styles:f,coinProps:{styles:v}},t))),i.createElement(yi,{componentRef:m,id:g,onClick:o,disabled:d,iconProps:null!=p?p:{iconName:"Cancel"},styles:{icon:{fontSize:"12px"}},className:h.removeButton,ariaLabel:s,"aria-labelledby":"".concat(g," selectedItemPersona-").concat(g)}))}),(function(e){var t,o,n,r,i,s,l,c,u=e.className,d=e.theme,p=e.selected,m=e.invalid,g=e.disabled,h=d.palette,f=d.semanticColors,v=d.fonts,b=(0,Ue.Km)(kd,d),y=[p&&!m&&!g&&{color:"inherit",selectors:(t={":hover":{color:"inherit"}},t[Ue.up]={color:"HighlightText"},t)},(m&&!p||m&&p&&g)&&{color:"inherit",borderBottom:"2px dotted currentColor",selectors:(o={},o[".".concat(b.root,":hover &")]={color:"inherit"},o)},m&&p&&!g&&{color:"inherit",borderBottom:"2px dotted currentColor",selectors:{":hover":{color:"inherit"}}},g&&{selectors:(n={},n[Ue.up]={color:"GrayText"},n)}],_=[p&&!m&&!g&&{color:"inherit",selectors:(r={":hover":{color:"inherit"}},r[Ue.up]={color:"HighlightText"},r)}],S=[m&&{fontSize:v.xLarge.fontSize}];return{root:[b.root,(0,Ue.gm)(d,{inset:-2}),{borderRadius:15,display:"inline-flex",alignItems:"center",background:h.neutralLighter,margin:"1px 2px",cursor:"default",userSelect:"none",maxWidth:300,verticalAlign:"middle",minWidth:0,selectors:(i={":hover":{background:p||g?"":h.neutralLight}},i[Ue.up]=[{border:"1px solid WindowText"},g&&{borderColor:"GrayText"}],i)},p&&!g&&[b.isSelected,{selectors:(s={":focus-within":{background:h.themePrimary,color:h.white}},s[Ue.up]=(0,a.__assign)({borderColor:"HighLight",background:"Highlight"},(0,Ue.Qg)()),s)}],m&&[b.isInvalid],m&&p&&!g&&{":focus-within":{background:h.redDark,color:h.white}},(m&&!p||m&&p&&g)&&{color:h.redDark},u],itemContent:[b.itemContent,{flex:"0 1 auto",minWidth:0,maxWidth:"100%",overflow:"hidden"}],removeButton:[b.removeButton,{borderRadius:15,color:h.neutralPrimary,flex:"0 0 auto",width:24,height:24,selectors:{":hover":{background:h.neutralTertiaryAlt,color:h.neutralDark}}},p&&[(0,Ue.gm)(d,{inset:2,borderColor:"transparent",highContrastStyle:{inset:2,left:1,top:1,bottom:1,right:1,outlineColor:"ButtonText"},outlineColor:h.white,borderRadius:15}),{selectors:(l={":hover":{color:h.white,background:h.themeDark},":active":{color:h.white,background:h.themeDarker},":focus":{color:h.white}},l[Ue.up]={color:"HighlightText"},l)},m&&{selectors:{":hover":{color:h.white,background:h.red},":active":{color:h.white,background:h.redDark}}}],g&&{selectors:(c={},c[".".concat(Vr.msButtonIcon)]={color:f.buttonText},c)}],subComponentStyles:{persona:{root:{color:"inherit"},primaryText:y,secondaryText:_},personaCoin:{initials:S}}}}),void 0,{scope:"PeoplePickerItem"}),Td={root:"ms-PeoplePicker-personaContent",personaWrapper:"ms-PeoplePicker-Persona"},Ed=Le(),Dd=Pe((function(e){var t=e.personaProps,o=e.suggestionsProps,n=e.compact,r=e.styles,s=e.theme,l=e.className,c=Ed(r,{theme:s,className:o&&o.suggestionsItemClassName||l}),u=c.subComponentStyles&&c.subComponentStyles.persona?c.subComponentStyles.persona:void 0;return i.createElement("div",{className:c.root},i.createElement(Pd,(0,a.__assign)({size:Fu.size24,styles:u,className:c.personaWrapper,showSecondaryText:!n,showOverflowTooltip:!1},t)))}),(function(e){var t,o,n,r=e.className,i=e.theme,a=(0,Ue.Km)(Td,i),s={selectors:(t={},t[".".concat(ku.isSuggested," &")]={selectors:(o={},o[Ue.up]={color:"HighlightText"},o)},t[".".concat(a.root,":hover &")]={selectors:(n={},n[Ue.up]={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"}),Md={root:"ms-BasePicker",text:"ms-BasePicker-text",itemsWrapper:"ms-BasePicker-itemsWrapper",input:"ms-BasePicker-input"};function Od(e){var t,o,n,r=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,g=c.inputFocusBorderAlt,h=(0,Ue.Km)(Md,i),f=[d.medium,{color:c.inputPlaceholderText,opacity:1,selectors:(t={},t[Ue.up]={color:"GrayText"},t)}],v={color:c.disabledText,selectors:(o={},o[Ue.up]={color:"GrayText"},o)},b="rgba(218, 218, 218, 0.29)";return{root:[h.root,r,{position:"relative"}],text:[h.text,{display:"flex",position:"relative",flexWrap:"wrap",alignItems:"center",boxSizing:"border-box",minWidth:180,minHeight:30,border:"1px solid ".concat(p),borderRadius:u.roundedCorner2},!a&&!l&&{selectors:{":hover":{borderColor:m}}},a&&!l&&(0,Ue.Sq)(g,u.roundedCorner2),l&&{borderColor:b,selectors:(n={":after":{content:'""',position:"absolute",top:0,right:0,bottom:0,left:0,background:b}},n[Ue.up]={borderColor:"GrayText",selectors:{":after":{background:"none"}}},n)}],itemsWrapper:[h.itemsWrapper,{display:"flex",flexWrap:"wrap",maxWidth:"100%"}],input:[h.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"},"&:placeholder-shown":{textOverflow:"ellipsis"}}},(0,Ue.CX)(f),l&&(0,Ue.CX)(v),s],screenReaderText:Ue.dX}}var Rd=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,a.__extends)(t,e),t}(Xu),Fd=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,a.__extends)(t,e),t}(Zu),Bd=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,a.__extends)(t,e),t.defaultProps={onRenderItem:function(e){return i.createElement(wd,(0,a.__assign)({},e))},onRenderSuggestionsItem:function(e,t){return i.createElement(Dd,{personaProps:e,suggestionsProps:t})},createGenericItem:Ld},t}(Rd),Ad=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,a.__extends)(t,e),t.defaultProps={onRenderItem:function(e){return i.createElement(wd,(0,a.__assign)({},e))},onRenderSuggestionsItem:function(e,t){return i.createElement(Dd,{personaProps:e,suggestionsProps:t,compact:!0})},createGenericItem:Ld},t}(Rd),Nd=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return(0,a.__extends)(t,e),t.defaultProps={onRenderItem:function(e){return i.createElement(wd,(0,a.__assign)({},e))},onRenderSuggestionsItem:function(e,t){return i.createElement(Dd,{personaProps:e,suggestionsProps:t})},createGenericItem:Ld},t}(Fd);function Ld(e,t){var o={key:e,primaryText:e,imageInitials:"!",ValidationState:t};return t!==Ou.warning&&(o.imageInitials=Kc(e,De())),o}var Hd,jd=Pe(Bd,Od,void 0,{scope:"NormalPeoplePicker"}),zd=(Pe(Ad,Od,void 0,{scope:"CompactPeoplePicker"}),Pe(Nd,Od,void 0,{scope:"ListPeoplePickerBase"}),{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 Wd(e,t){var o;return{color:e,selectors:(o={},o[Ue.up]={color:t},o)}}!function(e){e[e.Small=0]="Small",e[e.Large=1]="Large"}(Hd||(Hd={}));var Vd=Le(),Kd=function(e){return i.createElement("div",{className:e.classNames.ratingStar},i.createElement(tt,{className:e.classNames.ratingStarBack,iconName:0===e.fillPercentage||100===e.fillPercentage?e.icon:e.unselectedIcon}),!e.disabled&&i.createElement(tt,{className:e.classNames.ratingStarFront,iconName:e.icon,style:{width:e.fillPercentage+"%"}}))},Gd=function(e,t){return"".concat(e,"-star-").concat(t-1)},Ud=i.forwardRef((function(e,t){var o=fr("Rating"),n=fr("RatingLabel"),r=e.ariaLabel,s=e.ariaLabelFormat,l=e.disabled,c=e.getAriaLabel,d=e.styles,p=e.min,m=void 0===p?e.allowZeroStars?0:1:p,g=e.max,h=void 0===g?5:g,v=e.readOnly,b=e.size,y=e.theme,_=e.icon,S=void 0===_?"FavoriteStarFill":_,C=e.unselectedIcon,x=void 0===C?"FavoriteStar":C,P=e.onRenderStar,k=Math.max(m,0),I=Ma(e.rating,e.defaultRating,e.onChange),w=I[0],T=I[1],E=function(e,t,o){return Math.min(Math.max(null!=e?e:t,t),o)}(w,k,h);!function(e,t){i.useImperativeHandle(e,(function(){return{rating:t}}),[t])}(e.componentRef,E);var D=i.useRef(null),M=We(D,t);se(D);for(var O=Q(e,Z),R=Vd(d,{disabled:l,readOnly:v,theme:y}),F=null==c?void 0:c(E,h),B=r||F,A=[],N=function(e){var t,r,c=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,E);A.push(i.createElement("button",(0,a.__assign)({className:u(R.ratingButton,b===Hd.Large?R.ratingStarIsLarge:R.ratingStarIsSmall),id:Gd(o,e),key:e},e===Math.ceil(E)&&{"data-is-current":!0},{onKeyDown:function(t){var o=t.which,n=e;switch(o){case f.right:case f.down:n=Math.min(h,n+1);break;case f.left:case f.up:n=Math.max(1,n-1);break;case f.home:case f.pageUp:n=1;break;case f.end:case f.pageDown:n=h}n===e||void 0!==w&&Math.ceil(w)===n||T(n,t)},onClick:function(t){void 0!==w&&Math.ceil(w)===e||T(e,t)},disabled:!(!l&&!v),role:"radio","aria-hidden":v?"true":void 0,type:"button","aria-checked":e===Math.ceil(E)}),i.createElement("span",{id:"".concat(n,"-").concat(e),className:R.labelText},Vi(s||"",e,h)),(t={fillPercentage:c,disabled:l,classNames:R,icon:c>0?S:x,starNum:e,unselectedIcon:x},(r=P)?r(t):i.createElement(Kd,(0,a.__assign)({},t)))))},L=1;L<=h;L++)N(L);var H=b===Hd.Large?R.rootIsLarge:R.rootIsSmall;return i.createElement("div",(0,a.__assign)({ref:M,className:u("ms-Rating-star",R.root,H),"aria-label":v?void 0:B,id:o,role:v?void 0:"radiogroup"},O),i.createElement(Yt,(0,a.__assign)({direction:st.bidirectional,className:u(R.ratingFocusZone,H),defaultActiveElement:"#"+Gd(o,Math.ceil(E))},v&&{allowFocusRoot:!0,disabled:!0,role:"textbox","aria-label":F,"aria-readonly":!0,"data-is-focusable":!0,tabIndex:0}),A))}));Ud.displayName="RatingBase";var Yd=Pe(Ud,(function(e){var t=e.disabled,o=e.readOnly,n=e.theme,r=n.semanticColors,i=n.palette,a=(0,Ue.Km)(zd,n),s=i.neutralSecondary,l=i.themePrimary,c=i.themeDark,u=i.neutralPrimary,d=r.disabledBodySubtext;return{root:[a.root,n.fonts.medium,!t&&!o&&{selectors:{"&:hover":{selectors:{".ms-RatingStar-back":Wd(u,"Highlight")}}}}],rootIsSmall:[a.rootIsSmall,{height:"32px"}],rootIsLarge:[a.rootIsLarge,{height:"36px"}],ratingStar:[a.ratingStar,{display:"inline-block",position:"relative",height:"inherit"}],ratingStarBack:[a.ratingStarBack,{color:s,width:"100%"},t&&Wd(d,"GrayText")],ratingStarFront:[a.ratingStarFront,{position:"absolute",height:"100 %",left:"0",top:"0",textAlign:"center",verticalAlign:"middle",overflow:"hidden"},Wd(u,"Highlight")],ratingButton:[(0,Ue.gm)(n),a.ratingButton,{backgroundColor:"transparent",padding:"".concat(8,"px ").concat(2,"px"),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":Wd(s,"WindowText"),".ms-RatingStar-front":Wd(s,"WindowText")}},"&:hover":{selectors:{".ms-RatingStar-back":{color:l},".ms-RatingStar-front":{color:c}}}}},t&&{cursor:"default"}],ratingStarIsSmall:[a.ratingStarIsSmall,{fontSize:"16px",lineHeight:"16px",height:"16px"}],ratingStarIsLarge:[a.ratingStartIsLarge,{fontSize:"20px",lineHeight:"20px",height:"20px"}],labelText:[a.labelText,Ue.dX],ratingFocusZone:[(0,Ue.gm)(n),a.ratingFocusZone,{display:"inline-block"}]}}),void 0,{scope:"Rating"}),qd="SearchBox",Xd={root:{height:"auto"},icon:{fontSize:"12px"}},Zd={iconName:"Clear"},Qd={ariaLabel:"Clear text"},Jd=Le(),$d=i.forwardRef((function(e,t){var o=e.ariaLabel,n=e.className,r=e.defaultValue,s=void 0===r?"":r,l=e.disabled,c=e.underlined,u=e.styles,d=e.labelText,p=e.placeholder,m=void 0===p?d:p,g=e.theme,h=e.clearButtonProps,v=void 0===h?Qd:h,b=e.disableAnimation,y=void 0!==b&&b,_=e.showIcon,S=void 0!==_&&_,C=e.onClear,x=e.onBlur,P=e.onEscape,k=e.onSearch,I=e.onKeyDown,w=e.iconProps,T=e.role,E=e.onChange,D=e.onChanged,M=i.useState(!1),O=M[0],R=M[1],F=i.useRef(),B=Ma(e.value,s,(function(e,t){e&&e.timeStamp===F.current||(F.current=null==e?void 0:e.timeStamp,null==E||E(e,t),null==D||D(t))})),A=B[0],N=B[1],L=String(A),H=i.useRef(null),j=i.useRef(null),z=We(H,t),W=fr(qd,e.id),V=v.onClick,K=Jd(u,{theme:g,className:n,underlined:c,hasFocus:O,disabled:l,hasInput:L.length>0,disableAnimation:y,showIcon:S}),G=Q(e,Y,["className","placeholder","onFocus","onBlur","value","role"]),U=i.useCallback((function(e){var t;null==C||C(e),e.defaultPrevented||(N(""),null===(t=j.current)||void 0===t||t.focus(),e.stopPropagation(),e.preventDefault())}),[C,N]),q=i.useCallback((function(e){null==V||V(e),e.defaultPrevented||U(e)}),[V,U]),X=i.useCallback((function(e){R(!1),null==x||x(e)}),[x]),Z=function(e){N(e.target.value,e)};return function(e,t,o){i.useImperativeHandle(e,(function(){return{focus:function(){var e;return null===(e=t.current)||void 0===e?void 0:e.focus()},blur:function(){var e;return null===(e=t.current)||void 0===e?void 0:e.blur()},hasFocus:function(){return o}}}),[t,o])}(e.componentRef,j,O),i.createElement("div",{role:T,ref:z,className:K.root,onFocusCapture:function(t){var o;R(!0),null===(o=e.onFocus)||void 0===o||o.call(e,t)}},i.createElement("div",{className:K.iconContainer,onClick:function(){j.current&&(j.current.focus(),j.current.selectionStart=j.current.selectionEnd=0)},"aria-hidden":!0},i.createElement(tt,(0,a.__assign)({iconName:"Search"},w,{className:K.icon}))),i.createElement("input",(0,a.__assign)({},G,{id:W,className:K.field,placeholder:m,onChange:Z,onInput:Z,onBlur:X,onKeyDown:function(e){switch(e.which){case f.escape:null==P||P(e),L&&!e.defaultPrevented&&U(e);break;case f.enter:k&&(k(L),e.preventDefault(),e.stopPropagation());break;default:null==I||I(e),e.defaultPrevented&&e.stopPropagation()}},value:L,disabled:l,role:"searchbox","aria-label":o,ref:j})),L.length>0&&i.createElement("div",{className:K.clearButton},i.createElement(yi,(0,a.__assign)({onBlur:X,styles:Xd,iconProps:Zd},v,{onClick:q}))))}));$d.displayName=qd;var ep={root:"ms-SearchBox",iconContainer:"ms-SearchBox-iconContainer",icon:"ms-SearchBox-icon",clearButton:"ms-SearchBox-clearButton",field:"ms-SearchBox-field"},tp=Pe($d,(function(e){var t,o,n,r,i,a=e.theme,s=e.underlined,l=e.disabled,c=e.hasFocus,u=e.className,d=e.hasInput,p=e.disableAnimation,m=e.showIcon,g=a.palette,h=a.fonts,f=a.semanticColors,v=a.effects,b=(0,Ue.Km)(ep,a),y={color:f.inputPlaceholderText,opacity:1},_=g.neutralSecondary,S=g.neutralPrimary,C=g.neutralLighter,x=g.neutralLighter,P=g.neutralLighter;return{root:[b.root,h.medium,Ue.S8,{color:f.inputText,backgroundColor:f.inputBackground,display:"flex",flexDirection:"row",flexWrap:"nowrap",alignItems:"stretch",padding:"1px 0 1px 4px",borderRadius:v.roundedCorner2,border:"1px solid ".concat(f.inputBorder),height:32,selectors:(t={},t[Ue.up]={borderColor:"WindowText"},t[":hover"]={borderColor:f.inputBorderHovered,selectors:(o={},o[Ue.up]={borderColor:"Highlight"},o)},t[":hover .".concat(b.iconContainer)]={color:f.inputIconHovered},t)},!c&&d&&{selectors:(n={},n[":hover .".concat(b.iconContainer)]={width:4},n[":hover .".concat(b.icon)]={opacity:0,pointerEvents:"none"},n)},c&&["is-active",{position:"relative"},(0,Ue.Sq)(f.inputFocusBorderAlt,s?0:v.roundedCorner2,s?"borderBottom":"border")],m&&[{selectors:(r={},r[":hover .".concat(b.iconContainer)]={width:32},r[":hover .".concat(b.icon)]={opacity:1},r)}],l&&["is-disabled",{borderColor:C,backgroundColor:P,pointerEvents:"none",cursor:"default",selectors:(i={},i[Ue.up]={borderColor:"GrayText"},i)}],s&&["is-underlined",{borderWidth:"0 0 1px 0",borderRadius:0,padding:"1px 0 1px 8px"}],s&&l&&{backgroundColor:"transparent"},d&&"can-clear",u],iconContainer:[b.iconContainer,{display:"flex",flexDirection:"column",justifyContent:"center",flexShrink:0,fontSize:16,width:32,textAlign:"center",color:f.inputIcon,cursor:"text"},c&&{width:4},l&&{color:f.inputIconDisabled},!p&&{transition:"width ".concat(Ue.cs.durationValue1)},m&&c&&{width:32}],icon:[b.icon,{opacity:1},c&&{opacity:0,pointerEvents:"none"},!p&&{transition:"opacity ".concat(Ue.cs.durationValue1," 0s")},m&&c&&{opacity:1}],clearButton:[b.clearButton,{display:"flex",flexDirection:"row",alignItems:"stretch",cursor:"pointer",flexBasis:"32px",flexShrink:0,padding:0,margin:"-1px 0px",selectors:{"&:hover .ms-Button":{backgroundColor:x},"&:hover .ms-Button-icon":{color:S},".ms-Button":{borderRadius:De(a)?"1px 0 0 1px":"0 1px 1px 0"},".ms-Button-icon":{color:_}}}],field:[b.field,Ue.S8,(0,Ue.CX)(y),{backgroundColor:"transparent",border:"none",outline:"none",fontWeight:"inherit",fontFamily:"inherit",fontSize:"inherit",color:f.inputText,flex:"1 1 0px",minWidth:"0px",overflow:"hidden",textOverflow:"ellipsis",paddingBottom:.5,selectors:{"::-ms-clear":{display:"none"}}},l&&{color:f.disabledText}]}}),void 0,{scope:"SearchBox"}),op=function(){var e=Go({});return i.useEffect((function(){return function(){for(var t=0,o=Object.keys(e);t=0:i>=Y.latestLowerValue)&&z(i,e):z(i,e)},ne=function(e,t){var o=0;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},re=function(t){var o,n=N.current.getBoundingClientRect(),r=(e.vertical?n.height:n.width)/J;if(e.vertical){var i=ne(t,e.vertical);o=(n.bottom-i)/r}else{var a=ne(t,e.vertical);o=(De(e.theme)?n.right-a:a-n.left)/r}return o},ie=function(e,t){var o=re(e),r=g+n*o,i=g+n*Math.round(o);oe(e,i,r),t||(e.preventDefault(),e.stopPropagation())},ae=function(e){if(D){var t=re(e),o=g+n*t;Y.isAdjustingLowerValue=o<=Y.latestLowerValue||o-Y.latestLowerValue<=Y.latestValue-o}"mousedown"===e.type?R.current.push(io(L,"mousemove",ie,!0),io(L,"mouseup",se,!0)):"touchstart"===e.type&&R.current.push(io(L,"touchmove",ie,!0),io(L,"touchend",se,!0)),ie(e,!0)},se=function(e){Y.isBetweenSteps=void 0,null==O||O(e,Y.latestValue,D?[Y.latestLowerValue,Y.latestValue]:void 0),le()},le=i.useCallback((function(){R.current.forEach((function(e){return e()})),R.current=[]}),[]);i.useEffect((function(){return le}),[le]);var ce=i.useRef(null),ue=i.useRef(null),de=i.useRef(null);!function(e,t,o,n){i.useImperativeHandle(e.componentRef,(function(){return{get value(){return o},get range(){return n},focus:function(){var e;null===(e=t.current)||void 0===e||e.focus()}}}),[n,t,o])}(e,de,G,D?[U,G]:void 0);var pe=rp(S?"bottom":De(e.theme)?"right":"left"),me=rp(S?"height":"width"),ge=I?0:g,he=ip(G,g,p),fe=ip(U,g,p),ve=ip(ge,g,p),be=D?he-fe:Math.abs(ve-he),ye=Math.min(100-he,100-ve),_e=D?fe:Math.min(he,ve),Se={className:X.root,ref:t},Ce={className:X.titleLabel,children:c,disabled:l,htmlFor:E?void 0:q},xe=v?{className:X.valueLabel,children:x?x(G):G,disabled:l,htmlFor:l?q:void 0}:void 0,Pe=D&&v?{className:X.valueLabel,children:x?x(U):U,disabled:l}:void 0,ke=I?{className:X.zeroTick,style:pe(ve)}:void 0,Ie={className:u(X.lineContainer,X.activeSection),style:me(be)},we={className:u(X.lineContainer,X.inactiveSection),style:me(ye)},Te={className:u(X.lineContainer,X.inactiveSection),style:me(_e)},Ee=(0,a.__assign)({"aria-disabled":l,role:"slider",tabIndex:l?void 0:0},{"data-is-focusable":!l}),Oe=(0,a.__assign)((0,a.__assign)((0,a.__assign)({id:q,className:u(X.slideBox,y.className),ref:de},!l&&{onMouseDown:ae,onTouchStart:ae,onKeyDown:function(t){var o=Y.isAdjustingLowerValue?Y.latestLowerValue:Y.latestValue,r=0;switch(t.which){case Me(f.left,e.theme):case f.down:r=-n,$(),ee(t);break;case Me(f.right,e.theme):case f.up:r=n,$(),ee(t);break;case f.home:o=g,$(),ee(t);break;case f.end:o=p,$(),ee(t);break;default:return}oe(t,o+r),t.preventDefault(),t.stopPropagation()}}),y&&Q(y,Z,["id","className"])),!D&&(0,a.__assign)((0,a.__assign)({},Ee),{"aria-valuemin":g,"aria-valuemax":p,"aria-valuenow":G,"aria-valuetext":te(G),"aria-label":E||c,"aria-labelledby":w})),Re=l?{}:{onFocus:function(e){Y.isAdjustingLowerValue=e.target===ce.current}},Fe=(0,a.__assign)({ref:ue,className:X.thumb,style:pe(he)},D&&(0,a.__assign)((0,a.__assign)((0,a.__assign)({},Ee),Re),{id:"max-".concat(q),"aria-valuemin":U,"aria-valuemax":p,"aria-valuenow":G,"aria-valuetext":te(G),"aria-label":"max ".concat(E||c)})),Be=D?(0,a.__assign)((0,a.__assign)((0,a.__assign)({ref:ce,className:X.thumb,style:pe(fe)},Ee),Re),{id:"min-".concat(q),"aria-valuemin":g,"aria-valuemax":G,"aria-valuenow":U,"aria-valuetext":te(U),"aria-label":"min ".concat(E||c)}):void 0;return{root:Se,label:Ce,sliderBox:Oe,container:{className:X.container},valueLabel:xe,lowerValueLabel:Pe,thumb:Fe,lowerValueThumb:Be,zeroTick:ke,activeTrack:Ie,topInactiveTrack:we,bottomInactiveTrack:Te,sliderLine:{ref:N,className:X.line}}}(e,t);return i.createElement("div",(0,a.__assign)({},o.root),o&&i.createElement(Ya,(0,a.__assign)({},o.label)),i.createElement("div",(0,a.__assign)({},o.container),e.ranged&&(e.vertical?o.valueLabel&&i.createElement(Ya,(0,a.__assign)({},o.valueLabel)):o.lowerValueLabel&&i.createElement(Ya,(0,a.__assign)({},o.lowerValueLabel))),i.createElement("div",(0,a.__assign)({},o.sliderBox),i.createElement("div",(0,a.__assign)({},o.sliderLine),e.ranged&&i.createElement("span",(0,a.__assign)({},o.lowerValueThumb)),i.createElement("span",(0,a.__assign)({},o.thumb)),o.zeroTick&&i.createElement("span",(0,a.__assign)({},o.zeroTick)),i.createElement("span",(0,a.__assign)({},o.bottomInactiveTrack)),i.createElement("span",(0,a.__assign)({},o.activeTrack)),i.createElement("span",(0,a.__assign)({},o.topInactiveTrack)))),e.ranged&&e.vertical?o.lowerValueLabel&&i.createElement(Ya,(0,a.__assign)({},o.lowerValueLabel)):o.valueLabel&&i.createElement(Ya,(0,a.__assign)({},o.valueLabel))),i.createElement(le,null))}));ap.displayName="SliderBase";var sp={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"},lp=Pe(ap,(function(e){var t,o,n,r,i,s,l,c,u,d,p,m,g,h=e.className,f=e.titleLabelClassName,v=e.theme,b=e.vertical,y=e.disabled,_=e.showTransitions,S=e.showValue,C=e.ranged,x=v.semanticColors,P=v.palette,k=(0,Ue.Km)(sp,v),I=x.inputBackgroundCheckedHovered,w=x.inputBackgroundChecked,T=P.neutralSecondaryAlt,E=P.neutralPrimary,D=P.neutralSecondaryAlt,M=x.disabledText,O=x.disabledBackground,R=x.inputBackground,F=x.smallInputBorder,B=x.disabledBorder,A=!y&&{backgroundColor:I,selectors:(t={},t[Ue.up]={backgroundColor:"Highlight"},t)},N=!y&&{backgroundColor:T,selectors:(o={},o[Ue.up]={borderColor:"Highlight"},o)},L=!y&&{backgroundColor:w,selectors:(n={},n[Ue.up]={backgroundColor:"Highlight"},n)},H=!y&&{border:"2px solid ".concat(I),selectors:(r={},r[Ue.up]={borderColor:"Highlight"},r)},j=!e.disabled&&{backgroundColor:x.inputPlaceholderBackgroundChecked,selectors:(i={},i[Ue.up]={backgroundColor:"Highlight"},i)};return{root:(0,a.__spreadArray)((0,a.__spreadArray)((0,a.__spreadArray)((0,a.__spreadArray)((0,a.__spreadArray)([k.root,v.fonts.medium,{userSelect:"none"},b&&{marginRight:8}],[y?void 0:k.enabled],!1),[y?k.disabled:void 0],!1),[b?void 0:k.row],!1),[b?k.column:void 0],!1),[h],!1),titleLabel:[{padding:0},f],container:[k.container,{display:"flex",flexWrap:"nowrap",alignItems:"center"},b&&{flexDirection:"column",height:"100%",textAlign:"center",margin:"8px 0"}],slideBox:(0,a.__spreadArray)((0,a.__spreadArray)([k.slideBox,!C&&(0,Ue.gm)(v),{background:"transparent",border:"none",flexGrow:1,lineHeight:28,display:"flex",alignItems:"center",selectors:(s={},s[":active .".concat(k.activeSection)]=A,s[":hover .".concat(k.activeSection)]=L,s[":active .".concat(k.inactiveSection)]=N,s[":hover .".concat(k.inactiveSection)]=N,s[":active .".concat(k.thumb)]=H,s[":hover .".concat(k.thumb)]=H,s[":active .".concat(k.zeroTick)]=j,s[":hover .".concat(k.zeroTick)]=j,s[Ue.up]={forcedColorAdjust:"none"},s)},b?{height:"100%",width:28,padding:"8px 0"}:{height:28,width:"auto",padding:"0 8px"}],[S?k.showValue:void 0],!1),[_?k.showTransitions:void 0],!1),thumb:[k.thumb,C&&(0,Ue.gm)(v,{inset:-4}),{borderWidth:2,borderStyle:"solid",borderColor:F,borderRadius:10,boxSizing:"border-box",background:R,display:"block",width:16,height:16,position:"absolute"},b?{left:-6,margin:"0 auto",transform:"translateY(8px)"}:{top:-6,transform:De(v)?"translateX(50%)":"translateX(-50%)"},_&&{transition:"left ".concat(Ue.cs.durationValue3," ").concat(Ue.cs.easeFunction1)},y&&{borderColor:B,selectors:(l={},l[Ue.up]={borderColor:"GrayText"},l)}],line:[k.line,{display:"flex",position:"relative"},b?{height:"100%",width:4,margin:"0 auto",flexDirection:"column-reverse"}:{width:"100%"}],lineContainer:[{borderRadius:4,boxSizing:"border-box"},b?{width:4,height:"100%"}:{height:4,width:"100%"}],activeSection:[k.activeSection,{background:E,selectors:(c={},c[Ue.up]={backgroundColor:"WindowText"},c)},_&&{transition:"width ".concat(Ue.cs.durationValue3," ").concat(Ue.cs.easeFunction1)},y&&{background:M,selectors:(u={},u[Ue.up]={backgroundColor:"GrayText",borderColor:"GrayText"},u)}],inactiveSection:[k.inactiveSection,{background:D,selectors:(d={},d[Ue.up]={border:"1px solid WindowText"},d)},_&&{transition:"width ".concat(Ue.cs.durationValue3," ").concat(Ue.cs.easeFunction1)},y&&{background:O,selectors:(p={},p[Ue.up]={borderColor:"GrayText"},p)}],zeroTick:[k.zeroTick,{position:"absolute",background:x.disabledBorder,selectors:(m={},m[Ue.up]={backgroundColor:"WindowText"},m)},e.disabled&&{background:x.disabledBackground,selectors:(g={},g[Ue.up]={backgroundColor:"GrayText"},g)},e.vertical?{width:"16px",height:"1px",transform:De(v)?"translateX(6px)":"translateX(-6px)"}:{width:"1px",height:"16px",transform:"translateY(-6px)"}],valueLabel:[k.valueLabel,{flexShrink:1,width:30,lineHeight:"1"},b?{margin:"0 auto",whiteSpace:"nowrap",width:40}:{margin:"0 8px",whiteSpace:"nowrap",width:40}]}}),void 0,{scope:"Slider"});function cp(e,t,o){void 0===o&&(o=10);var n=Math.pow(o,t);return Math.round(e*n)/n}var up,dp=(0,c.J9)((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[Ue.up]={color:"GrayText"},t)}})),pp=(0,c.J9)((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 ".concat(l.roundedCorner2," 0")},"&.ms-UpButton":{borderRadius:"0 ".concat(l.roundedCorner2," 0 0")}}},rootHovered:{backgroundColor:p,color:u},rootChecked:{backgroundColor:m,color:d,selectors:(n={},n[Ue.up]={backgroundColor:"Highlight",color:"HighlightText"},n)},rootPressed:{backgroundColor:m,color:d,selectors:(r={},r[Ue.up]={backgroundColor:"Highlight",color:"HighlightText"},r)},rootDisabled:{opacity:.5,selectors:(i={},i[Ue.up]={color:"GrayText",opacity:1},i)},icon:{fontSize:8,marginTop:0,marginRight:0,marginBottom:0,marginLeft:0}};return(0,Ue.TW)(g,{},o)}));!function(e){e[e.down=-1]="down",e[e.notSpinning=0]="notSpinning",e[e.up=1]="up"}(up||(up={}));var mp=Le(),gp={disabled:!1,label:"",step:1,labelPosition:Jt.start,incrementButtonIcon:{iconName:"ChevronUpSmall"},decrementButtonIcon:{iconName:"ChevronDownSmall"}},hp=function(){},fp=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},vp=i.forwardRef((function(e,t){var o=Zt(gp,e),n=o.disabled,r=o.label,s=o.min,l=o.max,c=o.step,u=o.defaultValue,d=o.value,p=o.precision,m=o.labelPosition,g=o.iconProps,h=o.incrementButtonIcon,v=o.incrementButtonAriaLabel,b=o.decrementButtonIcon,y=o.decrementButtonAriaLabel,_=o.ariaLabel,S=o.ariaDescribedBy,C=o.upArrowButtonStyles,x=o.downArrowButtonStyles,P=o.theme,k=o.ariaPositionInSet,I=o.ariaSetSize,w=o.ariaValueNow,T=o.ariaValueText,E=o.className,D=o.inputProps,M=o.onDecrement,O=o.onIncrement,R=o.iconButtonProps,F=o.onValidate,B=o.onChange,A=o.styles,N=i.useRef(null),L=fr("input"),H=fr("Label"),j=i.useState(!1),z=j[0],W=j[1],V=i.useState(up.notSpinning),K=V[0],G=V[1],U=Lo(),Y=i.useMemo((function(){return null!=p?p:Math.max(function(e){var t=/[1-9]([0]+$)|\.([0-9]*)/.exec(String(e));return t?t[1]?-t[1].length:t[2]?t[2].length:0:0}(c),0)}),[p,c]),q=Ma(d,null!=u?u:String(s||0),B),X=q[0],J=q[1],$=i.useState(),ee=$[0],te=$[1],oe=i.useRef({stepTimeoutHandle:-1,latestValue:void 0,latestIntermediateValue:void 0}).current;oe.latestValue=X,oe.latestIntermediateValue=ee;var ne=ir(d);i.useEffect((function(){d!==ne&&void 0!==ee&&te(void 0)}),[d,ne,ee]);var re=mp(A,{theme:P,disabled:n,isFocused:z,keyboardSpinDirection:K,labelPosition:m,className:E}),ie=Q(o,Z,["onBlur","onFocus","className","onChange"]),ae=i.useCallback((function(e){var t=oe.latestIntermediateValue;if(void 0!==t&&t!==oe.latestValue){var o=void 0;F?o=F(t,e):t&&t.trim().length&&!isNaN(Number(t))&&(o=String(fp(Number(t),{min:s,max:l}))),void 0!==o&&o!==oe.latestValue&&J(o,e)}te(void 0)}),[oe,l,s,F,J]),se=i.useCallback((function(){oe.stepTimeoutHandle>=0&&(U.clearTimeout(oe.stepTimeoutHandle),oe.stepTimeoutHandle=-1),(oe.spinningByMouse||K!==up.notSpinning)&&(oe.spinningByMouse=!1,G(up.notSpinning))}),[oe,K,U]),le=i.useCallback((function(e,t){if(t.persist(),void 0!==oe.latestIntermediateValue)return"keydown"!==t.type&&"mousedown"!==t.type||ae(t),void U.requestAnimationFrame((function(){le(e,t)}));var o=e(oe.latestValue||"",t);void 0!==o&&o!==oe.latestValue&&J(o,t);var n=oe.spinningByMouse;oe.spinningByMouse="mousedown"===t.type,oe.spinningByMouse&&(oe.stepTimeoutHandle=U.setTimeout((function(){le(e,t)}),n?75:400))}),[oe,U,ae,J]),ce=i.useCallback((function(e){if(O)return O(e);var t=fp(Number(e)+Number(c),{max:l});return t=cp(t,Y),String(t)}),[Y,l,O,c]),ue=i.useCallback((function(e){if(M)return M(e);var t=fp(Number(e)-Number(c),{min:s});return t=cp(t,Y),String(t)}),[Y,s,M,c]),de=i.useCallback((function(e){(n||e.which===f.up||e.which===f.down)&&se()}),[n,se]),pe=i.useCallback((function(e){le(ce,e)}),[ce,le]),me=i.useCallback((function(e){le(ue,e)}),[ue,le]);!function(e,t,o){i.useImperativeHandle(e.componentRef,(function(){return{get value(){return o},focus:function(){t.current&&t.current.focus()}}}),[t,o])}(o,N,X),bp(o);var ge=!!X&&!isNaN(Number(X)),he=(g||r)&&i.createElement("div",{className:re.labelWrapper},g&&i.createElement(tt,(0,a.__assign)({},g,{className:re.icon,"aria-hidden":"true"})),r&&i.createElement(Ya,{id:H,htmlFor:L,className:re.label,disabled:n},r));return i.createElement("div",{className:re.root,ref:t},m!==Jt.bottom&&he,i.createElement("div",(0,a.__assign)({},ie,{className:re.spinButtonWrapper,"aria-label":_&&_,"aria-posinset":k,"aria-setsize":I,"data-ktp-target":!0}),i.createElement("input",(0,a.__assign)({value:null!=ee?ee:X,id:L,onChange:hp,onInput:function(e){te(e.target.value)},className:re.input,type:"text",autoComplete:"off",role:"spinbutton","aria-labelledby":r&&H,"aria-valuenow":null!=w?w:ge?Number(X):void 0,"aria-valuetext":null!=T?T:ge?void 0:X,"aria-valuemin":s,"aria-valuemax":l,"aria-describedby":S,onBlur:function(e){var t;ae(e),W(!1),null===(t=o.onBlur)||void 0===t||t.call(o,e)},ref:N,onFocus:function(e){var t;N.current&&((oe.spinningByMouse||K!==up.notSpinning)&&se(),N.current.select(),W(!0),null===(t=o.onFocus)||void 0===t||t.call(o,e))},onKeyDown:function(e){if(e.which!==f.up&&e.which!==f.down&&e.which!==f.enter||(e.preventDefault(),e.stopPropagation()),n)se();else{var t=up.notSpinning;switch(e.which){case f.up:t=up.up,le(ce,e);break;case f.down:t=up.down,le(ue,e);break;case f.enter:ae(e);break;case f.escape:te(void 0)}K!==t&&G(t)}},onKeyUp:de,disabled:n,"aria-disabled":n,"data-lpignore":!0,"data-ktp-execute-target":!0},D)),i.createElement("span",{className:re.arrowButtonsContainer},i.createElement(yi,(0,a.__assign)({styles:pp(P,!0,C),className:"ms-UpButton",checked:K===up.up,disabled:n,iconProps:h,onMouseDown:pe,onMouseLeave:se,onMouseUp:se,tabIndex:-1,ariaLabel:v,"data-is-focusable":!1},R)),i.createElement(yi,(0,a.__assign)({styles:pp(P,!1,x),className:"ms-DownButton",checked:K===up.down,disabled:n,iconProps:b,onMouseDown:me,onMouseLeave:se,onMouseUp:se,tabIndex:-1,ariaLabel:y,"data-is-focusable":!1},R)))),m===Jt.bottom&&he)}));vp.displayName="SpinButton";var bp=function(e){},yp=Pe(vp,(function(e){var t,o,n,r,i=e.theme,s=e.className,l=e.labelPosition,c=e.disabled,u=e.isFocused,d=i.palette,p=i.semanticColors,m=i.effects,g=i.fonts,h=p.inputBorder,f=p.inputBackground,v=p.inputBorderHovered,b=p.inputFocusBorderAlt,y=p.inputText,_=d.white,S=p.inputBackgroundChecked,C=p.disabledText;return{root:[g.medium,{outline:"none",width:"100%",minWidth:86},s],labelWrapper:[{display:"inline-flex",alignItems:"center"},l===Jt.start&&{height:32,float:"left",marginRight:10},l===Jt.end&&{height:32,float:"right",marginLeft:10},l===Jt.top&&{marginBottom:-1}],icon:[{padding:"0 5px",fontSize:Ue.fF.large},c&&{color:C}],label:{pointerEvents:"none",lineHeight:Ue.fF.large},spinButtonWrapper:[(0,a.__assign)((0,a.__assign)({display:"flex",position:"relative",boxSizing:"border-box",height:32,minWidth:86},(0,Ue.Sq)(h,m.roundedCorner2,"border",0)),{":after":(t={borderWidth:"1px"},t[Ue.up]={borderColor:"GrayText"},t)}),(l===Jt.top||l===Jt.bottom)&&{width:"100%"},!c&&[{":hover:after":(o={borderColor:v},o[Ue.up]={borderColor:"Highlight"},o)},u&&{":hover:after, :after":(n={borderColor:b,borderWidth:"2px"},n[Ue.up]={borderColor:"Highlight"},n)}],c&&dp(i)],input:["ms-spinButton-input",{boxSizing:"border-box",boxShadow:"none",borderStyle:"none",flex:1,margin:0,fontSize:g.medium.fontSize,fontFamily:"inherit",color:y,backgroundColor:f,height:"100%",padding:"0 8px 0 9px",outline:0,display:"block",minWidth:61,whiteSpace:"nowrap",textOverflow:"ellipsis",overflow:"hidden",cursor:"text",userSelect:"text",borderRadius:"".concat(m.roundedCorner2," 0 0 ").concat(m.roundedCorner2)},!c&&{selectors:{"::selection":{backgroundColor:S,color:_,selectors:(r={},r[Ue.up]={backgroundColor:"Highlight",borderColor:"Highlight",color:"HighlightText"},r)}}},c&&dp(i)],arrowButtonsContainer:[{display:"block",height:"100%",cursor:"default"},c&&dp(i)]}}),void 0,{scope:"SpinButton"}),_p=Le(),Sp=i.forwardRef((function(e,t){var o=fr(void 0,e.id),n=e.items,r=e.columnCount,s=e.onRenderItem,l=e.isSemanticRadio,c=e.ariaPosInSet,u=void 0===c?e.positionInSet:c,d=e.ariaSetSize,p=void 0===d?e.setSize:d,m=e.styles,g=e.doNotContainWithinFocusZone,h=Q(e,V,g?[]:["onBlur"]),f=_p(m,{theme:e.theme}),v=function(e,t){return e.reduce((function(e,o,n){return n%t==0?e.push([o]):e[e.length-1].push(o),e}),[])}(n,r),b=i.createElement("table",(0,a.__assign)({"aria-posinset":u,"aria-setsize":p,id:o,role:l?"radiogroup":"grid"},h,{className:f.root}),i.createElement("tbody",{role:l?"presentation":"rowgroup"},v.map((function(e,t){return i.createElement("tr",{role:l?"presentation":"row",key:t},e.map((function(e,t){return i.createElement("td",{role:"presentation",key:t+"-cell",className:f.tableCell},s(e,t))})))}))));return g?b:i.createElement(Yt,{elementRef:t,isCircularNavigation:e.shouldFocusCircularNavigate,className:f.focusedContainer,onBlur:e.onBlur},b)})),Cp=Pe(Sp,(function(e){return{root:{padding:2,outline:"none"},tableCell:{padding:0}}}));Cp.displayName="ButtonGrid";var xp=function(e){var t,o=fr("gridCell"),n=e.item,r=e.id,s=void 0===r?o:r,l=e.className,c=e.selected,d=e.disabled,p=void 0!==d&&d,m=e.onRenderItem,g=e.cellDisabledStyle,h=e.cellIsSelectedStyle,f=e.index,v=e.label,b=e.getClassNames,y=e.onClick,_=e.onHover,S=e.onMouseMove,C=e.onMouseLeave,x=e.onMouseEnter,P=e.onFocus,k=Q(e,U),I=i.useCallback((function(e){y&&!p&&y(n,e)}),[p,n,y]),w=i.useCallback((function(e){x&&x(e)||!_||p||_(n,e)}),[p,n,_,x]),T=i.useCallback((function(e){S&&S(e)||!_||p||_(n,e)}),[p,n,_,S]),E=i.useCallback((function(e){C&&C(e)||!_||p||_(void 0,e)}),[p,_,C]),D=i.useCallback((function(e){P&&!p&&P(n,e)}),[p,n,P]);return i.createElement(si,(0,a.__assign)({id:s,"data-index":f,"data-is-focusable":!0,"aria-selected":c,ariaLabel:v,title:v},k,{className:u(l,(t={},t[""+h]=c,t[""+g]=p,t)),onClick:I,onMouseEnter:w,onMouseMove:T,onMouseLeave:E,onFocus:D,getClassNames:b}),m(n))},Pp=Le(),kp=(0,c.J9)((function(e,t,o,n,r,i,a,s,l){var c=oi(e);return(0,Ue.l8)({root:["ms-Button",c.root,o,t,a&&["is-checked",c.rootChecked],i&&["is-disabled",c.rootDisabled],!i&&!a&&{selectors:{":hover":c.rootHovered,":focus":c.rootFocused,":active":c.rootPressed}},i&&a&&[c.rootCheckedDisabled],!i&&a&&{selectors:{":hover":c.rootCheckedHovered,":active":c.rootCheckedPressed}}],flexContainer:["ms-Button-flexContainer",c.flexContainer]})})),Ip={left:-2,top:-2,bottom:-2,right:-2,border:"none",outlineColor:"ButtonText"},wp=Pe((function(e){var t,o,n=e.item,r=e.idPrefix,s=void 0===r?e.id:r,l=e.isRadio,c=e.selected,u=void 0!==c&&c,d=e.disabled,p=void 0!==d&&d,m=e.styles,g=e.circle,h=void 0===g||g,f=e.color,v=e.onClick,b=e.onHover,y=e.onFocus,_=e.onMouseEnter,S=e.onMouseMove,C=e.onMouseLeave,x=e.onWheel,P=e.onKeyDown,k=e.height,I=e.width,w=e.borderWidth,T=Pp(m,{theme:e.theme,disabled:p,selected:u,circle:h,isWhite:(t=f,o=tl(t),"ffffff"===(null==o?void 0:o.hex)),height:k,width:I,borderWidth:w}),E=function(e){var t,o=T.svg;return i.createElement("svg",{className:o,role:"img","aria-label":e.label,viewBox:"0 0 20 20",fill:null===(t=tl(e.color))||void 0===t?void 0:t.str},h?i.createElement("circle",{cx:"50%",cy:"50%",r:"50%"}):i.createElement("rect",{width:"100%",height:"100%"}))},D=l?{role:"radio","aria-checked":u,selected:void 0}:{role:"gridcell",selected:u};return i.createElement(xp,(0,a.__assign)({item:n,id:"".concat(s,"-").concat(n.id,"-").concat(n.index),key:n.id,disabled:p},D,{onRenderItem:function(t){var o=e.onRenderColorCellContent;return(void 0===o?E:o)(t,E)},onClick:v,onHover:b,onFocus:y,label:n.label,className:T.colorCell,getClassNames:kp,index:n.index,onMouseEnter:_,onMouseMove:S,onMouseLeave:C,onWheel:x,onKeyDown:P}))}),(function(e){var t,o,n,r,i,a=e.theme,s=e.disabled,l=e.selected,c=e.circle,u=e.isWhite,d=e.height,p=void 0===d?20:d,m=e.width,g=void 0===m?20:m,h=e.borderWidth,f=a.semanticColors,b=a.palette,y=b.neutralLighter,_=b.neutralLight,S=b.neutralSecondary,C=b.neutralTertiary,x=h||(g<24?2:4);return{colorCell:[(0,Ue.gm)(a,{inset:-1,position:"relative",highContrastStyle:Ip}),{backgroundColor:f.bodyBackground,padding:0,position:"relative",boxSizing:"border-box",display:"inline-block",cursor:"pointer",userSelect:"none",borderRadius:0,border:"none",height:p,width:g,verticalAlign:"top"},!c&&{selectors:(t={},t[".".concat(v.Y2," &:focus::after, :host(.").concat(v.Y2,") &:focus::after")]={outlineOffset:"".concat(x-1,"px")},t)},c&&{borderRadius:"50%",selectors:(o={},o[".".concat(v.Y2," &:focus::after, :host(.").concat(v.Y2,") &:focus::after")]={outline:"none",borderColor:f.focusBorder,borderRadius:"50%",left:-x,right:-x,top:-x,bottom:-x,selectors:(n={},n[Ue.up]={outline:"1px solid ButtonText"},n)},o)},l&&{padding:2,border:"".concat(x,"px solid ").concat(_),selectors:(r={},r["&:hover::before"]={content:'""',height:p,width:g,position:"absolute",top:-x,left:-x,borderRadius:c?"50%":"default",boxShadow:"inset 0 0 0 1px ".concat(S)},r)},!l&&{selectors:(i={},i["&:hover, &:active, &:focus"]={backgroundColor:f.bodyBackground,padding:2,border:"".concat(x,"px solid ").concat(y)},i["&:focus"]={borderColor:f.bodyBackground,padding:0,selectors:{":hover":{borderColor:a.palette.neutralLight,padding:2}}},i)},s&&{color:f.disabledBodyText,pointerEvents:"none",opacity:.3},u&&!l&&{backgroundColor:C,padding:1}],svg:[{width:"100%",height:"100%"},c&&{borderRadius:"50%"}]}}),void 0,{scope:"ColorPickerGridCell"},!0),Tp=Le(),Ep=i.forwardRef((function(e,t){var o=fr("swatchColorPicker"),n=e.id||o,r=qo(),s=Go({isNavigationIdle:!0,cellFocused:!1,navigationIdleTimeoutId:void 0,navigationIdleDelay:250}),l=op(),c=l.setTimeout,u=l.clearTimeout,d=e.colorCells,p=e.cellShape,m=void 0===p?"circle":p,g=e.columnCount,h=e.shouldFocusCircularNavigate,v=void 0===h||h,b=e.className,y=e.disabled,_=void 0!==y&&y,S=e.doNotContainWithinFocusZone,C=e.styles,x=e.cellMargin,P=void 0===x?10:x,k=e.defaultSelectedId,I=e.focusOnHover,w=e.mouseLeaveParentSelector,T=e.onChange,E=e.onColorChanged,D=e.onCellHovered,M=e.onCellFocused,O=e.getColorGridCellStyles,R=e.cellHeight,F=e.cellWidth,B=e.cellBorderWidth,A=e.onRenderColorCellContent,N=i.useMemo((function(){return d.map((function(e,t){return(0,a.__assign)((0,a.__assign)({},e),{index:t})}))}),[d]),L=i.useCallback((function(e,t){var o,n=null===(o=d.filter((function(e){return e.id===t}))[0])||void 0===o?void 0:o.color;null==T||T(e,t,n),null==E||E(t,n)}),[T,E,d]),H=Ma(e.selectedId,k,L),j=H[0],z=H[1],W=Tp(C,{theme:e.theme,className:b,cellMargin:P}),V={root:W.root,tableCell:W.tableCell,focusedContainer:W.focusedContainer},K=d.length<=g,G=i.useCallback((function(e){M&&(s.cellFocused=!1,M(void 0,void 0,e))}),[s,M]),U=i.useCallback((function(e){return I?(s.isNavigationIdle&&!_&&e.currentTarget.focus(),!0):!s.isNavigationIdle||!!_}),[I,s,_]),Y=i.useCallback((function(e){if(!I)return!s.isNavigationIdle||!!_;var t=e.currentTarget;return!s.isNavigationIdle||r&&t===r.activeElement||t.focus(),!0}),[I,s,_,r]),q=i.useCallback((function(e){var t,o=w;if(I&&o&&s.isNavigationIdle&&!_)for(var n=null!==(t=null==r?void 0:r.querySelectorAll(o))&&void 0!==t?t:[],i=0;ie.length)&&(t=e.length);for(var o=0,n=new Array(t);o0){var n=Array.from(t).map((function(e){return{name:e.name,size:e.size,type:e.type,lastModified:e.lastModified}}));o(c?n:n[0])}},style:{display:"none"}}))}),(function(e,t){return{value:e,onChange:t}}))},30143:(e,t,o)=>{function n(e){return n="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e},n(e)}function r(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 i(e){for(var t=1;t{"use strict";e.exports=jsmodule["react-dom"]},83923:e=>{"use strict";e.exports=jsmodule.react},24588:(e,t)=>{"use strict";function o(e){if("function"!=typeof WeakMap)return null;var t=new WeakMap,n=new WeakMap;return(o=function(e){return e?n:t})(e)}t._=t._interop_require_wildcard=function(e,t){if(!t&&e&&e.__esModule)return e;if(null===e||"object"!=typeof e&&"function"!=typeof e)return{default:e};var n=o(t);if(n&&n.has(e))return n.get(e);var r={__proto__:null},i=Object.defineProperty&&Object.getOwnPropertyDescriptor;for(var a in e)if("default"!==a&&Object.prototype.hasOwnProperty.call(e,a)){var s=i?Object.getOwnPropertyDescriptor(e,a):null;s&&(s.get||s.set)?Object.defineProperty(r,a,s):r[a]=e[a]}return r.default=e,n&&n.set(e,r),r}},31635:(e,t,o)=>{"use strict";o.r(t),o.d(t,{__addDisposableResource:()=>F,__assign:()=>i,__asyncDelegator:()=>k,__asyncGenerator:()=>P,__asyncValues:()=>I,__await:()=>x,__awaiter:()=>g,__classPrivateFieldGet:()=>M,__classPrivateFieldIn:()=>R,__classPrivateFieldSet:()=>O,__createBinding:()=>f,__decorate:()=>s,__disposeResources:()=>A,__esDecorate:()=>c,__exportStar:()=>v,__extends:()=>r,__generator:()=>h,__importDefault:()=>D,__importStar:()=>E,__makeTemplateObject:()=>w,__metadata:()=>m,__param:()=>l,__propKey:()=>d,__read:()=>y,__rest:()=>a,__runInitializers:()=>u,__setFunctionName:()=>p,__spread:()=>_,__spreadArray:()=>C,__spreadArrays:()=>S,__values:()=>b,default:()=>N});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)Object.prototype.hasOwnProperty.call(t,o)&&(e[o]=t[o])},n(e,t)};function r(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Class extends value "+String(t)+" is not a constructor or null");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(e,t){return function(o,n){t(o,n,e)}}function c(e,t,o,n,r,i){function a(e){if(void 0!==e&&"function"!=typeof e)throw new TypeError("Function expected");return e}for(var s,l=n.kind,c="getter"===l?"get":"setter"===l?"set":"value",u=!t&&e?n.static?e:e.prototype:null,d=t||(u?Object.getOwnPropertyDescriptor(u,n.name):{}),p=!1,m=o.length-1;m>=0;m--){var g={};for(var h in n)g[h]="access"===h?{}:n[h];for(var h in n.access)g.access[h]=n.access[h];g.addInitializer=function(e){if(p)throw new TypeError("Cannot add initializers after decoration has completed");i.push(a(e||null))};var f=(0,o[m])("accessor"===l?{get:d.get,set:d.set}:d[c],g);if("accessor"===l){if(void 0===f)continue;if(null===f||"object"!=typeof f)throw new TypeError("Object expected");(s=a(f.get))&&(d.get=s),(s=a(f.set))&&(d.set=s),(s=a(f.init))&&r.unshift(s)}else(s=a(f))&&("field"===l?r.unshift(s):d[c]=s)}u&&Object.defineProperty(u,n.name,d),p=!0}function u(e,t,o){for(var n=arguments.length>2,r=0;r0&&r[r.length-1])||6!==s[0]&&2!==s[0])){a=0;continue}if(3===s[0]&&(!r||s[1]>r[0]&&s[1]=e.length&&(e=void 0),{value:e&&e[n++],done:!e}}};throw new TypeError(t?"Object is not iterable.":"Symbol.iterator is not defined.")}function y(e,t){var o="function"==typeof Symbol&&e[Symbol.iterator];if(!o)return e;var n,r,i=o.call(e),a=[];try{for(;(void 0===t||t-- >0)&&!(n=i.next()).done;)a.push(n.value)}catch(e){r={error:e}}finally{try{n&&!n.done&&(o=i.return)&&o.call(i)}finally{if(r)throw r.error}}return a}function _(){for(var e=[],t=0;t1||s(e,t)}))})}function s(e,t){try{(o=r[e](t)).value instanceof x?Promise.resolve(o.value.v).then(l,c):u(i[0][2],o)}catch(e){u(i[0][3],e)}var o}function l(e){s("next",e)}function c(e){s("throw",e)}function u(e,t){e(t),i.shift(),i.length&&s(i[0][0],i[0][1])}}function k(e){var t,o;return t={},n("next"),n("throw",(function(e){throw e})),n("return"),t[Symbol.iterator]=function(){return this},t;function n(n,r){t[n]=e[n]?function(t){return(o=!o)?{value:x(e[n](t)),done:!1}:r?r(t):t}:r}}function I(e){if(!Symbol.asyncIterator)throw new TypeError("Symbol.asyncIterator is not defined.");var t,o=e[Symbol.asyncIterator];return o?o.call(e):(e=b(e),t={},n("next"),n("throw"),n("return"),t[Symbol.asyncIterator]=function(){return this},t);function n(o){t[o]=e[o]&&function(t){return new Promise((function(n,r){!function(e,t,o,n){Promise.resolve(n).then((function(t){e({value:t,done:o})}),t)}(n,r,(t=e[o](t)).done,t.value)}))}}}function w(e,t){return Object.defineProperty?Object.defineProperty(e,"raw",{value:t}):e.raw=t,e}var T=Object.create?function(e,t){Object.defineProperty(e,"default",{enumerable:!0,value:t})}:function(e,t){e.default=t};function E(e){if(e&&e.__esModule)return e;var t={};if(null!=e)for(var o in e)"default"!==o&&Object.prototype.hasOwnProperty.call(e,o)&&f(t,e,o);return T(t,e),t}function D(e){return e&&e.__esModule?e:{default:e}}function M(e,t,o,n){if("a"===o&&!n)throw new TypeError("Private accessor was defined without a getter");if("function"==typeof t?e!==t||!n:!t.has(e))throw new TypeError("Cannot read private member from an object whose class did not declare it");return"m"===o?n:"a"===o?n.call(e):n?n.value:t.get(e)}function O(e,t,o,n,r){if("m"===n)throw new TypeError("Private method is not writable");if("a"===n&&!r)throw new TypeError("Private accessor was defined without a setter");if("function"==typeof t?e!==t||!r:!t.has(e))throw new TypeError("Cannot write private member to an object whose class did not declare it");return"a"===n?r.call(e,o):r?r.value=o:t.set(e,o),o}function R(e,t){if(null===t||"object"!=typeof t&&"function"!=typeof t)throw new TypeError("Cannot use 'in' operator on non-object");return"function"==typeof e?t===e:e.has(t)}function F(e,t,o){if(null!=t){if("object"!=typeof t&&"function"!=typeof t)throw new TypeError("Object expected.");var n;if(o){if(!Symbol.asyncDispose)throw new TypeError("Symbol.asyncDispose is not defined.");n=t[Symbol.asyncDispose]}if(void 0===n){if(!Symbol.dispose)throw new TypeError("Symbol.dispose is not defined.");n=t[Symbol.dispose]}if("function"!=typeof n)throw new TypeError("Object not disposable.");e.stack.push({value:t,dispose:n,async:o})}else o&&e.stack.push({async:!0});return t}var B="function"==typeof SuppressedError?SuppressedError:function(e,t,o){var n=new Error(o);return n.name="SuppressedError",n.error=e,n.suppressed=t,n};function A(e){function t(t){e.error=e.hasError?new B(t,e.error,"An error was suppressed during disposal."):t,e.hasError=!0}return function o(){for(;e.stack.length;){var n=e.stack.pop();try{var r=n.dispose&&n.dispose.call(n.value);if(n.async)return Promise.resolve(r).then(o,(function(e){return t(e),o()}))}catch(e){t(e)}}if(e.hasError)throw e.error}()}const N={__extends:r,__assign:i,__rest:a,__decorate:s,__param:l,__metadata:m,__awaiter:g,__generator:h,__createBinding:f,__exportStar:v,__values:b,__read:y,__spread:_,__spreadArrays:S,__spreadArray:C,__await:x,__asyncGenerator:P,__asyncDelegator:k,__asyncValues:I,__makeTemplateObject:w,__importStar:E,__importDefault:D,__classPrivateFieldGet:M,__classPrivateFieldSet:O,__classPrivateFieldIn:R,__addDisposableResource:F,__disposeResources:A}}},t={};function o(n){var r=t[n];if(void 0!==r)return r.exports;var i=t[n]={exports:{}};return e[n].call(i.exports,i,i.exports,o),i.exports}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(30143);var e=o(18227);var t=o(39912);(0,o(33670).v)("@fluentui/font-icons-mdl2","8.5.38");var n,r,i,a="".concat(e.pD,"/assets/icons/"),s=(0,t.z)();void 0===n&&(n=(null===(r=null==s?void 0:s.FabricConfig)||void 0===r?void 0:r.iconBaseUrl)||(null===(i=null==s?void 0:s.FabricConfig)||void 0===i?void 0:i.fontBaseUrl)||a),[function(t,o){void 0===t&&(t="");var n={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons"',src:"url('".concat(t,"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,e.K1)(n,o)},function(t,o){void 0===t&&(t="");var n={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-0"',src:"url('".concat(t,"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,e.K1)(n,o)},function(t,o){void 0===t&&(t="");var n={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-1"',src:"url('".concat(t,"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,e.K1)(n,o)},function(t,o){void 0===t&&(t="");var n={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-2"',src:"url('".concat(t,"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,e.K1)(n,o)},function(t,o){void 0===t&&(t="");var n={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-3"',src:"url('".concat(t,"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,e.K1)(n,o)},function(t,o){void 0===t&&(t="");var n={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-4"',src:"url('".concat(t,"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,e.K1)(n,o)},function(t,o){void 0===t&&(t="");var n={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-5"',src:"url('".concat(t,"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,e.K1)(n,o)},function(t,o){void 0===t&&(t="");var n={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-6"',src:"url('".concat(t,"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,e.K1)(n,o)},function(t,o){void 0===t&&(t="");var n={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-7"',src:"url('".concat(t,"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,e.K1)(n,o)},function(t,o){void 0===t&&(t="");var n={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-8"',src:"url('".concat(t,"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,e.K1)(n,o)},function(t,o){void 0===t&&(t="");var n={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-9"',src:"url('".concat(t,"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,e.K1)(n,o)},function(t,o){void 0===t&&(t="");var n={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-10"',src:"url('".concat(t,"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,e.K1)(n,o)},function(t,o){void 0===t&&(t="");var n={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-11"',src:"url('".concat(t,"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,e.K1)(n,o)},function(t,o){void 0===t&&(t="");var n={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-12"',src:"url('".concat(t,"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,e.K1)(n,o)},function(t,o){void 0===t&&(t="");var n={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-13"',src:"url('".concat(t,"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,e.K1)(n,o)},function(t,o){void 0===t&&(t="");var n={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-14"',src:"url('".concat(t,"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,e.K1)(n,o)},function(t,o){void 0===t&&(t="");var n={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-15"',src:"url('".concat(t,"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,e.K1)(n,o)},function(t,o){void 0===t&&(t="");var n={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-16"',src:"url('".concat(t,"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,e.K1)(n,o)},function(t,o){void 0===t&&(t="");var n={style:{MozOsxFontSmoothing:"grayscale",WebkitFontSmoothing:"antialiased",fontStyle:"normal",fontWeight:"normal",speak:"none"},fontFace:{fontFamily:'"FabricMDL2Icons-17"',src:"url('".concat(t,"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,e.K1)(n,o)}].forEach((function(e){return e(n,undefined)})),(0,e.aH)("trash","delete"),(0,e.aH)("onedrive","onedrivelogo"),(0,e.aH)("alertsolid12","eventdatemissed12"),(0,e.aH)("sixpointstar","6pointstar"),(0,e.aH)("twelvepointstar","12pointstar"),(0,e.aH)("toggleon","toggleleft"),(0,e.aH)("toggleoff","toggleright")})()})(); \ No newline at end of file diff --git a/js/src/inputs.jsx b/js/src/inputs.jsx index 4a33a6d8..5be8376d 100644 --- a/js/src/inputs.jsx +++ b/js/src/inputs.jsx @@ -1,3 +1,4 @@ +import * as React from 'react'; import * as Fluent from '@fluentui/react'; import { ButtonAdapter, InputAdapter, debounce } from '@/shiny.react'; @@ -107,3 +108,86 @@ export const Toggle = InputAdapter(Fluent.Toggle, (value, setValue) => ({ checked: value, onChange: (e, v) => setValue(v), })); + +export const FileUploadButton = InputAdapter( + ({ + onChange, + buttonType = 'default', + icon, + text, + accept, + multiple, + disabled, + className, + style, + ariaLabel, + title, + }) => { + const fileInputRef = React.useRef(null); + + const handleClick = () => { + if (fileInputRef.current) { + fileInputRef.current.click(); + } + }; + + const handleFileChange = (event) => { + const { files } = event.target; + if (files && files.length > 0) { + // Convert FileList to format Shiny expects + const fileData = Array.from(files).map((file) => ({ + name: file.name, + size: file.size, + type: file.type, + lastModified: file.lastModified, + })); + onChange(multiple ? fileData : fileData[0]); + } + }; + + // Select the appropriate button component + let ButtonComponent; + if (buttonType === 'primary') { + ButtonComponent = Fluent.PrimaryButton; + } else if (buttonType === 'compound') { + ButtonComponent = Fluent.CompoundButton; + } else if (buttonType === 'action') { + ButtonComponent = Fluent.ActionButton; + } else if (buttonType === 'command') { + ButtonComponent = Fluent.CommandButton; + } else if (buttonType === 'commandBar') { + ButtonComponent = Fluent.CommandBarButton; + } else if (buttonType === 'icon') { + ButtonComponent = Fluent.IconButton; + } else { + ButtonComponent = Fluent.DefaultButton; + } + + return ( +
+ + +
+ ); + }, + (value, setValue) => ({ + value, + onChange: setValue, + }), +); diff --git a/man/Button.Rd b/man/Button.Rd index 3a2f3a7f..e6e0c3a1 100644 --- a/man/Button.Rd +++ b/man/Button.Rd @@ -347,52 +347,129 @@ if (interactive()) { shinyApp(ui("app"), function(input, output) server("app")) } -# Example 3 +# Example 3: File Upload with Fluent UI Buttons library(shiny) library(shiny.fluent) -library(shinyjs) -# This example app shows how to use a Fluent UI Button to trigger a file upload. -# File upload is not natively supported by shiny.fluent so shinyjs is used -# to trigger the file upload input. +# This example demonstrates FileUploadButton - a native Fluent UI file upload component +# that works across all browsers, including Safari. + ui <- function(id) { ns <- NS(id) fluentPage( - useShinyjs(), + h3("File Upload with Fluent UI"), + p("Native file upload components with full cross-browser support:"), + Stack( - tokens = list( - childrenGap = 10L + tokens = list(childrenGap = 20), + horizontal = FALSE, + + # Primary button for important uploads + div( + Text(variant = "mediumPlus", "Upload Data Files"), + FileUploadButton.shinyInput( + inputId = ns("data_files"), + text = "Choose Data Files", + buttonType = "primary", + icon = "Upload", + accept = ".xlsx,.csv,.json", + multiple = TRUE + ) ), - horizontal = TRUE, - DefaultButton.shinyInput( - inputId = ns("uploadFileButton"), - text = "Upload File", - iconProps = list(iconName = "Upload") + + # Default button for documents + div( + Text(variant = "mediumPlus", "Upload Document"), + FileUploadButton.shinyInput( + inputId = ns("document"), + text = "Choose Document", + buttonType = "default", + icon = "TextDocument", + accept = ".pdf,.docx,.txt" + ) ), + + # Compound button with description div( - style = " - visibility: hidden; - height: 0; - width: 0; - ", - fileInput( - inputId = ns("uploadFile"), - label = NULL + Text(variant = "mediumPlus", "Upload Images"), + FileUploadButton.shinyInput( + inputId = ns("images"), + text = "Choose Images", + buttonType = "compound", + icon = "Photo2", + accept = ".png,.jpg,.jpeg,.gif", + multiple = TRUE ) ) ), - textOutput(ns("file_path")) + + br(), + h4("Upload Status:"), + div( + uiOutput(ns("data_files_status")), + uiOutput(ns("document_status")), + uiOutput(ns("images_status")) + ) ) } server <- function(id) { moduleServer(id, function(input, output, session) { - observeEvent(input$uploadFileButton, { - click("uploadFile") + + # Handle data files upload + observeEvent(input$data_files, { + req(input$data_files) + # Handle multiple files (array) or single file (object) + if (is.list(input$data_files) && !is.null(names(input$data_files))) { + # Single file object with named elements + files <- input$data_files$name + } else if (is.list(input$data_files)) { + # Array of file objects + files <- paste(sapply(input$data_files, function(f) f$name), collapse = ", ") + } else { + # Fallback + files <- "Unknown file format" + } + output$data_files_status <- renderUI({ + MessageBar( + messageBarType = 1, # success + paste("✅ Data files uploaded:", files) + ) + }) }) - - output$file_path <- renderText({ - input$uploadFile$name + + # Handle document upload + observeEvent(input$document, { + req(input$document) + output$document_status <- renderUI({ + MessageBar( + messageBarType = 1, # success + paste("📄 Document uploaded:", input$document$name) + ) + }) + }) + + # Handle images upload + observeEvent(input$images, { + req(input$images) + # Handle multiple files (array) or single file (object) + if (is.list(input$images) && !is.null(names(input$images))) { + # Single file object + files <- paste("Image uploaded:", input$images$name) + } else if (is.list(input$images)) { + # Array of file objects + files <- paste(length(input$images), "images:", + paste(sapply(input$images, function(f) f$name), collapse = ", ")) + } else { + # Fallback + files <- "Unknown file format" + } + output$images_status <- renderUI({ + MessageBar( + messageBarType = 1, # success + paste("🖼️", files) + ) + }) }) }) } diff --git a/man/FileUploadButton.Rd b/man/FileUploadButton.Rd new file mode 100644 index 00000000..9b953392 --- /dev/null +++ b/man/FileUploadButton.Rd @@ -0,0 +1,71 @@ +% Generated by roxygen2: do not edit by hand +% Please edit documentation in R/documentation.R, R/inputs.R +\name{FileUploadButton} +\alias{FileUploadButton} +\alias{FileUploadButton.shinyInput} +\alias{updateFileUploadButton.shinyInput} +\title{FileUploadButton} +\usage{ +FileUploadButton.shinyInput(inputId, ..., value = defaultValue) + +updateFileUploadButton.shinyInput( + session = shiny::getDefaultReactiveDomain(), + inputId, + ... +) +} +\arguments{ +\item{inputId}{ID of the component.} + +\item{...}{Props to pass to the component. +The allowed props are listed below in the \bold{Details} section.} + +\item{value}{Starting value.} + +\item{session}{Object passed as the \code{session} argument to Shiny server.} +} +\description{ +A Safari-compatible file upload button that combines Fluent UI styling with cross-browser file selection functionality. This component solves the issue where Safari blocks programmatic file input clicks by using React-based file input handling. + +For more details about Fluent UI buttons visit the \href{https://developer.microsoft.com/en-us/fluentui#/controls/web/Button}{official docs}. +} +\details{ +\itemize{ +\item \bold{ text } \code{string} \cr Text to display on the button. +\item \bold{ buttonType } \code{string} \cr Type of Fluent button: "primary", "default", "compound", "action", "command", "commandBar", or "icon". Defaults to "default". +\item \bold{ icon } \code{string} \cr Optional Fluent UI icon name (e.g., "Upload", "Attach", "FolderOpen"). +\item \bold{ accept } \code{string} \cr File types to accept (e.g., ".xlsx,.csv", ".pdf"). Passed to underlying file input. +\item \bold{ multiple } \code{boolean} \cr Whether to allow multiple file selection. Defaults to FALSE. +\item \bold{ disabled } \code{boolean} \cr Whether the button is disabled. +\item \bold{ className } \code{string} \cr Additional CSS class name for the button. +\item \bold{ style } \code{string} \cr Inline CSS styles for the button. +} +} +\section{Best practices}{ + +\subsection{Usage}{ +\itemize{ +\item Use FileUploadButton when you need Safari-compatible file uploads +\item Choose appropriate buttonType for visual hierarchy (primary for main actions) +\item Set meaningful accept attributes to filter file types +\item Use multiple=TRUE for bulk file uploads +} +} + +\subsection{Content}{ +\itemize{ +\item Use clear, action-oriented text ("Upload Files", "Select Document") +\item Include relevant icons when helpful (Upload, Attach, FolderOpen) +\item Keep button text concise but descriptive +} +} + +\subsection{Accessibility}{ +\itemize{ +\item Button follows Fluent UI accessibility standards +\item Supports keyboard navigation (Space/Enter to activate) +\item Compatible with screen readers and assistive technologies +} +} +} + diff --git a/tests/testthat/test-FileUploadButton.R b/tests/testthat/test-FileUploadButton.R new file mode 100644 index 00000000..89b7f65d --- /dev/null +++ b/tests/testthat/test-FileUploadButton.R @@ -0,0 +1,162 @@ +describe("FileUploadButton.shinyInput", { + it("creates a valid shiny.tag object", { + # Act + result <- FileUploadButton.shinyInput("test", text = "Upload File") + + # Assert + expect_s3_class(result, "shiny.tag") + expect_equal(result$name, "div") + expect_true("react-container" %in% result$attribs$class) + }) + + it("passes inputId correctly", { + # Act + result <- FileUploadButton.shinyInput("test_upload", text = "Upload") + + # Assert + react_data <- attr(result, "reactData") + expect_equal(react_data$props$value$inputId, "test_upload") + }) + + it("handles all button types correctly", { + button_types <- c("primary", "default", "compound", "action", "command", "commandBar", "icon") + + for (type in button_types) { + # Act + result <- FileUploadButton.shinyInput("test", text = "Test", buttonType = type) + + # Assert + expect_s3_class(result, "shiny.tag") + # Check that buttonType is passed in props + react_data <- attr(result, "reactData") + expect_equal(react_data$props$value$buttonType, type) + } + }) + + it("passes text prop correctly", { + # Act + result <- FileUploadButton.shinyInput("test", text = "Upload Files") + + # Assert + react_data <- attr(result, "reactData") + expect_equal(react_data$props$value$text, "Upload Files") + }) + + it("passes icon prop when provided", { + # Act + result <- FileUploadButton.shinyInput("test", text = "Upload", icon = "Upload") + + # Assert + react_data <- attr(result, "reactData") + expect_equal(react_data$props$value$icon, "Upload") + }) + + it("excludes icon prop when not provided", { + # Act + result <- FileUploadButton.shinyInput("test", text = "Upload") + + # Assert + react_data <- attr(result, "reactData") + expect_null(react_data$props$value$icon) + }) + + it("passes file input parameters correctly", { + # Act + result <- FileUploadButton.shinyInput("test", + text = "Upload", + accept = ".xlsx,.csv", + multiple = TRUE + ) + + # Assert + react_data <- attr(result, "reactData") + expect_equal(react_data$props$value$accept, ".xlsx,.csv") + expect_true(react_data$props$value$multiple) + }) + + it("defaults multiple to FALSE when not specified", { + # Act + result <- FileUploadButton.shinyInput("test", text = "Upload") + + # Assert + react_data <- attr(result, "reactData") + # multiple should either be FALSE or not present (NULL) + expect_true(is.null(react_data$props$value$multiple) || react_data$props$value$multiple == FALSE) + }) + + it("defaults buttonType to 'default' when not specified", { + # Act + result <- FileUploadButton.shinyInput("test", text = "Upload") + + # Assert + react_data <- attr(result, "reactData") + # buttonType should either be "default" or not present (will default to "default" in React) + expect_true(is.null(react_data$props$value$buttonType) || react_data$props$value$buttonType == "default") + }) + + it("includes shinyFluentDependency", { + # Act + result <- FileUploadButton.shinyInput("test", text = "Upload") + + # Assert + deps <- htmltools::findDependencies(result) + dep_names <- sapply(deps, function(x) x$name) + expect_true("shiny.fluent" %in% dep_names) + }) + + it("uses @/shiny.fluent module", { + # Act + result <- FileUploadButton.shinyInput("test", text = "Upload") + + # Assert + react_data <- attr(result, "reactData") + expect_equal(react_data$module, "@/shiny.fluent") + expect_equal(react_data$name, "FileUploadButton") + }) + + it("works with Shiny module namespacing", { + # Arrange + ns <- shiny::NS("module") + + # Act + result <- FileUploadButton.shinyInput(ns("upload"), text = "Upload") + + # Assert + react_data <- attr(result, "reactData") + expect_equal(react_data$props$value$inputId, "module-upload") + }) + + it("passes additional props correctly", { + # Act + result <- FileUploadButton.shinyInput("test", + text = "Upload", + disabled = TRUE, + className = "custom-class" + ) + + # Assert + react_data <- attr(result, "reactData") + expect_true(react_data$props$value$disabled) + expect_equal(react_data$props$value$className, "custom-class") + }) + + it("handles style prop correctly", { + # Act + result <- FileUploadButton.shinyInput("test", + text = "Upload", + style = "margin: 10px;" + ) + + # Assert + react_data <- attr(result, "reactData") + expect_equal(react_data$props$value$style, "margin: 10px;") + }) +}) + +describe("updateFileUploadButton.shinyInput", { + it("is available as update function", { + # Assert + expect_true(exists("updateFileUploadButton.shinyInput")) + expect_equal(updateFileUploadButton.shinyInput, shiny.react::updateReactInput) + }) +})